id
int64
0
458k
file_name
stringlengths
4
119
file_path
stringlengths
14
227
content
stringlengths
24
9.96M
size
int64
24
9.96M
language
stringclasses
1 value
extension
stringclasses
14 values
total_lines
int64
1
219k
avg_line_length
float64
2.52
4.63M
max_line_length
int64
5
9.91M
alphanum_fraction
float64
0
1
repo_name
stringlengths
7
101
repo_stars
int64
100
139k
repo_forks
int64
0
26.4k
repo_open_issues
int64
0
2.27k
repo_license
stringclasses
12 values
repo_extraction_date
stringclasses
433 values
27,300
list_table.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/list_table.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### class ListTable: """ Parse the list table line. Make a string. Form a dictionary. Return the string and the dictionary. """ def __init__( self, bug_handler, run_level=1, ): self.__bug_handler = bug_handler self.__initiate_values() self.__run_level = run_level def __initiate_values(self): self.__list_table_final = '' self.__state = 'default' self.__final_dict = {} self.__list_dict = {} self.__all_lists = [] self.__level_text_string = '' self.__level_text_list = [] self.__found_level_text_length = 0 self.__level_text_position = None self.__prefix_string = None self.__level_numbers_string = '' self.__state_dict = { 'default' : self.__default_func, 'level' : self.__level_func, 'list' : self.__list_func, 'unsure_ob' : self.__after_bracket_func, 'level_number' : self.__level_number_func, 'level_text' : self.__level_text_func, 'list_name' : self.__list_name_func, } self.__main_list_dict = { 'cw<ls<ls-tem-id_' : 'list-template-id', 'cw<ls<list-hybri' : 'list-hybrid', 'cw<ls<lis-tbl-id' : 'list-table-id', } self.__level_dict = { 'cw<ls<level-star' : 'list-number-start', 'cw<ls<level-spac' : 'list-space', 'cw<ls<level-inde' : 'level-indent', 'cw<ls<fir-ln-ind' : 'first-line-indent', 'cw<ls<left-inden' : 'left-indent', 'cw<ls<tab-stop__' : 'tabs', 'cw<ls<level-type' : 'numbering-type', 'cw<pf<right-inde' : 'right-indent', 'cw<pf<left-inden' : 'left-indent', 'cw<pf<fir-ln-ind' : 'first-line-indent', 'cw<ci<italics___' : 'italics', 'cw<ci<bold______' : 'bold', 'cw<ss<para-style' : 'paragraph-style-name', } """ all_lists = [{anything here?} [{list-templateid = ""} [{level-indent}],[{level-indent}] ] ], """ def __parse_lines(self, line): """ Required : line --line to parse Returns: nothing Logic: Split the lines into a list by a new line. Process the line according to the state. """ lines = line.split('\n') self.__ob_count = 0 self.__ob_group = 0 for line in lines: self.__token_info = line[:16] if self.__token_info == 'ob<nu<open-brack': self.__ob_count = line[-4:] self.__ob_group += 1 if self.__token_info == 'cb<nu<clos-brack': self.__cb_count = line[-4:] self.__ob_group -= 1 action = self.__state_dict.get(self.__state) if action is None: print(self.__state) action(line) self.__write_final_string() # self.__add_to_final_line() def __default_func(self, line): """ Requires: line --line to process Return: nothing Logic: This state is used at the start and end of a list. Look for an opening bracket, which marks the change of state. """ if self.__token_info == 'ob<nu<open-brack': self.__state = 'unsure_ob' def __found_list_func(self, line): """ Requires: line -- line to process Returns: nothing Logic: I have found \\list. Change the state to list Get the open bracket count so you know when this state ends. Append an empty list to all lists. Create a temporary dictionary. This dictionary has the key of "list-id" and the value of an empty list. Later, this empty list will be filled with all the ids for which the formatting is valid. Append the temporary dictionary to the new list. """ self.__state = 'list' self.__list_ob_count = self.__ob_count self.__all_lists.append([]) the_dict = {'list-id': []} self.__all_lists[-1].append(the_dict) def __list_func(self, line): """ Requires: line --line to process Returns: nothing Logic: This method is called when you are in a list, but outside of a level. Check for the end of the list. Otherwise, use the self.__mainlist_dict to determine if you need to add a lines values to the main list. """ if self.__token_info == 'cb<nu<clos-brack' and\ self.__cb_count == self.__list_ob_count: self.__state = 'default' elif self.__token_info == 'ob<nu<open-brack': self.__state = 'unsure_ob' else: att = self.__main_list_dict.get(self.__token_info) if att: value = line[20:] # dictionary is always the first item in the last list # [{att:value}, [], [att:value, []] self.__all_lists[-1][0][att] = value def __found_level_func(self, line): """ Requires: line -- line to process Returns: nothing Logic: I have found \\listlevel. Change the state to level Get the open bracket count so you know when this state ends. Append an empty list to the last list inside all lists. Create a temporary dictionary. Append the temporary dictionary to the new list. self.__all_lists now looks like: [[{list-id:[]}, [{}]]] Where: self.__all_lists[-1] => a list. The first item is a dictionary. The second item is a list containing a dictionary: [{list-id:[]}, [{}]] self.__all_lists[-1][0] => a dictionary of the list attributes self.__all_lists[-1][-1] => a list with just a dictionary self.__all_lists[-1][-1][0] => the dictionary of level attributes """ self.__state = 'level' self.__level_ob_count = self.__ob_count self.__all_lists[-1].append([]) the_dict = {} self.__all_lists[-1][-1].append(the_dict) self.__level_dict def __level_func(self, line): """ Requires: line -- line to parse Returns: nothing Logic: Look for the end of the this group. Change states if an open bracket is found. Add attributes to all_dicts if an appropriate token is found. """ if self.__token_info == 'cb<nu<clos-brack' and\ self.__cb_count == self.__level_ob_count: self.__state = 'list' elif self.__token_info == 'ob<nu<open-brack': self.__state = 'unsure_ob' else: att = self.__level_dict.get(self.__token_info) if att: value = line[20:] self.__all_lists[-1][-1][0][att] = value def __level_number_func(self, line): """ Requires: line -- line to process Returns: nothing Logic: Check for the end of the group. Otherwise, if the token is hexadecimal, create an attribute. Do so by finding the base-10 value of the number. Then divide this by 2 and round it. Remove the ".0". Sandwwhich the result to give you something like level1-show-level. The show-level attribute means the numbering for this level. """ if self.__token_info == 'cb<nu<clos-brack' and\ self.__cb_count == self.__level_number_ob_count: self.__state = 'level' self.__all_lists[-1][-1][0]['level-numbers'] = self.__level_numbers_string self.__level_numbers_string = '' elif self.__token_info == 'tx<hx<__________': self.__level_numbers_string += '\\&#x0027;%s' % line[18:] elif self.__token_info == 'tx<nu<__________': self.__level_numbers_string += line[17:] """ num = line[18:] num = int(num, 16) level = str(round((num - 1)/2, 0)) level = level[:-2] level = 'level%s-show-level' % level self.__all_lists[-1][-1][0][level] = 'true' """ def __level_text_func(self, line): """ Requires: line --line to process Returns: nothing Logic: Check for the end of the group. Otherwise, if the text is hexadecimal, call on the method __parse_level_text_length. Otherwise, if the text is regular text, create an attribute. This attribute indicates the puncuation after a certain level. An example is "level1-marker = '.'" Otherwise, check for a level-template-id. """ if self.__token_info == 'cb<nu<clos-brack' and\ self.__cb_count == self.__level_text_ob_count: if self.__prefix_string: if self.__all_lists[-1][-1][0]['numbering-type'] == 'bullet': self.__prefix_string = self.__prefix_string.replace('_', '') self.__all_lists[-1][-1][0]['bullet-type'] = self.__prefix_string self.__state = 'level' # self.__figure_level_text_func() self.__level_text_string = '' self.__found_level_text_length = 0 elif self.__token_info == 'tx<hx<__________': self.__parse_level_text_length(line) elif self.__token_info == 'tx<nu<__________': text = line[17:] if text and text[-1] == ';': text = text.replace(';', '') if not self.__level_text_position: self.__prefix_string = text else: self.__all_lists[-1][-1][0][self.__level_text_position] = text elif self.__token_info == 'cw<ls<lv-tem-id_': value = line[20:] self.__all_lists[-1][-1][0]['level-template-id'] = value def __parse_level_text_length(self, line): """ Requires: line --line with hexadecimal number Returns: nothing Logic: Method is used for to parse text in the \\leveltext group. """ num = line[18:] the_num = int(num, 16) if not self.__found_level_text_length: self.__all_lists[-1][-1][0]['list-text-length'] = str(the_num) self.__found_level_text_length = 1 else: the_num += 1 the_string = str(the_num) level_marker = 'level%s-suffix' % the_string show_marker = 'show-level%s' % the_string self.__level_text_position = level_marker self.__all_lists[-1][-1][0][show_marker] = 'true' if self.__prefix_string: prefix_marker = 'level%s-prefix' % the_string self.__all_lists[-1][-1][0][prefix_marker] = self.__prefix_string self.__prefix_string = None def __list_name_func(self, line): """ Requires: line --line to process Returns: nothing Logic: Simply check for the end of the group and change states. """ if self.__token_info == 'cb<nu<clos-brack' and\ self.__cb_count == self.__list_name_ob_count: self.__state = 'list' def __after_bracket_func(self, line): """ Requires: line --line to parse Returns: nothing. Logic: The last token found was "{". This method determines what group you are now in. WARNING: this could cause problems. If no group is found, the state will remain unsure_ob, which means no other text will be parsed. """ if self.__token_info == 'cw<ls<level-text': self.__state = 'level_text' self.__level_text_ob_count = self.__ob_count elif self.__token_info == 'cw<ls<level-numb': self.__level_number_ob_count = self.__ob_count self.__state = 'level_number' elif self.__token_info == 'cw<ls<list-tb-le': self.__found_level_func(line) elif self.__token_info == 'cw<ls<list-in-tb': self.__found_list_func(line) elif self.__token_info == 'cw<ls<list-name_': self.__state = 'list_name' self.__list_name_ob_count = self.__ob_count else: if self.__run_level > 3: msg = 'No matching token after open bracket\n' msg += 'token is "%s\n"' % (line) raise self.__bug_handler def __add_to_final_line(self): """ Method no longer used. """ self.__list_table_final = 'mi<mk<listabbeg_\n' self.__list_table_final += 'mi<tg<open______<list-table\n' + \ 'mi<mk<listab-beg\n' + self.__list_table_final self.__list_table_final += \ 'mi<mk<listab-end\n' + 'mi<tg<close_____<list-table\n' self.__list_table_final += 'mi<mk<listabend_\n' def __write_final_string(self): """ Requires: nothing Returns: nothing Logic: Write out the list-table start tag. Iterate through self.__all_lists. For each list, write out a list-in-table tag. Get the dictionary of this list (the first item). Print out the key => value pair. Remove the first item (the dictionary) form this list. Now iterate through what is left in the list. Each list will contain one item, a dictionary. Get this dictionary and print out key => value pair. """ not_allow = ['list-id',] id = 0 self.__list_table_final = 'mi<mk<listabbeg_\n' self.__list_table_final += 'mi<tg<open______<list-table\n' + \ 'mi<mk<listab-beg\n' + self.__list_table_final for list in self.__all_lists: id += 1 self.__list_table_final += 'mi<tg<open-att__<list-in-table' # self.__list_table_final += '<list-id>%s' % (str(id)) the_dict = list[0] the_keys = the_dict.keys() for the_key in the_keys: if the_key in not_allow: continue att = the_key value = the_dict[att] self.__list_table_final += f'<{att}>{value}' self.__list_table_final += '\n' levels = list[1:] level_num = 0 for level in levels: level_num += 1 self.__list_table_final += 'mi<tg<empty-att_<level-in-table' self.__list_table_final += '<level>%s' % (str(level_num)) the_dict2 = level[0] the_keys2 = the_dict2.keys() is_bullet = 0 bullet_text = '' for the_key2 in the_keys2: if the_key2 in not_allow: continue test_bullet = the_dict2.get('numbering-type') if test_bullet == 'bullet': is_bullet = 1 att2 = the_key2 value2 = the_dict2[att2] # sys.stderr.write('%s\n' % att2[0:10]) if att2[0:10] == 'show-level' and is_bullet: # sys.stderr.write('No print %s\n' % att2) pass elif att2[-6:] == 'suffix' and is_bullet: # sys.stderr.write('%s\n' % att2) bullet_text += value2 elif att2[-6:] == 'prefix' and is_bullet: # sys.stderr.write('%s\n' % att2) bullet_text += value2 else: self.__list_table_final += f'<{att2}>{value2}' if is_bullet: pass # self.__list_table_final += '<bullet-type>%s' % (bullet_text) self.__list_table_final += '\n' self.__list_table_final += 'mi<tg<close_____<list-in-table\n' self.__list_table_final += \ 'mi<mk<listab-end\n' + 'mi<tg<close_____<list-table\n' self.__list_table_final += 'mi<mk<listabend_\n' def parse_list_table(self, line): """ Requires: line -- line with border definition in it Returns: A string and the dictionary of list-table values and attributes. Logic: Call on the __parse_lines method, which splits the text string into lines (which will be tokens) and processes them. """ self.__parse_lines(line) return self.__list_table_final, self.__all_lists
18,220
Python
.py
426
30.85446
91
0.487455
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,301
pict.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/pict.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### import os import sys from calibre.ebooks.rtf2xml import copy from calibre.ptempfile import better_mktemp from . import open_for_read, open_for_write class Pict: """Process graphic information""" def __init__(self, in_file, bug_handler, out_file, copy=None, orig_file=None, run_level=1, ): self.__file = in_file self.__bug_handler = bug_handler self.__copy = copy self.__run_level = run_level self.__write_to = better_mktemp() self.__bracket_count = 0 self.__ob_count = 0 self.__cb_count = 0 self.__pict_count = 0 self.__in_pict = False self.__already_found_pict = False self.__orig_file = orig_file self.__initiate_pict_dict() self.__out_file = out_file def __initiate_pict_dict(self): self.__pict_dict = { 'ob<nu<open-brack' : self.__open_br_func, 'cb<nu<clos-brack' : self.__close_br_func, 'tx<nu<__________' : self.__text_func, } def __open_br_func(self, line): return "{\n" def __close_br_func(self, line): return "}\n" def __text_func(self, line): # tx<nu<__________<true text return line[17:] def __make_dir(self): """ Make a directory to put the image data in""" base_name = os.path.basename(getattr(self.__orig_file, 'name', self.__orig_file)) base_name = os.path.splitext(base_name)[0] if self.__out_file: dir_name = os.path.dirname(getattr(self.__out_file, 'name', self.__out_file)) else: dir_name = os.path.dirname(self.__orig_file) self.__dir_name = base_name + "_rtf_pict_dir/" self.__dir_name = os.path.join(dir_name, self.__dir_name) if not os.path.isdir(self.__dir_name): try: os.mkdir(self.__dir_name) except OSError as msg: msg = f"{str(msg)}Couldn't make directory '{self.__dir_name}':\n" raise self.__bug_handler else: if self.__run_level > 1: sys.stderr.write('Removing files from old pict directory...\n') all_files = os.listdir(self.__dir_name) for the_file in all_files: the_file = os.path.join(self.__dir_name, the_file) try: os.remove(the_file) except OSError: pass if self.__run_level > 1: sys.stderr.write('Files removed.\n') def __create_pict_file(self): """Create a file for all the pict data to be written to. """ self.__pict_file = os.path.join(self.__dir_name, 'picts.rtf') self.__write_pic_obj = open_for_write(self.__pict_file, append=True) def __in_pict_func(self, line): if self.__cb_count == self.__pict_br_count: self.__in_pict = False self.__write_pic_obj.write("}\n") return True else: action = self.__pict_dict.get(self.__token_info) if action: self.__write_pic_obj.write(action(line)) return False def __default(self, line, write_obj): """Determine if each token marks the beginning of pict data. If it does, create a new file to write data to (if that file has not already been created.) Set the self.__in_pict flag to true. If the line does not contain pict data, return 1 """ """ $pict_count++; $pict_count = sprintf("%03d", $pict_count); print OUTPUT "dv<xx<em<nu<pict<at<num>$pict_count\n"; """ if self.__token_info == 'cw<gr<picture___': self.__pict_count += 1 # write_obj.write("mi<tg<em<at<pict<num>%03d\n" % self.__pict_count) write_obj.write('mi<mk<pict-start\n') write_obj.write('mi<tg<empty-att_<pict<num>%03d\n' % self.__pict_count) write_obj.write('mi<mk<pict-end__\n') if not self.__already_found_pict: self.__create_pict_file() self.__already_found_pict=True self.__print_rtf_header() self.__in_pict = 1 self.__pict_br_count = self.__ob_count self.__cb_count = 0 self.__write_pic_obj.write("{\\pict\n") return False return True def __print_rtf_header(self): """Print to pict file the necessary RTF data for the file to be recognized as an RTF file. """ self.__write_pic_obj.write("{\\rtf1 \n{\\fonttbl\\f0\\null;} \n") self.__write_pic_obj.write("{\\colortbl\\red255\\green255\\blue255;} \n\\pard \n") def process_pict(self): self.__make_dir() with open_for_read(self.__file) as read_obj: with open_for_write(self.__write_to) as write_obj: for line in read_obj: self.__token_info = line[:16] if self.__token_info == 'ob<nu<open-brack': self.__ob_count = line[-5:-1] if self.__token_info == 'cb<nu<clos-brack': self.__cb_count = line[-5:-1] if not self.__in_pict: to_print = self.__default(line, write_obj) if to_print : write_obj.write(line) else: to_print = self.__in_pict_func(line) if to_print : write_obj.write(line) if self.__already_found_pict: self.__write_pic_obj.write("}\n") self.__write_pic_obj.close() copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to, "pict.data") try: copy_obj.copy_file(self.__pict_file, "pict.rtf") except: pass copy_obj.rename(self.__write_to, self.__file) os.remove(self.__write_to) if self.__pict_count == 0: try: os.rmdir(self.__dir_name) except OSError: pass
7,220
Python
.py
167
32.017964
90
0.477767
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,302
footnote.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/footnote.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### import os from calibre.ebooks.rtf2xml import copy from calibre.ptempfile import better_mktemp from . import open_for_read, open_for_write class Footnote: """ Two public methods are available. The first separates all of the footnotes from the body and puts them at the bottom of the text, where they are easier to process. The second joins those footnotes to the proper places in the body. """ def __init__(self, in_file , bug_handler, copy=None, run_level=1, ): self.__file = in_file self.__bug_handler = bug_handler self.__copy = copy self.__write_to = better_mktemp() self.__found_a_footnote = 0 def __first_line_func(self, line): """ Print the tag info for footnotes. Check whether footnote is an endnote and make the tag according to that. """ if self.__token_info == 'cw<nt<type______': self.__write_to_foot_obj.write( 'mi<tg<open-att__<footnote<type>endnote<num>%s\n' % self.__footnote_count) else: self.__write_to_foot_obj.write( 'mi<tg<open-att__<footnote<num>%s\n' % self.__footnote_count) self.__first_line = 0 def __in_footnote_func(self, line): """Handle all tokens that are part of footnote""" if self.__first_line: self.__first_line_func(line) if self.__token_info == 'cw<ci<footnot-mk': num = str(self.__footnote_count) self.__write_to_foot_obj.write(line) self.__write_to_foot_obj.write( 'tx<nu<__________<%s\n' % num ) if self.__cb_count == self.__footnote_bracket_count: self.__in_footnote = 0 self.__write_obj.write(line) self.__write_to_foot_obj.write( 'mi<mk<foot___clo\n') self.__write_to_foot_obj.write( 'mi<tg<close_____<footnote\n') self.__write_to_foot_obj.write( 'mi<mk<footnt-clo\n') else: self.__write_to_foot_obj.write(line) def __found_footnote(self, line): """ Found a footnote""" self.__found_a_footnote = 1 self.__in_footnote = 1 self.__first_line = 1 self.__footnote_count += 1 # temporarily set this to zero so I can enter loop self.__cb_count = 0 self.__footnote_bracket_count = self.__ob_count self.__write_obj.write( 'mi<mk<footnt-ind<%04d\n' % self.__footnote_count) self.__write_to_foot_obj.write( 'mi<mk<footnt-ope<%04d\n' % self.__footnote_count) def __default_sep(self, line): """Handle all tokens that are not footnote tokens""" if self.__token_info == 'cw<nt<footnote__': self.__found_footnote(line) self.__write_obj.write(line) if self.__token_info == 'cw<ci<footnot-mk': num = str(self.__footnote_count + 1) self.__write_obj.write( 'tx<nu<__________<%s\n' % num ) def __initiate_sep_values(self): """ initiate counters for separate_footnotes method. """ self.__bracket_count=0 self.__ob_count = 0 self.__cb_count = 0 self.__footnote_bracket_count = 0 self.__in_footnote = 0 self.__first_line = 0 # have not processed the first line of footnote self.__footnote_count = 0 def separate_footnotes(self): """ Separate all the footnotes in an RTF file and put them at the bottom, where they are easier to process. Each time a footnote is found, print all of its contents to a temporary file. Close both the main and temporary file. Print the footnotes from the temporary file to the bottom of the main file. """ self.__initiate_sep_values() self.__footnote_holder = better_mktemp() with open_for_read(self.__file) as read_obj: with open_for_write(self.__write_to) as self.__write_obj: with open_for_write(self.__footnote_holder) as self.__write_to_foot_obj: for line in read_obj: self.__token_info = line[:16] # keep track of opening and closing brackets if self.__token_info == 'ob<nu<open-brack': self.__ob_count = line[-5:-1] if self.__token_info == 'cb<nu<clos-brack': self.__cb_count = line[-5:-1] # In the middle of footnote text if self.__in_footnote: self.__in_footnote_func(line) # not in the middle of footnote text else: self.__default_sep(line) with open_for_read(self.__footnote_holder) as read_obj: with open_for_write(self.__write_to, append=True) as write_obj: write_obj.write( 'mi<mk<sect-close\n' 'mi<mk<body-close\n' 'mi<tg<close_____<section\n' 'mi<tg<close_____<body\n' 'mi<tg<close_____<doc\n' 'mi<mk<footnt-beg\n') for line in read_obj: write_obj.write(line) write_obj.write( 'mi<mk<footnt-end\n') os.remove(self.__footnote_holder) copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to, "footnote_separate.data") copy_obj.rename(self.__write_to, self.__file) os.remove(self.__write_to) def update_info(self, file, copy): """ Unused method """ self.__file = file self.__copy = copy def __get_foot_body_func(self, line): """ Process lines in main body and look for beginning of footnotes. """ # mi<mk<footnt-end if self.__token_info == 'mi<mk<footnt-beg': self.__state = 'foot' else: self.__write_obj.write(line) def __get_foot_foot_func(self, line): """ Copy footnotes from bottom of file to a separate, temporary file. """ if self.__token_info == 'mi<mk<footnt-end': self.__state = 'body' else: self.__write_to_foot_obj.write(line) def __get_footnotes(self): """ Private method to remove footnotes from main file. Read one line from the main file at a time. If the state is 'body', call on the private __get_foot_foot_func. Otherwise, call on the __get_foot_body_func. These two functions do the work of separating the footnotes form the body. """ with open_for_read(self.__file) as read_obj: with open_for_write(self.__write_to) as self.__write_obj: with open_for_write(self.__footnote_holder) as self.__write_to_foot_obj: for line in read_obj: self.__token_info = line[:16] if self.__state == 'body': self.__get_foot_body_func(line) elif self.__state == 'foot': self.__get_foot_foot_func(line) def __get_foot_from_temp(self, num): """ Private method for joining footnotes to body. This method reads from the temporary file until the proper footnote marker is found. It collects all the tokens until the end of the footnote, and returns them as a string. """ look_for = 'mi<mk<footnt-ope<' + num + '\n' found_foot = 0 string_to_return = '' for line in self.__read_from_foot_obj: if found_foot: if line == 'mi<mk<footnt-clo\n': return string_to_return string_to_return = string_to_return + line else: if line == look_for: found_foot = 1 def __join_from_temp(self): """ Private method for rejoining footnotes to body. Read from the newly-created, temporary file that contains the body text but no footnotes. Each time a footnote marker is found, call the private method __get_foot_from_temp(). This method will return a string to print out to the third file. If no footnote marker is found, simply print out the token (line). """ with open_for_read(self.__footnote_holder) as self.__read_from_foot_obj: with open_for_read(self.__write_to) as read_obj: with open_for_write(self.__write_to2) as self.__write_obj: for line in read_obj: if line[:16] == 'mi<mk<footnt-ind': line = self.__get_foot_from_temp(line[17:-1]) self.__write_obj.write(line) def join_footnotes(self): """ Join the footnotes from the bottom of the file and put them in their former places. First, remove the footnotes from the bottom of the input file, outputting them to a temporary file. This creates two new files, one without footnotes, and one of just footnotes. Open both these files to read. When a marker is found in the main file, find the corresponding marker in the footnote file. Output the mix of body and footnotes to a third file. """ if not self.__found_a_footnote: return self.__write_to2 = better_mktemp() self.__state = 'body' self.__get_footnotes() self.__join_from_temp() # self.__write_obj.close() # self.__read_from_foot_obj.close() copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to2, "footnote_joined.data") copy_obj.rename(self.__write_to2, self.__file) os.remove(self.__write_to2) os.remove(self.__footnote_holder)
11,073
Python
.py
244
34.127049
88
0.524188
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,303
preamble_div.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/preamble_div.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### import os import sys from calibre.ebooks.rtf2xml import copy, list_table, override_table from calibre.ptempfile import better_mktemp from . import open_for_read, open_for_write class PreambleDiv: """ Break the preamble into divisions. """ def __init__(self, in_file, bug_handler, copy=None, no_namespace=None, run_level=1, ): """ Required: 'file' Optional: 'copy'-- whether to make a copy of result for debugging 'temp_dir' --where to output temporary results (default is directory from which the script is run.) Returns: nothing """ self.__file = in_file self.__bug_handler = bug_handler self.__copy = copy self.__no_namespace = no_namespace self.__write_to = better_mktemp() self.__run_level = run_level def __initiate_values(self): """ Set values, including those for the dictionary. """ self.__all_lists = {} self.__page = { 'margin-top' : 72, 'margin-bottom' : 72, 'margin-left' : 90, 'margin-right' : 90, 'gutter' : 0, } self.__cb_count = '' self.__ob_count = '' self.__state = 'preamble' self.__rtf_final = '' self.__close_group_count = '' self.__found_font_table = 0 self.__list_table_final = '' self.__override_table_final = '' self.__revision_table_final = '' self.__doc_info_table_final = '' self.__state_dict = { 'default' : self.__default_func, 'rtf_header' : self.__rtf_head_func, 'preamble' : self.__preamble_func, 'font_table' : self.__font_table_func, 'color_table' : self.__color_table_func, 'style_sheet' : self.__style_sheet_func, 'list_table' : self.__list_table_func, 'override_table' : self.__override_table_func, 'revision_table' : self.__revision_table_func, 'doc_info' : self.__doc_info_func, 'body' : self.__body_func, 'ignore' : self.__ignore_func, 'cw<ri<rtf_______' : self.__found_rtf_head_func, 'cw<pf<par-def___' : self.__para_def_func, 'tx<nu<__________' : self.__text_func, 'cw<tb<row-def___' : self.__row_def_func, 'cw<sc<section___' : self.__new_section_func, 'cw<sc<sect-defin' : self.__new_section_func, 'cw<it<font-table' : self.__found_font_table_func, 'cw<it<colr-table' : self.__found_color_table_func, 'cw<ss<style-shet' : self.__found_style_sheet_func, 'cw<it<listtable_' : self.__found_list_table_func, 'cw<it<lovr-table' : self.__found_override_table_func, 'cw<it<revi-table' : self.__found_revision_table_func, 'cw<di<doc-info__' : self.__found_doc_info_func, 'cw<pa<margin-lef' : self.__margin_func, 'cw<pa<margin-rig' : self.__margin_func, 'cw<pa<margin-top' : self.__margin_func, 'cw<pa<margin-bot' : self.__margin_func, 'cw<pa<gutter____' : self.__margin_func, 'cw<pa<paper-widt' : self.__margin_func, 'cw<pa<paper-hght' : self.__margin_func, # 'cw<tb<columns___' : self.__section_func, } self.__margin_dict = { 'margin-lef' : 'margin-left', 'margin-rig' : 'margin-right', 'margin-top' : 'margin-top', 'margin-bot' : 'margin-bottom', 'gutter____' : 'gutter', 'paper-widt' : 'paper-width', 'paper-hght' : 'paper-height', } self.__translate_sec = { 'columns___' : 'column', } self.__section = {} # self.__write_obj.write(self.__color_table_final) self.__color_table_final = '' self.__style_sheet_final = '' self.__individual_font = 0 self.__old_font = 0 self.__ob_group = 0 # depth of group self.__font_table_final = 0 self.__list_table_obj = list_table.ListTable( run_level=self.__run_level, bug_handler=self.__bug_handler, ) def __ignore_func(self, line): """ Ignore all lines, until the bracket is found that marks the end of the group. """ if self.__ignore_num == self.__cb_count: self.__state = self.__previous_state def __found_rtf_head_func(self, line): self.__state = 'rtf_header' def __rtf_head_func(self, line): if self.__ob_count == '0002': self.__rtf_final = ( 'mi<mk<rtfhed-beg\n' + self.__rtf_final + 'mi<mk<rtfhed-end\n' ) self.__state = 'preamble' elif self.__token_info == 'tx<nu<__________' or \ self.__token_info == 'cw<pf<par-def___': self.__state = 'body' self.__rtf_final = ( 'mi<mk<rtfhed-beg\n' + self.__rtf_final + 'mi<mk<rtfhed-end\n' ) self.__make_default_font_table() self.__write_preamble() self.__write_obj.write(line) else: self.__rtf_final = self.__rtf_final + line def __make_default_font_table(self): """ If not font table is found, need to write one out. """ self.__font_table_final = 'mi<tg<open______<font-table\n' self.__font_table_final += 'mi<mk<fonttb-beg\n' self.__font_table_final += 'mi<mk<fontit-beg\n' self.__font_table_final += 'cw<ci<font-style<nu<0\n' self.__font_table_final += 'tx<nu<__________<Times;\n' self.__font_table_final += 'mi<mk<fontit-end\n' self.__font_table_final += 'mi<mk<fonttb-end\n' self.__font_table_final += 'mi<tg<close_____<font-table\n' def __make_default_color_table(self): """ If no color table is found, write a string for a default one """ self.__color_table_final = 'mi<tg<open______<color-table\n' self.__color_table_final += 'mi<mk<clrtbl-beg\n' self.__color_table_final += 'cw<ci<red_______<nu<00\n' self.__color_table_final += 'cw<ci<green_____<nu<00\n' self.__color_table_final += 'cw<ci<blue______<en<00\n' self.__color_table_final += 'mi<mk<clrtbl-end\n' self.__color_table_final += 'mi<tg<close_____<color-table\n' def __make_default_style_table(self): """ If not font table is found, make a string for a default one """ """ self.__style_sheet_final = 'mi<tg<open______<style-table\n' self.__style_sheet_final += self.__style_sheet_final += self.__style_sheet_final += self.__style_sheet_final += self.__style_sheet_final += self.__style_sheet_final += 'mi<tg<close_____<style-table\n' """ self.__style_sheet_final = """mi<tg<open______<style-table mi<mk<styles-beg mi<mk<stylei-beg cw<ci<font-style<nu<0 tx<nu<__________<Normal; mi<mk<stylei-end mi<mk<stylei-beg cw<ss<char-style<nu<0 tx<nu<__________<Default Paragraph Font; mi<mk<stylei-end mi<mk<styles-end mi<tg<close_____<style-table """ def __found_font_table_func(self, line): if self.__found_font_table: self.__state = 'ignore' else: self.__state = 'font_table' self.__font_table_final = '' self.__close_group_count = self.__ob_count self.__cb_count = 0 self.__found_font_table = 1 def __font_table_func(self, line): """ Keep adding to the self.__individual_font string until end of group found. If a bracket is found, check that it is only one bracket deep. If it is, then set the marker for an individual font. If it is not, then ignore all data in this group. cw<ci<font-style<nu<0 """ if self.__cb_count == self.__close_group_count: self.__state = 'preamble' self.__font_table_final = 'mi<tg<open______<font-table\n' + \ 'mi<mk<fonttb-beg\n' + self.__font_table_final self.__font_table_final += \ 'mi<mk<fonttb-end\n' + 'mi<tg<close_____<font-table\n' elif self.__token_info == 'ob<nu<open-brack': if int(self.__ob_count) == int(self.__close_group_count) + 1: self.__font_table_final += \ 'mi<mk<fontit-beg\n' self.__individual_font = 1 else: # ignore self.__previous_state = 'font_table' self.__state = 'ignore' self.__ignore_num = self.__ob_count elif self.__token_info == 'cb<nu<clos-brack': if int(self.__cb_count) == int(self.__close_group_count) + 1: self.__individual_font = 0 self.__font_table_final += \ 'mi<mk<fontit-end\n' elif self.__individual_font: if self.__old_font and self.__token_info == 'tx<nu<__________': if ';' in line: self.__font_table_final += line self.__font_table_final += 'mi<mk<fontit-end\n' self.__individual_font = 0 else: self.__font_table_final += line elif self.__token_info == 'cw<ci<font-style': self.__old_font = 1 self.__individual_font = 1 self.__font_table_final += 'mi<mk<fontit-beg\n' self.__font_table_final += line def __old_font_func(self, line): """ Required: line --line to parse Returns: nothing Logic: used for older forms of RTF: \f3\fswiss\fcharset77 Helvetica-Oblique;\f4\fnil\fcharset77 Geneva;} Note how each font is not divided by a bracket """ def __found_color_table_func(self, line): """ all functions that start with __found operate the same. They set the state, initiate a string, determine the self.__close_group_count, and set self.__cb_count to zero. """ self.__state = 'color_table' self.__color_table_final = '' self.__close_group_count = self.__ob_count self.__cb_count = 0 def __color_table_func(self, line): if int(self.__cb_count) == int(self.__close_group_count): self.__state = 'preamble' self.__color_table_final = 'mi<tg<open______<color-table\n' + \ 'mi<mk<clrtbl-beg\n' + self.__color_table_final self.__color_table_final += \ 'mi<mk<clrtbl-end\n' + 'mi<tg<close_____<color-table\n' else: self.__color_table_final += line def __found_style_sheet_func(self, line): self.__state = 'style_sheet' self.__style_sheet_final = '' self.__close_group_count = self.__ob_count self.__cb_count = 0 def __style_sheet_func(self, line): """ Same logic as the font_table_func. """ if self.__cb_count == self.__close_group_count: self.__state = 'preamble' self.__style_sheet_final = 'mi<tg<open______<style-table\n' + \ 'mi<mk<styles-beg\n' + self.__style_sheet_final self.__style_sheet_final += \ 'mi<mk<styles-end\n' + 'mi<tg<close_____<style-table\n' elif self.__token_info == 'ob<nu<open-brack': if int(self.__ob_count) == int(self.__close_group_count) + 1: self.__style_sheet_final += \ 'mi<mk<stylei-beg\n' elif self.__token_info == 'cb<nu<clos-brack': if int(self.__cb_count) == int(self.__close_group_count) + 1: self.__style_sheet_final += \ 'mi<mk<stylei-end\n' else: self.__style_sheet_final += line def __found_list_table_func(self, line): self.__state = 'list_table' self.__list_table_final = '' self.__close_group_count = self.__ob_count self.__cb_count = 0 def __list_table_func(self, line): if self.__cb_count == self.__close_group_count: self.__state = 'preamble' self.__list_table_final, self.__all_lists =\ self.__list_table_obj.parse_list_table( self.__list_table_final) # sys.stderr.write(repr(all_lists)) elif self.__token_info == '': pass else: self.__list_table_final += line pass def __found_override_table_func(self, line): self.__override_table_obj = override_table.OverrideTable( run_level=self.__run_level, list_of_lists=self.__all_lists, ) self.__state = 'override_table' self.__override_table_final = '' self.__close_group_count = self.__ob_count self.__cb_count = 0 # cw<it<lovr-table def __override_table_func(self, line): if self.__cb_count == self.__close_group_count: self.__state = 'preamble' self.__override_table_final, self.__all_lists =\ self.__override_table_obj.parse_override_table(self.__override_table_final) elif self.__token_info == '': pass else: self.__override_table_final += line def __found_revision_table_func(self, line): self.__state = 'revision_table' self.__revision_table_final = '' self.__close_group_count = self.__ob_count self.__cb_count = 0 def __revision_table_func(self, line): if int(self.__cb_count) == int(self.__close_group_count): self.__state = 'preamble' self.__revision_table_final = 'mi<tg<open______<revision-table\n' + \ 'mi<mk<revtbl-beg\n' + self.__revision_table_final self.__revision_table_final += \ 'mi<mk<revtbl-end\n' + 'mi<tg<close_____<revision-table\n' else: self.__revision_table_final += line def __found_doc_info_func(self, line): self.__state = 'doc_info' self.__doc_info_table_final = '' self.__close_group_count = self.__ob_count self.__cb_count = 0 def __doc_info_func(self, line): if self.__cb_count == self.__close_group_count: self.__state = 'preamble' self.__doc_info_table_final = 'mi<tg<open______<doc-information\n' + \ 'mi<mk<doc-in-beg\n' + self.__doc_info_table_final self.__doc_info_table_final += \ 'mi<mk<doc-in-end\n' + 'mi<tg<close_____<doc-information\n' elif self.__token_info == 'ob<nu<open-brack': if int(self.__ob_count) == int(self.__close_group_count) + 1: self.__doc_info_table_final += \ 'mi<mk<docinf-beg\n' elif self.__token_info == 'cb<nu<clos-brack': if int(self.__cb_count) == int(self.__close_group_count) + 1: self.__doc_info_table_final += \ 'mi<mk<docinf-end\n' else: self.__doc_info_table_final += line def __margin_func(self, line): """ Handles lines that describe page info. Add the appropriate info in the token to the self.__margin_dict dictionary. """ info = line[6:16] changed = self.__margin_dict.get(info) if changed is None: print('woops!') else: self.__page[changed] = line[20:-1] # cw<pa<margin-lef<nu<1728 def __print_page_info(self): self.__write_obj.write('mi<tg<empty-att_<page-definition') for key in self.__page.keys(): self.__write_obj.write( f'<{key}>{self.__page[key]}' ) self.__write_obj.write('\n') # mi<tg<open-att__<footn def __print_sec_info(self): """ Check if there is any section info. If so, print it out. If not, print out an empty tag to satisfy the dtd. """ if len(self.__section.keys()) == 0: self.__write_obj.write( 'mi<tg<open______<section-definition\n' ) else: self.__write_obj.write( 'mi<tg<open-att__<section-definition') keys = self.__section.keys() for key in keys: self.__write_obj.write( '<%s>%s' % (key, self.__section[key]) ) self.__write_obj.write('\n') def __section_func(self, line): """ Add info pertaining to section to the self.__section dictionary, to be printed out later. """ info = self.__translate_sec.get(line[6:16]) if info is None: sys.stderr.write('woops!\n') else: self.__section[info] = 'true' def __body_func(self, line): self.__write_obj.write(line) def __default_func(self, line): # either in preamble or in body pass def __para_def_func(self, line): # if self.__ob_group == 1 # this tells dept of group if self.__cb_count == '0002': self.__state = 'body' self.__write_preamble() self.__write_obj.write(line) def __text_func(self, line): """ If the cb_count is less than 1, you have hit the body For older RTF Newer RTF should never have to use this function """ if self.__cb_count == '': cb_count = '0002' else: cb_count = self.__cb_count # ignore previous lines # should be # if self.__ob_group == 1 # this tells dept of group if cb_count == '0002': self.__state = 'body' self.__write_preamble() self.__write_obj.write(line) def __row_def_func(self, line): # if self.__ob_group == 1 # this tells dept of group if self.__cb_count == '0002': self.__state = 'body' self.__write_preamble() self.__write_obj.write(line) def __new_section_func(self, line): """ This is new. The start of a section marks the end of the preamble """ if self.__cb_count == '0002': self.__state = 'body' self.__write_preamble() else: sys.stderr.write('module is preamble_div\n') sys.stderr.write('method is __new_section_func\n') sys.stderr.write('bracket count should be 2?\n') self.__write_obj.write(line) def __write_preamble(self): """ Write all the strings, which represent all the data in the preamble. Write a body and section beginning. """ if self.__no_namespace: self.__write_obj.write( 'mi<tg<open______<doc\n' ) else: self.__write_obj.write( 'mi<tg<open-att__<doc<xmlns>http://rtf2xml.sourceforge.net/\n') self.__write_obj.write('mi<tg<open______<preamble\n') self.__write_obj.write(self.__rtf_final) if not self.__color_table_final: self.__make_default_color_table() if not self.__font_table_final: self.__make_default_font_table() self.__write_obj.write(self.__font_table_final) self.__write_obj.write(self.__color_table_final) if not self.__style_sheet_final: self.__make_default_style_table() self.__write_obj.write(self.__style_sheet_final) self.__write_obj.write(self.__list_table_final) self.__write_obj.write(self.__override_table_final) self.__write_obj.write(self.__revision_table_final) self.__write_obj.write(self.__doc_info_table_final) self.__print_page_info() self.__write_obj.write('ob<nu<open-brack<0001\n') self.__write_obj.write('ob<nu<open-brack<0002\n') self.__write_obj.write('cb<nu<clos-brack<0002\n') self.__write_obj.write('mi<tg<close_____<preamble\n') self.__write_obj.write('mi<tg<open______<body\n') # self.__write_obj.write('mi<tg<open-att__<section<num>1\n') # self.__print_sec_info() # self.__write_obj.write('mi<tg<open______<headers-and-footers\n') # self.__write_obj.write('mi<mk<head_foot_<\n') # self.__write_obj.write('mi<tg<close_____<headers-and-footers\n') self.__write_obj.write('mi<mk<body-open_\n') def __preamble_func(self, line): """ Check if the token info belongs to the dictionary. If so, take the appropriate action. """ action = self.__state_dict.get(self.__token_info) if action: action(line) def make_preamble_divisions(self): self.__initiate_values() read_obj = open_for_read(self.__file) self.__write_obj = open_for_write(self.__write_to) line_to_read = 1 while line_to_read: line_to_read = read_obj.readline() line = line_to_read self.__token_info = line[:16] if self.__token_info == 'ob<nu<open-brack': self.__ob_count = line[-5:-1] self.__ob_group += 1 if self.__token_info == 'cb<nu<clos-brack': self.__cb_count = line[-5:-1] self.__ob_group -= 1 action = self.__state_dict.get(self.__state) if action is None: print(self.__state) action(line) read_obj.close() self.__write_obj.close() copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to, "preamble_div.data") copy_obj.rename(self.__write_to, self.__file) os.remove(self.__write_to) return self.__all_lists
23,011
Python
.py
552
31.751812
91
0.51443
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,304
options_trem.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/options_trem.py
import sys class ParseOptions: """ Requires: system_string --The string from the command line options_dict -- a dictionary with the key equal to the opition, and a list describing that option. (See below) Returns: A tuple. The first item in the tuple is a dictionary containing the arguments for each options. The second is a list of the arguments. If invalid options are passed to the module, 0,0 is returned. Examples: Your script has the option '--indents', and '--output=file'. You want to give short option names as well: --i and -o=file Use this: options_dict = {'output': [1, 'o'], 'indents': [0, 'i'] } options_obj = ParseOptions( system_string = sys.argv, options_dict = options_dict ) options, arguments = options_obj.parse_options() print options print arguments The result will be: {indents:None, output:'/home/paul/file'}, ['/home/paul/input'] """ def __init__(self, system_string, options_dict): self.__system_string = system_string[1:] long_list = self.__make_long_list_func(options_dict) # # print long_list short_list = self.__make_short_list_func(options_dict) # # print short_list self.__legal_options = long_list + short_list # # print self.__legal_options self.__short_long_dict = self.__make_short_long_dict_func(options_dict) # # print self.__short_long_dict self.__opt_with_args = self.__make_options_with_arg_list(options_dict) # # print self.__opt_with_args self.__options_okay = 1 def __make_long_list_func(self, options_dict): """ Required: options_dict -- the dictionary mapping options to a list Returns: a list of legal options """ legal_list = [] keys = options_dict.keys() for key in keys: key = '--' + key legal_list.append(key) return legal_list def __make_short_list_func(self, options_dict): """ Required: options_dict --the dictionary mapping options to a list Returns: a list of legal short options """ legal_list = [] keys = options_dict.keys() for key in keys: values = options_dict[key] try: legal_list.append('-' + values[1]) except IndexError: pass return legal_list def __make_short_long_dict_func(self, options_dict): """ Required: options_dict --the dictionary mapping options to a list Returns: a dictionary with keys of short options and values of long options Logic: read through the options dictionary and pair short options with long options """ short_long_dict = {} keys = options_dict.keys() for key in keys: values = options_dict[key] try: short = '-' + values[1] long = '--' + key short_long_dict[short] = long except IndexError: pass return short_long_dict def __make_options_with_arg_list(self, options_dict): """ Required: options_dict --the dictionary mapping options to a list Returns: a list of options that take arguments. """ opt_with_arg = [] keys = options_dict.keys() for key in keys: values = options_dict[key] try: if values[0]: opt_with_arg.append('--' + key) except IndexError: pass return opt_with_arg def __sub_short_with_long(self): """ Required: nothing Returns: a new system string Logic: iterate through the system string and replace short options with long options """ new_string = [] sub_list = self.__short_long_dict.keys() for item in self.__system_string: if item in sub_list: item = self.__short_long_dict[item] new_string.append(item) return new_string def __pair_arg_with_option(self): """ Required: nothing Returns nothing (changes value of self.__system_string) Logic: iterate through the system string, and match arguments with options: old_list = ['--foo', 'bar'] new_list = ['--foo=bar' """ opt_len = len(self.__system_string) new_system_string = [] counter = 0 slurp_value = 0 for arg in self.__system_string: # previous value was an option with an argument, so this arg is # actually an argument that has already been added counter += 1 if slurp_value: slurp_value = 0 continue # not an option--an argument if arg[0] != '-': new_system_string.append(arg) # option and argument already paired elif '=' in arg: new_system_string .append(arg) else: # this option takes an argument if arg in self.__opt_with_args: # option is the last in the list if counter + 1 > opt_len: sys.stderr.write('option "%s" must take an argument\n' % arg) new_system_string.append(arg) self.__options_okay = 0 else: # the next item in list is also an option if self.__system_string[counter][0] == '-': sys.stderr.write('option "%s" must take an argument\n' % arg) new_system_string.append(arg) self.__options_okay = 0 # the next item in the list is the argument else: new_system_string.append(arg + '=' + self.__system_string[counter]) slurp_value = 1 # this option does not take an argument else: new_system_string.append(arg) return new_system_string def __get_just_options(self): """ Requires: nothing Returns: list of options Logic: Iterate through the self.__system string, looking for the last option. The options are everything in the system string before the last option. Check to see that the options contain no arguments. """ highest = 0 counter = 0 found_options = 0 for item in self.__system_string: if item[0] == '-': highest = counter found_options = 1 counter += 1 if found_options: just_options = self.__system_string[:highest + 1] arguments = self.__system_string[highest + 1:] else: just_options = [] arguments = self.__system_string if found_options: for item in just_options: if item[0] != '-': sys.stderr.write('%s is an argument in an option list\n' % item) self.__options_okay = 0 return just_options, arguments def __is_legal_option_func(self): """ Requires: nothing Returns: nothing Logic: Check each value in the newly creatd options list to see if it matches what the user describes as a legal option. """ illegal_options = [] for arg in self.__system_string: if '=' in arg: temp_list = arg.split('=') arg = temp_list[0] if arg not in self.__legal_options and arg[0] == '-': illegal_options.append(arg) if illegal_options: self.__options_okay = 0 sys.stderr.write('The following options are not permitted:\n') for not_legal in illegal_options: sys.stderr.write('%s\n' % not_legal) def __make_options_dict(self, options): options_dict = {} for item in options: if '=' in item: option, arg = item.split('=') else: option = item arg = None if option[0] == '-': option = option[1:] if option[0] == '-': option = option[1:] options_dict[option] = arg return options_dict def parse_options(self): self.__system_string = self.__sub_short_with_long() # # print 'subbed list is %s' % self.__system_string self.__system_string = self.__pair_arg_with_option() # # print 'list with pairing is %s' % self.__system_string options, arguments = self.__get_just_options() # # print 'options are %s ' % options # # print 'arguments are %s ' % arguments self.__is_legal_option_func() if self.__options_okay: options_dict = self.__make_options_dict(options) # # print options_dict return options_dict, arguments else: return 0,0 if __name__ == '__main__': this_dict = { 'indents': [0, 'i'], 'output': [1, 'o'], 'test3': [1, 't'], } test_obj = ParseOptions(system_string=sys.argv, options_dict=this_dict ) options, the_args = test_obj.parse_options() print(options, the_args) """ this_options = ['--foo', '-o'] this_opt_with_args = ['--foo'] """
10,294
Python
.py
273
25.117216
95
0.505697
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,305
old_rtf.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/old_rtf.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### import sys from . import open_for_read class OldRtf: """ Check to see if the RTF is an older version Logic: If allowable control word/properties happen in text without being enclosed in brackets the file will be considered old rtf """ def __init__(self, in_file, bug_handler, run_level, ): """ Required: 'file'--file to parse 'table_data' -- a dictionary for each table. Optional: 'copy'-- whether to make a copy of result for debugging 'temp_dir' --where to output temporary results (default is directory from which the script is run.) Returns: nothing """ self.__file = in_file self.__bug_handler = bug_handler self.__run_level = run_level self.__allowable = [ 'annotation' , 'blue______' , 'bold______', 'caps______', 'char-style' , 'dbl-strike' , 'emboss____', 'engrave___' , 'font-color', 'font-down_' , 'font-size_', 'font-style', 'font-up___', 'footnot-mk' , 'green_____' , 'hidden____', 'italics___', 'outline___', 'red_______', 'shadow____' , 'small-caps', 'strike-thr', 'subscript_', 'superscrip' , 'underlined' , ] self.__action_dict = { 'before_body' : self.__before_body_func, 'in_body' : self.__check_tokens_func, 'after_pard' : self.__after_pard_func, } def __initiate_values(self): self.__previous_token = '' self.__state = 'before_body' self.__found_new = 0 self.__ob_group = 0 def __check_tokens_func(self, line): if self.__inline_info in self.__allowable: if self.__ob_group == self.__base_ob_count: return 'old_rtf' else: self.__found_new += 1 elif self.__token_info == 'cw<pf<par-def___': self.__state = 'after_pard' def __before_body_func(self, line): if self.__token_info == 'mi<mk<body-open_': self.__state = 'in_body' self.__base_ob_count = self.__ob_group def __after_pard_func(self, line): if line[0:2] != 'cw': self.__state = 'in_body' def check_if_old_rtf(self): """ Requires: nothing Returns: True if file is older RTf False if file is newer RTF """ self.__initiate_values() line_num = 0 with open_for_read(self.__file) as read_obj: for line in read_obj: line_num += 1 self.__token_info = line[:16] if self.__token_info == 'mi<mk<body-close': return False if self.__token_info == 'ob<nu<open-brack': self.__ob_group += 1 self.__ob_count = line[-5:-1] if self.__token_info == 'cb<nu<clos-brack': self.__ob_group -= 1 self.__cb_count = line[-5:-1] self.__inline_info = line[6:16] if self.__state == 'after_body': return False action = self.__action_dict.get(self.__state) if action is None: try: sys.stderr.write('No action for this state!\n') except: pass result = action(line) if result == 'new_rtf': return False elif result == 'old_rtf': if self.__run_level > 3: sys.stderr.write( 'Old rtf construction {} (bracket {}, line {})\n'.format( self.__inline_info, str(self.__ob_group), line_num) ) return True self.__previous_token = line[6:16] return False
5,163
Python
.py
134
26.507463
85
0.408367
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,306
ParseRtf.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/ParseRtf.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### # $Revision: 1.41 $ # $Date: 2006/03/24 23:50:07 $ import os import sys from calibre.ebooks.rtf2xml import ( add_brackets, body_styles, check_brackets, check_encoding, colors, combine_borders, convert_to_tags, copy, default_encoding, delete_info, fields_large, fields_small, fonts, footnote, group_borders, group_styles, header, headings_to_sections, hex_2_utf8, info, inline, line_endings, list_numbers, make_lists, output, paragraph_def, paragraphs, pict, preamble_div, preamble_rest, process_tokens, sections, styles, table, table_info, tokenize, ) from calibre.ebooks.rtf2xml.old_rtf import OldRtf from . import open_for_read, open_for_write """ Here is an example script using the ParseRTF module directly #!/usr/bin/env python def Handle_Main(): # Handles options and creates a parse object parse_obj =ParseRtf.ParseRtf( in_file = 'in.rtf', # All values from here on are optional # determine the output file out_file = 'out.xml', # determine the run level. The default is 1. run_level = 3, # The name of a debug directory, if you are running at # run level 3 or higher. debug = 'debug_dir', # Convert RTF caps to real caps. # Default is 1. convert_caps = 1, # Indent resulting XML. # Default is 0 (no indent). indent = 1, # Form lists from RTF. Default is 1. form_lists = 1, # Convert headings to sections. Default is 0. headings_to_sections = 1, # Group paragraphs with the same style name. Default is 1. group_styles = 1, # Group borders. Default is 1. group_borders = 1, # Write or do not write paragraphs. Default is 0. empty_paragraphs = 0, # Allow to use a custom default encoding as fallback default_encoding = 'cp1252', ) try: parse_obj.parse_rtf() except ParseRtf.InvalidRtfException, msg: sys.stderr.write(msg) except ParseRtf.RtfInvalidCodeException, msg: sys.stderr.write(msg) """ class InvalidRtfException(Exception): """ handle invalid RTF """ pass class RtfInvalidCodeException(Exception): """ handle bugs in program """ pass class ParseRtf: """ Main class for controlling the rest of the parsing. """ def __init__(self, in_file, out_file='', out_dir=None, dtd='', deb_dir=None, convert_symbol=None, convert_wingdings=None, convert_zapf=None, convert_caps=None, run_level=1, indent=None, replace_illegals=1, form_lists=1, headings_to_sections=1, group_styles=1, group_borders=1, empty_paragraphs=1, no_dtd=0, char_data='', default_encoding='cp1252', ): """ Requires: 'file' --file to parse 'char_data' --file containing character maps 'dtd' --path to dtd Possible parameters, but not necessary: 'output' --a file to output the parsed file. (Default is standard output.) 'temp_dir' --directory for temporary output (If not provided, the script tries to output to directory where is script is executed.) 'deb_dir' --debug directory. If a debug_dir is provided, the script will copy each run through as a file to examine in the debug_dir 'check_brackets' -- make sure the brackets match up after each run through a file. Only for debugging. Returns: Nothing """ self.__file = in_file self.__out_file = out_file self.__out_dir = out_dir self.__temp_dir = out_dir self.__dtd_path = dtd self.__check_file(in_file,"file_to_parse") self.__char_data = char_data self.__debug_dir = deb_dir self.__check_dir(self.__temp_dir) self.__copy = self.__check_dir(self.__debug_dir) self.__convert_caps = convert_caps self.__convert_symbol = convert_symbol self.__convert_wingdings = convert_wingdings self.__convert_zapf = convert_zapf self.__run_level = run_level self.__exit_level = 0 self.__indent = indent self.__replace_illegals = replace_illegals self.__form_lists = form_lists self.__headings_to_sections = headings_to_sections self.__group_styles = group_styles self.__group_borders = group_borders self.__empty_paragraphs = empty_paragraphs self.__no_dtd = no_dtd self.__default_encoding = default_encoding def __check_file(self, the_file, type): """Check to see if files exist""" if hasattr(the_file, 'read'): return if the_file is None: if type == "file_to_parse": msg = "\nYou must provide a file for the script to work" raise RtfInvalidCodeException(msg) elif os.path.exists(the_file): pass # do nothing else: msg = "\nThe file '%s' cannot be found" % the_file raise RtfInvalidCodeException(msg) def __check_dir(self, the_dir): """Check to see if directory exists""" if not the_dir : return dir_exists = os.path.isdir(the_dir) if not dir_exists: msg = "\n%s is not a directory" % the_dir raise RtfInvalidCodeException(msg) return 1 def parse_rtf(self): """ Parse the file by calling on other classes. Requires: Nothing Returns: A parsed file in XML, either to standard output or to a file, depending on the value of 'output' when the instance was created. """ self.__temp_file = self.__make_temp_file(self.__file) # if the self.__deb_dir is true, then create a copy object, # set the directory to write to, remove files, and copy # the new temporary file to this directory if self.__debug_dir: copy_obj = copy.Copy( bug_handler=RtfInvalidCodeException, ) copy_obj.set_dir(self.__debug_dir) copy_obj.remove_files() copy_obj.copy_file(self.__temp_file, "original_file") # Function to check if bracket are well handled if self.__debug_dir or self.__run_level > 2: self.__check_brack_obj = check_brackets.CheckBrackets( file=self.__temp_file, bug_handler=RtfInvalidCodeException, ) # convert Macintosh and Windows line endings to Unix line endings # why do this if you don't wb after? line_obj = line_endings.FixLineEndings( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level, replace_illegals=self.__replace_illegals, ) return_value = line_obj.fix_endings() # calibre return what? self.__return_code(return_value) tokenize_obj = tokenize.Tokenize( bug_handler=RtfInvalidCodeException, in_file=self.__temp_file, copy=self.__copy, run_level=self.__run_level) tokenize_obj.tokenize() process_tokens_obj = process_tokens.ProcessTokens( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level, exception_handler=InvalidRtfException, ) try: return_value = process_tokens_obj.process_tokens() except InvalidRtfException as msg: # Check to see if the file is correctly encoded encode_obj = default_encoding.DefaultEncoding( in_file=self.__temp_file, run_level=self.__run_level, bug_handler=RtfInvalidCodeException, check_raw=True, default_encoding=self.__default_encoding, ) platform, code_page, default_font_num = encode_obj.find_default_encoding() check_encoding_obj = check_encoding.CheckEncoding( bug_handler=RtfInvalidCodeException, ) enc = encode_obj.get_codepage() # TODO: to check if cp is a good idea or if I should use a dict to convert enc = 'cp' + enc msg = '%s\nException in token processing' % str(msg) if check_encoding_obj.check_encoding(self.__file, enc): file_name = self.__file if isinstance(self.__file, bytes) \ else self.__file.encode('utf-8') msg +='\nFile %s does not appear to be correctly encoded.\n' % file_name try: os.remove(self.__temp_file) except OSError: pass raise InvalidRtfException(msg) delete_info_obj = delete_info.DeleteInfo( in_file=self.__temp_file, copy=self.__copy, bug_handler=RtfInvalidCodeException, run_level=self.__run_level,) # found destination means {\*\destination # if found, the RTF should be newer RTF found_destination = delete_info_obj.delete_info() self.__bracket_match('delete_data_info') # put picts in a separate file pict_obj = pict.Pict( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, orig_file=self.__file, out_file=self.__out_file, run_level=self.__run_level, ) pict_obj.process_pict() self.__bracket_match('pict_data_info') combine_obj = combine_borders.CombineBorders( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level,) combine_obj.combine_borders() self.__bracket_match('combine_borders_info') footnote_obj = footnote.Footnote( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level, ) footnote_obj.separate_footnotes() self.__bracket_match('separate_footnotes_info') header_obj = header.Header( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level, ) header_obj.separate_headers() self.__bracket_match('separate_headers_info') list_numbers_obj = list_numbers.ListNumbers( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level, ) list_numbers_obj.fix_list_numbers() self.__bracket_match('list_number_info') preamble_div_obj = preamble_div.PreambleDiv( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level, ) list_of_lists = preamble_div_obj.make_preamble_divisions() self.__bracket_match('make_preamble_divisions') encode_obj = default_encoding.DefaultEncoding( in_file=self.__temp_file, run_level=self.__run_level, bug_handler=RtfInvalidCodeException, default_encoding=self.__default_encoding, ) platform, code_page, default_font_num = encode_obj.find_default_encoding() hex2utf_obj = hex_2_utf8.Hex2Utf8( in_file=self.__temp_file, copy=self.__copy, area_to_convert='preamble', char_file=self.__char_data, default_char_map=code_page, run_level=self.__run_level, bug_handler=RtfInvalidCodeException, invalid_rtf_handler=InvalidRtfException, ) hex2utf_obj.convert_hex_2_utf8() self.__bracket_match('hex_2_utf_preamble') fonts_obj = fonts.Fonts( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, default_font_num=default_font_num, run_level=self.__run_level, ) special_font_dict = fonts_obj.convert_fonts() self.__bracket_match('fonts_info') color_obj = colors.Colors( in_file=self.__temp_file, copy=self.__copy, bug_handler=RtfInvalidCodeException, run_level=self.__run_level, ) color_obj.convert_colors() self.__bracket_match('colors_info') style_obj = styles.Styles( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level, ) style_obj.convert_styles() self.__bracket_match('styles_info') info_obj = info.Info( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level, ) info_obj.fix_info() default_font = special_font_dict.get('default-font') preamble_rest_obj = preamble_rest.Preamble( file=self.__temp_file, copy=self.__copy, bug_handler=RtfInvalidCodeException, platform=platform, default_font=default_font, code_page=code_page) preamble_rest_obj.fix_preamble() self.__bracket_match('preamble_rest_info') old_rtf_obj = OldRtf( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, run_level=self.__run_level, ) # RTF can actually have destination groups and old RTF. # BAH! old_rtf = old_rtf_obj.check_if_old_rtf() if old_rtf: if self.__run_level > 5: msg = 'Older RTF\n' \ 'self.__run_level is "%s"\n' % self.__run_level raise RtfInvalidCodeException(msg) if self.__run_level > 1: sys.stderr.write('File could be older RTF...\n') if found_destination: if self.__run_level > 1: sys.stderr.write( 'File also has newer RTF.\n' 'Will do the best to convert...\n' ) add_brackets_obj = add_brackets.AddBrackets( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level, ) add_brackets_obj.add_brackets() fields_small_obj = fields_small.FieldsSmall( in_file=self.__temp_file, copy=self.__copy, bug_handler=RtfInvalidCodeException, run_level=self.__run_level,) fields_small_obj.fix_fields() self.__bracket_match('fix_small_fields_info') fields_large_obj = fields_large.FieldsLarge( in_file=self.__temp_file, copy=self.__copy, bug_handler=RtfInvalidCodeException, run_level=self.__run_level) fields_large_obj.fix_fields() self.__bracket_match('fix_large_fields_info') sections_obj = sections.Sections( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level,) sections_obj.make_sections() self.__bracket_match('sections_info') paragraphs_obj = paragraphs.Paragraphs( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, write_empty_para=self.__empty_paragraphs, run_level=self.__run_level,) paragraphs_obj.make_paragraphs() self.__bracket_match('paragraphs_info') default_font = special_font_dict['default-font'] paragraph_def_obj = paragraph_def.ParagraphDef( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, default_font=default_font, run_level=self.__run_level,) list_of_styles = paragraph_def_obj.make_paragraph_def() body_styles_obj = body_styles.BodyStyles( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, list_of_styles=list_of_styles, run_level=self.__run_level,) body_styles_obj.insert_info() self.__bracket_match('body_styles_info') self.__bracket_match('paragraph_def_info') table_obj = table.Table( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level,) table_data = table_obj.make_table() self.__bracket_match('table_info') table_info_obj = table_info.TableInfo( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, table_data=table_data, run_level=self.__run_level,) table_info_obj.insert_info() self.__bracket_match('table__data_info') if self.__form_lists: make_list_obj = make_lists.MakeLists( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, headings_to_sections=self.__headings_to_sections, run_level=self.__run_level, list_of_lists=list_of_lists, ) make_list_obj.make_lists() self.__bracket_match('form_lists_info') if self.__headings_to_sections: headings_to_sections_obj = headings_to_sections.HeadingsToSections( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level,) headings_to_sections_obj.make_sections() self.__bracket_match('headings_to_sections_info') if self.__group_styles: group_styles_obj = group_styles.GroupStyles( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, wrap=1, run_level=self.__run_level,) group_styles_obj.group_styles() self.__bracket_match('group_styles_info') if self.__group_borders: group_borders_obj = group_borders.GroupBorders( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, wrap=1, run_level=self.__run_level,) group_borders_obj.group_borders() self.__bracket_match('group_borders_info') inline_obj = inline.Inline( in_file=self.__temp_file, bug_handler=RtfInvalidCodeException, copy=self.__copy, run_level=self.__run_level,) inline_obj.form_tags() self.__bracket_match('inline_info') hex2utf_obj.update_values(file=self.__temp_file, area_to_convert='body', copy=self.__copy, char_file=self.__char_data, convert_caps=self.__convert_caps, convert_symbol=self.__convert_symbol, convert_wingdings=self.__convert_wingdings, convert_zapf=self.__convert_zapf, symbol=1, wingdings=1, dingbats=1, ) hex2utf_obj.convert_hex_2_utf8() header_obj.join_headers() footnote_obj.join_footnotes() tags_obj = convert_to_tags.ConvertToTags( in_file=self.__temp_file, copy=self.__copy, dtd_path=self.__dtd_path, indent=self.__indent, run_level=self.__run_level, no_dtd=self.__no_dtd, encoding=encode_obj.get_codepage(), bug_handler=RtfInvalidCodeException, ) tags_obj.convert_to_tags() output_obj = output.Output( file=self.__temp_file, orig_file=self.__file, output_dir=self.__out_dir, out_file=self.__out_file, ) output_obj.output() os.remove(self.__temp_file) return self.__exit_level def __bracket_match(self, file_name): if self.__run_level > 2: good_br, msg = self.__check_brack_obj.check_brackets() if good_br: pass # sys.stderr.write( msg + ' in ' + file_name + "\n") else: msg = f'{msg} in file {file_name}' print(msg, file=sys.stderr) def __return_code(self, num): if num is None: return if int(num) > self.__exit_level: self.__exit_level = num def __make_temp_file(self,file): """Make a temporary file to parse""" write_file="rtf_write_file" read_obj = file if hasattr(file, 'read') else open_for_read(file) with open_for_write(write_file) as write_obj: for line in read_obj: write_obj.write(line) return write_file
23,251
Python
.py
582
28.245704
88
0.541433
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,307
hex_2_utf8.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/hex_2_utf8.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### import io import os import sys from calibre.ebooks.rtf2xml import copy, get_char_map from calibre.ebooks.rtf2xml.char_set import char_set from calibre.ptempfile import better_mktemp from . import open_for_read, open_for_write class Hex2Utf8: """ Convert Microsoft hexadecimal numbers to utf-8 """ def __init__(self, in_file, area_to_convert, char_file, default_char_map, bug_handler, invalid_rtf_handler, copy=None, temp_dir=None, symbol=None, wingdings=None, caps=None, convert_caps=None, dingbats=None, run_level=1, ): """ Required: 'file' 'area_to_convert'--the area of file to convert 'char_file'--the file containing the character mappings 'default_char_map'--name of default character map Optional: 'copy'-- whether to make a copy of result for debugging 'temp_dir' --where to output temporary results (default is directory from which the script is run.) 'symbol'--whether to load the symbol character map 'winddings'--whether to load the wingdings character map 'caps'--whether to load the caps character map 'convert_to_caps'--wether to convert caps to utf-8 Returns: nothing """ self.__file = in_file self.__copy = copy if area_to_convert not in ('preamble', 'body'): msg = ( 'Developer error! Wrong flag.\n' 'in module "hex_2_utf8.py\n' '"area_to_convert" must be "body" or "preamble"\n' ) raise self.__bug_handler(msg) self.__char_file = char_file self.__area_to_convert = area_to_convert self.__default_char_map = default_char_map self.__symbol = symbol self.__wingdings = wingdings self.__dingbats = dingbats self.__caps = caps self.__convert_caps = 0 self.__convert_symbol = 0 self.__convert_wingdings = 0 self.__convert_zapf = 0 self.__run_level = run_level self.__write_to = better_mktemp() self.__bug_handler = bug_handler self.__invalid_rtf_handler = invalid_rtf_handler def update_values(self, file, area_to_convert, char_file, convert_caps, convert_symbol, convert_wingdings, convert_zapf, copy=None, temp_dir=None, symbol=None, wingdings=None, caps=None, dingbats=None, ): """ Required: 'file' 'area_to_convert'--the area of file to convert 'char_file'--the file containing the character mappings Optional: 'copy'-- whether to make a copy of result for debugging 'temp_dir' --where to output temporary results (default is directory from which the script is run.) 'symbol'--whether to load the symbol character map 'winddings'--whether to load the wingdings character map 'caps'--whether to load the caps character map 'convert_to_caps'--wether to convert caps to utf-8 Returns: nothing """ self.__file=file self.__copy = copy if area_to_convert not in ('preamble', 'body'): msg = ( 'in module "hex_2_utf8.py\n' '"area_to_convert" must be "body" or "preamble"\n' ) raise self.__bug_handler(msg) self.__area_to_convert = area_to_convert self.__symbol = symbol self.__wingdings = wingdings self.__dingbats = dingbats self.__caps = caps self.__convert_caps = convert_caps self.__convert_symbol = convert_symbol self.__convert_wingdings = convert_wingdings self.__convert_zapf = convert_zapf # new! # no longer try to convert these # self.__convert_symbol = 0 # self.__convert_wingdings = 0 # self.__convert_zapf = 0 def __initiate_values(self): """ Required: Nothing Set values, including those for the dictionaries. The file that contains the maps is broken down into many different sets. For example, for the Symbol font, there is the standard part for hexadecimal numbers, and the part for Microsoft characters. Read each part in, and then combine them. """ # the default encoding system, the lower map for characters 0 through # 128, and the encoding system for Microsoft characters. # New on 2004-05-8: the self.__char_map is not in directory with other # modules self.__char_file = io.StringIO(char_set) char_map_obj = get_char_map.GetCharMap( char_file=self.__char_file, bug_handler=self.__bug_handler, ) up_128_dict = char_map_obj.get_char_map(map=self.__default_char_map) bt_128_dict = char_map_obj.get_char_map(map='bottom_128') ms_standard_dict = char_map_obj.get_char_map(map='ms_standard') self.__def_dict = {} self.__def_dict.update(up_128_dict) self.__def_dict.update(bt_128_dict) self.__def_dict.update(ms_standard_dict) self.__current_dict = self.__def_dict self.__current_dict_name = 'default' self.__in_caps = 0 self.__special_fonts_found = 0 if self.__symbol: symbol_base_dict = char_map_obj.get_char_map(map='SYMBOL') ms_symbol_dict = char_map_obj.get_char_map(map='ms_symbol') self.__symbol_dict = {} self.__symbol_dict.update(symbol_base_dict) self.__symbol_dict.update(ms_symbol_dict) if self.__wingdings: wingdings_base_dict = char_map_obj.get_char_map(map='wingdings') ms_wingdings_dict = char_map_obj.get_char_map(map='ms_wingdings') self.__wingdings_dict = {} self.__wingdings_dict.update(wingdings_base_dict) self.__wingdings_dict.update(ms_wingdings_dict) if self.__dingbats: dingbats_base_dict = char_map_obj.get_char_map(map='dingbats') ms_dingbats_dict = char_map_obj.get_char_map(map='ms_dingbats') self.__dingbats_dict = {} self.__dingbats_dict.update(dingbats_base_dict) self.__dingbats_dict.update(ms_dingbats_dict) # load dictionary for caps, and make a string for the replacement self.__caps_uni_dict = char_map_obj.get_char_map(map='caps_uni') # # print self.__caps_uni_dict # don't think I'll need this # keys = self.__caps_uni_dict.keys() # self.__caps_uni_replace = '|'.join(keys) self.__preamble_state_dict = { 'preamble' : self.__preamble_func, 'body' : self.__body_func, 'mi<mk<body-open_' : self.__found_body_func, 'tx<hx<__________' : self.__hex_text_func, } self.__body_state_dict = { 'preamble' : self.__preamble_for_body_func, 'body' : self.__body_for_body_func, } self.__in_body_dict = { 'mi<mk<body-open_' : self.__found_body_func, 'tx<ut<__________' : self.__utf_to_caps_func, 'tx<hx<__________' : self.__hex_text_func, 'tx<mc<__________' : self.__hex_text_func, 'tx<nu<__________' : self.__text_func, 'mi<mk<font______' : self.__start_font_func, 'mi<mk<caps______' : self.__start_caps_func, 'mi<mk<font-end__' : self.__end_font_func, 'mi<mk<caps-end__' : self.__end_caps_func, } self.__caps_list = ['false'] self.__font_list = ['not-defined'] def __hex_text_func(self, line): """ Required: 'line' -- the line Logic: get the hex_num and look it up in the default dictionary. If the token is in the dictionary, then check if the value starts with a "&". If it does, then tag the result as utf text. Otherwise, tag it as normal text. If the hex_num is not in the dictionary, then a mistake has been made. """ hex_num = line[17:-1] converted = self.__current_dict.get(hex_num) if converted is not None: # tag as utf-8 if converted[0:1] == "&": font = self.__current_dict_name if self.__convert_caps\ and self.__caps_list[-1] == 'true'\ and font not in ('Symbol', 'Wingdings', 'Zapf Dingbats'): converted = self.__utf_token_to_caps_func(converted) self.__write_obj.write( 'tx<ut<__________<%s\n' % converted ) # tag as normal text else: font = self.__current_dict_name if self.__convert_caps\ and self.__caps_list[-1] == 'true'\ and font not in ('Symbol', 'Wingdings', 'Zapf Dingbats'): converted = converted.upper() self.__write_obj.write( 'tx<nu<__________<%s\n' % converted ) # error else: token = hex_num.replace("'", '') the_num = 0 if token: the_num = int(token, 16) if the_num > 10: self.__write_obj.write('mi<tg<empty-att_<udef_symbol<num>%s<description>not-in-table\n' % hex_num) if self.__run_level > 4: # msg = 'no dictionary entry for %s\n' # msg += 'the hexadecimal num is "%s"\n' % (hex_num) # msg += 'dictionary is %s\n' % self.__current_dict_name msg = 'Character "&#x%s;" does not appear to be valid (or is a control character)\n' % token raise self.__bug_handler(msg) def __found_body_func(self, line): self.__state = 'body' self.__write_obj.write(line) def __body_func(self, line): """ When parsing preamble """ self.__write_obj.write(line) def __preamble_func(self, line): action = self.__preamble_state_dict.get(self.__token_info) if action is not None: action(line) else: self.__write_obj.write(line) def __convert_preamble(self): self.__state = 'preamble' with open_for_write(self.__write_to) as self.__write_obj: with open_for_read(self.__file) as read_obj: for line in read_obj: self.__token_info = line[:16] action = self.__preamble_state_dict.get(self.__state) if action is None: sys.stderr.write('error no state found in hex_2_utf8', self.__state ) action(line) copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to, "preamble_utf_convert.data") copy_obj.rename(self.__write_to, self.__file) os.remove(self.__write_to) def __preamble_for_body_func(self, line): """ Required: line -- line to parse Returns: nothing Logic: Used when parsing the body. """ if self.__token_info == 'mi<mk<body-open_': self.__found_body_func(line) self.__write_obj.write(line) def __body_for_body_func(self, line): """ Required: line -- line to parse Returns: nothing Logic: Used when parsing the body. """ action = self.__in_body_dict.get(self.__token_info) if action is not None: action(line) else: self.__write_obj.write(line) def __start_font_func(self, line): """ Required: line -- line to parse Returns: nothing Logic: add font face to font_list """ face = line[17:-1] self.__font_list.append(face) if face == 'Symbol' and self.__convert_symbol: self.__current_dict_name = 'Symbol' self.__current_dict = self.__symbol_dict elif face == 'Wingdings' and self.__convert_wingdings: self.__current_dict_name = 'Wingdings' self.__current_dict = self.__wingdings_dict elif face == 'Zapf Dingbats' and self.__convert_zapf: self.__current_dict_name = 'Zapf Dingbats' self.__current_dict = self.__dingbats_dict else: self.__current_dict_name = 'default' self.__current_dict = self.__def_dict def __end_font_func(self, line): """ Required: line -- line to parse Returns: nothing Logic: pop font_list """ if len(self.__font_list) > 1: self.__font_list.pop() else: sys.stderr.write('module is hex_2_utf8\n') sys.stderr.write('method is end_font_func\n') sys.stderr.write('self.__font_list should be greater than one?\n') face = self.__font_list[-1] if face == 'Symbol' and self.__convert_symbol: self.__current_dict_name = 'Symbol' self.__current_dict = self.__symbol_dict elif face == 'Wingdings' and self.__convert_wingdings: self.__current_dict_name = 'Wingdings' self.__current_dict = self.__wingdings_dict elif face == 'Zapf Dingbats' and self.__convert_zapf: self.__current_dict_name = 'Zapf Dingbats' self.__current_dict = self.__dingbats_dict else: self.__current_dict_name = 'default' self.__current_dict = self.__def_dict def __start_special_font_func_old(self, line): """ Required: line -- line Returns; nothing Logic: change the dictionary to use in conversion """ # for error checking if self.__token_info == 'mi<mk<font-symbo': self.__current_dict.append(self.__symbol_dict) self.__special_fonts_found += 1 self.__current_dict_name = 'Symbol' elif self.__token_info == 'mi<mk<font-wingd': self.__special_fonts_found += 1 self.__current_dict.append(self.__wingdings_dict) self.__current_dict_name = 'Wingdings' elif self.__token_info == 'mi<mk<font-dingb': self.__current_dict.append(self.__dingbats_dict) self.__special_fonts_found += 1 self.__current_dict_name = 'Zapf Dingbats' def __end_special_font_func(self, line): """ Required: line --line to parse Returns: nothing Logic: pop the last dictionary, which should be a special font """ if len(self.__current_dict) < 2: sys.stderr.write('module is hex_2_utf 8\n') sys.stderr.write('method is __end_special_font_func\n') sys.stderr.write('less than two dictionaries --can\'t pop\n') self.__special_fonts_found -= 1 else: self.__current_dict.pop() self.__special_fonts_found -= 1 self.__dict_name = 'default' def __start_caps_func_old(self, line): """ Required: line -- line to parse Returns: nothing Logic: A marker that marks the start of caps has been found. Set self.__in_caps to 1 """ self.__in_caps = 1 def __start_caps_func(self, line): """ Required: line -- line to parse Returns: nothing Logic: A marker that marks the start of caps has been found. Set self.__in_caps to 1 """ self.__in_caps = 1 value = line[17:-1] self.__caps_list.append(value) def __end_caps_func(self, line): """ Required: line -- line to parse Returns: nothing Logic: A marker that marks the end of caps has been found. set self.__in_caps to 0 """ if len(self.__caps_list) > 1: self.__caps_list.pop() else: sys.stderr.write('Module is hex_2_utf8\n' 'method is __end_caps_func\n' 'caps list should be more than one?\n') # self.__in_caps not set def __text_func(self, line): """ Required: line -- line to parse Returns: nothing Logic: if in caps, convert. Otherwise, print out. """ text = line[17:-1] # print line if self.__current_dict_name in ('Symbol', 'Wingdings', 'Zapf Dingbats'): the_string = '' for letter in text: hex_num = hex(ord(letter)) hex_num = str(hex_num) hex_num = hex_num.upper() hex_num = hex_num[2:] hex_num = '\'%s' % hex_num converted = self.__current_dict.get(hex_num) if converted is None: sys.stderr.write('module is hex_2_ut8\nmethod is __text_func\n') sys.stderr.write('no hex value for "%s"\n' % hex_num) else: the_string += converted self.__write_obj.write('tx<nu<__________<%s\n' % the_string) # print the_string else: if self.__caps_list[-1] == 'true' \ and self.__convert_caps\ and self.__current_dict_name not in ('Symbol', 'Wingdings', 'Zapf Dingbats'): text = text.upper() self.__write_obj.write('tx<nu<__________<%s\n' % text) def __utf_to_caps_func(self, line): """ Required: line -- line to parse returns nothing Logic Get the text, and use another method to convert """ utf_text = line[17:-1] if self.__caps_list[-1] == 'true' and self.__convert_caps: # utf_text = utf_text.upper() utf_text = self.__utf_token_to_caps_func(utf_text) self.__write_obj.write('tx<ut<__________<%s\n' % utf_text) def __utf_token_to_caps_func(self, char_entity): """ Required: utf_text -- such as &xxx; Returns: token converted to the capital equivalent Logic: RTF often stores text in the improper values. For example, a capital umlaut o (?), is stores as ?. This function swaps the case by looking up the value in a dictionary. """ hex_num = char_entity[3:] length = len(hex_num) if length == 3: hex_num = '00%s' % hex_num elif length == 4: hex_num = '0%s' % hex_num new_char_entity = '&#x%s' % hex_num converted = self.__caps_uni_dict.get(new_char_entity) if not converted: # bullets and other entities don't have capital equivalents return char_entity else: return converted def __convert_body(self): self.__state = 'body' with open_for_read(self.__file) as read_obj: with open_for_write(self.__write_to) as self.__write_obj: for line in read_obj: self.__token_info = line[:16] action = self.__body_state_dict.get(self.__state) if action is None: sys.stderr.write('error no state found in hex_2_utf8', self.__state ) action(line) copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to, "body_utf_convert.data") copy_obj.rename(self.__write_to, self.__file) os.remove(self.__write_to) def convert_hex_2_utf8(self): self.__initiate_values() if self.__area_to_convert == 'preamble': self.__convert_preamble() else: self.__convert_body() """ how to swap case for non-capitals my_string.swapcase() An example of how to use a hash for the caps function (but I shouldn't need this, since utf text is separate from regular text?) sub_dict = { "&#x0430;" : "some other value" } def my_sub_func(matchobj): info = matchobj.group(0) value = sub_dict.get(info) return value return "f" line = "&#x0430; more text" reg_exp = re.compile(r'(?P<name>&#x0430;|&#x0431;)') line2 = re.sub(reg_exp, my_sub_func, line) print line2 """
22,374
Python
.py
561
28.627451
112
0.511636
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,308
paragraph_def.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/paragraph_def.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### import os import sys from calibre.ebooks.rtf2xml import border_parse, copy from calibre.ptempfile import better_mktemp from . import open_for_read, open_for_write class ParagraphDef: """ ================= Purpose ================= Write paragraph definition tags. States: 1. before_1st_para_def. Before any para_def token is found. This means all the text in the preamble. Look for the token 'cw<pf<par-def___'. This will changet the state to collect_tokens. 2. collect_tokens. Found a paragraph_def. Need to get all tokens. Change with start of a paragrph ('mi<mk<para-start'). State then becomes in_paragraphs If another paragraph definition is found, the state does not change. But the dictionary is reset. 3. in_paragraphs State changes when 'mi<mk<para-end__', or end of paragraph is found. State then becomes 'self.__state = 'after_para_end' 4. after_para_end If 'mi<mk<para-start' (the start of a paragraph) or 'mi<mk<para-end__' (the end of a paragraph--must be empty paragraph?) are found: state changes to 'in_paragraphs' If 'cw<pf<par-def___' (paragraph_definition) is found: state changes to collect_tokens if 'mi<mk<body-close', 'mi<mk<par-in-fld', 'cw<tb<cell______','cw<tb<row-def___','cw<tb<row_______', 'mi<mk<sect-close', 'mi<mk<header-beg', 'mi<mk<header-end' are found. (All these tokens mark the start of a bigger element. para_def must be closed: state changes to 'after_para_def' 5. after_para_def 'mi<mk<para-start' changes state to in_paragraphs if another paragraph_def is found, the state changes to collect_tokens. """ def __init__(self, in_file, bug_handler, default_font, copy=None, run_level=1,): """ Required: 'file'--file to parse 'default_font' --document default font Optional: 'copy'-- whether to make a copy of result for debugging 'temp_dir' --where to output temporary results (default is directory from which the script is run.) Returns: nothing """ self.__file = in_file self.__bug_handler = bug_handler self.__default_font = default_font self.__copy = copy self.__run_level = run_level self.__write_to = better_mktemp() def __initiate_values(self): """ Initiate all values. """ # Dictionary needed to convert shortened style names to readable names self.__token_dict={ # paragraph formatting => pf 'par-end___' : 'para', 'par-def___' : 'paragraph-definition', 'keep-w-nex' : 'keep-with-next', 'widow-cntl' : 'widow-control', 'adjust-rgt' : 'adjust-right', 'language__' : 'language', 'right-inde' : 'right-indent', 'fir-ln-ind' : 'first-line-indent', 'left-inden' : 'left-indent', 'space-befo' : 'space-before', 'space-afte' : 'space-after', 'line-space' : 'line-spacing', 'default-ta' : 'default-tab', 'align_____' : 'align', 'widow-cntr' : 'widow-control', # stylesheet = > ss 'style-shet' : 'stylesheet', 'based-on__' : 'based-on-style', 'next-style' : 'next-style', 'char-style' : 'character-style', # this is changed to get a nice attribute 'para-style' : 'name', # graphics => gr 'picture___' : 'pict', 'obj-class_' : 'obj_class', 'mac-pic___' : 'mac-pict', # section => sc 'section___' : 'section-new', 'sect-defin' : 'section-reset', 'sect-note_' : 'endnotes-in-section', # list=> ls 'list-text_' : 'list-text', 'list______' : 'list', 'list-lev-d' : 'list-level-definition', 'list-cardi' : 'list-cardinal-numbering', 'list-decim' : 'list-decimal-numbering', 'list-up-al' : 'list-uppercase-alphabetic-numbering', 'list-up-ro' : 'list-uppercae-roman-numbering', 'list-ord__' : 'list-ordinal-numbering', 'list-ordte' : 'list-ordinal-text-numbering', 'list-bulli' : 'list-bullet', 'list-simpi' : 'list-simple', 'list-conti' : 'list-continue', 'list-hang_' : 'list-hang', # 'list-tebef' : 'list-text-before', # 'list-level' : 'level', 'list-id___' : 'list-id', 'list-start' : 'list-start', 'nest-level' : 'nest-level', # duplicate 'list-level' : 'list-level', # notes => nt 'footnote__' : 'footnote', 'type______' : 'type', # anchor => an 'toc_______' : 'anchor-toc', 'book-mk-st' : 'bookmark-start', 'book-mk-en' : 'bookmark-end', 'index-mark' : 'anchor-index', 'place_____' : 'place', # field => fd 'field_____' : 'field', 'field-inst' : 'field-instruction', 'field-rslt' : 'field-result', 'datafield_' : 'data-field', # info-tables => it 'font-table' : 'font-table', 'colr-table' : 'color-table', 'lovr-table' : 'list-override-table', 'listtable_' : 'list-table', 'revi-table' : 'revision-table', # character info => ci 'hidden____' : 'hidden', 'italics___' : 'italics', 'bold______' : 'bold', 'strike-thr' : 'strike-through', 'shadow____' : 'shadow', 'outline___' : 'outline', 'small-caps' : 'small-caps', 'caps______' : 'caps', 'dbl-strike' : 'double-strike-through', 'emboss____' : 'emboss', 'engrave___' : 'engrave', 'subscript_' : 'subscript', 'superscrip' : 'superscipt', 'font-style' : 'font-style', 'font-color' : 'font-color', 'font-size_' : 'font-size', 'font-up___' : 'superscript', 'font-down_' : 'subscript', 'red_______' : 'red', 'blue______' : 'blue', 'green_____' : 'green', # table => tb 'row-def___' : 'row-definition', 'cell______' : 'cell', 'row_______' : 'row', 'in-table__' : 'in-table', 'columns___' : 'columns', 'row-pos-le' : 'row-position-left', 'cell-posit' : 'cell-position', # preamble => pr # underline 'underlined' : 'underlined', # border => bd 'bor-t-r-hi' : 'border-table-row-horizontal-inside', 'bor-t-r-vi' : 'border-table-row-vertical-inside', 'bor-t-r-to' : 'border-table-row-top', 'bor-t-r-le' : 'border-table-row-left', 'bor-t-r-bo' : 'border-table-row-bottom', 'bor-t-r-ri' : 'border-table-row-right', 'bor-cel-bo' : 'border-cell-bottom', 'bor-cel-to' : 'border-cell-top', 'bor-cel-le' : 'border-cell-left', 'bor-cel-ri' : 'border-cell-right', # 'bor-par-bo' : 'border-paragraph-bottom', 'bor-par-to' : 'border-paragraph-top', 'bor-par-le' : 'border-paragraph-left', 'bor-par-ri' : 'border-paragraph-right', 'bor-par-bo' : 'border-paragraph-box', 'bor-for-ev' : 'border-for-every-paragraph', 'bor-outsid' : 'border-outisde', 'bor-none__' : 'border', # border type => bt 'bdr-single' : 'single', 'bdr-doubtb' : 'double-thickness-border', 'bdr-shadow' : 'shadowed-border', 'bdr-double' : 'double-border', 'bdr-dotted' : 'dotted-border', 'bdr-dashed' : 'dashed', 'bdr-hair__' : 'hairline', 'bdr-inset_' : 'inset', 'bdr-das-sm' : 'dash-small', 'bdr-dot-sm' : 'dot-dash', 'bdr-dot-do' : 'dot-dot-dash', 'bdr-outset' : 'outset', 'bdr-trippl' : 'tripple', 'bdr-thsm__' : 'thick-thin-small', 'bdr-htsm__' : 'thin-thick-small', 'bdr-hthsm_' : 'thin-thick-thin-small', 'bdr-thm__' : 'thick-thin-medium', 'bdr-htm__' : 'thin-thick-medium', 'bdr-hthm_' : 'thin-thick-thin-medium', 'bdr-thl__' : 'thick-thin-large', 'bdr-hthl_' : 'think-thick-think-large', 'bdr-wavy_' : 'wavy', 'bdr-d-wav' : 'double-wavy', 'bdr-strip' : 'striped', 'bdr-embos' : 'emboss', 'bdr-engra' : 'engrave', 'bdr-frame' : 'frame', 'bdr-li-wid' : 'line-width', } self.__tabs_dict = { 'cw<pf<tab-stop__' : self.__tab_stop_func, 'cw<pf<tab-center' : self.__tab_type_func, 'cw<pf<tab-right_' : self.__tab_type_func, 'cw<pf<tab-dec___' : self.__tab_type_func, 'cw<pf<leader-dot' : self.__tab_leader_func, 'cw<pf<leader-hyp' : self.__tab_leader_func, 'cw<pf<leader-und' : self.__tab_leader_func, 'cw<pf<tab-bar-st' : self.__tab_bar_func, } self.__tab_type_dict = { 'cw<pf<tab-center' : 'center', 'cw<pf<tab-right_' : 'right', 'cw<pf<tab-dec___' : 'decimal', 'cw<pf<leader-dot' : 'leader-dot', 'cw<pf<leader-hyp' : 'leader-hyphen', 'cw<pf<leader-und' : 'leader-underline', } self.__border_obj = border_parse.BorderParse() self.__style_num_strings = [] self.__body_style_strings = [] self.__state = 'before_1st_para_def' self.__att_val_dict = {} self.__start_marker = 'mi<mk<pard-start\n' # outside para tags self.__start2_marker = 'mi<mk<pardstart_\n' # inside para tags self.__end2_marker = 'mi<mk<pardend___\n' # inside para tags self.__end_marker = 'mi<mk<pard-end__\n' # outside para tags self.__text_string = '' self.__state_dict = { 'before_1st_para_def' : self.__before_1st_para_def_func, 'collect_tokens' : self.__collect_tokens_func, 'after_para_def' : self.__after_para_def_func, 'in_paragraphs' : self.__in_paragraphs_func, 'after_para_end' : self.__after_para_end_func, } self.__collect_tokens_dict = { 'mi<mk<para-start' : self.__end_para_def_func, 'cw<pf<par-def___' : self.__para_def_in_para_def_func, 'cw<tb<cell______' : self.__empty_table_element_func, 'cw<tb<row_______' : self.__empty_table_element_func, } self.__after_para_def_dict = { 'mi<mk<para-start' : self.__start_para_after_def_func, 'cw<pf<par-def___' : self.__found_para_def_func, 'cw<tb<cell______' : self.__empty_table_element_func, 'cw<tb<row_______' : self.__empty_table_element_func, } self.__in_paragraphs_dict = { 'mi<mk<para-end__' : self.__found_para_end_func, } self.__after_para_end_dict = { 'mi<mk<para-start' : self.__continue_block_func, 'mi<mk<para-end__' : self.__continue_block_func, 'cw<pf<par-def___' : self.__new_para_def_func, 'mi<mk<body-close' : self.__stop_block_func, 'mi<mk<par-in-fld' : self.__stop_block_func, 'cw<tb<cell______' : self.__stop_block_func, 'cw<tb<row-def___' : self.__stop_block_func, 'cw<tb<row_______' : self.__stop_block_func, 'mi<mk<sect-close' : self.__stop_block_func, 'mi<mk<sect-start' : self.__stop_block_func, 'mi<mk<header-beg' : self.__stop_block_func, 'mi<mk<header-end' : self.__stop_block_func, 'mi<mk<head___clo' : self.__stop_block_func, 'mi<mk<fldbk-end_' : self.__stop_block_func, 'mi<mk<lst-txbeg_' : self.__stop_block_func, } def __before_1st_para_def_func(self, line): """ Required: line -- line to parse Returns: nothing Logic: Look for the beginning of a paragraph definition """ # cw<pf<par-def___<nu<true if self.__token_info == 'cw<pf<par-def___': self.__found_para_def_func() else: self.__write_obj.write(line) def __found_para_def_func(self): self.__state = 'collect_tokens' # not exactly right--have to reset the dictionary--give it default # values self.__reset_dict() def __collect_tokens_func(self, line): """ Required: line --line to parse Returns: nothing Logic: Check the collect_tokens_dict for either the beginning of a paragraph or a new paragraph definition. Take the actions according to the value in the dict. Otherwise, check if the token is not a control word. If it is not, change the state to after_para_def. Otherwise, check if the token is a paragraph definition word; if so, add it to the attributes and values dictionary. """ action = self.__collect_tokens_dict.get(self.__token_info) if action: action(line) elif line[0:2] != 'cw': self.__write_obj.write(line) self.__state = 'after_para_def' elif line[0:5] == 'cw<bd': self.__parse_border(line) else: action = self.__tabs_dict.get(self.__token_info) if action: action(line) else: token = self.__token_dict.get(line[6:16]) if token: self.__att_val_dict[token] = line[20:-1] def __tab_stop_func(self, line): """ """ self.__att_val_dict['tabs'] += '%s:' % self.__tab_type self.__att_val_dict['tabs'] += '%s;' % line[20:-1] self.__tab_type = 'left' def __tab_type_func(self, line): """ """ type = self.__tab_type_dict.get(self.__token_info) if type is not None: self.__tab_type = type else: if self.__run_level > 3: msg = 'no entry for %s\n' % self.__token_info raise self.__bug_handler(msg) def __tab_leader_func(self, line): """ """ leader = self.__tab_type_dict.get(self.__token_info) if leader is not None: self.__att_val_dict['tabs'] += '%s^' % leader else: if self.__run_level > 3: msg = 'no entry for %s\n' % self.__token_info raise self.__bug_handler(msg) def __tab_bar_func(self, line): """ """ # self.__att_val_dict['tabs-bar'] += '%s:' % line[20:-1] self.__att_val_dict['tabs'] += 'bar:%s;' % (line[20:-1]) self.__tab_type = 'left' def __parse_border(self, line): """ Requires: line --line to parse Returns: nothing (updates dictionary) Logic: Uses the border_parse module to return a dictionary of attribute value pairs for a border line. """ border_dict = self.__border_obj.parse_border(line) self.__att_val_dict.update(border_dict) def __para_def_in_para_def_func(self, line): """ Requires: line --line to parse Returns: nothing Logic: I have found a \\pard while I am collecting tokens. I want to reset the dectionary and do nothing else. """ # Change this self.__state = 'collect_tokens' self.__reset_dict() def __end_para_def_func(self, line): """ Requires: Nothing Returns: Nothing Logic: The previous state was collect tokens, and I have found the start of a paragraph. I want to output the definition tag; output the line itself (telling me of the beginning of a paragraph);change the state to 'in_paragraphs'; """ self.__write_para_def_beg() self.__write_obj.write(line) self.__state = 'in_paragraphs' def __start_para_after_def_func(self, line): """ Requires: Nothing Returns: Nothing Logic: The state was is after_para_def. and I have found the start of a paragraph. I want to output the definition tag; output the line itself (telling me of the beginning of a paragraph);change the state to 'in_paragraphs'. (I now realize that this is absolutely identical to the function above!) """ self.__write_para_def_beg() self.__write_obj.write(line) self.__state = 'in_paragraphs' def __after_para_def_func(self, line): """ Requires: line -- line to parse Returns: nothing Logic: Check if the token info is the start of a paragraph. If so, call on the function found in the value of the dictionary. """ action = self.__after_para_def_dict.get(self.__token_info) if self.__token_info == 'cw<pf<par-def___': self.__found_para_def_func() elif action: action(line) else: self.__write_obj.write(line) def __in_paragraphs_func(self, line): """ Requires: line --current line Returns: nothing Logic: Look for the end of a paragraph, the start of a cell or row. """ action = self.__in_paragraphs_dict.get(self.__token_info) if action: action(line) else: self.__write_obj.write(line) def __found_para_end_func(self,line): """ Requires: line -- line to print out Returns: Nothing Logic: State is in paragraphs. You have found the end of a paragraph. You need to print out the line and change the state to after paragraphs. """ self.__state = 'after_para_end' self.__write_obj.write(line) def __after_para_end_func(self, line): """ Requires: line -- line to output Returns: nothing Logic: The state is after the end of a paragraph. You are collecting all the lines in a string and waiting to see if you need to write out the paragraph definition. If you find another paragraph definition, then you write out the old paragraph dictionary and print out the string. You change the state to collect tokens. If you find any larger block elements, such as cell, row, field-block, or section, you write out the paragraph definition and then the text string. If you find the beginning of a paragraph, then you don't need to write out the paragraph definition. Write out the string, and change the state to in paragraphs. """ self.__text_string += line action = self.__after_para_end_dict.get(self.__token_info) if action: action(line) def __continue_block_func(self, line): """ Requires: line --line to print out Returns: Nothing Logic: The state is after the end of a paragraph. You have found the start of a paragraph, so you don't need to print out the paragraph definition. Print out the string, the line, and change the state to in paragraphs. """ self.__state = 'in_paragraphs' self.__write_obj.write(self.__text_string) self.__text_string = '' # found a new paragraph definition after an end of a paragraph def __new_para_def_func(self, line): """ Requires: line -- line to output Returns: Nothing Logic: You have found a new paragraph definition at the end of a paragraph. Output the end of the old paragraph definition. Output the text string. Output the line. Change the state to collect tokens. (And don't forget to set the text string to ''!) """ self.__write_para_def_end_func() self.__found_para_def_func() # after a paragraph and found reason to stop this block def __stop_block_func(self, line): """ Requires: line --(shouldn't be here?) Returns: nothing Logic: The state is after a paragraph, and you have found a larger block than paragraph-definition. You want to write the end tag of the old definition and reset the text string (handled by other methods). """ self.__write_para_def_end_func() self.__state = 'after_para_def' def __write_para_def_end_func(self): """ Requires: nothing Returns: nothing Logic: Print out the end of the pargraph definition tag, and the markers that let me know when I have reached this tag. (These markers are used for later parsing.) """ self.__write_obj.write(self.__end2_marker) self.__write_obj.write('mi<tg<close_____<paragraph-definition\n') self.__write_obj.write(self.__end_marker) self.__write_obj.write(self.__text_string) self.__text_string = '' keys = self.__att_val_dict.keys() if 'font-style' in keys: self.__write_obj.write('mi<mk<font-end__\n') if 'caps' in keys: self.__write_obj.write('mi<mk<caps-end__\n') def __get_num_of_style(self): """ Requires: nothing Returns: nothing Logic: Get a unique value for each style. """ my_string = '' new_style = 0 # when determining uniqueness for a style, ingorne these values, since # they don't tell us if the style is unique ignore_values = ['style-num', 'nest-level', 'in-table'] for k in sorted(self.__att_val_dict): if k not in ignore_values: my_string += f'{k}:{self.__att_val_dict[k]}' if my_string in self.__style_num_strings: num = self.__style_num_strings.index(my_string) num += 1 # since indexing starts at zero, rather than 1 else: self.__style_num_strings.append(my_string) num = len(self.__style_num_strings) new_style = 1 num = '%04d' % num self.__att_val_dict['style-num'] = 's' + str(num) if new_style: self.__write_body_styles() def __write_body_styles(self): style_string = '' style_string += 'mi<tg<empty-att_<paragraph-style-in-body' style_string += '<name>%s' % self.__att_val_dict['name'] style_string += '<style-number>%s' % self.__att_val_dict['style-num'] tabs_list = ['tabs-left', 'tabs-right', 'tabs-decimal', 'tabs-center', 'tabs-bar', 'tabs'] if self.__att_val_dict['tabs'] != '': the_value = self.__att_val_dict['tabs'] # the_value = the_value[:-1] style_string += ('<{}>{}'.format('tabs', the_value)) exclude = frozenset(['name', 'style-num', 'in-table'] + tabs_list) for k in sorted(self.__att_val_dict): if k not in exclude: style_string += (f'<{k}>{self.__att_val_dict[k]}') style_string += '\n' self.__body_style_strings.append(style_string) def __write_para_def_beg(self): """ Requires: nothing Returns: nothing Logic: Print out the beginning of the pargraph definition tag, and the markers that let me know when I have reached this tag. (These markers are used for later parsing.) """ self.__get_num_of_style() table = self.__att_val_dict.get('in-table') if table: # del self.__att_val_dict['in-table'] self.__write_obj.write('mi<mk<in-table__\n') else: self.__write_obj.write('mi<mk<not-in-tbl\n') left_indent = self.__att_val_dict.get('left-indent') if left_indent: self.__write_obj.write('mi<mk<left_inden<%s\n' % left_indent) is_list = self.__att_val_dict.get('list-id') if is_list: self.__write_obj.write('mi<mk<list-id___<%s\n' % is_list) else: self.__write_obj.write('mi<mk<no-list___\n') self.__write_obj.write('mi<mk<style-name<%s\n' % self.__att_val_dict['name']) self.__write_obj.write(self.__start_marker) self.__write_obj.write('mi<tg<open-att__<paragraph-definition') self.__write_obj.write('<name>%s' % self.__att_val_dict['name']) self.__write_obj.write('<style-number>%s' % self.__att_val_dict['style-num']) tabs_list = ['tabs-left', 'tabs-right', 'tabs-decimal', 'tabs-center', 'tabs-bar', 'tabs'] """ for tab_item in tabs_list: if self.__att_val_dict[tab_item] != '': the_value = self.__att_val_dict[tab_item] the_value = the_value[:-1] self.__write_obj.write('<%s>%s' % (tab_item, the_value)) """ if self.__att_val_dict['tabs'] != '': the_value = self.__att_val_dict['tabs'] # the_value = the_value[:-1] self.__write_obj.write('<{}>{}'.format('tabs', the_value)) keys = sorted(self.__att_val_dict) exclude = frozenset(['name', 'style-num', 'in-table'] + tabs_list) for key in keys: if key not in exclude: self.__write_obj.write(f'<{key}>{self.__att_val_dict[key]}') self.__write_obj.write('\n') self.__write_obj.write(self.__start2_marker) if 'font-style' in keys: face = self.__att_val_dict['font-style'] self.__write_obj.write('mi<mk<font______<%s\n' % face) if 'caps' in keys: value = self.__att_val_dict['caps'] self.__write_obj.write('mi<mk<caps______<%s\n' % value) def __empty_table_element_func(self, line): self.__write_obj.write('mi<mk<in-table__\n') self.__write_obj.write(line) self.__state = 'after_para_def' def __reset_dict(self): """ Requires: nothing Returns: nothing Logic: The dictionary containing values and attributes must be reset each time a new paragraphs definition is found. """ self.__att_val_dict.clear() self.__att_val_dict['name'] = 'Normal' self.__att_val_dict['font-style'] = self.__default_font self.__tab_type = 'left' self.__att_val_dict['tabs-left'] = '' self.__att_val_dict['tabs-right'] = '' self.__att_val_dict['tabs-center'] = '' self.__att_val_dict['tabs-decimal'] = '' self.__att_val_dict['tabs-bar'] = '' self.__att_val_dict['tabs'] = '' def make_paragraph_def(self): """ Requires: nothing Returns: nothing (changes the original file) Logic: Read one line in at a time. Determine what action to take based on the state. """ self.__initiate_values() read_obj = open_for_read(self.__file) self.__write_obj = open_for_write(self.__write_to) line_to_read = 1 while line_to_read: line_to_read = read_obj.readline() line = line_to_read self.__token_info = line[:16] action = self.__state_dict.get(self.__state) if action is None: sys.stderr.write('no no matching state in module sections.py\n') sys.stderr.write(self.__state + '\n') action(line) read_obj.close() self.__write_obj.close() copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to, "paragraphs_def.data") copy_obj.rename(self.__write_to, self.__file) os.remove(self.__write_to) return self.__body_style_strings
29,613
Python
.py
729
31.211248
132
0.521332
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,309
tokenize.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/tokenize.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### import os import re from calibre.ebooks.rtf2xml import copy from calibre.ptempfile import better_mktemp from calibre.utils.mreplace import MReplace from polyglot.builtins import codepoint_to_chr from . import open_for_read, open_for_write class Tokenize: """Tokenize RTF into one line per field. Each line will contain information useful for the rest of the script""" def __init__(self, in_file, bug_handler, copy=None, run_level=1, # out_file = None, ): self.__file = in_file self.__bug_handler = bug_handler self.__copy = copy self.__write_to = better_mktemp() # self.__write_to = out_file self.__compile_expressions() # variables self.__uc_char = 0 self.__uc_bin = False self.__uc_value = [1] def __reini_utf8_counters(self): self.__uc_char = 0 self.__uc_bin = False def __remove_uc_chars(self, startchar, token): for i in range(startchar, len(token)): if self.__uc_char: self.__uc_char -= 1 else: return token[i:] # if only char to skip return '' def __unicode_process(self, token): # change scope in if token == r'\{': self.__uc_value.append(self.__uc_value[-1]) # basic error handling self.__reini_utf8_counters() return token # change scope out elif token == r'\}': if self.__uc_value: self.__uc_value.pop() self.__reini_utf8_counters() return token # add a uc control elif token[:3] == '\\uc': self.__uc_value[-1] = int(token[3:]) self.__reini_utf8_counters() return token # bin data to slip elif self.__uc_bin: self.__uc_bin = False return '' # uc char to remove elif self.__uc_char: # handle \bin tag in case of uc char to skip if token[:4] == '\bin': self.__uc_char -=1 self.__uc_bin = True return '' elif token[:1] == "\\" : self.__uc_char -=1 return '' else: return self.__remove_uc_chars(0, token) # go for real \u token match_obj = self.__utf_exp.match(token) if match_obj is not None: self.__reini_utf8_counters() # get value and handle negative case uni_char = int(match_obj.group(1)) uni_len = len(match_obj.group(0)) if uni_char < 0: uni_char += 65536 uni_char = codepoint_to_chr(uni_char).encode('ascii', 'xmlcharrefreplace').decode('ascii') self.__uc_char = self.__uc_value[-1] # there is only an unicode char if len(token)<= uni_len: return uni_char # an unicode char and something else # must be after as it is splited on \ # necessary? maybe for \bin? elif not self.__uc_char: return uni_char + token[uni_len:] # if not uc0 and chars else: return uni_char + self.__remove_uc_chars(uni_len, token) # default return token def __sub_reg_split(self,input_file): input_file = self.__replace_spchar.mreplace(input_file) # this is for older RTF input_file = self.__par_exp.sub(r'\n\\par \n', input_file) input_file = self.__cwdigit_exp.sub(r"\g<1>\n\g<2>", input_file) input_file = self.__cs_ast.sub(r"\g<1>", input_file) input_file = self.__ms_hex_exp.sub(r"\\mshex0\g<1> ", input_file) input_file = self.__utf_ud.sub(r"\\{\\uc0 \g<1>\\}", input_file) # remove \n in bin data input_file = self.__bin_exp.sub(lambda x: x.group().replace('\n', '') + '\n', input_file) # split tokens = re.split(self.__splitexp, input_file) # remove empty tokens and \n return list(filter(lambda x: len(x) > 0 and x != '\n', tokens)) def __compile_expressions(self): SIMPLE_RPL = { "\\\\": "\\backslash ", "\\~": "\\~ ", "\\;": "\\; ", "&": "&amp;", "<": "&lt;", ">": "&gt;", "\\_": "\\_ ", "\\:": "\\: ", "\\-": "\\- ", # turn into a generic token to eliminate special # cases and make processing easier "\\{": "\\ob ", # turn into a generic token to eliminate special # cases and make processing easier "\\}": "\\cb ", # put a backslash in front of to eliminate special cases and # make processing easier "{": "\\{", # put a backslash in front of to eliminate special cases and # make processing easier "}": "\\}", } self.__replace_spchar = MReplace(SIMPLE_RPL) # add ;? in case of char following \u self.__ms_hex_exp = re.compile(r"\\\'([0-9a-fA-F]{2})") self.__utf_exp = re.compile(r"\\u(-?\d{3,6}) ?") self.__bin_exp = re.compile(r"(?:\\bin(-?\d{0,10})[\n ]+)[01\n]+") # manage upr/ud situations self.__utf_ud = re.compile(r"\\{[\n ]?\\upr[\n ]?(?:\\{.*?\\})[\n ]?" + r"\\{[\n ]?\\*[\n ]?\\ud[\n ]?(\\{.*?\\})[\n ]?\\}[\n ]?\\}") # add \n in split for whole file reading # why keep backslash whereas \is replaced before? # remove \n from endline char self.__splitexp = re.compile(r"(\\[{}]|\n|\\[^\s\\{}&]+(?:[ \t\r\f\v])?)") # this is for old RTF self.__par_exp = re.compile(r'(\\\n+|\\ )') # handle improper cs char-style with \* before without { self.__cs_ast = re.compile(r'\\\*([\n ]*\\cs\d+[\n \\]+)') # handle cw using a digit as argument and without space as delimiter self.__cwdigit_exp = re.compile(r"(\\[a-zA-Z]+[\-0-9]+)([^0-9 \\]+)") def tokenize(self): """Main class for handling other methods. Reads the file \ , uses method self.sub_reg to make basic substitutions,\ and process tokens by itself""" # read with open_for_read(self.__file) as read_obj: input_file = read_obj.read() # process simple replacements and split giving us a correct list # remove '' and \n in the process tokens = self.__sub_reg_split(input_file) # correct unicode tokens = map(self.__unicode_process, tokens) # remove empty items created by removing \uc tokens = list(filter(lambda x: len(x) > 0, tokens)) # write with open_for_write(self.__write_to) as write_obj: write_obj.write('\n'.join(tokens)) # Move and copy copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to, "tokenize.data") copy_obj.rename(self.__write_to, self.__file) os.remove(self.__write_to) # self.__special_tokens = [ '_', '~', "'", '{', '}' ] # import sys # def main(args=sys.argv): # if len(args) < 2: # print 'No file' # return # file = 'data_tokens.txt' # if len(args) == 3: # file = args[2] # to = Tokenize(args[1], Exception, out_file = file) # to.tokenize() # if __name__ == '__main__': # sys.exit(main()) # calibre-debug -e src/calibre/ebooks/rtf2xml/tokenize.py
8,555
Python
.py
201
32.701493
116
0.483325
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,310
info.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/info.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### import os import re import sys from calibre.ebooks.rtf2xml import copy from calibre.ptempfile import better_mktemp from . import open_for_read, open_for_write class Info: """ Make tags for document-information """ def __init__(self, in_file, bug_handler, copy=None, run_level=1, ): """ Required: 'file'--file to parse Optional: 'copy'-- whether to make a copy of result for debugging 'temp_dir' --where to output temporary results (default is directory from which the script is run.) Returns: nothing """ self.__file = in_file self.__bug_handler = bug_handler self.__copy = copy self.__run_level = run_level self.__write_to = better_mktemp() def __initiate_values(self): """ Initiate all values. """ self.__text_string = '' self.__state = 'before_info_table' self.rmspace = re.compile(r'\s+') self.__state_dict = { 'before_info_table': self.__before_info_table_func, 'after_info_table': self.__after_info_table_func, 'in_info_table' : self.__in_info_table_func, 'collect_text' : self.__collect_text_func, 'collect_tokens' : self.__collect_tokens_func, } self.__info_table_dict = { 'cw<di<title_____' : (self.__found_tag_with_text_func, 'title'), 'cw<di<author____' : (self.__found_tag_with_text_func, 'author'), 'cw<di<operator__' : (self.__found_tag_with_text_func, 'operator'), 'cw<di<manager___' : (self.__found_tag_with_text_func, 'manager'), 'cw<di<company___' : (self.__found_tag_with_text_func, 'company'), 'cw<di<keywords__' : (self.__found_tag_with_text_func, 'keywords'), 'cw<di<category__' : (self.__found_tag_with_text_func, 'category'), 'cw<di<doc-notes_' : (self.__found_tag_with_text_func, 'doc-notes'), 'cw<di<subject___' : (self.__found_tag_with_text_func, 'subject'), 'cw<di<linkbase__' : (self.__found_tag_with_text_func, 'hyperlink-base'), 'cw<di<create-tim' : (self.__found_tag_with_tokens_func, 'creation-time'), 'cw<di<revis-time' : (self.__found_tag_with_tokens_func, 'revision-time'), 'cw<di<print-time' : (self.__found_tag_with_tokens_func, 'printing-time'), 'cw<di<backuptime' : (self.__found_tag_with_tokens_func, 'backup-time'), 'cw<di<num-of-wor' : (self.__single_field_func, 'number-of-words'), 'cw<di<num-of-chr' : (self.__single_field_func, 'number-of-characters'), 'cw<di<numofchrws' : (self.__single_field_func, 'number-of-characters-without-space'), 'cw<di<num-of-pag' : (self.__single_field_func, 'number-of-pages'), 'cw<di<version___' : (self.__single_field_func, 'version'), 'cw<di<edit-time_' : (self.__single_field_func, 'editing-time'), 'cw<di<intern-ver' : (self.__single_field_func, 'internal-version-number'), 'cw<di<internalID' : (self.__single_field_func, 'internal-id-number'), } self.__token_dict = { 'year______' : 'year', 'month_____' : 'month', 'day_______' : 'day', 'minute____' : 'minute', 'second____' : 'second', 'revis-time' : 'revision-time', 'create-tim' : 'creation-time', 'edit-time_' : 'editing-time', 'print-time' : 'printing-time', 'backuptime' : 'backup-time', 'num-of-wor' : 'number-of-words', 'num-of-chr' : 'number-of-characters', 'numofchrws' : 'number-of-characters-without-space', 'num-of-pag' : 'number-of-pages', 'version___' : 'version', 'intern-ver' : 'internal-version-number', 'internalID' : 'internal-id-number', } def __before_info_table_func(self, line): """ Required: line -- the line to parse Returns: nothing Logic: Check for the beginning of the information table. When found, set the state to the information table. Always write the line. """ if self.__token_info == 'mi<mk<doc-in-beg': self.__state = 'in_info_table' self.__write_obj.write(line) def __in_info_table_func(self, line): """ Requires: line -- line to parse Returns: nothing. Logic: Check for the end of information. If not found, check if the token has a special value in the info table dictionary. If it does, execute that function. Otherwise, output the line to the file. """ if self.__token_info == 'mi<mk<doc-in-end': self.__state = 'after_info_table' else: action, tag = self.__info_table_dict.get(self.__token_info, (None, None)) if action: action(line, tag) else: self.__write_obj.write(line) def __found_tag_with_text_func(self, line, tag): """ Requires: line -- line to parse tag --what kind of line Returns: nothing Logic: This function marks the beginning of information fields that have text that must be collected. Set the type of information field with the tag option. Set the state to collecting text """ self.__tag = tag self.__state = 'collect_text' def __collect_text_func(self, line): """ Requires: line -- line to parse Returns: nothing Logic: If the end of the information field is found, write the text string to the file. Otherwise, if the line contains text, add it to the text string. """ if self.__token_info == 'mi<mk<docinf-end': self.__state = 'in_info_table' # Don't print empty tags if len(self.rmspace.sub('',self.__text_string)): self.__write_obj.write( 'mi<tg<open______<%s\n' 'tx<nu<__________<%s\n' 'mi<tg<close_____<%s\n' % (self.__tag, self.__text_string, self.__tag) ) self.__text_string = '' elif line[0:2] == 'tx': self.__text_string += line[17:-1] def __found_tag_with_tokens_func(self, line, tag): """ Requires: line -- line to parse tag -- type of field Returns: nothing Logic: Some fields have a series of tokens (cw<di<year______<nu<2003) that must be parsed as attributes for the element. Set the state to collect tokesn, and set the text string to start an empty element with attributes. """ self.__state = 'collect_tokens' self.__text_string = 'mi<tg<empty-att_<%s' % tag # mi<tg<empty-att_<page-definition<margin>33\n def __collect_tokens_func(self, line): """ Requires: line -- line to parse Returns: nothing Logic: This function collects all the token information and adds it to the text string until the end of the field is found. First check of the end of the information field. If found, write the text string to the file. If not found, get the relevant information from the text string. This information cannot be directly added to the text string, because it exists in abbreviated form. (num-of-wor) I want to check this information in a dictionary to convert it to a longer, readable form. If the key does not exist in the dictionary, print out an error message. Otherwise add the value to the text string. (num-of-wor => number-of-words) """ # cw<di<year______<nu<2003 if self.__token_info == 'mi<mk<docinf-end': self.__state = 'in_info_table' self.__write_obj.write( '%s\n' % self.__text_string ) self.__text_string = '' else: att = line[6:16] value = line[20:-1] att_changed = self.__token_dict.get(att) if att_changed is None: if self.__run_level > 3: msg = 'No dictionary match for %s\n' % att raise self.__bug_handler(msg) else: self.__text_string += f'<{att_changed}>{value}' def __single_field_func(self, line, tag): value = line[20:-1] self.__write_obj.write( f'mi<tg<empty-att_<{tag}<{tag}>{value}\n' ) def __after_info_table_func(self, line): """ Requires: line --line to write to file Returns: nothing Logic: After the end of the information table, simple write the line to the file. """ self.__write_obj.write(line) def fix_info(self): """ Requires: nothing Returns: nothing (changes the original file) Logic: Read one line in at a time. Determine what action to take based on the state. If the state is before the information table, look for the beginning of the style table. If the state is in the information table, use other methods to parse the information style table, look for lines with style info, and substitute the number with the name of the style. If the state if after the information table, simply write the line to the output file. """ self.__initiate_values() with open_for_read(self.__file) as read_obj: with open_for_write(self.__write_to) as self.__write_obj: for line in read_obj: self.__token_info = line[:16] action = self.__state_dict.get(self.__state) if action is None: sys.stderr.write('No matching state in module styles.py\n') sys.stderr.write(self.__state + '\n') action(line) copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to, "info.data") copy_obj.rename(self.__write_to, self.__file) os.remove(self.__write_to)
11,684
Python
.py
270
32.937037
95
0.513732
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,311
styles.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/styles.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### import os import sys from calibre.ebooks.rtf2xml import border_parse, copy from calibre.ptempfile import better_mktemp from . import open_for_read, open_for_write class Styles: """ Change lines with style numbers to actual style names. """ def __init__(self, in_file, bug_handler, copy=None, run_level=1, ): """ Required: 'file'--file to parse Optional: 'copy'-- whether to make a copy of result for debugging 'temp_dir' --where to output temporary results (default is directory from which the script is run.) Returns: nothing """ self.__file = in_file self.__bug_handler = bug_handler self.__copy = copy self.__write_to = better_mktemp() self.__run_level = run_level def __initiate_values(self): """ Initiate all values. """ self.__border_obj = border_parse.BorderParse() self.__styles_dict = {'par':{}, 'char':{}} self.__styles_num = '0' self.__type_of_style = 'par' self.__text_string = '' self.__state = 'before_styles_table' self.__state_dict = { 'before_styles_table': self.__before_styles_func, 'in_styles_table' : self.__in_styles_func, 'in_individual_style' : self.__in_individual_style_func, 'after_styles_table' : self.__after_styles_func, 'mi<mk<styles-beg' : self.__found_styles_table_func, 'mi<mk<styles-end' : self.__found_end_styles_table_func, 'mi<mk<stylei-beg' : self.__found_beg_ind_style_func, 'mi<mk<stylei-end' : self.__found_end_ind_style_func, 'cw<ss<para-style' : self.__para_style_func, 'cw<ss<char-style' : self.__char_style_func, } # A separate dictionary for parsing the body text self.__body_dict = { 'cw<ss<para-style' : (self.__para_style_in_body_func, 'par'), 'cw<ss<char-style' : (self.__para_style_in_body_func, 'char'), } # Dictionary needed to convert shortened style names to readable names self.__token_dict={ # paragraph formatting => pf 'par-end___' : 'para', 'par-def___' : 'paragraph-definition', 'keep-w-nex' : 'keep-with-next', 'widow-cntl' : 'widow-control', 'adjust-rgt' : 'adjust-right', 'language__' : 'language', 'right-inde' : 'right-indent', 'fir-ln-ind' : 'first-line-indent', 'left-inden' : 'left-indent', 'space-befo' : 'space-before', 'space-afte' : 'space-after', 'line-space' : 'line-spacing', 'default-ta' : 'default-tab', 'align_____' : 'align', 'widow-cntr' : 'widow-control', # page formatting mixed in! (Just in older RTF?) 'margin-lef' : 'left-indent', 'margin-rig' : 'right-indent', 'margin-bot' : 'space-after', 'margin-top' : 'space-before', # stylesheet = > ss 'style-shet' : 'stylesheet', 'based-on__' : 'based-on-style', 'next-style' : 'next-style', 'char-style' : 'character-style', 'para-style' : 'paragraph-style', # graphics => gr 'picture___' : 'pict', 'obj-class_' : 'obj_class', 'mac-pic___' : 'mac-pict', # section => sc 'section___' : 'section-new', 'sect-defin' : 'section-reset', 'sect-note_' : 'endnotes-in-section', # list=> ls 'list-text_' : 'list-text', 'list______' : 'list', 'list-lev-d' : 'list-level-definition', 'list-cardi' : 'list-cardinal-numbering', 'list-decim' : 'list-decimal-numbering', 'list-up-al' : 'list-uppercase-alphabetic-numbering', 'list-up-ro' : 'list-uppercae-roman-numbering', 'list-ord__' : 'list-ordinal-numbering', 'list-ordte' : 'list-ordinal-text-numbering', 'list-bulli' : 'list-bullet', 'list-simpi' : 'list-simple', 'list-conti' : 'list-continue', 'list-hang_' : 'list-hang', # 'list-tebef' : 'list-text-before', # 'list-level' : 'level', 'list-id___' : 'list-id', 'list-start' : 'list-start', 'nest-level' : 'nest-level', # duplicate 'list-level' : 'list-level', # notes => nt 'footnote__' : 'footnote', 'type______' : 'type', # anchor => an 'toc_______' : 'anchor-toc', 'book-mk-st' : 'bookmark-start', 'book-mk-en' : 'bookmark-end', 'index-mark' : 'anchor-index', 'place_____' : 'place', # field => fd 'field_____' : 'field', 'field-inst' : 'field-instruction', 'field-rslt' : 'field-result', 'datafield_' : 'data-field', # info-tables => it 'font-table' : 'font-table', 'colr-table' : 'color-table', 'lovr-table' : 'list-override-table', 'listtable_' : 'list-table', 'revi-table' : 'revision-table', # character info => ci 'hidden____' : 'hidden', 'italics___' : 'italics', 'bold______' : 'bold', 'strike-thr' : 'strike-through', 'shadow____' : 'shadow', 'outline___' : 'outline', 'small-caps' : 'small-caps', 'dbl-strike' : 'double-strike-through', 'emboss____' : 'emboss', 'engrave___' : 'engrave', 'subscript_' : 'subscript', 'superscrip' : 'superscript', 'plain_____' : 'plain', 'font-style' : 'font-style', 'font-color' : 'font-color', 'font-size_' : 'font-size', 'font-up___' : 'superscript', 'font-down_' : 'subscript', 'red_______' : 'red', 'blue______' : 'blue', 'green_____' : 'green', 'caps______' : 'caps', # table => tb 'row-def___' : 'row-definition', 'cell______' : 'cell', 'row_______' : 'row', 'in-table__' : 'in-table', 'columns___' : 'columns', 'row-pos-le' : 'row-position-left', 'cell-posit' : 'cell-position', # preamble => pr # underline 'underlined' : 'underlined', # border => bd 'bor-t-r-hi' : 'border-table-row-horizontal-inside', 'bor-t-r-vi' : 'border-table-row-vertical-inside', 'bor-t-r-to' : 'border-table-row-top', 'bor-t-r-le' : 'border-table-row-left', 'bor-t-r-bo' : 'border-table-row-bottom', 'bor-t-r-ri' : 'border-table-row-right', 'bor-cel-bo' : 'border-cell-bottom', 'bor-cel-to' : 'border-cell-top', 'bor-cel-le' : 'border-cell-left', 'bor-cel-ri' : 'border-cell-right', # 'bor-par-bo' : 'border-paragraph-bottom', 'bor-par-to' : 'border-paragraph-top', 'bor-par-le' : 'border-paragraph-left', 'bor-par-ri' : 'border-paragraph-right', 'bor-par-bo' : 'border-paragraph-box', 'bor-for-ev' : 'border-for-every-paragraph', 'bor-outsid' : 'border-outisde', 'bor-none__' : 'border', # border type => bt 'bdr-single' : 'single', 'bdr-doubtb' : 'double-thickness-border', 'bdr-shadow' : 'shadowed-border', 'bdr-double' : 'double-border', 'bdr-dotted' : 'dotted-border', 'bdr-dashed' : 'dashed', 'bdr-hair__' : 'hairline', 'bdr-inset_' : 'inset', 'bdr-das-sm' : 'dash-small', 'bdr-dot-sm' : 'dot-dash', 'bdr-dot-do' : 'dot-dot-dash', 'bdr-outset' : 'outset', 'bdr-trippl' : 'tripple', 'bdr-thsm__' : 'thick-thin-small', 'bdr-htsm__' : 'thin-thick-small', 'bdr-hthsm_' : 'thin-thick-thin-small', 'bdr-thm__' : 'thick-thin-medium', 'bdr-htm__' : 'thin-thick-medium', 'bdr-hthm_' : 'thin-thick-thin-medium', 'bdr-thl__' : 'thick-thin-large', 'bdr-hthl_' : 'think-thick-think-large', 'bdr-wavy_' : 'wavy', 'bdr-d-wav' : 'double-wavy', 'bdr-strip' : 'striped', 'bdr-embos' : 'emboss', 'bdr-engra' : 'engrave', 'bdr-frame' : 'frame', 'bdr-li-wid' : 'line-width', # tabs 'tab-center' : 'center', 'tab-right_' : 'right', 'tab-dec___' : 'decimal', 'leader-dot' : 'leader-dot', 'leader-hyp' : 'leader-hyphen', 'leader-und' : 'leader-underline', } self.__tabs_dict = { 'cw<pf<tab-stop__' : self.__tab_stop_func, 'cw<pf<tab-center' : self.__tab_type_func, 'cw<pf<tab-right_' : self.__tab_type_func, 'cw<pf<tab-dec___' : self.__tab_type_func, 'cw<pf<leader-dot' : self.__tab_leader_func, 'cw<pf<leader-hyp' : self.__tab_leader_func, 'cw<pf<leader-und' : self.__tab_leader_func, 'cw<pf<tab-bar-st' : self.__tab_bar_func, } self.__tab_type_dict = { 'cw<pf<tab-center' : 'center', 'cw<pf<tab-right_' : 'right', 'cw<pf<tab-dec___' : 'decimal', 'cw<pf<leader-dot' : 'leader-dot', 'cw<pf<leader-hyp' : 'leader-hyphen', 'cw<pf<leader-und' : 'leader-underline', } self.__ignore_list = [ 'list-tebef', ] self.__tabs_list = self.__tabs_dict.keys() self.__tab_type = 'left' self.__leader_found = 0 def __in_individual_style_func(self, line): """ Required: line Returns: nothing Logic: Check if the token marks the end of the individual style. (Action is the value of the state dictionary, and the only key that will match in this function is the end of the individual style.) If the end of the individual style is not found, check if the line is a control word. If it is, extract the relelvant info and look up this info in the tokens dictionary. I want to change abbreviated names for longer, more readable ones. Write an error message if no key is found for the info. If the line is text, add the text to a text string. The text string will be the name of the style. """ action = self.__state_dict.get(self.__token_info) if action: action(line) # have to parse border lines with external module elif line[0:5] == 'cw<bd': border_dict = self.__border_obj.parse_border(line) keys = border_dict.keys() for key in keys: self.__enter_dict_entry(key, border_dict[key]) elif self.__token_info in self.__tabs_list: action = self.__tabs_dict.get(self.__token_info) if action is not None: action(line) elif line[0:2] == 'cw': # cw<pf<widow-cntl<nu<true info = line[6:16] att = self.__token_dict.get(info) if att is None : if info not in self.__ignore_list: if self.__run_level > 3: msg = 'no value for key %s\n' % info raise self.__bug_handler(msg) else: value = line[20:-1] self.__enter_dict_entry(att, value) elif line[0:2] == 'tx': self.__text_string += line[17:-1] def __tab_stop_func(self, line): """ Requires: line -- line to parse Returns: nothing Logic: Try to add the number to dictionary entry tabs-left, or tabs-right, etc. If the dictionary entry doesn't exist, create one. """ try: if self.__leader_found: self.__styles_dict['par'][self.__styles_num]['tabs']\ += '%s:' % self.__tab_type self.__styles_dict['par'][self.__styles_num]['tabs']\ += '%s;' % line[20:-1] else: self.__styles_dict['par'][self.__styles_num]['tabs']\ += '%s:' % self.__tab_type self.__styles_dict['par'][self.__styles_num]['tabs']\ += '%s;' % line[20:-1] except KeyError: self.__enter_dict_entry('tabs', '') self.__styles_dict['par'][self.__styles_num]['tabs']\ += '%s:' % self.__tab_type self.__styles_dict['par'][self.__styles_num]['tabs'] += '%s;' % line[20:-1] self.__tab_type = 'left' self.__leader_found = 0 def __tab_type_func(self, line): """ """ type = self.__tab_type_dict.get(self.__token_info) if type is not None: self.__tab_type = type else: if self.__run_level > 3: msg = 'no entry for %s\n' % self.__token_info raise self.__bug_handler(msg) def __tab_leader_func(self, line): """ Requires: line --line to parse Returns: nothing Logic: Try to add the string of the tab leader to dictionary entry tabs-left, or tabs-right, etc. If the dictionary entry doesn't exist, create one. """ self.__leader_found = 1 leader = self.__tab_type_dict.get(self.__token_info) if leader is not None: leader += '^' try: self.__styles_dict['par'][self.__styles_num]['tabs'] += ':%s;' % leader except KeyError: self.__enter_dict_entry('tabs', '') self.__styles_dict['par'][self.__styles_num]['tabs'] += '%s;' % leader else: if self.__run_level > 3: msg = 'no entry for %s\n' % self.__token_info raise self.__bug_handler(msg) def __tab_bar_func(self, line): """ Requires: line -- line to parse Returns: nothing Logic: Try to add the string of the tab bar to dictionary entry tabs-bar. If the dictionary entry doesn't exist, create one. """ # self.__add_dict_entry('tabs-bar', line[20:-1]) try: self.__styles_dict['par'][self.__styles_num]['tabs']\ += '%s:' % 'bar' self.__styles_dict['par'][self.__styles_num]['tabs']\ += '%s;' % line[20:-1] except KeyError: self.__enter_dict_entry('tabs', '') self.__styles_dict['par'][self.__styles_num]['tabs']\ += '%s:' % 'bar' self.__styles_dict['par'][self.__styles_num]['tabs']\ += '%s;' % line[20:-1] self.__tab_type = 'left' def __enter_dict_entry(self, att, value): """ Required: att -- the attribute value -- the value Returns: nothing Logic: Try to add the attribute value directly to the styles dictionary. If a keyerror is found, that means I have to build the "branches" of the dictionary before I can add the key value pair. """ try: self.__styles_dict[self.__type_of_style][self.__styles_num][att] = value except KeyError: self.__add_dict_entry(att, value) def __add_dict_entry(self, att, value): """ Required: att --the attribute value --the value Returns: nothing Logic: I have to build the branches of the dictionary before I can add the leaves. (I am comparing a dictionary to a tree.) To achieve this, I first make a temporary dictionary by extracting either the inside dictionary of the keyword par or char. This temporary dictionary is called type_dict. Next, create a second, smaller dictionary with just the attribute and value. Add the small dictionary to the type dictionary. Add this type dictionary to the main styles dictionary. """ if self.__type_of_style == 'par': type_dict =self.__styles_dict['par'] elif self.__type_of_style == 'char': type_dict = self.__styles_dict['char'] else: if self.__run_level > 3: msg = self.__type_of_style + 'error\n' raise self.__bug_handler(msg) smallest_dict = {} smallest_dict[att] = value type_dict[self.__styles_num] = smallest_dict self.__styles_dict[self.__type_of_style] = type_dict def __para_style_func(self, line): """ Required: line Returns: nothing Logic: Set the type of style to paragraph. Extract the number for a line such as "cw<ss<para-style<nu<15". """ self.__type_of_style = 'par' self.__styles_num = line[20:-1] """ self.__enter_dict_entry('tabs-left', '') self.__enter_dict_entry('tabs-right', '') self.__enter_dict_entry('tabs-center', '') self.__enter_dict_entry('tabs-decimal', '') self.__enter_dict_entry('tabs-bar', '') """ def __char_style_func(self, line): """ Required: line Returns: nothing Logic: Set the type of style to character. Extract the number for a line such as "cw<ss<char-style<nu<15". """ self.__type_of_style = 'char' self.__styles_num = line[20:-1] def __found_beg_ind_style_func(self, line): """ Required: line Returns: nothing Logic: Get rid of the last semicolon in the text string. Add the text string as the value with 'name' as the key in the style dictionary. """ self.__state = 'in_individual_style' def __found_end_ind_style_func(self, line): name = self.__text_string[:-1] # get rid of semicolon # add 2005-04-29 # get rid of space before or after name = name.strip() self.__enter_dict_entry('name', name) self.__text_string = '' def __found_end_styles_table_func(self, line): """ Required: line Returns: nothing Logic: Set the state to after the styles table. Fix the styles. (I explain this below.) Print out the style table. """ self.__state = 'after_styles_table' self.__fix_based_on() self.__print_style_table() def __fix_based_on(self): """ Requires: nothing Returns: nothing Logic: The styles dictionary may contain a pair of key values such as 'next-style' => '15'. I want to change the 15 to the name of the style. I accomplish this by simply looking up the value of 15 in the styles table. Use two loops. First, check all the paragraph styles. Then check all the character styles. The inner loop: first check 'next-style', then check 'based-on-style'. Make sure values exist for the keys to avoid the nasty keyerror message. """ types = ['par', 'char'] for type in types: keys = self.__styles_dict[type].keys() for key in keys: styles = ['next-style', 'based-on-style'] for style in styles: value = self.__styles_dict[type][key].get(style) if value is not None: temp_dict = self.__styles_dict[type].get(value) if temp_dict: changed_value = self.__styles_dict[type][value].get('name') if changed_value: self.__styles_dict[type][key][style] = \ changed_value else: if value == 0 or value == '0': pass else: if self.__run_level > 4: msg = f'{type} {key} is based on {value}\n' msg = 'There is no style with %s\n' % value raise self.__bug_handler(msg) del self.__styles_dict[type][key][style] def __print_style_table(self): """ Required: nothing Returns: nothing Logic: This function prints out the style table. I use three nested for loops. The outer loop prints out the paragraphs styles, then the character styles. The next loop iterates through the style numbers. The most inside loop iterates over the pairs of attributes and values, and prints them out. """ types = ['par', 'char'] for type in types: if type == 'par': prefix = 'paragraph' else: prefix = 'character' self.__write_obj.write( 'mi<tg<open______<%s-styles\n' % prefix ) style_numbers = self.__styles_dict[type].keys() for num in style_numbers: self.__write_obj.write( f'mi<tg<empty-att_<{prefix}-style-in-table<num>{num}' ) attributes = self.__styles_dict[type][num].keys() for att in attributes: this_value = self.__styles_dict[type][num][att] self.__write_obj.write( f'<{att}>{this_value}' ) self.__write_obj.write('\n') self.__write_obj.write( 'mi<tg<close_____<%s-styles\n' % prefix ) def __found_styles_table_func(self, line): """ Required: line Returns: nothing Logic: Change the state to in the style table when the marker has been found. """ self.__state = 'in_styles_table' def __before_styles_func(self, line): """ Required: line Returns: nothing. Logic: Check the line info in the state dictionary. When the beginning of the styles table is found, change the state to in the styles table. """ action = self.__state_dict.get(self.__token_info) if not action: self.__write_obj.write(line) else: action(line) def __in_styles_func(self, line): """ Required: line Returns: nothing Logic: Check the line for the beginning of an individual style. If it is not found, simply print out the line. """ action = self.__state_dict.get(self.__token_info) if action is None: self.__write_obj.write(line) else: action(line) def __para_style_in_body_func(self, line, type): """ Required: line-- the line type -- whether a character or paragraph Returns: nothing Logic: Determine the prefix by whether the type is "par" or "char". Extract the number from a line such as "cw<ss<para-style<nu<15". Look up that number in the styles dictionary and put a name for a number """ if type == 'par': prefix = 'para' else: prefix = 'char' num = line[20:-1] # may be invalid RTF--a style down below not defined above! try: value = self.__styles_dict[type][num]['name'] except KeyError: value = None if value: self.__write_obj.write( f'cw<ss<{prefix}-style<nu<{value}\n' ) else: self.__write_obj.write( 'cw<ss<%s_style<nu<not-defined\n' % prefix ) def __after_styles_func(self, line): """ Required: line Returns: nothing Logic: Determine if a line with either character of paragraph style info has been found. If so, then use the appropriate method to parse the line. Otherwise, write the line to a file. """ action, type = self.__body_dict.get(self.__token_info, (None, None)) if action: action(line, type) else: self.__write_obj.write(line) def convert_styles(self): """ Requires: nothing Returns: nothing (changes the original file) Logic: Read one line in at a time. Determine what action to take based on the state. If the state is before the style table, look for the beginning of the style table. If the state is in the style table, create the style dictionary and print out the tags. If the state if after the style table, look for lines with style info, and substitute the number with the name of the style. """ self.__initiate_values() read_obj = open_for_read(self.__file) self.__write_obj = open_for_write(self.__write_to) line_to_read = 1 while line_to_read: line_to_read = read_obj.readline() line = line_to_read self.__token_info = line[:16] action = self.__state_dict.get(self.__state) if action is None: sys.stderr.write('no matching state in module styles.py\n') sys.stderr.write(self.__state + '\n') action(line) read_obj.close() self.__write_obj.close() copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to, "styles.data") copy_obj.rename(self.__write_to, self.__file) os.remove(self.__write_to)
27,689
Python
.py
699
28.761087
88
0.492212
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,312
char_set.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/char_set.py
char_set = """ <ms_standard> NON-BREAKING HYPEHN:_:8290:&#x2011; LEFT DOUBLE QUOTATION MARK:ldblquote:8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:rdblquote:8221:&#x201D; LEFT SINGLE QUOTATION MARK:lquote:8216:&#x2018; RIGHT SINGLE QUOTATION MARK:rquote:8217:&#x2019; EN DASH:endash:8211:&#x2013; EM DASH:emdash:8212:&#x2014; MIDDLE DOT:bullet:183:&#x00B7; <control>:tab:9:&#x009; NO-BREAK SPACE:~:160:&#x00A0; SOFT-HYPHEN:-:173:&#x00AD; </ms_standard> <ms_symbol> REGISTERED SIGN:ldblquote:174:&#x00AE; COPYRIGHT SIGN:rdblquote:169:&#x00A9; N-ARY PRODUCT:rquote:8719:&#x220F; TRADE MARK SIGN:lquote:8482:&#x2122; ANGLE:emdash:8736:&#x2220; WHITE DOWN-POINTING TRIANGLE:endash:9661:&#x25BD; INFINITY:bullet:8734:&#x221E; <control>:tab:9:&#x009; NO-BREAK SPACE:~:160:&#x00A0; NON-BREAKING HYPEHN:_:8209:&#x2011; </ms_symbol> <ms_dingbats> DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT NINE:10130:ldblquote:&#x2792; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT TEN:rdblquote:10131:&#x2793; HEAVY WIDE-HEADED RIGHTWARDS ARROW:lquote:10132:&#x2794; RIGHTWARDS ARROW:rquote:8594:&#x2192; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT SEVEN:endash:10128:&#x2790; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT EIGHT:emdash:10129:&#x2791; ROTATED HEAVY BLACK HEART BULLET:bullet:10085:&#x2765; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT ONE:~:10122:&#x278A; WRITING HAND:_:9997:&#x270D; </ms_dingbats> <ms_wingdings> <control>:tab:9:&#x009; PROPOSE "HEDERA UPPER RIGHT":ldblquote:none:<udef_symbol num="?" description="hedera_upper_right"/> PROPOSE "HEDERA LOWER LEFT":rdblquote:none:<udef_symbol num="?" description="hedera_lower_left"/> PROPOSE "HEDERA LOWER RIGHT":lquote:none:<udef_symbol num="?" description="hedera_lower_right"/> ERASE TO THE LEFT:rquote:9003:&#x232B; AMPERSAND:endash:38:&amp; PROPOSE "HEDERA UPPER LEFT":emdash:none:<udef_symbol num="?" description="hedera_upper_left"/> SUN:bullet:9737:&#x2609; PROPOSE "NOTCHED RIGHTWARDS DOUBLE ARROW WITH TIP DOWNWARDS":~:none:<udef_symbol description="notched_rightwards_double_arrow_with_tip_downwards"/> PROPOSE "MAIL FLAG UP":_:none:<udef_symbol num="?" description="mail_flag_up"/> </ms_wingdings> <not_unicode> NULL (NUL):'00:0:&#x0000; START OF HEADING (SOH):'01:1:&#x0001; START OF TEXT (STX):'02:2:&#x0002; END OF TEXT (ETX):'03:3:&#x0003; END OF TRANSMISSION (EOT):'04:4:&#x0004; ENQUIRY (ENQ):'05:5:&#x0005; ACKNOWLEDGE (ACK):'06:6:&#x0006; BELL (BEL):'07:7:&#x0007; BACKSPACE (BS):'08:8:&#x0008; LINE TABULATION (VT):'0B:11:&#x000B; FORM FEED (FF):'0C:12:&#x000C; SHIFT OUT (SO):'0E:14:&#x000E; SHIFT IN (SI):'0F:15:&#x000F; DATALINK ESCAPE (DLE):'10:16:&#x0010; DEVICE CONTROL ONE (DC1):'11:17:&#x0011; DEVICE CONTROL TWO (DC2):'12:18:&#x0012; DEVICE CONTROL THREE (DC3):'13:19:&#x0013; DEVICE CONTROL FOUR (DC4):'14:20:&#x0014; NEGATIVE ACKNOWLEDGE (NAK):'15:21:&#x0015; SYNCHRONOUS IDLE (SYN):'16:22:&#x0016; END OF TRANSMISSION BLOCK (ETB):'17:23:&#x0017; CANCEL (CAN):'18:24:&#x0018; END OF MEDIUM (EM):'19:25:&#x0019; SUBSTITUTE (SUB):'1A:26:&#x001A; ESCAPE (ESC):'1B:27:&#x001B; FILE SEPARATOR (IS4):'1C:28:&#x001C; GROUP SEPARATOR (IS3):'1D:29:&#x001D; RECORD SEPARATOR (IS2):'1E:30:&#x001E; UNIT SEPARATOR (IS1):'1F:31:&#x001F; </not_unicode> <bottom_128> CHARACTER TABULATION (HT):'09:9:&#x0009; LINE FEED (LF):'0A:10:&#x000A; CARRIAGE RETURN (CR):'0D:13:&#x000D; SPACE:'20:32: EXCLAMATION MARK:'21:33:! QUOTATION MARK:'22:34:" NUMBER SIGN:'23:35:# DOLLAR SIGN:'24:36:$ PERCENT SIGN:'25:37:% AMPERSAND:'26:38:&amp; APOSTROPHE:'27:39:' LEFT PARENTHESIS:'28:40:( RIGHT PARENTHESIS:'29:41:) ASTERISK:'2A:42:* PLUS SIGN:'2B:43:+ COMMA:'2C:44:, HYPHEN-MINUS:'2D:45:- FULL STOP:'2E:46:. SOLIDUS:'2F:47:/ DIGIT ZERO:'30:48:0 DIGIT ONE:'31:49:1 DIGIT TWO:'32:50:2 DIGIT THREE:'33:51:3 DIGIT FOUR:'34:52:4 DIGIT FIVE:'35:53:5 DIGIT SIX:'36:54:6 DIGIT SEVEN:'37:55:7 DIGIT EIGHT:'38:56:8 DIGIT NINE:'39:57:9 COLON:'3A:58:\\colon SEMICOLON:'3B:59:; LESS-THAN SIGN:'3C:60:&lt; EQUALS SIGN:'3D:61:= GREATER-THAN SIGN:'3E:62:&gt; QUESTION MARK:'3F:63:? COMMERCIAL AT:'40:64:&#x0040; LATIN CAPITAL LETTER A:'41:65:A LATIN CAPITAL LETTER B:'42:66:B LATIN CAPITAL LETTER C:'43:67:C LATIN CAPITAL LETTER D:'44:68:D LATIN CAPITAL LETTER E:'45:69:E LATIN CAPITAL LETTER F:'46:70:F LATIN CAPITAL LETTER G:'47:71:G LATIN CAPITAL LETTER H:'48:72:H LATIN CAPITAL LETTER I:'49:73:I LATIN CAPITAL LETTER J:'4A:74:J LATIN CAPITAL LETTER K:'4B:75:K LATIN CAPITAL LETTER L:'4C:76:L LATIN CAPITAL LETTER M:'4D:77:M LATIN CAPITAL LETTER N:'4E:78:N LATIN CAPITAL LETTER O:'4F:79:O LATIN CAPITAL LETTER P:'50:80:P LATIN CAPITAL LETTER Q:'51:81:Q LATIN CAPITAL LETTER R:'52:82:R LATIN CAPITAL LETTER S:'53:83:S LATIN CAPITAL LETTER T:'54:84:T LATIN CAPITAL LETTER U:'55:85:U LATIN CAPITAL LETTER V:'56:86:V LATIN CAPITAL LETTER W:'57:87:W LATIN CAPITAL LETTER X:'58:88:X LATIN CAPITAL LETTER Y:'59:89:Y LATIN CAPITAL LETTER Z:'5A:90:Z LEFT SQUARE BRACKET:'5B:91:[ REVERSE SOLIDUS:'5C:92:\ RIGHT SQUARE BRACKET:'5D:93:] CIRCUMFLEX ACCENT:'5E:94:&#x005E; LOW LINE:'5F:95:&#x005F; GRAVE ACCENT:'60:96:&#x0060; LATIN SMALL LETTER A:'61:97:a LATIN SMALL LETTER B:'62:98:b LATIN SMALL LETTER C:'63:99:c LATIN SMALL LETTER D:'64:100:d LATIN SMALL LETTER E:'65:101:e LATIN SMALL LETTER F:'66:102:f LATIN SMALL LETTER G:'67:103:g LATIN SMALL LETTER H:'68:104:h LATIN SMALL LETTER I:'69:105:i LATIN SMALL LETTER J:'6A:106:j LATIN SMALL LETTER K:'6B:107:k LATIN SMALL LETTER L:'6C:108:l LATIN SMALL LETTER M:'6D:109:m LATIN SMALL LETTER N:'6E:110:n LATIN SMALL LETTER O:'6F:111:o LATIN SMALL LETTER P:'70:112:p LATIN SMALL LETTER Q:'71:113:q LATIN SMALL LETTER R:'72:114:r LATIN SMALL LETTER S:'73:115:s LATIN SMALL LETTER T:'74:116:t LATIN SMALL LETTER U:'75:117:u LATIN SMALL LETTER V:'76:118:v LATIN SMALL LETTER W:'77:119:w LATIN SMALL LETTER X:'78:120:x LATIN SMALL LETTER Y:'79:121:y LATIN SMALL LETTER Z:'7A:122:z LEFT CURLY BRACKET:'7B:123:{ VERTICAL LINE:'7C:124:| RIGHT CURLY BRACKET:'7D:125:} TILDE:'7E:126:~ DELETE (DEL):'7F:127:&#x007F; </bottom_128> <bottom_128_old> NULL (NUL):'00:0:&#x0000; START OF HEADING (SOH):'01:1:&#x0001; START OF TEXT (STX):'02:2:&#x0002; END OF TEXT (ETX):'03:3:&#x0003; END OF TRANSMISSION (EOT):'04:4:&#x0004; ENQUIRY (ENQ):'05:5:&#x0005; ACKNOWLEDGE (ACK):'06:6:&#x0006; BELL (BEL):'07:7:&#x0007; BACKSPACE (BS):'08:8:&#x0008; CHARACTER TABULATION (HT):'09:9:&#x0009; LINE FEED (LF):'0A:10:&#x000A; LINE TABULATION (VT):'0B:11:&#x000B; FORM FEED (FF):'0C:12:&#x000C; CARRIAGE RETURN (CR):'0D:13:&#x000D; SHIFT OUT (SO):'0E:14:&#x000E; SHIFT IN (SI):'0F:15:&#x000F; DATALINK ESCAPE (DLE):'10:16:&#x0010; DEVICE CONTROL ONE (DC1):'11:17:&#x0011; DEVICE CONTROL TWO (DC2):'12:18:&#x0012; DEVICE CONTROL THREE (DC3):'13:19:&#x0013; DEVICE CONTROL FOUR (DC4):'14:20:&#x0014; NEGATIVE ACKNOWLEDGE (NAK):'15:21:&#x0015; SYNCHRONOUS IDLE (SYN):'16:22:&#x0016; END OF TRANSMISSION BLOCK (ETB):'17:23:&#x0017; CANCEL (CAN):'18:24:&#x0018; END OF MEDIUM (EM):'19:25:&#x0019; SUBSTITUTE (SUB):'1A:26:&#x001A; ESCAPE (ESC):'1B:27:&#x001B; FILE SEPARATOR (IS4):'1C:28:&#x001C; GROUP SEPARATOR (IS3):'1D:29:&#x001D; RECORD SEPARATOR (IS2):'1E:30:&#x001E; UNIT SEPARATOR (IS1):'1F:31:&#x001F; SPACE:'20:32:&#x0020; EXCLAMATION MARK:'21:33:&#x0021; QUOTATION MARK:'22:34:&#x0022; NUMBER SIGN:'23:35:&#x0023; DOLLAR SIGN:'24:36:&#x0024; PERCENT SIGN:'25:37:&#x0025; AMPERSAND:'26:38:&#x0026; APOSTROPHE:'27:39:&#x0027; LEFT PARENTHESIS:'28:40:&#x0028; RIGHT PARENTHESIS:'29:41:&#x0029; ASTERISK:'2A:42:&#x002A; PLUS SIGN:'2B:43:&#x002B; COMMA:'2C:44:&#x002C; HYPHEN-MINUS:'2D:45:&#x002D; FULL STOP:'2E:46:&#x002E; SOLIDUS:'2F:47:&#x002F; DIGIT ZERO:'30:48:&#x0030; DIGIT ONE:'31:49:&#x0031; DIGIT TWO:'32:50:&#x0032; DIGIT THREE:'33:51:&#x0033; DIGIT FOUR:'34:52:&#x0034; DIGIT FIVE:'35:53:&#x0035; DIGIT SIX:'36:54:&#x0036; DIGIT SEVEN:'37:55:&#x0037; DIGIT EIGHT:'38:56:&#x0038; DIGIT NINE:'39:57:&#x0039; COLON:'3A:58:&#x003A; SEMICOLON:'3B:59:&#x003B; LESS-THAN SIGN:'3C:60:&#x003C; EQUALS SIGN:'3D:61:&#x003D; GREATER-THAN SIGN:'3E:62:&#x003E; QUESTION MARK:'3F:63:&#x003F; COMMERCIAL AT:'40:64:&#x0040; LATIN CAPITAL LETTER A:'41:65:&#x0041; LATIN CAPITAL LETTER B:'42:66:&#x0042; LATIN CAPITAL LETTER C:'43:67:&#x0043; LATIN CAPITAL LETTER D:'44:68:&#x0044; LATIN CAPITAL LETTER E:'45:69:&#x0045; LATIN CAPITAL LETTER F:'46:70:&#x0046; LATIN CAPITAL LETTER G:'47:71:&#x0047; LATIN CAPITAL LETTER H:'48:72:&#x0048; LATIN CAPITAL LETTER I:'49:73:&#x0049; LATIN CAPITAL LETTER J:'4A:74:&#x004A; LATIN CAPITAL LETTER K:'4B:75:&#x004B; LATIN CAPITAL LETTER L:'4C:76:&#x004C; LATIN CAPITAL LETTER M:'4D:77:&#x004D; LATIN CAPITAL LETTER N:'4E:78:&#x004E; LATIN CAPITAL LETTER O:'4F:79:&#x004F; LATIN CAPITAL LETTER P:'50:80:&#x0050; LATIN CAPITAL LETTER Q:'51:81:&#x0051; LATIN CAPITAL LETTER R:'52:82:&#x0052; LATIN CAPITAL LETTER S:'53:83:&#x0053; LATIN CAPITAL LETTER T:'54:84:&#x0054; LATIN CAPITAL LETTER U:'55:85:&#x0055; LATIN CAPITAL LETTER V:'56:86:&#x0056; LATIN CAPITAL LETTER W:'57:87:&#x0057; LATIN CAPITAL LETTER X:'58:88:&#x0058; LATIN CAPITAL LETTER Y:'59:89:&#x0059; LATIN CAPITAL LETTER Z:'5A:90:&#x005A; LEFT SQUARE BRACKET:'5B:91:&#x005B; REVERSE SOLIDUS:'5C:92:&#x005C; RIGHT SQUARE BRACKET:'5D:93:&#x005D; CIRCUMFLEX ACCENT:'5E:94:&#x005E; LOW LINE:'5F:95:&#x005F; GRAVE ACCENT:'60:96:&#x0060; LATIN SMALL LETTER A:'61:97:&#x0061; LATIN SMALL LETTER B:'62:98:&#x0062; LATIN SMALL LETTER C:'63:99:&#x0063; LATIN SMALL LETTER D:'64:100:&#x0064; LATIN SMALL LETTER E:'65:101:&#x0065; LATIN SMALL LETTER F:'66:102:&#x0066; LATIN SMALL LETTER G:'67:103:&#x0067; LATIN SMALL LETTER H:'68:104:&#x0068; LATIN SMALL LETTER I:'69:105:&#x0069; LATIN SMALL LETTER J:'6A:106:&#x006A; LATIN SMALL LETTER K:'6B:107:&#x006B; LATIN SMALL LETTER L:'6C:108:&#x006C; LATIN SMALL LETTER M:'6D:109:&#x006D; LATIN SMALL LETTER N:'6E:110:&#x006E; LATIN SMALL LETTER O:'6F:111:&#x006F; LATIN SMALL LETTER P:'70:112:&#x0070; LATIN SMALL LETTER Q:'71:113:&#x0071; LATIN SMALL LETTER R:'72:114:&#x0072; LATIN SMALL LETTER S:'73:115:&#x0073; LATIN SMALL LETTER T:'74:116:&#x0074; LATIN SMALL LETTER U:'75:117:&#x0075; LATIN SMALL LETTER V:'76:118:&#x0076; LATIN SMALL LETTER W:'77:119:&#x0077; LATIN SMALL LETTER X:'78:120:&#x0078; LATIN SMALL LETTER Y:'79:121:&#x0079; LATIN SMALL LETTER Z:'7A:122:&#x007A; </bottom_128_old> <ansicpg950> DBCS LEAD BYTE:'81:129:<udef_symbol num="129"/> DBCS LEAD BYTE:'82:130:<udef_symbol num="130"/> DBCS LEAD BYTE:'83:131:<udef_symbol num="131"/> DBCS LEAD BYTE:'84:132:<udef_symbol num="132"/> DBCS LEAD BYTE:'85:133:<udef_symbol num="133"/> DBCS LEAD BYTE:'86:134:<udef_symbol num="134"/> DBCS LEAD BYTE:'87:135:<udef_symbol num="135"/> DBCS LEAD BYTE:'88:136:<udef_symbol num="136"/> DBCS LEAD BYTE:'89:137:<udef_symbol num="137"/> DBCS LEAD BYTE:'8A:138:<udef_symbol num="138"/> DBCS LEAD BYTE:'8B:139:<udef_symbol num="139"/> DBCS LEAD BYTE:'8C:140:<udef_symbol num="140"/> DBCS LEAD BYTE:'8D:141:<udef_symbol num="141"/> DBCS LEAD BYTE:'8E:142:<udef_symbol num="142"/> DBCS LEAD BYTE:'8F:143:<udef_symbol num="143"/> DBCS LEAD BYTE:'90:144:<udef_symbol num="144"/> DBCS LEAD BYTE:'91:145:<udef_symbol num="145"/> DBCS LEAD BYTE:'92:146:<udef_symbol num="146"/> DBCS LEAD BYTE:'93:147:<udef_symbol num="147"/> DBCS LEAD BYTE:'94:148:<udef_symbol num="148"/> DBCS LEAD BYTE:'95:149:<udef_symbol num="149"/> DBCS LEAD BYTE:'96:150:<udef_symbol num="150"/> DBCS LEAD BYTE:'97:151:<udef_symbol num="151"/> DBCS LEAD BYTE:'98:152:<udef_symbol num="152"/> DBCS LEAD BYTE:'99:153:<udef_symbol num="153"/> DBCS LEAD BYTE:'9A:154:<udef_symbol num="154"/> DBCS LEAD BYTE:'9B:155:<udef_symbol num="155"/> DBCS LEAD BYTE:'9C:156:<udef_symbol num="156"/> DBCS LEAD BYTE:'9D:157:<udef_symbol num="157"/> DBCS LEAD BYTE:'9E:158:<udef_symbol num="158"/> DBCS LEAD BYTE:'9F:159:<udef_symbol num="159"/> DBCS LEAD BYTE:'A0:160:<udef_symbol num="160"/> DBCS LEAD BYTE:'A1:161:<udef_symbol num="161"/> DBCS LEAD BYTE:'A2:162:<udef_symbol num="162"/> DBCS LEAD BYTE:'A3:163:<udef_symbol num="163"/> DBCS LEAD BYTE:'A4:164:<udef_symbol num="164"/> DBCS LEAD BYTE:'A5:165:<udef_symbol num="165"/> DBCS LEAD BYTE:'A6:166:<udef_symbol num="166"/> DBCS LEAD BYTE:'A7:167:<udef_symbol num="167"/> DBCS LEAD BYTE:'A8:168:<udef_symbol num="168"/> DBCS LEAD BYTE:'A9:169:<udef_symbol num="169"/> DBCS LEAD BYTE:'AA:170:<udef_symbol num="170"/> DBCS LEAD BYTE:'AB:171:<udef_symbol num="171"/> DBCS LEAD BYTE:'AC:172:<udef_symbol num="172"/> DBCS LEAD BYTE:'AD:173:<udef_symbol num="173"/> DBCS LEAD BYTE:'AE:174:<udef_symbol num="174"/> DBCS LEAD BYTE:'AF:175:<udef_symbol num="175"/> DBCS LEAD BYTE:'B0:176:<udef_symbol num="176"/> DBCS LEAD BYTE:'B1:177:<udef_symbol num="177"/> DBCS LEAD BYTE:'B2:178:<udef_symbol num="178"/> DBCS LEAD BYTE:'B3:179:<udef_symbol num="179"/> DBCS LEAD BYTE:'B4:180:<udef_symbol num="180"/> DBCS LEAD BYTE:'B5:181:<udef_symbol num="181"/> DBCS LEAD BYTE:'B6:182:<udef_symbol num="182"/> DBCS LEAD BYTE:'B7:183:<udef_symbol num="183"/> DBCS LEAD BYTE:'B8:184:<udef_symbol num="184"/> DBCS LEAD BYTE:'B9:185:<udef_symbol num="185"/> DBCS LEAD BYTE:'BA:186:<udef_symbol num="186"/> DBCS LEAD BYTE:'BB:187:<udef_symbol num="187"/> DBCS LEAD BYTE:'BC:188:<udef_symbol num="188"/> DBCS LEAD BYTE:'BD:189:<udef_symbol num="189"/> DBCS LEAD BYTE:'BE:190:<udef_symbol num="190"/> DBCS LEAD BYTE:'BF:191:<udef_symbol num="191"/> DBCS LEAD BYTE:'C0:192:<udef_symbol num="192"/> DBCS LEAD BYTE:'C1:193:<udef_symbol num="193"/> DBCS LEAD BYTE:'C2:194:<udef_symbol num="194"/> DBCS LEAD BYTE:'C3:195:<udef_symbol num="195"/> DBCS LEAD BYTE:'C4:196:<udef_symbol num="196"/> DBCS LEAD BYTE:'C5:197:<udef_symbol num="197"/> DBCS LEAD BYTE:'C6:198:<udef_symbol num="198"/> DBCS LEAD BYTE:'C7:199:<udef_symbol num="199"/> DBCS LEAD BYTE:'C8:200:<udef_symbol num="200"/> DBCS LEAD BYTE:'C9:201:<udef_symbol num="201"/> DBCS LEAD BYTE:'CA:202:<udef_symbol num="202"/> DBCS LEAD BYTE:'CB:203:<udef_symbol num="203"/> DBCS LEAD BYTE:'CC:204:<udef_symbol num="204"/> DBCS LEAD BYTE:'CD:205:<udef_symbol num="205"/> DBCS LEAD BYTE:'CE:206:<udef_symbol num="206"/> DBCS LEAD BYTE:'CF:207:<udef_symbol num="207"/> DBCS LEAD BYTE:'D0:208:<udef_symbol num="208"/> DBCS LEAD BYTE:'D1:209:<udef_symbol num="209"/> DBCS LEAD BYTE:'D2:210:<udef_symbol num="210"/> DBCS LEAD BYTE:'D3:211:<udef_symbol num="211"/> DBCS LEAD BYTE:'D4:212:<udef_symbol num="212"/> DBCS LEAD BYTE:'D5:213:<udef_symbol num="213"/> DBCS LEAD BYTE:'D6:214:<udef_symbol num="214"/> DBCS LEAD BYTE:'D7:215:<udef_symbol num="215"/> DBCS LEAD BYTE:'D8:216:<udef_symbol num="216"/> DBCS LEAD BYTE:'D9:217:<udef_symbol num="217"/> DBCS LEAD BYTE:'DA:218:<udef_symbol num="218"/> DBCS LEAD BYTE:'DB:219:<udef_symbol num="219"/> DBCS LEAD BYTE:'DC:220:<udef_symbol num="220"/> DBCS LEAD BYTE:'DD:221:<udef_symbol num="221"/> DBCS LEAD BYTE:'DE:222:<udef_symbol num="222"/> DBCS LEAD BYTE:'DF:223:<udef_symbol num="223"/> DBCS LEAD BYTE:'E0:224:<udef_symbol num="224"/> DBCS LEAD BYTE:'E1:225:<udef_symbol num="225"/> DBCS LEAD BYTE:'E2:226:<udef_symbol num="226"/> DBCS LEAD BYTE:'E3:227:<udef_symbol num="227"/> DBCS LEAD BYTE:'E4:228:<udef_symbol num="228"/> DBCS LEAD BYTE:'E5:229:<udef_symbol num="229"/> DBCS LEAD BYTE:'E6:230:<udef_symbol num="230"/> DBCS LEAD BYTE:'E7:231:<udef_symbol num="231"/> DBCS LEAD BYTE:'E8:232:<udef_symbol num="232"/> DBCS LEAD BYTE:'E9:233:<udef_symbol num="233"/> DBCS LEAD BYTE:'EA:234:<udef_symbol num="234"/> DBCS LEAD BYTE:'EB:235:<udef_symbol num="235"/> DBCS LEAD BYTE:'EC:236:<udef_symbol num="236"/> DBCS LEAD BYTE:'ED:237:<udef_symbol num="237"/> DBCS LEAD BYTE:'EE:238:<udef_symbol num="238"/> DBCS LEAD BYTE:'EF:239:<udef_symbol num="239"/> DBCS LEAD BYTE:'F0:240:<udef_symbol num="240"/> DBCS LEAD BYTE:'F1:241:<udef_symbol num="241"/> DBCS LEAD BYTE:'F2:242:<udef_symbol num="242"/> DBCS LEAD BYTE:'F3:243:<udef_symbol num="243"/> DBCS LEAD BYTE:'F4:244:<udef_symbol num="244"/> DBCS LEAD BYTE:'F5:245:<udef_symbol num="245"/> DBCS LEAD BYTE:'F6:246:<udef_symbol num="246"/> DBCS LEAD BYTE:'F7:247:<udef_symbol num="247"/> DBCS LEAD BYTE:'F8:248:<udef_symbol num="248"/> DBCS LEAD BYTE:'F9:249:<udef_symbol num="249"/> DBCS LEAD BYTE:'FA:250:<udef_symbol num="250"/> DBCS LEAD BYTE:'FB:251:<udef_symbol num="251"/> DBCS LEAD BYTE:'FC:252:<udef_symbol num="252"/> DBCS LEAD BYTE:'FD:253:<udef_symbol num="253"/> DBCS LEAD BYTE:'FE:254:<udef_symbol num="254"/> IDEOGRAPHIC SPACE:'A140:41280:&#x3000 FULLWIDTH COMMA:'A141:41281:&#xFF0C IDEOGRAPHIC COMMA:'A142:41282:&#x3001 IDEOGRAPHIC FULL STOP:'A143:41283:&#x3002 FULLWIDTH FULL STOP:'A144:41284:&#xFF0E HYPHENATION POINT:'A145:41285:&#x2027 FULLWIDTH SEMICOLON:'A146:41286:&#xFF1B FULLWIDTH COLON:'A147:41287:&#xFF1A FULLWIDTH QUESTION MARK:'A148:41288:&#xFF1F FULLWIDTH EXCLAMATION MARK:'A149:41289:&#xFF01 PRESENTATION FORM FOR VERTICAL TWO DOT LEADER:'A14A:41290:&#xFE30 HORIZONTAL ELLIPSIS:'A14B:41291:&#x2026 TWO DOT LEADER:'A14C:41292:&#x2025 SMALL COMMA:'A14D:41293:&#xFE50 SMALL IDEOGRAPHIC COMMA:'A14E:41294:&#xFE51 SMALL FULL STOP:'A14F:41295:&#xFE52 MIDDLE DOT:'A150:41296:&#x00B7 SMALL SEMICOLON:'A151:41297:&#xFE54 SMALL COLON:'A152:41298:&#xFE55 SMALL QUESTION MARK:'A153:41299:&#xFE56 SMALL EXCLAMATION MARK:'A154:41300:&#xFE57 FULLWIDTH VERTICAL LINE:'A155:41301:&#xFF5C EN DASH:'A156:41302:&#x2013 PRESENTATION FORM FOR VERTICAL EM DASH:'A157:41303:&#xFE31 EM DASH:'A158:41304:&#x2014 PRESENTATION FORM FOR VERTICAL LOW LINE:'A159:41305:&#xFE33 BOX DRAWINGS LIGHT LEFT:'A15A:41306:&#x2574 PRESENTATION FORM FOR VERTICAL WAVY LOW LINE:'A15B:41307:&#xFE34 WAVY LOW LINE:'A15C:41308:&#xFE4F FULLWIDTH LEFT PARENTHESIS:'A15D:41309:&#xFF08 FULLWIDTH RIGHT PARENTHESIS:'A15E:41310:&#xFF09 PRESENTATION FORM FOR VERTICAL LEFT PARENTHESIS:'A15F:41311:&#xFE35 PRESENTATION FORM FOR VERTICAL RIGHT PARENTHESIS:'A160:41312:&#xFE36 FULLWIDTH LEFT CURLY BRACKET:'A161:41313:&#xFF5B FULLWIDTH RIGHT CURLY BRACKET:'A162:41314:&#xFF5D PRESENTATION FORM FOR VERTICAL LEFT CURLY BRACKET:'A163:41315:&#xFE37 PRESENTATION FORM FOR VERTICAL RIGHT CURLY BRACKET:'A164:41316:&#xFE38 LEFT TORTOISE SHELL BRACKET:'A165:41317:&#x3014 RIGHT TORTOISE SHELL BRACKET:'A166:41318:&#x3015 PRESENTATION FORM FOR VERTICAL LEFT TORTOISE SHELL BRACKET:'A167:41319:&#xFE39 PRESENTATION FORM FOR VERTICAL RIGHT TORTOISE SHELL BRACKET:'A168:41320:&#xFE3A LEFT BLACK LENTICULAR BRACKET:'A169:41321:&#x3010 RIGHT BLACK LENTICULAR BRACKET:'A16A:41322:&#x3011 PRESENTATION FORM FOR VERTICAL LEFT BLACK LENTICULAR BRACKET:'A16B:41323:&#xFE3B PRESENTATION FORM FOR VERTICAL RIGHT BLACK LENTICULAR BRACKET:'A16C:41324:&#xFE3C LEFT DOUBLE ANGLE BRACKET:'A16D:41325:&#x300A RIGHT DOUBLE ANGLE BRACKET:'A16E:41326:&#x300B PRESENTATION FORM FOR VERTICAL LEFT DOUBLE ANGLE BRACKET:'A16F:41327:&#xFE3D PRESENTATION FORM FOR VERTICAL RIGHT DOUBLE ANGLE BRACKET:'A170:41328:&#xFE3E LEFT ANGLE BRACKET:'A171:41329:&#x3008 RIGHT ANGLE BRACKET:'A172:41330:&#x3009 PRESENTATION FORM FOR VERTICAL LEFT ANGLE BRACKET:'A173:41331:&#xFE3F PRESENTATION FORM FOR VERTICAL RIGHT ANGLE BRACKET:'A174:41332:&#xFE40 LEFT CORNER BRACKET:'A175:41333:&#x300C RIGHT CORNER BRACKET:'A176:41334:&#x300D PRESENTATION FORM FOR VERTICAL LEFT CORNER BRACKET:'A177:41335:&#xFE41 PRESENTATION FORM FOR VERTICAL RIGHT CORNER BRACKET:'A178:41336:&#xFE42 LEFT WHITE CORNER BRACKET:'A179:41337:&#x300E RIGHT WHITE CORNER BRACKET:'A17A:41338:&#x300F PRESENTATION FORM FOR VERTICAL LEFT WHITE CORNER BRACKET:'A17B:41339:&#xFE43 PRESENTATION FORM FOR VERTICAL RIGHT WHITE CORNER BRACKET:'A17C:41340:&#xFE44 SMALL LEFT PARENTHESIS:'A17D:41341:&#xFE59 SMALL RIGHT PARENTHESIS:'A17E:41342:&#xFE5A SMALL LEFT CURLY BRACKET:'A1A1:41377:&#xFE5B SMALL RIGHT CURLY BRACKET:'A1A2:41378:&#xFE5C SMALL LEFT TORTOISE SHELL BRACKET:'A1A3:41379:&#xFE5D SMALL RIGHT TORTOISE SHELL BRACKET:'A1A4:41380:&#xFE5E LEFT SINGLE QUOTATION MARK:'A1A5:41381:&#x2018 RIGHT SINGLE QUOTATION MARK:'A1A6:41382:&#x2019 LEFT DOUBLE QUOTATION MARK:'A1A7:41383:&#x201C RIGHT DOUBLE QUOTATION MARK:'A1A8:41384:&#x201D REVERSED DOUBLE PRIME QUOTATION MARK:'A1A9:41385:&#x301D DOUBLE PRIME QUOTATION MARK:'A1AA:41386:&#x301E REVERSED PRIME:'A1AB:41387:&#x2035 PRIME:'A1AC:41388:&#x2032 FULLWIDTH NUMBER SIGN:'A1AD:41389:&#xFF03 FULLWIDTH AMPERSAND:'A1AE:41390:&#xFF06 FULLWIDTH ASTERISK:'A1AF:41391:&#xFF0A REFERENCE MARK:'A1B0:41392:&#x203B SECTION SIGN:'A1B1:41393:&#x00A7 DITTO MARK:'A1B2:41394:&#x3003 WHITE CIRCLE:'A1B3:41395:&#x25CB BLACK CIRCLE:'A1B4:41396:&#x25CF WHITE UP-POINTING TRIANGLE:'A1B5:41397:&#x25B3 BLACK UP-POINTING TRIANGLE:'A1B6:41398:&#x25B2 BULLSEYE:'A1B7:41399:&#x25CE WHITE STAR:'A1B8:41400:&#x2606 BLACK STAR:'A1B9:41401:&#x2605 WHITE DIAMOND:'A1BA:41402:&#x25C7 BLACK DIAMOND:'A1BB:41403:&#x25C6 WHITE SQUARE:'A1BC:41404:&#x25A1 BLACK SQUARE:'A1BD:41405:&#x25A0 WHITE DOWN-POINTING TRIANGLE:'A1BE:41406:&#x25BD BLACK DOWN-POINTING TRIANGLE:'A1BF:41407:&#x25BC CIRCLED IDEOGRAPH CORRECT:'A1C0:41408:&#x32A3 CARE OF:'A1C1:41409:&#x2105 MACRON:'A1C2:41410:&#x00AF FULLWIDTH MACRON:'A1C3:41411:&#xFFE3 FULLWIDTH LOW LINE:'A1C4:41412:&#xFF3F MODIFIER LETTER LOW MACRON:'A1C5:41413:&#x02CD DASHED OVERLINE:'A1C6:41414:&#xFE49 CENTRELINE OVERLINE:'A1C7:41415:&#xFE4A DASHED LOW LINE:'A1C8:41416:&#xFE4D CENTRELINE LOW LINE:'A1C9:41417:&#xFE4E WAVY OVERLINE:'A1CA:41418:&#xFE4B DOUBLE WAVY OVERLINE:'A1CB:41419:&#xFE4C SMALL NUMBER SIGN:'A1CC:41420:&#xFE5F SMALL AMPERSAND:'A1CD:41421:&#xFE60 SMALL ASTERISK:'A1CE:41422:&#xFE61 FULLWIDTH PLUS SIGN:'A1CF:41423:&#xFF0B FULLWIDTH HYPHEN-MINUS:'A1D0:41424:&#xFF0D MULTIPLICATION SIGN:'A1D1:41425:&#x00D7 DIVISION SIGN:'A1D2:41426:&#x00F7 PLUS-MINUS SIGN:'A1D3:41427:&#x00B1 SQUARE ROOT:'A1D4:41428:&#x221A FULLWIDTH LESS-THAN SIGN:'A1D5:41429:&#xFF1C FULLWIDTH GREATER-THAN SIGN:'A1D6:41430:&#xFF1E FULLWIDTH EQUALS SIGN:'A1D7:41431:&#xFF1D LESS-THAN OVER EQUAL TO:'A1D8:41432:&#x2266 GREATER-THAN OVER EQUAL TO:'A1D9:41433:&#x2267 NOT EQUAL TO:'A1DA:41434:&#x2260 INFINITY:'A1DB:41435:&#x221E APPROXIMATELY EQUAL TO OR THE IMAGE OF:'A1DC:41436:&#x2252 IDENTICAL TO:'A1DD:41437:&#x2261 SMALL PLUS SIGN:'A1DE:41438:&#xFE62 SMALL HYPHEN-MINUS:'A1DF:41439:&#xFE63 SMALL LESS-THAN SIGN:'A1E0:41440:&#xFE64 SMALL GREATER-THAN SIGN:'A1E1:41441:&#xFE65 SMALL EQUALS SIGN:'A1E2:41442:&#xFE66 FULLWIDTH TILDE:'A1E3:41443:&#xFF5E INTERSECTION:'A1E4:41444:&#x2229 UNION:'A1E5:41445:&#x222A UP TACK:'A1E6:41446:&#x22A5 ANGLE:'A1E7:41447:&#x2220 RIGHT ANGLE:'A1E8:41448:&#x221F RIGHT TRIANGLE:'A1E9:41449:&#x22BF SQUARE LOG:'A1EA:41450:&#x33D2 SQUARE LN:'A1EB:41451:&#x33D1 INTEGRAL:'A1EC:41452:&#x222B CONTOUR INTEGRAL:'A1ED:41453:&#x222E BECAUSE:'A1EE:41454:&#x2235 THEREFORE:'A1EF:41455:&#x2234 FEMALE SIGN:'A1F0:41456:&#x2640 MALE SIGN:'A1F1:41457:&#x2642 CIRCLED PLUS:'A1F2:41458:&#x2295 CIRCLED DOT OPERATOR:'A1F3:41459:&#x2299 UPWARDS ARROW:'A1F4:41460:&#x2191 DOWNWARDS ARROW:'A1F5:41461:&#x2193 LEFTWARDS ARROW:'A1F6:41462:&#x2190 RIGHTWARDS ARROW:'A1F7:41463:&#x2192 NORTH WEST ARROW:'A1F8:41464:&#x2196 NORTH EAST ARROW:'A1F9:41465:&#x2197 SOUTH WEST ARROW:'A1FA:41466:&#x2199 SOUTH EAST ARROW:'A1FB:41467:&#x2198 PARALLEL TO:'A1FC:41468:&#x2225 DIVIDES:'A1FD:41469:&#x2223 FULLWIDTH SOLIDUS:'A1FE:41470:&#xFF0F FULLWIDTH REVERSE SOLIDUS:'A240:41536:&#xFF3C DIVISION SLASH:'A241:41537:&#x2215 SMALL REVERSE SOLIDUS:'A242:41538:&#xFE68 FULLWIDTH DOLLAR SIGN:'A243:41539:&#xFF04 FULLWIDTH YEN SIGN:'A244:41540:&#xFFE5 POSTAL MARK:'A245:41541:&#x3012 FULLWIDTH CENT SIGN:'A246:41542:&#xFFE0 FULLWIDTH POUND SIGN:'A247:41543:&#xFFE1 FULLWIDTH PERCENT SIGN:'A248:41544:&#xFF05 FULLWIDTH COMMERCIAL AT:'A249:41545:&#xFF20 DEGREE CELSIUS:'A24A:41546:&#x2103 DEGREE FAHRENHEIT:'A24B:41547:&#x2109 SMALL DOLLAR SIGN:'A24C:41548:&#xFE69 SMALL PERCENT SIGN:'A24D:41549:&#xFE6A SMALL COMMERCIAL AT:'A24E:41550:&#xFE6B SQUARE MIL:'A24F:41551:&#x33D5 SQUARE MM:'A250:41552:&#x339C SQUARE CM:'A251:41553:&#x339D SQUARE KM:'A252:41554:&#x339E SQUARE KM CAPITAL:'A253:41555:&#x33CE SQUARE M SQUARED:'A254:41556:&#x33A1 SQUARE MG:'A255:41557:&#x338E SQUARE KG:'A256:41558:&#x338F SQUARE CC:'A257:41559:&#x33C4 DEGREE SIGN:'A258:41560:&#x00B0 CJK UNIFIED IDEOGRAPH:'A259:41561:&#x5159 CJK UNIFIED IDEOGRAPH:'A25A:41562:&#x515B CJK UNIFIED IDEOGRAPH:'A25B:41563:&#x515E CJK UNIFIED IDEOGRAPH:'A25C:41564:&#x515D CJK UNIFIED IDEOGRAPH:'A25D:41565:&#x5161 CJK UNIFIED IDEOGRAPH:'A25E:41566:&#x5163 CJK UNIFIED IDEOGRAPH:'A25F:41567:&#x55E7 CJK UNIFIED IDEOGRAPH:'A260:41568:&#x74E9 CJK UNIFIED IDEOGRAPH:'A261:41569:&#x7CCE LOWER ONE EIGHTH BLOCK:'A262:41570:&#x2581 LOWER ONE QUARTER BLOCK:'A263:41571:&#x2582 LOWER THREE EIGHTHS BLOCK:'A264:41572:&#x2583 LOWER HALF BLOCK:'A265:41573:&#x2584 LOWER FIVE EIGHTHS BLOCK:'A266:41574:&#x2585 LOWER THREE QUARTERS BLOCK:'A267:41575:&#x2586 LOWER SEVEN EIGHTHS BLOCK:'A268:41576:&#x2587 FULL BLOCK:'A269:41577:&#x2588 LEFT ONE EIGHTH BLOCK:'A26A:41578:&#x258F LEFT ONE QUARTER BLOCK:'A26B:41579:&#x258E LEFT THREE EIGHTHS BLOCK:'A26C:41580:&#x258D LEFT HALF BLOCK:'A26D:41581:&#x258C LEFT FIVE EIGHTHS BLOCK:'A26E:41582:&#x258B LEFT THREE QUARTERS BLOCK:'A26F:41583:&#x258A LEFT SEVEN EIGHTHS BLOCK:'A270:41584:&#x2589 BOX DRAWINGS LIGHT VERTICAL AND HORIZONTAL:'A271:41585:&#x253C BOX DRAWINGS LIGHT UP AND HORIZONTAL:'A272:41586:&#x2534 BOX DRAWINGS LIGHT DOWN AND HORIZONTAL:'A273:41587:&#x252C BOX DRAWINGS LIGHT VERTICAL AND LEFT:'A274:41588:&#x2524 BOX DRAWINGS LIGHT VERTICAL AND RIGHT:'A275:41589:&#x251C UPPER ONE EIGHTH BLOCK:'A276:41590:&#x2594 BOX DRAWINGS LIGHT HORIZONTAL:'A277:41591:&#x2500 BOX DRAWINGS LIGHT VERTICAL:'A278:41592:&#x2502 RIGHT ONE EIGHTH BLOCK:'A279:41593:&#x2595 BOX DRAWINGS LIGHT DOWN AND RIGHT:'A27A:41594:&#x250C BOX DRAWINGS LIGHT DOWN AND LEFT:'A27B:41595:&#x2510 BOX DRAWINGS LIGHT UP AND RIGHT:'A27C:41596:&#x2514 BOX DRAWINGS LIGHT UP AND LEFT:'A27D:41597:&#x2518 BOX DRAWINGS LIGHT ARC DOWN AND RIGHT:'A27E:41598:&#x256D BOX DRAWINGS LIGHT ARC DOWN AND LEFT:'A2A1:41633:&#x256E BOX DRAWINGS LIGHT ARC UP AND RIGHT:'A2A2:41634:&#x2570 BOX DRAWINGS LIGHT ARC UP AND LEFT:'A2A3:41635:&#x256F BOX DRAWINGS DOUBLE HORIZONTAL:'A2A4:41636:&#x2550 BOX DRAWINGS VERTICAL SINGLE AND RIGHT DOUBLE:'A2A5:41637:&#x255E BOX DRAWINGS VERTICAL SINGLE AND HORIZONTAL DOUBLE:'A2A6:41638:&#x256A BOX DRAWINGS VERTICAL SINGLE AND LEFT DOUBLE:'A2A7:41639:&#x2561 BLACK LOWER RIGHT TRIANGLE:'A2A8:41640:&#x25E2 BLACK LOWER LEFT TRIANGLE:'A2A9:41641:&#x25E3 BLACK UPPER RIGHT TRIANGLE:'A2AA:41642:&#x25E5 BLACK UPPER LEFT TRIANGLE:'A2AB:41643:&#x25E4 BOX DRAWINGS LIGHT DIAGONAL UPPER RIGHT TO LOWER LEFT:'A2AC:41644:&#x2571 BOX DRAWINGS LIGHT DIAGONAL UPPER LEFT TO LOWER RIGHT:'A2AD:41645:&#x2572 BOX DRAWINGS LIGHT DIAGONAL CROSS:'A2AE:41646:&#x2573 FULLWIDTH DIGIT ZERO:'A2AF:41647:&#xFF10 FULLWIDTH DIGIT ONE:'A2B0:41648:&#xFF11 FULLWIDTH DIGIT TWO:'A2B1:41649:&#xFF12 FULLWIDTH DIGIT THREE:'A2B2:41650:&#xFF13 FULLWIDTH DIGIT FOUR:'A2B3:41651:&#xFF14 FULLWIDTH DIGIT FIVE:'A2B4:41652:&#xFF15 FULLWIDTH DIGIT SIX:'A2B5:41653:&#xFF16 FULLWIDTH DIGIT SEVEN:'A2B6:41654:&#xFF17 FULLWIDTH DIGIT EIGHT:'A2B7:41655:&#xFF18 FULLWIDTH DIGIT NINE:'A2B8:41656:&#xFF19 ROMAN NUMERAL ONE:'A2B9:41657:&#x2160 ROMAN NUMERAL TWO:'A2BA:41658:&#x2161 ROMAN NUMERAL THREE:'A2BB:41659:&#x2162 ROMAN NUMERAL FOUR:'A2BC:41660:&#x2163 ROMAN NUMERAL FIVE:'A2BD:41661:&#x2164 ROMAN NUMERAL SIX:'A2BE:41662:&#x2165 ROMAN NUMERAL SEVEN:'A2BF:41663:&#x2166 ROMAN NUMERAL EIGHT:'A2C0:41664:&#x2167 ROMAN NUMERAL NINE:'A2C1:41665:&#x2168 ROMAN NUMERAL TEN:'A2C2:41666:&#x2169 HANGZHOU NUMERAL ONE:'A2C3:41667:&#x3021 HANGZHOU NUMERAL TWO:'A2C4:41668:&#x3022 HANGZHOU NUMERAL THREE:'A2C5:41669:&#x3023 HANGZHOU NUMERAL FOUR:'A2C6:41670:&#x3024 HANGZHOU NUMERAL FIVE:'A2C7:41671:&#x3025 HANGZHOU NUMERAL SIX:'A2C8:41672:&#x3026 HANGZHOU NUMERAL SEVEN:'A2C9:41673:&#x3027 HANGZHOU NUMERAL EIGHT:'A2CA:41674:&#x3028 HANGZHOU NUMERAL NINE:'A2CB:41675:&#x3029 CJK UNIFIED IDEOGRAPH:'A2CC:41676:&#x5341 CJK UNIFIED IDEOGRAPH:'A2CD:41677:&#x5344 CJK UNIFIED IDEOGRAPH:'A2CE:41678:&#x5345 FULLWIDTH LATIN CAPITAL LETTER A:'A2CF:41679:&#xFF21 FULLWIDTH LATIN CAPITAL LETTER B:'A2D0:41680:&#xFF22 FULLWIDTH LATIN CAPITAL LETTER C:'A2D1:41681:&#xFF23 FULLWIDTH LATIN CAPITAL LETTER D:'A2D2:41682:&#xFF24 FULLWIDTH LATIN CAPITAL LETTER E:'A2D3:41683:&#xFF25 FULLWIDTH LATIN CAPITAL LETTER F:'A2D4:41684:&#xFF26 FULLWIDTH LATIN CAPITAL LETTER G:'A2D5:41685:&#xFF27 FULLWIDTH LATIN CAPITAL LETTER H:'A2D6:41686:&#xFF28 FULLWIDTH LATIN CAPITAL LETTER I:'A2D7:41687:&#xFF29 FULLWIDTH LATIN CAPITAL LETTER J:'A2D8:41688:&#xFF2A FULLWIDTH LATIN CAPITAL LETTER K:'A2D9:41689:&#xFF2B FULLWIDTH LATIN CAPITAL LETTER L:'A2DA:41690:&#xFF2C FULLWIDTH LATIN CAPITAL LETTER M:'A2DB:41691:&#xFF2D FULLWIDTH LATIN CAPITAL LETTER N:'A2DC:41692:&#xFF2E FULLWIDTH LATIN CAPITAL LETTER O:'A2DD:41693:&#xFF2F FULLWIDTH LATIN CAPITAL LETTER P:'A2DE:41694:&#xFF30 FULLWIDTH LATIN CAPITAL LETTER Q:'A2DF:41695:&#xFF31 FULLWIDTH LATIN CAPITAL LETTER R:'A2E0:41696:&#xFF32 FULLWIDTH LATIN CAPITAL LETTER S:'A2E1:41697:&#xFF33 FULLWIDTH LATIN CAPITAL LETTER T:'A2E2:41698:&#xFF34 FULLWIDTH LATIN CAPITAL LETTER U:'A2E3:41699:&#xFF35 FULLWIDTH LATIN CAPITAL LETTER V:'A2E4:41700:&#xFF36 FULLWIDTH LATIN CAPITAL LETTER W:'A2E5:41701:&#xFF37 FULLWIDTH LATIN CAPITAL LETTER X:'A2E6:41702:&#xFF38 FULLWIDTH LATIN CAPITAL LETTER Y:'A2E7:41703:&#xFF39 FULLWIDTH LATIN CAPITAL LETTER Z:'A2E8:41704:&#xFF3A FULLWIDTH LATIN SMALL LETTER A:'A2E9:41705:&#xFF41 FULLWIDTH LATIN SMALL LETTER B:'A2EA:41706:&#xFF42 FULLWIDTH LATIN SMALL LETTER C:'A2EB:41707:&#xFF43 FULLWIDTH LATIN SMALL LETTER D:'A2EC:41708:&#xFF44 FULLWIDTH LATIN SMALL LETTER E:'A2ED:41709:&#xFF45 FULLWIDTH LATIN SMALL LETTER F:'A2EE:41710:&#xFF46 FULLWIDTH LATIN SMALL LETTER G:'A2EF:41711:&#xFF47 FULLWIDTH LATIN SMALL LETTER H:'A2F0:41712:&#xFF48 FULLWIDTH LATIN SMALL LETTER I:'A2F1:41713:&#xFF49 FULLWIDTH LATIN SMALL LETTER J:'A2F2:41714:&#xFF4A FULLWIDTH LATIN SMALL LETTER K:'A2F3:41715:&#xFF4B FULLWIDTH LATIN SMALL LETTER L:'A2F4:41716:&#xFF4C FULLWIDTH LATIN SMALL LETTER M:'A2F5:41717:&#xFF4D FULLWIDTH LATIN SMALL LETTER N:'A2F6:41718:&#xFF4E FULLWIDTH LATIN SMALL LETTER O:'A2F7:41719:&#xFF4F FULLWIDTH LATIN SMALL LETTER P:'A2F8:41720:&#xFF50 FULLWIDTH LATIN SMALL LETTER Q:'A2F9:41721:&#xFF51 FULLWIDTH LATIN SMALL LETTER R:'A2FA:41722:&#xFF52 FULLWIDTH LATIN SMALL LETTER S:'A2FB:41723:&#xFF53 FULLWIDTH LATIN SMALL LETTER T:'A2FC:41724:&#xFF54 FULLWIDTH LATIN SMALL LETTER U:'A2FD:41725:&#xFF55 FULLWIDTH LATIN SMALL LETTER V:'A2FE:41726:&#xFF56 FULLWIDTH LATIN SMALL LETTER W:'A340:41792:&#xFF57 FULLWIDTH LATIN SMALL LETTER X:'A341:41793:&#xFF58 FULLWIDTH LATIN SMALL LETTER Y:'A342:41794:&#xFF59 FULLWIDTH LATIN SMALL LETTER Z:'A343:41795:&#xFF5A GREEK CAPITAL LETTER ALPHA:'A344:41796:&#x0391 GREEK CAPITAL LETTER BETA:'A345:41797:&#x0392 GREEK CAPITAL LETTER GAMMA:'A346:41798:&#x0393 GREEK CAPITAL LETTER DELTA:'A347:41799:&#x0394 GREEK CAPITAL LETTER EPSILON:'A348:41800:&#x0395 GREEK CAPITAL LETTER ZETA:'A349:41801:&#x0396 GREEK CAPITAL LETTER ETA:'A34A:41802:&#x0397 GREEK CAPITAL LETTER THETA:'A34B:41803:&#x0398 GREEK CAPITAL LETTER IOTA:'A34C:41804:&#x0399 GREEK CAPITAL LETTER KAPPA:'A34D:41805:&#x039A GREEK CAPITAL LETTER LAMDA:'A34E:41806:&#x039B GREEK CAPITAL LETTER MU:'A34F:41807:&#x039C GREEK CAPITAL LETTER NU:'A350:41808:&#x039D GREEK CAPITAL LETTER XI:'A351:41809:&#x039E GREEK CAPITAL LETTER OMICRON:'A352:41810:&#x039F GREEK CAPITAL LETTER PI:'A353:41811:&#x03A0 GREEK CAPITAL LETTER RHO:'A354:41812:&#x03A1 GREEK CAPITAL LETTER SIGMA:'A355:41813:&#x03A3 GREEK CAPITAL LETTER TAU:'A356:41814:&#x03A4 GREEK CAPITAL LETTER UPSILON:'A357:41815:&#x03A5 GREEK CAPITAL LETTER PHI:'A358:41816:&#x03A6 GREEK CAPITAL LETTER CHI:'A359:41817:&#x03A7 GREEK CAPITAL LETTER PSI:'A35A:41818:&#x03A8 GREEK CAPITAL LETTER OMEGA:'A35B:41819:&#x03A9 GREEK SMALL LETTER ALPHA:'A35C:41820:&#x03B1 GREEK SMALL LETTER BETA:'A35D:41821:&#x03B2 GREEK SMALL LETTER GAMMA:'A35E:41822:&#x03B3 GREEK SMALL LETTER DELTA:'A35F:41823:&#x03B4 GREEK SMALL LETTER EPSILON:'A360:41824:&#x03B5 GREEK SMALL LETTER ZETA:'A361:41825:&#x03B6 GREEK SMALL LETTER ETA:'A362:41826:&#x03B7 GREEK SMALL LETTER THETA:'A363:41827:&#x03B8 GREEK SMALL LETTER IOTA:'A364:41828:&#x03B9 GREEK SMALL LETTER KAPPA:'A365:41829:&#x03BA GREEK SMALL LETTER LAMDA:'A366:41830:&#x03BB GREEK SMALL LETTER MU:'A367:41831:&#x03BC GREEK SMALL LETTER NU:'A368:41832:&#x03BD GREEK SMALL LETTER XI:'A369:41833:&#x03BE GREEK SMALL LETTER OMICRON:'A36A:41834:&#x03BF GREEK SMALL LETTER PI:'A36B:41835:&#x03C0 GREEK SMALL LETTER RHO:'A36C:41836:&#x03C1 GREEK SMALL LETTER SIGMA:'A36D:41837:&#x03C3 GREEK SMALL LETTER TAU:'A36E:41838:&#x03C4 GREEK SMALL LETTER UPSILON:'A36F:41839:&#x03C5 GREEK SMALL LETTER PHI:'A370:41840:&#x03C6 GREEK SMALL LETTER CHI:'A371:41841:&#x03C7 GREEK SMALL LETTER PSI:'A372:41842:&#x03C8 GREEK SMALL LETTER OMEGA:'A373:41843:&#x03C9 BOPOMOFO LETTER B:'A374:41844:&#x3105 BOPOMOFO LETTER P:'A375:41845:&#x3106 BOPOMOFO LETTER M:'A376:41846:&#x3107 BOPOMOFO LETTER F:'A377:41847:&#x3108 BOPOMOFO LETTER D:'A378:41848:&#x3109 BOPOMOFO LETTER T:'A379:41849:&#x310A BOPOMOFO LETTER N:'A37A:41850:&#x310B BOPOMOFO LETTER L:'A37B:41851:&#x310C BOPOMOFO LETTER G:'A37C:41852:&#x310D BOPOMOFO LETTER K:'A37D:41853:&#x310E BOPOMOFO LETTER H:'A37E:41854:&#x310F BOPOMOFO LETTER J:'A3A1:41889:&#x3110 BOPOMOFO LETTER Q:'A3A2:41890:&#x3111 BOPOMOFO LETTER X:'A3A3:41891:&#x3112 BOPOMOFO LETTER ZH:'A3A4:41892:&#x3113 BOPOMOFO LETTER CH:'A3A5:41893:&#x3114 BOPOMOFO LETTER SH:'A3A6:41894:&#x3115 BOPOMOFO LETTER R:'A3A7:41895:&#x3116 BOPOMOFO LETTER Z:'A3A8:41896:&#x3117 BOPOMOFO LETTER C:'A3A9:41897:&#x3118 BOPOMOFO LETTER S:'A3AA:41898:&#x3119 BOPOMOFO LETTER A:'A3AB:41899:&#x311A BOPOMOFO LETTER O:'A3AC:41900:&#x311B BOPOMOFO LETTER E:'A3AD:41901:&#x311C BOPOMOFO LETTER EH:'A3AE:41902:&#x311D BOPOMOFO LETTER AI:'A3AF:41903:&#x311E BOPOMOFO LETTER EI:'A3B0:41904:&#x311F BOPOMOFO LETTER AU:'A3B1:41905:&#x3120 BOPOMOFO LETTER OU:'A3B2:41906:&#x3121 BOPOMOFO LETTER AN:'A3B3:41907:&#x3122 BOPOMOFO LETTER EN:'A3B4:41908:&#x3123 BOPOMOFO LETTER ANG:'A3B5:41909:&#x3124 BOPOMOFO LETTER ENG:'A3B6:41910:&#x3125 BOPOMOFO LETTER ER:'A3B7:41911:&#x3126 BOPOMOFO LETTER I:'A3B8:41912:&#x3127 BOPOMOFO LETTER U:'A3B9:41913:&#x3128 BOPOMOFO LETTER IU:'A3BA:41914:&#x3129 DOT ABOVE:'A3BB:41915:&#x02D9 MODIFIER LETTER MACRON:'A3BC:41916:&#x02C9 MODIFIER LETTER ACUTE ACCENT:'A3BD:41917:&#x02CA CARON:'A3BE:41918:&#x02C7 MODIFIER LETTER GRAVE ACCENT:'A3BF:41919:&#x02CB EURO SIGN:'A3E1:41953:&#x20AC CJK UNIFIED IDEOGRAPH:'A440:42048:&#x4E00 CJK UNIFIED IDEOGRAPH:'A441:42049:&#x4E59 CJK UNIFIED IDEOGRAPH:'A442:42050:&#x4E01 CJK UNIFIED IDEOGRAPH:'A443:42051:&#x4E03 CJK UNIFIED IDEOGRAPH:'A444:42052:&#x4E43 CJK UNIFIED IDEOGRAPH:'A445:42053:&#x4E5D CJK UNIFIED IDEOGRAPH:'A446:42054:&#x4E86 CJK UNIFIED IDEOGRAPH:'A447:42055:&#x4E8C CJK UNIFIED IDEOGRAPH:'A448:42056:&#x4EBA CJK UNIFIED IDEOGRAPH:'A449:42057:&#x513F CJK UNIFIED IDEOGRAPH:'A44A:42058:&#x5165 CJK UNIFIED IDEOGRAPH:'A44B:42059:&#x516B CJK UNIFIED IDEOGRAPH:'A44C:42060:&#x51E0 CJK UNIFIED IDEOGRAPH:'A44D:42061:&#x5200 CJK UNIFIED IDEOGRAPH:'A44E:42062:&#x5201 CJK UNIFIED IDEOGRAPH:'A44F:42063:&#x529B CJK UNIFIED IDEOGRAPH:'A450:42064:&#x5315 CJK UNIFIED IDEOGRAPH:'A451:42065:&#x5341 CJK UNIFIED IDEOGRAPH:'A452:42066:&#x535C CJK UNIFIED IDEOGRAPH:'A453:42067:&#x53C8 CJK UNIFIED IDEOGRAPH:'A454:42068:&#x4E09 CJK UNIFIED IDEOGRAPH:'A455:42069:&#x4E0B CJK UNIFIED IDEOGRAPH:'A456:42070:&#x4E08 CJK UNIFIED IDEOGRAPH:'A457:42071:&#x4E0A CJK UNIFIED IDEOGRAPH:'A458:42072:&#x4E2B CJK UNIFIED IDEOGRAPH:'A459:42073:&#x4E38 CJK UNIFIED IDEOGRAPH:'A45A:42074:&#x51E1 CJK UNIFIED IDEOGRAPH:'A45B:42075:&#x4E45 CJK UNIFIED IDEOGRAPH:'A45C:42076:&#x4E48 CJK UNIFIED IDEOGRAPH:'A45D:42077:&#x4E5F CJK UNIFIED IDEOGRAPH:'A45E:42078:&#x4E5E CJK UNIFIED IDEOGRAPH:'A45F:42079:&#x4E8E CJK UNIFIED IDEOGRAPH:'A460:42080:&#x4EA1 CJK UNIFIED IDEOGRAPH:'A461:42081:&#x5140 CJK UNIFIED IDEOGRAPH:'A462:42082:&#x5203 CJK UNIFIED IDEOGRAPH:'A463:42083:&#x52FA CJK UNIFIED IDEOGRAPH:'A464:42084:&#x5343 CJK UNIFIED IDEOGRAPH:'A465:42085:&#x53C9 CJK UNIFIED IDEOGRAPH:'A466:42086:&#x53E3 CJK UNIFIED IDEOGRAPH:'A467:42087:&#x571F CJK UNIFIED IDEOGRAPH:'A468:42088:&#x58EB CJK UNIFIED IDEOGRAPH:'A469:42089:&#x5915 CJK UNIFIED IDEOGRAPH:'A46A:42090:&#x5927 CJK UNIFIED IDEOGRAPH:'A46B:42091:&#x5973 CJK UNIFIED IDEOGRAPH:'A46C:42092:&#x5B50 CJK UNIFIED IDEOGRAPH:'A46D:42093:&#x5B51 CJK UNIFIED IDEOGRAPH:'A46E:42094:&#x5B53 CJK UNIFIED IDEOGRAPH:'A46F:42095:&#x5BF8 CJK UNIFIED IDEOGRAPH:'A470:42096:&#x5C0F CJK UNIFIED IDEOGRAPH:'A471:42097:&#x5C22 CJK UNIFIED IDEOGRAPH:'A472:42098:&#x5C38 CJK UNIFIED IDEOGRAPH:'A473:42099:&#x5C71 CJK UNIFIED IDEOGRAPH:'A474:42100:&#x5DDD CJK UNIFIED IDEOGRAPH:'A475:42101:&#x5DE5 CJK UNIFIED IDEOGRAPH:'A476:42102:&#x5DF1 CJK UNIFIED IDEOGRAPH:'A477:42103:&#x5DF2 CJK UNIFIED IDEOGRAPH:'A478:42104:&#x5DF3 CJK UNIFIED IDEOGRAPH:'A479:42105:&#x5DFE CJK UNIFIED IDEOGRAPH:'A47A:42106:&#x5E72 CJK UNIFIED IDEOGRAPH:'A47B:42107:&#x5EFE CJK UNIFIED IDEOGRAPH:'A47C:42108:&#x5F0B CJK UNIFIED IDEOGRAPH:'A47D:42109:&#x5F13 CJK UNIFIED IDEOGRAPH:'A47E:42110:&#x624D CJK UNIFIED IDEOGRAPH:'A4A1:42145:&#x4E11 CJK UNIFIED IDEOGRAPH:'A4A2:42146:&#x4E10 CJK UNIFIED IDEOGRAPH:'A4A3:42147:&#x4E0D CJK UNIFIED IDEOGRAPH:'A4A4:42148:&#x4E2D CJK UNIFIED IDEOGRAPH:'A4A5:42149:&#x4E30 CJK UNIFIED IDEOGRAPH:'A4A6:42150:&#x4E39 CJK UNIFIED IDEOGRAPH:'A4A7:42151:&#x4E4B CJK UNIFIED IDEOGRAPH:'A4A8:42152:&#x5C39 CJK UNIFIED IDEOGRAPH:'A4A9:42153:&#x4E88 CJK UNIFIED IDEOGRAPH:'A4AA:42154:&#x4E91 CJK UNIFIED IDEOGRAPH:'A4AB:42155:&#x4E95 CJK UNIFIED IDEOGRAPH:'A4AC:42156:&#x4E92 CJK UNIFIED IDEOGRAPH:'A4AD:42157:&#x4E94 CJK UNIFIED IDEOGRAPH:'A4AE:42158:&#x4EA2 CJK UNIFIED IDEOGRAPH:'A4AF:42159:&#x4EC1 CJK UNIFIED IDEOGRAPH:'A4B0:42160:&#x4EC0 CJK UNIFIED IDEOGRAPH:'A4B1:42161:&#x4EC3 CJK UNIFIED IDEOGRAPH:'A4B2:42162:&#x4EC6 CJK UNIFIED IDEOGRAPH:'A4B3:42163:&#x4EC7 CJK UNIFIED IDEOGRAPH:'A4B4:42164:&#x4ECD CJK UNIFIED IDEOGRAPH:'A4B5:42165:&#x4ECA CJK UNIFIED IDEOGRAPH:'A4B6:42166:&#x4ECB CJK UNIFIED IDEOGRAPH:'A4B7:42167:&#x4EC4 CJK UNIFIED IDEOGRAPH:'A4B8:42168:&#x5143 CJK UNIFIED IDEOGRAPH:'A4B9:42169:&#x5141 CJK UNIFIED IDEOGRAPH:'A4BA:42170:&#x5167 CJK UNIFIED IDEOGRAPH:'A4BB:42171:&#x516D CJK UNIFIED IDEOGRAPH:'A4BC:42172:&#x516E CJK UNIFIED IDEOGRAPH:'A4BD:42173:&#x516C CJK UNIFIED IDEOGRAPH:'A4BE:42174:&#x5197 CJK UNIFIED IDEOGRAPH:'A4BF:42175:&#x51F6 CJK UNIFIED IDEOGRAPH:'A4C0:42176:&#x5206 CJK UNIFIED IDEOGRAPH:'A4C1:42177:&#x5207 CJK UNIFIED IDEOGRAPH:'A4C2:42178:&#x5208 CJK UNIFIED IDEOGRAPH:'A4C3:42179:&#x52FB CJK UNIFIED IDEOGRAPH:'A4C4:42180:&#x52FE CJK UNIFIED IDEOGRAPH:'A4C5:42181:&#x52FF CJK UNIFIED IDEOGRAPH:'A4C6:42182:&#x5316 CJK UNIFIED IDEOGRAPH:'A4C7:42183:&#x5339 CJK UNIFIED IDEOGRAPH:'A4C8:42184:&#x5348 CJK UNIFIED IDEOGRAPH:'A4C9:42185:&#x5347 CJK UNIFIED IDEOGRAPH:'A4CA:42186:&#x5345 CJK UNIFIED IDEOGRAPH:'A4CB:42187:&#x535E CJK UNIFIED IDEOGRAPH:'A4CC:42188:&#x5384 CJK UNIFIED IDEOGRAPH:'A4CD:42189:&#x53CB CJK UNIFIED IDEOGRAPH:'A4CE:42190:&#x53CA CJK UNIFIED IDEOGRAPH:'A4CF:42191:&#x53CD CJK UNIFIED IDEOGRAPH:'A4D0:42192:&#x58EC CJK UNIFIED IDEOGRAPH:'A4D1:42193:&#x5929 CJK UNIFIED IDEOGRAPH:'A4D2:42194:&#x592B CJK UNIFIED IDEOGRAPH:'A4D3:42195:&#x592A CJK UNIFIED IDEOGRAPH:'A4D4:42196:&#x592D CJK UNIFIED IDEOGRAPH:'A4D5:42197:&#x5B54 CJK UNIFIED IDEOGRAPH:'A4D6:42198:&#x5C11 CJK UNIFIED IDEOGRAPH:'A4D7:42199:&#x5C24 CJK UNIFIED IDEOGRAPH:'A4D8:42200:&#x5C3A CJK UNIFIED IDEOGRAPH:'A4D9:42201:&#x5C6F CJK UNIFIED IDEOGRAPH:'A4DA:42202:&#x5DF4 CJK UNIFIED IDEOGRAPH:'A4DB:42203:&#x5E7B CJK UNIFIED IDEOGRAPH:'A4DC:42204:&#x5EFF CJK UNIFIED IDEOGRAPH:'A4DD:42205:&#x5F14 CJK UNIFIED IDEOGRAPH:'A4DE:42206:&#x5F15 CJK UNIFIED IDEOGRAPH:'A4DF:42207:&#x5FC3 CJK UNIFIED IDEOGRAPH:'A4E0:42208:&#x6208 CJK UNIFIED IDEOGRAPH:'A4E1:42209:&#x6236 CJK UNIFIED IDEOGRAPH:'A4E2:42210:&#x624B CJK UNIFIED IDEOGRAPH:'A4E3:42211:&#x624E CJK UNIFIED IDEOGRAPH:'A4E4:42212:&#x652F CJK UNIFIED IDEOGRAPH:'A4E5:42213:&#x6587 CJK UNIFIED IDEOGRAPH:'A4E6:42214:&#x6597 CJK UNIFIED IDEOGRAPH:'A4E7:42215:&#x65A4 CJK UNIFIED IDEOGRAPH:'A4E8:42216:&#x65B9 CJK UNIFIED IDEOGRAPH:'A4E9:42217:&#x65E5 CJK UNIFIED IDEOGRAPH:'A4EA:42218:&#x66F0 CJK UNIFIED IDEOGRAPH:'A4EB:42219:&#x6708 CJK UNIFIED IDEOGRAPH:'A4EC:42220:&#x6728 CJK UNIFIED IDEOGRAPH:'A4ED:42221:&#x6B20 CJK UNIFIED IDEOGRAPH:'A4EE:42222:&#x6B62 CJK UNIFIED IDEOGRAPH:'A4EF:42223:&#x6B79 CJK UNIFIED IDEOGRAPH:'A4F0:42224:&#x6BCB CJK UNIFIED IDEOGRAPH:'A4F1:42225:&#x6BD4 CJK UNIFIED IDEOGRAPH:'A4F2:42226:&#x6BDB CJK UNIFIED IDEOGRAPH:'A4F3:42227:&#x6C0F CJK UNIFIED IDEOGRAPH:'A4F4:42228:&#x6C34 CJK UNIFIED IDEOGRAPH:'A4F5:42229:&#x706B CJK UNIFIED IDEOGRAPH:'A4F6:42230:&#x722A CJK UNIFIED IDEOGRAPH:'A4F7:42231:&#x7236 CJK UNIFIED IDEOGRAPH:'A4F8:42232:&#x723B CJK UNIFIED IDEOGRAPH:'A4F9:42233:&#x7247 CJK UNIFIED IDEOGRAPH:'A4FA:42234:&#x7259 CJK UNIFIED IDEOGRAPH:'A4FB:42235:&#x725B CJK UNIFIED IDEOGRAPH:'A4FC:42236:&#x72AC CJK UNIFIED IDEOGRAPH:'A4FD:42237:&#x738B CJK UNIFIED IDEOGRAPH:'A4FE:42238:&#x4E19 CJK UNIFIED IDEOGRAPH:'A540:42304:&#x4E16 CJK UNIFIED IDEOGRAPH:'A541:42305:&#x4E15 CJK UNIFIED IDEOGRAPH:'A542:42306:&#x4E14 CJK UNIFIED IDEOGRAPH:'A543:42307:&#x4E18 CJK UNIFIED IDEOGRAPH:'A544:42308:&#x4E3B CJK UNIFIED IDEOGRAPH:'A545:42309:&#x4E4D CJK UNIFIED IDEOGRAPH:'A546:42310:&#x4E4F CJK UNIFIED IDEOGRAPH:'A547:42311:&#x4E4E CJK UNIFIED IDEOGRAPH:'A548:42312:&#x4EE5 CJK UNIFIED IDEOGRAPH:'A549:42313:&#x4ED8 CJK UNIFIED IDEOGRAPH:'A54A:42314:&#x4ED4 CJK UNIFIED IDEOGRAPH:'A54B:42315:&#x4ED5 CJK UNIFIED IDEOGRAPH:'A54C:42316:&#x4ED6 CJK UNIFIED IDEOGRAPH:'A54D:42317:&#x4ED7 CJK UNIFIED IDEOGRAPH:'A54E:42318:&#x4EE3 CJK UNIFIED IDEOGRAPH:'A54F:42319:&#x4EE4 CJK UNIFIED IDEOGRAPH:'A550:42320:&#x4ED9 CJK UNIFIED IDEOGRAPH:'A551:42321:&#x4EDE CJK UNIFIED IDEOGRAPH:'A552:42322:&#x5145 CJK UNIFIED IDEOGRAPH:'A553:42323:&#x5144 CJK UNIFIED IDEOGRAPH:'A554:42324:&#x5189 CJK UNIFIED IDEOGRAPH:'A555:42325:&#x518A CJK UNIFIED IDEOGRAPH:'A556:42326:&#x51AC CJK UNIFIED IDEOGRAPH:'A557:42327:&#x51F9 CJK UNIFIED IDEOGRAPH:'A558:42328:&#x51FA CJK UNIFIED IDEOGRAPH:'A559:42329:&#x51F8 CJK UNIFIED IDEOGRAPH:'A55A:42330:&#x520A CJK UNIFIED IDEOGRAPH:'A55B:42331:&#x52A0 CJK UNIFIED IDEOGRAPH:'A55C:42332:&#x529F CJK UNIFIED IDEOGRAPH:'A55D:42333:&#x5305 CJK UNIFIED IDEOGRAPH:'A55E:42334:&#x5306 CJK UNIFIED IDEOGRAPH:'A55F:42335:&#x5317 CJK UNIFIED IDEOGRAPH:'A560:42336:&#x531D CJK UNIFIED IDEOGRAPH:'A561:42337:&#x4EDF CJK UNIFIED IDEOGRAPH:'A562:42338:&#x534A CJK UNIFIED IDEOGRAPH:'A563:42339:&#x5349 CJK UNIFIED IDEOGRAPH:'A564:42340:&#x5361 CJK UNIFIED IDEOGRAPH:'A565:42341:&#x5360 CJK UNIFIED IDEOGRAPH:'A566:42342:&#x536F CJK UNIFIED IDEOGRAPH:'A567:42343:&#x536E CJK UNIFIED IDEOGRAPH:'A568:42344:&#x53BB CJK UNIFIED IDEOGRAPH:'A569:42345:&#x53EF CJK UNIFIED IDEOGRAPH:'A56A:42346:&#x53E4 CJK UNIFIED IDEOGRAPH:'A56B:42347:&#x53F3 CJK UNIFIED IDEOGRAPH:'A56C:42348:&#x53EC CJK UNIFIED IDEOGRAPH:'A56D:42349:&#x53EE CJK UNIFIED IDEOGRAPH:'A56E:42350:&#x53E9 CJK UNIFIED IDEOGRAPH:'A56F:42351:&#x53E8 CJK UNIFIED IDEOGRAPH:'A570:42352:&#x53FC CJK UNIFIED IDEOGRAPH:'A571:42353:&#x53F8 CJK UNIFIED IDEOGRAPH:'A572:42354:&#x53F5 CJK UNIFIED IDEOGRAPH:'A573:42355:&#x53EB CJK UNIFIED IDEOGRAPH:'A574:42356:&#x53E6 CJK UNIFIED IDEOGRAPH:'A575:42357:&#x53EA CJK UNIFIED IDEOGRAPH:'A576:42358:&#x53F2 CJK UNIFIED IDEOGRAPH:'A577:42359:&#x53F1 CJK UNIFIED IDEOGRAPH:'A578:42360:&#x53F0 CJK UNIFIED IDEOGRAPH:'A579:42361:&#x53E5 CJK UNIFIED IDEOGRAPH:'A57A:42362:&#x53ED CJK UNIFIED IDEOGRAPH:'A57B:42363:&#x53FB CJK UNIFIED IDEOGRAPH:'A57C:42364:&#x56DB CJK UNIFIED IDEOGRAPH:'A57D:42365:&#x56DA CJK UNIFIED IDEOGRAPH:'A57E:42366:&#x5916 CJK UNIFIED IDEOGRAPH:'A5A1:42401:&#x592E CJK UNIFIED IDEOGRAPH:'A5A2:42402:&#x5931 CJK UNIFIED IDEOGRAPH:'A5A3:42403:&#x5974 CJK UNIFIED IDEOGRAPH:'A5A4:42404:&#x5976 CJK UNIFIED IDEOGRAPH:'A5A5:42405:&#x5B55 CJK UNIFIED IDEOGRAPH:'A5A6:42406:&#x5B83 CJK UNIFIED IDEOGRAPH:'A5A7:42407:&#x5C3C CJK UNIFIED IDEOGRAPH:'A5A8:42408:&#x5DE8 CJK UNIFIED IDEOGRAPH:'A5A9:42409:&#x5DE7 CJK UNIFIED IDEOGRAPH:'A5AA:42410:&#x5DE6 CJK UNIFIED IDEOGRAPH:'A5AB:42411:&#x5E02 CJK UNIFIED IDEOGRAPH:'A5AC:42412:&#x5E03 CJK UNIFIED IDEOGRAPH:'A5AD:42413:&#x5E73 CJK UNIFIED IDEOGRAPH:'A5AE:42414:&#x5E7C CJK UNIFIED IDEOGRAPH:'A5AF:42415:&#x5F01 CJK UNIFIED IDEOGRAPH:'A5B0:42416:&#x5F18 CJK UNIFIED IDEOGRAPH:'A5B1:42417:&#x5F17 CJK UNIFIED IDEOGRAPH:'A5B2:42418:&#x5FC5 CJK UNIFIED IDEOGRAPH:'A5B3:42419:&#x620A CJK UNIFIED IDEOGRAPH:'A5B4:42420:&#x6253 CJK UNIFIED IDEOGRAPH:'A5B5:42421:&#x6254 CJK UNIFIED IDEOGRAPH:'A5B6:42422:&#x6252 CJK UNIFIED IDEOGRAPH:'A5B7:42423:&#x6251 CJK UNIFIED IDEOGRAPH:'A5B8:42424:&#x65A5 CJK UNIFIED IDEOGRAPH:'A5B9:42425:&#x65E6 CJK UNIFIED IDEOGRAPH:'A5BA:42426:&#x672E CJK UNIFIED IDEOGRAPH:'A5BB:42427:&#x672C CJK UNIFIED IDEOGRAPH:'A5BC:42428:&#x672A CJK UNIFIED IDEOGRAPH:'A5BD:42429:&#x672B CJK UNIFIED IDEOGRAPH:'A5BE:42430:&#x672D CJK UNIFIED IDEOGRAPH:'A5BF:42431:&#x6B63 CJK UNIFIED IDEOGRAPH:'A5C0:42432:&#x6BCD CJK UNIFIED IDEOGRAPH:'A5C1:42433:&#x6C11 CJK UNIFIED IDEOGRAPH:'A5C2:42434:&#x6C10 CJK UNIFIED IDEOGRAPH:'A5C3:42435:&#x6C38 CJK UNIFIED IDEOGRAPH:'A5C4:42436:&#x6C41 CJK UNIFIED IDEOGRAPH:'A5C5:42437:&#x6C40 CJK UNIFIED IDEOGRAPH:'A5C6:42438:&#x6C3E CJK UNIFIED IDEOGRAPH:'A5C7:42439:&#x72AF CJK UNIFIED IDEOGRAPH:'A5C8:42440:&#x7384 CJK UNIFIED IDEOGRAPH:'A5C9:42441:&#x7389 CJK UNIFIED IDEOGRAPH:'A5CA:42442:&#x74DC CJK UNIFIED IDEOGRAPH:'A5CB:42443:&#x74E6 CJK UNIFIED IDEOGRAPH:'A5CC:42444:&#x7518 CJK UNIFIED IDEOGRAPH:'A5CD:42445:&#x751F CJK UNIFIED IDEOGRAPH:'A5CE:42446:&#x7528 CJK UNIFIED IDEOGRAPH:'A5CF:42447:&#x7529 CJK UNIFIED IDEOGRAPH:'A5D0:42448:&#x7530 CJK UNIFIED IDEOGRAPH:'A5D1:42449:&#x7531 CJK UNIFIED IDEOGRAPH:'A5D2:42450:&#x7532 CJK UNIFIED IDEOGRAPH:'A5D3:42451:&#x7533 CJK UNIFIED IDEOGRAPH:'A5D4:42452:&#x758B CJK UNIFIED IDEOGRAPH:'A5D5:42453:&#x767D CJK UNIFIED IDEOGRAPH:'A5D6:42454:&#x76AE CJK UNIFIED IDEOGRAPH:'A5D7:42455:&#x76BF CJK UNIFIED IDEOGRAPH:'A5D8:42456:&#x76EE CJK UNIFIED IDEOGRAPH:'A5D9:42457:&#x77DB CJK UNIFIED IDEOGRAPH:'A5DA:42458:&#x77E2 CJK UNIFIED IDEOGRAPH:'A5DB:42459:&#x77F3 CJK UNIFIED IDEOGRAPH:'A5DC:42460:&#x793A CJK UNIFIED IDEOGRAPH:'A5DD:42461:&#x79BE CJK UNIFIED IDEOGRAPH:'A5DE:42462:&#x7A74 CJK UNIFIED IDEOGRAPH:'A5DF:42463:&#x7ACB CJK UNIFIED IDEOGRAPH:'A5E0:42464:&#x4E1E CJK UNIFIED IDEOGRAPH:'A5E1:42465:&#x4E1F CJK UNIFIED IDEOGRAPH:'A5E2:42466:&#x4E52 CJK UNIFIED IDEOGRAPH:'A5E3:42467:&#x4E53 CJK UNIFIED IDEOGRAPH:'A5E4:42468:&#x4E69 CJK UNIFIED IDEOGRAPH:'A5E5:42469:&#x4E99 CJK UNIFIED IDEOGRAPH:'A5E6:42470:&#x4EA4 CJK UNIFIED IDEOGRAPH:'A5E7:42471:&#x4EA6 CJK UNIFIED IDEOGRAPH:'A5E8:42472:&#x4EA5 CJK UNIFIED IDEOGRAPH:'A5E9:42473:&#x4EFF CJK UNIFIED IDEOGRAPH:'A5EA:42474:&#x4F09 CJK UNIFIED IDEOGRAPH:'A5EB:42475:&#x4F19 CJK UNIFIED IDEOGRAPH:'A5EC:42476:&#x4F0A CJK UNIFIED IDEOGRAPH:'A5ED:42477:&#x4F15 CJK UNIFIED IDEOGRAPH:'A5EE:42478:&#x4F0D CJK UNIFIED IDEOGRAPH:'A5EF:42479:&#x4F10 CJK UNIFIED IDEOGRAPH:'A5F0:42480:&#x4F11 CJK UNIFIED IDEOGRAPH:'A5F1:42481:&#x4F0F CJK UNIFIED IDEOGRAPH:'A5F2:42482:&#x4EF2 CJK UNIFIED IDEOGRAPH:'A5F3:42483:&#x4EF6 CJK UNIFIED IDEOGRAPH:'A5F4:42484:&#x4EFB CJK UNIFIED IDEOGRAPH:'A5F5:42485:&#x4EF0 CJK UNIFIED IDEOGRAPH:'A5F6:42486:&#x4EF3 CJK UNIFIED IDEOGRAPH:'A5F7:42487:&#x4EFD CJK UNIFIED IDEOGRAPH:'A5F8:42488:&#x4F01 CJK UNIFIED IDEOGRAPH:'A5F9:42489:&#x4F0B CJK UNIFIED IDEOGRAPH:'A5FA:42490:&#x5149 CJK UNIFIED IDEOGRAPH:'A5FB:42491:&#x5147 CJK UNIFIED IDEOGRAPH:'A5FC:42492:&#x5146 CJK UNIFIED IDEOGRAPH:'A5FD:42493:&#x5148 CJK UNIFIED IDEOGRAPH:'A5FE:42494:&#x5168 CJK UNIFIED IDEOGRAPH:'A640:42560:&#x5171 CJK UNIFIED IDEOGRAPH:'A641:42561:&#x518D CJK UNIFIED IDEOGRAPH:'A642:42562:&#x51B0 CJK UNIFIED IDEOGRAPH:'A643:42563:&#x5217 CJK UNIFIED IDEOGRAPH:'A644:42564:&#x5211 CJK UNIFIED IDEOGRAPH:'A645:42565:&#x5212 CJK UNIFIED IDEOGRAPH:'A646:42566:&#x520E CJK UNIFIED IDEOGRAPH:'A647:42567:&#x5216 CJK UNIFIED IDEOGRAPH:'A648:42568:&#x52A3 CJK UNIFIED IDEOGRAPH:'A649:42569:&#x5308 CJK UNIFIED IDEOGRAPH:'A64A:42570:&#x5321 CJK UNIFIED IDEOGRAPH:'A64B:42571:&#x5320 CJK UNIFIED IDEOGRAPH:'A64C:42572:&#x5370 CJK UNIFIED IDEOGRAPH:'A64D:42573:&#x5371 CJK UNIFIED IDEOGRAPH:'A64E:42574:&#x5409 CJK UNIFIED IDEOGRAPH:'A64F:42575:&#x540F CJK UNIFIED IDEOGRAPH:'A650:42576:&#x540C CJK UNIFIED IDEOGRAPH:'A651:42577:&#x540A CJK UNIFIED IDEOGRAPH:'A652:42578:&#x5410 CJK UNIFIED IDEOGRAPH:'A653:42579:&#x5401 CJK UNIFIED IDEOGRAPH:'A654:42580:&#x540B CJK UNIFIED IDEOGRAPH:'A655:42581:&#x5404 CJK UNIFIED IDEOGRAPH:'A656:42582:&#x5411 CJK UNIFIED IDEOGRAPH:'A657:42583:&#x540D CJK UNIFIED IDEOGRAPH:'A658:42584:&#x5408 CJK UNIFIED IDEOGRAPH:'A659:42585:&#x5403 CJK UNIFIED IDEOGRAPH:'A65A:42586:&#x540E CJK UNIFIED IDEOGRAPH:'A65B:42587:&#x5406 CJK UNIFIED IDEOGRAPH:'A65C:42588:&#x5412 CJK UNIFIED IDEOGRAPH:'A65D:42589:&#x56E0 CJK UNIFIED IDEOGRAPH:'A65E:42590:&#x56DE CJK UNIFIED IDEOGRAPH:'A65F:42591:&#x56DD CJK UNIFIED IDEOGRAPH:'A660:42592:&#x5733 CJK UNIFIED IDEOGRAPH:'A661:42593:&#x5730 CJK UNIFIED IDEOGRAPH:'A662:42594:&#x5728 CJK UNIFIED IDEOGRAPH:'A663:42595:&#x572D CJK UNIFIED IDEOGRAPH:'A664:42596:&#x572C CJK UNIFIED IDEOGRAPH:'A665:42597:&#x572F CJK UNIFIED IDEOGRAPH:'A666:42598:&#x5729 CJK UNIFIED IDEOGRAPH:'A667:42599:&#x5919 CJK UNIFIED IDEOGRAPH:'A668:42600:&#x591A CJK UNIFIED IDEOGRAPH:'A669:42601:&#x5937 CJK UNIFIED IDEOGRAPH:'A66A:42602:&#x5938 CJK UNIFIED IDEOGRAPH:'A66B:42603:&#x5984 CJK UNIFIED IDEOGRAPH:'A66C:42604:&#x5978 CJK UNIFIED IDEOGRAPH:'A66D:42605:&#x5983 CJK UNIFIED IDEOGRAPH:'A66E:42606:&#x597D CJK UNIFIED IDEOGRAPH:'A66F:42607:&#x5979 CJK UNIFIED IDEOGRAPH:'A670:42608:&#x5982 CJK UNIFIED IDEOGRAPH:'A671:42609:&#x5981 CJK UNIFIED IDEOGRAPH:'A672:42610:&#x5B57 CJK UNIFIED IDEOGRAPH:'A673:42611:&#x5B58 CJK UNIFIED IDEOGRAPH:'A674:42612:&#x5B87 CJK UNIFIED IDEOGRAPH:'A675:42613:&#x5B88 CJK UNIFIED IDEOGRAPH:'A676:42614:&#x5B85 CJK UNIFIED IDEOGRAPH:'A677:42615:&#x5B89 CJK UNIFIED IDEOGRAPH:'A678:42616:&#x5BFA CJK UNIFIED IDEOGRAPH:'A679:42617:&#x5C16 CJK UNIFIED IDEOGRAPH:'A67A:42618:&#x5C79 CJK UNIFIED IDEOGRAPH:'A67B:42619:&#x5DDE CJK UNIFIED IDEOGRAPH:'A67C:42620:&#x5E06 CJK UNIFIED IDEOGRAPH:'A67D:42621:&#x5E76 CJK UNIFIED IDEOGRAPH:'A67E:42622:&#x5E74 CJK UNIFIED IDEOGRAPH:'A6A1:42657:&#x5F0F CJK UNIFIED IDEOGRAPH:'A6A2:42658:&#x5F1B CJK UNIFIED IDEOGRAPH:'A6A3:42659:&#x5FD9 CJK UNIFIED IDEOGRAPH:'A6A4:42660:&#x5FD6 CJK UNIFIED IDEOGRAPH:'A6A5:42661:&#x620E CJK UNIFIED IDEOGRAPH:'A6A6:42662:&#x620C CJK UNIFIED IDEOGRAPH:'A6A7:42663:&#x620D CJK UNIFIED IDEOGRAPH:'A6A8:42664:&#x6210 CJK UNIFIED IDEOGRAPH:'A6A9:42665:&#x6263 CJK UNIFIED IDEOGRAPH:'A6AA:42666:&#x625B CJK UNIFIED IDEOGRAPH:'A6AB:42667:&#x6258 CJK UNIFIED IDEOGRAPH:'A6AC:42668:&#x6536 CJK UNIFIED IDEOGRAPH:'A6AD:42669:&#x65E9 CJK UNIFIED IDEOGRAPH:'A6AE:42670:&#x65E8 CJK UNIFIED IDEOGRAPH:'A6AF:42671:&#x65EC CJK UNIFIED IDEOGRAPH:'A6B0:42672:&#x65ED CJK UNIFIED IDEOGRAPH:'A6B1:42673:&#x66F2 CJK UNIFIED IDEOGRAPH:'A6B2:42674:&#x66F3 CJK UNIFIED IDEOGRAPH:'A6B3:42675:&#x6709 CJK UNIFIED IDEOGRAPH:'A6B4:42676:&#x673D CJK UNIFIED IDEOGRAPH:'A6B5:42677:&#x6734 CJK UNIFIED IDEOGRAPH:'A6B6:42678:&#x6731 CJK UNIFIED IDEOGRAPH:'A6B7:42679:&#x6735 CJK UNIFIED IDEOGRAPH:'A6B8:42680:&#x6B21 CJK UNIFIED IDEOGRAPH:'A6B9:42681:&#x6B64 CJK UNIFIED IDEOGRAPH:'A6BA:42682:&#x6B7B CJK UNIFIED IDEOGRAPH:'A6BB:42683:&#x6C16 CJK UNIFIED IDEOGRAPH:'A6BC:42684:&#x6C5D CJK UNIFIED IDEOGRAPH:'A6BD:42685:&#x6C57 CJK UNIFIED IDEOGRAPH:'A6BE:42686:&#x6C59 CJK UNIFIED IDEOGRAPH:'A6BF:42687:&#x6C5F CJK UNIFIED IDEOGRAPH:'A6C0:42688:&#x6C60 CJK UNIFIED IDEOGRAPH:'A6C1:42689:&#x6C50 CJK UNIFIED IDEOGRAPH:'A6C2:42690:&#x6C55 CJK UNIFIED IDEOGRAPH:'A6C3:42691:&#x6C61 CJK UNIFIED IDEOGRAPH:'A6C4:42692:&#x6C5B CJK UNIFIED IDEOGRAPH:'A6C5:42693:&#x6C4D CJK UNIFIED IDEOGRAPH:'A6C6:42694:&#x6C4E CJK UNIFIED IDEOGRAPH:'A6C7:42695:&#x7070 CJK UNIFIED IDEOGRAPH:'A6C8:42696:&#x725F CJK UNIFIED IDEOGRAPH:'A6C9:42697:&#x725D CJK UNIFIED IDEOGRAPH:'A6CA:42698:&#x767E CJK UNIFIED IDEOGRAPH:'A6CB:42699:&#x7AF9 CJK UNIFIED IDEOGRAPH:'A6CC:42700:&#x7C73 CJK UNIFIED IDEOGRAPH:'A6CD:42701:&#x7CF8 CJK UNIFIED IDEOGRAPH:'A6CE:42702:&#x7F36 CJK UNIFIED IDEOGRAPH:'A6CF:42703:&#x7F8A CJK UNIFIED IDEOGRAPH:'A6D0:42704:&#x7FBD CJK UNIFIED IDEOGRAPH:'A6D1:42705:&#x8001 CJK UNIFIED IDEOGRAPH:'A6D2:42706:&#x8003 CJK UNIFIED IDEOGRAPH:'A6D3:42707:&#x800C CJK UNIFIED IDEOGRAPH:'A6D4:42708:&#x8012 CJK UNIFIED IDEOGRAPH:'A6D5:42709:&#x8033 CJK UNIFIED IDEOGRAPH:'A6D6:42710:&#x807F CJK UNIFIED IDEOGRAPH:'A6D7:42711:&#x8089 CJK UNIFIED IDEOGRAPH:'A6D8:42712:&#x808B CJK UNIFIED IDEOGRAPH:'A6D9:42713:&#x808C CJK UNIFIED IDEOGRAPH:'A6DA:42714:&#x81E3 CJK UNIFIED IDEOGRAPH:'A6DB:42715:&#x81EA CJK UNIFIED IDEOGRAPH:'A6DC:42716:&#x81F3 CJK UNIFIED IDEOGRAPH:'A6DD:42717:&#x81FC CJK UNIFIED IDEOGRAPH:'A6DE:42718:&#x820C CJK UNIFIED IDEOGRAPH:'A6DF:42719:&#x821B CJK UNIFIED IDEOGRAPH:'A6E0:42720:&#x821F CJK UNIFIED IDEOGRAPH:'A6E1:42721:&#x826E CJK UNIFIED IDEOGRAPH:'A6E2:42722:&#x8272 CJK UNIFIED IDEOGRAPH:'A6E3:42723:&#x827E CJK UNIFIED IDEOGRAPH:'A6E4:42724:&#x866B CJK UNIFIED IDEOGRAPH:'A6E5:42725:&#x8840 CJK UNIFIED IDEOGRAPH:'A6E6:42726:&#x884C CJK UNIFIED IDEOGRAPH:'A6E7:42727:&#x8863 CJK UNIFIED IDEOGRAPH:'A6E8:42728:&#x897F CJK UNIFIED IDEOGRAPH:'A6E9:42729:&#x9621 CJK UNIFIED IDEOGRAPH:'A6EA:42730:&#x4E32 CJK UNIFIED IDEOGRAPH:'A6EB:42731:&#x4EA8 CJK UNIFIED IDEOGRAPH:'A6EC:42732:&#x4F4D CJK UNIFIED IDEOGRAPH:'A6ED:42733:&#x4F4F CJK UNIFIED IDEOGRAPH:'A6EE:42734:&#x4F47 CJK UNIFIED IDEOGRAPH:'A6EF:42735:&#x4F57 CJK UNIFIED IDEOGRAPH:'A6F0:42736:&#x4F5E CJK UNIFIED IDEOGRAPH:'A6F1:42737:&#x4F34 CJK UNIFIED IDEOGRAPH:'A6F2:42738:&#x4F5B CJK UNIFIED IDEOGRAPH:'A6F3:42739:&#x4F55 CJK UNIFIED IDEOGRAPH:'A6F4:42740:&#x4F30 CJK UNIFIED IDEOGRAPH:'A6F5:42741:&#x4F50 CJK UNIFIED IDEOGRAPH:'A6F6:42742:&#x4F51 CJK UNIFIED IDEOGRAPH:'A6F7:42743:&#x4F3D CJK UNIFIED IDEOGRAPH:'A6F8:42744:&#x4F3A CJK UNIFIED IDEOGRAPH:'A6F9:42745:&#x4F38 CJK UNIFIED IDEOGRAPH:'A6FA:42746:&#x4F43 CJK UNIFIED IDEOGRAPH:'A6FB:42747:&#x4F54 CJK UNIFIED IDEOGRAPH:'A6FC:42748:&#x4F3C CJK UNIFIED IDEOGRAPH:'A6FD:42749:&#x4F46 CJK UNIFIED IDEOGRAPH:'A6FE:42750:&#x4F63 CJK UNIFIED IDEOGRAPH:'A740:42816:&#x4F5C CJK UNIFIED IDEOGRAPH:'A741:42817:&#x4F60 CJK UNIFIED IDEOGRAPH:'A742:42818:&#x4F2F CJK UNIFIED IDEOGRAPH:'A743:42819:&#x4F4E CJK UNIFIED IDEOGRAPH:'A744:42820:&#x4F36 CJK UNIFIED IDEOGRAPH:'A745:42821:&#x4F59 CJK UNIFIED IDEOGRAPH:'A746:42822:&#x4F5D CJK UNIFIED IDEOGRAPH:'A747:42823:&#x4F48 CJK UNIFIED IDEOGRAPH:'A748:42824:&#x4F5A CJK UNIFIED IDEOGRAPH:'A749:42825:&#x514C CJK UNIFIED IDEOGRAPH:'A74A:42826:&#x514B CJK UNIFIED IDEOGRAPH:'A74B:42827:&#x514D CJK UNIFIED IDEOGRAPH:'A74C:42828:&#x5175 CJK UNIFIED IDEOGRAPH:'A74D:42829:&#x51B6 CJK UNIFIED IDEOGRAPH:'A74E:42830:&#x51B7 CJK UNIFIED IDEOGRAPH:'A74F:42831:&#x5225 CJK UNIFIED IDEOGRAPH:'A750:42832:&#x5224 CJK UNIFIED IDEOGRAPH:'A751:42833:&#x5229 CJK UNIFIED IDEOGRAPH:'A752:42834:&#x522A CJK UNIFIED IDEOGRAPH:'A753:42835:&#x5228 CJK UNIFIED IDEOGRAPH:'A754:42836:&#x52AB CJK UNIFIED IDEOGRAPH:'A755:42837:&#x52A9 CJK UNIFIED IDEOGRAPH:'A756:42838:&#x52AA CJK UNIFIED IDEOGRAPH:'A757:42839:&#x52AC CJK UNIFIED IDEOGRAPH:'A758:42840:&#x5323 CJK UNIFIED IDEOGRAPH:'A759:42841:&#x5373 CJK UNIFIED IDEOGRAPH:'A75A:42842:&#x5375 CJK UNIFIED IDEOGRAPH:'A75B:42843:&#x541D CJK UNIFIED IDEOGRAPH:'A75C:42844:&#x542D CJK UNIFIED IDEOGRAPH:'A75D:42845:&#x541E CJK UNIFIED IDEOGRAPH:'A75E:42846:&#x543E CJK UNIFIED IDEOGRAPH:'A75F:42847:&#x5426 CJK UNIFIED IDEOGRAPH:'A760:42848:&#x544E CJK UNIFIED IDEOGRAPH:'A761:42849:&#x5427 CJK UNIFIED IDEOGRAPH:'A762:42850:&#x5446 CJK UNIFIED IDEOGRAPH:'A763:42851:&#x5443 CJK UNIFIED IDEOGRAPH:'A764:42852:&#x5433 CJK UNIFIED IDEOGRAPH:'A765:42853:&#x5448 CJK UNIFIED IDEOGRAPH:'A766:42854:&#x5442 CJK UNIFIED IDEOGRAPH:'A767:42855:&#x541B CJK UNIFIED IDEOGRAPH:'A768:42856:&#x5429 CJK UNIFIED IDEOGRAPH:'A769:42857:&#x544A CJK UNIFIED IDEOGRAPH:'A76A:42858:&#x5439 CJK UNIFIED IDEOGRAPH:'A76B:42859:&#x543B CJK UNIFIED IDEOGRAPH:'A76C:42860:&#x5438 CJK UNIFIED IDEOGRAPH:'A76D:42861:&#x542E CJK UNIFIED IDEOGRAPH:'A76E:42862:&#x5435 CJK UNIFIED IDEOGRAPH:'A76F:42863:&#x5436 CJK UNIFIED IDEOGRAPH:'A770:42864:&#x5420 CJK UNIFIED IDEOGRAPH:'A771:42865:&#x543C CJK UNIFIED IDEOGRAPH:'A772:42866:&#x5440 CJK UNIFIED IDEOGRAPH:'A773:42867:&#x5431 CJK UNIFIED IDEOGRAPH:'A774:42868:&#x542B CJK UNIFIED IDEOGRAPH:'A775:42869:&#x541F CJK UNIFIED IDEOGRAPH:'A776:42870:&#x542C CJK UNIFIED IDEOGRAPH:'A777:42871:&#x56EA CJK UNIFIED IDEOGRAPH:'A778:42872:&#x56F0 CJK UNIFIED IDEOGRAPH:'A779:42873:&#x56E4 CJK UNIFIED IDEOGRAPH:'A77A:42874:&#x56EB CJK UNIFIED IDEOGRAPH:'A77B:42875:&#x574A CJK UNIFIED IDEOGRAPH:'A77C:42876:&#x5751 CJK UNIFIED IDEOGRAPH:'A77D:42877:&#x5740 CJK UNIFIED IDEOGRAPH:'A77E:42878:&#x574D CJK UNIFIED IDEOGRAPH:'A7A1:42913:&#x5747 CJK UNIFIED IDEOGRAPH:'A7A2:42914:&#x574E CJK UNIFIED IDEOGRAPH:'A7A3:42915:&#x573E CJK UNIFIED IDEOGRAPH:'A7A4:42916:&#x5750 CJK UNIFIED IDEOGRAPH:'A7A5:42917:&#x574F CJK UNIFIED IDEOGRAPH:'A7A6:42918:&#x573B CJK UNIFIED IDEOGRAPH:'A7A7:42919:&#x58EF CJK UNIFIED IDEOGRAPH:'A7A8:42920:&#x593E CJK UNIFIED IDEOGRAPH:'A7A9:42921:&#x599D CJK UNIFIED IDEOGRAPH:'A7AA:42922:&#x5992 CJK UNIFIED IDEOGRAPH:'A7AB:42923:&#x59A8 CJK UNIFIED IDEOGRAPH:'A7AC:42924:&#x599E CJK UNIFIED IDEOGRAPH:'A7AD:42925:&#x59A3 CJK UNIFIED IDEOGRAPH:'A7AE:42926:&#x5999 CJK UNIFIED IDEOGRAPH:'A7AF:42927:&#x5996 CJK UNIFIED IDEOGRAPH:'A7B0:42928:&#x598D CJK UNIFIED IDEOGRAPH:'A7B1:42929:&#x59A4 CJK UNIFIED IDEOGRAPH:'A7B2:42930:&#x5993 CJK UNIFIED IDEOGRAPH:'A7B3:42931:&#x598A CJK UNIFIED IDEOGRAPH:'A7B4:42932:&#x59A5 CJK UNIFIED IDEOGRAPH:'A7B5:42933:&#x5B5D CJK UNIFIED IDEOGRAPH:'A7B6:42934:&#x5B5C CJK UNIFIED IDEOGRAPH:'A7B7:42935:&#x5B5A CJK UNIFIED IDEOGRAPH:'A7B8:42936:&#x5B5B CJK UNIFIED IDEOGRAPH:'A7B9:42937:&#x5B8C CJK UNIFIED IDEOGRAPH:'A7BA:42938:&#x5B8B CJK UNIFIED IDEOGRAPH:'A7BB:42939:&#x5B8F CJK UNIFIED IDEOGRAPH:'A7BC:42940:&#x5C2C CJK UNIFIED IDEOGRAPH:'A7BD:42941:&#x5C40 CJK UNIFIED IDEOGRAPH:'A7BE:42942:&#x5C41 CJK UNIFIED IDEOGRAPH:'A7BF:42943:&#x5C3F CJK UNIFIED IDEOGRAPH:'A7C0:42944:&#x5C3E CJK UNIFIED IDEOGRAPH:'A7C1:42945:&#x5C90 CJK UNIFIED IDEOGRAPH:'A7C2:42946:&#x5C91 CJK UNIFIED IDEOGRAPH:'A7C3:42947:&#x5C94 CJK UNIFIED IDEOGRAPH:'A7C4:42948:&#x5C8C CJK UNIFIED IDEOGRAPH:'A7C5:42949:&#x5DEB CJK UNIFIED IDEOGRAPH:'A7C6:42950:&#x5E0C CJK UNIFIED IDEOGRAPH:'A7C7:42951:&#x5E8F CJK UNIFIED IDEOGRAPH:'A7C8:42952:&#x5E87 CJK UNIFIED IDEOGRAPH:'A7C9:42953:&#x5E8A CJK UNIFIED IDEOGRAPH:'A7CA:42954:&#x5EF7 CJK UNIFIED IDEOGRAPH:'A7CB:42955:&#x5F04 CJK UNIFIED IDEOGRAPH:'A7CC:42956:&#x5F1F CJK UNIFIED IDEOGRAPH:'A7CD:42957:&#x5F64 CJK UNIFIED IDEOGRAPH:'A7CE:42958:&#x5F62 CJK UNIFIED IDEOGRAPH:'A7CF:42959:&#x5F77 CJK UNIFIED IDEOGRAPH:'A7D0:42960:&#x5F79 CJK UNIFIED IDEOGRAPH:'A7D1:42961:&#x5FD8 CJK UNIFIED IDEOGRAPH:'A7D2:42962:&#x5FCC CJK UNIFIED IDEOGRAPH:'A7D3:42963:&#x5FD7 CJK UNIFIED IDEOGRAPH:'A7D4:42964:&#x5FCD CJK UNIFIED IDEOGRAPH:'A7D5:42965:&#x5FF1 CJK UNIFIED IDEOGRAPH:'A7D6:42966:&#x5FEB CJK UNIFIED IDEOGRAPH:'A7D7:42967:&#x5FF8 CJK UNIFIED IDEOGRAPH:'A7D8:42968:&#x5FEA CJK UNIFIED IDEOGRAPH:'A7D9:42969:&#x6212 CJK UNIFIED IDEOGRAPH:'A7DA:42970:&#x6211 CJK UNIFIED IDEOGRAPH:'A7DB:42971:&#x6284 CJK UNIFIED IDEOGRAPH:'A7DC:42972:&#x6297 CJK UNIFIED IDEOGRAPH:'A7DD:42973:&#x6296 CJK UNIFIED IDEOGRAPH:'A7DE:42974:&#x6280 CJK UNIFIED IDEOGRAPH:'A7DF:42975:&#x6276 CJK UNIFIED IDEOGRAPH:'A7E0:42976:&#x6289 CJK UNIFIED IDEOGRAPH:'A7E1:42977:&#x626D CJK UNIFIED IDEOGRAPH:'A7E2:42978:&#x628A CJK UNIFIED IDEOGRAPH:'A7E3:42979:&#x627C CJK UNIFIED IDEOGRAPH:'A7E4:42980:&#x627E CJK UNIFIED IDEOGRAPH:'A7E5:42981:&#x6279 CJK UNIFIED IDEOGRAPH:'A7E6:42982:&#x6273 CJK UNIFIED IDEOGRAPH:'A7E7:42983:&#x6292 CJK UNIFIED IDEOGRAPH:'A7E8:42984:&#x626F CJK UNIFIED IDEOGRAPH:'A7E9:42985:&#x6298 CJK UNIFIED IDEOGRAPH:'A7EA:42986:&#x626E CJK UNIFIED IDEOGRAPH:'A7EB:42987:&#x6295 CJK UNIFIED IDEOGRAPH:'A7EC:42988:&#x6293 CJK UNIFIED IDEOGRAPH:'A7ED:42989:&#x6291 CJK UNIFIED IDEOGRAPH:'A7EE:42990:&#x6286 CJK UNIFIED IDEOGRAPH:'A7EF:42991:&#x6539 CJK UNIFIED IDEOGRAPH:'A7F0:42992:&#x653B CJK UNIFIED IDEOGRAPH:'A7F1:42993:&#x6538 CJK UNIFIED IDEOGRAPH:'A7F2:42994:&#x65F1 CJK UNIFIED IDEOGRAPH:'A7F3:42995:&#x66F4 CJK UNIFIED IDEOGRAPH:'A7F4:42996:&#x675F CJK UNIFIED IDEOGRAPH:'A7F5:42997:&#x674E CJK UNIFIED IDEOGRAPH:'A7F6:42998:&#x674F CJK UNIFIED IDEOGRAPH:'A7F7:42999:&#x6750 CJK UNIFIED IDEOGRAPH:'A7F8:43000:&#x6751 CJK UNIFIED IDEOGRAPH:'A7F9:43001:&#x675C CJK UNIFIED IDEOGRAPH:'A7FA:43002:&#x6756 CJK UNIFIED IDEOGRAPH:'A7FB:43003:&#x675E CJK UNIFIED IDEOGRAPH:'A7FC:43004:&#x6749 CJK UNIFIED IDEOGRAPH:'A7FD:43005:&#x6746 CJK UNIFIED IDEOGRAPH:'A7FE:43006:&#x6760 CJK UNIFIED IDEOGRAPH:'A840:43072:&#x6753 CJK UNIFIED IDEOGRAPH:'A841:43073:&#x6757 CJK UNIFIED IDEOGRAPH:'A842:43074:&#x6B65 CJK UNIFIED IDEOGRAPH:'A843:43075:&#x6BCF CJK UNIFIED IDEOGRAPH:'A844:43076:&#x6C42 CJK UNIFIED IDEOGRAPH:'A845:43077:&#x6C5E CJK UNIFIED IDEOGRAPH:'A846:43078:&#x6C99 CJK UNIFIED IDEOGRAPH:'A847:43079:&#x6C81 CJK UNIFIED IDEOGRAPH:'A848:43080:&#x6C88 CJK UNIFIED IDEOGRAPH:'A849:43081:&#x6C89 CJK UNIFIED IDEOGRAPH:'A84A:43082:&#x6C85 CJK UNIFIED IDEOGRAPH:'A84B:43083:&#x6C9B CJK UNIFIED IDEOGRAPH:'A84C:43084:&#x6C6A CJK UNIFIED IDEOGRAPH:'A84D:43085:&#x6C7A CJK UNIFIED IDEOGRAPH:'A84E:43086:&#x6C90 CJK UNIFIED IDEOGRAPH:'A84F:43087:&#x6C70 CJK UNIFIED IDEOGRAPH:'A850:43088:&#x6C8C CJK UNIFIED IDEOGRAPH:'A851:43089:&#x6C68 CJK UNIFIED IDEOGRAPH:'A852:43090:&#x6C96 CJK UNIFIED IDEOGRAPH:'A853:43091:&#x6C92 CJK UNIFIED IDEOGRAPH:'A854:43092:&#x6C7D CJK UNIFIED IDEOGRAPH:'A855:43093:&#x6C83 CJK UNIFIED IDEOGRAPH:'A856:43094:&#x6C72 CJK UNIFIED IDEOGRAPH:'A857:43095:&#x6C7E CJK UNIFIED IDEOGRAPH:'A858:43096:&#x6C74 CJK UNIFIED IDEOGRAPH:'A859:43097:&#x6C86 CJK UNIFIED IDEOGRAPH:'A85A:43098:&#x6C76 CJK UNIFIED IDEOGRAPH:'A85B:43099:&#x6C8D CJK UNIFIED IDEOGRAPH:'A85C:43100:&#x6C94 CJK UNIFIED IDEOGRAPH:'A85D:43101:&#x6C98 CJK UNIFIED IDEOGRAPH:'A85E:43102:&#x6C82 CJK UNIFIED IDEOGRAPH:'A85F:43103:&#x7076 CJK UNIFIED IDEOGRAPH:'A860:43104:&#x707C CJK UNIFIED IDEOGRAPH:'A861:43105:&#x707D CJK UNIFIED IDEOGRAPH:'A862:43106:&#x7078 CJK UNIFIED IDEOGRAPH:'A863:43107:&#x7262 CJK UNIFIED IDEOGRAPH:'A864:43108:&#x7261 CJK UNIFIED IDEOGRAPH:'A865:43109:&#x7260 CJK UNIFIED IDEOGRAPH:'A866:43110:&#x72C4 CJK UNIFIED IDEOGRAPH:'A867:43111:&#x72C2 CJK UNIFIED IDEOGRAPH:'A868:43112:&#x7396 CJK UNIFIED IDEOGRAPH:'A869:43113:&#x752C CJK UNIFIED IDEOGRAPH:'A86A:43114:&#x752B CJK UNIFIED IDEOGRAPH:'A86B:43115:&#x7537 CJK UNIFIED IDEOGRAPH:'A86C:43116:&#x7538 CJK UNIFIED IDEOGRAPH:'A86D:43117:&#x7682 CJK UNIFIED IDEOGRAPH:'A86E:43118:&#x76EF CJK UNIFIED IDEOGRAPH:'A86F:43119:&#x77E3 CJK UNIFIED IDEOGRAPH:'A870:43120:&#x79C1 CJK UNIFIED IDEOGRAPH:'A871:43121:&#x79C0 CJK UNIFIED IDEOGRAPH:'A872:43122:&#x79BF CJK UNIFIED IDEOGRAPH:'A873:43123:&#x7A76 CJK UNIFIED IDEOGRAPH:'A874:43124:&#x7CFB CJK UNIFIED IDEOGRAPH:'A875:43125:&#x7F55 CJK UNIFIED IDEOGRAPH:'A876:43126:&#x8096 CJK UNIFIED IDEOGRAPH:'A877:43127:&#x8093 CJK UNIFIED IDEOGRAPH:'A878:43128:&#x809D CJK UNIFIED IDEOGRAPH:'A879:43129:&#x8098 CJK UNIFIED IDEOGRAPH:'A87A:43130:&#x809B CJK UNIFIED IDEOGRAPH:'A87B:43131:&#x809A CJK UNIFIED IDEOGRAPH:'A87C:43132:&#x80B2 CJK UNIFIED IDEOGRAPH:'A87D:43133:&#x826F CJK UNIFIED IDEOGRAPH:'A87E:43134:&#x8292 CJK UNIFIED IDEOGRAPH:'A8A1:43169:&#x828B CJK UNIFIED IDEOGRAPH:'A8A2:43170:&#x828D CJK UNIFIED IDEOGRAPH:'A8A3:43171:&#x898B CJK UNIFIED IDEOGRAPH:'A8A4:43172:&#x89D2 CJK UNIFIED IDEOGRAPH:'A8A5:43173:&#x8A00 CJK UNIFIED IDEOGRAPH:'A8A6:43174:&#x8C37 CJK UNIFIED IDEOGRAPH:'A8A7:43175:&#x8C46 CJK UNIFIED IDEOGRAPH:'A8A8:43176:&#x8C55 CJK UNIFIED IDEOGRAPH:'A8A9:43177:&#x8C9D CJK UNIFIED IDEOGRAPH:'A8AA:43178:&#x8D64 CJK UNIFIED IDEOGRAPH:'A8AB:43179:&#x8D70 CJK UNIFIED IDEOGRAPH:'A8AC:43180:&#x8DB3 CJK UNIFIED IDEOGRAPH:'A8AD:43181:&#x8EAB CJK UNIFIED IDEOGRAPH:'A8AE:43182:&#x8ECA CJK UNIFIED IDEOGRAPH:'A8AF:43183:&#x8F9B CJK UNIFIED IDEOGRAPH:'A8B0:43184:&#x8FB0 CJK UNIFIED IDEOGRAPH:'A8B1:43185:&#x8FC2 CJK UNIFIED IDEOGRAPH:'A8B2:43186:&#x8FC6 CJK UNIFIED IDEOGRAPH:'A8B3:43187:&#x8FC5 CJK UNIFIED IDEOGRAPH:'A8B4:43188:&#x8FC4 CJK UNIFIED IDEOGRAPH:'A8B5:43189:&#x5DE1 CJK UNIFIED IDEOGRAPH:'A8B6:43190:&#x9091 CJK UNIFIED IDEOGRAPH:'A8B7:43191:&#x90A2 CJK UNIFIED IDEOGRAPH:'A8B8:43192:&#x90AA CJK UNIFIED IDEOGRAPH:'A8B9:43193:&#x90A6 CJK UNIFIED IDEOGRAPH:'A8BA:43194:&#x90A3 CJK UNIFIED IDEOGRAPH:'A8BB:43195:&#x9149 CJK UNIFIED IDEOGRAPH:'A8BC:43196:&#x91C6 CJK UNIFIED IDEOGRAPH:'A8BD:43197:&#x91CC CJK UNIFIED IDEOGRAPH:'A8BE:43198:&#x9632 CJK UNIFIED IDEOGRAPH:'A8BF:43199:&#x962E CJK UNIFIED IDEOGRAPH:'A8C0:43200:&#x9631 CJK UNIFIED IDEOGRAPH:'A8C1:43201:&#x962A CJK UNIFIED IDEOGRAPH:'A8C2:43202:&#x962C CJK UNIFIED IDEOGRAPH:'A8C3:43203:&#x4E26 CJK UNIFIED IDEOGRAPH:'A8C4:43204:&#x4E56 CJK UNIFIED IDEOGRAPH:'A8C5:43205:&#x4E73 CJK UNIFIED IDEOGRAPH:'A8C6:43206:&#x4E8B CJK UNIFIED IDEOGRAPH:'A8C7:43207:&#x4E9B CJK UNIFIED IDEOGRAPH:'A8C8:43208:&#x4E9E CJK UNIFIED IDEOGRAPH:'A8C9:43209:&#x4EAB CJK UNIFIED IDEOGRAPH:'A8CA:43210:&#x4EAC CJK UNIFIED IDEOGRAPH:'A8CB:43211:&#x4F6F CJK UNIFIED IDEOGRAPH:'A8CC:43212:&#x4F9D CJK UNIFIED IDEOGRAPH:'A8CD:43213:&#x4F8D CJK UNIFIED IDEOGRAPH:'A8CE:43214:&#x4F73 CJK UNIFIED IDEOGRAPH:'A8CF:43215:&#x4F7F CJK UNIFIED IDEOGRAPH:'A8D0:43216:&#x4F6C CJK UNIFIED IDEOGRAPH:'A8D1:43217:&#x4F9B CJK UNIFIED IDEOGRAPH:'A8D2:43218:&#x4F8B CJK UNIFIED IDEOGRAPH:'A8D3:43219:&#x4F86 CJK UNIFIED IDEOGRAPH:'A8D4:43220:&#x4F83 CJK UNIFIED IDEOGRAPH:'A8D5:43221:&#x4F70 CJK UNIFIED IDEOGRAPH:'A8D6:43222:&#x4F75 CJK UNIFIED IDEOGRAPH:'A8D7:43223:&#x4F88 CJK UNIFIED IDEOGRAPH:'A8D8:43224:&#x4F69 CJK UNIFIED IDEOGRAPH:'A8D9:43225:&#x4F7B CJK UNIFIED IDEOGRAPH:'A8DA:43226:&#x4F96 CJK UNIFIED IDEOGRAPH:'A8DB:43227:&#x4F7E CJK UNIFIED IDEOGRAPH:'A8DC:43228:&#x4F8F CJK UNIFIED IDEOGRAPH:'A8DD:43229:&#x4F91 CJK UNIFIED IDEOGRAPH:'A8DE:43230:&#x4F7A CJK UNIFIED IDEOGRAPH:'A8DF:43231:&#x5154 CJK UNIFIED IDEOGRAPH:'A8E0:43232:&#x5152 CJK UNIFIED IDEOGRAPH:'A8E1:43233:&#x5155 CJK UNIFIED IDEOGRAPH:'A8E2:43234:&#x5169 CJK UNIFIED IDEOGRAPH:'A8E3:43235:&#x5177 CJK UNIFIED IDEOGRAPH:'A8E4:43236:&#x5176 CJK UNIFIED IDEOGRAPH:'A8E5:43237:&#x5178 CJK UNIFIED IDEOGRAPH:'A8E6:43238:&#x51BD CJK UNIFIED IDEOGRAPH:'A8E7:43239:&#x51FD CJK UNIFIED IDEOGRAPH:'A8E8:43240:&#x523B CJK UNIFIED IDEOGRAPH:'A8E9:43241:&#x5238 CJK UNIFIED IDEOGRAPH:'A8EA:43242:&#x5237 CJK UNIFIED IDEOGRAPH:'A8EB:43243:&#x523A CJK UNIFIED IDEOGRAPH:'A8EC:43244:&#x5230 CJK UNIFIED IDEOGRAPH:'A8ED:43245:&#x522E CJK UNIFIED IDEOGRAPH:'A8EE:43246:&#x5236 CJK UNIFIED IDEOGRAPH:'A8EF:43247:&#x5241 CJK UNIFIED IDEOGRAPH:'A8F0:43248:&#x52BE CJK UNIFIED IDEOGRAPH:'A8F1:43249:&#x52BB CJK UNIFIED IDEOGRAPH:'A8F2:43250:&#x5352 CJK UNIFIED IDEOGRAPH:'A8F3:43251:&#x5354 CJK UNIFIED IDEOGRAPH:'A8F4:43252:&#x5353 CJK UNIFIED IDEOGRAPH:'A8F5:43253:&#x5351 CJK UNIFIED IDEOGRAPH:'A8F6:43254:&#x5366 CJK UNIFIED IDEOGRAPH:'A8F7:43255:&#x5377 CJK UNIFIED IDEOGRAPH:'A8F8:43256:&#x5378 CJK UNIFIED IDEOGRAPH:'A8F9:43257:&#x5379 CJK UNIFIED IDEOGRAPH:'A8FA:43258:&#x53D6 CJK UNIFIED IDEOGRAPH:'A8FB:43259:&#x53D4 CJK UNIFIED IDEOGRAPH:'A8FC:43260:&#x53D7 CJK UNIFIED IDEOGRAPH:'A8FD:43261:&#x5473 CJK UNIFIED IDEOGRAPH:'A8FE:43262:&#x5475 CJK UNIFIED IDEOGRAPH:'A940:43328:&#x5496 CJK UNIFIED IDEOGRAPH:'A941:43329:&#x5478 CJK UNIFIED IDEOGRAPH:'A942:43330:&#x5495 CJK UNIFIED IDEOGRAPH:'A943:43331:&#x5480 CJK UNIFIED IDEOGRAPH:'A944:43332:&#x547B CJK UNIFIED IDEOGRAPH:'A945:43333:&#x5477 CJK UNIFIED IDEOGRAPH:'A946:43334:&#x5484 CJK UNIFIED IDEOGRAPH:'A947:43335:&#x5492 CJK UNIFIED IDEOGRAPH:'A948:43336:&#x5486 CJK UNIFIED IDEOGRAPH:'A949:43337:&#x547C CJK UNIFIED IDEOGRAPH:'A94A:43338:&#x5490 CJK UNIFIED IDEOGRAPH:'A94B:43339:&#x5471 CJK UNIFIED IDEOGRAPH:'A94C:43340:&#x5476 CJK UNIFIED IDEOGRAPH:'A94D:43341:&#x548C CJK UNIFIED IDEOGRAPH:'A94E:43342:&#x549A CJK UNIFIED IDEOGRAPH:'A94F:43343:&#x5462 CJK UNIFIED IDEOGRAPH:'A950:43344:&#x5468 CJK UNIFIED IDEOGRAPH:'A951:43345:&#x548B CJK UNIFIED IDEOGRAPH:'A952:43346:&#x547D CJK UNIFIED IDEOGRAPH:'A953:43347:&#x548E CJK UNIFIED IDEOGRAPH:'A954:43348:&#x56FA CJK UNIFIED IDEOGRAPH:'A955:43349:&#x5783 CJK UNIFIED IDEOGRAPH:'A956:43350:&#x5777 CJK UNIFIED IDEOGRAPH:'A957:43351:&#x576A CJK UNIFIED IDEOGRAPH:'A958:43352:&#x5769 CJK UNIFIED IDEOGRAPH:'A959:43353:&#x5761 CJK UNIFIED IDEOGRAPH:'A95A:43354:&#x5766 CJK UNIFIED IDEOGRAPH:'A95B:43355:&#x5764 CJK UNIFIED IDEOGRAPH:'A95C:43356:&#x577C CJK UNIFIED IDEOGRAPH:'A95D:43357:&#x591C CJK UNIFIED IDEOGRAPH:'A95E:43358:&#x5949 CJK UNIFIED IDEOGRAPH:'A95F:43359:&#x5947 CJK UNIFIED IDEOGRAPH:'A960:43360:&#x5948 CJK UNIFIED IDEOGRAPH:'A961:43361:&#x5944 CJK UNIFIED IDEOGRAPH:'A962:43362:&#x5954 CJK UNIFIED IDEOGRAPH:'A963:43363:&#x59BE CJK UNIFIED IDEOGRAPH:'A964:43364:&#x59BB CJK UNIFIED IDEOGRAPH:'A965:43365:&#x59D4 CJK UNIFIED IDEOGRAPH:'A966:43366:&#x59B9 CJK UNIFIED IDEOGRAPH:'A967:43367:&#x59AE CJK UNIFIED IDEOGRAPH:'A968:43368:&#x59D1 CJK UNIFIED IDEOGRAPH:'A969:43369:&#x59C6 CJK UNIFIED IDEOGRAPH:'A96A:43370:&#x59D0 CJK UNIFIED IDEOGRAPH:'A96B:43371:&#x59CD CJK UNIFIED IDEOGRAPH:'A96C:43372:&#x59CB CJK UNIFIED IDEOGRAPH:'A96D:43373:&#x59D3 CJK UNIFIED IDEOGRAPH:'A96E:43374:&#x59CA CJK UNIFIED IDEOGRAPH:'A96F:43375:&#x59AF CJK UNIFIED IDEOGRAPH:'A970:43376:&#x59B3 CJK UNIFIED IDEOGRAPH:'A971:43377:&#x59D2 CJK UNIFIED IDEOGRAPH:'A972:43378:&#x59C5 CJK UNIFIED IDEOGRAPH:'A973:43379:&#x5B5F CJK UNIFIED IDEOGRAPH:'A974:43380:&#x5B64 CJK UNIFIED IDEOGRAPH:'A975:43381:&#x5B63 CJK UNIFIED IDEOGRAPH:'A976:43382:&#x5B97 CJK UNIFIED IDEOGRAPH:'A977:43383:&#x5B9A CJK UNIFIED IDEOGRAPH:'A978:43384:&#x5B98 CJK UNIFIED IDEOGRAPH:'A979:43385:&#x5B9C CJK UNIFIED IDEOGRAPH:'A97A:43386:&#x5B99 CJK UNIFIED IDEOGRAPH:'A97B:43387:&#x5B9B CJK UNIFIED IDEOGRAPH:'A97C:43388:&#x5C1A CJK UNIFIED IDEOGRAPH:'A97D:43389:&#x5C48 CJK UNIFIED IDEOGRAPH:'A97E:43390:&#x5C45 CJK UNIFIED IDEOGRAPH:'A9A1:43425:&#x5C46 CJK UNIFIED IDEOGRAPH:'A9A2:43426:&#x5CB7 CJK UNIFIED IDEOGRAPH:'A9A3:43427:&#x5CA1 CJK UNIFIED IDEOGRAPH:'A9A4:43428:&#x5CB8 CJK UNIFIED IDEOGRAPH:'A9A5:43429:&#x5CA9 CJK UNIFIED IDEOGRAPH:'A9A6:43430:&#x5CAB CJK UNIFIED IDEOGRAPH:'A9A7:43431:&#x5CB1 CJK UNIFIED IDEOGRAPH:'A9A8:43432:&#x5CB3 CJK UNIFIED IDEOGRAPH:'A9A9:43433:&#x5E18 CJK UNIFIED IDEOGRAPH:'A9AA:43434:&#x5E1A CJK UNIFIED IDEOGRAPH:'A9AB:43435:&#x5E16 CJK UNIFIED IDEOGRAPH:'A9AC:43436:&#x5E15 CJK UNIFIED IDEOGRAPH:'A9AD:43437:&#x5E1B CJK UNIFIED IDEOGRAPH:'A9AE:43438:&#x5E11 CJK UNIFIED IDEOGRAPH:'A9AF:43439:&#x5E78 CJK UNIFIED IDEOGRAPH:'A9B0:43440:&#x5E9A CJK UNIFIED IDEOGRAPH:'A9B1:43441:&#x5E97 CJK UNIFIED IDEOGRAPH:'A9B2:43442:&#x5E9C CJK UNIFIED IDEOGRAPH:'A9B3:43443:&#x5E95 CJK UNIFIED IDEOGRAPH:'A9B4:43444:&#x5E96 CJK UNIFIED IDEOGRAPH:'A9B5:43445:&#x5EF6 CJK UNIFIED IDEOGRAPH:'A9B6:43446:&#x5F26 CJK UNIFIED IDEOGRAPH:'A9B7:43447:&#x5F27 CJK UNIFIED IDEOGRAPH:'A9B8:43448:&#x5F29 CJK UNIFIED IDEOGRAPH:'A9B9:43449:&#x5F80 CJK UNIFIED IDEOGRAPH:'A9BA:43450:&#x5F81 CJK UNIFIED IDEOGRAPH:'A9BB:43451:&#x5F7F CJK UNIFIED IDEOGRAPH:'A9BC:43452:&#x5F7C CJK UNIFIED IDEOGRAPH:'A9BD:43453:&#x5FDD CJK UNIFIED IDEOGRAPH:'A9BE:43454:&#x5FE0 CJK UNIFIED IDEOGRAPH:'A9BF:43455:&#x5FFD CJK UNIFIED IDEOGRAPH:'A9C0:43456:&#x5FF5 CJK UNIFIED IDEOGRAPH:'A9C1:43457:&#x5FFF CJK UNIFIED IDEOGRAPH:'A9C2:43458:&#x600F CJK UNIFIED IDEOGRAPH:'A9C3:43459:&#x6014 CJK UNIFIED IDEOGRAPH:'A9C4:43460:&#x602F CJK UNIFIED IDEOGRAPH:'A9C5:43461:&#x6035 CJK UNIFIED IDEOGRAPH:'A9C6:43462:&#x6016 CJK UNIFIED IDEOGRAPH:'A9C7:43463:&#x602A CJK UNIFIED IDEOGRAPH:'A9C8:43464:&#x6015 CJK UNIFIED IDEOGRAPH:'A9C9:43465:&#x6021 CJK UNIFIED IDEOGRAPH:'A9CA:43466:&#x6027 CJK UNIFIED IDEOGRAPH:'A9CB:43467:&#x6029 CJK UNIFIED IDEOGRAPH:'A9CC:43468:&#x602B CJK UNIFIED IDEOGRAPH:'A9CD:43469:&#x601B CJK UNIFIED IDEOGRAPH:'A9CE:43470:&#x6216 CJK UNIFIED IDEOGRAPH:'A9CF:43471:&#x6215 CJK UNIFIED IDEOGRAPH:'A9D0:43472:&#x623F CJK UNIFIED IDEOGRAPH:'A9D1:43473:&#x623E CJK UNIFIED IDEOGRAPH:'A9D2:43474:&#x6240 CJK UNIFIED IDEOGRAPH:'A9D3:43475:&#x627F CJK UNIFIED IDEOGRAPH:'A9D4:43476:&#x62C9 CJK UNIFIED IDEOGRAPH:'A9D5:43477:&#x62CC CJK UNIFIED IDEOGRAPH:'A9D6:43478:&#x62C4 CJK UNIFIED IDEOGRAPH:'A9D7:43479:&#x62BF CJK UNIFIED IDEOGRAPH:'A9D8:43480:&#x62C2 CJK UNIFIED IDEOGRAPH:'A9D9:43481:&#x62B9 CJK UNIFIED IDEOGRAPH:'A9DA:43482:&#x62D2 CJK UNIFIED IDEOGRAPH:'A9DB:43483:&#x62DB CJK UNIFIED IDEOGRAPH:'A9DC:43484:&#x62AB CJK UNIFIED IDEOGRAPH:'A9DD:43485:&#x62D3 CJK UNIFIED IDEOGRAPH:'A9DE:43486:&#x62D4 CJK UNIFIED IDEOGRAPH:'A9DF:43487:&#x62CB CJK UNIFIED IDEOGRAPH:'A9E0:43488:&#x62C8 CJK UNIFIED IDEOGRAPH:'A9E1:43489:&#x62A8 CJK UNIFIED IDEOGRAPH:'A9E2:43490:&#x62BD CJK UNIFIED IDEOGRAPH:'A9E3:43491:&#x62BC CJK UNIFIED IDEOGRAPH:'A9E4:43492:&#x62D0 CJK UNIFIED IDEOGRAPH:'A9E5:43493:&#x62D9 CJK UNIFIED IDEOGRAPH:'A9E6:43494:&#x62C7 CJK UNIFIED IDEOGRAPH:'A9E7:43495:&#x62CD CJK UNIFIED IDEOGRAPH:'A9E8:43496:&#x62B5 CJK UNIFIED IDEOGRAPH:'A9E9:43497:&#x62DA CJK UNIFIED IDEOGRAPH:'A9EA:43498:&#x62B1 CJK UNIFIED IDEOGRAPH:'A9EB:43499:&#x62D8 CJK UNIFIED IDEOGRAPH:'A9EC:43500:&#x62D6 CJK UNIFIED IDEOGRAPH:'A9ED:43501:&#x62D7 CJK UNIFIED IDEOGRAPH:'A9EE:43502:&#x62C6 CJK UNIFIED IDEOGRAPH:'A9EF:43503:&#x62AC CJK UNIFIED IDEOGRAPH:'A9F0:43504:&#x62CE CJK UNIFIED IDEOGRAPH:'A9F1:43505:&#x653E CJK UNIFIED IDEOGRAPH:'A9F2:43506:&#x65A7 CJK UNIFIED IDEOGRAPH:'A9F3:43507:&#x65BC CJK UNIFIED IDEOGRAPH:'A9F4:43508:&#x65FA CJK UNIFIED IDEOGRAPH:'A9F5:43509:&#x6614 CJK UNIFIED IDEOGRAPH:'A9F6:43510:&#x6613 CJK UNIFIED IDEOGRAPH:'A9F7:43511:&#x660C CJK UNIFIED IDEOGRAPH:'A9F8:43512:&#x6606 CJK UNIFIED IDEOGRAPH:'A9F9:43513:&#x6602 CJK UNIFIED IDEOGRAPH:'A9FA:43514:&#x660E CJK UNIFIED IDEOGRAPH:'A9FB:43515:&#x6600 CJK UNIFIED IDEOGRAPH:'A9FC:43516:&#x660F CJK UNIFIED IDEOGRAPH:'A9FD:43517:&#x6615 CJK UNIFIED IDEOGRAPH:'A9FE:43518:&#x660A CJK UNIFIED IDEOGRAPH:'AA40:43584:&#x6607 CJK UNIFIED IDEOGRAPH:'AA41:43585:&#x670D CJK UNIFIED IDEOGRAPH:'AA42:43586:&#x670B CJK UNIFIED IDEOGRAPH:'AA43:43587:&#x676D CJK UNIFIED IDEOGRAPH:'AA44:43588:&#x678B CJK UNIFIED IDEOGRAPH:'AA45:43589:&#x6795 CJK UNIFIED IDEOGRAPH:'AA46:43590:&#x6771 CJK UNIFIED IDEOGRAPH:'AA47:43591:&#x679C CJK UNIFIED IDEOGRAPH:'AA48:43592:&#x6773 CJK UNIFIED IDEOGRAPH:'AA49:43593:&#x6777 CJK UNIFIED IDEOGRAPH:'AA4A:43594:&#x6787 CJK UNIFIED IDEOGRAPH:'AA4B:43595:&#x679D CJK UNIFIED IDEOGRAPH:'AA4C:43596:&#x6797 CJK UNIFIED IDEOGRAPH:'AA4D:43597:&#x676F CJK UNIFIED IDEOGRAPH:'AA4E:43598:&#x6770 CJK UNIFIED IDEOGRAPH:'AA4F:43599:&#x677F CJK UNIFIED IDEOGRAPH:'AA50:43600:&#x6789 CJK UNIFIED IDEOGRAPH:'AA51:43601:&#x677E CJK UNIFIED IDEOGRAPH:'AA52:43602:&#x6790 CJK UNIFIED IDEOGRAPH:'AA53:43603:&#x6775 CJK UNIFIED IDEOGRAPH:'AA54:43604:&#x679A CJK UNIFIED IDEOGRAPH:'AA55:43605:&#x6793 CJK UNIFIED IDEOGRAPH:'AA56:43606:&#x677C CJK UNIFIED IDEOGRAPH:'AA57:43607:&#x676A CJK UNIFIED IDEOGRAPH:'AA58:43608:&#x6772 CJK UNIFIED IDEOGRAPH:'AA59:43609:&#x6B23 CJK UNIFIED IDEOGRAPH:'AA5A:43610:&#x6B66 CJK UNIFIED IDEOGRAPH:'AA5B:43611:&#x6B67 CJK UNIFIED IDEOGRAPH:'AA5C:43612:&#x6B7F CJK UNIFIED IDEOGRAPH:'AA5D:43613:&#x6C13 CJK UNIFIED IDEOGRAPH:'AA5E:43614:&#x6C1B CJK UNIFIED IDEOGRAPH:'AA5F:43615:&#x6CE3 CJK UNIFIED IDEOGRAPH:'AA60:43616:&#x6CE8 CJK UNIFIED IDEOGRAPH:'AA61:43617:&#x6CF3 CJK UNIFIED IDEOGRAPH:'AA62:43618:&#x6CB1 CJK UNIFIED IDEOGRAPH:'AA63:43619:&#x6CCC CJK UNIFIED IDEOGRAPH:'AA64:43620:&#x6CE5 CJK UNIFIED IDEOGRAPH:'AA65:43621:&#x6CB3 CJK UNIFIED IDEOGRAPH:'AA66:43622:&#x6CBD CJK UNIFIED IDEOGRAPH:'AA67:43623:&#x6CBE CJK UNIFIED IDEOGRAPH:'AA68:43624:&#x6CBC CJK UNIFIED IDEOGRAPH:'AA69:43625:&#x6CE2 CJK UNIFIED IDEOGRAPH:'AA6A:43626:&#x6CAB CJK UNIFIED IDEOGRAPH:'AA6B:43627:&#x6CD5 CJK UNIFIED IDEOGRAPH:'AA6C:43628:&#x6CD3 CJK UNIFIED IDEOGRAPH:'AA6D:43629:&#x6CB8 CJK UNIFIED IDEOGRAPH:'AA6E:43630:&#x6CC4 CJK UNIFIED IDEOGRAPH:'AA6F:43631:&#x6CB9 CJK UNIFIED IDEOGRAPH:'AA70:43632:&#x6CC1 CJK UNIFIED IDEOGRAPH:'AA71:43633:&#x6CAE CJK UNIFIED IDEOGRAPH:'AA72:43634:&#x6CD7 CJK UNIFIED IDEOGRAPH:'AA73:43635:&#x6CC5 CJK UNIFIED IDEOGRAPH:'AA74:43636:&#x6CF1 CJK UNIFIED IDEOGRAPH:'AA75:43637:&#x6CBF CJK UNIFIED IDEOGRAPH:'AA76:43638:&#x6CBB CJK UNIFIED IDEOGRAPH:'AA77:43639:&#x6CE1 CJK UNIFIED IDEOGRAPH:'AA78:43640:&#x6CDB CJK UNIFIED IDEOGRAPH:'AA79:43641:&#x6CCA CJK UNIFIED IDEOGRAPH:'AA7A:43642:&#x6CAC CJK UNIFIED IDEOGRAPH:'AA7B:43643:&#x6CEF CJK UNIFIED IDEOGRAPH:'AA7C:43644:&#x6CDC CJK UNIFIED IDEOGRAPH:'AA7D:43645:&#x6CD6 CJK UNIFIED IDEOGRAPH:'AA7E:43646:&#x6CE0 CJK UNIFIED IDEOGRAPH:'AAA1:43681:&#x7095 CJK UNIFIED IDEOGRAPH:'AAA2:43682:&#x708E CJK UNIFIED IDEOGRAPH:'AAA3:43683:&#x7092 CJK UNIFIED IDEOGRAPH:'AAA4:43684:&#x708A CJK UNIFIED IDEOGRAPH:'AAA5:43685:&#x7099 CJK UNIFIED IDEOGRAPH:'AAA6:43686:&#x722C CJK UNIFIED IDEOGRAPH:'AAA7:43687:&#x722D CJK UNIFIED IDEOGRAPH:'AAA8:43688:&#x7238 CJK UNIFIED IDEOGRAPH:'AAA9:43689:&#x7248 CJK UNIFIED IDEOGRAPH:'AAAA:43690:&#x7267 CJK UNIFIED IDEOGRAPH:'AAAB:43691:&#x7269 CJK UNIFIED IDEOGRAPH:'AAAC:43692:&#x72C0 CJK UNIFIED IDEOGRAPH:'AAAD:43693:&#x72CE CJK UNIFIED IDEOGRAPH:'AAAE:43694:&#x72D9 CJK UNIFIED IDEOGRAPH:'AAAF:43695:&#x72D7 CJK UNIFIED IDEOGRAPH:'AAB0:43696:&#x72D0 CJK UNIFIED IDEOGRAPH:'AAB1:43697:&#x73A9 CJK UNIFIED IDEOGRAPH:'AAB2:43698:&#x73A8 CJK UNIFIED IDEOGRAPH:'AAB3:43699:&#x739F CJK UNIFIED IDEOGRAPH:'AAB4:43700:&#x73AB CJK UNIFIED IDEOGRAPH:'AAB5:43701:&#x73A5 CJK UNIFIED IDEOGRAPH:'AAB6:43702:&#x753D CJK UNIFIED IDEOGRAPH:'AAB7:43703:&#x759D CJK UNIFIED IDEOGRAPH:'AAB8:43704:&#x7599 CJK UNIFIED IDEOGRAPH:'AAB9:43705:&#x759A CJK UNIFIED IDEOGRAPH:'AABA:43706:&#x7684 CJK UNIFIED IDEOGRAPH:'AABB:43707:&#x76C2 CJK UNIFIED IDEOGRAPH:'AABC:43708:&#x76F2 CJK UNIFIED IDEOGRAPH:'AABD:43709:&#x76F4 CJK UNIFIED IDEOGRAPH:'AABE:43710:&#x77E5 CJK UNIFIED IDEOGRAPH:'AABF:43711:&#x77FD CJK UNIFIED IDEOGRAPH:'AAC0:43712:&#x793E CJK UNIFIED IDEOGRAPH:'AAC1:43713:&#x7940 CJK UNIFIED IDEOGRAPH:'AAC2:43714:&#x7941 CJK UNIFIED IDEOGRAPH:'AAC3:43715:&#x79C9 CJK UNIFIED IDEOGRAPH:'AAC4:43716:&#x79C8 CJK UNIFIED IDEOGRAPH:'AAC5:43717:&#x7A7A CJK UNIFIED IDEOGRAPH:'AAC6:43718:&#x7A79 CJK UNIFIED IDEOGRAPH:'AAC7:43719:&#x7AFA CJK UNIFIED IDEOGRAPH:'AAC8:43720:&#x7CFE CJK UNIFIED IDEOGRAPH:'AAC9:43721:&#x7F54 CJK UNIFIED IDEOGRAPH:'AACA:43722:&#x7F8C CJK UNIFIED IDEOGRAPH:'AACB:43723:&#x7F8B CJK UNIFIED IDEOGRAPH:'AACC:43724:&#x8005 CJK UNIFIED IDEOGRAPH:'AACD:43725:&#x80BA CJK UNIFIED IDEOGRAPH:'AACE:43726:&#x80A5 CJK UNIFIED IDEOGRAPH:'AACF:43727:&#x80A2 CJK UNIFIED IDEOGRAPH:'AAD0:43728:&#x80B1 CJK UNIFIED IDEOGRAPH:'AAD1:43729:&#x80A1 CJK UNIFIED IDEOGRAPH:'AAD2:43730:&#x80AB CJK UNIFIED IDEOGRAPH:'AAD3:43731:&#x80A9 CJK UNIFIED IDEOGRAPH:'AAD4:43732:&#x80B4 CJK UNIFIED IDEOGRAPH:'AAD5:43733:&#x80AA CJK UNIFIED IDEOGRAPH:'AAD6:43734:&#x80AF CJK UNIFIED IDEOGRAPH:'AAD7:43735:&#x81E5 CJK UNIFIED IDEOGRAPH:'AAD8:43736:&#x81FE CJK UNIFIED IDEOGRAPH:'AAD9:43737:&#x820D CJK UNIFIED IDEOGRAPH:'AADA:43738:&#x82B3 CJK UNIFIED IDEOGRAPH:'AADB:43739:&#x829D CJK UNIFIED IDEOGRAPH:'AADC:43740:&#x8299 CJK UNIFIED IDEOGRAPH:'AADD:43741:&#x82AD CJK UNIFIED IDEOGRAPH:'AADE:43742:&#x82BD CJK UNIFIED IDEOGRAPH:'AADF:43743:&#x829F CJK UNIFIED IDEOGRAPH:'AAE0:43744:&#x82B9 CJK UNIFIED IDEOGRAPH:'AAE1:43745:&#x82B1 CJK UNIFIED IDEOGRAPH:'AAE2:43746:&#x82AC CJK UNIFIED IDEOGRAPH:'AAE3:43747:&#x82A5 CJK UNIFIED IDEOGRAPH:'AAE4:43748:&#x82AF CJK UNIFIED IDEOGRAPH:'AAE5:43749:&#x82B8 CJK UNIFIED IDEOGRAPH:'AAE6:43750:&#x82A3 CJK UNIFIED IDEOGRAPH:'AAE7:43751:&#x82B0 CJK UNIFIED IDEOGRAPH:'AAE8:43752:&#x82BE CJK UNIFIED IDEOGRAPH:'AAE9:43753:&#x82B7 CJK UNIFIED IDEOGRAPH:'AAEA:43754:&#x864E CJK UNIFIED IDEOGRAPH:'AAEB:43755:&#x8671 CJK UNIFIED IDEOGRAPH:'AAEC:43756:&#x521D CJK UNIFIED IDEOGRAPH:'AAED:43757:&#x8868 CJK UNIFIED IDEOGRAPH:'AAEE:43758:&#x8ECB CJK UNIFIED IDEOGRAPH:'AAEF:43759:&#x8FCE CJK UNIFIED IDEOGRAPH:'AAF0:43760:&#x8FD4 CJK UNIFIED IDEOGRAPH:'AAF1:43761:&#x8FD1 CJK UNIFIED IDEOGRAPH:'AAF2:43762:&#x90B5 CJK UNIFIED IDEOGRAPH:'AAF3:43763:&#x90B8 CJK UNIFIED IDEOGRAPH:'AAF4:43764:&#x90B1 CJK UNIFIED IDEOGRAPH:'AAF5:43765:&#x90B6 CJK UNIFIED IDEOGRAPH:'AAF6:43766:&#x91C7 CJK UNIFIED IDEOGRAPH:'AAF7:43767:&#x91D1 CJK UNIFIED IDEOGRAPH:'AAF8:43768:&#x9577 CJK UNIFIED IDEOGRAPH:'AAF9:43769:&#x9580 CJK UNIFIED IDEOGRAPH:'AAFA:43770:&#x961C CJK UNIFIED IDEOGRAPH:'AAFB:43771:&#x9640 CJK UNIFIED IDEOGRAPH:'AAFC:43772:&#x963F CJK UNIFIED IDEOGRAPH:'AAFD:43773:&#x963B CJK UNIFIED IDEOGRAPH:'AAFE:43774:&#x9644 CJK UNIFIED IDEOGRAPH:'AB40:43840:&#x9642 CJK UNIFIED IDEOGRAPH:'AB41:43841:&#x96B9 CJK UNIFIED IDEOGRAPH:'AB42:43842:&#x96E8 CJK UNIFIED IDEOGRAPH:'AB43:43843:&#x9752 CJK UNIFIED IDEOGRAPH:'AB44:43844:&#x975E CJK UNIFIED IDEOGRAPH:'AB45:43845:&#x4E9F CJK UNIFIED IDEOGRAPH:'AB46:43846:&#x4EAD CJK UNIFIED IDEOGRAPH:'AB47:43847:&#x4EAE CJK UNIFIED IDEOGRAPH:'AB48:43848:&#x4FE1 CJK UNIFIED IDEOGRAPH:'AB49:43849:&#x4FB5 CJK UNIFIED IDEOGRAPH:'AB4A:43850:&#x4FAF CJK UNIFIED IDEOGRAPH:'AB4B:43851:&#x4FBF CJK UNIFIED IDEOGRAPH:'AB4C:43852:&#x4FE0 CJK UNIFIED IDEOGRAPH:'AB4D:43853:&#x4FD1 CJK UNIFIED IDEOGRAPH:'AB4E:43854:&#x4FCF CJK UNIFIED IDEOGRAPH:'AB4F:43855:&#x4FDD CJK UNIFIED IDEOGRAPH:'AB50:43856:&#x4FC3 CJK UNIFIED IDEOGRAPH:'AB51:43857:&#x4FB6 CJK UNIFIED IDEOGRAPH:'AB52:43858:&#x4FD8 CJK UNIFIED IDEOGRAPH:'AB53:43859:&#x4FDF CJK UNIFIED IDEOGRAPH:'AB54:43860:&#x4FCA CJK UNIFIED IDEOGRAPH:'AB55:43861:&#x4FD7 CJK UNIFIED IDEOGRAPH:'AB56:43862:&#x4FAE CJK UNIFIED IDEOGRAPH:'AB57:43863:&#x4FD0 CJK UNIFIED IDEOGRAPH:'AB58:43864:&#x4FC4 CJK UNIFIED IDEOGRAPH:'AB59:43865:&#x4FC2 CJK UNIFIED IDEOGRAPH:'AB5A:43866:&#x4FDA CJK UNIFIED IDEOGRAPH:'AB5B:43867:&#x4FCE CJK UNIFIED IDEOGRAPH:'AB5C:43868:&#x4FDE CJK UNIFIED IDEOGRAPH:'AB5D:43869:&#x4FB7 CJK UNIFIED IDEOGRAPH:'AB5E:43870:&#x5157 CJK UNIFIED IDEOGRAPH:'AB5F:43871:&#x5192 CJK UNIFIED IDEOGRAPH:'AB60:43872:&#x5191 CJK UNIFIED IDEOGRAPH:'AB61:43873:&#x51A0 CJK UNIFIED IDEOGRAPH:'AB62:43874:&#x524E CJK UNIFIED IDEOGRAPH:'AB63:43875:&#x5243 CJK UNIFIED IDEOGRAPH:'AB64:43876:&#x524A CJK UNIFIED IDEOGRAPH:'AB65:43877:&#x524D CJK UNIFIED IDEOGRAPH:'AB66:43878:&#x524C CJK UNIFIED IDEOGRAPH:'AB67:43879:&#x524B CJK UNIFIED IDEOGRAPH:'AB68:43880:&#x5247 CJK UNIFIED IDEOGRAPH:'AB69:43881:&#x52C7 CJK UNIFIED IDEOGRAPH:'AB6A:43882:&#x52C9 CJK UNIFIED IDEOGRAPH:'AB6B:43883:&#x52C3 CJK UNIFIED IDEOGRAPH:'AB6C:43884:&#x52C1 CJK UNIFIED IDEOGRAPH:'AB6D:43885:&#x530D CJK UNIFIED IDEOGRAPH:'AB6E:43886:&#x5357 CJK UNIFIED IDEOGRAPH:'AB6F:43887:&#x537B CJK UNIFIED IDEOGRAPH:'AB70:43888:&#x539A CJK UNIFIED IDEOGRAPH:'AB71:43889:&#x53DB CJK UNIFIED IDEOGRAPH:'AB72:43890:&#x54AC CJK UNIFIED IDEOGRAPH:'AB73:43891:&#x54C0 CJK UNIFIED IDEOGRAPH:'AB74:43892:&#x54A8 CJK UNIFIED IDEOGRAPH:'AB75:43893:&#x54CE CJK UNIFIED IDEOGRAPH:'AB76:43894:&#x54C9 CJK UNIFIED IDEOGRAPH:'AB77:43895:&#x54B8 CJK UNIFIED IDEOGRAPH:'AB78:43896:&#x54A6 CJK UNIFIED IDEOGRAPH:'AB79:43897:&#x54B3 CJK UNIFIED IDEOGRAPH:'AB7A:43898:&#x54C7 CJK UNIFIED IDEOGRAPH:'AB7B:43899:&#x54C2 CJK UNIFIED IDEOGRAPH:'AB7C:43900:&#x54BD CJK UNIFIED IDEOGRAPH:'AB7D:43901:&#x54AA CJK UNIFIED IDEOGRAPH:'AB7E:43902:&#x54C1 CJK UNIFIED IDEOGRAPH:'ABA1:43937:&#x54C4 CJK UNIFIED IDEOGRAPH:'ABA2:43938:&#x54C8 CJK UNIFIED IDEOGRAPH:'ABA3:43939:&#x54AF CJK UNIFIED IDEOGRAPH:'ABA4:43940:&#x54AB CJK UNIFIED IDEOGRAPH:'ABA5:43941:&#x54B1 CJK UNIFIED IDEOGRAPH:'ABA6:43942:&#x54BB CJK UNIFIED IDEOGRAPH:'ABA7:43943:&#x54A9 CJK UNIFIED IDEOGRAPH:'ABA8:43944:&#x54A7 CJK UNIFIED IDEOGRAPH:'ABA9:43945:&#x54BF CJK UNIFIED IDEOGRAPH:'ABAA:43946:&#x56FF CJK UNIFIED IDEOGRAPH:'ABAB:43947:&#x5782 CJK UNIFIED IDEOGRAPH:'ABAC:43948:&#x578B CJK UNIFIED IDEOGRAPH:'ABAD:43949:&#x57A0 CJK UNIFIED IDEOGRAPH:'ABAE:43950:&#x57A3 CJK UNIFIED IDEOGRAPH:'ABAF:43951:&#x57A2 CJK UNIFIED IDEOGRAPH:'ABB0:43952:&#x57CE CJK UNIFIED IDEOGRAPH:'ABB1:43953:&#x57AE CJK UNIFIED IDEOGRAPH:'ABB2:43954:&#x5793 CJK UNIFIED IDEOGRAPH:'ABB3:43955:&#x5955 CJK UNIFIED IDEOGRAPH:'ABB4:43956:&#x5951 CJK UNIFIED IDEOGRAPH:'ABB5:43957:&#x594F CJK UNIFIED IDEOGRAPH:'ABB6:43958:&#x594E CJK UNIFIED IDEOGRAPH:'ABB7:43959:&#x5950 CJK UNIFIED IDEOGRAPH:'ABB8:43960:&#x59DC CJK UNIFIED IDEOGRAPH:'ABB9:43961:&#x59D8 CJK UNIFIED IDEOGRAPH:'ABBA:43962:&#x59FF CJK UNIFIED IDEOGRAPH:'ABBB:43963:&#x59E3 CJK UNIFIED IDEOGRAPH:'ABBC:43964:&#x59E8 CJK UNIFIED IDEOGRAPH:'ABBD:43965:&#x5A03 CJK UNIFIED IDEOGRAPH:'ABBE:43966:&#x59E5 CJK UNIFIED IDEOGRAPH:'ABBF:43967:&#x59EA CJK UNIFIED IDEOGRAPH:'ABC0:43968:&#x59DA CJK UNIFIED IDEOGRAPH:'ABC1:43969:&#x59E6 CJK UNIFIED IDEOGRAPH:'ABC2:43970:&#x5A01 CJK UNIFIED IDEOGRAPH:'ABC3:43971:&#x59FB CJK UNIFIED IDEOGRAPH:'ABC4:43972:&#x5B69 CJK UNIFIED IDEOGRAPH:'ABC5:43973:&#x5BA3 CJK UNIFIED IDEOGRAPH:'ABC6:43974:&#x5BA6 CJK UNIFIED IDEOGRAPH:'ABC7:43975:&#x5BA4 CJK UNIFIED IDEOGRAPH:'ABC8:43976:&#x5BA2 CJK UNIFIED IDEOGRAPH:'ABC9:43977:&#x5BA5 CJK UNIFIED IDEOGRAPH:'ABCA:43978:&#x5C01 CJK UNIFIED IDEOGRAPH:'ABCB:43979:&#x5C4E CJK UNIFIED IDEOGRAPH:'ABCC:43980:&#x5C4F CJK UNIFIED IDEOGRAPH:'ABCD:43981:&#x5C4D CJK UNIFIED IDEOGRAPH:'ABCE:43982:&#x5C4B CJK UNIFIED IDEOGRAPH:'ABCF:43983:&#x5CD9 CJK UNIFIED IDEOGRAPH:'ABD0:43984:&#x5CD2 CJK UNIFIED IDEOGRAPH:'ABD1:43985:&#x5DF7 CJK UNIFIED IDEOGRAPH:'ABD2:43986:&#x5E1D CJK UNIFIED IDEOGRAPH:'ABD3:43987:&#x5E25 CJK UNIFIED IDEOGRAPH:'ABD4:43988:&#x5E1F CJK UNIFIED IDEOGRAPH:'ABD5:43989:&#x5E7D CJK UNIFIED IDEOGRAPH:'ABD6:43990:&#x5EA0 CJK UNIFIED IDEOGRAPH:'ABD7:43991:&#x5EA6 CJK UNIFIED IDEOGRAPH:'ABD8:43992:&#x5EFA CJK UNIFIED IDEOGRAPH:'ABD9:43993:&#x5F08 CJK UNIFIED IDEOGRAPH:'ABDA:43994:&#x5F2D CJK UNIFIED IDEOGRAPH:'ABDB:43995:&#x5F65 CJK UNIFIED IDEOGRAPH:'ABDC:43996:&#x5F88 CJK UNIFIED IDEOGRAPH:'ABDD:43997:&#x5F85 CJK UNIFIED IDEOGRAPH:'ABDE:43998:&#x5F8A CJK UNIFIED IDEOGRAPH:'ABDF:43999:&#x5F8B CJK UNIFIED IDEOGRAPH:'ABE0:44000:&#x5F87 CJK UNIFIED IDEOGRAPH:'ABE1:44001:&#x5F8C CJK UNIFIED IDEOGRAPH:'ABE2:44002:&#x5F89 CJK UNIFIED IDEOGRAPH:'ABE3:44003:&#x6012 CJK UNIFIED IDEOGRAPH:'ABE4:44004:&#x601D CJK UNIFIED IDEOGRAPH:'ABE5:44005:&#x6020 CJK UNIFIED IDEOGRAPH:'ABE6:44006:&#x6025 CJK UNIFIED IDEOGRAPH:'ABE7:44007:&#x600E CJK UNIFIED IDEOGRAPH:'ABE8:44008:&#x6028 CJK UNIFIED IDEOGRAPH:'ABE9:44009:&#x604D CJK UNIFIED IDEOGRAPH:'ABEA:44010:&#x6070 CJK UNIFIED IDEOGRAPH:'ABEB:44011:&#x6068 CJK UNIFIED IDEOGRAPH:'ABEC:44012:&#x6062 CJK UNIFIED IDEOGRAPH:'ABED:44013:&#x6046 CJK UNIFIED IDEOGRAPH:'ABEE:44014:&#x6043 CJK UNIFIED IDEOGRAPH:'ABEF:44015:&#x606C CJK UNIFIED IDEOGRAPH:'ABF0:44016:&#x606B CJK UNIFIED IDEOGRAPH:'ABF1:44017:&#x606A CJK UNIFIED IDEOGRAPH:'ABF2:44018:&#x6064 CJK UNIFIED IDEOGRAPH:'ABF3:44019:&#x6241 CJK UNIFIED IDEOGRAPH:'ABF4:44020:&#x62DC CJK UNIFIED IDEOGRAPH:'ABF5:44021:&#x6316 CJK UNIFIED IDEOGRAPH:'ABF6:44022:&#x6309 CJK UNIFIED IDEOGRAPH:'ABF7:44023:&#x62FC CJK UNIFIED IDEOGRAPH:'ABF8:44024:&#x62ED CJK UNIFIED IDEOGRAPH:'ABF9:44025:&#x6301 CJK UNIFIED IDEOGRAPH:'ABFA:44026:&#x62EE CJK UNIFIED IDEOGRAPH:'ABFB:44027:&#x62FD CJK UNIFIED IDEOGRAPH:'ABFC:44028:&#x6307 CJK UNIFIED IDEOGRAPH:'ABFD:44029:&#x62F1 CJK UNIFIED IDEOGRAPH:'ABFE:44030:&#x62F7 CJK UNIFIED IDEOGRAPH:'AC40:44096:&#x62EF CJK UNIFIED IDEOGRAPH:'AC41:44097:&#x62EC CJK UNIFIED IDEOGRAPH:'AC42:44098:&#x62FE CJK UNIFIED IDEOGRAPH:'AC43:44099:&#x62F4 CJK UNIFIED IDEOGRAPH:'AC44:44100:&#x6311 CJK UNIFIED IDEOGRAPH:'AC45:44101:&#x6302 CJK UNIFIED IDEOGRAPH:'AC46:44102:&#x653F CJK UNIFIED IDEOGRAPH:'AC47:44103:&#x6545 CJK UNIFIED IDEOGRAPH:'AC48:44104:&#x65AB CJK UNIFIED IDEOGRAPH:'AC49:44105:&#x65BD CJK UNIFIED IDEOGRAPH:'AC4A:44106:&#x65E2 CJK UNIFIED IDEOGRAPH:'AC4B:44107:&#x6625 CJK UNIFIED IDEOGRAPH:'AC4C:44108:&#x662D CJK UNIFIED IDEOGRAPH:'AC4D:44109:&#x6620 CJK UNIFIED IDEOGRAPH:'AC4E:44110:&#x6627 CJK UNIFIED IDEOGRAPH:'AC4F:44111:&#x662F CJK UNIFIED IDEOGRAPH:'AC50:44112:&#x661F CJK UNIFIED IDEOGRAPH:'AC51:44113:&#x6628 CJK UNIFIED IDEOGRAPH:'AC52:44114:&#x6631 CJK UNIFIED IDEOGRAPH:'AC53:44115:&#x6624 CJK UNIFIED IDEOGRAPH:'AC54:44116:&#x66F7 CJK UNIFIED IDEOGRAPH:'AC55:44117:&#x67FF CJK UNIFIED IDEOGRAPH:'AC56:44118:&#x67D3 CJK UNIFIED IDEOGRAPH:'AC57:44119:&#x67F1 CJK UNIFIED IDEOGRAPH:'AC58:44120:&#x67D4 CJK UNIFIED IDEOGRAPH:'AC59:44121:&#x67D0 CJK UNIFIED IDEOGRAPH:'AC5A:44122:&#x67EC CJK UNIFIED IDEOGRAPH:'AC5B:44123:&#x67B6 CJK UNIFIED IDEOGRAPH:'AC5C:44124:&#x67AF CJK UNIFIED IDEOGRAPH:'AC5D:44125:&#x67F5 CJK UNIFIED IDEOGRAPH:'AC5E:44126:&#x67E9 CJK UNIFIED IDEOGRAPH:'AC5F:44127:&#x67EF CJK UNIFIED IDEOGRAPH:'AC60:44128:&#x67C4 CJK UNIFIED IDEOGRAPH:'AC61:44129:&#x67D1 CJK UNIFIED IDEOGRAPH:'AC62:44130:&#x67B4 CJK UNIFIED IDEOGRAPH:'AC63:44131:&#x67DA CJK UNIFIED IDEOGRAPH:'AC64:44132:&#x67E5 CJK UNIFIED IDEOGRAPH:'AC65:44133:&#x67B8 CJK UNIFIED IDEOGRAPH:'AC66:44134:&#x67CF CJK UNIFIED IDEOGRAPH:'AC67:44135:&#x67DE CJK UNIFIED IDEOGRAPH:'AC68:44136:&#x67F3 CJK UNIFIED IDEOGRAPH:'AC69:44137:&#x67B0 CJK UNIFIED IDEOGRAPH:'AC6A:44138:&#x67D9 CJK UNIFIED IDEOGRAPH:'AC6B:44139:&#x67E2 CJK UNIFIED IDEOGRAPH:'AC6C:44140:&#x67DD CJK UNIFIED IDEOGRAPH:'AC6D:44141:&#x67D2 CJK UNIFIED IDEOGRAPH:'AC6E:44142:&#x6B6A CJK UNIFIED IDEOGRAPH:'AC6F:44143:&#x6B83 CJK UNIFIED IDEOGRAPH:'AC70:44144:&#x6B86 CJK UNIFIED IDEOGRAPH:'AC71:44145:&#x6BB5 CJK UNIFIED IDEOGRAPH:'AC72:44146:&#x6BD2 CJK UNIFIED IDEOGRAPH:'AC73:44147:&#x6BD7 CJK UNIFIED IDEOGRAPH:'AC74:44148:&#x6C1F CJK UNIFIED IDEOGRAPH:'AC75:44149:&#x6CC9 CJK UNIFIED IDEOGRAPH:'AC76:44150:&#x6D0B CJK UNIFIED IDEOGRAPH:'AC77:44151:&#x6D32 CJK UNIFIED IDEOGRAPH:'AC78:44152:&#x6D2A CJK UNIFIED IDEOGRAPH:'AC79:44153:&#x6D41 CJK UNIFIED IDEOGRAPH:'AC7A:44154:&#x6D25 CJK UNIFIED IDEOGRAPH:'AC7B:44155:&#x6D0C CJK UNIFIED IDEOGRAPH:'AC7C:44156:&#x6D31 CJK UNIFIED IDEOGRAPH:'AC7D:44157:&#x6D1E CJK UNIFIED IDEOGRAPH:'AC7E:44158:&#x6D17 CJK UNIFIED IDEOGRAPH:'ACA1:44193:&#x6D3B CJK UNIFIED IDEOGRAPH:'ACA2:44194:&#x6D3D CJK UNIFIED IDEOGRAPH:'ACA3:44195:&#x6D3E CJK UNIFIED IDEOGRAPH:'ACA4:44196:&#x6D36 CJK UNIFIED IDEOGRAPH:'ACA5:44197:&#x6D1B CJK UNIFIED IDEOGRAPH:'ACA6:44198:&#x6CF5 CJK UNIFIED IDEOGRAPH:'ACA7:44199:&#x6D39 CJK UNIFIED IDEOGRAPH:'ACA8:44200:&#x6D27 CJK UNIFIED IDEOGRAPH:'ACA9:44201:&#x6D38 CJK UNIFIED IDEOGRAPH:'ACAA:44202:&#x6D29 CJK UNIFIED IDEOGRAPH:'ACAB:44203:&#x6D2E CJK UNIFIED IDEOGRAPH:'ACAC:44204:&#x6D35 CJK UNIFIED IDEOGRAPH:'ACAD:44205:&#x6D0E CJK UNIFIED IDEOGRAPH:'ACAE:44206:&#x6D2B CJK UNIFIED IDEOGRAPH:'ACAF:44207:&#x70AB CJK UNIFIED IDEOGRAPH:'ACB0:44208:&#x70BA CJK UNIFIED IDEOGRAPH:'ACB1:44209:&#x70B3 CJK UNIFIED IDEOGRAPH:'ACB2:44210:&#x70AC CJK UNIFIED IDEOGRAPH:'ACB3:44211:&#x70AF CJK UNIFIED IDEOGRAPH:'ACB4:44212:&#x70AD CJK UNIFIED IDEOGRAPH:'ACB5:44213:&#x70B8 CJK UNIFIED IDEOGRAPH:'ACB6:44214:&#x70AE CJK UNIFIED IDEOGRAPH:'ACB7:44215:&#x70A4 CJK UNIFIED IDEOGRAPH:'ACB8:44216:&#x7230 CJK UNIFIED IDEOGRAPH:'ACB9:44217:&#x7272 CJK UNIFIED IDEOGRAPH:'ACBA:44218:&#x726F CJK UNIFIED IDEOGRAPH:'ACBB:44219:&#x7274 CJK UNIFIED IDEOGRAPH:'ACBC:44220:&#x72E9 CJK UNIFIED IDEOGRAPH:'ACBD:44221:&#x72E0 CJK UNIFIED IDEOGRAPH:'ACBE:44222:&#x72E1 CJK UNIFIED IDEOGRAPH:'ACBF:44223:&#x73B7 CJK UNIFIED IDEOGRAPH:'ACC0:44224:&#x73CA CJK UNIFIED IDEOGRAPH:'ACC1:44225:&#x73BB CJK UNIFIED IDEOGRAPH:'ACC2:44226:&#x73B2 CJK UNIFIED IDEOGRAPH:'ACC3:44227:&#x73CD CJK UNIFIED IDEOGRAPH:'ACC4:44228:&#x73C0 CJK UNIFIED IDEOGRAPH:'ACC5:44229:&#x73B3 CJK UNIFIED IDEOGRAPH:'ACC6:44230:&#x751A CJK UNIFIED IDEOGRAPH:'ACC7:44231:&#x752D CJK UNIFIED IDEOGRAPH:'ACC8:44232:&#x754F CJK UNIFIED IDEOGRAPH:'ACC9:44233:&#x754C CJK UNIFIED IDEOGRAPH:'ACCA:44234:&#x754E CJK UNIFIED IDEOGRAPH:'ACCB:44235:&#x754B CJK UNIFIED IDEOGRAPH:'ACCC:44236:&#x75AB CJK UNIFIED IDEOGRAPH:'ACCD:44237:&#x75A4 CJK UNIFIED IDEOGRAPH:'ACCE:44238:&#x75A5 CJK UNIFIED IDEOGRAPH:'ACCF:44239:&#x75A2 CJK UNIFIED IDEOGRAPH:'ACD0:44240:&#x75A3 CJK UNIFIED IDEOGRAPH:'ACD1:44241:&#x7678 CJK UNIFIED IDEOGRAPH:'ACD2:44242:&#x7686 CJK UNIFIED IDEOGRAPH:'ACD3:44243:&#x7687 CJK UNIFIED IDEOGRAPH:'ACD4:44244:&#x7688 CJK UNIFIED IDEOGRAPH:'ACD5:44245:&#x76C8 CJK UNIFIED IDEOGRAPH:'ACD6:44246:&#x76C6 CJK UNIFIED IDEOGRAPH:'ACD7:44247:&#x76C3 CJK UNIFIED IDEOGRAPH:'ACD8:44248:&#x76C5 CJK UNIFIED IDEOGRAPH:'ACD9:44249:&#x7701 CJK UNIFIED IDEOGRAPH:'ACDA:44250:&#x76F9 CJK UNIFIED IDEOGRAPH:'ACDB:44251:&#x76F8 CJK UNIFIED IDEOGRAPH:'ACDC:44252:&#x7709 CJK UNIFIED IDEOGRAPH:'ACDD:44253:&#x770B CJK UNIFIED IDEOGRAPH:'ACDE:44254:&#x76FE CJK UNIFIED IDEOGRAPH:'ACDF:44255:&#x76FC CJK UNIFIED IDEOGRAPH:'ACE0:44256:&#x7707 CJK UNIFIED IDEOGRAPH:'ACE1:44257:&#x77DC CJK UNIFIED IDEOGRAPH:'ACE2:44258:&#x7802 CJK UNIFIED IDEOGRAPH:'ACE3:44259:&#x7814 CJK UNIFIED IDEOGRAPH:'ACE4:44260:&#x780C CJK UNIFIED IDEOGRAPH:'ACE5:44261:&#x780D CJK UNIFIED IDEOGRAPH:'ACE6:44262:&#x7946 CJK UNIFIED IDEOGRAPH:'ACE7:44263:&#x7949 CJK UNIFIED IDEOGRAPH:'ACE8:44264:&#x7948 CJK UNIFIED IDEOGRAPH:'ACE9:44265:&#x7947 CJK UNIFIED IDEOGRAPH:'ACEA:44266:&#x79B9 CJK UNIFIED IDEOGRAPH:'ACEB:44267:&#x79BA CJK UNIFIED IDEOGRAPH:'ACEC:44268:&#x79D1 CJK UNIFIED IDEOGRAPH:'ACED:44269:&#x79D2 CJK UNIFIED IDEOGRAPH:'ACEE:44270:&#x79CB CJK UNIFIED IDEOGRAPH:'ACEF:44271:&#x7A7F CJK UNIFIED IDEOGRAPH:'ACF0:44272:&#x7A81 CJK UNIFIED IDEOGRAPH:'ACF1:44273:&#x7AFF CJK UNIFIED IDEOGRAPH:'ACF2:44274:&#x7AFD CJK UNIFIED IDEOGRAPH:'ACF3:44275:&#x7C7D CJK UNIFIED IDEOGRAPH:'ACF4:44276:&#x7D02 CJK UNIFIED IDEOGRAPH:'ACF5:44277:&#x7D05 CJK UNIFIED IDEOGRAPH:'ACF6:44278:&#x7D00 CJK UNIFIED IDEOGRAPH:'ACF7:44279:&#x7D09 CJK UNIFIED IDEOGRAPH:'ACF8:44280:&#x7D07 CJK UNIFIED IDEOGRAPH:'ACF9:44281:&#x7D04 CJK UNIFIED IDEOGRAPH:'ACFA:44282:&#x7D06 CJK UNIFIED IDEOGRAPH:'ACFB:44283:&#x7F38 CJK UNIFIED IDEOGRAPH:'ACFC:44284:&#x7F8E CJK UNIFIED IDEOGRAPH:'ACFD:44285:&#x7FBF CJK UNIFIED IDEOGRAPH:'ACFE:44286:&#x8004 CJK UNIFIED IDEOGRAPH:'AD40:44352:&#x8010 CJK UNIFIED IDEOGRAPH:'AD41:44353:&#x800D CJK UNIFIED IDEOGRAPH:'AD42:44354:&#x8011 CJK UNIFIED IDEOGRAPH:'AD43:44355:&#x8036 CJK UNIFIED IDEOGRAPH:'AD44:44356:&#x80D6 CJK UNIFIED IDEOGRAPH:'AD45:44357:&#x80E5 CJK UNIFIED IDEOGRAPH:'AD46:44358:&#x80DA CJK UNIFIED IDEOGRAPH:'AD47:44359:&#x80C3 CJK UNIFIED IDEOGRAPH:'AD48:44360:&#x80C4 CJK UNIFIED IDEOGRAPH:'AD49:44361:&#x80CC CJK UNIFIED IDEOGRAPH:'AD4A:44362:&#x80E1 CJK UNIFIED IDEOGRAPH:'AD4B:44363:&#x80DB CJK UNIFIED IDEOGRAPH:'AD4C:44364:&#x80CE CJK UNIFIED IDEOGRAPH:'AD4D:44365:&#x80DE CJK UNIFIED IDEOGRAPH:'AD4E:44366:&#x80E4 CJK UNIFIED IDEOGRAPH:'AD4F:44367:&#x80DD CJK UNIFIED IDEOGRAPH:'AD50:44368:&#x81F4 CJK UNIFIED IDEOGRAPH:'AD51:44369:&#x8222 CJK UNIFIED IDEOGRAPH:'AD52:44370:&#x82E7 CJK UNIFIED IDEOGRAPH:'AD53:44371:&#x8303 CJK UNIFIED IDEOGRAPH:'AD54:44372:&#x8305 CJK UNIFIED IDEOGRAPH:'AD55:44373:&#x82E3 CJK UNIFIED IDEOGRAPH:'AD56:44374:&#x82DB CJK UNIFIED IDEOGRAPH:'AD57:44375:&#x82E6 CJK UNIFIED IDEOGRAPH:'AD58:44376:&#x8304 CJK UNIFIED IDEOGRAPH:'AD59:44377:&#x82E5 CJK UNIFIED IDEOGRAPH:'AD5A:44378:&#x8302 CJK UNIFIED IDEOGRAPH:'AD5B:44379:&#x8309 CJK UNIFIED IDEOGRAPH:'AD5C:44380:&#x82D2 CJK UNIFIED IDEOGRAPH:'AD5D:44381:&#x82D7 CJK UNIFIED IDEOGRAPH:'AD5E:44382:&#x82F1 CJK UNIFIED IDEOGRAPH:'AD5F:44383:&#x8301 CJK UNIFIED IDEOGRAPH:'AD60:44384:&#x82DC CJK UNIFIED IDEOGRAPH:'AD61:44385:&#x82D4 CJK UNIFIED IDEOGRAPH:'AD62:44386:&#x82D1 CJK UNIFIED IDEOGRAPH:'AD63:44387:&#x82DE CJK UNIFIED IDEOGRAPH:'AD64:44388:&#x82D3 CJK UNIFIED IDEOGRAPH:'AD65:44389:&#x82DF CJK UNIFIED IDEOGRAPH:'AD66:44390:&#x82EF CJK UNIFIED IDEOGRAPH:'AD67:44391:&#x8306 CJK UNIFIED IDEOGRAPH:'AD68:44392:&#x8650 CJK UNIFIED IDEOGRAPH:'AD69:44393:&#x8679 CJK UNIFIED IDEOGRAPH:'AD6A:44394:&#x867B CJK UNIFIED IDEOGRAPH:'AD6B:44395:&#x867A CJK UNIFIED IDEOGRAPH:'AD6C:44396:&#x884D CJK UNIFIED IDEOGRAPH:'AD6D:44397:&#x886B CJK UNIFIED IDEOGRAPH:'AD6E:44398:&#x8981 CJK UNIFIED IDEOGRAPH:'AD6F:44399:&#x89D4 CJK UNIFIED IDEOGRAPH:'AD70:44400:&#x8A08 CJK UNIFIED IDEOGRAPH:'AD71:44401:&#x8A02 CJK UNIFIED IDEOGRAPH:'AD72:44402:&#x8A03 CJK UNIFIED IDEOGRAPH:'AD73:44403:&#x8C9E CJK UNIFIED IDEOGRAPH:'AD74:44404:&#x8CA0 CJK UNIFIED IDEOGRAPH:'AD75:44405:&#x8D74 CJK UNIFIED IDEOGRAPH:'AD76:44406:&#x8D73 CJK UNIFIED IDEOGRAPH:'AD77:44407:&#x8DB4 CJK UNIFIED IDEOGRAPH:'AD78:44408:&#x8ECD CJK UNIFIED IDEOGRAPH:'AD79:44409:&#x8ECC CJK UNIFIED IDEOGRAPH:'AD7A:44410:&#x8FF0 CJK UNIFIED IDEOGRAPH:'AD7B:44411:&#x8FE6 CJK UNIFIED IDEOGRAPH:'AD7C:44412:&#x8FE2 CJK UNIFIED IDEOGRAPH:'AD7D:44413:&#x8FEA CJK UNIFIED IDEOGRAPH:'AD7E:44414:&#x8FE5 CJK UNIFIED IDEOGRAPH:'ADA1:44449:&#x8FED CJK UNIFIED IDEOGRAPH:'ADA2:44450:&#x8FEB CJK UNIFIED IDEOGRAPH:'ADA3:44451:&#x8FE4 CJK UNIFIED IDEOGRAPH:'ADA4:44452:&#x8FE8 CJK UNIFIED IDEOGRAPH:'ADA5:44453:&#x90CA CJK UNIFIED IDEOGRAPH:'ADA6:44454:&#x90CE CJK UNIFIED IDEOGRAPH:'ADA7:44455:&#x90C1 CJK UNIFIED IDEOGRAPH:'ADA8:44456:&#x90C3 CJK UNIFIED IDEOGRAPH:'ADA9:44457:&#x914B CJK UNIFIED IDEOGRAPH:'ADAA:44458:&#x914A CJK UNIFIED IDEOGRAPH:'ADAB:44459:&#x91CD CJK UNIFIED IDEOGRAPH:'ADAC:44460:&#x9582 CJK UNIFIED IDEOGRAPH:'ADAD:44461:&#x9650 CJK UNIFIED IDEOGRAPH:'ADAE:44462:&#x964B CJK UNIFIED IDEOGRAPH:'ADAF:44463:&#x964C CJK UNIFIED IDEOGRAPH:'ADB0:44464:&#x964D CJK UNIFIED IDEOGRAPH:'ADB1:44465:&#x9762 CJK UNIFIED IDEOGRAPH:'ADB2:44466:&#x9769 CJK UNIFIED IDEOGRAPH:'ADB3:44467:&#x97CB CJK UNIFIED IDEOGRAPH:'ADB4:44468:&#x97ED CJK UNIFIED IDEOGRAPH:'ADB5:44469:&#x97F3 CJK UNIFIED IDEOGRAPH:'ADB6:44470:&#x9801 CJK UNIFIED IDEOGRAPH:'ADB7:44471:&#x98A8 CJK UNIFIED IDEOGRAPH:'ADB8:44472:&#x98DB CJK UNIFIED IDEOGRAPH:'ADB9:44473:&#x98DF CJK UNIFIED IDEOGRAPH:'ADBA:44474:&#x9996 CJK UNIFIED IDEOGRAPH:'ADBB:44475:&#x9999 CJK UNIFIED IDEOGRAPH:'ADBC:44476:&#x4E58 CJK UNIFIED IDEOGRAPH:'ADBD:44477:&#x4EB3 CJK UNIFIED IDEOGRAPH:'ADBE:44478:&#x500C CJK UNIFIED IDEOGRAPH:'ADBF:44479:&#x500D CJK UNIFIED IDEOGRAPH:'ADC0:44480:&#x5023 CJK UNIFIED IDEOGRAPH:'ADC1:44481:&#x4FEF CJK UNIFIED IDEOGRAPH:'ADC2:44482:&#x5026 CJK UNIFIED IDEOGRAPH:'ADC3:44483:&#x5025 CJK UNIFIED IDEOGRAPH:'ADC4:44484:&#x4FF8 CJK UNIFIED IDEOGRAPH:'ADC5:44485:&#x5029 CJK UNIFIED IDEOGRAPH:'ADC6:44486:&#x5016 CJK UNIFIED IDEOGRAPH:'ADC7:44487:&#x5006 CJK UNIFIED IDEOGRAPH:'ADC8:44488:&#x503C CJK UNIFIED IDEOGRAPH:'ADC9:44489:&#x501F CJK UNIFIED IDEOGRAPH:'ADCA:44490:&#x501A CJK UNIFIED IDEOGRAPH:'ADCB:44491:&#x5012 CJK UNIFIED IDEOGRAPH:'ADCC:44492:&#x5011 CJK UNIFIED IDEOGRAPH:'ADCD:44493:&#x4FFA CJK UNIFIED IDEOGRAPH:'ADCE:44494:&#x5000 CJK UNIFIED IDEOGRAPH:'ADCF:44495:&#x5014 CJK UNIFIED IDEOGRAPH:'ADD0:44496:&#x5028 CJK UNIFIED IDEOGRAPH:'ADD1:44497:&#x4FF1 CJK UNIFIED IDEOGRAPH:'ADD2:44498:&#x5021 CJK UNIFIED IDEOGRAPH:'ADD3:44499:&#x500B CJK UNIFIED IDEOGRAPH:'ADD4:44500:&#x5019 CJK UNIFIED IDEOGRAPH:'ADD5:44501:&#x5018 CJK UNIFIED IDEOGRAPH:'ADD6:44502:&#x4FF3 CJK UNIFIED IDEOGRAPH:'ADD7:44503:&#x4FEE CJK UNIFIED IDEOGRAPH:'ADD8:44504:&#x502D CJK UNIFIED IDEOGRAPH:'ADD9:44505:&#x502A CJK UNIFIED IDEOGRAPH:'ADDA:44506:&#x4FFE CJK UNIFIED IDEOGRAPH:'ADDB:44507:&#x502B CJK UNIFIED IDEOGRAPH:'ADDC:44508:&#x5009 CJK UNIFIED IDEOGRAPH:'ADDD:44509:&#x517C CJK UNIFIED IDEOGRAPH:'ADDE:44510:&#x51A4 CJK UNIFIED IDEOGRAPH:'ADDF:44511:&#x51A5 CJK UNIFIED IDEOGRAPH:'ADE0:44512:&#x51A2 CJK UNIFIED IDEOGRAPH:'ADE1:44513:&#x51CD CJK UNIFIED IDEOGRAPH:'ADE2:44514:&#x51CC CJK UNIFIED IDEOGRAPH:'ADE3:44515:&#x51C6 CJK UNIFIED IDEOGRAPH:'ADE4:44516:&#x51CB CJK UNIFIED IDEOGRAPH:'ADE5:44517:&#x5256 CJK UNIFIED IDEOGRAPH:'ADE6:44518:&#x525C CJK UNIFIED IDEOGRAPH:'ADE7:44519:&#x5254 CJK UNIFIED IDEOGRAPH:'ADE8:44520:&#x525B CJK UNIFIED IDEOGRAPH:'ADE9:44521:&#x525D CJK UNIFIED IDEOGRAPH:'ADEA:44522:&#x532A CJK UNIFIED IDEOGRAPH:'ADEB:44523:&#x537F CJK UNIFIED IDEOGRAPH:'ADEC:44524:&#x539F CJK UNIFIED IDEOGRAPH:'ADED:44525:&#x539D CJK UNIFIED IDEOGRAPH:'ADEE:44526:&#x53DF CJK UNIFIED IDEOGRAPH:'ADEF:44527:&#x54E8 CJK UNIFIED IDEOGRAPH:'ADF0:44528:&#x5510 CJK UNIFIED IDEOGRAPH:'ADF1:44529:&#x5501 CJK UNIFIED IDEOGRAPH:'ADF2:44530:&#x5537 CJK UNIFIED IDEOGRAPH:'ADF3:44531:&#x54FC CJK UNIFIED IDEOGRAPH:'ADF4:44532:&#x54E5 CJK UNIFIED IDEOGRAPH:'ADF5:44533:&#x54F2 CJK UNIFIED IDEOGRAPH:'ADF6:44534:&#x5506 CJK UNIFIED IDEOGRAPH:'ADF7:44535:&#x54FA CJK UNIFIED IDEOGRAPH:'ADF8:44536:&#x5514 CJK UNIFIED IDEOGRAPH:'ADF9:44537:&#x54E9 CJK UNIFIED IDEOGRAPH:'ADFA:44538:&#x54ED CJK UNIFIED IDEOGRAPH:'ADFB:44539:&#x54E1 CJK UNIFIED IDEOGRAPH:'ADFC:44540:&#x5509 CJK UNIFIED IDEOGRAPH:'ADFD:44541:&#x54EE CJK UNIFIED IDEOGRAPH:'ADFE:44542:&#x54EA CJK UNIFIED IDEOGRAPH:'AE40:44608:&#x54E6 CJK UNIFIED IDEOGRAPH:'AE41:44609:&#x5527 CJK UNIFIED IDEOGRAPH:'AE42:44610:&#x5507 CJK UNIFIED IDEOGRAPH:'AE43:44611:&#x54FD CJK UNIFIED IDEOGRAPH:'AE44:44612:&#x550F CJK UNIFIED IDEOGRAPH:'AE45:44613:&#x5703 CJK UNIFIED IDEOGRAPH:'AE46:44614:&#x5704 CJK UNIFIED IDEOGRAPH:'AE47:44615:&#x57C2 CJK UNIFIED IDEOGRAPH:'AE48:44616:&#x57D4 CJK UNIFIED IDEOGRAPH:'AE49:44617:&#x57CB CJK UNIFIED IDEOGRAPH:'AE4A:44618:&#x57C3 CJK UNIFIED IDEOGRAPH:'AE4B:44619:&#x5809 CJK UNIFIED IDEOGRAPH:'AE4C:44620:&#x590F CJK UNIFIED IDEOGRAPH:'AE4D:44621:&#x5957 CJK UNIFIED IDEOGRAPH:'AE4E:44622:&#x5958 CJK UNIFIED IDEOGRAPH:'AE4F:44623:&#x595A CJK UNIFIED IDEOGRAPH:'AE50:44624:&#x5A11 CJK UNIFIED IDEOGRAPH:'AE51:44625:&#x5A18 CJK UNIFIED IDEOGRAPH:'AE52:44626:&#x5A1C CJK UNIFIED IDEOGRAPH:'AE53:44627:&#x5A1F CJK UNIFIED IDEOGRAPH:'AE54:44628:&#x5A1B CJK UNIFIED IDEOGRAPH:'AE55:44629:&#x5A13 CJK UNIFIED IDEOGRAPH:'AE56:44630:&#x59EC CJK UNIFIED IDEOGRAPH:'AE57:44631:&#x5A20 CJK UNIFIED IDEOGRAPH:'AE58:44632:&#x5A23 CJK UNIFIED IDEOGRAPH:'AE59:44633:&#x5A29 CJK UNIFIED IDEOGRAPH:'AE5A:44634:&#x5A25 CJK UNIFIED IDEOGRAPH:'AE5B:44635:&#x5A0C CJK UNIFIED IDEOGRAPH:'AE5C:44636:&#x5A09 CJK UNIFIED IDEOGRAPH:'AE5D:44637:&#x5B6B CJK UNIFIED IDEOGRAPH:'AE5E:44638:&#x5C58 CJK UNIFIED IDEOGRAPH:'AE5F:44639:&#x5BB0 CJK UNIFIED IDEOGRAPH:'AE60:44640:&#x5BB3 CJK UNIFIED IDEOGRAPH:'AE61:44641:&#x5BB6 CJK UNIFIED IDEOGRAPH:'AE62:44642:&#x5BB4 CJK UNIFIED IDEOGRAPH:'AE63:44643:&#x5BAE CJK UNIFIED IDEOGRAPH:'AE64:44644:&#x5BB5 CJK UNIFIED IDEOGRAPH:'AE65:44645:&#x5BB9 CJK UNIFIED IDEOGRAPH:'AE66:44646:&#x5BB8 CJK UNIFIED IDEOGRAPH:'AE67:44647:&#x5C04 CJK UNIFIED IDEOGRAPH:'AE68:44648:&#x5C51 CJK UNIFIED IDEOGRAPH:'AE69:44649:&#x5C55 CJK UNIFIED IDEOGRAPH:'AE6A:44650:&#x5C50 CJK UNIFIED IDEOGRAPH:'AE6B:44651:&#x5CED CJK UNIFIED IDEOGRAPH:'AE6C:44652:&#x5CFD CJK UNIFIED IDEOGRAPH:'AE6D:44653:&#x5CFB CJK UNIFIED IDEOGRAPH:'AE6E:44654:&#x5CEA CJK UNIFIED IDEOGRAPH:'AE6F:44655:&#x5CE8 CJK UNIFIED IDEOGRAPH:'AE70:44656:&#x5CF0 CJK UNIFIED IDEOGRAPH:'AE71:44657:&#x5CF6 CJK UNIFIED IDEOGRAPH:'AE72:44658:&#x5D01 CJK UNIFIED IDEOGRAPH:'AE73:44659:&#x5CF4 CJK UNIFIED IDEOGRAPH:'AE74:44660:&#x5DEE CJK UNIFIED IDEOGRAPH:'AE75:44661:&#x5E2D CJK UNIFIED IDEOGRAPH:'AE76:44662:&#x5E2B CJK UNIFIED IDEOGRAPH:'AE77:44663:&#x5EAB CJK UNIFIED IDEOGRAPH:'AE78:44664:&#x5EAD CJK UNIFIED IDEOGRAPH:'AE79:44665:&#x5EA7 CJK UNIFIED IDEOGRAPH:'AE7A:44666:&#x5F31 CJK UNIFIED IDEOGRAPH:'AE7B:44667:&#x5F92 CJK UNIFIED IDEOGRAPH:'AE7C:44668:&#x5F91 CJK UNIFIED IDEOGRAPH:'AE7D:44669:&#x5F90 CJK UNIFIED IDEOGRAPH:'AE7E:44670:&#x6059 CJK UNIFIED IDEOGRAPH:'AEA1:44705:&#x6063 CJK UNIFIED IDEOGRAPH:'AEA2:44706:&#x6065 CJK UNIFIED IDEOGRAPH:'AEA3:44707:&#x6050 CJK UNIFIED IDEOGRAPH:'AEA4:44708:&#x6055 CJK UNIFIED IDEOGRAPH:'AEA5:44709:&#x606D CJK UNIFIED IDEOGRAPH:'AEA6:44710:&#x6069 CJK UNIFIED IDEOGRAPH:'AEA7:44711:&#x606F CJK UNIFIED IDEOGRAPH:'AEA8:44712:&#x6084 CJK UNIFIED IDEOGRAPH:'AEA9:44713:&#x609F CJK UNIFIED IDEOGRAPH:'AEAA:44714:&#x609A CJK UNIFIED IDEOGRAPH:'AEAB:44715:&#x608D CJK UNIFIED IDEOGRAPH:'AEAC:44716:&#x6094 CJK UNIFIED IDEOGRAPH:'AEAD:44717:&#x608C CJK UNIFIED IDEOGRAPH:'AEAE:44718:&#x6085 CJK UNIFIED IDEOGRAPH:'AEAF:44719:&#x6096 CJK UNIFIED IDEOGRAPH:'AEB0:44720:&#x6247 CJK UNIFIED IDEOGRAPH:'AEB1:44721:&#x62F3 CJK UNIFIED IDEOGRAPH:'AEB2:44722:&#x6308 CJK UNIFIED IDEOGRAPH:'AEB3:44723:&#x62FF CJK UNIFIED IDEOGRAPH:'AEB4:44724:&#x634E CJK UNIFIED IDEOGRAPH:'AEB5:44725:&#x633E CJK UNIFIED IDEOGRAPH:'AEB6:44726:&#x632F CJK UNIFIED IDEOGRAPH:'AEB7:44727:&#x6355 CJK UNIFIED IDEOGRAPH:'AEB8:44728:&#x6342 CJK UNIFIED IDEOGRAPH:'AEB9:44729:&#x6346 CJK UNIFIED IDEOGRAPH:'AEBA:44730:&#x634F CJK UNIFIED IDEOGRAPH:'AEBB:44731:&#x6349 CJK UNIFIED IDEOGRAPH:'AEBC:44732:&#x633A CJK UNIFIED IDEOGRAPH:'AEBD:44733:&#x6350 CJK UNIFIED IDEOGRAPH:'AEBE:44734:&#x633D CJK UNIFIED IDEOGRAPH:'AEBF:44735:&#x632A CJK UNIFIED IDEOGRAPH:'AEC0:44736:&#x632B CJK UNIFIED IDEOGRAPH:'AEC1:44737:&#x6328 CJK UNIFIED IDEOGRAPH:'AEC2:44738:&#x634D CJK UNIFIED IDEOGRAPH:'AEC3:44739:&#x634C CJK UNIFIED IDEOGRAPH:'AEC4:44740:&#x6548 CJK UNIFIED IDEOGRAPH:'AEC5:44741:&#x6549 CJK UNIFIED IDEOGRAPH:'AEC6:44742:&#x6599 CJK UNIFIED IDEOGRAPH:'AEC7:44743:&#x65C1 CJK UNIFIED IDEOGRAPH:'AEC8:44744:&#x65C5 CJK UNIFIED IDEOGRAPH:'AEC9:44745:&#x6642 CJK UNIFIED IDEOGRAPH:'AECA:44746:&#x6649 CJK UNIFIED IDEOGRAPH:'AECB:44747:&#x664F CJK UNIFIED IDEOGRAPH:'AECC:44748:&#x6643 CJK UNIFIED IDEOGRAPH:'AECD:44749:&#x6652 CJK UNIFIED IDEOGRAPH:'AECE:44750:&#x664C CJK UNIFIED IDEOGRAPH:'AECF:44751:&#x6645 CJK UNIFIED IDEOGRAPH:'AED0:44752:&#x6641 CJK UNIFIED IDEOGRAPH:'AED1:44753:&#x66F8 CJK UNIFIED IDEOGRAPH:'AED2:44754:&#x6714 CJK UNIFIED IDEOGRAPH:'AED3:44755:&#x6715 CJK UNIFIED IDEOGRAPH:'AED4:44756:&#x6717 CJK UNIFIED IDEOGRAPH:'AED5:44757:&#x6821 CJK UNIFIED IDEOGRAPH:'AED6:44758:&#x6838 CJK UNIFIED IDEOGRAPH:'AED7:44759:&#x6848 CJK UNIFIED IDEOGRAPH:'AED8:44760:&#x6846 CJK UNIFIED IDEOGRAPH:'AED9:44761:&#x6853 CJK UNIFIED IDEOGRAPH:'AEDA:44762:&#x6839 CJK UNIFIED IDEOGRAPH:'AEDB:44763:&#x6842 CJK UNIFIED IDEOGRAPH:'AEDC:44764:&#x6854 CJK UNIFIED IDEOGRAPH:'AEDD:44765:&#x6829 CJK UNIFIED IDEOGRAPH:'AEDE:44766:&#x68B3 CJK UNIFIED IDEOGRAPH:'AEDF:44767:&#x6817 CJK UNIFIED IDEOGRAPH:'AEE0:44768:&#x684C CJK UNIFIED IDEOGRAPH:'AEE1:44769:&#x6851 CJK UNIFIED IDEOGRAPH:'AEE2:44770:&#x683D CJK UNIFIED IDEOGRAPH:'AEE3:44771:&#x67F4 CJK UNIFIED IDEOGRAPH:'AEE4:44772:&#x6850 CJK UNIFIED IDEOGRAPH:'AEE5:44773:&#x6840 CJK UNIFIED IDEOGRAPH:'AEE6:44774:&#x683C CJK UNIFIED IDEOGRAPH:'AEE7:44775:&#x6843 CJK UNIFIED IDEOGRAPH:'AEE8:44776:&#x682A CJK UNIFIED IDEOGRAPH:'AEE9:44777:&#x6845 CJK UNIFIED IDEOGRAPH:'AEEA:44778:&#x6813 CJK UNIFIED IDEOGRAPH:'AEEB:44779:&#x6818 CJK UNIFIED IDEOGRAPH:'AEEC:44780:&#x6841 CJK UNIFIED IDEOGRAPH:'AEED:44781:&#x6B8A CJK UNIFIED IDEOGRAPH:'AEEE:44782:&#x6B89 CJK UNIFIED IDEOGRAPH:'AEEF:44783:&#x6BB7 CJK UNIFIED IDEOGRAPH:'AEF0:44784:&#x6C23 CJK UNIFIED IDEOGRAPH:'AEF1:44785:&#x6C27 CJK UNIFIED IDEOGRAPH:'AEF2:44786:&#x6C28 CJK UNIFIED IDEOGRAPH:'AEF3:44787:&#x6C26 CJK UNIFIED IDEOGRAPH:'AEF4:44788:&#x6C24 CJK UNIFIED IDEOGRAPH:'AEF5:44789:&#x6CF0 CJK UNIFIED IDEOGRAPH:'AEF6:44790:&#x6D6A CJK UNIFIED IDEOGRAPH:'AEF7:44791:&#x6D95 CJK UNIFIED IDEOGRAPH:'AEF8:44792:&#x6D88 CJK UNIFIED IDEOGRAPH:'AEF9:44793:&#x6D87 CJK UNIFIED IDEOGRAPH:'AEFA:44794:&#x6D66 CJK UNIFIED IDEOGRAPH:'AEFB:44795:&#x6D78 CJK UNIFIED IDEOGRAPH:'AEFC:44796:&#x6D77 CJK UNIFIED IDEOGRAPH:'AEFD:44797:&#x6D59 CJK UNIFIED IDEOGRAPH:'AEFE:44798:&#x6D93 CJK UNIFIED IDEOGRAPH:'AF40:44864:&#x6D6C CJK UNIFIED IDEOGRAPH:'AF41:44865:&#x6D89 CJK UNIFIED IDEOGRAPH:'AF42:44866:&#x6D6E CJK UNIFIED IDEOGRAPH:'AF43:44867:&#x6D5A CJK UNIFIED IDEOGRAPH:'AF44:44868:&#x6D74 CJK UNIFIED IDEOGRAPH:'AF45:44869:&#x6D69 CJK UNIFIED IDEOGRAPH:'AF46:44870:&#x6D8C CJK UNIFIED IDEOGRAPH:'AF47:44871:&#x6D8A CJK UNIFIED IDEOGRAPH:'AF48:44872:&#x6D79 CJK UNIFIED IDEOGRAPH:'AF49:44873:&#x6D85 CJK UNIFIED IDEOGRAPH:'AF4A:44874:&#x6D65 CJK UNIFIED IDEOGRAPH:'AF4B:44875:&#x6D94 CJK UNIFIED IDEOGRAPH:'AF4C:44876:&#x70CA CJK UNIFIED IDEOGRAPH:'AF4D:44877:&#x70D8 CJK UNIFIED IDEOGRAPH:'AF4E:44878:&#x70E4 CJK UNIFIED IDEOGRAPH:'AF4F:44879:&#x70D9 CJK UNIFIED IDEOGRAPH:'AF50:44880:&#x70C8 CJK UNIFIED IDEOGRAPH:'AF51:44881:&#x70CF CJK UNIFIED IDEOGRAPH:'AF52:44882:&#x7239 CJK UNIFIED IDEOGRAPH:'AF53:44883:&#x7279 CJK UNIFIED IDEOGRAPH:'AF54:44884:&#x72FC CJK UNIFIED IDEOGRAPH:'AF55:44885:&#x72F9 CJK UNIFIED IDEOGRAPH:'AF56:44886:&#x72FD CJK UNIFIED IDEOGRAPH:'AF57:44887:&#x72F8 CJK UNIFIED IDEOGRAPH:'AF58:44888:&#x72F7 CJK UNIFIED IDEOGRAPH:'AF59:44889:&#x7386 CJK UNIFIED IDEOGRAPH:'AF5A:44890:&#x73ED CJK UNIFIED IDEOGRAPH:'AF5B:44891:&#x7409 CJK UNIFIED IDEOGRAPH:'AF5C:44892:&#x73EE CJK UNIFIED IDEOGRAPH:'AF5D:44893:&#x73E0 CJK UNIFIED IDEOGRAPH:'AF5E:44894:&#x73EA CJK UNIFIED IDEOGRAPH:'AF5F:44895:&#x73DE CJK UNIFIED IDEOGRAPH:'AF60:44896:&#x7554 CJK UNIFIED IDEOGRAPH:'AF61:44897:&#x755D CJK UNIFIED IDEOGRAPH:'AF62:44898:&#x755C CJK UNIFIED IDEOGRAPH:'AF63:44899:&#x755A CJK UNIFIED IDEOGRAPH:'AF64:44900:&#x7559 CJK UNIFIED IDEOGRAPH:'AF65:44901:&#x75BE CJK UNIFIED IDEOGRAPH:'AF66:44902:&#x75C5 CJK UNIFIED IDEOGRAPH:'AF67:44903:&#x75C7 CJK UNIFIED IDEOGRAPH:'AF68:44904:&#x75B2 CJK UNIFIED IDEOGRAPH:'AF69:44905:&#x75B3 CJK UNIFIED IDEOGRAPH:'AF6A:44906:&#x75BD CJK UNIFIED IDEOGRAPH:'AF6B:44907:&#x75BC CJK UNIFIED IDEOGRAPH:'AF6C:44908:&#x75B9 CJK UNIFIED IDEOGRAPH:'AF6D:44909:&#x75C2 CJK UNIFIED IDEOGRAPH:'AF6E:44910:&#x75B8 CJK UNIFIED IDEOGRAPH:'AF6F:44911:&#x768B CJK UNIFIED IDEOGRAPH:'AF70:44912:&#x76B0 CJK UNIFIED IDEOGRAPH:'AF71:44913:&#x76CA CJK UNIFIED IDEOGRAPH:'AF72:44914:&#x76CD CJK UNIFIED IDEOGRAPH:'AF73:44915:&#x76CE CJK UNIFIED IDEOGRAPH:'AF74:44916:&#x7729 CJK UNIFIED IDEOGRAPH:'AF75:44917:&#x771F CJK UNIFIED IDEOGRAPH:'AF76:44918:&#x7720 CJK UNIFIED IDEOGRAPH:'AF77:44919:&#x7728 CJK UNIFIED IDEOGRAPH:'AF78:44920:&#x77E9 CJK UNIFIED IDEOGRAPH:'AF79:44921:&#x7830 CJK UNIFIED IDEOGRAPH:'AF7A:44922:&#x7827 CJK UNIFIED IDEOGRAPH:'AF7B:44923:&#x7838 CJK UNIFIED IDEOGRAPH:'AF7C:44924:&#x781D CJK UNIFIED IDEOGRAPH:'AF7D:44925:&#x7834 CJK UNIFIED IDEOGRAPH:'AF7E:44926:&#x7837 CJK UNIFIED IDEOGRAPH:'AFA1:44961:&#x7825 CJK UNIFIED IDEOGRAPH:'AFA2:44962:&#x782D CJK UNIFIED IDEOGRAPH:'AFA3:44963:&#x7820 CJK UNIFIED IDEOGRAPH:'AFA4:44964:&#x781F CJK UNIFIED IDEOGRAPH:'AFA5:44965:&#x7832 CJK UNIFIED IDEOGRAPH:'AFA6:44966:&#x7955 CJK UNIFIED IDEOGRAPH:'AFA7:44967:&#x7950 CJK UNIFIED IDEOGRAPH:'AFA8:44968:&#x7960 CJK UNIFIED IDEOGRAPH:'AFA9:44969:&#x795F CJK UNIFIED IDEOGRAPH:'AFAA:44970:&#x7956 CJK UNIFIED IDEOGRAPH:'AFAB:44971:&#x795E CJK UNIFIED IDEOGRAPH:'AFAC:44972:&#x795D CJK UNIFIED IDEOGRAPH:'AFAD:44973:&#x7957 CJK UNIFIED IDEOGRAPH:'AFAE:44974:&#x795A CJK UNIFIED IDEOGRAPH:'AFAF:44975:&#x79E4 CJK UNIFIED IDEOGRAPH:'AFB0:44976:&#x79E3 CJK UNIFIED IDEOGRAPH:'AFB1:44977:&#x79E7 CJK UNIFIED IDEOGRAPH:'AFB2:44978:&#x79DF CJK UNIFIED IDEOGRAPH:'AFB3:44979:&#x79E6 CJK UNIFIED IDEOGRAPH:'AFB4:44980:&#x79E9 CJK UNIFIED IDEOGRAPH:'AFB5:44981:&#x79D8 CJK UNIFIED IDEOGRAPH:'AFB6:44982:&#x7A84 CJK UNIFIED IDEOGRAPH:'AFB7:44983:&#x7A88 CJK UNIFIED IDEOGRAPH:'AFB8:44984:&#x7AD9 CJK UNIFIED IDEOGRAPH:'AFB9:44985:&#x7B06 CJK UNIFIED IDEOGRAPH:'AFBA:44986:&#x7B11 CJK UNIFIED IDEOGRAPH:'AFBB:44987:&#x7C89 CJK UNIFIED IDEOGRAPH:'AFBC:44988:&#x7D21 CJK UNIFIED IDEOGRAPH:'AFBD:44989:&#x7D17 CJK UNIFIED IDEOGRAPH:'AFBE:44990:&#x7D0B CJK UNIFIED IDEOGRAPH:'AFBF:44991:&#x7D0A CJK UNIFIED IDEOGRAPH:'AFC0:44992:&#x7D20 CJK UNIFIED IDEOGRAPH:'AFC1:44993:&#x7D22 CJK UNIFIED IDEOGRAPH:'AFC2:44994:&#x7D14 CJK UNIFIED IDEOGRAPH:'AFC3:44995:&#x7D10 CJK UNIFIED IDEOGRAPH:'AFC4:44996:&#x7D15 CJK UNIFIED IDEOGRAPH:'AFC5:44997:&#x7D1A CJK UNIFIED IDEOGRAPH:'AFC6:44998:&#x7D1C CJK UNIFIED IDEOGRAPH:'AFC7:44999:&#x7D0D CJK UNIFIED IDEOGRAPH:'AFC8:45000:&#x7D19 CJK UNIFIED IDEOGRAPH:'AFC9:45001:&#x7D1B CJK UNIFIED IDEOGRAPH:'AFCA:45002:&#x7F3A CJK UNIFIED IDEOGRAPH:'AFCB:45003:&#x7F5F CJK UNIFIED IDEOGRAPH:'AFCC:45004:&#x7F94 CJK UNIFIED IDEOGRAPH:'AFCD:45005:&#x7FC5 CJK UNIFIED IDEOGRAPH:'AFCE:45006:&#x7FC1 CJK UNIFIED IDEOGRAPH:'AFCF:45007:&#x8006 CJK UNIFIED IDEOGRAPH:'AFD0:45008:&#x8018 CJK UNIFIED IDEOGRAPH:'AFD1:45009:&#x8015 CJK UNIFIED IDEOGRAPH:'AFD2:45010:&#x8019 CJK UNIFIED IDEOGRAPH:'AFD3:45011:&#x8017 CJK UNIFIED IDEOGRAPH:'AFD4:45012:&#x803D CJK UNIFIED IDEOGRAPH:'AFD5:45013:&#x803F CJK UNIFIED IDEOGRAPH:'AFD6:45014:&#x80F1 CJK UNIFIED IDEOGRAPH:'AFD7:45015:&#x8102 CJK UNIFIED IDEOGRAPH:'AFD8:45016:&#x80F0 CJK UNIFIED IDEOGRAPH:'AFD9:45017:&#x8105 CJK UNIFIED IDEOGRAPH:'AFDA:45018:&#x80ED CJK UNIFIED IDEOGRAPH:'AFDB:45019:&#x80F4 CJK UNIFIED IDEOGRAPH:'AFDC:45020:&#x8106 CJK UNIFIED IDEOGRAPH:'AFDD:45021:&#x80F8 CJK UNIFIED IDEOGRAPH:'AFDE:45022:&#x80F3 CJK UNIFIED IDEOGRAPH:'AFDF:45023:&#x8108 CJK UNIFIED IDEOGRAPH:'AFE0:45024:&#x80FD CJK UNIFIED IDEOGRAPH:'AFE1:45025:&#x810A CJK UNIFIED IDEOGRAPH:'AFE2:45026:&#x80FC CJK UNIFIED IDEOGRAPH:'AFE3:45027:&#x80EF CJK UNIFIED IDEOGRAPH:'AFE4:45028:&#x81ED CJK UNIFIED IDEOGRAPH:'AFE5:45029:&#x81EC CJK UNIFIED IDEOGRAPH:'AFE6:45030:&#x8200 CJK UNIFIED IDEOGRAPH:'AFE7:45031:&#x8210 CJK UNIFIED IDEOGRAPH:'AFE8:45032:&#x822A CJK UNIFIED IDEOGRAPH:'AFE9:45033:&#x822B CJK UNIFIED IDEOGRAPH:'AFEA:45034:&#x8228 CJK UNIFIED IDEOGRAPH:'AFEB:45035:&#x822C CJK UNIFIED IDEOGRAPH:'AFEC:45036:&#x82BB CJK UNIFIED IDEOGRAPH:'AFED:45037:&#x832B CJK UNIFIED IDEOGRAPH:'AFEE:45038:&#x8352 CJK UNIFIED IDEOGRAPH:'AFEF:45039:&#x8354 CJK UNIFIED IDEOGRAPH:'AFF0:45040:&#x834A CJK UNIFIED IDEOGRAPH:'AFF1:45041:&#x8338 CJK UNIFIED IDEOGRAPH:'AFF2:45042:&#x8350 CJK UNIFIED IDEOGRAPH:'AFF3:45043:&#x8349 CJK UNIFIED IDEOGRAPH:'AFF4:45044:&#x8335 CJK UNIFIED IDEOGRAPH:'AFF5:45045:&#x8334 CJK UNIFIED IDEOGRAPH:'AFF6:45046:&#x834F CJK UNIFIED IDEOGRAPH:'AFF7:45047:&#x8332 CJK UNIFIED IDEOGRAPH:'AFF8:45048:&#x8339 CJK UNIFIED IDEOGRAPH:'AFF9:45049:&#x8336 CJK UNIFIED IDEOGRAPH:'AFFA:45050:&#x8317 CJK UNIFIED IDEOGRAPH:'AFFB:45051:&#x8340 CJK UNIFIED IDEOGRAPH:'AFFC:45052:&#x8331 CJK UNIFIED IDEOGRAPH:'AFFD:45053:&#x8328 CJK UNIFIED IDEOGRAPH:'AFFE:45054:&#x8343 CJK UNIFIED IDEOGRAPH:'B040:45120:&#x8654 CJK UNIFIED IDEOGRAPH:'B041:45121:&#x868A CJK UNIFIED IDEOGRAPH:'B042:45122:&#x86AA CJK UNIFIED IDEOGRAPH:'B043:45123:&#x8693 CJK UNIFIED IDEOGRAPH:'B044:45124:&#x86A4 CJK UNIFIED IDEOGRAPH:'B045:45125:&#x86A9 CJK UNIFIED IDEOGRAPH:'B046:45126:&#x868C CJK UNIFIED IDEOGRAPH:'B047:45127:&#x86A3 CJK UNIFIED IDEOGRAPH:'B048:45128:&#x869C CJK UNIFIED IDEOGRAPH:'B049:45129:&#x8870 CJK UNIFIED IDEOGRAPH:'B04A:45130:&#x8877 CJK UNIFIED IDEOGRAPH:'B04B:45131:&#x8881 CJK UNIFIED IDEOGRAPH:'B04C:45132:&#x8882 CJK UNIFIED IDEOGRAPH:'B04D:45133:&#x887D CJK UNIFIED IDEOGRAPH:'B04E:45134:&#x8879 CJK UNIFIED IDEOGRAPH:'B04F:45135:&#x8A18 CJK UNIFIED IDEOGRAPH:'B050:45136:&#x8A10 CJK UNIFIED IDEOGRAPH:'B051:45137:&#x8A0E CJK UNIFIED IDEOGRAPH:'B052:45138:&#x8A0C CJK UNIFIED IDEOGRAPH:'B053:45139:&#x8A15 CJK UNIFIED IDEOGRAPH:'B054:45140:&#x8A0A CJK UNIFIED IDEOGRAPH:'B055:45141:&#x8A17 CJK UNIFIED IDEOGRAPH:'B056:45142:&#x8A13 CJK UNIFIED IDEOGRAPH:'B057:45143:&#x8A16 CJK UNIFIED IDEOGRAPH:'B058:45144:&#x8A0F CJK UNIFIED IDEOGRAPH:'B059:45145:&#x8A11 CJK UNIFIED IDEOGRAPH:'B05A:45146:&#x8C48 CJK UNIFIED IDEOGRAPH:'B05B:45147:&#x8C7A CJK UNIFIED IDEOGRAPH:'B05C:45148:&#x8C79 CJK UNIFIED IDEOGRAPH:'B05D:45149:&#x8CA1 CJK UNIFIED IDEOGRAPH:'B05E:45150:&#x8CA2 CJK UNIFIED IDEOGRAPH:'B05F:45151:&#x8D77 CJK UNIFIED IDEOGRAPH:'B060:45152:&#x8EAC CJK UNIFIED IDEOGRAPH:'B061:45153:&#x8ED2 CJK UNIFIED IDEOGRAPH:'B062:45154:&#x8ED4 CJK UNIFIED IDEOGRAPH:'B063:45155:&#x8ECF CJK UNIFIED IDEOGRAPH:'B064:45156:&#x8FB1 CJK UNIFIED IDEOGRAPH:'B065:45157:&#x9001 CJK UNIFIED IDEOGRAPH:'B066:45158:&#x9006 CJK UNIFIED IDEOGRAPH:'B067:45159:&#x8FF7 CJK UNIFIED IDEOGRAPH:'B068:45160:&#x9000 CJK UNIFIED IDEOGRAPH:'B069:45161:&#x8FFA CJK UNIFIED IDEOGRAPH:'B06A:45162:&#x8FF4 CJK UNIFIED IDEOGRAPH:'B06B:45163:&#x9003 CJK UNIFIED IDEOGRAPH:'B06C:45164:&#x8FFD CJK UNIFIED IDEOGRAPH:'B06D:45165:&#x9005 CJK UNIFIED IDEOGRAPH:'B06E:45166:&#x8FF8 CJK UNIFIED IDEOGRAPH:'B06F:45167:&#x9095 CJK UNIFIED IDEOGRAPH:'B070:45168:&#x90E1 CJK UNIFIED IDEOGRAPH:'B071:45169:&#x90DD CJK UNIFIED IDEOGRAPH:'B072:45170:&#x90E2 CJK UNIFIED IDEOGRAPH:'B073:45171:&#x9152 CJK UNIFIED IDEOGRAPH:'B074:45172:&#x914D CJK UNIFIED IDEOGRAPH:'B075:45173:&#x914C CJK UNIFIED IDEOGRAPH:'B076:45174:&#x91D8 CJK UNIFIED IDEOGRAPH:'B077:45175:&#x91DD CJK UNIFIED IDEOGRAPH:'B078:45176:&#x91D7 CJK UNIFIED IDEOGRAPH:'B079:45177:&#x91DC CJK UNIFIED IDEOGRAPH:'B07A:45178:&#x91D9 CJK UNIFIED IDEOGRAPH:'B07B:45179:&#x9583 CJK UNIFIED IDEOGRAPH:'B07C:45180:&#x9662 CJK UNIFIED IDEOGRAPH:'B07D:45181:&#x9663 CJK UNIFIED IDEOGRAPH:'B07E:45182:&#x9661 CJK UNIFIED IDEOGRAPH:'B0A1:45217:&#x965B CJK UNIFIED IDEOGRAPH:'B0A2:45218:&#x965D CJK UNIFIED IDEOGRAPH:'B0A3:45219:&#x9664 CJK UNIFIED IDEOGRAPH:'B0A4:45220:&#x9658 CJK UNIFIED IDEOGRAPH:'B0A5:45221:&#x965E CJK UNIFIED IDEOGRAPH:'B0A6:45222:&#x96BB CJK UNIFIED IDEOGRAPH:'B0A7:45223:&#x98E2 CJK UNIFIED IDEOGRAPH:'B0A8:45224:&#x99AC CJK UNIFIED IDEOGRAPH:'B0A9:45225:&#x9AA8 CJK UNIFIED IDEOGRAPH:'B0AA:45226:&#x9AD8 CJK UNIFIED IDEOGRAPH:'B0AB:45227:&#x9B25 CJK UNIFIED IDEOGRAPH:'B0AC:45228:&#x9B32 CJK UNIFIED IDEOGRAPH:'B0AD:45229:&#x9B3C CJK UNIFIED IDEOGRAPH:'B0AE:45230:&#x4E7E CJK UNIFIED IDEOGRAPH:'B0AF:45231:&#x507A CJK UNIFIED IDEOGRAPH:'B0B0:45232:&#x507D CJK UNIFIED IDEOGRAPH:'B0B1:45233:&#x505C CJK UNIFIED IDEOGRAPH:'B0B2:45234:&#x5047 CJK UNIFIED IDEOGRAPH:'B0B3:45235:&#x5043 CJK UNIFIED IDEOGRAPH:'B0B4:45236:&#x504C CJK UNIFIED IDEOGRAPH:'B0B5:45237:&#x505A CJK UNIFIED IDEOGRAPH:'B0B6:45238:&#x5049 CJK UNIFIED IDEOGRAPH:'B0B7:45239:&#x5065 CJK UNIFIED IDEOGRAPH:'B0B8:45240:&#x5076 CJK UNIFIED IDEOGRAPH:'B0B9:45241:&#x504E CJK UNIFIED IDEOGRAPH:'B0BA:45242:&#x5055 CJK UNIFIED IDEOGRAPH:'B0BB:45243:&#x5075 CJK UNIFIED IDEOGRAPH:'B0BC:45244:&#x5074 CJK UNIFIED IDEOGRAPH:'B0BD:45245:&#x5077 CJK UNIFIED IDEOGRAPH:'B0BE:45246:&#x504F CJK UNIFIED IDEOGRAPH:'B0BF:45247:&#x500F CJK UNIFIED IDEOGRAPH:'B0C0:45248:&#x506F CJK UNIFIED IDEOGRAPH:'B0C1:45249:&#x506D CJK UNIFIED IDEOGRAPH:'B0C2:45250:&#x515C CJK UNIFIED IDEOGRAPH:'B0C3:45251:&#x5195 CJK UNIFIED IDEOGRAPH:'B0C4:45252:&#x51F0 CJK UNIFIED IDEOGRAPH:'B0C5:45253:&#x526A CJK UNIFIED IDEOGRAPH:'B0C6:45254:&#x526F CJK UNIFIED IDEOGRAPH:'B0C7:45255:&#x52D2 CJK UNIFIED IDEOGRAPH:'B0C8:45256:&#x52D9 CJK UNIFIED IDEOGRAPH:'B0C9:45257:&#x52D8 CJK UNIFIED IDEOGRAPH:'B0CA:45258:&#x52D5 CJK UNIFIED IDEOGRAPH:'B0CB:45259:&#x5310 CJK UNIFIED IDEOGRAPH:'B0CC:45260:&#x530F CJK UNIFIED IDEOGRAPH:'B0CD:45261:&#x5319 CJK UNIFIED IDEOGRAPH:'B0CE:45262:&#x533F CJK UNIFIED IDEOGRAPH:'B0CF:45263:&#x5340 CJK UNIFIED IDEOGRAPH:'B0D0:45264:&#x533E CJK UNIFIED IDEOGRAPH:'B0D1:45265:&#x53C3 CJK UNIFIED IDEOGRAPH:'B0D2:45266:&#x66FC CJK UNIFIED IDEOGRAPH:'B0D3:45267:&#x5546 CJK UNIFIED IDEOGRAPH:'B0D4:45268:&#x556A CJK UNIFIED IDEOGRAPH:'B0D5:45269:&#x5566 CJK UNIFIED IDEOGRAPH:'B0D6:45270:&#x5544 CJK UNIFIED IDEOGRAPH:'B0D7:45271:&#x555E CJK UNIFIED IDEOGRAPH:'B0D8:45272:&#x5561 CJK UNIFIED IDEOGRAPH:'B0D9:45273:&#x5543 CJK UNIFIED IDEOGRAPH:'B0DA:45274:&#x554A CJK UNIFIED IDEOGRAPH:'B0DB:45275:&#x5531 CJK UNIFIED IDEOGRAPH:'B0DC:45276:&#x5556 CJK UNIFIED IDEOGRAPH:'B0DD:45277:&#x554F CJK UNIFIED IDEOGRAPH:'B0DE:45278:&#x5555 CJK UNIFIED IDEOGRAPH:'B0DF:45279:&#x552F CJK UNIFIED IDEOGRAPH:'B0E0:45280:&#x5564 CJK UNIFIED IDEOGRAPH:'B0E1:45281:&#x5538 CJK UNIFIED IDEOGRAPH:'B0E2:45282:&#x552E CJK UNIFIED IDEOGRAPH:'B0E3:45283:&#x555C CJK UNIFIED IDEOGRAPH:'B0E4:45284:&#x552C CJK UNIFIED IDEOGRAPH:'B0E5:45285:&#x5563 CJK UNIFIED IDEOGRAPH:'B0E6:45286:&#x5533 CJK UNIFIED IDEOGRAPH:'B0E7:45287:&#x5541 CJK UNIFIED IDEOGRAPH:'B0E8:45288:&#x5557 CJK UNIFIED IDEOGRAPH:'B0E9:45289:&#x5708 CJK UNIFIED IDEOGRAPH:'B0EA:45290:&#x570B CJK UNIFIED IDEOGRAPH:'B0EB:45291:&#x5709 CJK UNIFIED IDEOGRAPH:'B0EC:45292:&#x57DF CJK UNIFIED IDEOGRAPH:'B0ED:45293:&#x5805 CJK UNIFIED IDEOGRAPH:'B0EE:45294:&#x580A CJK UNIFIED IDEOGRAPH:'B0EF:45295:&#x5806 CJK UNIFIED IDEOGRAPH:'B0F0:45296:&#x57E0 CJK UNIFIED IDEOGRAPH:'B0F1:45297:&#x57E4 CJK UNIFIED IDEOGRAPH:'B0F2:45298:&#x57FA CJK UNIFIED IDEOGRAPH:'B0F3:45299:&#x5802 CJK UNIFIED IDEOGRAPH:'B0F4:45300:&#x5835 CJK UNIFIED IDEOGRAPH:'B0F5:45301:&#x57F7 CJK UNIFIED IDEOGRAPH:'B0F6:45302:&#x57F9 CJK UNIFIED IDEOGRAPH:'B0F7:45303:&#x5920 CJK UNIFIED IDEOGRAPH:'B0F8:45304:&#x5962 CJK UNIFIED IDEOGRAPH:'B0F9:45305:&#x5A36 CJK UNIFIED IDEOGRAPH:'B0FA:45306:&#x5A41 CJK UNIFIED IDEOGRAPH:'B0FB:45307:&#x5A49 CJK UNIFIED IDEOGRAPH:'B0FC:45308:&#x5A66 CJK UNIFIED IDEOGRAPH:'B0FD:45309:&#x5A6A CJK UNIFIED IDEOGRAPH:'B0FE:45310:&#x5A40 CJK UNIFIED IDEOGRAPH:'B140:45376:&#x5A3C CJK UNIFIED IDEOGRAPH:'B141:45377:&#x5A62 CJK UNIFIED IDEOGRAPH:'B142:45378:&#x5A5A CJK UNIFIED IDEOGRAPH:'B143:45379:&#x5A46 CJK UNIFIED IDEOGRAPH:'B144:45380:&#x5A4A CJK UNIFIED IDEOGRAPH:'B145:45381:&#x5B70 CJK UNIFIED IDEOGRAPH:'B146:45382:&#x5BC7 CJK UNIFIED IDEOGRAPH:'B147:45383:&#x5BC5 CJK UNIFIED IDEOGRAPH:'B148:45384:&#x5BC4 CJK UNIFIED IDEOGRAPH:'B149:45385:&#x5BC2 CJK UNIFIED IDEOGRAPH:'B14A:45386:&#x5BBF CJK UNIFIED IDEOGRAPH:'B14B:45387:&#x5BC6 CJK UNIFIED IDEOGRAPH:'B14C:45388:&#x5C09 CJK UNIFIED IDEOGRAPH:'B14D:45389:&#x5C08 CJK UNIFIED IDEOGRAPH:'B14E:45390:&#x5C07 CJK UNIFIED IDEOGRAPH:'B14F:45391:&#x5C60 CJK UNIFIED IDEOGRAPH:'B150:45392:&#x5C5C CJK UNIFIED IDEOGRAPH:'B151:45393:&#x5C5D CJK UNIFIED IDEOGRAPH:'B152:45394:&#x5D07 CJK UNIFIED IDEOGRAPH:'B153:45395:&#x5D06 CJK UNIFIED IDEOGRAPH:'B154:45396:&#x5D0E CJK UNIFIED IDEOGRAPH:'B155:45397:&#x5D1B CJK UNIFIED IDEOGRAPH:'B156:45398:&#x5D16 CJK UNIFIED IDEOGRAPH:'B157:45399:&#x5D22 CJK UNIFIED IDEOGRAPH:'B158:45400:&#x5D11 CJK UNIFIED IDEOGRAPH:'B159:45401:&#x5D29 CJK UNIFIED IDEOGRAPH:'B15A:45402:&#x5D14 CJK UNIFIED IDEOGRAPH:'B15B:45403:&#x5D19 CJK UNIFIED IDEOGRAPH:'B15C:45404:&#x5D24 CJK UNIFIED IDEOGRAPH:'B15D:45405:&#x5D27 CJK UNIFIED IDEOGRAPH:'B15E:45406:&#x5D17 CJK UNIFIED IDEOGRAPH:'B15F:45407:&#x5DE2 CJK UNIFIED IDEOGRAPH:'B160:45408:&#x5E38 CJK UNIFIED IDEOGRAPH:'B161:45409:&#x5E36 CJK UNIFIED IDEOGRAPH:'B162:45410:&#x5E33 CJK UNIFIED IDEOGRAPH:'B163:45411:&#x5E37 CJK UNIFIED IDEOGRAPH:'B164:45412:&#x5EB7 CJK UNIFIED IDEOGRAPH:'B165:45413:&#x5EB8 CJK UNIFIED IDEOGRAPH:'B166:45414:&#x5EB6 CJK UNIFIED IDEOGRAPH:'B167:45415:&#x5EB5 CJK UNIFIED IDEOGRAPH:'B168:45416:&#x5EBE CJK UNIFIED IDEOGRAPH:'B169:45417:&#x5F35 CJK UNIFIED IDEOGRAPH:'B16A:45418:&#x5F37 CJK UNIFIED IDEOGRAPH:'B16B:45419:&#x5F57 CJK UNIFIED IDEOGRAPH:'B16C:45420:&#x5F6C CJK UNIFIED IDEOGRAPH:'B16D:45421:&#x5F69 CJK UNIFIED IDEOGRAPH:'B16E:45422:&#x5F6B CJK UNIFIED IDEOGRAPH:'B16F:45423:&#x5F97 CJK UNIFIED IDEOGRAPH:'B170:45424:&#x5F99 CJK UNIFIED IDEOGRAPH:'B171:45425:&#x5F9E CJK UNIFIED IDEOGRAPH:'B172:45426:&#x5F98 CJK UNIFIED IDEOGRAPH:'B173:45427:&#x5FA1 CJK UNIFIED IDEOGRAPH:'B174:45428:&#x5FA0 CJK UNIFIED IDEOGRAPH:'B175:45429:&#x5F9C CJK UNIFIED IDEOGRAPH:'B176:45430:&#x607F CJK UNIFIED IDEOGRAPH:'B177:45431:&#x60A3 CJK UNIFIED IDEOGRAPH:'B178:45432:&#x6089 CJK UNIFIED IDEOGRAPH:'B179:45433:&#x60A0 CJK UNIFIED IDEOGRAPH:'B17A:45434:&#x60A8 CJK UNIFIED IDEOGRAPH:'B17B:45435:&#x60CB CJK UNIFIED IDEOGRAPH:'B17C:45436:&#x60B4 CJK UNIFIED IDEOGRAPH:'B17D:45437:&#x60E6 CJK UNIFIED IDEOGRAPH:'B17E:45438:&#x60BD CJK UNIFIED IDEOGRAPH:'B1A1:45473:&#x60C5 CJK UNIFIED IDEOGRAPH:'B1A2:45474:&#x60BB CJK UNIFIED IDEOGRAPH:'B1A3:45475:&#x60B5 CJK UNIFIED IDEOGRAPH:'B1A4:45476:&#x60DC CJK UNIFIED IDEOGRAPH:'B1A5:45477:&#x60BC CJK UNIFIED IDEOGRAPH:'B1A6:45478:&#x60D8 CJK UNIFIED IDEOGRAPH:'B1A7:45479:&#x60D5 CJK UNIFIED IDEOGRAPH:'B1A8:45480:&#x60C6 CJK UNIFIED IDEOGRAPH:'B1A9:45481:&#x60DF CJK UNIFIED IDEOGRAPH:'B1AA:45482:&#x60B8 CJK UNIFIED IDEOGRAPH:'B1AB:45483:&#x60DA CJK UNIFIED IDEOGRAPH:'B1AC:45484:&#x60C7 CJK UNIFIED IDEOGRAPH:'B1AD:45485:&#x621A CJK UNIFIED IDEOGRAPH:'B1AE:45486:&#x621B CJK UNIFIED IDEOGRAPH:'B1AF:45487:&#x6248 CJK UNIFIED IDEOGRAPH:'B1B0:45488:&#x63A0 CJK UNIFIED IDEOGRAPH:'B1B1:45489:&#x63A7 CJK UNIFIED IDEOGRAPH:'B1B2:45490:&#x6372 CJK UNIFIED IDEOGRAPH:'B1B3:45491:&#x6396 CJK UNIFIED IDEOGRAPH:'B1B4:45492:&#x63A2 CJK UNIFIED IDEOGRAPH:'B1B5:45493:&#x63A5 CJK UNIFIED IDEOGRAPH:'B1B6:45494:&#x6377 CJK UNIFIED IDEOGRAPH:'B1B7:45495:&#x6367 CJK UNIFIED IDEOGRAPH:'B1B8:45496:&#x6398 CJK UNIFIED IDEOGRAPH:'B1B9:45497:&#x63AA CJK UNIFIED IDEOGRAPH:'B1BA:45498:&#x6371 CJK UNIFIED IDEOGRAPH:'B1BB:45499:&#x63A9 CJK UNIFIED IDEOGRAPH:'B1BC:45500:&#x6389 CJK UNIFIED IDEOGRAPH:'B1BD:45501:&#x6383 CJK UNIFIED IDEOGRAPH:'B1BE:45502:&#x639B CJK UNIFIED IDEOGRAPH:'B1BF:45503:&#x636B CJK UNIFIED IDEOGRAPH:'B1C0:45504:&#x63A8 CJK UNIFIED IDEOGRAPH:'B1C1:45505:&#x6384 CJK UNIFIED IDEOGRAPH:'B1C2:45506:&#x6388 CJK UNIFIED IDEOGRAPH:'B1C3:45507:&#x6399 CJK UNIFIED IDEOGRAPH:'B1C4:45508:&#x63A1 CJK UNIFIED IDEOGRAPH:'B1C5:45509:&#x63AC CJK UNIFIED IDEOGRAPH:'B1C6:45510:&#x6392 CJK UNIFIED IDEOGRAPH:'B1C7:45511:&#x638F CJK UNIFIED IDEOGRAPH:'B1C8:45512:&#x6380 CJK UNIFIED IDEOGRAPH:'B1C9:45513:&#x637B CJK UNIFIED IDEOGRAPH:'B1CA:45514:&#x6369 CJK UNIFIED IDEOGRAPH:'B1CB:45515:&#x6368 CJK UNIFIED IDEOGRAPH:'B1CC:45516:&#x637A CJK UNIFIED IDEOGRAPH:'B1CD:45517:&#x655D CJK UNIFIED IDEOGRAPH:'B1CE:45518:&#x6556 CJK UNIFIED IDEOGRAPH:'B1CF:45519:&#x6551 CJK UNIFIED IDEOGRAPH:'B1D0:45520:&#x6559 CJK UNIFIED IDEOGRAPH:'B1D1:45521:&#x6557 CJK UNIFIED IDEOGRAPH:'B1D2:45522:&#x555F CJK UNIFIED IDEOGRAPH:'B1D3:45523:&#x654F CJK UNIFIED IDEOGRAPH:'B1D4:45524:&#x6558 CJK UNIFIED IDEOGRAPH:'B1D5:45525:&#x6555 CJK UNIFIED IDEOGRAPH:'B1D6:45526:&#x6554 CJK UNIFIED IDEOGRAPH:'B1D7:45527:&#x659C CJK UNIFIED IDEOGRAPH:'B1D8:45528:&#x659B CJK UNIFIED IDEOGRAPH:'B1D9:45529:&#x65AC CJK UNIFIED IDEOGRAPH:'B1DA:45530:&#x65CF CJK UNIFIED IDEOGRAPH:'B1DB:45531:&#x65CB CJK UNIFIED IDEOGRAPH:'B1DC:45532:&#x65CC CJK UNIFIED IDEOGRAPH:'B1DD:45533:&#x65CE CJK UNIFIED IDEOGRAPH:'B1DE:45534:&#x665D CJK UNIFIED IDEOGRAPH:'B1DF:45535:&#x665A CJK UNIFIED IDEOGRAPH:'B1E0:45536:&#x6664 CJK UNIFIED IDEOGRAPH:'B1E1:45537:&#x6668 CJK UNIFIED IDEOGRAPH:'B1E2:45538:&#x6666 CJK UNIFIED IDEOGRAPH:'B1E3:45539:&#x665E CJK UNIFIED IDEOGRAPH:'B1E4:45540:&#x66F9 CJK UNIFIED IDEOGRAPH:'B1E5:45541:&#x52D7 CJK UNIFIED IDEOGRAPH:'B1E6:45542:&#x671B CJK UNIFIED IDEOGRAPH:'B1E7:45543:&#x6881 CJK UNIFIED IDEOGRAPH:'B1E8:45544:&#x68AF CJK UNIFIED IDEOGRAPH:'B1E9:45545:&#x68A2 CJK UNIFIED IDEOGRAPH:'B1EA:45546:&#x6893 CJK UNIFIED IDEOGRAPH:'B1EB:45547:&#x68B5 CJK UNIFIED IDEOGRAPH:'B1EC:45548:&#x687F CJK UNIFIED IDEOGRAPH:'B1ED:45549:&#x6876 CJK UNIFIED IDEOGRAPH:'B1EE:45550:&#x68B1 CJK UNIFIED IDEOGRAPH:'B1EF:45551:&#x68A7 CJK UNIFIED IDEOGRAPH:'B1F0:45552:&#x6897 CJK UNIFIED IDEOGRAPH:'B1F1:45553:&#x68B0 CJK UNIFIED IDEOGRAPH:'B1F2:45554:&#x6883 CJK UNIFIED IDEOGRAPH:'B1F3:45555:&#x68C4 CJK UNIFIED IDEOGRAPH:'B1F4:45556:&#x68AD CJK UNIFIED IDEOGRAPH:'B1F5:45557:&#x6886 CJK UNIFIED IDEOGRAPH:'B1F6:45558:&#x6885 CJK UNIFIED IDEOGRAPH:'B1F7:45559:&#x6894 CJK UNIFIED IDEOGRAPH:'B1F8:45560:&#x689D CJK UNIFIED IDEOGRAPH:'B1F9:45561:&#x68A8 CJK UNIFIED IDEOGRAPH:'B1FA:45562:&#x689F CJK UNIFIED IDEOGRAPH:'B1FB:45563:&#x68A1 CJK UNIFIED IDEOGRAPH:'B1FC:45564:&#x6882 CJK UNIFIED IDEOGRAPH:'B1FD:45565:&#x6B32 CJK UNIFIED IDEOGRAPH:'B1FE:45566:&#x6BBA CJK UNIFIED IDEOGRAPH:'B240:45632:&#x6BEB CJK UNIFIED IDEOGRAPH:'B241:45633:&#x6BEC CJK UNIFIED IDEOGRAPH:'B242:45634:&#x6C2B CJK UNIFIED IDEOGRAPH:'B243:45635:&#x6D8E CJK UNIFIED IDEOGRAPH:'B244:45636:&#x6DBC CJK UNIFIED IDEOGRAPH:'B245:45637:&#x6DF3 CJK UNIFIED IDEOGRAPH:'B246:45638:&#x6DD9 CJK UNIFIED IDEOGRAPH:'B247:45639:&#x6DB2 CJK UNIFIED IDEOGRAPH:'B248:45640:&#x6DE1 CJK UNIFIED IDEOGRAPH:'B249:45641:&#x6DCC CJK UNIFIED IDEOGRAPH:'B24A:45642:&#x6DE4 CJK UNIFIED IDEOGRAPH:'B24B:45643:&#x6DFB CJK UNIFIED IDEOGRAPH:'B24C:45644:&#x6DFA CJK UNIFIED IDEOGRAPH:'B24D:45645:&#x6E05 CJK UNIFIED IDEOGRAPH:'B24E:45646:&#x6DC7 CJK UNIFIED IDEOGRAPH:'B24F:45647:&#x6DCB CJK UNIFIED IDEOGRAPH:'B250:45648:&#x6DAF CJK UNIFIED IDEOGRAPH:'B251:45649:&#x6DD1 CJK UNIFIED IDEOGRAPH:'B252:45650:&#x6DAE CJK UNIFIED IDEOGRAPH:'B253:45651:&#x6DDE CJK UNIFIED IDEOGRAPH:'B254:45652:&#x6DF9 CJK UNIFIED IDEOGRAPH:'B255:45653:&#x6DB8 CJK UNIFIED IDEOGRAPH:'B256:45654:&#x6DF7 CJK UNIFIED IDEOGRAPH:'B257:45655:&#x6DF5 CJK UNIFIED IDEOGRAPH:'B258:45656:&#x6DC5 CJK UNIFIED IDEOGRAPH:'B259:45657:&#x6DD2 CJK UNIFIED IDEOGRAPH:'B25A:45658:&#x6E1A CJK UNIFIED IDEOGRAPH:'B25B:45659:&#x6DB5 CJK UNIFIED IDEOGRAPH:'B25C:45660:&#x6DDA CJK UNIFIED IDEOGRAPH:'B25D:45661:&#x6DEB CJK UNIFIED IDEOGRAPH:'B25E:45662:&#x6DD8 CJK UNIFIED IDEOGRAPH:'B25F:45663:&#x6DEA CJK UNIFIED IDEOGRAPH:'B260:45664:&#x6DF1 CJK UNIFIED IDEOGRAPH:'B261:45665:&#x6DEE CJK UNIFIED IDEOGRAPH:'B262:45666:&#x6DE8 CJK UNIFIED IDEOGRAPH:'B263:45667:&#x6DC6 CJK UNIFIED IDEOGRAPH:'B264:45668:&#x6DC4 CJK UNIFIED IDEOGRAPH:'B265:45669:&#x6DAA CJK UNIFIED IDEOGRAPH:'B266:45670:&#x6DEC CJK UNIFIED IDEOGRAPH:'B267:45671:&#x6DBF CJK UNIFIED IDEOGRAPH:'B268:45672:&#x6DE6 CJK UNIFIED IDEOGRAPH:'B269:45673:&#x70F9 CJK UNIFIED IDEOGRAPH:'B26A:45674:&#x7109 CJK UNIFIED IDEOGRAPH:'B26B:45675:&#x710A CJK UNIFIED IDEOGRAPH:'B26C:45676:&#x70FD CJK UNIFIED IDEOGRAPH:'B26D:45677:&#x70EF CJK UNIFIED IDEOGRAPH:'B26E:45678:&#x723D CJK UNIFIED IDEOGRAPH:'B26F:45679:&#x727D CJK UNIFIED IDEOGRAPH:'B270:45680:&#x7281 CJK UNIFIED IDEOGRAPH:'B271:45681:&#x731C CJK UNIFIED IDEOGRAPH:'B272:45682:&#x731B CJK UNIFIED IDEOGRAPH:'B273:45683:&#x7316 CJK UNIFIED IDEOGRAPH:'B274:45684:&#x7313 CJK UNIFIED IDEOGRAPH:'B275:45685:&#x7319 CJK UNIFIED IDEOGRAPH:'B276:45686:&#x7387 CJK UNIFIED IDEOGRAPH:'B277:45687:&#x7405 CJK UNIFIED IDEOGRAPH:'B278:45688:&#x740A CJK UNIFIED IDEOGRAPH:'B279:45689:&#x7403 CJK UNIFIED IDEOGRAPH:'B27A:45690:&#x7406 CJK UNIFIED IDEOGRAPH:'B27B:45691:&#x73FE CJK UNIFIED IDEOGRAPH:'B27C:45692:&#x740D CJK UNIFIED IDEOGRAPH:'B27D:45693:&#x74E0 CJK UNIFIED IDEOGRAPH:'B27E:45694:&#x74F6 CJK UNIFIED IDEOGRAPH:'B2A1:45729:&#x74F7 CJK UNIFIED IDEOGRAPH:'B2A2:45730:&#x751C CJK UNIFIED IDEOGRAPH:'B2A3:45731:&#x7522 CJK UNIFIED IDEOGRAPH:'B2A4:45732:&#x7565 CJK UNIFIED IDEOGRAPH:'B2A5:45733:&#x7566 CJK UNIFIED IDEOGRAPH:'B2A6:45734:&#x7562 CJK UNIFIED IDEOGRAPH:'B2A7:45735:&#x7570 CJK UNIFIED IDEOGRAPH:'B2A8:45736:&#x758F CJK UNIFIED IDEOGRAPH:'B2A9:45737:&#x75D4 CJK UNIFIED IDEOGRAPH:'B2AA:45738:&#x75D5 CJK UNIFIED IDEOGRAPH:'B2AB:45739:&#x75B5 CJK UNIFIED IDEOGRAPH:'B2AC:45740:&#x75CA CJK UNIFIED IDEOGRAPH:'B2AD:45741:&#x75CD CJK UNIFIED IDEOGRAPH:'B2AE:45742:&#x768E CJK UNIFIED IDEOGRAPH:'B2AF:45743:&#x76D4 CJK UNIFIED IDEOGRAPH:'B2B0:45744:&#x76D2 CJK UNIFIED IDEOGRAPH:'B2B1:45745:&#x76DB CJK UNIFIED IDEOGRAPH:'B2B2:45746:&#x7737 CJK UNIFIED IDEOGRAPH:'B2B3:45747:&#x773E CJK UNIFIED IDEOGRAPH:'B2B4:45748:&#x773C CJK UNIFIED IDEOGRAPH:'B2B5:45749:&#x7736 CJK UNIFIED IDEOGRAPH:'B2B6:45750:&#x7738 CJK UNIFIED IDEOGRAPH:'B2B7:45751:&#x773A CJK UNIFIED IDEOGRAPH:'B2B8:45752:&#x786B CJK UNIFIED IDEOGRAPH:'B2B9:45753:&#x7843 CJK UNIFIED IDEOGRAPH:'B2BA:45754:&#x784E CJK UNIFIED IDEOGRAPH:'B2BB:45755:&#x7965 CJK UNIFIED IDEOGRAPH:'B2BC:45756:&#x7968 CJK UNIFIED IDEOGRAPH:'B2BD:45757:&#x796D CJK UNIFIED IDEOGRAPH:'B2BE:45758:&#x79FB CJK UNIFIED IDEOGRAPH:'B2BF:45759:&#x7A92 CJK UNIFIED IDEOGRAPH:'B2C0:45760:&#x7A95 CJK UNIFIED IDEOGRAPH:'B2C1:45761:&#x7B20 CJK UNIFIED IDEOGRAPH:'B2C2:45762:&#x7B28 CJK UNIFIED IDEOGRAPH:'B2C3:45763:&#x7B1B CJK UNIFIED IDEOGRAPH:'B2C4:45764:&#x7B2C CJK UNIFIED IDEOGRAPH:'B2C5:45765:&#x7B26 CJK UNIFIED IDEOGRAPH:'B2C6:45766:&#x7B19 CJK UNIFIED IDEOGRAPH:'B2C7:45767:&#x7B1E CJK UNIFIED IDEOGRAPH:'B2C8:45768:&#x7B2E CJK UNIFIED IDEOGRAPH:'B2C9:45769:&#x7C92 CJK UNIFIED IDEOGRAPH:'B2CA:45770:&#x7C97 CJK UNIFIED IDEOGRAPH:'B2CB:45771:&#x7C95 CJK UNIFIED IDEOGRAPH:'B2CC:45772:&#x7D46 CJK UNIFIED IDEOGRAPH:'B2CD:45773:&#x7D43 CJK UNIFIED IDEOGRAPH:'B2CE:45774:&#x7D71 CJK UNIFIED IDEOGRAPH:'B2CF:45775:&#x7D2E CJK UNIFIED IDEOGRAPH:'B2D0:45776:&#x7D39 CJK UNIFIED IDEOGRAPH:'B2D1:45777:&#x7D3C CJK UNIFIED IDEOGRAPH:'B2D2:45778:&#x7D40 CJK UNIFIED IDEOGRAPH:'B2D3:45779:&#x7D30 CJK UNIFIED IDEOGRAPH:'B2D4:45780:&#x7D33 CJK UNIFIED IDEOGRAPH:'B2D5:45781:&#x7D44 CJK UNIFIED IDEOGRAPH:'B2D6:45782:&#x7D2F CJK UNIFIED IDEOGRAPH:'B2D7:45783:&#x7D42 CJK UNIFIED IDEOGRAPH:'B2D8:45784:&#x7D32 CJK UNIFIED IDEOGRAPH:'B2D9:45785:&#x7D31 CJK UNIFIED IDEOGRAPH:'B2DA:45786:&#x7F3D CJK UNIFIED IDEOGRAPH:'B2DB:45787:&#x7F9E CJK UNIFIED IDEOGRAPH:'B2DC:45788:&#x7F9A CJK UNIFIED IDEOGRAPH:'B2DD:45789:&#x7FCC CJK UNIFIED IDEOGRAPH:'B2DE:45790:&#x7FCE CJK UNIFIED IDEOGRAPH:'B2DF:45791:&#x7FD2 CJK UNIFIED IDEOGRAPH:'B2E0:45792:&#x801C CJK UNIFIED IDEOGRAPH:'B2E1:45793:&#x804A CJK UNIFIED IDEOGRAPH:'B2E2:45794:&#x8046 CJK UNIFIED IDEOGRAPH:'B2E3:45795:&#x812F CJK UNIFIED IDEOGRAPH:'B2E4:45796:&#x8116 CJK UNIFIED IDEOGRAPH:'B2E5:45797:&#x8123 CJK UNIFIED IDEOGRAPH:'B2E6:45798:&#x812B CJK UNIFIED IDEOGRAPH:'B2E7:45799:&#x8129 CJK UNIFIED IDEOGRAPH:'B2E8:45800:&#x8130 CJK UNIFIED IDEOGRAPH:'B2E9:45801:&#x8124 CJK UNIFIED IDEOGRAPH:'B2EA:45802:&#x8202 CJK UNIFIED IDEOGRAPH:'B2EB:45803:&#x8235 CJK UNIFIED IDEOGRAPH:'B2EC:45804:&#x8237 CJK UNIFIED IDEOGRAPH:'B2ED:45805:&#x8236 CJK UNIFIED IDEOGRAPH:'B2EE:45806:&#x8239 CJK UNIFIED IDEOGRAPH:'B2EF:45807:&#x838E CJK UNIFIED IDEOGRAPH:'B2F0:45808:&#x839E CJK UNIFIED IDEOGRAPH:'B2F1:45809:&#x8398 CJK UNIFIED IDEOGRAPH:'B2F2:45810:&#x8378 CJK UNIFIED IDEOGRAPH:'B2F3:45811:&#x83A2 CJK UNIFIED IDEOGRAPH:'B2F4:45812:&#x8396 CJK UNIFIED IDEOGRAPH:'B2F5:45813:&#x83BD CJK UNIFIED IDEOGRAPH:'B2F6:45814:&#x83AB CJK UNIFIED IDEOGRAPH:'B2F7:45815:&#x8392 CJK UNIFIED IDEOGRAPH:'B2F8:45816:&#x838A CJK UNIFIED IDEOGRAPH:'B2F9:45817:&#x8393 CJK UNIFIED IDEOGRAPH:'B2FA:45818:&#x8389 CJK UNIFIED IDEOGRAPH:'B2FB:45819:&#x83A0 CJK UNIFIED IDEOGRAPH:'B2FC:45820:&#x8377 CJK UNIFIED IDEOGRAPH:'B2FD:45821:&#x837B CJK UNIFIED IDEOGRAPH:'B2FE:45822:&#x837C CJK UNIFIED IDEOGRAPH:'B340:45888:&#x8386 CJK UNIFIED IDEOGRAPH:'B341:45889:&#x83A7 CJK UNIFIED IDEOGRAPH:'B342:45890:&#x8655 CJK UNIFIED IDEOGRAPH:'B343:45891:&#x5F6A CJK UNIFIED IDEOGRAPH:'B344:45892:&#x86C7 CJK UNIFIED IDEOGRAPH:'B345:45893:&#x86C0 CJK UNIFIED IDEOGRAPH:'B346:45894:&#x86B6 CJK UNIFIED IDEOGRAPH:'B347:45895:&#x86C4 CJK UNIFIED IDEOGRAPH:'B348:45896:&#x86B5 CJK UNIFIED IDEOGRAPH:'B349:45897:&#x86C6 CJK UNIFIED IDEOGRAPH:'B34A:45898:&#x86CB CJK UNIFIED IDEOGRAPH:'B34B:45899:&#x86B1 CJK UNIFIED IDEOGRAPH:'B34C:45900:&#x86AF CJK UNIFIED IDEOGRAPH:'B34D:45901:&#x86C9 CJK UNIFIED IDEOGRAPH:'B34E:45902:&#x8853 CJK UNIFIED IDEOGRAPH:'B34F:45903:&#x889E CJK UNIFIED IDEOGRAPH:'B350:45904:&#x8888 CJK UNIFIED IDEOGRAPH:'B351:45905:&#x88AB CJK UNIFIED IDEOGRAPH:'B352:45906:&#x8892 CJK UNIFIED IDEOGRAPH:'B353:45907:&#x8896 CJK UNIFIED IDEOGRAPH:'B354:45908:&#x888D CJK UNIFIED IDEOGRAPH:'B355:45909:&#x888B CJK UNIFIED IDEOGRAPH:'B356:45910:&#x8993 CJK UNIFIED IDEOGRAPH:'B357:45911:&#x898F CJK UNIFIED IDEOGRAPH:'B358:45912:&#x8A2A CJK UNIFIED IDEOGRAPH:'B359:45913:&#x8A1D CJK UNIFIED IDEOGRAPH:'B35A:45914:&#x8A23 CJK UNIFIED IDEOGRAPH:'B35B:45915:&#x8A25 CJK UNIFIED IDEOGRAPH:'B35C:45916:&#x8A31 CJK UNIFIED IDEOGRAPH:'B35D:45917:&#x8A2D CJK UNIFIED IDEOGRAPH:'B35E:45918:&#x8A1F CJK UNIFIED IDEOGRAPH:'B35F:45919:&#x8A1B CJK UNIFIED IDEOGRAPH:'B360:45920:&#x8A22 CJK UNIFIED IDEOGRAPH:'B361:45921:&#x8C49 CJK UNIFIED IDEOGRAPH:'B362:45922:&#x8C5A CJK UNIFIED IDEOGRAPH:'B363:45923:&#x8CA9 CJK UNIFIED IDEOGRAPH:'B364:45924:&#x8CAC CJK UNIFIED IDEOGRAPH:'B365:45925:&#x8CAB CJK UNIFIED IDEOGRAPH:'B366:45926:&#x8CA8 CJK UNIFIED IDEOGRAPH:'B367:45927:&#x8CAA CJK UNIFIED IDEOGRAPH:'B368:45928:&#x8CA7 CJK UNIFIED IDEOGRAPH:'B369:45929:&#x8D67 CJK UNIFIED IDEOGRAPH:'B36A:45930:&#x8D66 CJK UNIFIED IDEOGRAPH:'B36B:45931:&#x8DBE CJK UNIFIED IDEOGRAPH:'B36C:45932:&#x8DBA CJK UNIFIED IDEOGRAPH:'B36D:45933:&#x8EDB CJK UNIFIED IDEOGRAPH:'B36E:45934:&#x8EDF CJK UNIFIED IDEOGRAPH:'B36F:45935:&#x9019 CJK UNIFIED IDEOGRAPH:'B370:45936:&#x900D CJK UNIFIED IDEOGRAPH:'B371:45937:&#x901A CJK UNIFIED IDEOGRAPH:'B372:45938:&#x9017 CJK UNIFIED IDEOGRAPH:'B373:45939:&#x9023 CJK UNIFIED IDEOGRAPH:'B374:45940:&#x901F CJK UNIFIED IDEOGRAPH:'B375:45941:&#x901D CJK UNIFIED IDEOGRAPH:'B376:45942:&#x9010 CJK UNIFIED IDEOGRAPH:'B377:45943:&#x9015 CJK UNIFIED IDEOGRAPH:'B378:45944:&#x901E CJK UNIFIED IDEOGRAPH:'B379:45945:&#x9020 CJK UNIFIED IDEOGRAPH:'B37A:45946:&#x900F CJK UNIFIED IDEOGRAPH:'B37B:45947:&#x9022 CJK UNIFIED IDEOGRAPH:'B37C:45948:&#x9016 CJK UNIFIED IDEOGRAPH:'B37D:45949:&#x901B CJK UNIFIED IDEOGRAPH:'B37E:45950:&#x9014 CJK UNIFIED IDEOGRAPH:'B3A1:45985:&#x90E8 CJK UNIFIED IDEOGRAPH:'B3A2:45986:&#x90ED CJK UNIFIED IDEOGRAPH:'B3A3:45987:&#x90FD CJK UNIFIED IDEOGRAPH:'B3A4:45988:&#x9157 CJK UNIFIED IDEOGRAPH:'B3A5:45989:&#x91CE CJK UNIFIED IDEOGRAPH:'B3A6:45990:&#x91F5 CJK UNIFIED IDEOGRAPH:'B3A7:45991:&#x91E6 CJK UNIFIED IDEOGRAPH:'B3A8:45992:&#x91E3 CJK UNIFIED IDEOGRAPH:'B3A9:45993:&#x91E7 CJK UNIFIED IDEOGRAPH:'B3AA:45994:&#x91ED CJK UNIFIED IDEOGRAPH:'B3AB:45995:&#x91E9 CJK UNIFIED IDEOGRAPH:'B3AC:45996:&#x9589 CJK UNIFIED IDEOGRAPH:'B3AD:45997:&#x966A CJK UNIFIED IDEOGRAPH:'B3AE:45998:&#x9675 CJK UNIFIED IDEOGRAPH:'B3AF:45999:&#x9673 CJK UNIFIED IDEOGRAPH:'B3B0:46000:&#x9678 CJK UNIFIED IDEOGRAPH:'B3B1:46001:&#x9670 CJK UNIFIED IDEOGRAPH:'B3B2:46002:&#x9674 CJK UNIFIED IDEOGRAPH:'B3B3:46003:&#x9676 CJK UNIFIED IDEOGRAPH:'B3B4:46004:&#x9677 CJK UNIFIED IDEOGRAPH:'B3B5:46005:&#x966C CJK UNIFIED IDEOGRAPH:'B3B6:46006:&#x96C0 CJK UNIFIED IDEOGRAPH:'B3B7:46007:&#x96EA CJK UNIFIED IDEOGRAPH:'B3B8:46008:&#x96E9 CJK UNIFIED IDEOGRAPH:'B3B9:46009:&#x7AE0 CJK UNIFIED IDEOGRAPH:'B3BA:46010:&#x7ADF CJK UNIFIED IDEOGRAPH:'B3BB:46011:&#x9802 CJK UNIFIED IDEOGRAPH:'B3BC:46012:&#x9803 CJK UNIFIED IDEOGRAPH:'B3BD:46013:&#x9B5A CJK UNIFIED IDEOGRAPH:'B3BE:46014:&#x9CE5 CJK UNIFIED IDEOGRAPH:'B3BF:46015:&#x9E75 CJK UNIFIED IDEOGRAPH:'B3C0:46016:&#x9E7F CJK UNIFIED IDEOGRAPH:'B3C1:46017:&#x9EA5 CJK UNIFIED IDEOGRAPH:'B3C2:46018:&#x9EBB CJK UNIFIED IDEOGRAPH:'B3C3:46019:&#x50A2 CJK UNIFIED IDEOGRAPH:'B3C4:46020:&#x508D CJK UNIFIED IDEOGRAPH:'B3C5:46021:&#x5085 CJK UNIFIED IDEOGRAPH:'B3C6:46022:&#x5099 CJK UNIFIED IDEOGRAPH:'B3C7:46023:&#x5091 CJK UNIFIED IDEOGRAPH:'B3C8:46024:&#x5080 CJK UNIFIED IDEOGRAPH:'B3C9:46025:&#x5096 CJK UNIFIED IDEOGRAPH:'B3CA:46026:&#x5098 CJK UNIFIED IDEOGRAPH:'B3CB:46027:&#x509A CJK UNIFIED IDEOGRAPH:'B3CC:46028:&#x6700 CJK UNIFIED IDEOGRAPH:'B3CD:46029:&#x51F1 CJK UNIFIED IDEOGRAPH:'B3CE:46030:&#x5272 CJK UNIFIED IDEOGRAPH:'B3CF:46031:&#x5274 CJK UNIFIED IDEOGRAPH:'B3D0:46032:&#x5275 CJK UNIFIED IDEOGRAPH:'B3D1:46033:&#x5269 CJK UNIFIED IDEOGRAPH:'B3D2:46034:&#x52DE CJK UNIFIED IDEOGRAPH:'B3D3:46035:&#x52DD CJK UNIFIED IDEOGRAPH:'B3D4:46036:&#x52DB CJK UNIFIED IDEOGRAPH:'B3D5:46037:&#x535A CJK UNIFIED IDEOGRAPH:'B3D6:46038:&#x53A5 CJK UNIFIED IDEOGRAPH:'B3D7:46039:&#x557B CJK UNIFIED IDEOGRAPH:'B3D8:46040:&#x5580 CJK UNIFIED IDEOGRAPH:'B3D9:46041:&#x55A7 CJK UNIFIED IDEOGRAPH:'B3DA:46042:&#x557C CJK UNIFIED IDEOGRAPH:'B3DB:46043:&#x558A CJK UNIFIED IDEOGRAPH:'B3DC:46044:&#x559D CJK UNIFIED IDEOGRAPH:'B3DD:46045:&#x5598 CJK UNIFIED IDEOGRAPH:'B3DE:46046:&#x5582 CJK UNIFIED IDEOGRAPH:'B3DF:46047:&#x559C CJK UNIFIED IDEOGRAPH:'B3E0:46048:&#x55AA CJK UNIFIED IDEOGRAPH:'B3E1:46049:&#x5594 CJK UNIFIED IDEOGRAPH:'B3E2:46050:&#x5587 CJK UNIFIED IDEOGRAPH:'B3E3:46051:&#x558B CJK UNIFIED IDEOGRAPH:'B3E4:46052:&#x5583 CJK UNIFIED IDEOGRAPH:'B3E5:46053:&#x55B3 CJK UNIFIED IDEOGRAPH:'B3E6:46054:&#x55AE CJK UNIFIED IDEOGRAPH:'B3E7:46055:&#x559F CJK UNIFIED IDEOGRAPH:'B3E8:46056:&#x553E CJK UNIFIED IDEOGRAPH:'B3E9:46057:&#x55B2 CJK UNIFIED IDEOGRAPH:'B3EA:46058:&#x559A CJK UNIFIED IDEOGRAPH:'B3EB:46059:&#x55BB CJK UNIFIED IDEOGRAPH:'B3EC:46060:&#x55AC CJK UNIFIED IDEOGRAPH:'B3ED:46061:&#x55B1 CJK UNIFIED IDEOGRAPH:'B3EE:46062:&#x557E CJK UNIFIED IDEOGRAPH:'B3EF:46063:&#x5589 CJK UNIFIED IDEOGRAPH:'B3F0:46064:&#x55AB CJK UNIFIED IDEOGRAPH:'B3F1:46065:&#x5599 CJK UNIFIED IDEOGRAPH:'B3F2:46066:&#x570D CJK UNIFIED IDEOGRAPH:'B3F3:46067:&#x582F CJK UNIFIED IDEOGRAPH:'B3F4:46068:&#x582A CJK UNIFIED IDEOGRAPH:'B3F5:46069:&#x5834 CJK UNIFIED IDEOGRAPH:'B3F6:46070:&#x5824 CJK UNIFIED IDEOGRAPH:'B3F7:46071:&#x5830 CJK UNIFIED IDEOGRAPH:'B3F8:46072:&#x5831 CJK UNIFIED IDEOGRAPH:'B3F9:46073:&#x5821 CJK UNIFIED IDEOGRAPH:'B3FA:46074:&#x581D CJK UNIFIED IDEOGRAPH:'B3FB:46075:&#x5820 CJK UNIFIED IDEOGRAPH:'B3FC:46076:&#x58F9 CJK UNIFIED IDEOGRAPH:'B3FD:46077:&#x58FA CJK UNIFIED IDEOGRAPH:'B3FE:46078:&#x5960 CJK UNIFIED IDEOGRAPH:'B440:46144:&#x5A77 CJK UNIFIED IDEOGRAPH:'B441:46145:&#x5A9A CJK UNIFIED IDEOGRAPH:'B442:46146:&#x5A7F CJK UNIFIED IDEOGRAPH:'B443:46147:&#x5A92 CJK UNIFIED IDEOGRAPH:'B444:46148:&#x5A9B CJK UNIFIED IDEOGRAPH:'B445:46149:&#x5AA7 CJK UNIFIED IDEOGRAPH:'B446:46150:&#x5B73 CJK UNIFIED IDEOGRAPH:'B447:46151:&#x5B71 CJK UNIFIED IDEOGRAPH:'B448:46152:&#x5BD2 CJK UNIFIED IDEOGRAPH:'B449:46153:&#x5BCC CJK UNIFIED IDEOGRAPH:'B44A:46154:&#x5BD3 CJK UNIFIED IDEOGRAPH:'B44B:46155:&#x5BD0 CJK UNIFIED IDEOGRAPH:'B44C:46156:&#x5C0A CJK UNIFIED IDEOGRAPH:'B44D:46157:&#x5C0B CJK UNIFIED IDEOGRAPH:'B44E:46158:&#x5C31 CJK UNIFIED IDEOGRAPH:'B44F:46159:&#x5D4C CJK UNIFIED IDEOGRAPH:'B450:46160:&#x5D50 CJK UNIFIED IDEOGRAPH:'B451:46161:&#x5D34 CJK UNIFIED IDEOGRAPH:'B452:46162:&#x5D47 CJK UNIFIED IDEOGRAPH:'B453:46163:&#x5DFD CJK UNIFIED IDEOGRAPH:'B454:46164:&#x5E45 CJK UNIFIED IDEOGRAPH:'B455:46165:&#x5E3D CJK UNIFIED IDEOGRAPH:'B456:46166:&#x5E40 CJK UNIFIED IDEOGRAPH:'B457:46167:&#x5E43 CJK UNIFIED IDEOGRAPH:'B458:46168:&#x5E7E CJK UNIFIED IDEOGRAPH:'B459:46169:&#x5ECA CJK UNIFIED IDEOGRAPH:'B45A:46170:&#x5EC1 CJK UNIFIED IDEOGRAPH:'B45B:46171:&#x5EC2 CJK UNIFIED IDEOGRAPH:'B45C:46172:&#x5EC4 CJK UNIFIED IDEOGRAPH:'B45D:46173:&#x5F3C CJK UNIFIED IDEOGRAPH:'B45E:46174:&#x5F6D CJK UNIFIED IDEOGRAPH:'B45F:46175:&#x5FA9 CJK UNIFIED IDEOGRAPH:'B460:46176:&#x5FAA CJK UNIFIED IDEOGRAPH:'B461:46177:&#x5FA8 CJK UNIFIED IDEOGRAPH:'B462:46178:&#x60D1 CJK UNIFIED IDEOGRAPH:'B463:46179:&#x60E1 CJK UNIFIED IDEOGRAPH:'B464:46180:&#x60B2 CJK UNIFIED IDEOGRAPH:'B465:46181:&#x60B6 CJK UNIFIED IDEOGRAPH:'B466:46182:&#x60E0 CJK UNIFIED IDEOGRAPH:'B467:46183:&#x611C CJK UNIFIED IDEOGRAPH:'B468:46184:&#x6123 CJK UNIFIED IDEOGRAPH:'B469:46185:&#x60FA CJK UNIFIED IDEOGRAPH:'B46A:46186:&#x6115 CJK UNIFIED IDEOGRAPH:'B46B:46187:&#x60F0 CJK UNIFIED IDEOGRAPH:'B46C:46188:&#x60FB CJK UNIFIED IDEOGRAPH:'B46D:46189:&#x60F4 CJK UNIFIED IDEOGRAPH:'B46E:46190:&#x6168 CJK UNIFIED IDEOGRAPH:'B46F:46191:&#x60F1 CJK UNIFIED IDEOGRAPH:'B470:46192:&#x610E CJK UNIFIED IDEOGRAPH:'B471:46193:&#x60F6 CJK UNIFIED IDEOGRAPH:'B472:46194:&#x6109 CJK UNIFIED IDEOGRAPH:'B473:46195:&#x6100 CJK UNIFIED IDEOGRAPH:'B474:46196:&#x6112 CJK UNIFIED IDEOGRAPH:'B475:46197:&#x621F CJK UNIFIED IDEOGRAPH:'B476:46198:&#x6249 CJK UNIFIED IDEOGRAPH:'B477:46199:&#x63A3 CJK UNIFIED IDEOGRAPH:'B478:46200:&#x638C CJK UNIFIED IDEOGRAPH:'B479:46201:&#x63CF CJK UNIFIED IDEOGRAPH:'B47A:46202:&#x63C0 CJK UNIFIED IDEOGRAPH:'B47B:46203:&#x63E9 CJK UNIFIED IDEOGRAPH:'B47C:46204:&#x63C9 CJK UNIFIED IDEOGRAPH:'B47D:46205:&#x63C6 CJK UNIFIED IDEOGRAPH:'B47E:46206:&#x63CD CJK UNIFIED IDEOGRAPH:'B4A1:46241:&#x63D2 CJK UNIFIED IDEOGRAPH:'B4A2:46242:&#x63E3 CJK UNIFIED IDEOGRAPH:'B4A3:46243:&#x63D0 CJK UNIFIED IDEOGRAPH:'B4A4:46244:&#x63E1 CJK UNIFIED IDEOGRAPH:'B4A5:46245:&#x63D6 CJK UNIFIED IDEOGRAPH:'B4A6:46246:&#x63ED CJK UNIFIED IDEOGRAPH:'B4A7:46247:&#x63EE CJK UNIFIED IDEOGRAPH:'B4A8:46248:&#x6376 CJK UNIFIED IDEOGRAPH:'B4A9:46249:&#x63F4 CJK UNIFIED IDEOGRAPH:'B4AA:46250:&#x63EA CJK UNIFIED IDEOGRAPH:'B4AB:46251:&#x63DB CJK UNIFIED IDEOGRAPH:'B4AC:46252:&#x6452 CJK UNIFIED IDEOGRAPH:'B4AD:46253:&#x63DA CJK UNIFIED IDEOGRAPH:'B4AE:46254:&#x63F9 CJK UNIFIED IDEOGRAPH:'B4AF:46255:&#x655E CJK UNIFIED IDEOGRAPH:'B4B0:46256:&#x6566 CJK UNIFIED IDEOGRAPH:'B4B1:46257:&#x6562 CJK UNIFIED IDEOGRAPH:'B4B2:46258:&#x6563 CJK UNIFIED IDEOGRAPH:'B4B3:46259:&#x6591 CJK UNIFIED IDEOGRAPH:'B4B4:46260:&#x6590 CJK UNIFIED IDEOGRAPH:'B4B5:46261:&#x65AF CJK UNIFIED IDEOGRAPH:'B4B6:46262:&#x666E CJK UNIFIED IDEOGRAPH:'B4B7:46263:&#x6670 CJK UNIFIED IDEOGRAPH:'B4B8:46264:&#x6674 CJK UNIFIED IDEOGRAPH:'B4B9:46265:&#x6676 CJK UNIFIED IDEOGRAPH:'B4BA:46266:&#x666F CJK UNIFIED IDEOGRAPH:'B4BB:46267:&#x6691 CJK UNIFIED IDEOGRAPH:'B4BC:46268:&#x667A CJK UNIFIED IDEOGRAPH:'B4BD:46269:&#x667E CJK UNIFIED IDEOGRAPH:'B4BE:46270:&#x6677 CJK UNIFIED IDEOGRAPH:'B4BF:46271:&#x66FE CJK UNIFIED IDEOGRAPH:'B4C0:46272:&#x66FF CJK UNIFIED IDEOGRAPH:'B4C1:46273:&#x671F CJK UNIFIED IDEOGRAPH:'B4C2:46274:&#x671D CJK UNIFIED IDEOGRAPH:'B4C3:46275:&#x68FA CJK UNIFIED IDEOGRAPH:'B4C4:46276:&#x68D5 CJK UNIFIED IDEOGRAPH:'B4C5:46277:&#x68E0 CJK UNIFIED IDEOGRAPH:'B4C6:46278:&#x68D8 CJK UNIFIED IDEOGRAPH:'B4C7:46279:&#x68D7 CJK UNIFIED IDEOGRAPH:'B4C8:46280:&#x6905 CJK UNIFIED IDEOGRAPH:'B4C9:46281:&#x68DF CJK UNIFIED IDEOGRAPH:'B4CA:46282:&#x68F5 CJK UNIFIED IDEOGRAPH:'B4CB:46283:&#x68EE CJK UNIFIED IDEOGRAPH:'B4CC:46284:&#x68E7 CJK UNIFIED IDEOGRAPH:'B4CD:46285:&#x68F9 CJK UNIFIED IDEOGRAPH:'B4CE:46286:&#x68D2 CJK UNIFIED IDEOGRAPH:'B4CF:46287:&#x68F2 CJK UNIFIED IDEOGRAPH:'B4D0:46288:&#x68E3 CJK UNIFIED IDEOGRAPH:'B4D1:46289:&#x68CB CJK UNIFIED IDEOGRAPH:'B4D2:46290:&#x68CD CJK UNIFIED IDEOGRAPH:'B4D3:46291:&#x690D CJK UNIFIED IDEOGRAPH:'B4D4:46292:&#x6912 CJK UNIFIED IDEOGRAPH:'B4D5:46293:&#x690E CJK UNIFIED IDEOGRAPH:'B4D6:46294:&#x68C9 CJK UNIFIED IDEOGRAPH:'B4D7:46295:&#x68DA CJK UNIFIED IDEOGRAPH:'B4D8:46296:&#x696E CJK UNIFIED IDEOGRAPH:'B4D9:46297:&#x68FB CJK UNIFIED IDEOGRAPH:'B4DA:46298:&#x6B3E CJK UNIFIED IDEOGRAPH:'B4DB:46299:&#x6B3A CJK UNIFIED IDEOGRAPH:'B4DC:46300:&#x6B3D CJK UNIFIED IDEOGRAPH:'B4DD:46301:&#x6B98 CJK UNIFIED IDEOGRAPH:'B4DE:46302:&#x6B96 CJK UNIFIED IDEOGRAPH:'B4DF:46303:&#x6BBC CJK UNIFIED IDEOGRAPH:'B4E0:46304:&#x6BEF CJK UNIFIED IDEOGRAPH:'B4E1:46305:&#x6C2E CJK UNIFIED IDEOGRAPH:'B4E2:46306:&#x6C2F CJK UNIFIED IDEOGRAPH:'B4E3:46307:&#x6C2C CJK UNIFIED IDEOGRAPH:'B4E4:46308:&#x6E2F CJK UNIFIED IDEOGRAPH:'B4E5:46309:&#x6E38 CJK UNIFIED IDEOGRAPH:'B4E6:46310:&#x6E54 CJK UNIFIED IDEOGRAPH:'B4E7:46311:&#x6E21 CJK UNIFIED IDEOGRAPH:'B4E8:46312:&#x6E32 CJK UNIFIED IDEOGRAPH:'B4E9:46313:&#x6E67 CJK UNIFIED IDEOGRAPH:'B4EA:46314:&#x6E4A CJK UNIFIED IDEOGRAPH:'B4EB:46315:&#x6E20 CJK UNIFIED IDEOGRAPH:'B4EC:46316:&#x6E25 CJK UNIFIED IDEOGRAPH:'B4ED:46317:&#x6E23 CJK UNIFIED IDEOGRAPH:'B4EE:46318:&#x6E1B CJK UNIFIED IDEOGRAPH:'B4EF:46319:&#x6E5B CJK UNIFIED IDEOGRAPH:'B4F0:46320:&#x6E58 CJK UNIFIED IDEOGRAPH:'B4F1:46321:&#x6E24 CJK UNIFIED IDEOGRAPH:'B4F2:46322:&#x6E56 CJK UNIFIED IDEOGRAPH:'B4F3:46323:&#x6E6E CJK UNIFIED IDEOGRAPH:'B4F4:46324:&#x6E2D CJK UNIFIED IDEOGRAPH:'B4F5:46325:&#x6E26 CJK UNIFIED IDEOGRAPH:'B4F6:46326:&#x6E6F CJK UNIFIED IDEOGRAPH:'B4F7:46327:&#x6E34 CJK UNIFIED IDEOGRAPH:'B4F8:46328:&#x6E4D CJK UNIFIED IDEOGRAPH:'B4F9:46329:&#x6E3A CJK UNIFIED IDEOGRAPH:'B4FA:46330:&#x6E2C CJK UNIFIED IDEOGRAPH:'B4FB:46331:&#x6E43 CJK UNIFIED IDEOGRAPH:'B4FC:46332:&#x6E1D CJK UNIFIED IDEOGRAPH:'B4FD:46333:&#x6E3E CJK UNIFIED IDEOGRAPH:'B4FE:46334:&#x6ECB CJK UNIFIED IDEOGRAPH:'B540:46400:&#x6E89 CJK UNIFIED IDEOGRAPH:'B541:46401:&#x6E19 CJK UNIFIED IDEOGRAPH:'B542:46402:&#x6E4E CJK UNIFIED IDEOGRAPH:'B543:46403:&#x6E63 CJK UNIFIED IDEOGRAPH:'B544:46404:&#x6E44 CJK UNIFIED IDEOGRAPH:'B545:46405:&#x6E72 CJK UNIFIED IDEOGRAPH:'B546:46406:&#x6E69 CJK UNIFIED IDEOGRAPH:'B547:46407:&#x6E5F CJK UNIFIED IDEOGRAPH:'B548:46408:&#x7119 CJK UNIFIED IDEOGRAPH:'B549:46409:&#x711A CJK UNIFIED IDEOGRAPH:'B54A:46410:&#x7126 CJK UNIFIED IDEOGRAPH:'B54B:46411:&#x7130 CJK UNIFIED IDEOGRAPH:'B54C:46412:&#x7121 CJK UNIFIED IDEOGRAPH:'B54D:46413:&#x7136 CJK UNIFIED IDEOGRAPH:'B54E:46414:&#x716E CJK UNIFIED IDEOGRAPH:'B54F:46415:&#x711C CJK UNIFIED IDEOGRAPH:'B550:46416:&#x724C CJK UNIFIED IDEOGRAPH:'B551:46417:&#x7284 CJK UNIFIED IDEOGRAPH:'B552:46418:&#x7280 CJK UNIFIED IDEOGRAPH:'B553:46419:&#x7336 CJK UNIFIED IDEOGRAPH:'B554:46420:&#x7325 CJK UNIFIED IDEOGRAPH:'B555:46421:&#x7334 CJK UNIFIED IDEOGRAPH:'B556:46422:&#x7329 CJK UNIFIED IDEOGRAPH:'B557:46423:&#x743A CJK UNIFIED IDEOGRAPH:'B558:46424:&#x742A CJK UNIFIED IDEOGRAPH:'B559:46425:&#x7433 CJK UNIFIED IDEOGRAPH:'B55A:46426:&#x7422 CJK UNIFIED IDEOGRAPH:'B55B:46427:&#x7425 CJK UNIFIED IDEOGRAPH:'B55C:46428:&#x7435 CJK UNIFIED IDEOGRAPH:'B55D:46429:&#x7436 CJK UNIFIED IDEOGRAPH:'B55E:46430:&#x7434 CJK UNIFIED IDEOGRAPH:'B55F:46431:&#x742F CJK UNIFIED IDEOGRAPH:'B560:46432:&#x741B CJK UNIFIED IDEOGRAPH:'B561:46433:&#x7426 CJK UNIFIED IDEOGRAPH:'B562:46434:&#x7428 CJK UNIFIED IDEOGRAPH:'B563:46435:&#x7525 CJK UNIFIED IDEOGRAPH:'B564:46436:&#x7526 CJK UNIFIED IDEOGRAPH:'B565:46437:&#x756B CJK UNIFIED IDEOGRAPH:'B566:46438:&#x756A CJK UNIFIED IDEOGRAPH:'B567:46439:&#x75E2 CJK UNIFIED IDEOGRAPH:'B568:46440:&#x75DB CJK UNIFIED IDEOGRAPH:'B569:46441:&#x75E3 CJK UNIFIED IDEOGRAPH:'B56A:46442:&#x75D9 CJK UNIFIED IDEOGRAPH:'B56B:46443:&#x75D8 CJK UNIFIED IDEOGRAPH:'B56C:46444:&#x75DE CJK UNIFIED IDEOGRAPH:'B56D:46445:&#x75E0 CJK UNIFIED IDEOGRAPH:'B56E:46446:&#x767B CJK UNIFIED IDEOGRAPH:'B56F:46447:&#x767C CJK UNIFIED IDEOGRAPH:'B570:46448:&#x7696 CJK UNIFIED IDEOGRAPH:'B571:46449:&#x7693 CJK UNIFIED IDEOGRAPH:'B572:46450:&#x76B4 CJK UNIFIED IDEOGRAPH:'B573:46451:&#x76DC CJK UNIFIED IDEOGRAPH:'B574:46452:&#x774F CJK UNIFIED IDEOGRAPH:'B575:46453:&#x77ED CJK UNIFIED IDEOGRAPH:'B576:46454:&#x785D CJK UNIFIED IDEOGRAPH:'B577:46455:&#x786C CJK UNIFIED IDEOGRAPH:'B578:46456:&#x786F CJK UNIFIED IDEOGRAPH:'B579:46457:&#x7A0D CJK UNIFIED IDEOGRAPH:'B57A:46458:&#x7A08 CJK UNIFIED IDEOGRAPH:'B57B:46459:&#x7A0B CJK UNIFIED IDEOGRAPH:'B57C:46460:&#x7A05 CJK UNIFIED IDEOGRAPH:'B57D:46461:&#x7A00 CJK UNIFIED IDEOGRAPH:'B57E:46462:&#x7A98 CJK UNIFIED IDEOGRAPH:'B5A1:46497:&#x7A97 CJK UNIFIED IDEOGRAPH:'B5A2:46498:&#x7A96 CJK UNIFIED IDEOGRAPH:'B5A3:46499:&#x7AE5 CJK UNIFIED IDEOGRAPH:'B5A4:46500:&#x7AE3 CJK UNIFIED IDEOGRAPH:'B5A5:46501:&#x7B49 CJK UNIFIED IDEOGRAPH:'B5A6:46502:&#x7B56 CJK UNIFIED IDEOGRAPH:'B5A7:46503:&#x7B46 CJK UNIFIED IDEOGRAPH:'B5A8:46504:&#x7B50 CJK UNIFIED IDEOGRAPH:'B5A9:46505:&#x7B52 CJK UNIFIED IDEOGRAPH:'B5AA:46506:&#x7B54 CJK UNIFIED IDEOGRAPH:'B5AB:46507:&#x7B4D CJK UNIFIED IDEOGRAPH:'B5AC:46508:&#x7B4B CJK UNIFIED IDEOGRAPH:'B5AD:46509:&#x7B4F CJK UNIFIED IDEOGRAPH:'B5AE:46510:&#x7B51 CJK UNIFIED IDEOGRAPH:'B5AF:46511:&#x7C9F CJK UNIFIED IDEOGRAPH:'B5B0:46512:&#x7CA5 CJK UNIFIED IDEOGRAPH:'B5B1:46513:&#x7D5E CJK UNIFIED IDEOGRAPH:'B5B2:46514:&#x7D50 CJK UNIFIED IDEOGRAPH:'B5B3:46515:&#x7D68 CJK UNIFIED IDEOGRAPH:'B5B4:46516:&#x7D55 CJK UNIFIED IDEOGRAPH:'B5B5:46517:&#x7D2B CJK UNIFIED IDEOGRAPH:'B5B6:46518:&#x7D6E CJK UNIFIED IDEOGRAPH:'B5B7:46519:&#x7D72 CJK UNIFIED IDEOGRAPH:'B5B8:46520:&#x7D61 CJK UNIFIED IDEOGRAPH:'B5B9:46521:&#x7D66 CJK UNIFIED IDEOGRAPH:'B5BA:46522:&#x7D62 CJK UNIFIED IDEOGRAPH:'B5BB:46523:&#x7D70 CJK UNIFIED IDEOGRAPH:'B5BC:46524:&#x7D73 CJK UNIFIED IDEOGRAPH:'B5BD:46525:&#x5584 CJK UNIFIED IDEOGRAPH:'B5BE:46526:&#x7FD4 CJK UNIFIED IDEOGRAPH:'B5BF:46527:&#x7FD5 CJK UNIFIED IDEOGRAPH:'B5C0:46528:&#x800B CJK UNIFIED IDEOGRAPH:'B5C1:46529:&#x8052 CJK UNIFIED IDEOGRAPH:'B5C2:46530:&#x8085 CJK UNIFIED IDEOGRAPH:'B5C3:46531:&#x8155 CJK UNIFIED IDEOGRAPH:'B5C4:46532:&#x8154 CJK UNIFIED IDEOGRAPH:'B5C5:46533:&#x814B CJK UNIFIED IDEOGRAPH:'B5C6:46534:&#x8151 CJK UNIFIED IDEOGRAPH:'B5C7:46535:&#x814E CJK UNIFIED IDEOGRAPH:'B5C8:46536:&#x8139 CJK UNIFIED IDEOGRAPH:'B5C9:46537:&#x8146 CJK UNIFIED IDEOGRAPH:'B5CA:46538:&#x813E CJK UNIFIED IDEOGRAPH:'B5CB:46539:&#x814C CJK UNIFIED IDEOGRAPH:'B5CC:46540:&#x8153 CJK UNIFIED IDEOGRAPH:'B5CD:46541:&#x8174 CJK UNIFIED IDEOGRAPH:'B5CE:46542:&#x8212 CJK UNIFIED IDEOGRAPH:'B5CF:46543:&#x821C CJK UNIFIED IDEOGRAPH:'B5D0:46544:&#x83E9 CJK UNIFIED IDEOGRAPH:'B5D1:46545:&#x8403 CJK UNIFIED IDEOGRAPH:'B5D2:46546:&#x83F8 CJK UNIFIED IDEOGRAPH:'B5D3:46547:&#x840D CJK UNIFIED IDEOGRAPH:'B5D4:46548:&#x83E0 CJK UNIFIED IDEOGRAPH:'B5D5:46549:&#x83C5 CJK UNIFIED IDEOGRAPH:'B5D6:46550:&#x840B CJK UNIFIED IDEOGRAPH:'B5D7:46551:&#x83C1 CJK UNIFIED IDEOGRAPH:'B5D8:46552:&#x83EF CJK UNIFIED IDEOGRAPH:'B5D9:46553:&#x83F1 CJK UNIFIED IDEOGRAPH:'B5DA:46554:&#x83F4 CJK UNIFIED IDEOGRAPH:'B5DB:46555:&#x8457 CJK UNIFIED IDEOGRAPH:'B5DC:46556:&#x840A CJK UNIFIED IDEOGRAPH:'B5DD:46557:&#x83F0 CJK UNIFIED IDEOGRAPH:'B5DE:46558:&#x840C CJK UNIFIED IDEOGRAPH:'B5DF:46559:&#x83CC CJK UNIFIED IDEOGRAPH:'B5E0:46560:&#x83FD CJK UNIFIED IDEOGRAPH:'B5E1:46561:&#x83F2 CJK UNIFIED IDEOGRAPH:'B5E2:46562:&#x83CA CJK UNIFIED IDEOGRAPH:'B5E3:46563:&#x8438 CJK UNIFIED IDEOGRAPH:'B5E4:46564:&#x840E CJK UNIFIED IDEOGRAPH:'B5E5:46565:&#x8404 CJK UNIFIED IDEOGRAPH:'B5E6:46566:&#x83DC CJK UNIFIED IDEOGRAPH:'B5E7:46567:&#x8407 CJK UNIFIED IDEOGRAPH:'B5E8:46568:&#x83D4 CJK UNIFIED IDEOGRAPH:'B5E9:46569:&#x83DF CJK UNIFIED IDEOGRAPH:'B5EA:46570:&#x865B CJK UNIFIED IDEOGRAPH:'B5EB:46571:&#x86DF CJK UNIFIED IDEOGRAPH:'B5EC:46572:&#x86D9 CJK UNIFIED IDEOGRAPH:'B5ED:46573:&#x86ED CJK UNIFIED IDEOGRAPH:'B5EE:46574:&#x86D4 CJK UNIFIED IDEOGRAPH:'B5EF:46575:&#x86DB CJK UNIFIED IDEOGRAPH:'B5F0:46576:&#x86E4 CJK UNIFIED IDEOGRAPH:'B5F1:46577:&#x86D0 CJK UNIFIED IDEOGRAPH:'B5F2:46578:&#x86DE CJK UNIFIED IDEOGRAPH:'B5F3:46579:&#x8857 CJK UNIFIED IDEOGRAPH:'B5F4:46580:&#x88C1 CJK UNIFIED IDEOGRAPH:'B5F5:46581:&#x88C2 CJK UNIFIED IDEOGRAPH:'B5F6:46582:&#x88B1 CJK UNIFIED IDEOGRAPH:'B5F7:46583:&#x8983 CJK UNIFIED IDEOGRAPH:'B5F8:46584:&#x8996 CJK UNIFIED IDEOGRAPH:'B5F9:46585:&#x8A3B CJK UNIFIED IDEOGRAPH:'B5FA:46586:&#x8A60 CJK UNIFIED IDEOGRAPH:'B5FB:46587:&#x8A55 CJK UNIFIED IDEOGRAPH:'B5FC:46588:&#x8A5E CJK UNIFIED IDEOGRAPH:'B5FD:46589:&#x8A3C CJK UNIFIED IDEOGRAPH:'B5FE:46590:&#x8A41 CJK UNIFIED IDEOGRAPH:'B640:46656:&#x8A54 CJK UNIFIED IDEOGRAPH:'B641:46657:&#x8A5B CJK UNIFIED IDEOGRAPH:'B642:46658:&#x8A50 CJK UNIFIED IDEOGRAPH:'B643:46659:&#x8A46 CJK UNIFIED IDEOGRAPH:'B644:46660:&#x8A34 CJK UNIFIED IDEOGRAPH:'B645:46661:&#x8A3A CJK UNIFIED IDEOGRAPH:'B646:46662:&#x8A36 CJK UNIFIED IDEOGRAPH:'B647:46663:&#x8A56 CJK UNIFIED IDEOGRAPH:'B648:46664:&#x8C61 CJK UNIFIED IDEOGRAPH:'B649:46665:&#x8C82 CJK UNIFIED IDEOGRAPH:'B64A:46666:&#x8CAF CJK UNIFIED IDEOGRAPH:'B64B:46667:&#x8CBC CJK UNIFIED IDEOGRAPH:'B64C:46668:&#x8CB3 CJK UNIFIED IDEOGRAPH:'B64D:46669:&#x8CBD CJK UNIFIED IDEOGRAPH:'B64E:46670:&#x8CC1 CJK UNIFIED IDEOGRAPH:'B64F:46671:&#x8CBB CJK UNIFIED IDEOGRAPH:'B650:46672:&#x8CC0 CJK UNIFIED IDEOGRAPH:'B651:46673:&#x8CB4 CJK UNIFIED IDEOGRAPH:'B652:46674:&#x8CB7 CJK UNIFIED IDEOGRAPH:'B653:46675:&#x8CB6 CJK UNIFIED IDEOGRAPH:'B654:46676:&#x8CBF CJK UNIFIED IDEOGRAPH:'B655:46677:&#x8CB8 CJK UNIFIED IDEOGRAPH:'B656:46678:&#x8D8A CJK UNIFIED IDEOGRAPH:'B657:46679:&#x8D85 CJK UNIFIED IDEOGRAPH:'B658:46680:&#x8D81 CJK UNIFIED IDEOGRAPH:'B659:46681:&#x8DCE CJK UNIFIED IDEOGRAPH:'B65A:46682:&#x8DDD CJK UNIFIED IDEOGRAPH:'B65B:46683:&#x8DCB CJK UNIFIED IDEOGRAPH:'B65C:46684:&#x8DDA CJK UNIFIED IDEOGRAPH:'B65D:46685:&#x8DD1 CJK UNIFIED IDEOGRAPH:'B65E:46686:&#x8DCC CJK UNIFIED IDEOGRAPH:'B65F:46687:&#x8DDB CJK UNIFIED IDEOGRAPH:'B660:46688:&#x8DC6 CJK UNIFIED IDEOGRAPH:'B661:46689:&#x8EFB CJK UNIFIED IDEOGRAPH:'B662:46690:&#x8EF8 CJK UNIFIED IDEOGRAPH:'B663:46691:&#x8EFC CJK UNIFIED IDEOGRAPH:'B664:46692:&#x8F9C CJK UNIFIED IDEOGRAPH:'B665:46693:&#x902E CJK UNIFIED IDEOGRAPH:'B666:46694:&#x9035 CJK UNIFIED IDEOGRAPH:'B667:46695:&#x9031 CJK UNIFIED IDEOGRAPH:'B668:46696:&#x9038 CJK UNIFIED IDEOGRAPH:'B669:46697:&#x9032 CJK UNIFIED IDEOGRAPH:'B66A:46698:&#x9036 CJK UNIFIED IDEOGRAPH:'B66B:46699:&#x9102 CJK UNIFIED IDEOGRAPH:'B66C:46700:&#x90F5 CJK UNIFIED IDEOGRAPH:'B66D:46701:&#x9109 CJK UNIFIED IDEOGRAPH:'B66E:46702:&#x90FE CJK UNIFIED IDEOGRAPH:'B66F:46703:&#x9163 CJK UNIFIED IDEOGRAPH:'B670:46704:&#x9165 CJK UNIFIED IDEOGRAPH:'B671:46705:&#x91CF CJK UNIFIED IDEOGRAPH:'B672:46706:&#x9214 CJK UNIFIED IDEOGRAPH:'B673:46707:&#x9215 CJK UNIFIED IDEOGRAPH:'B674:46708:&#x9223 CJK UNIFIED IDEOGRAPH:'B675:46709:&#x9209 CJK UNIFIED IDEOGRAPH:'B676:46710:&#x921E CJK UNIFIED IDEOGRAPH:'B677:46711:&#x920D CJK UNIFIED IDEOGRAPH:'B678:46712:&#x9210 CJK UNIFIED IDEOGRAPH:'B679:46713:&#x9207 CJK UNIFIED IDEOGRAPH:'B67A:46714:&#x9211 CJK UNIFIED IDEOGRAPH:'B67B:46715:&#x9594 CJK UNIFIED IDEOGRAPH:'B67C:46716:&#x958F CJK UNIFIED IDEOGRAPH:'B67D:46717:&#x958B CJK UNIFIED IDEOGRAPH:'B67E:46718:&#x9591 CJK UNIFIED IDEOGRAPH:'B6A1:46753:&#x9593 CJK UNIFIED IDEOGRAPH:'B6A2:46754:&#x9592 CJK UNIFIED IDEOGRAPH:'B6A3:46755:&#x958E CJK UNIFIED IDEOGRAPH:'B6A4:46756:&#x968A CJK UNIFIED IDEOGRAPH:'B6A5:46757:&#x968E CJK UNIFIED IDEOGRAPH:'B6A6:46758:&#x968B CJK UNIFIED IDEOGRAPH:'B6A7:46759:&#x967D CJK UNIFIED IDEOGRAPH:'B6A8:46760:&#x9685 CJK UNIFIED IDEOGRAPH:'B6A9:46761:&#x9686 CJK UNIFIED IDEOGRAPH:'B6AA:46762:&#x968D CJK UNIFIED IDEOGRAPH:'B6AB:46763:&#x9672 CJK UNIFIED IDEOGRAPH:'B6AC:46764:&#x9684 CJK UNIFIED IDEOGRAPH:'B6AD:46765:&#x96C1 CJK UNIFIED IDEOGRAPH:'B6AE:46766:&#x96C5 CJK UNIFIED IDEOGRAPH:'B6AF:46767:&#x96C4 CJK UNIFIED IDEOGRAPH:'B6B0:46768:&#x96C6 CJK UNIFIED IDEOGRAPH:'B6B1:46769:&#x96C7 CJK UNIFIED IDEOGRAPH:'B6B2:46770:&#x96EF CJK UNIFIED IDEOGRAPH:'B6B3:46771:&#x96F2 CJK UNIFIED IDEOGRAPH:'B6B4:46772:&#x97CC CJK UNIFIED IDEOGRAPH:'B6B5:46773:&#x9805 CJK UNIFIED IDEOGRAPH:'B6B6:46774:&#x9806 CJK UNIFIED IDEOGRAPH:'B6B7:46775:&#x9808 CJK UNIFIED IDEOGRAPH:'B6B8:46776:&#x98E7 CJK UNIFIED IDEOGRAPH:'B6B9:46777:&#x98EA CJK UNIFIED IDEOGRAPH:'B6BA:46778:&#x98EF CJK UNIFIED IDEOGRAPH:'B6BB:46779:&#x98E9 CJK UNIFIED IDEOGRAPH:'B6BC:46780:&#x98F2 CJK UNIFIED IDEOGRAPH:'B6BD:46781:&#x98ED CJK UNIFIED IDEOGRAPH:'B6BE:46782:&#x99AE CJK UNIFIED IDEOGRAPH:'B6BF:46783:&#x99AD CJK UNIFIED IDEOGRAPH:'B6C0:46784:&#x9EC3 CJK UNIFIED IDEOGRAPH:'B6C1:46785:&#x9ECD CJK UNIFIED IDEOGRAPH:'B6C2:46786:&#x9ED1 CJK UNIFIED IDEOGRAPH:'B6C3:46787:&#x4E82 CJK UNIFIED IDEOGRAPH:'B6C4:46788:&#x50AD CJK UNIFIED IDEOGRAPH:'B6C5:46789:&#x50B5 CJK UNIFIED IDEOGRAPH:'B6C6:46790:&#x50B2 CJK UNIFIED IDEOGRAPH:'B6C7:46791:&#x50B3 CJK UNIFIED IDEOGRAPH:'B6C8:46792:&#x50C5 CJK UNIFIED IDEOGRAPH:'B6C9:46793:&#x50BE CJK UNIFIED IDEOGRAPH:'B6CA:46794:&#x50AC CJK UNIFIED IDEOGRAPH:'B6CB:46795:&#x50B7 CJK UNIFIED IDEOGRAPH:'B6CC:46796:&#x50BB CJK UNIFIED IDEOGRAPH:'B6CD:46797:&#x50AF CJK UNIFIED IDEOGRAPH:'B6CE:46798:&#x50C7 CJK UNIFIED IDEOGRAPH:'B6CF:46799:&#x527F CJK UNIFIED IDEOGRAPH:'B6D0:46800:&#x5277 CJK UNIFIED IDEOGRAPH:'B6D1:46801:&#x527D CJK UNIFIED IDEOGRAPH:'B6D2:46802:&#x52DF CJK UNIFIED IDEOGRAPH:'B6D3:46803:&#x52E6 CJK UNIFIED IDEOGRAPH:'B6D4:46804:&#x52E4 CJK UNIFIED IDEOGRAPH:'B6D5:46805:&#x52E2 CJK UNIFIED IDEOGRAPH:'B6D6:46806:&#x52E3 CJK UNIFIED IDEOGRAPH:'B6D7:46807:&#x532F CJK UNIFIED IDEOGRAPH:'B6D8:46808:&#x55DF CJK UNIFIED IDEOGRAPH:'B6D9:46809:&#x55E8 CJK UNIFIED IDEOGRAPH:'B6DA:46810:&#x55D3 CJK UNIFIED IDEOGRAPH:'B6DB:46811:&#x55E6 CJK UNIFIED IDEOGRAPH:'B6DC:46812:&#x55CE CJK UNIFIED IDEOGRAPH:'B6DD:46813:&#x55DC CJK UNIFIED IDEOGRAPH:'B6DE:46814:&#x55C7 CJK UNIFIED IDEOGRAPH:'B6DF:46815:&#x55D1 CJK UNIFIED IDEOGRAPH:'B6E0:46816:&#x55E3 CJK UNIFIED IDEOGRAPH:'B6E1:46817:&#x55E4 CJK UNIFIED IDEOGRAPH:'B6E2:46818:&#x55EF CJK UNIFIED IDEOGRAPH:'B6E3:46819:&#x55DA CJK UNIFIED IDEOGRAPH:'B6E4:46820:&#x55E1 CJK UNIFIED IDEOGRAPH:'B6E5:46821:&#x55C5 CJK UNIFIED IDEOGRAPH:'B6E6:46822:&#x55C6 CJK UNIFIED IDEOGRAPH:'B6E7:46823:&#x55E5 CJK UNIFIED IDEOGRAPH:'B6E8:46824:&#x55C9 CJK UNIFIED IDEOGRAPH:'B6E9:46825:&#x5712 CJK UNIFIED IDEOGRAPH:'B6EA:46826:&#x5713 CJK UNIFIED IDEOGRAPH:'B6EB:46827:&#x585E CJK UNIFIED IDEOGRAPH:'B6EC:46828:&#x5851 CJK UNIFIED IDEOGRAPH:'B6ED:46829:&#x5858 CJK UNIFIED IDEOGRAPH:'B6EE:46830:&#x5857 CJK UNIFIED IDEOGRAPH:'B6EF:46831:&#x585A CJK UNIFIED IDEOGRAPH:'B6F0:46832:&#x5854 CJK UNIFIED IDEOGRAPH:'B6F1:46833:&#x586B CJK UNIFIED IDEOGRAPH:'B6F2:46834:&#x584C CJK UNIFIED IDEOGRAPH:'B6F3:46835:&#x586D CJK UNIFIED IDEOGRAPH:'B6F4:46836:&#x584A CJK UNIFIED IDEOGRAPH:'B6F5:46837:&#x5862 CJK UNIFIED IDEOGRAPH:'B6F6:46838:&#x5852 CJK UNIFIED IDEOGRAPH:'B6F7:46839:&#x584B CJK UNIFIED IDEOGRAPH:'B6F8:46840:&#x5967 CJK UNIFIED IDEOGRAPH:'B6F9:46841:&#x5AC1 CJK UNIFIED IDEOGRAPH:'B6FA:46842:&#x5AC9 CJK UNIFIED IDEOGRAPH:'B6FB:46843:&#x5ACC CJK UNIFIED IDEOGRAPH:'B6FC:46844:&#x5ABE CJK UNIFIED IDEOGRAPH:'B6FD:46845:&#x5ABD CJK UNIFIED IDEOGRAPH:'B6FE:46846:&#x5ABC CJK UNIFIED IDEOGRAPH:'B740:46912:&#x5AB3 CJK UNIFIED IDEOGRAPH:'B741:46913:&#x5AC2 CJK UNIFIED IDEOGRAPH:'B742:46914:&#x5AB2 CJK UNIFIED IDEOGRAPH:'B743:46915:&#x5D69 CJK UNIFIED IDEOGRAPH:'B744:46916:&#x5D6F CJK UNIFIED IDEOGRAPH:'B745:46917:&#x5E4C CJK UNIFIED IDEOGRAPH:'B746:46918:&#x5E79 CJK UNIFIED IDEOGRAPH:'B747:46919:&#x5EC9 CJK UNIFIED IDEOGRAPH:'B748:46920:&#x5EC8 CJK UNIFIED IDEOGRAPH:'B749:46921:&#x5F12 CJK UNIFIED IDEOGRAPH:'B74A:46922:&#x5F59 CJK UNIFIED IDEOGRAPH:'B74B:46923:&#x5FAC CJK UNIFIED IDEOGRAPH:'B74C:46924:&#x5FAE CJK UNIFIED IDEOGRAPH:'B74D:46925:&#x611A CJK UNIFIED IDEOGRAPH:'B74E:46926:&#x610F CJK UNIFIED IDEOGRAPH:'B74F:46927:&#x6148 CJK UNIFIED IDEOGRAPH:'B750:46928:&#x611F CJK UNIFIED IDEOGRAPH:'B751:46929:&#x60F3 CJK UNIFIED IDEOGRAPH:'B752:46930:&#x611B CJK UNIFIED IDEOGRAPH:'B753:46931:&#x60F9 CJK UNIFIED IDEOGRAPH:'B754:46932:&#x6101 CJK UNIFIED IDEOGRAPH:'B755:46933:&#x6108 CJK UNIFIED IDEOGRAPH:'B756:46934:&#x614E CJK UNIFIED IDEOGRAPH:'B757:46935:&#x614C CJK UNIFIED IDEOGRAPH:'B758:46936:&#x6144 CJK UNIFIED IDEOGRAPH:'B759:46937:&#x614D CJK UNIFIED IDEOGRAPH:'B75A:46938:&#x613E CJK UNIFIED IDEOGRAPH:'B75B:46939:&#x6134 CJK UNIFIED IDEOGRAPH:'B75C:46940:&#x6127 CJK UNIFIED IDEOGRAPH:'B75D:46941:&#x610D CJK UNIFIED IDEOGRAPH:'B75E:46942:&#x6106 CJK UNIFIED IDEOGRAPH:'B75F:46943:&#x6137 CJK UNIFIED IDEOGRAPH:'B760:46944:&#x6221 CJK UNIFIED IDEOGRAPH:'B761:46945:&#x6222 CJK UNIFIED IDEOGRAPH:'B762:46946:&#x6413 CJK UNIFIED IDEOGRAPH:'B763:46947:&#x643E CJK UNIFIED IDEOGRAPH:'B764:46948:&#x641E CJK UNIFIED IDEOGRAPH:'B765:46949:&#x642A CJK UNIFIED IDEOGRAPH:'B766:46950:&#x642D CJK UNIFIED IDEOGRAPH:'B767:46951:&#x643D CJK UNIFIED IDEOGRAPH:'B768:46952:&#x642C CJK UNIFIED IDEOGRAPH:'B769:46953:&#x640F CJK UNIFIED IDEOGRAPH:'B76A:46954:&#x641C CJK UNIFIED IDEOGRAPH:'B76B:46955:&#x6414 CJK UNIFIED IDEOGRAPH:'B76C:46956:&#x640D CJK UNIFIED IDEOGRAPH:'B76D:46957:&#x6436 CJK UNIFIED IDEOGRAPH:'B76E:46958:&#x6416 CJK UNIFIED IDEOGRAPH:'B76F:46959:&#x6417 CJK UNIFIED IDEOGRAPH:'B770:46960:&#x6406 CJK UNIFIED IDEOGRAPH:'B771:46961:&#x656C CJK UNIFIED IDEOGRAPH:'B772:46962:&#x659F CJK UNIFIED IDEOGRAPH:'B773:46963:&#x65B0 CJK UNIFIED IDEOGRAPH:'B774:46964:&#x6697 CJK UNIFIED IDEOGRAPH:'B775:46965:&#x6689 CJK UNIFIED IDEOGRAPH:'B776:46966:&#x6687 CJK UNIFIED IDEOGRAPH:'B777:46967:&#x6688 CJK UNIFIED IDEOGRAPH:'B778:46968:&#x6696 CJK UNIFIED IDEOGRAPH:'B779:46969:&#x6684 CJK UNIFIED IDEOGRAPH:'B77A:46970:&#x6698 CJK UNIFIED IDEOGRAPH:'B77B:46971:&#x668D CJK UNIFIED IDEOGRAPH:'B77C:46972:&#x6703 CJK UNIFIED IDEOGRAPH:'B77D:46973:&#x6994 CJK UNIFIED IDEOGRAPH:'B77E:46974:&#x696D CJK UNIFIED IDEOGRAPH:'B7A1:47009:&#x695A CJK UNIFIED IDEOGRAPH:'B7A2:47010:&#x6977 CJK UNIFIED IDEOGRAPH:'B7A3:47011:&#x6960 CJK UNIFIED IDEOGRAPH:'B7A4:47012:&#x6954 CJK UNIFIED IDEOGRAPH:'B7A5:47013:&#x6975 CJK UNIFIED IDEOGRAPH:'B7A6:47014:&#x6930 CJK UNIFIED IDEOGRAPH:'B7A7:47015:&#x6982 CJK UNIFIED IDEOGRAPH:'B7A8:47016:&#x694A CJK UNIFIED IDEOGRAPH:'B7A9:47017:&#x6968 CJK UNIFIED IDEOGRAPH:'B7AA:47018:&#x696B CJK UNIFIED IDEOGRAPH:'B7AB:47019:&#x695E CJK UNIFIED IDEOGRAPH:'B7AC:47020:&#x6953 CJK UNIFIED IDEOGRAPH:'B7AD:47021:&#x6979 CJK UNIFIED IDEOGRAPH:'B7AE:47022:&#x6986 CJK UNIFIED IDEOGRAPH:'B7AF:47023:&#x695D CJK UNIFIED IDEOGRAPH:'B7B0:47024:&#x6963 CJK UNIFIED IDEOGRAPH:'B7B1:47025:&#x695B CJK UNIFIED IDEOGRAPH:'B7B2:47026:&#x6B47 CJK UNIFIED IDEOGRAPH:'B7B3:47027:&#x6B72 CJK UNIFIED IDEOGRAPH:'B7B4:47028:&#x6BC0 CJK UNIFIED IDEOGRAPH:'B7B5:47029:&#x6BBF CJK UNIFIED IDEOGRAPH:'B7B6:47030:&#x6BD3 CJK UNIFIED IDEOGRAPH:'B7B7:47031:&#x6BFD CJK UNIFIED IDEOGRAPH:'B7B8:47032:&#x6EA2 CJK UNIFIED IDEOGRAPH:'B7B9:47033:&#x6EAF CJK UNIFIED IDEOGRAPH:'B7BA:47034:&#x6ED3 CJK UNIFIED IDEOGRAPH:'B7BB:47035:&#x6EB6 CJK UNIFIED IDEOGRAPH:'B7BC:47036:&#x6EC2 CJK UNIFIED IDEOGRAPH:'B7BD:47037:&#x6E90 CJK UNIFIED IDEOGRAPH:'B7BE:47038:&#x6E9D CJK UNIFIED IDEOGRAPH:'B7BF:47039:&#x6EC7 CJK UNIFIED IDEOGRAPH:'B7C0:47040:&#x6EC5 CJK UNIFIED IDEOGRAPH:'B7C1:47041:&#x6EA5 CJK UNIFIED IDEOGRAPH:'B7C2:47042:&#x6E98 CJK UNIFIED IDEOGRAPH:'B7C3:47043:&#x6EBC CJK UNIFIED IDEOGRAPH:'B7C4:47044:&#x6EBA CJK UNIFIED IDEOGRAPH:'B7C5:47045:&#x6EAB CJK UNIFIED IDEOGRAPH:'B7C6:47046:&#x6ED1 CJK UNIFIED IDEOGRAPH:'B7C7:47047:&#x6E96 CJK UNIFIED IDEOGRAPH:'B7C8:47048:&#x6E9C CJK UNIFIED IDEOGRAPH:'B7C9:47049:&#x6EC4 CJK UNIFIED IDEOGRAPH:'B7CA:47050:&#x6ED4 CJK UNIFIED IDEOGRAPH:'B7CB:47051:&#x6EAA CJK UNIFIED IDEOGRAPH:'B7CC:47052:&#x6EA7 CJK UNIFIED IDEOGRAPH:'B7CD:47053:&#x6EB4 CJK UNIFIED IDEOGRAPH:'B7CE:47054:&#x714E CJK UNIFIED IDEOGRAPH:'B7CF:47055:&#x7159 CJK UNIFIED IDEOGRAPH:'B7D0:47056:&#x7169 CJK UNIFIED IDEOGRAPH:'B7D1:47057:&#x7164 CJK UNIFIED IDEOGRAPH:'B7D2:47058:&#x7149 CJK UNIFIED IDEOGRAPH:'B7D3:47059:&#x7167 CJK UNIFIED IDEOGRAPH:'B7D4:47060:&#x715C CJK UNIFIED IDEOGRAPH:'B7D5:47061:&#x716C CJK UNIFIED IDEOGRAPH:'B7D6:47062:&#x7166 CJK UNIFIED IDEOGRAPH:'B7D7:47063:&#x714C CJK UNIFIED IDEOGRAPH:'B7D8:47064:&#x7165 CJK UNIFIED IDEOGRAPH:'B7D9:47065:&#x715E CJK UNIFIED IDEOGRAPH:'B7DA:47066:&#x7146 CJK UNIFIED IDEOGRAPH:'B7DB:47067:&#x7168 CJK UNIFIED IDEOGRAPH:'B7DC:47068:&#x7156 CJK UNIFIED IDEOGRAPH:'B7DD:47069:&#x723A CJK UNIFIED IDEOGRAPH:'B7DE:47070:&#x7252 CJK UNIFIED IDEOGRAPH:'B7DF:47071:&#x7337 CJK UNIFIED IDEOGRAPH:'B7E0:47072:&#x7345 CJK UNIFIED IDEOGRAPH:'B7E1:47073:&#x733F CJK UNIFIED IDEOGRAPH:'B7E2:47074:&#x733E CJK UNIFIED IDEOGRAPH:'B7E3:47075:&#x746F CJK UNIFIED IDEOGRAPH:'B7E4:47076:&#x745A CJK UNIFIED IDEOGRAPH:'B7E5:47077:&#x7455 CJK UNIFIED IDEOGRAPH:'B7E6:47078:&#x745F CJK UNIFIED IDEOGRAPH:'B7E7:47079:&#x745E CJK UNIFIED IDEOGRAPH:'B7E8:47080:&#x7441 CJK UNIFIED IDEOGRAPH:'B7E9:47081:&#x743F CJK UNIFIED IDEOGRAPH:'B7EA:47082:&#x7459 CJK UNIFIED IDEOGRAPH:'B7EB:47083:&#x745B CJK UNIFIED IDEOGRAPH:'B7EC:47084:&#x745C CJK UNIFIED IDEOGRAPH:'B7ED:47085:&#x7576 CJK UNIFIED IDEOGRAPH:'B7EE:47086:&#x7578 CJK UNIFIED IDEOGRAPH:'B7EF:47087:&#x7600 CJK UNIFIED IDEOGRAPH:'B7F0:47088:&#x75F0 CJK UNIFIED IDEOGRAPH:'B7F1:47089:&#x7601 CJK UNIFIED IDEOGRAPH:'B7F2:47090:&#x75F2 CJK UNIFIED IDEOGRAPH:'B7F3:47091:&#x75F1 CJK UNIFIED IDEOGRAPH:'B7F4:47092:&#x75FA CJK UNIFIED IDEOGRAPH:'B7F5:47093:&#x75FF CJK UNIFIED IDEOGRAPH:'B7F6:47094:&#x75F4 CJK UNIFIED IDEOGRAPH:'B7F7:47095:&#x75F3 CJK UNIFIED IDEOGRAPH:'B7F8:47096:&#x76DE CJK UNIFIED IDEOGRAPH:'B7F9:47097:&#x76DF CJK UNIFIED IDEOGRAPH:'B7FA:47098:&#x775B CJK UNIFIED IDEOGRAPH:'B7FB:47099:&#x776B CJK UNIFIED IDEOGRAPH:'B7FC:47100:&#x7766 CJK UNIFIED IDEOGRAPH:'B7FD:47101:&#x775E CJK UNIFIED IDEOGRAPH:'B7FE:47102:&#x7763 CJK UNIFIED IDEOGRAPH:'B840:47168:&#x7779 CJK UNIFIED IDEOGRAPH:'B841:47169:&#x776A CJK UNIFIED IDEOGRAPH:'B842:47170:&#x776C CJK UNIFIED IDEOGRAPH:'B843:47171:&#x775C CJK UNIFIED IDEOGRAPH:'B844:47172:&#x7765 CJK UNIFIED IDEOGRAPH:'B845:47173:&#x7768 CJK UNIFIED IDEOGRAPH:'B846:47174:&#x7762 CJK UNIFIED IDEOGRAPH:'B847:47175:&#x77EE CJK UNIFIED IDEOGRAPH:'B848:47176:&#x788E CJK UNIFIED IDEOGRAPH:'B849:47177:&#x78B0 CJK UNIFIED IDEOGRAPH:'B84A:47178:&#x7897 CJK UNIFIED IDEOGRAPH:'B84B:47179:&#x7898 CJK UNIFIED IDEOGRAPH:'B84C:47180:&#x788C CJK UNIFIED IDEOGRAPH:'B84D:47181:&#x7889 CJK UNIFIED IDEOGRAPH:'B84E:47182:&#x787C CJK UNIFIED IDEOGRAPH:'B84F:47183:&#x7891 CJK UNIFIED IDEOGRAPH:'B850:47184:&#x7893 CJK UNIFIED IDEOGRAPH:'B851:47185:&#x787F CJK UNIFIED IDEOGRAPH:'B852:47186:&#x797A CJK UNIFIED IDEOGRAPH:'B853:47187:&#x797F CJK UNIFIED IDEOGRAPH:'B854:47188:&#x7981 CJK UNIFIED IDEOGRAPH:'B855:47189:&#x842C CJK UNIFIED IDEOGRAPH:'B856:47190:&#x79BD CJK UNIFIED IDEOGRAPH:'B857:47191:&#x7A1C CJK UNIFIED IDEOGRAPH:'B858:47192:&#x7A1A CJK UNIFIED IDEOGRAPH:'B859:47193:&#x7A20 CJK UNIFIED IDEOGRAPH:'B85A:47194:&#x7A14 CJK UNIFIED IDEOGRAPH:'B85B:47195:&#x7A1F CJK UNIFIED IDEOGRAPH:'B85C:47196:&#x7A1E CJK UNIFIED IDEOGRAPH:'B85D:47197:&#x7A9F CJK UNIFIED IDEOGRAPH:'B85E:47198:&#x7AA0 CJK UNIFIED IDEOGRAPH:'B85F:47199:&#x7B77 CJK UNIFIED IDEOGRAPH:'B860:47200:&#x7BC0 CJK UNIFIED IDEOGRAPH:'B861:47201:&#x7B60 CJK UNIFIED IDEOGRAPH:'B862:47202:&#x7B6E CJK UNIFIED IDEOGRAPH:'B863:47203:&#x7B67 CJK UNIFIED IDEOGRAPH:'B864:47204:&#x7CB1 CJK UNIFIED IDEOGRAPH:'B865:47205:&#x7CB3 CJK UNIFIED IDEOGRAPH:'B866:47206:&#x7CB5 CJK UNIFIED IDEOGRAPH:'B867:47207:&#x7D93 CJK UNIFIED IDEOGRAPH:'B868:47208:&#x7D79 CJK UNIFIED IDEOGRAPH:'B869:47209:&#x7D91 CJK UNIFIED IDEOGRAPH:'B86A:47210:&#x7D81 CJK UNIFIED IDEOGRAPH:'B86B:47211:&#x7D8F CJK UNIFIED IDEOGRAPH:'B86C:47212:&#x7D5B CJK UNIFIED IDEOGRAPH:'B86D:47213:&#x7F6E CJK UNIFIED IDEOGRAPH:'B86E:47214:&#x7F69 CJK UNIFIED IDEOGRAPH:'B86F:47215:&#x7F6A CJK UNIFIED IDEOGRAPH:'B870:47216:&#x7F72 CJK UNIFIED IDEOGRAPH:'B871:47217:&#x7FA9 CJK UNIFIED IDEOGRAPH:'B872:47218:&#x7FA8 CJK UNIFIED IDEOGRAPH:'B873:47219:&#x7FA4 CJK UNIFIED IDEOGRAPH:'B874:47220:&#x8056 CJK UNIFIED IDEOGRAPH:'B875:47221:&#x8058 CJK UNIFIED IDEOGRAPH:'B876:47222:&#x8086 CJK UNIFIED IDEOGRAPH:'B877:47223:&#x8084 CJK UNIFIED IDEOGRAPH:'B878:47224:&#x8171 CJK UNIFIED IDEOGRAPH:'B879:47225:&#x8170 CJK UNIFIED IDEOGRAPH:'B87A:47226:&#x8178 CJK UNIFIED IDEOGRAPH:'B87B:47227:&#x8165 CJK UNIFIED IDEOGRAPH:'B87C:47228:&#x816E CJK UNIFIED IDEOGRAPH:'B87D:47229:&#x8173 CJK UNIFIED IDEOGRAPH:'B87E:47230:&#x816B CJK UNIFIED IDEOGRAPH:'B8A1:47265:&#x8179 CJK UNIFIED IDEOGRAPH:'B8A2:47266:&#x817A CJK UNIFIED IDEOGRAPH:'B8A3:47267:&#x8166 CJK UNIFIED IDEOGRAPH:'B8A4:47268:&#x8205 CJK UNIFIED IDEOGRAPH:'B8A5:47269:&#x8247 CJK UNIFIED IDEOGRAPH:'B8A6:47270:&#x8482 CJK UNIFIED IDEOGRAPH:'B8A7:47271:&#x8477 CJK UNIFIED IDEOGRAPH:'B8A8:47272:&#x843D CJK UNIFIED IDEOGRAPH:'B8A9:47273:&#x8431 CJK UNIFIED IDEOGRAPH:'B8AA:47274:&#x8475 CJK UNIFIED IDEOGRAPH:'B8AB:47275:&#x8466 CJK UNIFIED IDEOGRAPH:'B8AC:47276:&#x846B CJK UNIFIED IDEOGRAPH:'B8AD:47277:&#x8449 CJK UNIFIED IDEOGRAPH:'B8AE:47278:&#x846C CJK UNIFIED IDEOGRAPH:'B8AF:47279:&#x845B CJK UNIFIED IDEOGRAPH:'B8B0:47280:&#x843C CJK UNIFIED IDEOGRAPH:'B8B1:47281:&#x8435 CJK UNIFIED IDEOGRAPH:'B8B2:47282:&#x8461 CJK UNIFIED IDEOGRAPH:'B8B3:47283:&#x8463 CJK UNIFIED IDEOGRAPH:'B8B4:47284:&#x8469 CJK UNIFIED IDEOGRAPH:'B8B5:47285:&#x846D CJK UNIFIED IDEOGRAPH:'B8B6:47286:&#x8446 CJK UNIFIED IDEOGRAPH:'B8B7:47287:&#x865E CJK UNIFIED IDEOGRAPH:'B8B8:47288:&#x865C CJK UNIFIED IDEOGRAPH:'B8B9:47289:&#x865F CJK UNIFIED IDEOGRAPH:'B8BA:47290:&#x86F9 CJK UNIFIED IDEOGRAPH:'B8BB:47291:&#x8713 CJK UNIFIED IDEOGRAPH:'B8BC:47292:&#x8708 CJK UNIFIED IDEOGRAPH:'B8BD:47293:&#x8707 CJK UNIFIED IDEOGRAPH:'B8BE:47294:&#x8700 CJK UNIFIED IDEOGRAPH:'B8BF:47295:&#x86FE CJK UNIFIED IDEOGRAPH:'B8C0:47296:&#x86FB CJK UNIFIED IDEOGRAPH:'B8C1:47297:&#x8702 CJK UNIFIED IDEOGRAPH:'B8C2:47298:&#x8703 CJK UNIFIED IDEOGRAPH:'B8C3:47299:&#x8706 CJK UNIFIED IDEOGRAPH:'B8C4:47300:&#x870A CJK UNIFIED IDEOGRAPH:'B8C5:47301:&#x8859 CJK UNIFIED IDEOGRAPH:'B8C6:47302:&#x88DF CJK UNIFIED IDEOGRAPH:'B8C7:47303:&#x88D4 CJK UNIFIED IDEOGRAPH:'B8C8:47304:&#x88D9 CJK UNIFIED IDEOGRAPH:'B8C9:47305:&#x88DC CJK UNIFIED IDEOGRAPH:'B8CA:47306:&#x88D8 CJK UNIFIED IDEOGRAPH:'B8CB:47307:&#x88DD CJK UNIFIED IDEOGRAPH:'B8CC:47308:&#x88E1 CJK UNIFIED IDEOGRAPH:'B8CD:47309:&#x88CA CJK UNIFIED IDEOGRAPH:'B8CE:47310:&#x88D5 CJK UNIFIED IDEOGRAPH:'B8CF:47311:&#x88D2 CJK UNIFIED IDEOGRAPH:'B8D0:47312:&#x899C CJK UNIFIED IDEOGRAPH:'B8D1:47313:&#x89E3 CJK UNIFIED IDEOGRAPH:'B8D2:47314:&#x8A6B CJK UNIFIED IDEOGRAPH:'B8D3:47315:&#x8A72 CJK UNIFIED IDEOGRAPH:'B8D4:47316:&#x8A73 CJK UNIFIED IDEOGRAPH:'B8D5:47317:&#x8A66 CJK UNIFIED IDEOGRAPH:'B8D6:47318:&#x8A69 CJK UNIFIED IDEOGRAPH:'B8D7:47319:&#x8A70 CJK UNIFIED IDEOGRAPH:'B8D8:47320:&#x8A87 CJK UNIFIED IDEOGRAPH:'B8D9:47321:&#x8A7C CJK UNIFIED IDEOGRAPH:'B8DA:47322:&#x8A63 CJK UNIFIED IDEOGRAPH:'B8DB:47323:&#x8AA0 CJK UNIFIED IDEOGRAPH:'B8DC:47324:&#x8A71 CJK UNIFIED IDEOGRAPH:'B8DD:47325:&#x8A85 CJK UNIFIED IDEOGRAPH:'B8DE:47326:&#x8A6D CJK UNIFIED IDEOGRAPH:'B8DF:47327:&#x8A62 CJK UNIFIED IDEOGRAPH:'B8E0:47328:&#x8A6E CJK UNIFIED IDEOGRAPH:'B8E1:47329:&#x8A6C CJK UNIFIED IDEOGRAPH:'B8E2:47330:&#x8A79 CJK UNIFIED IDEOGRAPH:'B8E3:47331:&#x8A7B CJK UNIFIED IDEOGRAPH:'B8E4:47332:&#x8A3E CJK UNIFIED IDEOGRAPH:'B8E5:47333:&#x8A68 CJK UNIFIED IDEOGRAPH:'B8E6:47334:&#x8C62 CJK UNIFIED IDEOGRAPH:'B8E7:47335:&#x8C8A CJK UNIFIED IDEOGRAPH:'B8E8:47336:&#x8C89 CJK UNIFIED IDEOGRAPH:'B8E9:47337:&#x8CCA CJK UNIFIED IDEOGRAPH:'B8EA:47338:&#x8CC7 CJK UNIFIED IDEOGRAPH:'B8EB:47339:&#x8CC8 CJK UNIFIED IDEOGRAPH:'B8EC:47340:&#x8CC4 CJK UNIFIED IDEOGRAPH:'B8ED:47341:&#x8CB2 CJK UNIFIED IDEOGRAPH:'B8EE:47342:&#x8CC3 CJK UNIFIED IDEOGRAPH:'B8EF:47343:&#x8CC2 CJK UNIFIED IDEOGRAPH:'B8F0:47344:&#x8CC5 CJK UNIFIED IDEOGRAPH:'B8F1:47345:&#x8DE1 CJK UNIFIED IDEOGRAPH:'B8F2:47346:&#x8DDF CJK UNIFIED IDEOGRAPH:'B8F3:47347:&#x8DE8 CJK UNIFIED IDEOGRAPH:'B8F4:47348:&#x8DEF CJK UNIFIED IDEOGRAPH:'B8F5:47349:&#x8DF3 CJK UNIFIED IDEOGRAPH:'B8F6:47350:&#x8DFA CJK UNIFIED IDEOGRAPH:'B8F7:47351:&#x8DEA CJK UNIFIED IDEOGRAPH:'B8F8:47352:&#x8DE4 CJK UNIFIED IDEOGRAPH:'B8F9:47353:&#x8DE6 CJK UNIFIED IDEOGRAPH:'B8FA:47354:&#x8EB2 CJK UNIFIED IDEOGRAPH:'B8FB:47355:&#x8F03 CJK UNIFIED IDEOGRAPH:'B8FC:47356:&#x8F09 CJK UNIFIED IDEOGRAPH:'B8FD:47357:&#x8EFE CJK UNIFIED IDEOGRAPH:'B8FE:47358:&#x8F0A CJK UNIFIED IDEOGRAPH:'B940:47424:&#x8F9F CJK UNIFIED IDEOGRAPH:'B941:47425:&#x8FB2 CJK UNIFIED IDEOGRAPH:'B942:47426:&#x904B CJK UNIFIED IDEOGRAPH:'B943:47427:&#x904A CJK UNIFIED IDEOGRAPH:'B944:47428:&#x9053 CJK UNIFIED IDEOGRAPH:'B945:47429:&#x9042 CJK UNIFIED IDEOGRAPH:'B946:47430:&#x9054 CJK UNIFIED IDEOGRAPH:'B947:47431:&#x903C CJK UNIFIED IDEOGRAPH:'B948:47432:&#x9055 CJK UNIFIED IDEOGRAPH:'B949:47433:&#x9050 CJK UNIFIED IDEOGRAPH:'B94A:47434:&#x9047 CJK UNIFIED IDEOGRAPH:'B94B:47435:&#x904F CJK UNIFIED IDEOGRAPH:'B94C:47436:&#x904E CJK UNIFIED IDEOGRAPH:'B94D:47437:&#x904D CJK UNIFIED IDEOGRAPH:'B94E:47438:&#x9051 CJK UNIFIED IDEOGRAPH:'B94F:47439:&#x903E CJK UNIFIED IDEOGRAPH:'B950:47440:&#x9041 CJK UNIFIED IDEOGRAPH:'B951:47441:&#x9112 CJK UNIFIED IDEOGRAPH:'B952:47442:&#x9117 CJK UNIFIED IDEOGRAPH:'B953:47443:&#x916C CJK UNIFIED IDEOGRAPH:'B954:47444:&#x916A CJK UNIFIED IDEOGRAPH:'B955:47445:&#x9169 CJK UNIFIED IDEOGRAPH:'B956:47446:&#x91C9 CJK UNIFIED IDEOGRAPH:'B957:47447:&#x9237 CJK UNIFIED IDEOGRAPH:'B958:47448:&#x9257 CJK UNIFIED IDEOGRAPH:'B959:47449:&#x9238 CJK UNIFIED IDEOGRAPH:'B95A:47450:&#x923D CJK UNIFIED IDEOGRAPH:'B95B:47451:&#x9240 CJK UNIFIED IDEOGRAPH:'B95C:47452:&#x923E CJK UNIFIED IDEOGRAPH:'B95D:47453:&#x925B CJK UNIFIED IDEOGRAPH:'B95E:47454:&#x924B CJK UNIFIED IDEOGRAPH:'B95F:47455:&#x9264 CJK UNIFIED IDEOGRAPH:'B960:47456:&#x9251 CJK UNIFIED IDEOGRAPH:'B961:47457:&#x9234 CJK UNIFIED IDEOGRAPH:'B962:47458:&#x9249 CJK UNIFIED IDEOGRAPH:'B963:47459:&#x924D CJK UNIFIED IDEOGRAPH:'B964:47460:&#x9245 CJK UNIFIED IDEOGRAPH:'B965:47461:&#x9239 CJK UNIFIED IDEOGRAPH:'B966:47462:&#x923F CJK UNIFIED IDEOGRAPH:'B967:47463:&#x925A CJK UNIFIED IDEOGRAPH:'B968:47464:&#x9598 CJK UNIFIED IDEOGRAPH:'B969:47465:&#x9698 CJK UNIFIED IDEOGRAPH:'B96A:47466:&#x9694 CJK UNIFIED IDEOGRAPH:'B96B:47467:&#x9695 CJK UNIFIED IDEOGRAPH:'B96C:47468:&#x96CD CJK UNIFIED IDEOGRAPH:'B96D:47469:&#x96CB CJK UNIFIED IDEOGRAPH:'B96E:47470:&#x96C9 CJK UNIFIED IDEOGRAPH:'B96F:47471:&#x96CA CJK UNIFIED IDEOGRAPH:'B970:47472:&#x96F7 CJK UNIFIED IDEOGRAPH:'B971:47473:&#x96FB CJK UNIFIED IDEOGRAPH:'B972:47474:&#x96F9 CJK UNIFIED IDEOGRAPH:'B973:47475:&#x96F6 CJK UNIFIED IDEOGRAPH:'B974:47476:&#x9756 CJK UNIFIED IDEOGRAPH:'B975:47477:&#x9774 CJK UNIFIED IDEOGRAPH:'B976:47478:&#x9776 CJK UNIFIED IDEOGRAPH:'B977:47479:&#x9810 CJK UNIFIED IDEOGRAPH:'B978:47480:&#x9811 CJK UNIFIED IDEOGRAPH:'B979:47481:&#x9813 CJK UNIFIED IDEOGRAPH:'B97A:47482:&#x980A CJK UNIFIED IDEOGRAPH:'B97B:47483:&#x9812 CJK UNIFIED IDEOGRAPH:'B97C:47484:&#x980C CJK UNIFIED IDEOGRAPH:'B97D:47485:&#x98FC CJK UNIFIED IDEOGRAPH:'B97E:47486:&#x98F4 CJK UNIFIED IDEOGRAPH:'B9A1:47521:&#x98FD CJK UNIFIED IDEOGRAPH:'B9A2:47522:&#x98FE CJK UNIFIED IDEOGRAPH:'B9A3:47523:&#x99B3 CJK UNIFIED IDEOGRAPH:'B9A4:47524:&#x99B1 CJK UNIFIED IDEOGRAPH:'B9A5:47525:&#x99B4 CJK UNIFIED IDEOGRAPH:'B9A6:47526:&#x9AE1 CJK UNIFIED IDEOGRAPH:'B9A7:47527:&#x9CE9 CJK UNIFIED IDEOGRAPH:'B9A8:47528:&#x9E82 CJK UNIFIED IDEOGRAPH:'B9A9:47529:&#x9F0E CJK UNIFIED IDEOGRAPH:'B9AA:47530:&#x9F13 CJK UNIFIED IDEOGRAPH:'B9AB:47531:&#x9F20 CJK UNIFIED IDEOGRAPH:'B9AC:47532:&#x50E7 CJK UNIFIED IDEOGRAPH:'B9AD:47533:&#x50EE CJK UNIFIED IDEOGRAPH:'B9AE:47534:&#x50E5 CJK UNIFIED IDEOGRAPH:'B9AF:47535:&#x50D6 CJK UNIFIED IDEOGRAPH:'B9B0:47536:&#x50ED CJK UNIFIED IDEOGRAPH:'B9B1:47537:&#x50DA CJK UNIFIED IDEOGRAPH:'B9B2:47538:&#x50D5 CJK UNIFIED IDEOGRAPH:'B9B3:47539:&#x50CF CJK UNIFIED IDEOGRAPH:'B9B4:47540:&#x50D1 CJK UNIFIED IDEOGRAPH:'B9B5:47541:&#x50F1 CJK UNIFIED IDEOGRAPH:'B9B6:47542:&#x50CE CJK UNIFIED IDEOGRAPH:'B9B7:47543:&#x50E9 CJK UNIFIED IDEOGRAPH:'B9B8:47544:&#x5162 CJK UNIFIED IDEOGRAPH:'B9B9:47545:&#x51F3 CJK UNIFIED IDEOGRAPH:'B9BA:47546:&#x5283 CJK UNIFIED IDEOGRAPH:'B9BB:47547:&#x5282 CJK UNIFIED IDEOGRAPH:'B9BC:47548:&#x5331 CJK UNIFIED IDEOGRAPH:'B9BD:47549:&#x53AD CJK UNIFIED IDEOGRAPH:'B9BE:47550:&#x55FE CJK UNIFIED IDEOGRAPH:'B9BF:47551:&#x5600 CJK UNIFIED IDEOGRAPH:'B9C0:47552:&#x561B CJK UNIFIED IDEOGRAPH:'B9C1:47553:&#x5617 CJK UNIFIED IDEOGRAPH:'B9C2:47554:&#x55FD CJK UNIFIED IDEOGRAPH:'B9C3:47555:&#x5614 CJK UNIFIED IDEOGRAPH:'B9C4:47556:&#x5606 CJK UNIFIED IDEOGRAPH:'B9C5:47557:&#x5609 CJK UNIFIED IDEOGRAPH:'B9C6:47558:&#x560D CJK UNIFIED IDEOGRAPH:'B9C7:47559:&#x560E CJK UNIFIED IDEOGRAPH:'B9C8:47560:&#x55F7 CJK UNIFIED IDEOGRAPH:'B9C9:47561:&#x5616 CJK UNIFIED IDEOGRAPH:'B9CA:47562:&#x561F CJK UNIFIED IDEOGRAPH:'B9CB:47563:&#x5608 CJK UNIFIED IDEOGRAPH:'B9CC:47564:&#x5610 CJK UNIFIED IDEOGRAPH:'B9CD:47565:&#x55F6 CJK UNIFIED IDEOGRAPH:'B9CE:47566:&#x5718 CJK UNIFIED IDEOGRAPH:'B9CF:47567:&#x5716 CJK UNIFIED IDEOGRAPH:'B9D0:47568:&#x5875 CJK UNIFIED IDEOGRAPH:'B9D1:47569:&#x587E CJK UNIFIED IDEOGRAPH:'B9D2:47570:&#x5883 CJK UNIFIED IDEOGRAPH:'B9D3:47571:&#x5893 CJK UNIFIED IDEOGRAPH:'B9D4:47572:&#x588A CJK UNIFIED IDEOGRAPH:'B9D5:47573:&#x5879 CJK UNIFIED IDEOGRAPH:'B9D6:47574:&#x5885 CJK UNIFIED IDEOGRAPH:'B9D7:47575:&#x587D CJK UNIFIED IDEOGRAPH:'B9D8:47576:&#x58FD CJK UNIFIED IDEOGRAPH:'B9D9:47577:&#x5925 CJK UNIFIED IDEOGRAPH:'B9DA:47578:&#x5922 CJK UNIFIED IDEOGRAPH:'B9DB:47579:&#x5924 CJK UNIFIED IDEOGRAPH:'B9DC:47580:&#x596A CJK UNIFIED IDEOGRAPH:'B9DD:47581:&#x5969 CJK UNIFIED IDEOGRAPH:'B9DE:47582:&#x5AE1 CJK UNIFIED IDEOGRAPH:'B9DF:47583:&#x5AE6 CJK UNIFIED IDEOGRAPH:'B9E0:47584:&#x5AE9 CJK UNIFIED IDEOGRAPH:'B9E1:47585:&#x5AD7 CJK UNIFIED IDEOGRAPH:'B9E2:47586:&#x5AD6 CJK UNIFIED IDEOGRAPH:'B9E3:47587:&#x5AD8 CJK UNIFIED IDEOGRAPH:'B9E4:47588:&#x5AE3 CJK UNIFIED IDEOGRAPH:'B9E5:47589:&#x5B75 CJK UNIFIED IDEOGRAPH:'B9E6:47590:&#x5BDE CJK UNIFIED IDEOGRAPH:'B9E7:47591:&#x5BE7 CJK UNIFIED IDEOGRAPH:'B9E8:47592:&#x5BE1 CJK UNIFIED IDEOGRAPH:'B9E9:47593:&#x5BE5 CJK UNIFIED IDEOGRAPH:'B9EA:47594:&#x5BE6 CJK UNIFIED IDEOGRAPH:'B9EB:47595:&#x5BE8 CJK UNIFIED IDEOGRAPH:'B9EC:47596:&#x5BE2 CJK UNIFIED IDEOGRAPH:'B9ED:47597:&#x5BE4 CJK UNIFIED IDEOGRAPH:'B9EE:47598:&#x5BDF CJK UNIFIED IDEOGRAPH:'B9EF:47599:&#x5C0D CJK UNIFIED IDEOGRAPH:'B9F0:47600:&#x5C62 CJK UNIFIED IDEOGRAPH:'B9F1:47601:&#x5D84 CJK UNIFIED IDEOGRAPH:'B9F2:47602:&#x5D87 CJK UNIFIED IDEOGRAPH:'B9F3:47603:&#x5E5B CJK UNIFIED IDEOGRAPH:'B9F4:47604:&#x5E63 CJK UNIFIED IDEOGRAPH:'B9F5:47605:&#x5E55 CJK UNIFIED IDEOGRAPH:'B9F6:47606:&#x5E57 CJK UNIFIED IDEOGRAPH:'B9F7:47607:&#x5E54 CJK UNIFIED IDEOGRAPH:'B9F8:47608:&#x5ED3 CJK UNIFIED IDEOGRAPH:'B9F9:47609:&#x5ED6 CJK UNIFIED IDEOGRAPH:'B9FA:47610:&#x5F0A CJK UNIFIED IDEOGRAPH:'B9FB:47611:&#x5F46 CJK UNIFIED IDEOGRAPH:'B9FC:47612:&#x5F70 CJK UNIFIED IDEOGRAPH:'B9FD:47613:&#x5FB9 CJK UNIFIED IDEOGRAPH:'B9FE:47614:&#x6147 CJK UNIFIED IDEOGRAPH:'BA40:47680:&#x613F CJK UNIFIED IDEOGRAPH:'BA41:47681:&#x614B CJK UNIFIED IDEOGRAPH:'BA42:47682:&#x6177 CJK UNIFIED IDEOGRAPH:'BA43:47683:&#x6162 CJK UNIFIED IDEOGRAPH:'BA44:47684:&#x6163 CJK UNIFIED IDEOGRAPH:'BA45:47685:&#x615F CJK UNIFIED IDEOGRAPH:'BA46:47686:&#x615A CJK UNIFIED IDEOGRAPH:'BA47:47687:&#x6158 CJK UNIFIED IDEOGRAPH:'BA48:47688:&#x6175 CJK UNIFIED IDEOGRAPH:'BA49:47689:&#x622A CJK UNIFIED IDEOGRAPH:'BA4A:47690:&#x6487 CJK UNIFIED IDEOGRAPH:'BA4B:47691:&#x6458 CJK UNIFIED IDEOGRAPH:'BA4C:47692:&#x6454 CJK UNIFIED IDEOGRAPH:'BA4D:47693:&#x64A4 CJK UNIFIED IDEOGRAPH:'BA4E:47694:&#x6478 CJK UNIFIED IDEOGRAPH:'BA4F:47695:&#x645F CJK UNIFIED IDEOGRAPH:'BA50:47696:&#x647A CJK UNIFIED IDEOGRAPH:'BA51:47697:&#x6451 CJK UNIFIED IDEOGRAPH:'BA52:47698:&#x6467 CJK UNIFIED IDEOGRAPH:'BA53:47699:&#x6434 CJK UNIFIED IDEOGRAPH:'BA54:47700:&#x646D CJK UNIFIED IDEOGRAPH:'BA55:47701:&#x647B CJK UNIFIED IDEOGRAPH:'BA56:47702:&#x6572 CJK UNIFIED IDEOGRAPH:'BA57:47703:&#x65A1 CJK UNIFIED IDEOGRAPH:'BA58:47704:&#x65D7 CJK UNIFIED IDEOGRAPH:'BA59:47705:&#x65D6 CJK UNIFIED IDEOGRAPH:'BA5A:47706:&#x66A2 CJK UNIFIED IDEOGRAPH:'BA5B:47707:&#x66A8 CJK UNIFIED IDEOGRAPH:'BA5C:47708:&#x669D CJK UNIFIED IDEOGRAPH:'BA5D:47709:&#x699C CJK UNIFIED IDEOGRAPH:'BA5E:47710:&#x69A8 CJK UNIFIED IDEOGRAPH:'BA5F:47711:&#x6995 CJK UNIFIED IDEOGRAPH:'BA60:47712:&#x69C1 CJK UNIFIED IDEOGRAPH:'BA61:47713:&#x69AE CJK UNIFIED IDEOGRAPH:'BA62:47714:&#x69D3 CJK UNIFIED IDEOGRAPH:'BA63:47715:&#x69CB CJK UNIFIED IDEOGRAPH:'BA64:47716:&#x699B CJK UNIFIED IDEOGRAPH:'BA65:47717:&#x69B7 CJK UNIFIED IDEOGRAPH:'BA66:47718:&#x69BB CJK UNIFIED IDEOGRAPH:'BA67:47719:&#x69AB CJK UNIFIED IDEOGRAPH:'BA68:47720:&#x69B4 CJK UNIFIED IDEOGRAPH:'BA69:47721:&#x69D0 CJK UNIFIED IDEOGRAPH:'BA6A:47722:&#x69CD CJK UNIFIED IDEOGRAPH:'BA6B:47723:&#x69AD CJK UNIFIED IDEOGRAPH:'BA6C:47724:&#x69CC CJK UNIFIED IDEOGRAPH:'BA6D:47725:&#x69A6 CJK UNIFIED IDEOGRAPH:'BA6E:47726:&#x69C3 CJK UNIFIED IDEOGRAPH:'BA6F:47727:&#x69A3 CJK UNIFIED IDEOGRAPH:'BA70:47728:&#x6B49 CJK UNIFIED IDEOGRAPH:'BA71:47729:&#x6B4C CJK UNIFIED IDEOGRAPH:'BA72:47730:&#x6C33 CJK UNIFIED IDEOGRAPH:'BA73:47731:&#x6F33 CJK UNIFIED IDEOGRAPH:'BA74:47732:&#x6F14 CJK UNIFIED IDEOGRAPH:'BA75:47733:&#x6EFE CJK UNIFIED IDEOGRAPH:'BA76:47734:&#x6F13 CJK UNIFIED IDEOGRAPH:'BA77:47735:&#x6EF4 CJK UNIFIED IDEOGRAPH:'BA78:47736:&#x6F29 CJK UNIFIED IDEOGRAPH:'BA79:47737:&#x6F3E CJK UNIFIED IDEOGRAPH:'BA7A:47738:&#x6F20 CJK UNIFIED IDEOGRAPH:'BA7B:47739:&#x6F2C CJK UNIFIED IDEOGRAPH:'BA7C:47740:&#x6F0F CJK UNIFIED IDEOGRAPH:'BA7D:47741:&#x6F02 CJK UNIFIED IDEOGRAPH:'BA7E:47742:&#x6F22 CJK UNIFIED IDEOGRAPH:'BAA1:47777:&#x6EFF CJK UNIFIED IDEOGRAPH:'BAA2:47778:&#x6EEF CJK UNIFIED IDEOGRAPH:'BAA3:47779:&#x6F06 CJK UNIFIED IDEOGRAPH:'BAA4:47780:&#x6F31 CJK UNIFIED IDEOGRAPH:'BAA5:47781:&#x6F38 CJK UNIFIED IDEOGRAPH:'BAA6:47782:&#x6F32 CJK UNIFIED IDEOGRAPH:'BAA7:47783:&#x6F23 CJK UNIFIED IDEOGRAPH:'BAA8:47784:&#x6F15 CJK UNIFIED IDEOGRAPH:'BAA9:47785:&#x6F2B CJK UNIFIED IDEOGRAPH:'BAAA:47786:&#x6F2F CJK UNIFIED IDEOGRAPH:'BAAB:47787:&#x6F88 CJK UNIFIED IDEOGRAPH:'BAAC:47788:&#x6F2A CJK UNIFIED IDEOGRAPH:'BAAD:47789:&#x6EEC CJK UNIFIED IDEOGRAPH:'BAAE:47790:&#x6F01 CJK UNIFIED IDEOGRAPH:'BAAF:47791:&#x6EF2 CJK UNIFIED IDEOGRAPH:'BAB0:47792:&#x6ECC CJK UNIFIED IDEOGRAPH:'BAB1:47793:&#x6EF7 CJK UNIFIED IDEOGRAPH:'BAB2:47794:&#x7194 CJK UNIFIED IDEOGRAPH:'BAB3:47795:&#x7199 CJK UNIFIED IDEOGRAPH:'BAB4:47796:&#x717D CJK UNIFIED IDEOGRAPH:'BAB5:47797:&#x718A CJK UNIFIED IDEOGRAPH:'BAB6:47798:&#x7184 CJK UNIFIED IDEOGRAPH:'BAB7:47799:&#x7192 CJK UNIFIED IDEOGRAPH:'BAB8:47800:&#x723E CJK UNIFIED IDEOGRAPH:'BAB9:47801:&#x7292 CJK UNIFIED IDEOGRAPH:'BABA:47802:&#x7296 CJK UNIFIED IDEOGRAPH:'BABB:47803:&#x7344 CJK UNIFIED IDEOGRAPH:'BABC:47804:&#x7350 CJK UNIFIED IDEOGRAPH:'BABD:47805:&#x7464 CJK UNIFIED IDEOGRAPH:'BABE:47806:&#x7463 CJK UNIFIED IDEOGRAPH:'BABF:47807:&#x746A CJK UNIFIED IDEOGRAPH:'BAC0:47808:&#x7470 CJK UNIFIED IDEOGRAPH:'BAC1:47809:&#x746D CJK UNIFIED IDEOGRAPH:'BAC2:47810:&#x7504 CJK UNIFIED IDEOGRAPH:'BAC3:47811:&#x7591 CJK UNIFIED IDEOGRAPH:'BAC4:47812:&#x7627 CJK UNIFIED IDEOGRAPH:'BAC5:47813:&#x760D CJK UNIFIED IDEOGRAPH:'BAC6:47814:&#x760B CJK UNIFIED IDEOGRAPH:'BAC7:47815:&#x7609 CJK UNIFIED IDEOGRAPH:'BAC8:47816:&#x7613 CJK UNIFIED IDEOGRAPH:'BAC9:47817:&#x76E1 CJK UNIFIED IDEOGRAPH:'BACA:47818:&#x76E3 CJK UNIFIED IDEOGRAPH:'BACB:47819:&#x7784 CJK UNIFIED IDEOGRAPH:'BACC:47820:&#x777D CJK UNIFIED IDEOGRAPH:'BACD:47821:&#x777F CJK UNIFIED IDEOGRAPH:'BACE:47822:&#x7761 CJK UNIFIED IDEOGRAPH:'BACF:47823:&#x78C1 CJK UNIFIED IDEOGRAPH:'BAD0:47824:&#x789F CJK UNIFIED IDEOGRAPH:'BAD1:47825:&#x78A7 CJK UNIFIED IDEOGRAPH:'BAD2:47826:&#x78B3 CJK UNIFIED IDEOGRAPH:'BAD3:47827:&#x78A9 CJK UNIFIED IDEOGRAPH:'BAD4:47828:&#x78A3 CJK UNIFIED IDEOGRAPH:'BAD5:47829:&#x798E CJK UNIFIED IDEOGRAPH:'BAD6:47830:&#x798F CJK UNIFIED IDEOGRAPH:'BAD7:47831:&#x798D CJK UNIFIED IDEOGRAPH:'BAD8:47832:&#x7A2E CJK UNIFIED IDEOGRAPH:'BAD9:47833:&#x7A31 CJK UNIFIED IDEOGRAPH:'BADA:47834:&#x7AAA CJK UNIFIED IDEOGRAPH:'BADB:47835:&#x7AA9 CJK UNIFIED IDEOGRAPH:'BADC:47836:&#x7AED CJK UNIFIED IDEOGRAPH:'BADD:47837:&#x7AEF CJK UNIFIED IDEOGRAPH:'BADE:47838:&#x7BA1 CJK UNIFIED IDEOGRAPH:'BADF:47839:&#x7B95 CJK UNIFIED IDEOGRAPH:'BAE0:47840:&#x7B8B CJK UNIFIED IDEOGRAPH:'BAE1:47841:&#x7B75 CJK UNIFIED IDEOGRAPH:'BAE2:47842:&#x7B97 CJK UNIFIED IDEOGRAPH:'BAE3:47843:&#x7B9D CJK UNIFIED IDEOGRAPH:'BAE4:47844:&#x7B94 CJK UNIFIED IDEOGRAPH:'BAE5:47845:&#x7B8F CJK UNIFIED IDEOGRAPH:'BAE6:47846:&#x7BB8 CJK UNIFIED IDEOGRAPH:'BAE7:47847:&#x7B87 CJK UNIFIED IDEOGRAPH:'BAE8:47848:&#x7B84 CJK UNIFIED IDEOGRAPH:'BAE9:47849:&#x7CB9 CJK UNIFIED IDEOGRAPH:'BAEA:47850:&#x7CBD CJK UNIFIED IDEOGRAPH:'BAEB:47851:&#x7CBE CJK UNIFIED IDEOGRAPH:'BAEC:47852:&#x7DBB CJK UNIFIED IDEOGRAPH:'BAED:47853:&#x7DB0 CJK UNIFIED IDEOGRAPH:'BAEE:47854:&#x7D9C CJK UNIFIED IDEOGRAPH:'BAEF:47855:&#x7DBD CJK UNIFIED IDEOGRAPH:'BAF0:47856:&#x7DBE CJK UNIFIED IDEOGRAPH:'BAF1:47857:&#x7DA0 CJK UNIFIED IDEOGRAPH:'BAF2:47858:&#x7DCA CJK UNIFIED IDEOGRAPH:'BAF3:47859:&#x7DB4 CJK UNIFIED IDEOGRAPH:'BAF4:47860:&#x7DB2 CJK UNIFIED IDEOGRAPH:'BAF5:47861:&#x7DB1 CJK UNIFIED IDEOGRAPH:'BAF6:47862:&#x7DBA CJK UNIFIED IDEOGRAPH:'BAF7:47863:&#x7DA2 CJK UNIFIED IDEOGRAPH:'BAF8:47864:&#x7DBF CJK UNIFIED IDEOGRAPH:'BAF9:47865:&#x7DB5 CJK UNIFIED IDEOGRAPH:'BAFA:47866:&#x7DB8 CJK UNIFIED IDEOGRAPH:'BAFB:47867:&#x7DAD CJK UNIFIED IDEOGRAPH:'BAFC:47868:&#x7DD2 CJK UNIFIED IDEOGRAPH:'BAFD:47869:&#x7DC7 CJK UNIFIED IDEOGRAPH:'BAFE:47870:&#x7DAC CJK UNIFIED IDEOGRAPH:'BB40:47936:&#x7F70 CJK UNIFIED IDEOGRAPH:'BB41:47937:&#x7FE0 CJK UNIFIED IDEOGRAPH:'BB42:47938:&#x7FE1 CJK UNIFIED IDEOGRAPH:'BB43:47939:&#x7FDF CJK UNIFIED IDEOGRAPH:'BB44:47940:&#x805E CJK UNIFIED IDEOGRAPH:'BB45:47941:&#x805A CJK UNIFIED IDEOGRAPH:'BB46:47942:&#x8087 CJK UNIFIED IDEOGRAPH:'BB47:47943:&#x8150 CJK UNIFIED IDEOGRAPH:'BB48:47944:&#x8180 CJK UNIFIED IDEOGRAPH:'BB49:47945:&#x818F CJK UNIFIED IDEOGRAPH:'BB4A:47946:&#x8188 CJK UNIFIED IDEOGRAPH:'BB4B:47947:&#x818A CJK UNIFIED IDEOGRAPH:'BB4C:47948:&#x817F CJK UNIFIED IDEOGRAPH:'BB4D:47949:&#x8182 CJK UNIFIED IDEOGRAPH:'BB4E:47950:&#x81E7 CJK UNIFIED IDEOGRAPH:'BB4F:47951:&#x81FA CJK UNIFIED IDEOGRAPH:'BB50:47952:&#x8207 CJK UNIFIED IDEOGRAPH:'BB51:47953:&#x8214 CJK UNIFIED IDEOGRAPH:'BB52:47954:&#x821E CJK UNIFIED IDEOGRAPH:'BB53:47955:&#x824B CJK UNIFIED IDEOGRAPH:'BB54:47956:&#x84C9 CJK UNIFIED IDEOGRAPH:'BB55:47957:&#x84BF CJK UNIFIED IDEOGRAPH:'BB56:47958:&#x84C6 CJK UNIFIED IDEOGRAPH:'BB57:47959:&#x84C4 CJK UNIFIED IDEOGRAPH:'BB58:47960:&#x8499 CJK UNIFIED IDEOGRAPH:'BB59:47961:&#x849E CJK UNIFIED IDEOGRAPH:'BB5A:47962:&#x84B2 CJK UNIFIED IDEOGRAPH:'BB5B:47963:&#x849C CJK UNIFIED IDEOGRAPH:'BB5C:47964:&#x84CB CJK UNIFIED IDEOGRAPH:'BB5D:47965:&#x84B8 CJK UNIFIED IDEOGRAPH:'BB5E:47966:&#x84C0 CJK UNIFIED IDEOGRAPH:'BB5F:47967:&#x84D3 CJK UNIFIED IDEOGRAPH:'BB60:47968:&#x8490 CJK UNIFIED IDEOGRAPH:'BB61:47969:&#x84BC CJK UNIFIED IDEOGRAPH:'BB62:47970:&#x84D1 CJK UNIFIED IDEOGRAPH:'BB63:47971:&#x84CA CJK UNIFIED IDEOGRAPH:'BB64:47972:&#x873F CJK UNIFIED IDEOGRAPH:'BB65:47973:&#x871C CJK UNIFIED IDEOGRAPH:'BB66:47974:&#x873B CJK UNIFIED IDEOGRAPH:'BB67:47975:&#x8722 CJK UNIFIED IDEOGRAPH:'BB68:47976:&#x8725 CJK UNIFIED IDEOGRAPH:'BB69:47977:&#x8734 CJK UNIFIED IDEOGRAPH:'BB6A:47978:&#x8718 CJK UNIFIED IDEOGRAPH:'BB6B:47979:&#x8755 CJK UNIFIED IDEOGRAPH:'BB6C:47980:&#x8737 CJK UNIFIED IDEOGRAPH:'BB6D:47981:&#x8729 CJK UNIFIED IDEOGRAPH:'BB6E:47982:&#x88F3 CJK UNIFIED IDEOGRAPH:'BB6F:47983:&#x8902 CJK UNIFIED IDEOGRAPH:'BB70:47984:&#x88F4 CJK UNIFIED IDEOGRAPH:'BB71:47985:&#x88F9 CJK UNIFIED IDEOGRAPH:'BB72:47986:&#x88F8 CJK UNIFIED IDEOGRAPH:'BB73:47987:&#x88FD CJK UNIFIED IDEOGRAPH:'BB74:47988:&#x88E8 CJK UNIFIED IDEOGRAPH:'BB75:47989:&#x891A CJK UNIFIED IDEOGRAPH:'BB76:47990:&#x88EF CJK UNIFIED IDEOGRAPH:'BB77:47991:&#x8AA6 CJK UNIFIED IDEOGRAPH:'BB78:47992:&#x8A8C CJK UNIFIED IDEOGRAPH:'BB79:47993:&#x8A9E CJK UNIFIED IDEOGRAPH:'BB7A:47994:&#x8AA3 CJK UNIFIED IDEOGRAPH:'BB7B:47995:&#x8A8D CJK UNIFIED IDEOGRAPH:'BB7C:47996:&#x8AA1 CJK UNIFIED IDEOGRAPH:'BB7D:47997:&#x8A93 CJK UNIFIED IDEOGRAPH:'BB7E:47998:&#x8AA4 CJK UNIFIED IDEOGRAPH:'BBA1:48033:&#x8AAA CJK UNIFIED IDEOGRAPH:'BBA2:48034:&#x8AA5 CJK UNIFIED IDEOGRAPH:'BBA3:48035:&#x8AA8 CJK UNIFIED IDEOGRAPH:'BBA4:48036:&#x8A98 CJK UNIFIED IDEOGRAPH:'BBA5:48037:&#x8A91 CJK UNIFIED IDEOGRAPH:'BBA6:48038:&#x8A9A CJK UNIFIED IDEOGRAPH:'BBA7:48039:&#x8AA7 CJK UNIFIED IDEOGRAPH:'BBA8:48040:&#x8C6A CJK UNIFIED IDEOGRAPH:'BBA9:48041:&#x8C8D CJK UNIFIED IDEOGRAPH:'BBAA:48042:&#x8C8C CJK UNIFIED IDEOGRAPH:'BBAB:48043:&#x8CD3 CJK UNIFIED IDEOGRAPH:'BBAC:48044:&#x8CD1 CJK UNIFIED IDEOGRAPH:'BBAD:48045:&#x8CD2 CJK UNIFIED IDEOGRAPH:'BBAE:48046:&#x8D6B CJK UNIFIED IDEOGRAPH:'BBAF:48047:&#x8D99 CJK UNIFIED IDEOGRAPH:'BBB0:48048:&#x8D95 CJK UNIFIED IDEOGRAPH:'BBB1:48049:&#x8DFC CJK UNIFIED IDEOGRAPH:'BBB2:48050:&#x8F14 CJK UNIFIED IDEOGRAPH:'BBB3:48051:&#x8F12 CJK UNIFIED IDEOGRAPH:'BBB4:48052:&#x8F15 CJK UNIFIED IDEOGRAPH:'BBB5:48053:&#x8F13 CJK UNIFIED IDEOGRAPH:'BBB6:48054:&#x8FA3 CJK UNIFIED IDEOGRAPH:'BBB7:48055:&#x9060 CJK UNIFIED IDEOGRAPH:'BBB8:48056:&#x9058 CJK UNIFIED IDEOGRAPH:'BBB9:48057:&#x905C CJK UNIFIED IDEOGRAPH:'BBBA:48058:&#x9063 CJK UNIFIED IDEOGRAPH:'BBBB:48059:&#x9059 CJK UNIFIED IDEOGRAPH:'BBBC:48060:&#x905E CJK UNIFIED IDEOGRAPH:'BBBD:48061:&#x9062 CJK UNIFIED IDEOGRAPH:'BBBE:48062:&#x905D CJK UNIFIED IDEOGRAPH:'BBBF:48063:&#x905B CJK UNIFIED IDEOGRAPH:'BBC0:48064:&#x9119 CJK UNIFIED IDEOGRAPH:'BBC1:48065:&#x9118 CJK UNIFIED IDEOGRAPH:'BBC2:48066:&#x911E CJK UNIFIED IDEOGRAPH:'BBC3:48067:&#x9175 CJK UNIFIED IDEOGRAPH:'BBC4:48068:&#x9178 CJK UNIFIED IDEOGRAPH:'BBC5:48069:&#x9177 CJK UNIFIED IDEOGRAPH:'BBC6:48070:&#x9174 CJK UNIFIED IDEOGRAPH:'BBC7:48071:&#x9278 CJK UNIFIED IDEOGRAPH:'BBC8:48072:&#x9280 CJK UNIFIED IDEOGRAPH:'BBC9:48073:&#x9285 CJK UNIFIED IDEOGRAPH:'BBCA:48074:&#x9298 CJK UNIFIED IDEOGRAPH:'BBCB:48075:&#x9296 CJK UNIFIED IDEOGRAPH:'BBCC:48076:&#x927B CJK UNIFIED IDEOGRAPH:'BBCD:48077:&#x9293 CJK UNIFIED IDEOGRAPH:'BBCE:48078:&#x929C CJK UNIFIED IDEOGRAPH:'BBCF:48079:&#x92A8 CJK UNIFIED IDEOGRAPH:'BBD0:48080:&#x927C CJK UNIFIED IDEOGRAPH:'BBD1:48081:&#x9291 CJK UNIFIED IDEOGRAPH:'BBD2:48082:&#x95A1 CJK UNIFIED IDEOGRAPH:'BBD3:48083:&#x95A8 CJK UNIFIED IDEOGRAPH:'BBD4:48084:&#x95A9 CJK UNIFIED IDEOGRAPH:'BBD5:48085:&#x95A3 CJK UNIFIED IDEOGRAPH:'BBD6:48086:&#x95A5 CJK UNIFIED IDEOGRAPH:'BBD7:48087:&#x95A4 CJK UNIFIED IDEOGRAPH:'BBD8:48088:&#x9699 CJK UNIFIED IDEOGRAPH:'BBD9:48089:&#x969C CJK UNIFIED IDEOGRAPH:'BBDA:48090:&#x969B CJK UNIFIED IDEOGRAPH:'BBDB:48091:&#x96CC CJK UNIFIED IDEOGRAPH:'BBDC:48092:&#x96D2 CJK UNIFIED IDEOGRAPH:'BBDD:48093:&#x9700 CJK UNIFIED IDEOGRAPH:'BBDE:48094:&#x977C CJK UNIFIED IDEOGRAPH:'BBDF:48095:&#x9785 CJK UNIFIED IDEOGRAPH:'BBE0:48096:&#x97F6 CJK UNIFIED IDEOGRAPH:'BBE1:48097:&#x9817 CJK UNIFIED IDEOGRAPH:'BBE2:48098:&#x9818 CJK UNIFIED IDEOGRAPH:'BBE3:48099:&#x98AF CJK UNIFIED IDEOGRAPH:'BBE4:48100:&#x98B1 CJK UNIFIED IDEOGRAPH:'BBE5:48101:&#x9903 CJK UNIFIED IDEOGRAPH:'BBE6:48102:&#x9905 CJK UNIFIED IDEOGRAPH:'BBE7:48103:&#x990C CJK UNIFIED IDEOGRAPH:'BBE8:48104:&#x9909 CJK UNIFIED IDEOGRAPH:'BBE9:48105:&#x99C1 CJK UNIFIED IDEOGRAPH:'BBEA:48106:&#x9AAF CJK UNIFIED IDEOGRAPH:'BBEB:48107:&#x9AB0 CJK UNIFIED IDEOGRAPH:'BBEC:48108:&#x9AE6 CJK UNIFIED IDEOGRAPH:'BBED:48109:&#x9B41 CJK UNIFIED IDEOGRAPH:'BBEE:48110:&#x9B42 CJK UNIFIED IDEOGRAPH:'BBEF:48111:&#x9CF4 CJK UNIFIED IDEOGRAPH:'BBF0:48112:&#x9CF6 CJK UNIFIED IDEOGRAPH:'BBF1:48113:&#x9CF3 CJK UNIFIED IDEOGRAPH:'BBF2:48114:&#x9EBC CJK UNIFIED IDEOGRAPH:'BBF3:48115:&#x9F3B CJK UNIFIED IDEOGRAPH:'BBF4:48116:&#x9F4A CJK UNIFIED IDEOGRAPH:'BBF5:48117:&#x5104 CJK UNIFIED IDEOGRAPH:'BBF6:48118:&#x5100 CJK UNIFIED IDEOGRAPH:'BBF7:48119:&#x50FB CJK UNIFIED IDEOGRAPH:'BBF8:48120:&#x50F5 CJK UNIFIED IDEOGRAPH:'BBF9:48121:&#x50F9 CJK UNIFIED IDEOGRAPH:'BBFA:48122:&#x5102 CJK UNIFIED IDEOGRAPH:'BBFB:48123:&#x5108 CJK UNIFIED IDEOGRAPH:'BBFC:48124:&#x5109 CJK UNIFIED IDEOGRAPH:'BBFD:48125:&#x5105 CJK UNIFIED IDEOGRAPH:'BBFE:48126:&#x51DC CJK UNIFIED IDEOGRAPH:'BC40:48192:&#x5287 CJK UNIFIED IDEOGRAPH:'BC41:48193:&#x5288 CJK UNIFIED IDEOGRAPH:'BC42:48194:&#x5289 CJK UNIFIED IDEOGRAPH:'BC43:48195:&#x528D CJK UNIFIED IDEOGRAPH:'BC44:48196:&#x528A CJK UNIFIED IDEOGRAPH:'BC45:48197:&#x52F0 CJK UNIFIED IDEOGRAPH:'BC46:48198:&#x53B2 CJK UNIFIED IDEOGRAPH:'BC47:48199:&#x562E CJK UNIFIED IDEOGRAPH:'BC48:48200:&#x563B CJK UNIFIED IDEOGRAPH:'BC49:48201:&#x5639 CJK UNIFIED IDEOGRAPH:'BC4A:48202:&#x5632 CJK UNIFIED IDEOGRAPH:'BC4B:48203:&#x563F CJK UNIFIED IDEOGRAPH:'BC4C:48204:&#x5634 CJK UNIFIED IDEOGRAPH:'BC4D:48205:&#x5629 CJK UNIFIED IDEOGRAPH:'BC4E:48206:&#x5653 CJK UNIFIED IDEOGRAPH:'BC4F:48207:&#x564E CJK UNIFIED IDEOGRAPH:'BC50:48208:&#x5657 CJK UNIFIED IDEOGRAPH:'BC51:48209:&#x5674 CJK UNIFIED IDEOGRAPH:'BC52:48210:&#x5636 CJK UNIFIED IDEOGRAPH:'BC53:48211:&#x562F CJK UNIFIED IDEOGRAPH:'BC54:48212:&#x5630 CJK UNIFIED IDEOGRAPH:'BC55:48213:&#x5880 CJK UNIFIED IDEOGRAPH:'BC56:48214:&#x589F CJK UNIFIED IDEOGRAPH:'BC57:48215:&#x589E CJK UNIFIED IDEOGRAPH:'BC58:48216:&#x58B3 CJK UNIFIED IDEOGRAPH:'BC59:48217:&#x589C CJK UNIFIED IDEOGRAPH:'BC5A:48218:&#x58AE CJK UNIFIED IDEOGRAPH:'BC5B:48219:&#x58A9 CJK UNIFIED IDEOGRAPH:'BC5C:48220:&#x58A6 CJK UNIFIED IDEOGRAPH:'BC5D:48221:&#x596D CJK UNIFIED IDEOGRAPH:'BC5E:48222:&#x5B09 CJK UNIFIED IDEOGRAPH:'BC5F:48223:&#x5AFB CJK UNIFIED IDEOGRAPH:'BC60:48224:&#x5B0B CJK UNIFIED IDEOGRAPH:'BC61:48225:&#x5AF5 CJK UNIFIED IDEOGRAPH:'BC62:48226:&#x5B0C CJK UNIFIED IDEOGRAPH:'BC63:48227:&#x5B08 CJK UNIFIED IDEOGRAPH:'BC64:48228:&#x5BEE CJK UNIFIED IDEOGRAPH:'BC65:48229:&#x5BEC CJK UNIFIED IDEOGRAPH:'BC66:48230:&#x5BE9 CJK UNIFIED IDEOGRAPH:'BC67:48231:&#x5BEB CJK UNIFIED IDEOGRAPH:'BC68:48232:&#x5C64 CJK UNIFIED IDEOGRAPH:'BC69:48233:&#x5C65 CJK UNIFIED IDEOGRAPH:'BC6A:48234:&#x5D9D CJK UNIFIED IDEOGRAPH:'BC6B:48235:&#x5D94 CJK UNIFIED IDEOGRAPH:'BC6C:48236:&#x5E62 CJK UNIFIED IDEOGRAPH:'BC6D:48237:&#x5E5F CJK UNIFIED IDEOGRAPH:'BC6E:48238:&#x5E61 CJK UNIFIED IDEOGRAPH:'BC6F:48239:&#x5EE2 CJK UNIFIED IDEOGRAPH:'BC70:48240:&#x5EDA CJK UNIFIED IDEOGRAPH:'BC71:48241:&#x5EDF CJK UNIFIED IDEOGRAPH:'BC72:48242:&#x5EDD CJK UNIFIED IDEOGRAPH:'BC73:48243:&#x5EE3 CJK UNIFIED IDEOGRAPH:'BC74:48244:&#x5EE0 CJK UNIFIED IDEOGRAPH:'BC75:48245:&#x5F48 CJK UNIFIED IDEOGRAPH:'BC76:48246:&#x5F71 CJK UNIFIED IDEOGRAPH:'BC77:48247:&#x5FB7 CJK UNIFIED IDEOGRAPH:'BC78:48248:&#x5FB5 CJK UNIFIED IDEOGRAPH:'BC79:48249:&#x6176 CJK UNIFIED IDEOGRAPH:'BC7A:48250:&#x6167 CJK UNIFIED IDEOGRAPH:'BC7B:48251:&#x616E CJK UNIFIED IDEOGRAPH:'BC7C:48252:&#x615D CJK UNIFIED IDEOGRAPH:'BC7D:48253:&#x6155 CJK UNIFIED IDEOGRAPH:'BC7E:48254:&#x6182 CJK UNIFIED IDEOGRAPH:'BCA1:48289:&#x617C CJK UNIFIED IDEOGRAPH:'BCA2:48290:&#x6170 CJK UNIFIED IDEOGRAPH:'BCA3:48291:&#x616B CJK UNIFIED IDEOGRAPH:'BCA4:48292:&#x617E CJK UNIFIED IDEOGRAPH:'BCA5:48293:&#x61A7 CJK UNIFIED IDEOGRAPH:'BCA6:48294:&#x6190 CJK UNIFIED IDEOGRAPH:'BCA7:48295:&#x61AB CJK UNIFIED IDEOGRAPH:'BCA8:48296:&#x618E CJK UNIFIED IDEOGRAPH:'BCA9:48297:&#x61AC CJK UNIFIED IDEOGRAPH:'BCAA:48298:&#x619A CJK UNIFIED IDEOGRAPH:'BCAB:48299:&#x61A4 CJK UNIFIED IDEOGRAPH:'BCAC:48300:&#x6194 CJK UNIFIED IDEOGRAPH:'BCAD:48301:&#x61AE CJK UNIFIED IDEOGRAPH:'BCAE:48302:&#x622E CJK UNIFIED IDEOGRAPH:'BCAF:48303:&#x6469 CJK UNIFIED IDEOGRAPH:'BCB0:48304:&#x646F CJK UNIFIED IDEOGRAPH:'BCB1:48305:&#x6479 CJK UNIFIED IDEOGRAPH:'BCB2:48306:&#x649E CJK UNIFIED IDEOGRAPH:'BCB3:48307:&#x64B2 CJK UNIFIED IDEOGRAPH:'BCB4:48308:&#x6488 CJK UNIFIED IDEOGRAPH:'BCB5:48309:&#x6490 CJK UNIFIED IDEOGRAPH:'BCB6:48310:&#x64B0 CJK UNIFIED IDEOGRAPH:'BCB7:48311:&#x64A5 CJK UNIFIED IDEOGRAPH:'BCB8:48312:&#x6493 CJK UNIFIED IDEOGRAPH:'BCB9:48313:&#x6495 CJK UNIFIED IDEOGRAPH:'BCBA:48314:&#x64A9 CJK UNIFIED IDEOGRAPH:'BCBB:48315:&#x6492 CJK UNIFIED IDEOGRAPH:'BCBC:48316:&#x64AE CJK UNIFIED IDEOGRAPH:'BCBD:48317:&#x64AD CJK UNIFIED IDEOGRAPH:'BCBE:48318:&#x64AB CJK UNIFIED IDEOGRAPH:'BCBF:48319:&#x649A CJK UNIFIED IDEOGRAPH:'BCC0:48320:&#x64AC CJK UNIFIED IDEOGRAPH:'BCC1:48321:&#x6499 CJK UNIFIED IDEOGRAPH:'BCC2:48322:&#x64A2 CJK UNIFIED IDEOGRAPH:'BCC3:48323:&#x64B3 CJK UNIFIED IDEOGRAPH:'BCC4:48324:&#x6575 CJK UNIFIED IDEOGRAPH:'BCC5:48325:&#x6577 CJK UNIFIED IDEOGRAPH:'BCC6:48326:&#x6578 CJK UNIFIED IDEOGRAPH:'BCC7:48327:&#x66AE CJK UNIFIED IDEOGRAPH:'BCC8:48328:&#x66AB CJK UNIFIED IDEOGRAPH:'BCC9:48329:&#x66B4 CJK UNIFIED IDEOGRAPH:'BCCA:48330:&#x66B1 CJK UNIFIED IDEOGRAPH:'BCCB:48331:&#x6A23 CJK UNIFIED IDEOGRAPH:'BCCC:48332:&#x6A1F CJK UNIFIED IDEOGRAPH:'BCCD:48333:&#x69E8 CJK UNIFIED IDEOGRAPH:'BCCE:48334:&#x6A01 CJK UNIFIED IDEOGRAPH:'BCCF:48335:&#x6A1E CJK UNIFIED IDEOGRAPH:'BCD0:48336:&#x6A19 CJK UNIFIED IDEOGRAPH:'BCD1:48337:&#x69FD CJK UNIFIED IDEOGRAPH:'BCD2:48338:&#x6A21 CJK UNIFIED IDEOGRAPH:'BCD3:48339:&#x6A13 CJK UNIFIED IDEOGRAPH:'BCD4:48340:&#x6A0A CJK UNIFIED IDEOGRAPH:'BCD5:48341:&#x69F3 CJK UNIFIED IDEOGRAPH:'BCD6:48342:&#x6A02 CJK UNIFIED IDEOGRAPH:'BCD7:48343:&#x6A05 CJK UNIFIED IDEOGRAPH:'BCD8:48344:&#x69ED CJK UNIFIED IDEOGRAPH:'BCD9:48345:&#x6A11 CJK UNIFIED IDEOGRAPH:'BCDA:48346:&#x6B50 CJK UNIFIED IDEOGRAPH:'BCDB:48347:&#x6B4E CJK UNIFIED IDEOGRAPH:'BCDC:48348:&#x6BA4 CJK UNIFIED IDEOGRAPH:'BCDD:48349:&#x6BC5 CJK UNIFIED IDEOGRAPH:'BCDE:48350:&#x6BC6 CJK UNIFIED IDEOGRAPH:'BCDF:48351:&#x6F3F CJK UNIFIED IDEOGRAPH:'BCE0:48352:&#x6F7C CJK UNIFIED IDEOGRAPH:'BCE1:48353:&#x6F84 CJK UNIFIED IDEOGRAPH:'BCE2:48354:&#x6F51 CJK UNIFIED IDEOGRAPH:'BCE3:48355:&#x6F66 CJK UNIFIED IDEOGRAPH:'BCE4:48356:&#x6F54 CJK UNIFIED IDEOGRAPH:'BCE5:48357:&#x6F86 CJK UNIFIED IDEOGRAPH:'BCE6:48358:&#x6F6D CJK UNIFIED IDEOGRAPH:'BCE7:48359:&#x6F5B CJK UNIFIED IDEOGRAPH:'BCE8:48360:&#x6F78 CJK UNIFIED IDEOGRAPH:'BCE9:48361:&#x6F6E CJK UNIFIED IDEOGRAPH:'BCEA:48362:&#x6F8E CJK UNIFIED IDEOGRAPH:'BCEB:48363:&#x6F7A CJK UNIFIED IDEOGRAPH:'BCEC:48364:&#x6F70 CJK UNIFIED IDEOGRAPH:'BCED:48365:&#x6F64 CJK UNIFIED IDEOGRAPH:'BCEE:48366:&#x6F97 CJK UNIFIED IDEOGRAPH:'BCEF:48367:&#x6F58 CJK UNIFIED IDEOGRAPH:'BCF0:48368:&#x6ED5 CJK UNIFIED IDEOGRAPH:'BCF1:48369:&#x6F6F CJK UNIFIED IDEOGRAPH:'BCF2:48370:&#x6F60 CJK UNIFIED IDEOGRAPH:'BCF3:48371:&#x6F5F CJK UNIFIED IDEOGRAPH:'BCF4:48372:&#x719F CJK UNIFIED IDEOGRAPH:'BCF5:48373:&#x71AC CJK UNIFIED IDEOGRAPH:'BCF6:48374:&#x71B1 CJK UNIFIED IDEOGRAPH:'BCF7:48375:&#x71A8 CJK UNIFIED IDEOGRAPH:'BCF8:48376:&#x7256 CJK UNIFIED IDEOGRAPH:'BCF9:48377:&#x729B CJK UNIFIED IDEOGRAPH:'BCFA:48378:&#x734E CJK UNIFIED IDEOGRAPH:'BCFB:48379:&#x7357 CJK UNIFIED IDEOGRAPH:'BCFC:48380:&#x7469 CJK UNIFIED IDEOGRAPH:'BCFD:48381:&#x748B CJK UNIFIED IDEOGRAPH:'BCFE:48382:&#x7483 CJK UNIFIED IDEOGRAPH:'BD40:48448:&#x747E CJK UNIFIED IDEOGRAPH:'BD41:48449:&#x7480 CJK UNIFIED IDEOGRAPH:'BD42:48450:&#x757F CJK UNIFIED IDEOGRAPH:'BD43:48451:&#x7620 CJK UNIFIED IDEOGRAPH:'BD44:48452:&#x7629 CJK UNIFIED IDEOGRAPH:'BD45:48453:&#x761F CJK UNIFIED IDEOGRAPH:'BD46:48454:&#x7624 CJK UNIFIED IDEOGRAPH:'BD47:48455:&#x7626 CJK UNIFIED IDEOGRAPH:'BD48:48456:&#x7621 CJK UNIFIED IDEOGRAPH:'BD49:48457:&#x7622 CJK UNIFIED IDEOGRAPH:'BD4A:48458:&#x769A CJK UNIFIED IDEOGRAPH:'BD4B:48459:&#x76BA CJK UNIFIED IDEOGRAPH:'BD4C:48460:&#x76E4 CJK UNIFIED IDEOGRAPH:'BD4D:48461:&#x778E CJK UNIFIED IDEOGRAPH:'BD4E:48462:&#x7787 CJK UNIFIED IDEOGRAPH:'BD4F:48463:&#x778C CJK UNIFIED IDEOGRAPH:'BD50:48464:&#x7791 CJK UNIFIED IDEOGRAPH:'BD51:48465:&#x778B CJK UNIFIED IDEOGRAPH:'BD52:48466:&#x78CB CJK UNIFIED IDEOGRAPH:'BD53:48467:&#x78C5 CJK UNIFIED IDEOGRAPH:'BD54:48468:&#x78BA CJK UNIFIED IDEOGRAPH:'BD55:48469:&#x78CA CJK UNIFIED IDEOGRAPH:'BD56:48470:&#x78BE CJK UNIFIED IDEOGRAPH:'BD57:48471:&#x78D5 CJK UNIFIED IDEOGRAPH:'BD58:48472:&#x78BC CJK UNIFIED IDEOGRAPH:'BD59:48473:&#x78D0 CJK UNIFIED IDEOGRAPH:'BD5A:48474:&#x7A3F CJK UNIFIED IDEOGRAPH:'BD5B:48475:&#x7A3C CJK UNIFIED IDEOGRAPH:'BD5C:48476:&#x7A40 CJK UNIFIED IDEOGRAPH:'BD5D:48477:&#x7A3D CJK UNIFIED IDEOGRAPH:'BD5E:48478:&#x7A37 CJK UNIFIED IDEOGRAPH:'BD5F:48479:&#x7A3B CJK UNIFIED IDEOGRAPH:'BD60:48480:&#x7AAF CJK UNIFIED IDEOGRAPH:'BD61:48481:&#x7AAE CJK UNIFIED IDEOGRAPH:'BD62:48482:&#x7BAD CJK UNIFIED IDEOGRAPH:'BD63:48483:&#x7BB1 CJK UNIFIED IDEOGRAPH:'BD64:48484:&#x7BC4 CJK UNIFIED IDEOGRAPH:'BD65:48485:&#x7BB4 CJK UNIFIED IDEOGRAPH:'BD66:48486:&#x7BC6 CJK UNIFIED IDEOGRAPH:'BD67:48487:&#x7BC7 CJK UNIFIED IDEOGRAPH:'BD68:48488:&#x7BC1 CJK UNIFIED IDEOGRAPH:'BD69:48489:&#x7BA0 CJK UNIFIED IDEOGRAPH:'BD6A:48490:&#x7BCC CJK UNIFIED IDEOGRAPH:'BD6B:48491:&#x7CCA CJK UNIFIED IDEOGRAPH:'BD6C:48492:&#x7DE0 CJK UNIFIED IDEOGRAPH:'BD6D:48493:&#x7DF4 CJK UNIFIED IDEOGRAPH:'BD6E:48494:&#x7DEF CJK UNIFIED IDEOGRAPH:'BD6F:48495:&#x7DFB CJK UNIFIED IDEOGRAPH:'BD70:48496:&#x7DD8 CJK UNIFIED IDEOGRAPH:'BD71:48497:&#x7DEC CJK UNIFIED IDEOGRAPH:'BD72:48498:&#x7DDD CJK UNIFIED IDEOGRAPH:'BD73:48499:&#x7DE8 CJK UNIFIED IDEOGRAPH:'BD74:48500:&#x7DE3 CJK UNIFIED IDEOGRAPH:'BD75:48501:&#x7DDA CJK UNIFIED IDEOGRAPH:'BD76:48502:&#x7DDE CJK UNIFIED IDEOGRAPH:'BD77:48503:&#x7DE9 CJK UNIFIED IDEOGRAPH:'BD78:48504:&#x7D9E CJK UNIFIED IDEOGRAPH:'BD79:48505:&#x7DD9 CJK UNIFIED IDEOGRAPH:'BD7A:48506:&#x7DF2 CJK UNIFIED IDEOGRAPH:'BD7B:48507:&#x7DF9 CJK UNIFIED IDEOGRAPH:'BD7C:48508:&#x7F75 CJK UNIFIED IDEOGRAPH:'BD7D:48509:&#x7F77 CJK UNIFIED IDEOGRAPH:'BD7E:48510:&#x7FAF CJK UNIFIED IDEOGRAPH:'BDA1:48545:&#x7FE9 CJK UNIFIED IDEOGRAPH:'BDA2:48546:&#x8026 CJK UNIFIED IDEOGRAPH:'BDA3:48547:&#x819B CJK UNIFIED IDEOGRAPH:'BDA4:48548:&#x819C CJK UNIFIED IDEOGRAPH:'BDA5:48549:&#x819D CJK UNIFIED IDEOGRAPH:'BDA6:48550:&#x81A0 CJK UNIFIED IDEOGRAPH:'BDA7:48551:&#x819A CJK UNIFIED IDEOGRAPH:'BDA8:48552:&#x8198 CJK UNIFIED IDEOGRAPH:'BDA9:48553:&#x8517 CJK UNIFIED IDEOGRAPH:'BDAA:48554:&#x853D CJK UNIFIED IDEOGRAPH:'BDAB:48555:&#x851A CJK UNIFIED IDEOGRAPH:'BDAC:48556:&#x84EE CJK UNIFIED IDEOGRAPH:'BDAD:48557:&#x852C CJK UNIFIED IDEOGRAPH:'BDAE:48558:&#x852D CJK UNIFIED IDEOGRAPH:'BDAF:48559:&#x8513 CJK UNIFIED IDEOGRAPH:'BDB0:48560:&#x8511 CJK UNIFIED IDEOGRAPH:'BDB1:48561:&#x8523 CJK UNIFIED IDEOGRAPH:'BDB2:48562:&#x8521 CJK UNIFIED IDEOGRAPH:'BDB3:48563:&#x8514 CJK UNIFIED IDEOGRAPH:'BDB4:48564:&#x84EC CJK UNIFIED IDEOGRAPH:'BDB5:48565:&#x8525 CJK UNIFIED IDEOGRAPH:'BDB6:48566:&#x84FF CJK UNIFIED IDEOGRAPH:'BDB7:48567:&#x8506 CJK UNIFIED IDEOGRAPH:'BDB8:48568:&#x8782 CJK UNIFIED IDEOGRAPH:'BDB9:48569:&#x8774 CJK UNIFIED IDEOGRAPH:'BDBA:48570:&#x8776 CJK UNIFIED IDEOGRAPH:'BDBB:48571:&#x8760 CJK UNIFIED IDEOGRAPH:'BDBC:48572:&#x8766 CJK UNIFIED IDEOGRAPH:'BDBD:48573:&#x8778 CJK UNIFIED IDEOGRAPH:'BDBE:48574:&#x8768 CJK UNIFIED IDEOGRAPH:'BDBF:48575:&#x8759 CJK UNIFIED IDEOGRAPH:'BDC0:48576:&#x8757 CJK UNIFIED IDEOGRAPH:'BDC1:48577:&#x874C CJK UNIFIED IDEOGRAPH:'BDC2:48578:&#x8753 CJK UNIFIED IDEOGRAPH:'BDC3:48579:&#x885B CJK UNIFIED IDEOGRAPH:'BDC4:48580:&#x885D CJK UNIFIED IDEOGRAPH:'BDC5:48581:&#x8910 CJK UNIFIED IDEOGRAPH:'BDC6:48582:&#x8907 CJK UNIFIED IDEOGRAPH:'BDC7:48583:&#x8912 CJK UNIFIED IDEOGRAPH:'BDC8:48584:&#x8913 CJK UNIFIED IDEOGRAPH:'BDC9:48585:&#x8915 CJK UNIFIED IDEOGRAPH:'BDCA:48586:&#x890A CJK UNIFIED IDEOGRAPH:'BDCB:48587:&#x8ABC CJK UNIFIED IDEOGRAPH:'BDCC:48588:&#x8AD2 CJK UNIFIED IDEOGRAPH:'BDCD:48589:&#x8AC7 CJK UNIFIED IDEOGRAPH:'BDCE:48590:&#x8AC4 CJK UNIFIED IDEOGRAPH:'BDCF:48591:&#x8A95 CJK UNIFIED IDEOGRAPH:'BDD0:48592:&#x8ACB CJK UNIFIED IDEOGRAPH:'BDD1:48593:&#x8AF8 CJK UNIFIED IDEOGRAPH:'BDD2:48594:&#x8AB2 CJK UNIFIED IDEOGRAPH:'BDD3:48595:&#x8AC9 CJK UNIFIED IDEOGRAPH:'BDD4:48596:&#x8AC2 CJK UNIFIED IDEOGRAPH:'BDD5:48597:&#x8ABF CJK UNIFIED IDEOGRAPH:'BDD6:48598:&#x8AB0 CJK UNIFIED IDEOGRAPH:'BDD7:48599:&#x8AD6 CJK UNIFIED IDEOGRAPH:'BDD8:48600:&#x8ACD CJK UNIFIED IDEOGRAPH:'BDD9:48601:&#x8AB6 CJK UNIFIED IDEOGRAPH:'BDDA:48602:&#x8AB9 CJK UNIFIED IDEOGRAPH:'BDDB:48603:&#x8ADB CJK UNIFIED IDEOGRAPH:'BDDC:48604:&#x8C4C CJK UNIFIED IDEOGRAPH:'BDDD:48605:&#x8C4E CJK UNIFIED IDEOGRAPH:'BDDE:48606:&#x8C6C CJK UNIFIED IDEOGRAPH:'BDDF:48607:&#x8CE0 CJK UNIFIED IDEOGRAPH:'BDE0:48608:&#x8CDE CJK UNIFIED IDEOGRAPH:'BDE1:48609:&#x8CE6 CJK UNIFIED IDEOGRAPH:'BDE2:48610:&#x8CE4 CJK UNIFIED IDEOGRAPH:'BDE3:48611:&#x8CEC CJK UNIFIED IDEOGRAPH:'BDE4:48612:&#x8CED CJK UNIFIED IDEOGRAPH:'BDE5:48613:&#x8CE2 CJK UNIFIED IDEOGRAPH:'BDE6:48614:&#x8CE3 CJK UNIFIED IDEOGRAPH:'BDE7:48615:&#x8CDC CJK UNIFIED IDEOGRAPH:'BDE8:48616:&#x8CEA CJK UNIFIED IDEOGRAPH:'BDE9:48617:&#x8CE1 CJK UNIFIED IDEOGRAPH:'BDEA:48618:&#x8D6D CJK UNIFIED IDEOGRAPH:'BDEB:48619:&#x8D9F CJK UNIFIED IDEOGRAPH:'BDEC:48620:&#x8DA3 CJK UNIFIED IDEOGRAPH:'BDED:48621:&#x8E2B CJK UNIFIED IDEOGRAPH:'BDEE:48622:&#x8E10 CJK UNIFIED IDEOGRAPH:'BDEF:48623:&#x8E1D CJK UNIFIED IDEOGRAPH:'BDF0:48624:&#x8E22 CJK UNIFIED IDEOGRAPH:'BDF1:48625:&#x8E0F CJK UNIFIED IDEOGRAPH:'BDF2:48626:&#x8E29 CJK UNIFIED IDEOGRAPH:'BDF3:48627:&#x8E1F CJK UNIFIED IDEOGRAPH:'BDF4:48628:&#x8E21 CJK UNIFIED IDEOGRAPH:'BDF5:48629:&#x8E1E CJK UNIFIED IDEOGRAPH:'BDF6:48630:&#x8EBA CJK UNIFIED IDEOGRAPH:'BDF7:48631:&#x8F1D CJK UNIFIED IDEOGRAPH:'BDF8:48632:&#x8F1B CJK UNIFIED IDEOGRAPH:'BDF9:48633:&#x8F1F CJK UNIFIED IDEOGRAPH:'BDFA:48634:&#x8F29 CJK UNIFIED IDEOGRAPH:'BDFB:48635:&#x8F26 CJK UNIFIED IDEOGRAPH:'BDFC:48636:&#x8F2A CJK UNIFIED IDEOGRAPH:'BDFD:48637:&#x8F1C CJK UNIFIED IDEOGRAPH:'BDFE:48638:&#x8F1E CJK UNIFIED IDEOGRAPH:'BE40:48704:&#x8F25 CJK UNIFIED IDEOGRAPH:'BE41:48705:&#x9069 CJK UNIFIED IDEOGRAPH:'BE42:48706:&#x906E CJK UNIFIED IDEOGRAPH:'BE43:48707:&#x9068 CJK UNIFIED IDEOGRAPH:'BE44:48708:&#x906D CJK UNIFIED IDEOGRAPH:'BE45:48709:&#x9077 CJK UNIFIED IDEOGRAPH:'BE46:48710:&#x9130 CJK UNIFIED IDEOGRAPH:'BE47:48711:&#x912D CJK UNIFIED IDEOGRAPH:'BE48:48712:&#x9127 CJK UNIFIED IDEOGRAPH:'BE49:48713:&#x9131 CJK UNIFIED IDEOGRAPH:'BE4A:48714:&#x9187 CJK UNIFIED IDEOGRAPH:'BE4B:48715:&#x9189 CJK UNIFIED IDEOGRAPH:'BE4C:48716:&#x918B CJK UNIFIED IDEOGRAPH:'BE4D:48717:&#x9183 CJK UNIFIED IDEOGRAPH:'BE4E:48718:&#x92C5 CJK UNIFIED IDEOGRAPH:'BE4F:48719:&#x92BB CJK UNIFIED IDEOGRAPH:'BE50:48720:&#x92B7 CJK UNIFIED IDEOGRAPH:'BE51:48721:&#x92EA CJK UNIFIED IDEOGRAPH:'BE52:48722:&#x92AC CJK UNIFIED IDEOGRAPH:'BE53:48723:&#x92E4 CJK UNIFIED IDEOGRAPH:'BE54:48724:&#x92C1 CJK UNIFIED IDEOGRAPH:'BE55:48725:&#x92B3 CJK UNIFIED IDEOGRAPH:'BE56:48726:&#x92BC CJK UNIFIED IDEOGRAPH:'BE57:48727:&#x92D2 CJK UNIFIED IDEOGRAPH:'BE58:48728:&#x92C7 CJK UNIFIED IDEOGRAPH:'BE59:48729:&#x92F0 CJK UNIFIED IDEOGRAPH:'BE5A:48730:&#x92B2 CJK UNIFIED IDEOGRAPH:'BE5B:48731:&#x95AD CJK UNIFIED IDEOGRAPH:'BE5C:48732:&#x95B1 CJK UNIFIED IDEOGRAPH:'BE5D:48733:&#x9704 CJK UNIFIED IDEOGRAPH:'BE5E:48734:&#x9706 CJK UNIFIED IDEOGRAPH:'BE5F:48735:&#x9707 CJK UNIFIED IDEOGRAPH:'BE60:48736:&#x9709 CJK UNIFIED IDEOGRAPH:'BE61:48737:&#x9760 CJK UNIFIED IDEOGRAPH:'BE62:48738:&#x978D CJK UNIFIED IDEOGRAPH:'BE63:48739:&#x978B CJK UNIFIED IDEOGRAPH:'BE64:48740:&#x978F CJK UNIFIED IDEOGRAPH:'BE65:48741:&#x9821 CJK UNIFIED IDEOGRAPH:'BE66:48742:&#x982B CJK UNIFIED IDEOGRAPH:'BE67:48743:&#x981C CJK UNIFIED IDEOGRAPH:'BE68:48744:&#x98B3 CJK UNIFIED IDEOGRAPH:'BE69:48745:&#x990A CJK UNIFIED IDEOGRAPH:'BE6A:48746:&#x9913 CJK UNIFIED IDEOGRAPH:'BE6B:48747:&#x9912 CJK UNIFIED IDEOGRAPH:'BE6C:48748:&#x9918 CJK UNIFIED IDEOGRAPH:'BE6D:48749:&#x99DD CJK UNIFIED IDEOGRAPH:'BE6E:48750:&#x99D0 CJK UNIFIED IDEOGRAPH:'BE6F:48751:&#x99DF CJK UNIFIED IDEOGRAPH:'BE70:48752:&#x99DB CJK UNIFIED IDEOGRAPH:'BE71:48753:&#x99D1 CJK UNIFIED IDEOGRAPH:'BE72:48754:&#x99D5 CJK UNIFIED IDEOGRAPH:'BE73:48755:&#x99D2 CJK UNIFIED IDEOGRAPH:'BE74:48756:&#x99D9 CJK UNIFIED IDEOGRAPH:'BE75:48757:&#x9AB7 CJK UNIFIED IDEOGRAPH:'BE76:48758:&#x9AEE CJK UNIFIED IDEOGRAPH:'BE77:48759:&#x9AEF CJK UNIFIED IDEOGRAPH:'BE78:48760:&#x9B27 CJK UNIFIED IDEOGRAPH:'BE79:48761:&#x9B45 CJK UNIFIED IDEOGRAPH:'BE7A:48762:&#x9B44 CJK UNIFIED IDEOGRAPH:'BE7B:48763:&#x9B77 CJK UNIFIED IDEOGRAPH:'BE7C:48764:&#x9B6F CJK UNIFIED IDEOGRAPH:'BE7D:48765:&#x9D06 CJK UNIFIED IDEOGRAPH:'BE7E:48766:&#x9D09 CJK UNIFIED IDEOGRAPH:'BEA1:48801:&#x9D03 CJK UNIFIED IDEOGRAPH:'BEA2:48802:&#x9EA9 CJK UNIFIED IDEOGRAPH:'BEA3:48803:&#x9EBE CJK UNIFIED IDEOGRAPH:'BEA4:48804:&#x9ECE CJK UNIFIED IDEOGRAPH:'BEA5:48805:&#x58A8 CJK UNIFIED IDEOGRAPH:'BEA6:48806:&#x9F52 CJK UNIFIED IDEOGRAPH:'BEA7:48807:&#x5112 CJK UNIFIED IDEOGRAPH:'BEA8:48808:&#x5118 CJK UNIFIED IDEOGRAPH:'BEA9:48809:&#x5114 CJK UNIFIED IDEOGRAPH:'BEAA:48810:&#x5110 CJK UNIFIED IDEOGRAPH:'BEAB:48811:&#x5115 CJK UNIFIED IDEOGRAPH:'BEAC:48812:&#x5180 CJK UNIFIED IDEOGRAPH:'BEAD:48813:&#x51AA CJK UNIFIED IDEOGRAPH:'BEAE:48814:&#x51DD CJK UNIFIED IDEOGRAPH:'BEAF:48815:&#x5291 CJK UNIFIED IDEOGRAPH:'BEB0:48816:&#x5293 CJK UNIFIED IDEOGRAPH:'BEB1:48817:&#x52F3 CJK UNIFIED IDEOGRAPH:'BEB2:48818:&#x5659 CJK UNIFIED IDEOGRAPH:'BEB3:48819:&#x566B CJK UNIFIED IDEOGRAPH:'BEB4:48820:&#x5679 CJK UNIFIED IDEOGRAPH:'BEB5:48821:&#x5669 CJK UNIFIED IDEOGRAPH:'BEB6:48822:&#x5664 CJK UNIFIED IDEOGRAPH:'BEB7:48823:&#x5678 CJK UNIFIED IDEOGRAPH:'BEB8:48824:&#x566A CJK UNIFIED IDEOGRAPH:'BEB9:48825:&#x5668 CJK UNIFIED IDEOGRAPH:'BEBA:48826:&#x5665 CJK UNIFIED IDEOGRAPH:'BEBB:48827:&#x5671 CJK UNIFIED IDEOGRAPH:'BEBC:48828:&#x566F CJK UNIFIED IDEOGRAPH:'BEBD:48829:&#x566C CJK UNIFIED IDEOGRAPH:'BEBE:48830:&#x5662 CJK UNIFIED IDEOGRAPH:'BEBF:48831:&#x5676 CJK UNIFIED IDEOGRAPH:'BEC0:48832:&#x58C1 CJK UNIFIED IDEOGRAPH:'BEC1:48833:&#x58BE CJK UNIFIED IDEOGRAPH:'BEC2:48834:&#x58C7 CJK UNIFIED IDEOGRAPH:'BEC3:48835:&#x58C5 CJK UNIFIED IDEOGRAPH:'BEC4:48836:&#x596E CJK UNIFIED IDEOGRAPH:'BEC5:48837:&#x5B1D CJK UNIFIED IDEOGRAPH:'BEC6:48838:&#x5B34 CJK UNIFIED IDEOGRAPH:'BEC7:48839:&#x5B78 CJK UNIFIED IDEOGRAPH:'BEC8:48840:&#x5BF0 CJK UNIFIED IDEOGRAPH:'BEC9:48841:&#x5C0E CJK UNIFIED IDEOGRAPH:'BECA:48842:&#x5F4A CJK UNIFIED IDEOGRAPH:'BECB:48843:&#x61B2 CJK UNIFIED IDEOGRAPH:'BECC:48844:&#x6191 CJK UNIFIED IDEOGRAPH:'BECD:48845:&#x61A9 CJK UNIFIED IDEOGRAPH:'BECE:48846:&#x618A CJK UNIFIED IDEOGRAPH:'BECF:48847:&#x61CD CJK UNIFIED IDEOGRAPH:'BED0:48848:&#x61B6 CJK UNIFIED IDEOGRAPH:'BED1:48849:&#x61BE CJK UNIFIED IDEOGRAPH:'BED2:48850:&#x61CA CJK UNIFIED IDEOGRAPH:'BED3:48851:&#x61C8 CJK UNIFIED IDEOGRAPH:'BED4:48852:&#x6230 CJK UNIFIED IDEOGRAPH:'BED5:48853:&#x64C5 CJK UNIFIED IDEOGRAPH:'BED6:48854:&#x64C1 CJK UNIFIED IDEOGRAPH:'BED7:48855:&#x64CB CJK UNIFIED IDEOGRAPH:'BED8:48856:&#x64BB CJK UNIFIED IDEOGRAPH:'BED9:48857:&#x64BC CJK UNIFIED IDEOGRAPH:'BEDA:48858:&#x64DA CJK UNIFIED IDEOGRAPH:'BEDB:48859:&#x64C4 CJK UNIFIED IDEOGRAPH:'BEDC:48860:&#x64C7 CJK UNIFIED IDEOGRAPH:'BEDD:48861:&#x64C2 CJK UNIFIED IDEOGRAPH:'BEDE:48862:&#x64CD CJK UNIFIED IDEOGRAPH:'BEDF:48863:&#x64BF CJK UNIFIED IDEOGRAPH:'BEE0:48864:&#x64D2 CJK UNIFIED IDEOGRAPH:'BEE1:48865:&#x64D4 CJK UNIFIED IDEOGRAPH:'BEE2:48866:&#x64BE CJK UNIFIED IDEOGRAPH:'BEE3:48867:&#x6574 CJK UNIFIED IDEOGRAPH:'BEE4:48868:&#x66C6 CJK UNIFIED IDEOGRAPH:'BEE5:48869:&#x66C9 CJK UNIFIED IDEOGRAPH:'BEE6:48870:&#x66B9 CJK UNIFIED IDEOGRAPH:'BEE7:48871:&#x66C4 CJK UNIFIED IDEOGRAPH:'BEE8:48872:&#x66C7 CJK UNIFIED IDEOGRAPH:'BEE9:48873:&#x66B8 CJK UNIFIED IDEOGRAPH:'BEEA:48874:&#x6A3D CJK UNIFIED IDEOGRAPH:'BEEB:48875:&#x6A38 CJK UNIFIED IDEOGRAPH:'BEEC:48876:&#x6A3A CJK UNIFIED IDEOGRAPH:'BEED:48877:&#x6A59 CJK UNIFIED IDEOGRAPH:'BEEE:48878:&#x6A6B CJK UNIFIED IDEOGRAPH:'BEEF:48879:&#x6A58 CJK UNIFIED IDEOGRAPH:'BEF0:48880:&#x6A39 CJK UNIFIED IDEOGRAPH:'BEF1:48881:&#x6A44 CJK UNIFIED IDEOGRAPH:'BEF2:48882:&#x6A62 CJK UNIFIED IDEOGRAPH:'BEF3:48883:&#x6A61 CJK UNIFIED IDEOGRAPH:'BEF4:48884:&#x6A4B CJK UNIFIED IDEOGRAPH:'BEF5:48885:&#x6A47 CJK UNIFIED IDEOGRAPH:'BEF6:48886:&#x6A35 CJK UNIFIED IDEOGRAPH:'BEF7:48887:&#x6A5F CJK UNIFIED IDEOGRAPH:'BEF8:48888:&#x6A48 CJK UNIFIED IDEOGRAPH:'BEF9:48889:&#x6B59 CJK UNIFIED IDEOGRAPH:'BEFA:48890:&#x6B77 CJK UNIFIED IDEOGRAPH:'BEFB:48891:&#x6C05 CJK UNIFIED IDEOGRAPH:'BEFC:48892:&#x6FC2 CJK UNIFIED IDEOGRAPH:'BEFD:48893:&#x6FB1 CJK UNIFIED IDEOGRAPH:'BEFE:48894:&#x6FA1 CJK UNIFIED IDEOGRAPH:'BF40:48960:&#x6FC3 CJK UNIFIED IDEOGRAPH:'BF41:48961:&#x6FA4 CJK UNIFIED IDEOGRAPH:'BF42:48962:&#x6FC1 CJK UNIFIED IDEOGRAPH:'BF43:48963:&#x6FA7 CJK UNIFIED IDEOGRAPH:'BF44:48964:&#x6FB3 CJK UNIFIED IDEOGRAPH:'BF45:48965:&#x6FC0 CJK UNIFIED IDEOGRAPH:'BF46:48966:&#x6FB9 CJK UNIFIED IDEOGRAPH:'BF47:48967:&#x6FB6 CJK UNIFIED IDEOGRAPH:'BF48:48968:&#x6FA6 CJK UNIFIED IDEOGRAPH:'BF49:48969:&#x6FA0 CJK UNIFIED IDEOGRAPH:'BF4A:48970:&#x6FB4 CJK UNIFIED IDEOGRAPH:'BF4B:48971:&#x71BE CJK UNIFIED IDEOGRAPH:'BF4C:48972:&#x71C9 CJK UNIFIED IDEOGRAPH:'BF4D:48973:&#x71D0 CJK UNIFIED IDEOGRAPH:'BF4E:48974:&#x71D2 CJK UNIFIED IDEOGRAPH:'BF4F:48975:&#x71C8 CJK UNIFIED IDEOGRAPH:'BF50:48976:&#x71D5 CJK UNIFIED IDEOGRAPH:'BF51:48977:&#x71B9 CJK UNIFIED IDEOGRAPH:'BF52:48978:&#x71CE CJK UNIFIED IDEOGRAPH:'BF53:48979:&#x71D9 CJK UNIFIED IDEOGRAPH:'BF54:48980:&#x71DC CJK UNIFIED IDEOGRAPH:'BF55:48981:&#x71C3 CJK UNIFIED IDEOGRAPH:'BF56:48982:&#x71C4 CJK UNIFIED IDEOGRAPH:'BF57:48983:&#x7368 CJK UNIFIED IDEOGRAPH:'BF58:48984:&#x749C CJK UNIFIED IDEOGRAPH:'BF59:48985:&#x74A3 CJK UNIFIED IDEOGRAPH:'BF5A:48986:&#x7498 CJK UNIFIED IDEOGRAPH:'BF5B:48987:&#x749F CJK UNIFIED IDEOGRAPH:'BF5C:48988:&#x749E CJK UNIFIED IDEOGRAPH:'BF5D:48989:&#x74E2 CJK UNIFIED IDEOGRAPH:'BF5E:48990:&#x750C CJK UNIFIED IDEOGRAPH:'BF5F:48991:&#x750D CJK UNIFIED IDEOGRAPH:'BF60:48992:&#x7634 CJK UNIFIED IDEOGRAPH:'BF61:48993:&#x7638 CJK UNIFIED IDEOGRAPH:'BF62:48994:&#x763A CJK UNIFIED IDEOGRAPH:'BF63:48995:&#x76E7 CJK UNIFIED IDEOGRAPH:'BF64:48996:&#x76E5 CJK UNIFIED IDEOGRAPH:'BF65:48997:&#x77A0 CJK UNIFIED IDEOGRAPH:'BF66:48998:&#x779E CJK UNIFIED IDEOGRAPH:'BF67:48999:&#x779F CJK UNIFIED IDEOGRAPH:'BF68:49000:&#x77A5 CJK UNIFIED IDEOGRAPH:'BF69:49001:&#x78E8 CJK UNIFIED IDEOGRAPH:'BF6A:49002:&#x78DA CJK UNIFIED IDEOGRAPH:'BF6B:49003:&#x78EC CJK UNIFIED IDEOGRAPH:'BF6C:49004:&#x78E7 CJK UNIFIED IDEOGRAPH:'BF6D:49005:&#x79A6 CJK UNIFIED IDEOGRAPH:'BF6E:49006:&#x7A4D CJK UNIFIED IDEOGRAPH:'BF6F:49007:&#x7A4E CJK UNIFIED IDEOGRAPH:'BF70:49008:&#x7A46 CJK UNIFIED IDEOGRAPH:'BF71:49009:&#x7A4C CJK UNIFIED IDEOGRAPH:'BF72:49010:&#x7A4B CJK UNIFIED IDEOGRAPH:'BF73:49011:&#x7ABA CJK UNIFIED IDEOGRAPH:'BF74:49012:&#x7BD9 CJK UNIFIED IDEOGRAPH:'BF75:49013:&#x7C11 CJK UNIFIED IDEOGRAPH:'BF76:49014:&#x7BC9 CJK UNIFIED IDEOGRAPH:'BF77:49015:&#x7BE4 CJK UNIFIED IDEOGRAPH:'BF78:49016:&#x7BDB CJK UNIFIED IDEOGRAPH:'BF79:49017:&#x7BE1 CJK UNIFIED IDEOGRAPH:'BF7A:49018:&#x7BE9 CJK UNIFIED IDEOGRAPH:'BF7B:49019:&#x7BE6 CJK UNIFIED IDEOGRAPH:'BF7C:49020:&#x7CD5 CJK UNIFIED IDEOGRAPH:'BF7D:49021:&#x7CD6 CJK UNIFIED IDEOGRAPH:'BF7E:49022:&#x7E0A CJK UNIFIED IDEOGRAPH:'BFA1:49057:&#x7E11 CJK UNIFIED IDEOGRAPH:'BFA2:49058:&#x7E08 CJK UNIFIED IDEOGRAPH:'BFA3:49059:&#x7E1B CJK UNIFIED IDEOGRAPH:'BFA4:49060:&#x7E23 CJK UNIFIED IDEOGRAPH:'BFA5:49061:&#x7E1E CJK UNIFIED IDEOGRAPH:'BFA6:49062:&#x7E1D CJK UNIFIED IDEOGRAPH:'BFA7:49063:&#x7E09 CJK UNIFIED IDEOGRAPH:'BFA8:49064:&#x7E10 CJK UNIFIED IDEOGRAPH:'BFA9:49065:&#x7F79 CJK UNIFIED IDEOGRAPH:'BFAA:49066:&#x7FB2 CJK UNIFIED IDEOGRAPH:'BFAB:49067:&#x7FF0 CJK UNIFIED IDEOGRAPH:'BFAC:49068:&#x7FF1 CJK UNIFIED IDEOGRAPH:'BFAD:49069:&#x7FEE CJK UNIFIED IDEOGRAPH:'BFAE:49070:&#x8028 CJK UNIFIED IDEOGRAPH:'BFAF:49071:&#x81B3 CJK UNIFIED IDEOGRAPH:'BFB0:49072:&#x81A9 CJK UNIFIED IDEOGRAPH:'BFB1:49073:&#x81A8 CJK UNIFIED IDEOGRAPH:'BFB2:49074:&#x81FB CJK UNIFIED IDEOGRAPH:'BFB3:49075:&#x8208 CJK UNIFIED IDEOGRAPH:'BFB4:49076:&#x8258 CJK UNIFIED IDEOGRAPH:'BFB5:49077:&#x8259 CJK UNIFIED IDEOGRAPH:'BFB6:49078:&#x854A CJK UNIFIED IDEOGRAPH:'BFB7:49079:&#x8559 CJK UNIFIED IDEOGRAPH:'BFB8:49080:&#x8548 CJK UNIFIED IDEOGRAPH:'BFB9:49081:&#x8568 CJK UNIFIED IDEOGRAPH:'BFBA:49082:&#x8569 CJK UNIFIED IDEOGRAPH:'BFBB:49083:&#x8543 CJK UNIFIED IDEOGRAPH:'BFBC:49084:&#x8549 CJK UNIFIED IDEOGRAPH:'BFBD:49085:&#x856D CJK UNIFIED IDEOGRAPH:'BFBE:49086:&#x856A CJK UNIFIED IDEOGRAPH:'BFBF:49087:&#x855E CJK UNIFIED IDEOGRAPH:'BFC0:49088:&#x8783 CJK UNIFIED IDEOGRAPH:'BFC1:49089:&#x879F CJK UNIFIED IDEOGRAPH:'BFC2:49090:&#x879E CJK UNIFIED IDEOGRAPH:'BFC3:49091:&#x87A2 CJK UNIFIED IDEOGRAPH:'BFC4:49092:&#x878D CJK UNIFIED IDEOGRAPH:'BFC5:49093:&#x8861 CJK UNIFIED IDEOGRAPH:'BFC6:49094:&#x892A CJK UNIFIED IDEOGRAPH:'BFC7:49095:&#x8932 CJK UNIFIED IDEOGRAPH:'BFC8:49096:&#x8925 CJK UNIFIED IDEOGRAPH:'BFC9:49097:&#x892B CJK UNIFIED IDEOGRAPH:'BFCA:49098:&#x8921 CJK UNIFIED IDEOGRAPH:'BFCB:49099:&#x89AA CJK UNIFIED IDEOGRAPH:'BFCC:49100:&#x89A6 CJK UNIFIED IDEOGRAPH:'BFCD:49101:&#x8AE6 CJK UNIFIED IDEOGRAPH:'BFCE:49102:&#x8AFA CJK UNIFIED IDEOGRAPH:'BFCF:49103:&#x8AEB CJK UNIFIED IDEOGRAPH:'BFD0:49104:&#x8AF1 CJK UNIFIED IDEOGRAPH:'BFD1:49105:&#x8B00 CJK UNIFIED IDEOGRAPH:'BFD2:49106:&#x8ADC CJK UNIFIED IDEOGRAPH:'BFD3:49107:&#x8AE7 CJK UNIFIED IDEOGRAPH:'BFD4:49108:&#x8AEE CJK UNIFIED IDEOGRAPH:'BFD5:49109:&#x8AFE CJK UNIFIED IDEOGRAPH:'BFD6:49110:&#x8B01 CJK UNIFIED IDEOGRAPH:'BFD7:49111:&#x8B02 CJK UNIFIED IDEOGRAPH:'BFD8:49112:&#x8AF7 CJK UNIFIED IDEOGRAPH:'BFD9:49113:&#x8AED CJK UNIFIED IDEOGRAPH:'BFDA:49114:&#x8AF3 CJK UNIFIED IDEOGRAPH:'BFDB:49115:&#x8AF6 CJK UNIFIED IDEOGRAPH:'BFDC:49116:&#x8AFC CJK UNIFIED IDEOGRAPH:'BFDD:49117:&#x8C6B CJK UNIFIED IDEOGRAPH:'BFDE:49118:&#x8C6D CJK UNIFIED IDEOGRAPH:'BFDF:49119:&#x8C93 CJK UNIFIED IDEOGRAPH:'BFE0:49120:&#x8CF4 CJK UNIFIED IDEOGRAPH:'BFE1:49121:&#x8E44 CJK UNIFIED IDEOGRAPH:'BFE2:49122:&#x8E31 CJK UNIFIED IDEOGRAPH:'BFE3:49123:&#x8E34 CJK UNIFIED IDEOGRAPH:'BFE4:49124:&#x8E42 CJK UNIFIED IDEOGRAPH:'BFE5:49125:&#x8E39 CJK UNIFIED IDEOGRAPH:'BFE6:49126:&#x8E35 CJK UNIFIED IDEOGRAPH:'BFE7:49127:&#x8F3B CJK UNIFIED IDEOGRAPH:'BFE8:49128:&#x8F2F CJK UNIFIED IDEOGRAPH:'BFE9:49129:&#x8F38 CJK UNIFIED IDEOGRAPH:'BFEA:49130:&#x8F33 CJK UNIFIED IDEOGRAPH:'BFEB:49131:&#x8FA8 CJK UNIFIED IDEOGRAPH:'BFEC:49132:&#x8FA6 CJK UNIFIED IDEOGRAPH:'BFED:49133:&#x9075 CJK UNIFIED IDEOGRAPH:'BFEE:49134:&#x9074 CJK UNIFIED IDEOGRAPH:'BFEF:49135:&#x9078 CJK UNIFIED IDEOGRAPH:'BFF0:49136:&#x9072 CJK UNIFIED IDEOGRAPH:'BFF1:49137:&#x907C CJK UNIFIED IDEOGRAPH:'BFF2:49138:&#x907A CJK UNIFIED IDEOGRAPH:'BFF3:49139:&#x9134 CJK UNIFIED IDEOGRAPH:'BFF4:49140:&#x9192 CJK UNIFIED IDEOGRAPH:'BFF5:49141:&#x9320 CJK UNIFIED IDEOGRAPH:'BFF6:49142:&#x9336 CJK UNIFIED IDEOGRAPH:'BFF7:49143:&#x92F8 CJK UNIFIED IDEOGRAPH:'BFF8:49144:&#x9333 CJK UNIFIED IDEOGRAPH:'BFF9:49145:&#x932F CJK UNIFIED IDEOGRAPH:'BFFA:49146:&#x9322 CJK UNIFIED IDEOGRAPH:'BFFB:49147:&#x92FC CJK UNIFIED IDEOGRAPH:'BFFC:49148:&#x932B CJK UNIFIED IDEOGRAPH:'BFFD:49149:&#x9304 CJK UNIFIED IDEOGRAPH:'BFFE:49150:&#x931A CJK UNIFIED IDEOGRAPH:'C040:49216:&#x9310 CJK UNIFIED IDEOGRAPH:'C041:49217:&#x9326 CJK UNIFIED IDEOGRAPH:'C042:49218:&#x9321 CJK UNIFIED IDEOGRAPH:'C043:49219:&#x9315 CJK UNIFIED IDEOGRAPH:'C044:49220:&#x932E CJK UNIFIED IDEOGRAPH:'C045:49221:&#x9319 CJK UNIFIED IDEOGRAPH:'C046:49222:&#x95BB CJK UNIFIED IDEOGRAPH:'C047:49223:&#x96A7 CJK UNIFIED IDEOGRAPH:'C048:49224:&#x96A8 CJK UNIFIED IDEOGRAPH:'C049:49225:&#x96AA CJK UNIFIED IDEOGRAPH:'C04A:49226:&#x96D5 CJK UNIFIED IDEOGRAPH:'C04B:49227:&#x970E CJK UNIFIED IDEOGRAPH:'C04C:49228:&#x9711 CJK UNIFIED IDEOGRAPH:'C04D:49229:&#x9716 CJK UNIFIED IDEOGRAPH:'C04E:49230:&#x970D CJK UNIFIED IDEOGRAPH:'C04F:49231:&#x9713 CJK UNIFIED IDEOGRAPH:'C050:49232:&#x970F CJK UNIFIED IDEOGRAPH:'C051:49233:&#x975B CJK UNIFIED IDEOGRAPH:'C052:49234:&#x975C CJK UNIFIED IDEOGRAPH:'C053:49235:&#x9766 CJK UNIFIED IDEOGRAPH:'C054:49236:&#x9798 CJK UNIFIED IDEOGRAPH:'C055:49237:&#x9830 CJK UNIFIED IDEOGRAPH:'C056:49238:&#x9838 CJK UNIFIED IDEOGRAPH:'C057:49239:&#x983B CJK UNIFIED IDEOGRAPH:'C058:49240:&#x9837 CJK UNIFIED IDEOGRAPH:'C059:49241:&#x982D CJK UNIFIED IDEOGRAPH:'C05A:49242:&#x9839 CJK UNIFIED IDEOGRAPH:'C05B:49243:&#x9824 CJK UNIFIED IDEOGRAPH:'C05C:49244:&#x9910 CJK UNIFIED IDEOGRAPH:'C05D:49245:&#x9928 CJK UNIFIED IDEOGRAPH:'C05E:49246:&#x991E CJK UNIFIED IDEOGRAPH:'C05F:49247:&#x991B CJK UNIFIED IDEOGRAPH:'C060:49248:&#x9921 CJK UNIFIED IDEOGRAPH:'C061:49249:&#x991A CJK UNIFIED IDEOGRAPH:'C062:49250:&#x99ED CJK UNIFIED IDEOGRAPH:'C063:49251:&#x99E2 CJK UNIFIED IDEOGRAPH:'C064:49252:&#x99F1 CJK UNIFIED IDEOGRAPH:'C065:49253:&#x9AB8 CJK UNIFIED IDEOGRAPH:'C066:49254:&#x9ABC CJK UNIFIED IDEOGRAPH:'C067:49255:&#x9AFB CJK UNIFIED IDEOGRAPH:'C068:49256:&#x9AED CJK UNIFIED IDEOGRAPH:'C069:49257:&#x9B28 CJK UNIFIED IDEOGRAPH:'C06A:49258:&#x9B91 CJK UNIFIED IDEOGRAPH:'C06B:49259:&#x9D15 CJK UNIFIED IDEOGRAPH:'C06C:49260:&#x9D23 CJK UNIFIED IDEOGRAPH:'C06D:49261:&#x9D26 CJK UNIFIED IDEOGRAPH:'C06E:49262:&#x9D28 CJK UNIFIED IDEOGRAPH:'C06F:49263:&#x9D12 CJK UNIFIED IDEOGRAPH:'C070:49264:&#x9D1B CJK UNIFIED IDEOGRAPH:'C071:49265:&#x9ED8 CJK UNIFIED IDEOGRAPH:'C072:49266:&#x9ED4 CJK UNIFIED IDEOGRAPH:'C073:49267:&#x9F8D CJK UNIFIED IDEOGRAPH:'C074:49268:&#x9F9C CJK UNIFIED IDEOGRAPH:'C075:49269:&#x512A CJK UNIFIED IDEOGRAPH:'C076:49270:&#x511F CJK UNIFIED IDEOGRAPH:'C077:49271:&#x5121 CJK UNIFIED IDEOGRAPH:'C078:49272:&#x5132 CJK UNIFIED IDEOGRAPH:'C079:49273:&#x52F5 CJK UNIFIED IDEOGRAPH:'C07A:49274:&#x568E CJK UNIFIED IDEOGRAPH:'C07B:49275:&#x5680 CJK UNIFIED IDEOGRAPH:'C07C:49276:&#x5690 CJK UNIFIED IDEOGRAPH:'C07D:49277:&#x5685 CJK UNIFIED IDEOGRAPH:'C07E:49278:&#x5687 CJK UNIFIED IDEOGRAPH:'C0A1:49313:&#x568F CJK UNIFIED IDEOGRAPH:'C0A2:49314:&#x58D5 CJK UNIFIED IDEOGRAPH:'C0A3:49315:&#x58D3 CJK UNIFIED IDEOGRAPH:'C0A4:49316:&#x58D1 CJK UNIFIED IDEOGRAPH:'C0A5:49317:&#x58CE CJK UNIFIED IDEOGRAPH:'C0A6:49318:&#x5B30 CJK UNIFIED IDEOGRAPH:'C0A7:49319:&#x5B2A CJK UNIFIED IDEOGRAPH:'C0A8:49320:&#x5B24 CJK UNIFIED IDEOGRAPH:'C0A9:49321:&#x5B7A CJK UNIFIED IDEOGRAPH:'C0AA:49322:&#x5C37 CJK UNIFIED IDEOGRAPH:'C0AB:49323:&#x5C68 CJK UNIFIED IDEOGRAPH:'C0AC:49324:&#x5DBC CJK UNIFIED IDEOGRAPH:'C0AD:49325:&#x5DBA CJK UNIFIED IDEOGRAPH:'C0AE:49326:&#x5DBD CJK UNIFIED IDEOGRAPH:'C0AF:49327:&#x5DB8 CJK UNIFIED IDEOGRAPH:'C0B0:49328:&#x5E6B CJK UNIFIED IDEOGRAPH:'C0B1:49329:&#x5F4C CJK UNIFIED IDEOGRAPH:'C0B2:49330:&#x5FBD CJK UNIFIED IDEOGRAPH:'C0B3:49331:&#x61C9 CJK UNIFIED IDEOGRAPH:'C0B4:49332:&#x61C2 CJK UNIFIED IDEOGRAPH:'C0B5:49333:&#x61C7 CJK UNIFIED IDEOGRAPH:'C0B6:49334:&#x61E6 CJK UNIFIED IDEOGRAPH:'C0B7:49335:&#x61CB CJK UNIFIED IDEOGRAPH:'C0B8:49336:&#x6232 CJK UNIFIED IDEOGRAPH:'C0B9:49337:&#x6234 CJK UNIFIED IDEOGRAPH:'C0BA:49338:&#x64CE CJK UNIFIED IDEOGRAPH:'C0BB:49339:&#x64CA CJK UNIFIED IDEOGRAPH:'C0BC:49340:&#x64D8 CJK UNIFIED IDEOGRAPH:'C0BD:49341:&#x64E0 CJK UNIFIED IDEOGRAPH:'C0BE:49342:&#x64F0 CJK UNIFIED IDEOGRAPH:'C0BF:49343:&#x64E6 CJK UNIFIED IDEOGRAPH:'C0C0:49344:&#x64EC CJK UNIFIED IDEOGRAPH:'C0C1:49345:&#x64F1 CJK UNIFIED IDEOGRAPH:'C0C2:49346:&#x64E2 CJK UNIFIED IDEOGRAPH:'C0C3:49347:&#x64ED CJK UNIFIED IDEOGRAPH:'C0C4:49348:&#x6582 CJK UNIFIED IDEOGRAPH:'C0C5:49349:&#x6583 CJK UNIFIED IDEOGRAPH:'C0C6:49350:&#x66D9 CJK UNIFIED IDEOGRAPH:'C0C7:49351:&#x66D6 CJK UNIFIED IDEOGRAPH:'C0C8:49352:&#x6A80 CJK UNIFIED IDEOGRAPH:'C0C9:49353:&#x6A94 CJK UNIFIED IDEOGRAPH:'C0CA:49354:&#x6A84 CJK UNIFIED IDEOGRAPH:'C0CB:49355:&#x6AA2 CJK UNIFIED IDEOGRAPH:'C0CC:49356:&#x6A9C CJK UNIFIED IDEOGRAPH:'C0CD:49357:&#x6ADB CJK UNIFIED IDEOGRAPH:'C0CE:49358:&#x6AA3 CJK UNIFIED IDEOGRAPH:'C0CF:49359:&#x6A7E CJK UNIFIED IDEOGRAPH:'C0D0:49360:&#x6A97 CJK UNIFIED IDEOGRAPH:'C0D1:49361:&#x6A90 CJK UNIFIED IDEOGRAPH:'C0D2:49362:&#x6AA0 CJK UNIFIED IDEOGRAPH:'C0D3:49363:&#x6B5C CJK UNIFIED IDEOGRAPH:'C0D4:49364:&#x6BAE CJK UNIFIED IDEOGRAPH:'C0D5:49365:&#x6BDA CJK UNIFIED IDEOGRAPH:'C0D6:49366:&#x6C08 CJK UNIFIED IDEOGRAPH:'C0D7:49367:&#x6FD8 CJK UNIFIED IDEOGRAPH:'C0D8:49368:&#x6FF1 CJK UNIFIED IDEOGRAPH:'C0D9:49369:&#x6FDF CJK UNIFIED IDEOGRAPH:'C0DA:49370:&#x6FE0 CJK UNIFIED IDEOGRAPH:'C0DB:49371:&#x6FDB CJK UNIFIED IDEOGRAPH:'C0DC:49372:&#x6FE4 CJK UNIFIED IDEOGRAPH:'C0DD:49373:&#x6FEB CJK UNIFIED IDEOGRAPH:'C0DE:49374:&#x6FEF CJK UNIFIED IDEOGRAPH:'C0DF:49375:&#x6F80 CJK UNIFIED IDEOGRAPH:'C0E0:49376:&#x6FEC CJK UNIFIED IDEOGRAPH:'C0E1:49377:&#x6FE1 CJK UNIFIED IDEOGRAPH:'C0E2:49378:&#x6FE9 CJK UNIFIED IDEOGRAPH:'C0E3:49379:&#x6FD5 CJK UNIFIED IDEOGRAPH:'C0E4:49380:&#x6FEE CJK UNIFIED IDEOGRAPH:'C0E5:49381:&#x6FF0 CJK UNIFIED IDEOGRAPH:'C0E6:49382:&#x71E7 CJK UNIFIED IDEOGRAPH:'C0E7:49383:&#x71DF CJK UNIFIED IDEOGRAPH:'C0E8:49384:&#x71EE CJK UNIFIED IDEOGRAPH:'C0E9:49385:&#x71E6 CJK UNIFIED IDEOGRAPH:'C0EA:49386:&#x71E5 CJK UNIFIED IDEOGRAPH:'C0EB:49387:&#x71ED CJK UNIFIED IDEOGRAPH:'C0EC:49388:&#x71EC CJK UNIFIED IDEOGRAPH:'C0ED:49389:&#x71F4 CJK UNIFIED IDEOGRAPH:'C0EE:49390:&#x71E0 CJK UNIFIED IDEOGRAPH:'C0EF:49391:&#x7235 CJK UNIFIED IDEOGRAPH:'C0F0:49392:&#x7246 CJK UNIFIED IDEOGRAPH:'C0F1:49393:&#x7370 CJK UNIFIED IDEOGRAPH:'C0F2:49394:&#x7372 CJK UNIFIED IDEOGRAPH:'C0F3:49395:&#x74A9 CJK UNIFIED IDEOGRAPH:'C0F4:49396:&#x74B0 CJK UNIFIED IDEOGRAPH:'C0F5:49397:&#x74A6 CJK UNIFIED IDEOGRAPH:'C0F6:49398:&#x74A8 CJK UNIFIED IDEOGRAPH:'C0F7:49399:&#x7646 CJK UNIFIED IDEOGRAPH:'C0F8:49400:&#x7642 CJK UNIFIED IDEOGRAPH:'C0F9:49401:&#x764C CJK UNIFIED IDEOGRAPH:'C0FA:49402:&#x76EA CJK UNIFIED IDEOGRAPH:'C0FB:49403:&#x77B3 CJK UNIFIED IDEOGRAPH:'C0FC:49404:&#x77AA CJK UNIFIED IDEOGRAPH:'C0FD:49405:&#x77B0 CJK UNIFIED IDEOGRAPH:'C0FE:49406:&#x77AC CJK UNIFIED IDEOGRAPH:'C140:49472:&#x77A7 CJK UNIFIED IDEOGRAPH:'C141:49473:&#x77AD CJK UNIFIED IDEOGRAPH:'C142:49474:&#x77EF CJK UNIFIED IDEOGRAPH:'C143:49475:&#x78F7 CJK UNIFIED IDEOGRAPH:'C144:49476:&#x78FA CJK UNIFIED IDEOGRAPH:'C145:49477:&#x78F4 CJK UNIFIED IDEOGRAPH:'C146:49478:&#x78EF CJK UNIFIED IDEOGRAPH:'C147:49479:&#x7901 CJK UNIFIED IDEOGRAPH:'C148:49480:&#x79A7 CJK UNIFIED IDEOGRAPH:'C149:49481:&#x79AA CJK UNIFIED IDEOGRAPH:'C14A:49482:&#x7A57 CJK UNIFIED IDEOGRAPH:'C14B:49483:&#x7ABF CJK UNIFIED IDEOGRAPH:'C14C:49484:&#x7C07 CJK UNIFIED IDEOGRAPH:'C14D:49485:&#x7C0D CJK UNIFIED IDEOGRAPH:'C14E:49486:&#x7BFE CJK UNIFIED IDEOGRAPH:'C14F:49487:&#x7BF7 CJK UNIFIED IDEOGRAPH:'C150:49488:&#x7C0C CJK UNIFIED IDEOGRAPH:'C151:49489:&#x7BE0 CJK UNIFIED IDEOGRAPH:'C152:49490:&#x7CE0 CJK UNIFIED IDEOGRAPH:'C153:49491:&#x7CDC CJK UNIFIED IDEOGRAPH:'C154:49492:&#x7CDE CJK UNIFIED IDEOGRAPH:'C155:49493:&#x7CE2 CJK UNIFIED IDEOGRAPH:'C156:49494:&#x7CDF CJK UNIFIED IDEOGRAPH:'C157:49495:&#x7CD9 CJK UNIFIED IDEOGRAPH:'C158:49496:&#x7CDD CJK UNIFIED IDEOGRAPH:'C159:49497:&#x7E2E CJK UNIFIED IDEOGRAPH:'C15A:49498:&#x7E3E CJK UNIFIED IDEOGRAPH:'C15B:49499:&#x7E46 CJK UNIFIED IDEOGRAPH:'C15C:49500:&#x7E37 CJK UNIFIED IDEOGRAPH:'C15D:49501:&#x7E32 CJK UNIFIED IDEOGRAPH:'C15E:49502:&#x7E43 CJK UNIFIED IDEOGRAPH:'C15F:49503:&#x7E2B CJK UNIFIED IDEOGRAPH:'C160:49504:&#x7E3D CJK UNIFIED IDEOGRAPH:'C161:49505:&#x7E31 CJK UNIFIED IDEOGRAPH:'C162:49506:&#x7E45 CJK UNIFIED IDEOGRAPH:'C163:49507:&#x7E41 CJK UNIFIED IDEOGRAPH:'C164:49508:&#x7E34 CJK UNIFIED IDEOGRAPH:'C165:49509:&#x7E39 CJK UNIFIED IDEOGRAPH:'C166:49510:&#x7E48 CJK UNIFIED IDEOGRAPH:'C167:49511:&#x7E35 CJK UNIFIED IDEOGRAPH:'C168:49512:&#x7E3F CJK UNIFIED IDEOGRAPH:'C169:49513:&#x7E2F CJK UNIFIED IDEOGRAPH:'C16A:49514:&#x7F44 CJK UNIFIED IDEOGRAPH:'C16B:49515:&#x7FF3 CJK UNIFIED IDEOGRAPH:'C16C:49516:&#x7FFC CJK UNIFIED IDEOGRAPH:'C16D:49517:&#x8071 CJK UNIFIED IDEOGRAPH:'C16E:49518:&#x8072 CJK UNIFIED IDEOGRAPH:'C16F:49519:&#x8070 CJK UNIFIED IDEOGRAPH:'C170:49520:&#x806F CJK UNIFIED IDEOGRAPH:'C171:49521:&#x8073 CJK UNIFIED IDEOGRAPH:'C172:49522:&#x81C6 CJK UNIFIED IDEOGRAPH:'C173:49523:&#x81C3 CJK UNIFIED IDEOGRAPH:'C174:49524:&#x81BA CJK UNIFIED IDEOGRAPH:'C175:49525:&#x81C2 CJK UNIFIED IDEOGRAPH:'C176:49526:&#x81C0 CJK UNIFIED IDEOGRAPH:'C177:49527:&#x81BF CJK UNIFIED IDEOGRAPH:'C178:49528:&#x81BD CJK UNIFIED IDEOGRAPH:'C179:49529:&#x81C9 CJK UNIFIED IDEOGRAPH:'C17A:49530:&#x81BE CJK UNIFIED IDEOGRAPH:'C17B:49531:&#x81E8 CJK UNIFIED IDEOGRAPH:'C17C:49532:&#x8209 CJK UNIFIED IDEOGRAPH:'C17D:49533:&#x8271 CJK UNIFIED IDEOGRAPH:'C17E:49534:&#x85AA CJK UNIFIED IDEOGRAPH:'C1A1:49569:&#x8584 CJK UNIFIED IDEOGRAPH:'C1A2:49570:&#x857E CJK UNIFIED IDEOGRAPH:'C1A3:49571:&#x859C CJK UNIFIED IDEOGRAPH:'C1A4:49572:&#x8591 CJK UNIFIED IDEOGRAPH:'C1A5:49573:&#x8594 CJK UNIFIED IDEOGRAPH:'C1A6:49574:&#x85AF CJK UNIFIED IDEOGRAPH:'C1A7:49575:&#x859B CJK UNIFIED IDEOGRAPH:'C1A8:49576:&#x8587 CJK UNIFIED IDEOGRAPH:'C1A9:49577:&#x85A8 CJK UNIFIED IDEOGRAPH:'C1AA:49578:&#x858A CJK UNIFIED IDEOGRAPH:'C1AB:49579:&#x8667 CJK UNIFIED IDEOGRAPH:'C1AC:49580:&#x87C0 CJK UNIFIED IDEOGRAPH:'C1AD:49581:&#x87D1 CJK UNIFIED IDEOGRAPH:'C1AE:49582:&#x87B3 CJK UNIFIED IDEOGRAPH:'C1AF:49583:&#x87D2 CJK UNIFIED IDEOGRAPH:'C1B0:49584:&#x87C6 CJK UNIFIED IDEOGRAPH:'C1B1:49585:&#x87AB CJK UNIFIED IDEOGRAPH:'C1B2:49586:&#x87BB CJK UNIFIED IDEOGRAPH:'C1B3:49587:&#x87BA CJK UNIFIED IDEOGRAPH:'C1B4:49588:&#x87C8 CJK UNIFIED IDEOGRAPH:'C1B5:49589:&#x87CB CJK UNIFIED IDEOGRAPH:'C1B6:49590:&#x893B CJK UNIFIED IDEOGRAPH:'C1B7:49591:&#x8936 CJK UNIFIED IDEOGRAPH:'C1B8:49592:&#x8944 CJK UNIFIED IDEOGRAPH:'C1B9:49593:&#x8938 CJK UNIFIED IDEOGRAPH:'C1BA:49594:&#x893D CJK UNIFIED IDEOGRAPH:'C1BB:49595:&#x89AC CJK UNIFIED IDEOGRAPH:'C1BC:49596:&#x8B0E CJK UNIFIED IDEOGRAPH:'C1BD:49597:&#x8B17 CJK UNIFIED IDEOGRAPH:'C1BE:49598:&#x8B19 CJK UNIFIED IDEOGRAPH:'C1BF:49599:&#x8B1B CJK UNIFIED IDEOGRAPH:'C1C0:49600:&#x8B0A CJK UNIFIED IDEOGRAPH:'C1C1:49601:&#x8B20 CJK UNIFIED IDEOGRAPH:'C1C2:49602:&#x8B1D CJK UNIFIED IDEOGRAPH:'C1C3:49603:&#x8B04 CJK UNIFIED IDEOGRAPH:'C1C4:49604:&#x8B10 CJK UNIFIED IDEOGRAPH:'C1C5:49605:&#x8C41 CJK UNIFIED IDEOGRAPH:'C1C6:49606:&#x8C3F CJK UNIFIED IDEOGRAPH:'C1C7:49607:&#x8C73 CJK UNIFIED IDEOGRAPH:'C1C8:49608:&#x8CFA CJK UNIFIED IDEOGRAPH:'C1C9:49609:&#x8CFD CJK UNIFIED IDEOGRAPH:'C1CA:49610:&#x8CFC CJK UNIFIED IDEOGRAPH:'C1CB:49611:&#x8CF8 CJK UNIFIED IDEOGRAPH:'C1CC:49612:&#x8CFB CJK UNIFIED IDEOGRAPH:'C1CD:49613:&#x8DA8 CJK UNIFIED IDEOGRAPH:'C1CE:49614:&#x8E49 CJK UNIFIED IDEOGRAPH:'C1CF:49615:&#x8E4B CJK UNIFIED IDEOGRAPH:'C1D0:49616:&#x8E48 CJK UNIFIED IDEOGRAPH:'C1D1:49617:&#x8E4A CJK UNIFIED IDEOGRAPH:'C1D2:49618:&#x8F44 CJK UNIFIED IDEOGRAPH:'C1D3:49619:&#x8F3E CJK UNIFIED IDEOGRAPH:'C1D4:49620:&#x8F42 CJK UNIFIED IDEOGRAPH:'C1D5:49621:&#x8F45 CJK UNIFIED IDEOGRAPH:'C1D6:49622:&#x8F3F CJK UNIFIED IDEOGRAPH:'C1D7:49623:&#x907F CJK UNIFIED IDEOGRAPH:'C1D8:49624:&#x907D CJK UNIFIED IDEOGRAPH:'C1D9:49625:&#x9084 CJK UNIFIED IDEOGRAPH:'C1DA:49626:&#x9081 CJK UNIFIED IDEOGRAPH:'C1DB:49627:&#x9082 CJK UNIFIED IDEOGRAPH:'C1DC:49628:&#x9080 CJK UNIFIED IDEOGRAPH:'C1DD:49629:&#x9139 CJK UNIFIED IDEOGRAPH:'C1DE:49630:&#x91A3 CJK UNIFIED IDEOGRAPH:'C1DF:49631:&#x919E CJK UNIFIED IDEOGRAPH:'C1E0:49632:&#x919C CJK UNIFIED IDEOGRAPH:'C1E1:49633:&#x934D CJK UNIFIED IDEOGRAPH:'C1E2:49634:&#x9382 CJK UNIFIED IDEOGRAPH:'C1E3:49635:&#x9328 CJK UNIFIED IDEOGRAPH:'C1E4:49636:&#x9375 CJK UNIFIED IDEOGRAPH:'C1E5:49637:&#x934A CJK UNIFIED IDEOGRAPH:'C1E6:49638:&#x9365 CJK UNIFIED IDEOGRAPH:'C1E7:49639:&#x934B CJK UNIFIED IDEOGRAPH:'C1E8:49640:&#x9318 CJK UNIFIED IDEOGRAPH:'C1E9:49641:&#x937E CJK UNIFIED IDEOGRAPH:'C1EA:49642:&#x936C CJK UNIFIED IDEOGRAPH:'C1EB:49643:&#x935B CJK UNIFIED IDEOGRAPH:'C1EC:49644:&#x9370 CJK UNIFIED IDEOGRAPH:'C1ED:49645:&#x935A CJK UNIFIED IDEOGRAPH:'C1EE:49646:&#x9354 CJK UNIFIED IDEOGRAPH:'C1EF:49647:&#x95CA CJK UNIFIED IDEOGRAPH:'C1F0:49648:&#x95CB CJK UNIFIED IDEOGRAPH:'C1F1:49649:&#x95CC CJK UNIFIED IDEOGRAPH:'C1F2:49650:&#x95C8 CJK UNIFIED IDEOGRAPH:'C1F3:49651:&#x95C6 CJK UNIFIED IDEOGRAPH:'C1F4:49652:&#x96B1 CJK UNIFIED IDEOGRAPH:'C1F5:49653:&#x96B8 CJK UNIFIED IDEOGRAPH:'C1F6:49654:&#x96D6 CJK UNIFIED IDEOGRAPH:'C1F7:49655:&#x971C CJK UNIFIED IDEOGRAPH:'C1F8:49656:&#x971E CJK UNIFIED IDEOGRAPH:'C1F9:49657:&#x97A0 CJK UNIFIED IDEOGRAPH:'C1FA:49658:&#x97D3 CJK UNIFIED IDEOGRAPH:'C1FB:49659:&#x9846 CJK UNIFIED IDEOGRAPH:'C1FC:49660:&#x98B6 CJK UNIFIED IDEOGRAPH:'C1FD:49661:&#x9935 CJK UNIFIED IDEOGRAPH:'C1FE:49662:&#x9A01 CJK UNIFIED IDEOGRAPH:'C240:49728:&#x99FF CJK UNIFIED IDEOGRAPH:'C241:49729:&#x9BAE CJK UNIFIED IDEOGRAPH:'C242:49730:&#x9BAB CJK UNIFIED IDEOGRAPH:'C243:49731:&#x9BAA CJK UNIFIED IDEOGRAPH:'C244:49732:&#x9BAD CJK UNIFIED IDEOGRAPH:'C245:49733:&#x9D3B CJK UNIFIED IDEOGRAPH:'C246:49734:&#x9D3F CJK UNIFIED IDEOGRAPH:'C247:49735:&#x9E8B CJK UNIFIED IDEOGRAPH:'C248:49736:&#x9ECF CJK UNIFIED IDEOGRAPH:'C249:49737:&#x9EDE CJK UNIFIED IDEOGRAPH:'C24A:49738:&#x9EDC CJK UNIFIED IDEOGRAPH:'C24B:49739:&#x9EDD CJK UNIFIED IDEOGRAPH:'C24C:49740:&#x9EDB CJK UNIFIED IDEOGRAPH:'C24D:49741:&#x9F3E CJK UNIFIED IDEOGRAPH:'C24E:49742:&#x9F4B CJK UNIFIED IDEOGRAPH:'C24F:49743:&#x53E2 CJK UNIFIED IDEOGRAPH:'C250:49744:&#x5695 CJK UNIFIED IDEOGRAPH:'C251:49745:&#x56AE CJK UNIFIED IDEOGRAPH:'C252:49746:&#x58D9 CJK UNIFIED IDEOGRAPH:'C253:49747:&#x58D8 CJK UNIFIED IDEOGRAPH:'C254:49748:&#x5B38 CJK UNIFIED IDEOGRAPH:'C255:49749:&#x5F5D CJK UNIFIED IDEOGRAPH:'C256:49750:&#x61E3 CJK UNIFIED IDEOGRAPH:'C257:49751:&#x6233 CJK UNIFIED IDEOGRAPH:'C258:49752:&#x64F4 CJK UNIFIED IDEOGRAPH:'C259:49753:&#x64F2 CJK UNIFIED IDEOGRAPH:'C25A:49754:&#x64FE CJK UNIFIED IDEOGRAPH:'C25B:49755:&#x6506 CJK UNIFIED IDEOGRAPH:'C25C:49756:&#x64FA CJK UNIFIED IDEOGRAPH:'C25D:49757:&#x64FB CJK UNIFIED IDEOGRAPH:'C25E:49758:&#x64F7 CJK UNIFIED IDEOGRAPH:'C25F:49759:&#x65B7 CJK UNIFIED IDEOGRAPH:'C260:49760:&#x66DC CJK UNIFIED IDEOGRAPH:'C261:49761:&#x6726 CJK UNIFIED IDEOGRAPH:'C262:49762:&#x6AB3 CJK UNIFIED IDEOGRAPH:'C263:49763:&#x6AAC CJK UNIFIED IDEOGRAPH:'C264:49764:&#x6AC3 CJK UNIFIED IDEOGRAPH:'C265:49765:&#x6ABB CJK UNIFIED IDEOGRAPH:'C266:49766:&#x6AB8 CJK UNIFIED IDEOGRAPH:'C267:49767:&#x6AC2 CJK UNIFIED IDEOGRAPH:'C268:49768:&#x6AAE CJK UNIFIED IDEOGRAPH:'C269:49769:&#x6AAF CJK UNIFIED IDEOGRAPH:'C26A:49770:&#x6B5F CJK UNIFIED IDEOGRAPH:'C26B:49771:&#x6B78 CJK UNIFIED IDEOGRAPH:'C26C:49772:&#x6BAF CJK UNIFIED IDEOGRAPH:'C26D:49773:&#x7009 CJK UNIFIED IDEOGRAPH:'C26E:49774:&#x700B CJK UNIFIED IDEOGRAPH:'C26F:49775:&#x6FFE CJK UNIFIED IDEOGRAPH:'C270:49776:&#x7006 CJK UNIFIED IDEOGRAPH:'C271:49777:&#x6FFA CJK UNIFIED IDEOGRAPH:'C272:49778:&#x7011 CJK UNIFIED IDEOGRAPH:'C273:49779:&#x700F CJK UNIFIED IDEOGRAPH:'C274:49780:&#x71FB CJK UNIFIED IDEOGRAPH:'C275:49781:&#x71FC CJK UNIFIED IDEOGRAPH:'C276:49782:&#x71FE CJK UNIFIED IDEOGRAPH:'C277:49783:&#x71F8 CJK UNIFIED IDEOGRAPH:'C278:49784:&#x7377 CJK UNIFIED IDEOGRAPH:'C279:49785:&#x7375 CJK UNIFIED IDEOGRAPH:'C27A:49786:&#x74A7 CJK UNIFIED IDEOGRAPH:'C27B:49787:&#x74BF CJK UNIFIED IDEOGRAPH:'C27C:49788:&#x7515 CJK UNIFIED IDEOGRAPH:'C27D:49789:&#x7656 CJK UNIFIED IDEOGRAPH:'C27E:49790:&#x7658 CJK UNIFIED IDEOGRAPH:'C2A1:49825:&#x7652 CJK UNIFIED IDEOGRAPH:'C2A2:49826:&#x77BD CJK UNIFIED IDEOGRAPH:'C2A3:49827:&#x77BF CJK UNIFIED IDEOGRAPH:'C2A4:49828:&#x77BB CJK UNIFIED IDEOGRAPH:'C2A5:49829:&#x77BC CJK UNIFIED IDEOGRAPH:'C2A6:49830:&#x790E CJK UNIFIED IDEOGRAPH:'C2A7:49831:&#x79AE CJK UNIFIED IDEOGRAPH:'C2A8:49832:&#x7A61 CJK UNIFIED IDEOGRAPH:'C2A9:49833:&#x7A62 CJK UNIFIED IDEOGRAPH:'C2AA:49834:&#x7A60 CJK UNIFIED IDEOGRAPH:'C2AB:49835:&#x7AC4 CJK UNIFIED IDEOGRAPH:'C2AC:49836:&#x7AC5 CJK UNIFIED IDEOGRAPH:'C2AD:49837:&#x7C2B CJK UNIFIED IDEOGRAPH:'C2AE:49838:&#x7C27 CJK UNIFIED IDEOGRAPH:'C2AF:49839:&#x7C2A CJK UNIFIED IDEOGRAPH:'C2B0:49840:&#x7C1E CJK UNIFIED IDEOGRAPH:'C2B1:49841:&#x7C23 CJK UNIFIED IDEOGRAPH:'C2B2:49842:&#x7C21 CJK UNIFIED IDEOGRAPH:'C2B3:49843:&#x7CE7 CJK UNIFIED IDEOGRAPH:'C2B4:49844:&#x7E54 CJK UNIFIED IDEOGRAPH:'C2B5:49845:&#x7E55 CJK UNIFIED IDEOGRAPH:'C2B6:49846:&#x7E5E CJK UNIFIED IDEOGRAPH:'C2B7:49847:&#x7E5A CJK UNIFIED IDEOGRAPH:'C2B8:49848:&#x7E61 CJK UNIFIED IDEOGRAPH:'C2B9:49849:&#x7E52 CJK UNIFIED IDEOGRAPH:'C2BA:49850:&#x7E59 CJK UNIFIED IDEOGRAPH:'C2BB:49851:&#x7F48 CJK UNIFIED IDEOGRAPH:'C2BC:49852:&#x7FF9 CJK UNIFIED IDEOGRAPH:'C2BD:49853:&#x7FFB CJK UNIFIED IDEOGRAPH:'C2BE:49854:&#x8077 CJK UNIFIED IDEOGRAPH:'C2BF:49855:&#x8076 CJK UNIFIED IDEOGRAPH:'C2C0:49856:&#x81CD CJK UNIFIED IDEOGRAPH:'C2C1:49857:&#x81CF CJK UNIFIED IDEOGRAPH:'C2C2:49858:&#x820A CJK UNIFIED IDEOGRAPH:'C2C3:49859:&#x85CF CJK UNIFIED IDEOGRAPH:'C2C4:49860:&#x85A9 CJK UNIFIED IDEOGRAPH:'C2C5:49861:&#x85CD CJK UNIFIED IDEOGRAPH:'C2C6:49862:&#x85D0 CJK UNIFIED IDEOGRAPH:'C2C7:49863:&#x85C9 CJK UNIFIED IDEOGRAPH:'C2C8:49864:&#x85B0 CJK UNIFIED IDEOGRAPH:'C2C9:49865:&#x85BA CJK UNIFIED IDEOGRAPH:'C2CA:49866:&#x85B9 CJK UNIFIED IDEOGRAPH:'C2CB:49867:&#x85A6 CJK UNIFIED IDEOGRAPH:'C2CC:49868:&#x87EF CJK UNIFIED IDEOGRAPH:'C2CD:49869:&#x87EC CJK UNIFIED IDEOGRAPH:'C2CE:49870:&#x87F2 CJK UNIFIED IDEOGRAPH:'C2CF:49871:&#x87E0 CJK UNIFIED IDEOGRAPH:'C2D0:49872:&#x8986 CJK UNIFIED IDEOGRAPH:'C2D1:49873:&#x89B2 CJK UNIFIED IDEOGRAPH:'C2D2:49874:&#x89F4 CJK UNIFIED IDEOGRAPH:'C2D3:49875:&#x8B28 CJK UNIFIED IDEOGRAPH:'C2D4:49876:&#x8B39 CJK UNIFIED IDEOGRAPH:'C2D5:49877:&#x8B2C CJK UNIFIED IDEOGRAPH:'C2D6:49878:&#x8B2B CJK UNIFIED IDEOGRAPH:'C2D7:49879:&#x8C50 CJK UNIFIED IDEOGRAPH:'C2D8:49880:&#x8D05 CJK UNIFIED IDEOGRAPH:'C2D9:49881:&#x8E59 CJK UNIFIED IDEOGRAPH:'C2DA:49882:&#x8E63 CJK UNIFIED IDEOGRAPH:'C2DB:49883:&#x8E66 CJK UNIFIED IDEOGRAPH:'C2DC:49884:&#x8E64 CJK UNIFIED IDEOGRAPH:'C2DD:49885:&#x8E5F CJK UNIFIED IDEOGRAPH:'C2DE:49886:&#x8E55 CJK UNIFIED IDEOGRAPH:'C2DF:49887:&#x8EC0 CJK UNIFIED IDEOGRAPH:'C2E0:49888:&#x8F49 CJK UNIFIED IDEOGRAPH:'C2E1:49889:&#x8F4D CJK UNIFIED IDEOGRAPH:'C2E2:49890:&#x9087 CJK UNIFIED IDEOGRAPH:'C2E3:49891:&#x9083 CJK UNIFIED IDEOGRAPH:'C2E4:49892:&#x9088 CJK UNIFIED IDEOGRAPH:'C2E5:49893:&#x91AB CJK UNIFIED IDEOGRAPH:'C2E6:49894:&#x91AC CJK UNIFIED IDEOGRAPH:'C2E7:49895:&#x91D0 CJK UNIFIED IDEOGRAPH:'C2E8:49896:&#x9394 CJK UNIFIED IDEOGRAPH:'C2E9:49897:&#x938A CJK UNIFIED IDEOGRAPH:'C2EA:49898:&#x9396 CJK UNIFIED IDEOGRAPH:'C2EB:49899:&#x93A2 CJK UNIFIED IDEOGRAPH:'C2EC:49900:&#x93B3 CJK UNIFIED IDEOGRAPH:'C2ED:49901:&#x93AE CJK UNIFIED IDEOGRAPH:'C2EE:49902:&#x93AC CJK UNIFIED IDEOGRAPH:'C2EF:49903:&#x93B0 CJK UNIFIED IDEOGRAPH:'C2F0:49904:&#x9398 CJK UNIFIED IDEOGRAPH:'C2F1:49905:&#x939A CJK UNIFIED IDEOGRAPH:'C2F2:49906:&#x9397 CJK UNIFIED IDEOGRAPH:'C2F3:49907:&#x95D4 CJK UNIFIED IDEOGRAPH:'C2F4:49908:&#x95D6 CJK UNIFIED IDEOGRAPH:'C2F5:49909:&#x95D0 CJK UNIFIED IDEOGRAPH:'C2F6:49910:&#x95D5 CJK UNIFIED IDEOGRAPH:'C2F7:49911:&#x96E2 CJK UNIFIED IDEOGRAPH:'C2F8:49912:&#x96DC CJK UNIFIED IDEOGRAPH:'C2F9:49913:&#x96D9 CJK UNIFIED IDEOGRAPH:'C2FA:49914:&#x96DB CJK UNIFIED IDEOGRAPH:'C2FB:49915:&#x96DE CJK UNIFIED IDEOGRAPH:'C2FC:49916:&#x9724 CJK UNIFIED IDEOGRAPH:'C2FD:49917:&#x97A3 CJK UNIFIED IDEOGRAPH:'C2FE:49918:&#x97A6 CJK UNIFIED IDEOGRAPH:'C340:49984:&#x97AD CJK UNIFIED IDEOGRAPH:'C341:49985:&#x97F9 CJK UNIFIED IDEOGRAPH:'C342:49986:&#x984D CJK UNIFIED IDEOGRAPH:'C343:49987:&#x984F CJK UNIFIED IDEOGRAPH:'C344:49988:&#x984C CJK UNIFIED IDEOGRAPH:'C345:49989:&#x984E CJK UNIFIED IDEOGRAPH:'C346:49990:&#x9853 CJK UNIFIED IDEOGRAPH:'C347:49991:&#x98BA CJK UNIFIED IDEOGRAPH:'C348:49992:&#x993E CJK UNIFIED IDEOGRAPH:'C349:49993:&#x993F CJK UNIFIED IDEOGRAPH:'C34A:49994:&#x993D CJK UNIFIED IDEOGRAPH:'C34B:49995:&#x992E CJK UNIFIED IDEOGRAPH:'C34C:49996:&#x99A5 CJK UNIFIED IDEOGRAPH:'C34D:49997:&#x9A0E CJK UNIFIED IDEOGRAPH:'C34E:49998:&#x9AC1 CJK UNIFIED IDEOGRAPH:'C34F:49999:&#x9B03 CJK UNIFIED IDEOGRAPH:'C350:50000:&#x9B06 CJK UNIFIED IDEOGRAPH:'C351:50001:&#x9B4F CJK UNIFIED IDEOGRAPH:'C352:50002:&#x9B4E CJK UNIFIED IDEOGRAPH:'C353:50003:&#x9B4D CJK UNIFIED IDEOGRAPH:'C354:50004:&#x9BCA CJK UNIFIED IDEOGRAPH:'C355:50005:&#x9BC9 CJK UNIFIED IDEOGRAPH:'C356:50006:&#x9BFD CJK UNIFIED IDEOGRAPH:'C357:50007:&#x9BC8 CJK UNIFIED IDEOGRAPH:'C358:50008:&#x9BC0 CJK UNIFIED IDEOGRAPH:'C359:50009:&#x9D51 CJK UNIFIED IDEOGRAPH:'C35A:50010:&#x9D5D CJK UNIFIED IDEOGRAPH:'C35B:50011:&#x9D60 CJK UNIFIED IDEOGRAPH:'C35C:50012:&#x9EE0 CJK UNIFIED IDEOGRAPH:'C35D:50013:&#x9F15 CJK UNIFIED IDEOGRAPH:'C35E:50014:&#x9F2C CJK UNIFIED IDEOGRAPH:'C35F:50015:&#x5133 CJK UNIFIED IDEOGRAPH:'C360:50016:&#x56A5 CJK UNIFIED IDEOGRAPH:'C361:50017:&#x58DE CJK UNIFIED IDEOGRAPH:'C362:50018:&#x58DF CJK UNIFIED IDEOGRAPH:'C363:50019:&#x58E2 CJK UNIFIED IDEOGRAPH:'C364:50020:&#x5BF5 CJK UNIFIED IDEOGRAPH:'C365:50021:&#x9F90 CJK UNIFIED IDEOGRAPH:'C366:50022:&#x5EEC CJK UNIFIED IDEOGRAPH:'C367:50023:&#x61F2 CJK UNIFIED IDEOGRAPH:'C368:50024:&#x61F7 CJK UNIFIED IDEOGRAPH:'C369:50025:&#x61F6 CJK UNIFIED IDEOGRAPH:'C36A:50026:&#x61F5 CJK UNIFIED IDEOGRAPH:'C36B:50027:&#x6500 CJK UNIFIED IDEOGRAPH:'C36C:50028:&#x650F CJK UNIFIED IDEOGRAPH:'C36D:50029:&#x66E0 CJK UNIFIED IDEOGRAPH:'C36E:50030:&#x66DD CJK UNIFIED IDEOGRAPH:'C36F:50031:&#x6AE5 CJK UNIFIED IDEOGRAPH:'C370:50032:&#x6ADD CJK UNIFIED IDEOGRAPH:'C371:50033:&#x6ADA CJK UNIFIED IDEOGRAPH:'C372:50034:&#x6AD3 CJK UNIFIED IDEOGRAPH:'C373:50035:&#x701B CJK UNIFIED IDEOGRAPH:'C374:50036:&#x701F CJK UNIFIED IDEOGRAPH:'C375:50037:&#x7028 CJK UNIFIED IDEOGRAPH:'C376:50038:&#x701A CJK UNIFIED IDEOGRAPH:'C377:50039:&#x701D CJK UNIFIED IDEOGRAPH:'C378:50040:&#x7015 CJK UNIFIED IDEOGRAPH:'C379:50041:&#x7018 CJK UNIFIED IDEOGRAPH:'C37A:50042:&#x7206 CJK UNIFIED IDEOGRAPH:'C37B:50043:&#x720D CJK UNIFIED IDEOGRAPH:'C37C:50044:&#x7258 CJK UNIFIED IDEOGRAPH:'C37D:50045:&#x72A2 CJK UNIFIED IDEOGRAPH:'C37E:50046:&#x7378 CJK UNIFIED IDEOGRAPH:'C3A1:50081:&#x737A CJK UNIFIED IDEOGRAPH:'C3A2:50082:&#x74BD CJK UNIFIED IDEOGRAPH:'C3A3:50083:&#x74CA CJK UNIFIED IDEOGRAPH:'C3A4:50084:&#x74E3 CJK UNIFIED IDEOGRAPH:'C3A5:50085:&#x7587 CJK UNIFIED IDEOGRAPH:'C3A6:50086:&#x7586 CJK UNIFIED IDEOGRAPH:'C3A7:50087:&#x765F CJK UNIFIED IDEOGRAPH:'C3A8:50088:&#x7661 CJK UNIFIED IDEOGRAPH:'C3A9:50089:&#x77C7 CJK UNIFIED IDEOGRAPH:'C3AA:50090:&#x7919 CJK UNIFIED IDEOGRAPH:'C3AB:50091:&#x79B1 CJK UNIFIED IDEOGRAPH:'C3AC:50092:&#x7A6B CJK UNIFIED IDEOGRAPH:'C3AD:50093:&#x7A69 CJK UNIFIED IDEOGRAPH:'C3AE:50094:&#x7C3E CJK UNIFIED IDEOGRAPH:'C3AF:50095:&#x7C3F CJK UNIFIED IDEOGRAPH:'C3B0:50096:&#x7C38 CJK UNIFIED IDEOGRAPH:'C3B1:50097:&#x7C3D CJK UNIFIED IDEOGRAPH:'C3B2:50098:&#x7C37 CJK UNIFIED IDEOGRAPH:'C3B3:50099:&#x7C40 CJK UNIFIED IDEOGRAPH:'C3B4:50100:&#x7E6B CJK UNIFIED IDEOGRAPH:'C3B5:50101:&#x7E6D CJK UNIFIED IDEOGRAPH:'C3B6:50102:&#x7E79 CJK UNIFIED IDEOGRAPH:'C3B7:50103:&#x7E69 CJK UNIFIED IDEOGRAPH:'C3B8:50104:&#x7E6A CJK UNIFIED IDEOGRAPH:'C3B9:50105:&#x7F85 CJK UNIFIED IDEOGRAPH:'C3BA:50106:&#x7E73 CJK UNIFIED IDEOGRAPH:'C3BB:50107:&#x7FB6 CJK UNIFIED IDEOGRAPH:'C3BC:50108:&#x7FB9 CJK UNIFIED IDEOGRAPH:'C3BD:50109:&#x7FB8 CJK UNIFIED IDEOGRAPH:'C3BE:50110:&#x81D8 CJK UNIFIED IDEOGRAPH:'C3BF:50111:&#x85E9 CJK UNIFIED IDEOGRAPH:'C3C0:50112:&#x85DD CJK UNIFIED IDEOGRAPH:'C3C1:50113:&#x85EA CJK UNIFIED IDEOGRAPH:'C3C2:50114:&#x85D5 CJK UNIFIED IDEOGRAPH:'C3C3:50115:&#x85E4 CJK UNIFIED IDEOGRAPH:'C3C4:50116:&#x85E5 CJK UNIFIED IDEOGRAPH:'C3C5:50117:&#x85F7 CJK UNIFIED IDEOGRAPH:'C3C6:50118:&#x87FB CJK UNIFIED IDEOGRAPH:'C3C7:50119:&#x8805 CJK UNIFIED IDEOGRAPH:'C3C8:50120:&#x880D CJK UNIFIED IDEOGRAPH:'C3C9:50121:&#x87F9 CJK UNIFIED IDEOGRAPH:'C3CA:50122:&#x87FE CJK UNIFIED IDEOGRAPH:'C3CB:50123:&#x8960 CJK UNIFIED IDEOGRAPH:'C3CC:50124:&#x895F CJK UNIFIED IDEOGRAPH:'C3CD:50125:&#x8956 CJK UNIFIED IDEOGRAPH:'C3CE:50126:&#x895E CJK UNIFIED IDEOGRAPH:'C3CF:50127:&#x8B41 CJK UNIFIED IDEOGRAPH:'C3D0:50128:&#x8B5C CJK UNIFIED IDEOGRAPH:'C3D1:50129:&#x8B58 CJK UNIFIED IDEOGRAPH:'C3D2:50130:&#x8B49 CJK UNIFIED IDEOGRAPH:'C3D3:50131:&#x8B5A CJK UNIFIED IDEOGRAPH:'C3D4:50132:&#x8B4E CJK UNIFIED IDEOGRAPH:'C3D5:50133:&#x8B4F CJK UNIFIED IDEOGRAPH:'C3D6:50134:&#x8B46 CJK UNIFIED IDEOGRAPH:'C3D7:50135:&#x8B59 CJK UNIFIED IDEOGRAPH:'C3D8:50136:&#x8D08 CJK UNIFIED IDEOGRAPH:'C3D9:50137:&#x8D0A CJK UNIFIED IDEOGRAPH:'C3DA:50138:&#x8E7C CJK UNIFIED IDEOGRAPH:'C3DB:50139:&#x8E72 CJK UNIFIED IDEOGRAPH:'C3DC:50140:&#x8E87 CJK UNIFIED IDEOGRAPH:'C3DD:50141:&#x8E76 CJK UNIFIED IDEOGRAPH:'C3DE:50142:&#x8E6C CJK UNIFIED IDEOGRAPH:'C3DF:50143:&#x8E7A CJK UNIFIED IDEOGRAPH:'C3E0:50144:&#x8E74 CJK UNIFIED IDEOGRAPH:'C3E1:50145:&#x8F54 CJK UNIFIED IDEOGRAPH:'C3E2:50146:&#x8F4E CJK UNIFIED IDEOGRAPH:'C3E3:50147:&#x8FAD CJK UNIFIED IDEOGRAPH:'C3E4:50148:&#x908A CJK UNIFIED IDEOGRAPH:'C3E5:50149:&#x908B CJK UNIFIED IDEOGRAPH:'C3E6:50150:&#x91B1 CJK UNIFIED IDEOGRAPH:'C3E7:50151:&#x91AE CJK UNIFIED IDEOGRAPH:'C3E8:50152:&#x93E1 CJK UNIFIED IDEOGRAPH:'C3E9:50153:&#x93D1 CJK UNIFIED IDEOGRAPH:'C3EA:50154:&#x93DF CJK UNIFIED IDEOGRAPH:'C3EB:50155:&#x93C3 CJK UNIFIED IDEOGRAPH:'C3EC:50156:&#x93C8 CJK UNIFIED IDEOGRAPH:'C3ED:50157:&#x93DC CJK UNIFIED IDEOGRAPH:'C3EE:50158:&#x93DD CJK UNIFIED IDEOGRAPH:'C3EF:50159:&#x93D6 CJK UNIFIED IDEOGRAPH:'C3F0:50160:&#x93E2 CJK UNIFIED IDEOGRAPH:'C3F1:50161:&#x93CD CJK UNIFIED IDEOGRAPH:'C3F2:50162:&#x93D8 CJK UNIFIED IDEOGRAPH:'C3F3:50163:&#x93E4 CJK UNIFIED IDEOGRAPH:'C3F4:50164:&#x93D7 CJK UNIFIED IDEOGRAPH:'C3F5:50165:&#x93E8 CJK UNIFIED IDEOGRAPH:'C3F6:50166:&#x95DC CJK UNIFIED IDEOGRAPH:'C3F7:50167:&#x96B4 CJK UNIFIED IDEOGRAPH:'C3F8:50168:&#x96E3 CJK UNIFIED IDEOGRAPH:'C3F9:50169:&#x972A CJK UNIFIED IDEOGRAPH:'C3FA:50170:&#x9727 CJK UNIFIED IDEOGRAPH:'C3FB:50171:&#x9761 CJK UNIFIED IDEOGRAPH:'C3FC:50172:&#x97DC CJK UNIFIED IDEOGRAPH:'C3FD:50173:&#x97FB CJK UNIFIED IDEOGRAPH:'C3FE:50174:&#x985E CJK UNIFIED IDEOGRAPH:'C440:50240:&#x9858 CJK UNIFIED IDEOGRAPH:'C441:50241:&#x985B CJK UNIFIED IDEOGRAPH:'C442:50242:&#x98BC CJK UNIFIED IDEOGRAPH:'C443:50243:&#x9945 CJK UNIFIED IDEOGRAPH:'C444:50244:&#x9949 CJK UNIFIED IDEOGRAPH:'C445:50245:&#x9A16 CJK UNIFIED IDEOGRAPH:'C446:50246:&#x9A19 CJK UNIFIED IDEOGRAPH:'C447:50247:&#x9B0D CJK UNIFIED IDEOGRAPH:'C448:50248:&#x9BE8 CJK UNIFIED IDEOGRAPH:'C449:50249:&#x9BE7 CJK UNIFIED IDEOGRAPH:'C44A:50250:&#x9BD6 CJK UNIFIED IDEOGRAPH:'C44B:50251:&#x9BDB CJK UNIFIED IDEOGRAPH:'C44C:50252:&#x9D89 CJK UNIFIED IDEOGRAPH:'C44D:50253:&#x9D61 CJK UNIFIED IDEOGRAPH:'C44E:50254:&#x9D72 CJK UNIFIED IDEOGRAPH:'C44F:50255:&#x9D6A CJK UNIFIED IDEOGRAPH:'C450:50256:&#x9D6C CJK UNIFIED IDEOGRAPH:'C451:50257:&#x9E92 CJK UNIFIED IDEOGRAPH:'C452:50258:&#x9E97 CJK UNIFIED IDEOGRAPH:'C453:50259:&#x9E93 CJK UNIFIED IDEOGRAPH:'C454:50260:&#x9EB4 CJK UNIFIED IDEOGRAPH:'C455:50261:&#x52F8 CJK UNIFIED IDEOGRAPH:'C456:50262:&#x56A8 CJK UNIFIED IDEOGRAPH:'C457:50263:&#x56B7 CJK UNIFIED IDEOGRAPH:'C458:50264:&#x56B6 CJK UNIFIED IDEOGRAPH:'C459:50265:&#x56B4 CJK UNIFIED IDEOGRAPH:'C45A:50266:&#x56BC CJK UNIFIED IDEOGRAPH:'C45B:50267:&#x58E4 CJK UNIFIED IDEOGRAPH:'C45C:50268:&#x5B40 CJK UNIFIED IDEOGRAPH:'C45D:50269:&#x5B43 CJK UNIFIED IDEOGRAPH:'C45E:50270:&#x5B7D CJK UNIFIED IDEOGRAPH:'C45F:50271:&#x5BF6 CJK UNIFIED IDEOGRAPH:'C460:50272:&#x5DC9 CJK UNIFIED IDEOGRAPH:'C461:50273:&#x61F8 CJK UNIFIED IDEOGRAPH:'C462:50274:&#x61FA CJK UNIFIED IDEOGRAPH:'C463:50275:&#x6518 CJK UNIFIED IDEOGRAPH:'C464:50276:&#x6514 CJK UNIFIED IDEOGRAPH:'C465:50277:&#x6519 CJK UNIFIED IDEOGRAPH:'C466:50278:&#x66E6 CJK UNIFIED IDEOGRAPH:'C467:50279:&#x6727 CJK UNIFIED IDEOGRAPH:'C468:50280:&#x6AEC CJK UNIFIED IDEOGRAPH:'C469:50281:&#x703E CJK UNIFIED IDEOGRAPH:'C46A:50282:&#x7030 CJK UNIFIED IDEOGRAPH:'C46B:50283:&#x7032 CJK UNIFIED IDEOGRAPH:'C46C:50284:&#x7210 CJK UNIFIED IDEOGRAPH:'C46D:50285:&#x737B CJK UNIFIED IDEOGRAPH:'C46E:50286:&#x74CF CJK UNIFIED IDEOGRAPH:'C46F:50287:&#x7662 CJK UNIFIED IDEOGRAPH:'C470:50288:&#x7665 CJK UNIFIED IDEOGRAPH:'C471:50289:&#x7926 CJK UNIFIED IDEOGRAPH:'C472:50290:&#x792A CJK UNIFIED IDEOGRAPH:'C473:50291:&#x792C CJK UNIFIED IDEOGRAPH:'C474:50292:&#x792B CJK UNIFIED IDEOGRAPH:'C475:50293:&#x7AC7 CJK UNIFIED IDEOGRAPH:'C476:50294:&#x7AF6 CJK UNIFIED IDEOGRAPH:'C477:50295:&#x7C4C CJK UNIFIED IDEOGRAPH:'C478:50296:&#x7C43 CJK UNIFIED IDEOGRAPH:'C479:50297:&#x7C4D CJK UNIFIED IDEOGRAPH:'C47A:50298:&#x7CEF CJK UNIFIED IDEOGRAPH:'C47B:50299:&#x7CF0 CJK UNIFIED IDEOGRAPH:'C47C:50300:&#x8FAE CJK UNIFIED IDEOGRAPH:'C47D:50301:&#x7E7D CJK UNIFIED IDEOGRAPH:'C47E:50302:&#x7E7C CJK UNIFIED IDEOGRAPH:'C4A1:50337:&#x7E82 CJK UNIFIED IDEOGRAPH:'C4A2:50338:&#x7F4C CJK UNIFIED IDEOGRAPH:'C4A3:50339:&#x8000 CJK UNIFIED IDEOGRAPH:'C4A4:50340:&#x81DA CJK UNIFIED IDEOGRAPH:'C4A5:50341:&#x8266 CJK UNIFIED IDEOGRAPH:'C4A6:50342:&#x85FB CJK UNIFIED IDEOGRAPH:'C4A7:50343:&#x85F9 CJK UNIFIED IDEOGRAPH:'C4A8:50344:&#x8611 CJK UNIFIED IDEOGRAPH:'C4A9:50345:&#x85FA CJK UNIFIED IDEOGRAPH:'C4AA:50346:&#x8606 CJK UNIFIED IDEOGRAPH:'C4AB:50347:&#x860B CJK UNIFIED IDEOGRAPH:'C4AC:50348:&#x8607 CJK UNIFIED IDEOGRAPH:'C4AD:50349:&#x860A CJK UNIFIED IDEOGRAPH:'C4AE:50350:&#x8814 CJK UNIFIED IDEOGRAPH:'C4AF:50351:&#x8815 CJK UNIFIED IDEOGRAPH:'C4B0:50352:&#x8964 CJK UNIFIED IDEOGRAPH:'C4B1:50353:&#x89BA CJK UNIFIED IDEOGRAPH:'C4B2:50354:&#x89F8 CJK UNIFIED IDEOGRAPH:'C4B3:50355:&#x8B70 CJK UNIFIED IDEOGRAPH:'C4B4:50356:&#x8B6C CJK UNIFIED IDEOGRAPH:'C4B5:50357:&#x8B66 CJK UNIFIED IDEOGRAPH:'C4B6:50358:&#x8B6F CJK UNIFIED IDEOGRAPH:'C4B7:50359:&#x8B5F CJK UNIFIED IDEOGRAPH:'C4B8:50360:&#x8B6B CJK UNIFIED IDEOGRAPH:'C4B9:50361:&#x8D0F CJK UNIFIED IDEOGRAPH:'C4BA:50362:&#x8D0D CJK UNIFIED IDEOGRAPH:'C4BB:50363:&#x8E89 CJK UNIFIED IDEOGRAPH:'C4BC:50364:&#x8E81 CJK UNIFIED IDEOGRAPH:'C4BD:50365:&#x8E85 CJK UNIFIED IDEOGRAPH:'C4BE:50366:&#x8E82 CJK UNIFIED IDEOGRAPH:'C4BF:50367:&#x91B4 CJK UNIFIED IDEOGRAPH:'C4C0:50368:&#x91CB CJK UNIFIED IDEOGRAPH:'C4C1:50369:&#x9418 CJK UNIFIED IDEOGRAPH:'C4C2:50370:&#x9403 CJK UNIFIED IDEOGRAPH:'C4C3:50371:&#x93FD CJK UNIFIED IDEOGRAPH:'C4C4:50372:&#x95E1 CJK UNIFIED IDEOGRAPH:'C4C5:50373:&#x9730 CJK UNIFIED IDEOGRAPH:'C4C6:50374:&#x98C4 CJK UNIFIED IDEOGRAPH:'C4C7:50375:&#x9952 CJK UNIFIED IDEOGRAPH:'C4C8:50376:&#x9951 CJK UNIFIED IDEOGRAPH:'C4C9:50377:&#x99A8 CJK UNIFIED IDEOGRAPH:'C4CA:50378:&#x9A2B CJK UNIFIED IDEOGRAPH:'C4CB:50379:&#x9A30 CJK UNIFIED IDEOGRAPH:'C4CC:50380:&#x9A37 CJK UNIFIED IDEOGRAPH:'C4CD:50381:&#x9A35 CJK UNIFIED IDEOGRAPH:'C4CE:50382:&#x9C13 CJK UNIFIED IDEOGRAPH:'C4CF:50383:&#x9C0D CJK UNIFIED IDEOGRAPH:'C4D0:50384:&#x9E79 CJK UNIFIED IDEOGRAPH:'C4D1:50385:&#x9EB5 CJK UNIFIED IDEOGRAPH:'C4D2:50386:&#x9EE8 CJK UNIFIED IDEOGRAPH:'C4D3:50387:&#x9F2F CJK UNIFIED IDEOGRAPH:'C4D4:50388:&#x9F5F CJK UNIFIED IDEOGRAPH:'C4D5:50389:&#x9F63 CJK UNIFIED IDEOGRAPH:'C4D6:50390:&#x9F61 CJK UNIFIED IDEOGRAPH:'C4D7:50391:&#x5137 CJK UNIFIED IDEOGRAPH:'C4D8:50392:&#x5138 CJK UNIFIED IDEOGRAPH:'C4D9:50393:&#x56C1 CJK UNIFIED IDEOGRAPH:'C4DA:50394:&#x56C0 CJK UNIFIED IDEOGRAPH:'C4DB:50395:&#x56C2 CJK UNIFIED IDEOGRAPH:'C4DC:50396:&#x5914 CJK UNIFIED IDEOGRAPH:'C4DD:50397:&#x5C6C CJK UNIFIED IDEOGRAPH:'C4DE:50398:&#x5DCD CJK UNIFIED IDEOGRAPH:'C4DF:50399:&#x61FC CJK UNIFIED IDEOGRAPH:'C4E0:50400:&#x61FE CJK UNIFIED IDEOGRAPH:'C4E1:50401:&#x651D CJK UNIFIED IDEOGRAPH:'C4E2:50402:&#x651C CJK UNIFIED IDEOGRAPH:'C4E3:50403:&#x6595 CJK UNIFIED IDEOGRAPH:'C4E4:50404:&#x66E9 CJK UNIFIED IDEOGRAPH:'C4E5:50405:&#x6AFB CJK UNIFIED IDEOGRAPH:'C4E6:50406:&#x6B04 CJK UNIFIED IDEOGRAPH:'C4E7:50407:&#x6AFA CJK UNIFIED IDEOGRAPH:'C4E8:50408:&#x6BB2 CJK UNIFIED IDEOGRAPH:'C4E9:50409:&#x704C CJK UNIFIED IDEOGRAPH:'C4EA:50410:&#x721B CJK UNIFIED IDEOGRAPH:'C4EB:50411:&#x72A7 CJK UNIFIED IDEOGRAPH:'C4EC:50412:&#x74D6 CJK UNIFIED IDEOGRAPH:'C4ED:50413:&#x74D4 CJK UNIFIED IDEOGRAPH:'C4EE:50414:&#x7669 CJK UNIFIED IDEOGRAPH:'C4EF:50415:&#x77D3 CJK UNIFIED IDEOGRAPH:'C4F0:50416:&#x7C50 CJK UNIFIED IDEOGRAPH:'C4F1:50417:&#x7E8F CJK UNIFIED IDEOGRAPH:'C4F2:50418:&#x7E8C CJK UNIFIED IDEOGRAPH:'C4F3:50419:&#x7FBC CJK UNIFIED IDEOGRAPH:'C4F4:50420:&#x8617 CJK UNIFIED IDEOGRAPH:'C4F5:50421:&#x862D CJK UNIFIED IDEOGRAPH:'C4F6:50422:&#x861A CJK UNIFIED IDEOGRAPH:'C4F7:50423:&#x8823 CJK UNIFIED IDEOGRAPH:'C4F8:50424:&#x8822 CJK UNIFIED IDEOGRAPH:'C4F9:50425:&#x8821 CJK UNIFIED IDEOGRAPH:'C4FA:50426:&#x881F CJK UNIFIED IDEOGRAPH:'C4FB:50427:&#x896A CJK UNIFIED IDEOGRAPH:'C4FC:50428:&#x896C CJK UNIFIED IDEOGRAPH:'C4FD:50429:&#x89BD CJK UNIFIED IDEOGRAPH:'C4FE:50430:&#x8B74 CJK UNIFIED IDEOGRAPH:'C540:50496:&#x8B77 CJK UNIFIED IDEOGRAPH:'C541:50497:&#x8B7D CJK UNIFIED IDEOGRAPH:'C542:50498:&#x8D13 CJK UNIFIED IDEOGRAPH:'C543:50499:&#x8E8A CJK UNIFIED IDEOGRAPH:'C544:50500:&#x8E8D CJK UNIFIED IDEOGRAPH:'C545:50501:&#x8E8B CJK UNIFIED IDEOGRAPH:'C546:50502:&#x8F5F CJK UNIFIED IDEOGRAPH:'C547:50503:&#x8FAF CJK UNIFIED IDEOGRAPH:'C548:50504:&#x91BA CJK UNIFIED IDEOGRAPH:'C549:50505:&#x942E CJK UNIFIED IDEOGRAPH:'C54A:50506:&#x9433 CJK UNIFIED IDEOGRAPH:'C54B:50507:&#x9435 CJK UNIFIED IDEOGRAPH:'C54C:50508:&#x943A CJK UNIFIED IDEOGRAPH:'C54D:50509:&#x9438 CJK UNIFIED IDEOGRAPH:'C54E:50510:&#x9432 CJK UNIFIED IDEOGRAPH:'C54F:50511:&#x942B CJK UNIFIED IDEOGRAPH:'C550:50512:&#x95E2 CJK UNIFIED IDEOGRAPH:'C551:50513:&#x9738 CJK UNIFIED IDEOGRAPH:'C552:50514:&#x9739 CJK UNIFIED IDEOGRAPH:'C553:50515:&#x9732 CJK UNIFIED IDEOGRAPH:'C554:50516:&#x97FF CJK UNIFIED IDEOGRAPH:'C555:50517:&#x9867 CJK UNIFIED IDEOGRAPH:'C556:50518:&#x9865 CJK UNIFIED IDEOGRAPH:'C557:50519:&#x9957 CJK UNIFIED IDEOGRAPH:'C558:50520:&#x9A45 CJK UNIFIED IDEOGRAPH:'C559:50521:&#x9A43 CJK UNIFIED IDEOGRAPH:'C55A:50522:&#x9A40 CJK UNIFIED IDEOGRAPH:'C55B:50523:&#x9A3E CJK UNIFIED IDEOGRAPH:'C55C:50524:&#x9ACF CJK UNIFIED IDEOGRAPH:'C55D:50525:&#x9B54 CJK UNIFIED IDEOGRAPH:'C55E:50526:&#x9B51 CJK UNIFIED IDEOGRAPH:'C55F:50527:&#x9C2D CJK UNIFIED IDEOGRAPH:'C560:50528:&#x9C25 CJK UNIFIED IDEOGRAPH:'C561:50529:&#x9DAF CJK UNIFIED IDEOGRAPH:'C562:50530:&#x9DB4 CJK UNIFIED IDEOGRAPH:'C563:50531:&#x9DC2 CJK UNIFIED IDEOGRAPH:'C564:50532:&#x9DB8 CJK UNIFIED IDEOGRAPH:'C565:50533:&#x9E9D CJK UNIFIED IDEOGRAPH:'C566:50534:&#x9EEF CJK UNIFIED IDEOGRAPH:'C567:50535:&#x9F19 CJK UNIFIED IDEOGRAPH:'C568:50536:&#x9F5C CJK UNIFIED IDEOGRAPH:'C569:50537:&#x9F66 CJK UNIFIED IDEOGRAPH:'C56A:50538:&#x9F67 CJK UNIFIED IDEOGRAPH:'C56B:50539:&#x513C CJK UNIFIED IDEOGRAPH:'C56C:50540:&#x513B CJK UNIFIED IDEOGRAPH:'C56D:50541:&#x56C8 CJK UNIFIED IDEOGRAPH:'C56E:50542:&#x56CA CJK UNIFIED IDEOGRAPH:'C56F:50543:&#x56C9 CJK UNIFIED IDEOGRAPH:'C570:50544:&#x5B7F CJK UNIFIED IDEOGRAPH:'C571:50545:&#x5DD4 CJK UNIFIED IDEOGRAPH:'C572:50546:&#x5DD2 CJK UNIFIED IDEOGRAPH:'C573:50547:&#x5F4E CJK UNIFIED IDEOGRAPH:'C574:50548:&#x61FF CJK UNIFIED IDEOGRAPH:'C575:50549:&#x6524 CJK UNIFIED IDEOGRAPH:'C576:50550:&#x6B0A CJK UNIFIED IDEOGRAPH:'C577:50551:&#x6B61 CJK UNIFIED IDEOGRAPH:'C578:50552:&#x7051 CJK UNIFIED IDEOGRAPH:'C579:50553:&#x7058 CJK UNIFIED IDEOGRAPH:'C57A:50554:&#x7380 CJK UNIFIED IDEOGRAPH:'C57B:50555:&#x74E4 CJK UNIFIED IDEOGRAPH:'C57C:50556:&#x758A CJK UNIFIED IDEOGRAPH:'C57D:50557:&#x766E CJK UNIFIED IDEOGRAPH:'C57E:50558:&#x766C CJK UNIFIED IDEOGRAPH:'C5A1:50593:&#x79B3 CJK UNIFIED IDEOGRAPH:'C5A2:50594:&#x7C60 CJK UNIFIED IDEOGRAPH:'C5A3:50595:&#x7C5F CJK UNIFIED IDEOGRAPH:'C5A4:50596:&#x807E CJK UNIFIED IDEOGRAPH:'C5A5:50597:&#x807D CJK UNIFIED IDEOGRAPH:'C5A6:50598:&#x81DF CJK UNIFIED IDEOGRAPH:'C5A7:50599:&#x8972 CJK UNIFIED IDEOGRAPH:'C5A8:50600:&#x896F CJK UNIFIED IDEOGRAPH:'C5A9:50601:&#x89FC CJK UNIFIED IDEOGRAPH:'C5AA:50602:&#x8B80 CJK UNIFIED IDEOGRAPH:'C5AB:50603:&#x8D16 CJK UNIFIED IDEOGRAPH:'C5AC:50604:&#x8D17 CJK UNIFIED IDEOGRAPH:'C5AD:50605:&#x8E91 CJK UNIFIED IDEOGRAPH:'C5AE:50606:&#x8E93 CJK UNIFIED IDEOGRAPH:'C5AF:50607:&#x8F61 CJK UNIFIED IDEOGRAPH:'C5B0:50608:&#x9148 CJK UNIFIED IDEOGRAPH:'C5B1:50609:&#x9444 CJK UNIFIED IDEOGRAPH:'C5B2:50610:&#x9451 CJK UNIFIED IDEOGRAPH:'C5B3:50611:&#x9452 CJK UNIFIED IDEOGRAPH:'C5B4:50612:&#x973D CJK UNIFIED IDEOGRAPH:'C5B5:50613:&#x973E CJK UNIFIED IDEOGRAPH:'C5B6:50614:&#x97C3 CJK UNIFIED IDEOGRAPH:'C5B7:50615:&#x97C1 CJK UNIFIED IDEOGRAPH:'C5B8:50616:&#x986B CJK UNIFIED IDEOGRAPH:'C5B9:50617:&#x9955 CJK UNIFIED IDEOGRAPH:'C5BA:50618:&#x9A55 CJK UNIFIED IDEOGRAPH:'C5BB:50619:&#x9A4D CJK UNIFIED IDEOGRAPH:'C5BC:50620:&#x9AD2 CJK UNIFIED IDEOGRAPH:'C5BD:50621:&#x9B1A CJK UNIFIED IDEOGRAPH:'C5BE:50622:&#x9C49 CJK UNIFIED IDEOGRAPH:'C5BF:50623:&#x9C31 CJK UNIFIED IDEOGRAPH:'C5C0:50624:&#x9C3E CJK UNIFIED IDEOGRAPH:'C5C1:50625:&#x9C3B CJK UNIFIED IDEOGRAPH:'C5C2:50626:&#x9DD3 CJK UNIFIED IDEOGRAPH:'C5C3:50627:&#x9DD7 CJK UNIFIED IDEOGRAPH:'C5C4:50628:&#x9F34 CJK UNIFIED IDEOGRAPH:'C5C5:50629:&#x9F6C CJK UNIFIED IDEOGRAPH:'C5C6:50630:&#x9F6A CJK UNIFIED IDEOGRAPH:'C5C7:50631:&#x9F94 CJK UNIFIED IDEOGRAPH:'C5C8:50632:&#x56CC CJK UNIFIED IDEOGRAPH:'C5C9:50633:&#x5DD6 CJK UNIFIED IDEOGRAPH:'C5CA:50634:&#x6200 CJK UNIFIED IDEOGRAPH:'C5CB:50635:&#x6523 CJK UNIFIED IDEOGRAPH:'C5CC:50636:&#x652B CJK UNIFIED IDEOGRAPH:'C5CD:50637:&#x652A CJK UNIFIED IDEOGRAPH:'C5CE:50638:&#x66EC CJK UNIFIED IDEOGRAPH:'C5CF:50639:&#x6B10 CJK UNIFIED IDEOGRAPH:'C5D0:50640:&#x74DA CJK UNIFIED IDEOGRAPH:'C5D1:50641:&#x7ACA CJK UNIFIED IDEOGRAPH:'C5D2:50642:&#x7C64 CJK UNIFIED IDEOGRAPH:'C5D3:50643:&#x7C63 CJK UNIFIED IDEOGRAPH:'C5D4:50644:&#x7C65 CJK UNIFIED IDEOGRAPH:'C5D5:50645:&#x7E93 CJK UNIFIED IDEOGRAPH:'C5D6:50646:&#x7E96 CJK UNIFIED IDEOGRAPH:'C5D7:50647:&#x7E94 CJK UNIFIED IDEOGRAPH:'C5D8:50648:&#x81E2 CJK UNIFIED IDEOGRAPH:'C5D9:50649:&#x8638 CJK UNIFIED IDEOGRAPH:'C5DA:50650:&#x863F CJK UNIFIED IDEOGRAPH:'C5DB:50651:&#x8831 CJK UNIFIED IDEOGRAPH:'C5DC:50652:&#x8B8A CJK UNIFIED IDEOGRAPH:'C5DD:50653:&#x9090 CJK UNIFIED IDEOGRAPH:'C5DE:50654:&#x908F CJK UNIFIED IDEOGRAPH:'C5DF:50655:&#x9463 CJK UNIFIED IDEOGRAPH:'C5E0:50656:&#x9460 CJK UNIFIED IDEOGRAPH:'C5E1:50657:&#x9464 CJK UNIFIED IDEOGRAPH:'C5E2:50658:&#x9768 CJK UNIFIED IDEOGRAPH:'C5E3:50659:&#x986F CJK UNIFIED IDEOGRAPH:'C5E4:50660:&#x995C CJK UNIFIED IDEOGRAPH:'C5E5:50661:&#x9A5A CJK UNIFIED IDEOGRAPH:'C5E6:50662:&#x9A5B CJK UNIFIED IDEOGRAPH:'C5E7:50663:&#x9A57 CJK UNIFIED IDEOGRAPH:'C5E8:50664:&#x9AD3 CJK UNIFIED IDEOGRAPH:'C5E9:50665:&#x9AD4 CJK UNIFIED IDEOGRAPH:'C5EA:50666:&#x9AD1 CJK UNIFIED IDEOGRAPH:'C5EB:50667:&#x9C54 CJK UNIFIED IDEOGRAPH:'C5EC:50668:&#x9C57 CJK UNIFIED IDEOGRAPH:'C5ED:50669:&#x9C56 CJK UNIFIED IDEOGRAPH:'C5EE:50670:&#x9DE5 CJK UNIFIED IDEOGRAPH:'C5EF:50671:&#x9E9F CJK UNIFIED IDEOGRAPH:'C5F0:50672:&#x9EF4 CJK UNIFIED IDEOGRAPH:'C5F1:50673:&#x56D1 CJK UNIFIED IDEOGRAPH:'C5F2:50674:&#x58E9 CJK UNIFIED IDEOGRAPH:'C5F3:50675:&#x652C CJK UNIFIED IDEOGRAPH:'C5F4:50676:&#x705E CJK UNIFIED IDEOGRAPH:'C5F5:50677:&#x7671 CJK UNIFIED IDEOGRAPH:'C5F6:50678:&#x7672 CJK UNIFIED IDEOGRAPH:'C5F7:50679:&#x77D7 CJK UNIFIED IDEOGRAPH:'C5F8:50680:&#x7F50 CJK UNIFIED IDEOGRAPH:'C5F9:50681:&#x7F88 CJK UNIFIED IDEOGRAPH:'C5FA:50682:&#x8836 CJK UNIFIED IDEOGRAPH:'C5FB:50683:&#x8839 CJK UNIFIED IDEOGRAPH:'C5FC:50684:&#x8862 CJK UNIFIED IDEOGRAPH:'C5FD:50685:&#x8B93 CJK UNIFIED IDEOGRAPH:'C5FE:50686:&#x8B92 CJK UNIFIED IDEOGRAPH:'C640:50752:&#x8B96 CJK UNIFIED IDEOGRAPH:'C641:50753:&#x8277 CJK UNIFIED IDEOGRAPH:'C642:50754:&#x8D1B CJK UNIFIED IDEOGRAPH:'C643:50755:&#x91C0 CJK UNIFIED IDEOGRAPH:'C644:50756:&#x946A CJK UNIFIED IDEOGRAPH:'C645:50757:&#x9742 CJK UNIFIED IDEOGRAPH:'C646:50758:&#x9748 CJK UNIFIED IDEOGRAPH:'C647:50759:&#x9744 CJK UNIFIED IDEOGRAPH:'C648:50760:&#x97C6 CJK UNIFIED IDEOGRAPH:'C649:50761:&#x9870 CJK UNIFIED IDEOGRAPH:'C64A:50762:&#x9A5F CJK UNIFIED IDEOGRAPH:'C64B:50763:&#x9B22 CJK UNIFIED IDEOGRAPH:'C64C:50764:&#x9B58 CJK UNIFIED IDEOGRAPH:'C64D:50765:&#x9C5F CJK UNIFIED IDEOGRAPH:'C64E:50766:&#x9DF9 CJK UNIFIED IDEOGRAPH:'C64F:50767:&#x9DFA CJK UNIFIED IDEOGRAPH:'C650:50768:&#x9E7C CJK UNIFIED IDEOGRAPH:'C651:50769:&#x9E7D CJK UNIFIED IDEOGRAPH:'C652:50770:&#x9F07 CJK UNIFIED IDEOGRAPH:'C653:50771:&#x9F77 CJK UNIFIED IDEOGRAPH:'C654:50772:&#x9F72 CJK UNIFIED IDEOGRAPH:'C655:50773:&#x5EF3 CJK UNIFIED IDEOGRAPH:'C656:50774:&#x6B16 CJK UNIFIED IDEOGRAPH:'C657:50775:&#x7063 CJK UNIFIED IDEOGRAPH:'C658:50776:&#x7C6C CJK UNIFIED IDEOGRAPH:'C659:50777:&#x7C6E CJK UNIFIED IDEOGRAPH:'C65A:50778:&#x883B CJK UNIFIED IDEOGRAPH:'C65B:50779:&#x89C0 CJK UNIFIED IDEOGRAPH:'C65C:50780:&#x8EA1 CJK UNIFIED IDEOGRAPH:'C65D:50781:&#x91C1 CJK UNIFIED IDEOGRAPH:'C65E:50782:&#x9472 CJK UNIFIED IDEOGRAPH:'C65F:50783:&#x9470 CJK UNIFIED IDEOGRAPH:'C660:50784:&#x9871 CJK UNIFIED IDEOGRAPH:'C661:50785:&#x995E CJK UNIFIED IDEOGRAPH:'C662:50786:&#x9AD6 CJK UNIFIED IDEOGRAPH:'C663:50787:&#x9B23 CJK UNIFIED IDEOGRAPH:'C664:50788:&#x9ECC CJK UNIFIED IDEOGRAPH:'C665:50789:&#x7064 CJK UNIFIED IDEOGRAPH:'C666:50790:&#x77DA CJK UNIFIED IDEOGRAPH:'C667:50791:&#x8B9A CJK UNIFIED IDEOGRAPH:'C668:50792:&#x9477 CJK UNIFIED IDEOGRAPH:'C669:50793:&#x97C9 CJK UNIFIED IDEOGRAPH:'C66A:50794:&#x9A62 CJK UNIFIED IDEOGRAPH:'C66B:50795:&#x9A65 CJK UNIFIED IDEOGRAPH:'C66C:50796:&#x7E9C CJK UNIFIED IDEOGRAPH:'C66D:50797:&#x8B9C CJK UNIFIED IDEOGRAPH:'C66E:50798:&#x8EAA CJK UNIFIED IDEOGRAPH:'C66F:50799:&#x91C5 CJK UNIFIED IDEOGRAPH:'C670:50800:&#x947D CJK UNIFIED IDEOGRAPH:'C671:50801:&#x947E CJK UNIFIED IDEOGRAPH:'C672:50802:&#x947C CJK UNIFIED IDEOGRAPH:'C673:50803:&#x9C77 CJK UNIFIED IDEOGRAPH:'C674:50804:&#x9C78 CJK UNIFIED IDEOGRAPH:'C675:50805:&#x9EF7 CJK UNIFIED IDEOGRAPH:'C676:50806:&#x8C54 CJK UNIFIED IDEOGRAPH:'C677:50807:&#x947F CJK UNIFIED IDEOGRAPH:'C678:50808:&#x9E1A CJK UNIFIED IDEOGRAPH:'C679:50809:&#x7228 CJK UNIFIED IDEOGRAPH:'C67A:50810:&#x9A6A CJK UNIFIED IDEOGRAPH:'C67B:50811:&#x9B31 CJK UNIFIED IDEOGRAPH:'C67C:50812:&#x9E1B CJK UNIFIED IDEOGRAPH:'C67D:50813:&#x9E1E CJK UNIFIED IDEOGRAPH:'C67E:50814:&#x7C72 CJK UNIFIED IDEOGRAPH:'C940:51520:&#x4E42 CJK UNIFIED IDEOGRAPH:'C941:51521:&#x4E5C CJK UNIFIED IDEOGRAPH:'C942:51522:&#x51F5 CJK UNIFIED IDEOGRAPH:'C943:51523:&#x531A CJK UNIFIED IDEOGRAPH:'C944:51524:&#x5382 CJK UNIFIED IDEOGRAPH:'C945:51525:&#x4E07 CJK UNIFIED IDEOGRAPH:'C946:51526:&#x4E0C CJK UNIFIED IDEOGRAPH:'C947:51527:&#x4E47 CJK UNIFIED IDEOGRAPH:'C948:51528:&#x4E8D CJK UNIFIED IDEOGRAPH:'C949:51529:&#x56D7 CJK COMPATIBILITY IDEOGRAPH:'C94A:51530:&#xFA0C CJK UNIFIED IDEOGRAPH:'C94B:51531:&#x5C6E CJK UNIFIED IDEOGRAPH:'C94C:51532:&#x5F73 CJK UNIFIED IDEOGRAPH:'C94D:51533:&#x4E0F CJK UNIFIED IDEOGRAPH:'C94E:51534:&#x5187 CJK UNIFIED IDEOGRAPH:'C94F:51535:&#x4E0E CJK UNIFIED IDEOGRAPH:'C950:51536:&#x4E2E CJK UNIFIED IDEOGRAPH:'C951:51537:&#x4E93 CJK UNIFIED IDEOGRAPH:'C952:51538:&#x4EC2 CJK UNIFIED IDEOGRAPH:'C953:51539:&#x4EC9 CJK UNIFIED IDEOGRAPH:'C954:51540:&#x4EC8 CJK UNIFIED IDEOGRAPH:'C955:51541:&#x5198 CJK UNIFIED IDEOGRAPH:'C956:51542:&#x52FC CJK UNIFIED IDEOGRAPH:'C957:51543:&#x536C CJK UNIFIED IDEOGRAPH:'C958:51544:&#x53B9 CJK UNIFIED IDEOGRAPH:'C959:51545:&#x5720 CJK UNIFIED IDEOGRAPH:'C95A:51546:&#x5903 CJK UNIFIED IDEOGRAPH:'C95B:51547:&#x592C CJK UNIFIED IDEOGRAPH:'C95C:51548:&#x5C10 CJK UNIFIED IDEOGRAPH:'C95D:51549:&#x5DFF CJK UNIFIED IDEOGRAPH:'C95E:51550:&#x65E1 CJK UNIFIED IDEOGRAPH:'C95F:51551:&#x6BB3 CJK UNIFIED IDEOGRAPH:'C960:51552:&#x6BCC CJK UNIFIED IDEOGRAPH:'C961:51553:&#x6C14 CJK UNIFIED IDEOGRAPH:'C962:51554:&#x723F CJK UNIFIED IDEOGRAPH:'C963:51555:&#x4E31 CJK UNIFIED IDEOGRAPH:'C964:51556:&#x4E3C CJK UNIFIED IDEOGRAPH:'C965:51557:&#x4EE8 CJK UNIFIED IDEOGRAPH:'C966:51558:&#x4EDC CJK UNIFIED IDEOGRAPH:'C967:51559:&#x4EE9 CJK UNIFIED IDEOGRAPH:'C968:51560:&#x4EE1 CJK UNIFIED IDEOGRAPH:'C969:51561:&#x4EDD CJK UNIFIED IDEOGRAPH:'C96A:51562:&#x4EDA CJK UNIFIED IDEOGRAPH:'C96B:51563:&#x520C CJK UNIFIED IDEOGRAPH:'C96C:51564:&#x531C CJK UNIFIED IDEOGRAPH:'C96D:51565:&#x534C CJK UNIFIED IDEOGRAPH:'C96E:51566:&#x5722 CJK UNIFIED IDEOGRAPH:'C96F:51567:&#x5723 CJK UNIFIED IDEOGRAPH:'C970:51568:&#x5917 CJK UNIFIED IDEOGRAPH:'C971:51569:&#x592F CJK UNIFIED IDEOGRAPH:'C972:51570:&#x5B81 CJK UNIFIED IDEOGRAPH:'C973:51571:&#x5B84 CJK UNIFIED IDEOGRAPH:'C974:51572:&#x5C12 CJK UNIFIED IDEOGRAPH:'C975:51573:&#x5C3B CJK UNIFIED IDEOGRAPH:'C976:51574:&#x5C74 CJK UNIFIED IDEOGRAPH:'C977:51575:&#x5C73 CJK UNIFIED IDEOGRAPH:'C978:51576:&#x5E04 CJK UNIFIED IDEOGRAPH:'C979:51577:&#x5E80 CJK UNIFIED IDEOGRAPH:'C97A:51578:&#x5E82 CJK UNIFIED IDEOGRAPH:'C97B:51579:&#x5FC9 CJK UNIFIED IDEOGRAPH:'C97C:51580:&#x6209 CJK UNIFIED IDEOGRAPH:'C97D:51581:&#x6250 CJK UNIFIED IDEOGRAPH:'C97E:51582:&#x6C15 CJK UNIFIED IDEOGRAPH:'C9A1:51617:&#x6C36 CJK UNIFIED IDEOGRAPH:'C9A2:51618:&#x6C43 CJK UNIFIED IDEOGRAPH:'C9A3:51619:&#x6C3F CJK UNIFIED IDEOGRAPH:'C9A4:51620:&#x6C3B CJK UNIFIED IDEOGRAPH:'C9A5:51621:&#x72AE CJK UNIFIED IDEOGRAPH:'C9A6:51622:&#x72B0 CJK UNIFIED IDEOGRAPH:'C9A7:51623:&#x738A CJK UNIFIED IDEOGRAPH:'C9A8:51624:&#x79B8 CJK UNIFIED IDEOGRAPH:'C9A9:51625:&#x808A CJK UNIFIED IDEOGRAPH:'C9AA:51626:&#x961E CJK UNIFIED IDEOGRAPH:'C9AB:51627:&#x4F0E CJK UNIFIED IDEOGRAPH:'C9AC:51628:&#x4F18 CJK UNIFIED IDEOGRAPH:'C9AD:51629:&#x4F2C CJK UNIFIED IDEOGRAPH:'C9AE:51630:&#x4EF5 CJK UNIFIED IDEOGRAPH:'C9AF:51631:&#x4F14 CJK UNIFIED IDEOGRAPH:'C9B0:51632:&#x4EF1 CJK UNIFIED IDEOGRAPH:'C9B1:51633:&#x4F00 CJK UNIFIED IDEOGRAPH:'C9B2:51634:&#x4EF7 CJK UNIFIED IDEOGRAPH:'C9B3:51635:&#x4F08 CJK UNIFIED IDEOGRAPH:'C9B4:51636:&#x4F1D CJK UNIFIED IDEOGRAPH:'C9B5:51637:&#x4F02 CJK UNIFIED IDEOGRAPH:'C9B6:51638:&#x4F05 CJK UNIFIED IDEOGRAPH:'C9B7:51639:&#x4F22 CJK UNIFIED IDEOGRAPH:'C9B8:51640:&#x4F13 CJK UNIFIED IDEOGRAPH:'C9B9:51641:&#x4F04 CJK UNIFIED IDEOGRAPH:'C9BA:51642:&#x4EF4 CJK UNIFIED IDEOGRAPH:'C9BB:51643:&#x4F12 CJK UNIFIED IDEOGRAPH:'C9BC:51644:&#x51B1 CJK UNIFIED IDEOGRAPH:'C9BD:51645:&#x5213 CJK UNIFIED IDEOGRAPH:'C9BE:51646:&#x5209 CJK UNIFIED IDEOGRAPH:'C9BF:51647:&#x5210 CJK UNIFIED IDEOGRAPH:'C9C0:51648:&#x52A6 CJK UNIFIED IDEOGRAPH:'C9C1:51649:&#x5322 CJK UNIFIED IDEOGRAPH:'C9C2:51650:&#x531F CJK UNIFIED IDEOGRAPH:'C9C3:51651:&#x534D CJK UNIFIED IDEOGRAPH:'C9C4:51652:&#x538A CJK UNIFIED IDEOGRAPH:'C9C5:51653:&#x5407 CJK UNIFIED IDEOGRAPH:'C9C6:51654:&#x56E1 CJK UNIFIED IDEOGRAPH:'C9C7:51655:&#x56DF CJK UNIFIED IDEOGRAPH:'C9C8:51656:&#x572E CJK UNIFIED IDEOGRAPH:'C9C9:51657:&#x572A CJK UNIFIED IDEOGRAPH:'C9CA:51658:&#x5734 CJK UNIFIED IDEOGRAPH:'C9CB:51659:&#x593C CJK UNIFIED IDEOGRAPH:'C9CC:51660:&#x5980 CJK UNIFIED IDEOGRAPH:'C9CD:51661:&#x597C CJK UNIFIED IDEOGRAPH:'C9CE:51662:&#x5985 CJK UNIFIED IDEOGRAPH:'C9CF:51663:&#x597B CJK UNIFIED IDEOGRAPH:'C9D0:51664:&#x597E CJK UNIFIED IDEOGRAPH:'C9D1:51665:&#x5977 CJK UNIFIED IDEOGRAPH:'C9D2:51666:&#x597F CJK UNIFIED IDEOGRAPH:'C9D3:51667:&#x5B56 CJK UNIFIED IDEOGRAPH:'C9D4:51668:&#x5C15 CJK UNIFIED IDEOGRAPH:'C9D5:51669:&#x5C25 CJK UNIFIED IDEOGRAPH:'C9D6:51670:&#x5C7C CJK UNIFIED IDEOGRAPH:'C9D7:51671:&#x5C7A CJK UNIFIED IDEOGRAPH:'C9D8:51672:&#x5C7B CJK UNIFIED IDEOGRAPH:'C9D9:51673:&#x5C7E CJK UNIFIED IDEOGRAPH:'C9DA:51674:&#x5DDF CJK UNIFIED IDEOGRAPH:'C9DB:51675:&#x5E75 CJK UNIFIED IDEOGRAPH:'C9DC:51676:&#x5E84 CJK UNIFIED IDEOGRAPH:'C9DD:51677:&#x5F02 CJK UNIFIED IDEOGRAPH:'C9DE:51678:&#x5F1A CJK UNIFIED IDEOGRAPH:'C9DF:51679:&#x5F74 CJK UNIFIED IDEOGRAPH:'C9E0:51680:&#x5FD5 CJK UNIFIED IDEOGRAPH:'C9E1:51681:&#x5FD4 CJK UNIFIED IDEOGRAPH:'C9E2:51682:&#x5FCF CJK UNIFIED IDEOGRAPH:'C9E3:51683:&#x625C CJK UNIFIED IDEOGRAPH:'C9E4:51684:&#x625E CJK UNIFIED IDEOGRAPH:'C9E5:51685:&#x6264 CJK UNIFIED IDEOGRAPH:'C9E6:51686:&#x6261 CJK UNIFIED IDEOGRAPH:'C9E7:51687:&#x6266 CJK UNIFIED IDEOGRAPH:'C9E8:51688:&#x6262 CJK UNIFIED IDEOGRAPH:'C9E9:51689:&#x6259 CJK UNIFIED IDEOGRAPH:'C9EA:51690:&#x6260 CJK UNIFIED IDEOGRAPH:'C9EB:51691:&#x625A CJK UNIFIED IDEOGRAPH:'C9EC:51692:&#x6265 CJK UNIFIED IDEOGRAPH:'C9ED:51693:&#x65EF CJK UNIFIED IDEOGRAPH:'C9EE:51694:&#x65EE CJK UNIFIED IDEOGRAPH:'C9EF:51695:&#x673E CJK UNIFIED IDEOGRAPH:'C9F0:51696:&#x6739 CJK UNIFIED IDEOGRAPH:'C9F1:51697:&#x6738 CJK UNIFIED IDEOGRAPH:'C9F2:51698:&#x673B CJK UNIFIED IDEOGRAPH:'C9F3:51699:&#x673A CJK UNIFIED IDEOGRAPH:'C9F4:51700:&#x673F CJK UNIFIED IDEOGRAPH:'C9F5:51701:&#x673C CJK UNIFIED IDEOGRAPH:'C9F6:51702:&#x6733 CJK UNIFIED IDEOGRAPH:'C9F7:51703:&#x6C18 CJK UNIFIED IDEOGRAPH:'C9F8:51704:&#x6C46 CJK UNIFIED IDEOGRAPH:'C9F9:51705:&#x6C52 CJK UNIFIED IDEOGRAPH:'C9FA:51706:&#x6C5C CJK UNIFIED IDEOGRAPH:'C9FB:51707:&#x6C4F CJK UNIFIED IDEOGRAPH:'C9FC:51708:&#x6C4A CJK UNIFIED IDEOGRAPH:'C9FD:51709:&#x6C54 CJK UNIFIED IDEOGRAPH:'C9FE:51710:&#x6C4B CJK UNIFIED IDEOGRAPH:'CA40:51776:&#x6C4C CJK UNIFIED IDEOGRAPH:'CA41:51777:&#x7071 CJK UNIFIED IDEOGRAPH:'CA42:51778:&#x725E CJK UNIFIED IDEOGRAPH:'CA43:51779:&#x72B4 CJK UNIFIED IDEOGRAPH:'CA44:51780:&#x72B5 CJK UNIFIED IDEOGRAPH:'CA45:51781:&#x738E CJK UNIFIED IDEOGRAPH:'CA46:51782:&#x752A CJK UNIFIED IDEOGRAPH:'CA47:51783:&#x767F CJK UNIFIED IDEOGRAPH:'CA48:51784:&#x7A75 CJK UNIFIED IDEOGRAPH:'CA49:51785:&#x7F51 CJK UNIFIED IDEOGRAPH:'CA4A:51786:&#x8278 CJK UNIFIED IDEOGRAPH:'CA4B:51787:&#x827C CJK UNIFIED IDEOGRAPH:'CA4C:51788:&#x8280 CJK UNIFIED IDEOGRAPH:'CA4D:51789:&#x827D CJK UNIFIED IDEOGRAPH:'CA4E:51790:&#x827F CJK UNIFIED IDEOGRAPH:'CA4F:51791:&#x864D CJK UNIFIED IDEOGRAPH:'CA50:51792:&#x897E CJK UNIFIED IDEOGRAPH:'CA51:51793:&#x9099 CJK UNIFIED IDEOGRAPH:'CA52:51794:&#x9097 CJK UNIFIED IDEOGRAPH:'CA53:51795:&#x9098 CJK UNIFIED IDEOGRAPH:'CA54:51796:&#x909B CJK UNIFIED IDEOGRAPH:'CA55:51797:&#x9094 CJK UNIFIED IDEOGRAPH:'CA56:51798:&#x9622 CJK UNIFIED IDEOGRAPH:'CA57:51799:&#x9624 CJK UNIFIED IDEOGRAPH:'CA58:51800:&#x9620 CJK UNIFIED IDEOGRAPH:'CA59:51801:&#x9623 CJK UNIFIED IDEOGRAPH:'CA5A:51802:&#x4F56 CJK UNIFIED IDEOGRAPH:'CA5B:51803:&#x4F3B CJK UNIFIED IDEOGRAPH:'CA5C:51804:&#x4F62 CJK UNIFIED IDEOGRAPH:'CA5D:51805:&#x4F49 CJK UNIFIED IDEOGRAPH:'CA5E:51806:&#x4F53 CJK UNIFIED IDEOGRAPH:'CA5F:51807:&#x4F64 CJK UNIFIED IDEOGRAPH:'CA60:51808:&#x4F3E CJK UNIFIED IDEOGRAPH:'CA61:51809:&#x4F67 CJK UNIFIED IDEOGRAPH:'CA62:51810:&#x4F52 CJK UNIFIED IDEOGRAPH:'CA63:51811:&#x4F5F CJK UNIFIED IDEOGRAPH:'CA64:51812:&#x4F41 CJK UNIFIED IDEOGRAPH:'CA65:51813:&#x4F58 CJK UNIFIED IDEOGRAPH:'CA66:51814:&#x4F2D CJK UNIFIED IDEOGRAPH:'CA67:51815:&#x4F33 CJK UNIFIED IDEOGRAPH:'CA68:51816:&#x4F3F CJK UNIFIED IDEOGRAPH:'CA69:51817:&#x4F61 CJK UNIFIED IDEOGRAPH:'CA6A:51818:&#x518F CJK UNIFIED IDEOGRAPH:'CA6B:51819:&#x51B9 CJK UNIFIED IDEOGRAPH:'CA6C:51820:&#x521C CJK UNIFIED IDEOGRAPH:'CA6D:51821:&#x521E CJK UNIFIED IDEOGRAPH:'CA6E:51822:&#x5221 CJK UNIFIED IDEOGRAPH:'CA6F:51823:&#x52AD CJK UNIFIED IDEOGRAPH:'CA70:51824:&#x52AE CJK UNIFIED IDEOGRAPH:'CA71:51825:&#x5309 CJK UNIFIED IDEOGRAPH:'CA72:51826:&#x5363 CJK UNIFIED IDEOGRAPH:'CA73:51827:&#x5372 CJK UNIFIED IDEOGRAPH:'CA74:51828:&#x538E CJK UNIFIED IDEOGRAPH:'CA75:51829:&#x538F CJK UNIFIED IDEOGRAPH:'CA76:51830:&#x5430 CJK UNIFIED IDEOGRAPH:'CA77:51831:&#x5437 CJK UNIFIED IDEOGRAPH:'CA78:51832:&#x542A CJK UNIFIED IDEOGRAPH:'CA79:51833:&#x5454 CJK UNIFIED IDEOGRAPH:'CA7A:51834:&#x5445 CJK UNIFIED IDEOGRAPH:'CA7B:51835:&#x5419 CJK UNIFIED IDEOGRAPH:'CA7C:51836:&#x541C CJK UNIFIED IDEOGRAPH:'CA7D:51837:&#x5425 CJK UNIFIED IDEOGRAPH:'CA7E:51838:&#x5418 CJK UNIFIED IDEOGRAPH:'CAA1:51873:&#x543D CJK UNIFIED IDEOGRAPH:'CAA2:51874:&#x544F CJK UNIFIED IDEOGRAPH:'CAA3:51875:&#x5441 CJK UNIFIED IDEOGRAPH:'CAA4:51876:&#x5428 CJK UNIFIED IDEOGRAPH:'CAA5:51877:&#x5424 CJK UNIFIED IDEOGRAPH:'CAA6:51878:&#x5447 CJK UNIFIED IDEOGRAPH:'CAA7:51879:&#x56EE CJK UNIFIED IDEOGRAPH:'CAA8:51880:&#x56E7 CJK UNIFIED IDEOGRAPH:'CAA9:51881:&#x56E5 CJK UNIFIED IDEOGRAPH:'CAAA:51882:&#x5741 CJK UNIFIED IDEOGRAPH:'CAAB:51883:&#x5745 CJK UNIFIED IDEOGRAPH:'CAAC:51884:&#x574C CJK UNIFIED IDEOGRAPH:'CAAD:51885:&#x5749 CJK UNIFIED IDEOGRAPH:'CAAE:51886:&#x574B CJK UNIFIED IDEOGRAPH:'CAAF:51887:&#x5752 CJK UNIFIED IDEOGRAPH:'CAB0:51888:&#x5906 CJK UNIFIED IDEOGRAPH:'CAB1:51889:&#x5940 CJK UNIFIED IDEOGRAPH:'CAB2:51890:&#x59A6 CJK UNIFIED IDEOGRAPH:'CAB3:51891:&#x5998 CJK UNIFIED IDEOGRAPH:'CAB4:51892:&#x59A0 CJK UNIFIED IDEOGRAPH:'CAB5:51893:&#x5997 CJK UNIFIED IDEOGRAPH:'CAB6:51894:&#x598E CJK UNIFIED IDEOGRAPH:'CAB7:51895:&#x59A2 CJK UNIFIED IDEOGRAPH:'CAB8:51896:&#x5990 CJK UNIFIED IDEOGRAPH:'CAB9:51897:&#x598F CJK UNIFIED IDEOGRAPH:'CABA:51898:&#x59A7 CJK UNIFIED IDEOGRAPH:'CABB:51899:&#x59A1 CJK UNIFIED IDEOGRAPH:'CABC:51900:&#x5B8E CJK UNIFIED IDEOGRAPH:'CABD:51901:&#x5B92 CJK UNIFIED IDEOGRAPH:'CABE:51902:&#x5C28 CJK UNIFIED IDEOGRAPH:'CABF:51903:&#x5C2A CJK UNIFIED IDEOGRAPH:'CAC0:51904:&#x5C8D CJK UNIFIED IDEOGRAPH:'CAC1:51905:&#x5C8F CJK UNIFIED IDEOGRAPH:'CAC2:51906:&#x5C88 CJK UNIFIED IDEOGRAPH:'CAC3:51907:&#x5C8B CJK UNIFIED IDEOGRAPH:'CAC4:51908:&#x5C89 CJK UNIFIED IDEOGRAPH:'CAC5:51909:&#x5C92 CJK UNIFIED IDEOGRAPH:'CAC6:51910:&#x5C8A CJK UNIFIED IDEOGRAPH:'CAC7:51911:&#x5C86 CJK UNIFIED IDEOGRAPH:'CAC8:51912:&#x5C93 CJK UNIFIED IDEOGRAPH:'CAC9:51913:&#x5C95 CJK UNIFIED IDEOGRAPH:'CACA:51914:&#x5DE0 CJK UNIFIED IDEOGRAPH:'CACB:51915:&#x5E0A CJK UNIFIED IDEOGRAPH:'CACC:51916:&#x5E0E CJK UNIFIED IDEOGRAPH:'CACD:51917:&#x5E8B CJK UNIFIED IDEOGRAPH:'CACE:51918:&#x5E89 CJK UNIFIED IDEOGRAPH:'CACF:51919:&#x5E8C CJK UNIFIED IDEOGRAPH:'CAD0:51920:&#x5E88 CJK UNIFIED IDEOGRAPH:'CAD1:51921:&#x5E8D CJK UNIFIED IDEOGRAPH:'CAD2:51922:&#x5F05 CJK UNIFIED IDEOGRAPH:'CAD3:51923:&#x5F1D CJK UNIFIED IDEOGRAPH:'CAD4:51924:&#x5F78 CJK UNIFIED IDEOGRAPH:'CAD5:51925:&#x5F76 CJK UNIFIED IDEOGRAPH:'CAD6:51926:&#x5FD2 CJK UNIFIED IDEOGRAPH:'CAD7:51927:&#x5FD1 CJK UNIFIED IDEOGRAPH:'CAD8:51928:&#x5FD0 CJK UNIFIED IDEOGRAPH:'CAD9:51929:&#x5FED CJK UNIFIED IDEOGRAPH:'CADA:51930:&#x5FE8 CJK UNIFIED IDEOGRAPH:'CADB:51931:&#x5FEE CJK UNIFIED IDEOGRAPH:'CADC:51932:&#x5FF3 CJK UNIFIED IDEOGRAPH:'CADD:51933:&#x5FE1 CJK UNIFIED IDEOGRAPH:'CADE:51934:&#x5FE4 CJK UNIFIED IDEOGRAPH:'CADF:51935:&#x5FE3 CJK UNIFIED IDEOGRAPH:'CAE0:51936:&#x5FFA CJK UNIFIED IDEOGRAPH:'CAE1:51937:&#x5FEF CJK UNIFIED IDEOGRAPH:'CAE2:51938:&#x5FF7 CJK UNIFIED IDEOGRAPH:'CAE3:51939:&#x5FFB CJK UNIFIED IDEOGRAPH:'CAE4:51940:&#x6000 CJK UNIFIED IDEOGRAPH:'CAE5:51941:&#x5FF4 CJK UNIFIED IDEOGRAPH:'CAE6:51942:&#x623A CJK UNIFIED IDEOGRAPH:'CAE7:51943:&#x6283 CJK UNIFIED IDEOGRAPH:'CAE8:51944:&#x628C CJK UNIFIED IDEOGRAPH:'CAE9:51945:&#x628E CJK UNIFIED IDEOGRAPH:'CAEA:51946:&#x628F CJK UNIFIED IDEOGRAPH:'CAEB:51947:&#x6294 CJK UNIFIED IDEOGRAPH:'CAEC:51948:&#x6287 CJK UNIFIED IDEOGRAPH:'CAED:51949:&#x6271 CJK UNIFIED IDEOGRAPH:'CAEE:51950:&#x627B CJK UNIFIED IDEOGRAPH:'CAEF:51951:&#x627A CJK UNIFIED IDEOGRAPH:'CAF0:51952:&#x6270 CJK UNIFIED IDEOGRAPH:'CAF1:51953:&#x6281 CJK UNIFIED IDEOGRAPH:'CAF2:51954:&#x6288 CJK UNIFIED IDEOGRAPH:'CAF3:51955:&#x6277 CJK UNIFIED IDEOGRAPH:'CAF4:51956:&#x627D CJK UNIFIED IDEOGRAPH:'CAF5:51957:&#x6272 CJK UNIFIED IDEOGRAPH:'CAF6:51958:&#x6274 CJK UNIFIED IDEOGRAPH:'CAF7:51959:&#x6537 CJK UNIFIED IDEOGRAPH:'CAF8:51960:&#x65F0 CJK UNIFIED IDEOGRAPH:'CAF9:51961:&#x65F4 CJK UNIFIED IDEOGRAPH:'CAFA:51962:&#x65F3 CJK UNIFIED IDEOGRAPH:'CAFB:51963:&#x65F2 CJK UNIFIED IDEOGRAPH:'CAFC:51964:&#x65F5 CJK UNIFIED IDEOGRAPH:'CAFD:51965:&#x6745 CJK UNIFIED IDEOGRAPH:'CAFE:51966:&#x6747 CJK UNIFIED IDEOGRAPH:'CB40:52032:&#x6759 CJK UNIFIED IDEOGRAPH:'CB41:52033:&#x6755 CJK UNIFIED IDEOGRAPH:'CB42:52034:&#x674C CJK UNIFIED IDEOGRAPH:'CB43:52035:&#x6748 CJK UNIFIED IDEOGRAPH:'CB44:52036:&#x675D CJK UNIFIED IDEOGRAPH:'CB45:52037:&#x674D CJK UNIFIED IDEOGRAPH:'CB46:52038:&#x675A CJK UNIFIED IDEOGRAPH:'CB47:52039:&#x674B CJK UNIFIED IDEOGRAPH:'CB48:52040:&#x6BD0 CJK UNIFIED IDEOGRAPH:'CB49:52041:&#x6C19 CJK UNIFIED IDEOGRAPH:'CB4A:52042:&#x6C1A CJK UNIFIED IDEOGRAPH:'CB4B:52043:&#x6C78 CJK UNIFIED IDEOGRAPH:'CB4C:52044:&#x6C67 CJK UNIFIED IDEOGRAPH:'CB4D:52045:&#x6C6B CJK UNIFIED IDEOGRAPH:'CB4E:52046:&#x6C84 CJK UNIFIED IDEOGRAPH:'CB4F:52047:&#x6C8B CJK UNIFIED IDEOGRAPH:'CB50:52048:&#x6C8F CJK UNIFIED IDEOGRAPH:'CB51:52049:&#x6C71 CJK UNIFIED IDEOGRAPH:'CB52:52050:&#x6C6F CJK UNIFIED IDEOGRAPH:'CB53:52051:&#x6C69 CJK UNIFIED IDEOGRAPH:'CB54:52052:&#x6C9A CJK UNIFIED IDEOGRAPH:'CB55:52053:&#x6C6D CJK UNIFIED IDEOGRAPH:'CB56:52054:&#x6C87 CJK UNIFIED IDEOGRAPH:'CB57:52055:&#x6C95 CJK UNIFIED IDEOGRAPH:'CB58:52056:&#x6C9C CJK UNIFIED IDEOGRAPH:'CB59:52057:&#x6C66 CJK UNIFIED IDEOGRAPH:'CB5A:52058:&#x6C73 CJK UNIFIED IDEOGRAPH:'CB5B:52059:&#x6C65 CJK UNIFIED IDEOGRAPH:'CB5C:52060:&#x6C7B CJK UNIFIED IDEOGRAPH:'CB5D:52061:&#x6C8E CJK UNIFIED IDEOGRAPH:'CB5E:52062:&#x7074 CJK UNIFIED IDEOGRAPH:'CB5F:52063:&#x707A CJK UNIFIED IDEOGRAPH:'CB60:52064:&#x7263 CJK UNIFIED IDEOGRAPH:'CB61:52065:&#x72BF CJK UNIFIED IDEOGRAPH:'CB62:52066:&#x72BD CJK UNIFIED IDEOGRAPH:'CB63:52067:&#x72C3 CJK UNIFIED IDEOGRAPH:'CB64:52068:&#x72C6 CJK UNIFIED IDEOGRAPH:'CB65:52069:&#x72C1 CJK UNIFIED IDEOGRAPH:'CB66:52070:&#x72BA CJK UNIFIED IDEOGRAPH:'CB67:52071:&#x72C5 CJK UNIFIED IDEOGRAPH:'CB68:52072:&#x7395 CJK UNIFIED IDEOGRAPH:'CB69:52073:&#x7397 CJK UNIFIED IDEOGRAPH:'CB6A:52074:&#x7393 CJK UNIFIED IDEOGRAPH:'CB6B:52075:&#x7394 CJK UNIFIED IDEOGRAPH:'CB6C:52076:&#x7392 CJK UNIFIED IDEOGRAPH:'CB6D:52077:&#x753A CJK UNIFIED IDEOGRAPH:'CB6E:52078:&#x7539 CJK UNIFIED IDEOGRAPH:'CB6F:52079:&#x7594 CJK UNIFIED IDEOGRAPH:'CB70:52080:&#x7595 CJK UNIFIED IDEOGRAPH:'CB71:52081:&#x7681 CJK UNIFIED IDEOGRAPH:'CB72:52082:&#x793D CJK UNIFIED IDEOGRAPH:'CB73:52083:&#x8034 CJK UNIFIED IDEOGRAPH:'CB74:52084:&#x8095 CJK UNIFIED IDEOGRAPH:'CB75:52085:&#x8099 CJK UNIFIED IDEOGRAPH:'CB76:52086:&#x8090 CJK UNIFIED IDEOGRAPH:'CB77:52087:&#x8092 CJK UNIFIED IDEOGRAPH:'CB78:52088:&#x809C CJK UNIFIED IDEOGRAPH:'CB79:52089:&#x8290 CJK UNIFIED IDEOGRAPH:'CB7A:52090:&#x828F CJK UNIFIED IDEOGRAPH:'CB7B:52091:&#x8285 CJK UNIFIED IDEOGRAPH:'CB7C:52092:&#x828E CJK UNIFIED IDEOGRAPH:'CB7D:52093:&#x8291 CJK UNIFIED IDEOGRAPH:'CB7E:52094:&#x8293 CJK UNIFIED IDEOGRAPH:'CBA1:52129:&#x828A CJK UNIFIED IDEOGRAPH:'CBA2:52130:&#x8283 CJK UNIFIED IDEOGRAPH:'CBA3:52131:&#x8284 CJK UNIFIED IDEOGRAPH:'CBA4:52132:&#x8C78 CJK UNIFIED IDEOGRAPH:'CBA5:52133:&#x8FC9 CJK UNIFIED IDEOGRAPH:'CBA6:52134:&#x8FBF CJK UNIFIED IDEOGRAPH:'CBA7:52135:&#x909F CJK UNIFIED IDEOGRAPH:'CBA8:52136:&#x90A1 CJK UNIFIED IDEOGRAPH:'CBA9:52137:&#x90A5 CJK UNIFIED IDEOGRAPH:'CBAA:52138:&#x909E CJK UNIFIED IDEOGRAPH:'CBAB:52139:&#x90A7 CJK UNIFIED IDEOGRAPH:'CBAC:52140:&#x90A0 CJK UNIFIED IDEOGRAPH:'CBAD:52141:&#x9630 CJK UNIFIED IDEOGRAPH:'CBAE:52142:&#x9628 CJK UNIFIED IDEOGRAPH:'CBAF:52143:&#x962F CJK UNIFIED IDEOGRAPH:'CBB0:52144:&#x962D CJK UNIFIED IDEOGRAPH:'CBB1:52145:&#x4E33 CJK UNIFIED IDEOGRAPH:'CBB2:52146:&#x4F98 CJK UNIFIED IDEOGRAPH:'CBB3:52147:&#x4F7C CJK UNIFIED IDEOGRAPH:'CBB4:52148:&#x4F85 CJK UNIFIED IDEOGRAPH:'CBB5:52149:&#x4F7D CJK UNIFIED IDEOGRAPH:'CBB6:52150:&#x4F80 CJK UNIFIED IDEOGRAPH:'CBB7:52151:&#x4F87 CJK UNIFIED IDEOGRAPH:'CBB8:52152:&#x4F76 CJK UNIFIED IDEOGRAPH:'CBB9:52153:&#x4F74 CJK UNIFIED IDEOGRAPH:'CBBA:52154:&#x4F89 CJK UNIFIED IDEOGRAPH:'CBBB:52155:&#x4F84 CJK UNIFIED IDEOGRAPH:'CBBC:52156:&#x4F77 CJK UNIFIED IDEOGRAPH:'CBBD:52157:&#x4F4C CJK UNIFIED IDEOGRAPH:'CBBE:52158:&#x4F97 CJK UNIFIED IDEOGRAPH:'CBBF:52159:&#x4F6A CJK UNIFIED IDEOGRAPH:'CBC0:52160:&#x4F9A CJK UNIFIED IDEOGRAPH:'CBC1:52161:&#x4F79 CJK UNIFIED IDEOGRAPH:'CBC2:52162:&#x4F81 CJK UNIFIED IDEOGRAPH:'CBC3:52163:&#x4F78 CJK UNIFIED IDEOGRAPH:'CBC4:52164:&#x4F90 CJK UNIFIED IDEOGRAPH:'CBC5:52165:&#x4F9C CJK UNIFIED IDEOGRAPH:'CBC6:52166:&#x4F94 CJK UNIFIED IDEOGRAPH:'CBC7:52167:&#x4F9E CJK UNIFIED IDEOGRAPH:'CBC8:52168:&#x4F92 CJK UNIFIED IDEOGRAPH:'CBC9:52169:&#x4F82 CJK UNIFIED IDEOGRAPH:'CBCA:52170:&#x4F95 CJK UNIFIED IDEOGRAPH:'CBCB:52171:&#x4F6B CJK UNIFIED IDEOGRAPH:'CBCC:52172:&#x4F6E CJK UNIFIED IDEOGRAPH:'CBCD:52173:&#x519E CJK UNIFIED IDEOGRAPH:'CBCE:52174:&#x51BC CJK UNIFIED IDEOGRAPH:'CBCF:52175:&#x51BE CJK UNIFIED IDEOGRAPH:'CBD0:52176:&#x5235 CJK UNIFIED IDEOGRAPH:'CBD1:52177:&#x5232 CJK UNIFIED IDEOGRAPH:'CBD2:52178:&#x5233 CJK UNIFIED IDEOGRAPH:'CBD3:52179:&#x5246 CJK UNIFIED IDEOGRAPH:'CBD4:52180:&#x5231 CJK UNIFIED IDEOGRAPH:'CBD5:52181:&#x52BC CJK UNIFIED IDEOGRAPH:'CBD6:52182:&#x530A CJK UNIFIED IDEOGRAPH:'CBD7:52183:&#x530B CJK UNIFIED IDEOGRAPH:'CBD8:52184:&#x533C CJK UNIFIED IDEOGRAPH:'CBD9:52185:&#x5392 CJK UNIFIED IDEOGRAPH:'CBDA:52186:&#x5394 CJK UNIFIED IDEOGRAPH:'CBDB:52187:&#x5487 CJK UNIFIED IDEOGRAPH:'CBDC:52188:&#x547F CJK UNIFIED IDEOGRAPH:'CBDD:52189:&#x5481 CJK UNIFIED IDEOGRAPH:'CBDE:52190:&#x5491 CJK UNIFIED IDEOGRAPH:'CBDF:52191:&#x5482 CJK UNIFIED IDEOGRAPH:'CBE0:52192:&#x5488 CJK UNIFIED IDEOGRAPH:'CBE1:52193:&#x546B CJK UNIFIED IDEOGRAPH:'CBE2:52194:&#x547A CJK UNIFIED IDEOGRAPH:'CBE3:52195:&#x547E CJK UNIFIED IDEOGRAPH:'CBE4:52196:&#x5465 CJK UNIFIED IDEOGRAPH:'CBE5:52197:&#x546C CJK UNIFIED IDEOGRAPH:'CBE6:52198:&#x5474 CJK UNIFIED IDEOGRAPH:'CBE7:52199:&#x5466 CJK UNIFIED IDEOGRAPH:'CBE8:52200:&#x548D CJK UNIFIED IDEOGRAPH:'CBE9:52201:&#x546F CJK UNIFIED IDEOGRAPH:'CBEA:52202:&#x5461 CJK UNIFIED IDEOGRAPH:'CBEB:52203:&#x5460 CJK UNIFIED IDEOGRAPH:'CBEC:52204:&#x5498 CJK UNIFIED IDEOGRAPH:'CBED:52205:&#x5463 CJK UNIFIED IDEOGRAPH:'CBEE:52206:&#x5467 CJK UNIFIED IDEOGRAPH:'CBEF:52207:&#x5464 CJK UNIFIED IDEOGRAPH:'CBF0:52208:&#x56F7 CJK UNIFIED IDEOGRAPH:'CBF1:52209:&#x56F9 CJK UNIFIED IDEOGRAPH:'CBF2:52210:&#x576F CJK UNIFIED IDEOGRAPH:'CBF3:52211:&#x5772 CJK UNIFIED IDEOGRAPH:'CBF4:52212:&#x576D CJK UNIFIED IDEOGRAPH:'CBF5:52213:&#x576B CJK UNIFIED IDEOGRAPH:'CBF6:52214:&#x5771 CJK UNIFIED IDEOGRAPH:'CBF7:52215:&#x5770 CJK UNIFIED IDEOGRAPH:'CBF8:52216:&#x5776 CJK UNIFIED IDEOGRAPH:'CBF9:52217:&#x5780 CJK UNIFIED IDEOGRAPH:'CBFA:52218:&#x5775 CJK UNIFIED IDEOGRAPH:'CBFB:52219:&#x577B CJK UNIFIED IDEOGRAPH:'CBFC:52220:&#x5773 CJK UNIFIED IDEOGRAPH:'CBFD:52221:&#x5774 CJK UNIFIED IDEOGRAPH:'CBFE:52222:&#x5762 CJK UNIFIED IDEOGRAPH:'CC40:52288:&#x5768 CJK UNIFIED IDEOGRAPH:'CC41:52289:&#x577D CJK UNIFIED IDEOGRAPH:'CC42:52290:&#x590C CJK UNIFIED IDEOGRAPH:'CC43:52291:&#x5945 CJK UNIFIED IDEOGRAPH:'CC44:52292:&#x59B5 CJK UNIFIED IDEOGRAPH:'CC45:52293:&#x59BA CJK UNIFIED IDEOGRAPH:'CC46:52294:&#x59CF CJK UNIFIED IDEOGRAPH:'CC47:52295:&#x59CE CJK UNIFIED IDEOGRAPH:'CC48:52296:&#x59B2 CJK UNIFIED IDEOGRAPH:'CC49:52297:&#x59CC CJK UNIFIED IDEOGRAPH:'CC4A:52298:&#x59C1 CJK UNIFIED IDEOGRAPH:'CC4B:52299:&#x59B6 CJK UNIFIED IDEOGRAPH:'CC4C:52300:&#x59BC CJK UNIFIED IDEOGRAPH:'CC4D:52301:&#x59C3 CJK UNIFIED IDEOGRAPH:'CC4E:52302:&#x59D6 CJK UNIFIED IDEOGRAPH:'CC4F:52303:&#x59B1 CJK UNIFIED IDEOGRAPH:'CC50:52304:&#x59BD CJK UNIFIED IDEOGRAPH:'CC51:52305:&#x59C0 CJK UNIFIED IDEOGRAPH:'CC52:52306:&#x59C8 CJK UNIFIED IDEOGRAPH:'CC53:52307:&#x59B4 CJK UNIFIED IDEOGRAPH:'CC54:52308:&#x59C7 CJK UNIFIED IDEOGRAPH:'CC55:52309:&#x5B62 CJK UNIFIED IDEOGRAPH:'CC56:52310:&#x5B65 CJK UNIFIED IDEOGRAPH:'CC57:52311:&#x5B93 CJK UNIFIED IDEOGRAPH:'CC58:52312:&#x5B95 CJK UNIFIED IDEOGRAPH:'CC59:52313:&#x5C44 CJK UNIFIED IDEOGRAPH:'CC5A:52314:&#x5C47 CJK UNIFIED IDEOGRAPH:'CC5B:52315:&#x5CAE CJK UNIFIED IDEOGRAPH:'CC5C:52316:&#x5CA4 CJK UNIFIED IDEOGRAPH:'CC5D:52317:&#x5CA0 CJK UNIFIED IDEOGRAPH:'CC5E:52318:&#x5CB5 CJK UNIFIED IDEOGRAPH:'CC5F:52319:&#x5CAF CJK UNIFIED IDEOGRAPH:'CC60:52320:&#x5CA8 CJK UNIFIED IDEOGRAPH:'CC61:52321:&#x5CAC CJK UNIFIED IDEOGRAPH:'CC62:52322:&#x5C9F CJK UNIFIED IDEOGRAPH:'CC63:52323:&#x5CA3 CJK UNIFIED IDEOGRAPH:'CC64:52324:&#x5CAD CJK UNIFIED IDEOGRAPH:'CC65:52325:&#x5CA2 CJK UNIFIED IDEOGRAPH:'CC66:52326:&#x5CAA CJK UNIFIED IDEOGRAPH:'CC67:52327:&#x5CA7 CJK UNIFIED IDEOGRAPH:'CC68:52328:&#x5C9D CJK UNIFIED IDEOGRAPH:'CC69:52329:&#x5CA5 CJK UNIFIED IDEOGRAPH:'CC6A:52330:&#x5CB6 CJK UNIFIED IDEOGRAPH:'CC6B:52331:&#x5CB0 CJK UNIFIED IDEOGRAPH:'CC6C:52332:&#x5CA6 CJK UNIFIED IDEOGRAPH:'CC6D:52333:&#x5E17 CJK UNIFIED IDEOGRAPH:'CC6E:52334:&#x5E14 CJK UNIFIED IDEOGRAPH:'CC6F:52335:&#x5E19 CJK UNIFIED IDEOGRAPH:'CC70:52336:&#x5F28 CJK UNIFIED IDEOGRAPH:'CC71:52337:&#x5F22 CJK UNIFIED IDEOGRAPH:'CC72:52338:&#x5F23 CJK UNIFIED IDEOGRAPH:'CC73:52339:&#x5F24 CJK UNIFIED IDEOGRAPH:'CC74:52340:&#x5F54 CJK UNIFIED IDEOGRAPH:'CC75:52341:&#x5F82 CJK UNIFIED IDEOGRAPH:'CC76:52342:&#x5F7E CJK UNIFIED IDEOGRAPH:'CC77:52343:&#x5F7D CJK UNIFIED IDEOGRAPH:'CC78:52344:&#x5FDE CJK UNIFIED IDEOGRAPH:'CC79:52345:&#x5FE5 CJK UNIFIED IDEOGRAPH:'CC7A:52346:&#x602D CJK UNIFIED IDEOGRAPH:'CC7B:52347:&#x6026 CJK UNIFIED IDEOGRAPH:'CC7C:52348:&#x6019 CJK UNIFIED IDEOGRAPH:'CC7D:52349:&#x6032 CJK UNIFIED IDEOGRAPH:'CC7E:52350:&#x600B CJK UNIFIED IDEOGRAPH:'CCA1:52385:&#x6034 CJK UNIFIED IDEOGRAPH:'CCA2:52386:&#x600A CJK UNIFIED IDEOGRAPH:'CCA3:52387:&#x6017 CJK UNIFIED IDEOGRAPH:'CCA4:52388:&#x6033 CJK UNIFIED IDEOGRAPH:'CCA5:52389:&#x601A CJK UNIFIED IDEOGRAPH:'CCA6:52390:&#x601E CJK UNIFIED IDEOGRAPH:'CCA7:52391:&#x602C CJK UNIFIED IDEOGRAPH:'CCA8:52392:&#x6022 CJK UNIFIED IDEOGRAPH:'CCA9:52393:&#x600D CJK UNIFIED IDEOGRAPH:'CCAA:52394:&#x6010 CJK UNIFIED IDEOGRAPH:'CCAB:52395:&#x602E CJK UNIFIED IDEOGRAPH:'CCAC:52396:&#x6013 CJK UNIFIED IDEOGRAPH:'CCAD:52397:&#x6011 CJK UNIFIED IDEOGRAPH:'CCAE:52398:&#x600C CJK UNIFIED IDEOGRAPH:'CCAF:52399:&#x6009 CJK UNIFIED IDEOGRAPH:'CCB0:52400:&#x601C CJK UNIFIED IDEOGRAPH:'CCB1:52401:&#x6214 CJK UNIFIED IDEOGRAPH:'CCB2:52402:&#x623D CJK UNIFIED IDEOGRAPH:'CCB3:52403:&#x62AD CJK UNIFIED IDEOGRAPH:'CCB4:52404:&#x62B4 CJK UNIFIED IDEOGRAPH:'CCB5:52405:&#x62D1 CJK UNIFIED IDEOGRAPH:'CCB6:52406:&#x62BE CJK UNIFIED IDEOGRAPH:'CCB7:52407:&#x62AA CJK UNIFIED IDEOGRAPH:'CCB8:52408:&#x62B6 CJK UNIFIED IDEOGRAPH:'CCB9:52409:&#x62CA CJK UNIFIED IDEOGRAPH:'CCBA:52410:&#x62AE CJK UNIFIED IDEOGRAPH:'CCBB:52411:&#x62B3 CJK UNIFIED IDEOGRAPH:'CCBC:52412:&#x62AF CJK UNIFIED IDEOGRAPH:'CCBD:52413:&#x62BB CJK UNIFIED IDEOGRAPH:'CCBE:52414:&#x62A9 CJK UNIFIED IDEOGRAPH:'CCBF:52415:&#x62B0 CJK UNIFIED IDEOGRAPH:'CCC0:52416:&#x62B8 CJK UNIFIED IDEOGRAPH:'CCC1:52417:&#x653D CJK UNIFIED IDEOGRAPH:'CCC2:52418:&#x65A8 CJK UNIFIED IDEOGRAPH:'CCC3:52419:&#x65BB CJK UNIFIED IDEOGRAPH:'CCC4:52420:&#x6609 CJK UNIFIED IDEOGRAPH:'CCC5:52421:&#x65FC CJK UNIFIED IDEOGRAPH:'CCC6:52422:&#x6604 CJK UNIFIED IDEOGRAPH:'CCC7:52423:&#x6612 CJK UNIFIED IDEOGRAPH:'CCC8:52424:&#x6608 CJK UNIFIED IDEOGRAPH:'CCC9:52425:&#x65FB CJK UNIFIED IDEOGRAPH:'CCCA:52426:&#x6603 CJK UNIFIED IDEOGRAPH:'CCCB:52427:&#x660B CJK UNIFIED IDEOGRAPH:'CCCC:52428:&#x660D CJK UNIFIED IDEOGRAPH:'CCCD:52429:&#x6605 CJK UNIFIED IDEOGRAPH:'CCCE:52430:&#x65FD CJK UNIFIED IDEOGRAPH:'CCCF:52431:&#x6611 CJK UNIFIED IDEOGRAPH:'CCD0:52432:&#x6610 CJK UNIFIED IDEOGRAPH:'CCD1:52433:&#x66F6 CJK UNIFIED IDEOGRAPH:'CCD2:52434:&#x670A CJK UNIFIED IDEOGRAPH:'CCD3:52435:&#x6785 CJK UNIFIED IDEOGRAPH:'CCD4:52436:&#x676C CJK UNIFIED IDEOGRAPH:'CCD5:52437:&#x678E CJK UNIFIED IDEOGRAPH:'CCD6:52438:&#x6792 CJK UNIFIED IDEOGRAPH:'CCD7:52439:&#x6776 CJK UNIFIED IDEOGRAPH:'CCD8:52440:&#x677B CJK UNIFIED IDEOGRAPH:'CCD9:52441:&#x6798 CJK UNIFIED IDEOGRAPH:'CCDA:52442:&#x6786 CJK UNIFIED IDEOGRAPH:'CCDB:52443:&#x6784 CJK UNIFIED IDEOGRAPH:'CCDC:52444:&#x6774 CJK UNIFIED IDEOGRAPH:'CCDD:52445:&#x678D CJK UNIFIED IDEOGRAPH:'CCDE:52446:&#x678C CJK UNIFIED IDEOGRAPH:'CCDF:52447:&#x677A CJK UNIFIED IDEOGRAPH:'CCE0:52448:&#x679F CJK UNIFIED IDEOGRAPH:'CCE1:52449:&#x6791 CJK UNIFIED IDEOGRAPH:'CCE2:52450:&#x6799 CJK UNIFIED IDEOGRAPH:'CCE3:52451:&#x6783 CJK UNIFIED IDEOGRAPH:'CCE4:52452:&#x677D CJK UNIFIED IDEOGRAPH:'CCE5:52453:&#x6781 CJK UNIFIED IDEOGRAPH:'CCE6:52454:&#x6778 CJK UNIFIED IDEOGRAPH:'CCE7:52455:&#x6779 CJK UNIFIED IDEOGRAPH:'CCE8:52456:&#x6794 CJK UNIFIED IDEOGRAPH:'CCE9:52457:&#x6B25 CJK UNIFIED IDEOGRAPH:'CCEA:52458:&#x6B80 CJK UNIFIED IDEOGRAPH:'CCEB:52459:&#x6B7E CJK UNIFIED IDEOGRAPH:'CCEC:52460:&#x6BDE CJK UNIFIED IDEOGRAPH:'CCED:52461:&#x6C1D CJK UNIFIED IDEOGRAPH:'CCEE:52462:&#x6C93 CJK UNIFIED IDEOGRAPH:'CCEF:52463:&#x6CEC CJK UNIFIED IDEOGRAPH:'CCF0:52464:&#x6CEB CJK UNIFIED IDEOGRAPH:'CCF1:52465:&#x6CEE CJK UNIFIED IDEOGRAPH:'CCF2:52466:&#x6CD9 CJK UNIFIED IDEOGRAPH:'CCF3:52467:&#x6CB6 CJK UNIFIED IDEOGRAPH:'CCF4:52468:&#x6CD4 CJK UNIFIED IDEOGRAPH:'CCF5:52469:&#x6CAD CJK UNIFIED IDEOGRAPH:'CCF6:52470:&#x6CE7 CJK UNIFIED IDEOGRAPH:'CCF7:52471:&#x6CB7 CJK UNIFIED IDEOGRAPH:'CCF8:52472:&#x6CD0 CJK UNIFIED IDEOGRAPH:'CCF9:52473:&#x6CC2 CJK UNIFIED IDEOGRAPH:'CCFA:52474:&#x6CBA CJK UNIFIED IDEOGRAPH:'CCFB:52475:&#x6CC3 CJK UNIFIED IDEOGRAPH:'CCFC:52476:&#x6CC6 CJK UNIFIED IDEOGRAPH:'CCFD:52477:&#x6CED CJK UNIFIED IDEOGRAPH:'CCFE:52478:&#x6CF2 CJK UNIFIED IDEOGRAPH:'CD40:52544:&#x6CD2 CJK UNIFIED IDEOGRAPH:'CD41:52545:&#x6CDD CJK UNIFIED IDEOGRAPH:'CD42:52546:&#x6CB4 CJK UNIFIED IDEOGRAPH:'CD43:52547:&#x6C8A CJK UNIFIED IDEOGRAPH:'CD44:52548:&#x6C9D CJK UNIFIED IDEOGRAPH:'CD45:52549:&#x6C80 CJK UNIFIED IDEOGRAPH:'CD46:52550:&#x6CDE CJK UNIFIED IDEOGRAPH:'CD47:52551:&#x6CC0 CJK UNIFIED IDEOGRAPH:'CD48:52552:&#x6D30 CJK UNIFIED IDEOGRAPH:'CD49:52553:&#x6CCD CJK UNIFIED IDEOGRAPH:'CD4A:52554:&#x6CC7 CJK UNIFIED IDEOGRAPH:'CD4B:52555:&#x6CB0 CJK UNIFIED IDEOGRAPH:'CD4C:52556:&#x6CF9 CJK UNIFIED IDEOGRAPH:'CD4D:52557:&#x6CCF CJK UNIFIED IDEOGRAPH:'CD4E:52558:&#x6CE9 CJK UNIFIED IDEOGRAPH:'CD4F:52559:&#x6CD1 CJK UNIFIED IDEOGRAPH:'CD50:52560:&#x7094 CJK UNIFIED IDEOGRAPH:'CD51:52561:&#x7098 CJK UNIFIED IDEOGRAPH:'CD52:52562:&#x7085 CJK UNIFIED IDEOGRAPH:'CD53:52563:&#x7093 CJK UNIFIED IDEOGRAPH:'CD54:52564:&#x7086 CJK UNIFIED IDEOGRAPH:'CD55:52565:&#x7084 CJK UNIFIED IDEOGRAPH:'CD56:52566:&#x7091 CJK UNIFIED IDEOGRAPH:'CD57:52567:&#x7096 CJK UNIFIED IDEOGRAPH:'CD58:52568:&#x7082 CJK UNIFIED IDEOGRAPH:'CD59:52569:&#x709A CJK UNIFIED IDEOGRAPH:'CD5A:52570:&#x7083 CJK UNIFIED IDEOGRAPH:'CD5B:52571:&#x726A CJK UNIFIED IDEOGRAPH:'CD5C:52572:&#x72D6 CJK UNIFIED IDEOGRAPH:'CD5D:52573:&#x72CB CJK UNIFIED IDEOGRAPH:'CD5E:52574:&#x72D8 CJK UNIFIED IDEOGRAPH:'CD5F:52575:&#x72C9 CJK UNIFIED IDEOGRAPH:'CD60:52576:&#x72DC CJK UNIFIED IDEOGRAPH:'CD61:52577:&#x72D2 CJK UNIFIED IDEOGRAPH:'CD62:52578:&#x72D4 CJK UNIFIED IDEOGRAPH:'CD63:52579:&#x72DA CJK UNIFIED IDEOGRAPH:'CD64:52580:&#x72CC CJK UNIFIED IDEOGRAPH:'CD65:52581:&#x72D1 CJK UNIFIED IDEOGRAPH:'CD66:52582:&#x73A4 CJK UNIFIED IDEOGRAPH:'CD67:52583:&#x73A1 CJK UNIFIED IDEOGRAPH:'CD68:52584:&#x73AD CJK UNIFIED IDEOGRAPH:'CD69:52585:&#x73A6 CJK UNIFIED IDEOGRAPH:'CD6A:52586:&#x73A2 CJK UNIFIED IDEOGRAPH:'CD6B:52587:&#x73A0 CJK UNIFIED IDEOGRAPH:'CD6C:52588:&#x73AC CJK UNIFIED IDEOGRAPH:'CD6D:52589:&#x739D CJK UNIFIED IDEOGRAPH:'CD6E:52590:&#x74DD CJK UNIFIED IDEOGRAPH:'CD6F:52591:&#x74E8 CJK UNIFIED IDEOGRAPH:'CD70:52592:&#x753F CJK UNIFIED IDEOGRAPH:'CD71:52593:&#x7540 CJK UNIFIED IDEOGRAPH:'CD72:52594:&#x753E CJK UNIFIED IDEOGRAPH:'CD73:52595:&#x758C CJK UNIFIED IDEOGRAPH:'CD74:52596:&#x7598 CJK UNIFIED IDEOGRAPH:'CD75:52597:&#x76AF CJK UNIFIED IDEOGRAPH:'CD76:52598:&#x76F3 CJK UNIFIED IDEOGRAPH:'CD77:52599:&#x76F1 CJK UNIFIED IDEOGRAPH:'CD78:52600:&#x76F0 CJK UNIFIED IDEOGRAPH:'CD79:52601:&#x76F5 CJK UNIFIED IDEOGRAPH:'CD7A:52602:&#x77F8 CJK UNIFIED IDEOGRAPH:'CD7B:52603:&#x77FC CJK UNIFIED IDEOGRAPH:'CD7C:52604:&#x77F9 CJK UNIFIED IDEOGRAPH:'CD7D:52605:&#x77FB CJK UNIFIED IDEOGRAPH:'CD7E:52606:&#x77FA CJK UNIFIED IDEOGRAPH:'CDA1:52641:&#x77F7 CJK UNIFIED IDEOGRAPH:'CDA2:52642:&#x7942 CJK UNIFIED IDEOGRAPH:'CDA3:52643:&#x793F CJK UNIFIED IDEOGRAPH:'CDA4:52644:&#x79C5 CJK UNIFIED IDEOGRAPH:'CDA5:52645:&#x7A78 CJK UNIFIED IDEOGRAPH:'CDA6:52646:&#x7A7B CJK UNIFIED IDEOGRAPH:'CDA7:52647:&#x7AFB CJK UNIFIED IDEOGRAPH:'CDA8:52648:&#x7C75 CJK UNIFIED IDEOGRAPH:'CDA9:52649:&#x7CFD CJK UNIFIED IDEOGRAPH:'CDAA:52650:&#x8035 CJK UNIFIED IDEOGRAPH:'CDAB:52651:&#x808F CJK UNIFIED IDEOGRAPH:'CDAC:52652:&#x80AE CJK UNIFIED IDEOGRAPH:'CDAD:52653:&#x80A3 CJK UNIFIED IDEOGRAPH:'CDAE:52654:&#x80B8 CJK UNIFIED IDEOGRAPH:'CDAF:52655:&#x80B5 CJK UNIFIED IDEOGRAPH:'CDB0:52656:&#x80AD CJK UNIFIED IDEOGRAPH:'CDB1:52657:&#x8220 CJK UNIFIED IDEOGRAPH:'CDB2:52658:&#x82A0 CJK UNIFIED IDEOGRAPH:'CDB3:52659:&#x82C0 CJK UNIFIED IDEOGRAPH:'CDB4:52660:&#x82AB CJK UNIFIED IDEOGRAPH:'CDB5:52661:&#x829A CJK UNIFIED IDEOGRAPH:'CDB6:52662:&#x8298 CJK UNIFIED IDEOGRAPH:'CDB7:52663:&#x829B CJK UNIFIED IDEOGRAPH:'CDB8:52664:&#x82B5 CJK UNIFIED IDEOGRAPH:'CDB9:52665:&#x82A7 CJK UNIFIED IDEOGRAPH:'CDBA:52666:&#x82AE CJK UNIFIED IDEOGRAPH:'CDBB:52667:&#x82BC CJK UNIFIED IDEOGRAPH:'CDBC:52668:&#x829E CJK UNIFIED IDEOGRAPH:'CDBD:52669:&#x82BA CJK UNIFIED IDEOGRAPH:'CDBE:52670:&#x82B4 CJK UNIFIED IDEOGRAPH:'CDBF:52671:&#x82A8 CJK UNIFIED IDEOGRAPH:'CDC0:52672:&#x82A1 CJK UNIFIED IDEOGRAPH:'CDC1:52673:&#x82A9 CJK UNIFIED IDEOGRAPH:'CDC2:52674:&#x82C2 CJK UNIFIED IDEOGRAPH:'CDC3:52675:&#x82A4 CJK UNIFIED IDEOGRAPH:'CDC4:52676:&#x82C3 CJK UNIFIED IDEOGRAPH:'CDC5:52677:&#x82B6 CJK UNIFIED IDEOGRAPH:'CDC6:52678:&#x82A2 CJK UNIFIED IDEOGRAPH:'CDC7:52679:&#x8670 CJK UNIFIED IDEOGRAPH:'CDC8:52680:&#x866F CJK UNIFIED IDEOGRAPH:'CDC9:52681:&#x866D CJK UNIFIED IDEOGRAPH:'CDCA:52682:&#x866E CJK UNIFIED IDEOGRAPH:'CDCB:52683:&#x8C56 CJK UNIFIED IDEOGRAPH:'CDCC:52684:&#x8FD2 CJK UNIFIED IDEOGRAPH:'CDCD:52685:&#x8FCB CJK UNIFIED IDEOGRAPH:'CDCE:52686:&#x8FD3 CJK UNIFIED IDEOGRAPH:'CDCF:52687:&#x8FCD CJK UNIFIED IDEOGRAPH:'CDD0:52688:&#x8FD6 CJK UNIFIED IDEOGRAPH:'CDD1:52689:&#x8FD5 CJK UNIFIED IDEOGRAPH:'CDD2:52690:&#x8FD7 CJK UNIFIED IDEOGRAPH:'CDD3:52691:&#x90B2 CJK UNIFIED IDEOGRAPH:'CDD4:52692:&#x90B4 CJK UNIFIED IDEOGRAPH:'CDD5:52693:&#x90AF CJK UNIFIED IDEOGRAPH:'CDD6:52694:&#x90B3 CJK UNIFIED IDEOGRAPH:'CDD7:52695:&#x90B0 CJK UNIFIED IDEOGRAPH:'CDD8:52696:&#x9639 CJK UNIFIED IDEOGRAPH:'CDD9:52697:&#x963D CJK UNIFIED IDEOGRAPH:'CDDA:52698:&#x963C CJK UNIFIED IDEOGRAPH:'CDDB:52699:&#x963A CJK UNIFIED IDEOGRAPH:'CDDC:52700:&#x9643 CJK UNIFIED IDEOGRAPH:'CDDD:52701:&#x4FCD CJK UNIFIED IDEOGRAPH:'CDDE:52702:&#x4FC5 CJK UNIFIED IDEOGRAPH:'CDDF:52703:&#x4FD3 CJK UNIFIED IDEOGRAPH:'CDE0:52704:&#x4FB2 CJK UNIFIED IDEOGRAPH:'CDE1:52705:&#x4FC9 CJK UNIFIED IDEOGRAPH:'CDE2:52706:&#x4FCB CJK UNIFIED IDEOGRAPH:'CDE3:52707:&#x4FC1 CJK UNIFIED IDEOGRAPH:'CDE4:52708:&#x4FD4 CJK UNIFIED IDEOGRAPH:'CDE5:52709:&#x4FDC CJK UNIFIED IDEOGRAPH:'CDE6:52710:&#x4FD9 CJK UNIFIED IDEOGRAPH:'CDE7:52711:&#x4FBB CJK UNIFIED IDEOGRAPH:'CDE8:52712:&#x4FB3 CJK UNIFIED IDEOGRAPH:'CDE9:52713:&#x4FDB CJK UNIFIED IDEOGRAPH:'CDEA:52714:&#x4FC7 CJK UNIFIED IDEOGRAPH:'CDEB:52715:&#x4FD6 CJK UNIFIED IDEOGRAPH:'CDEC:52716:&#x4FBA CJK UNIFIED IDEOGRAPH:'CDED:52717:&#x4FC0 CJK UNIFIED IDEOGRAPH:'CDEE:52718:&#x4FB9 CJK UNIFIED IDEOGRAPH:'CDEF:52719:&#x4FEC CJK UNIFIED IDEOGRAPH:'CDF0:52720:&#x5244 CJK UNIFIED IDEOGRAPH:'CDF1:52721:&#x5249 CJK UNIFIED IDEOGRAPH:'CDF2:52722:&#x52C0 CJK UNIFIED IDEOGRAPH:'CDF3:52723:&#x52C2 CJK UNIFIED IDEOGRAPH:'CDF4:52724:&#x533D CJK UNIFIED IDEOGRAPH:'CDF5:52725:&#x537C CJK UNIFIED IDEOGRAPH:'CDF6:52726:&#x5397 CJK UNIFIED IDEOGRAPH:'CDF7:52727:&#x5396 CJK UNIFIED IDEOGRAPH:'CDF8:52728:&#x5399 CJK UNIFIED IDEOGRAPH:'CDF9:52729:&#x5398 CJK UNIFIED IDEOGRAPH:'CDFA:52730:&#x54BA CJK UNIFIED IDEOGRAPH:'CDFB:52731:&#x54A1 CJK UNIFIED IDEOGRAPH:'CDFC:52732:&#x54AD CJK UNIFIED IDEOGRAPH:'CDFD:52733:&#x54A5 CJK UNIFIED IDEOGRAPH:'CDFE:52734:&#x54CF CJK UNIFIED IDEOGRAPH:'CE40:52800:&#x54C3 CJK UNIFIED IDEOGRAPH:'CE41:52801:&#x830D CJK UNIFIED IDEOGRAPH:'CE42:52802:&#x54B7 CJK UNIFIED IDEOGRAPH:'CE43:52803:&#x54AE CJK UNIFIED IDEOGRAPH:'CE44:52804:&#x54D6 CJK UNIFIED IDEOGRAPH:'CE45:52805:&#x54B6 CJK UNIFIED IDEOGRAPH:'CE46:52806:&#x54C5 CJK UNIFIED IDEOGRAPH:'CE47:52807:&#x54C6 CJK UNIFIED IDEOGRAPH:'CE48:52808:&#x54A0 CJK UNIFIED IDEOGRAPH:'CE49:52809:&#x5470 CJK UNIFIED IDEOGRAPH:'CE4A:52810:&#x54BC CJK UNIFIED IDEOGRAPH:'CE4B:52811:&#x54A2 CJK UNIFIED IDEOGRAPH:'CE4C:52812:&#x54BE CJK UNIFIED IDEOGRAPH:'CE4D:52813:&#x5472 CJK UNIFIED IDEOGRAPH:'CE4E:52814:&#x54DE CJK UNIFIED IDEOGRAPH:'CE4F:52815:&#x54B0 CJK UNIFIED IDEOGRAPH:'CE50:52816:&#x57B5 CJK UNIFIED IDEOGRAPH:'CE51:52817:&#x579E CJK UNIFIED IDEOGRAPH:'CE52:52818:&#x579F CJK UNIFIED IDEOGRAPH:'CE53:52819:&#x57A4 CJK UNIFIED IDEOGRAPH:'CE54:52820:&#x578C CJK UNIFIED IDEOGRAPH:'CE55:52821:&#x5797 CJK UNIFIED IDEOGRAPH:'CE56:52822:&#x579D CJK UNIFIED IDEOGRAPH:'CE57:52823:&#x579B CJK UNIFIED IDEOGRAPH:'CE58:52824:&#x5794 CJK UNIFIED IDEOGRAPH:'CE59:52825:&#x5798 CJK UNIFIED IDEOGRAPH:'CE5A:52826:&#x578F CJK UNIFIED IDEOGRAPH:'CE5B:52827:&#x5799 CJK UNIFIED IDEOGRAPH:'CE5C:52828:&#x57A5 CJK UNIFIED IDEOGRAPH:'CE5D:52829:&#x579A CJK UNIFIED IDEOGRAPH:'CE5E:52830:&#x5795 CJK UNIFIED IDEOGRAPH:'CE5F:52831:&#x58F4 CJK UNIFIED IDEOGRAPH:'CE60:52832:&#x590D CJK UNIFIED IDEOGRAPH:'CE61:52833:&#x5953 CJK UNIFIED IDEOGRAPH:'CE62:52834:&#x59E1 CJK UNIFIED IDEOGRAPH:'CE63:52835:&#x59DE CJK UNIFIED IDEOGRAPH:'CE64:52836:&#x59EE CJK UNIFIED IDEOGRAPH:'CE65:52837:&#x5A00 CJK UNIFIED IDEOGRAPH:'CE66:52838:&#x59F1 CJK UNIFIED IDEOGRAPH:'CE67:52839:&#x59DD CJK UNIFIED IDEOGRAPH:'CE68:52840:&#x59FA CJK UNIFIED IDEOGRAPH:'CE69:52841:&#x59FD CJK UNIFIED IDEOGRAPH:'CE6A:52842:&#x59FC CJK UNIFIED IDEOGRAPH:'CE6B:52843:&#x59F6 CJK UNIFIED IDEOGRAPH:'CE6C:52844:&#x59E4 CJK UNIFIED IDEOGRAPH:'CE6D:52845:&#x59F2 CJK UNIFIED IDEOGRAPH:'CE6E:52846:&#x59F7 CJK UNIFIED IDEOGRAPH:'CE6F:52847:&#x59DB CJK UNIFIED IDEOGRAPH:'CE70:52848:&#x59E9 CJK UNIFIED IDEOGRAPH:'CE71:52849:&#x59F3 CJK UNIFIED IDEOGRAPH:'CE72:52850:&#x59F5 CJK UNIFIED IDEOGRAPH:'CE73:52851:&#x59E0 CJK UNIFIED IDEOGRAPH:'CE74:52852:&#x59FE CJK UNIFIED IDEOGRAPH:'CE75:52853:&#x59F4 CJK UNIFIED IDEOGRAPH:'CE76:52854:&#x59ED CJK UNIFIED IDEOGRAPH:'CE77:52855:&#x5BA8 CJK UNIFIED IDEOGRAPH:'CE78:52856:&#x5C4C CJK UNIFIED IDEOGRAPH:'CE79:52857:&#x5CD0 CJK UNIFIED IDEOGRAPH:'CE7A:52858:&#x5CD8 CJK UNIFIED IDEOGRAPH:'CE7B:52859:&#x5CCC CJK UNIFIED IDEOGRAPH:'CE7C:52860:&#x5CD7 CJK UNIFIED IDEOGRAPH:'CE7D:52861:&#x5CCB CJK UNIFIED IDEOGRAPH:'CE7E:52862:&#x5CDB CJK UNIFIED IDEOGRAPH:'CEA1:52897:&#x5CDE CJK UNIFIED IDEOGRAPH:'CEA2:52898:&#x5CDA CJK UNIFIED IDEOGRAPH:'CEA3:52899:&#x5CC9 CJK UNIFIED IDEOGRAPH:'CEA4:52900:&#x5CC7 CJK UNIFIED IDEOGRAPH:'CEA5:52901:&#x5CCA CJK UNIFIED IDEOGRAPH:'CEA6:52902:&#x5CD6 CJK UNIFIED IDEOGRAPH:'CEA7:52903:&#x5CD3 CJK UNIFIED IDEOGRAPH:'CEA8:52904:&#x5CD4 CJK UNIFIED IDEOGRAPH:'CEA9:52905:&#x5CCF CJK UNIFIED IDEOGRAPH:'CEAA:52906:&#x5CC8 CJK UNIFIED IDEOGRAPH:'CEAB:52907:&#x5CC6 CJK UNIFIED IDEOGRAPH:'CEAC:52908:&#x5CCE CJK UNIFIED IDEOGRAPH:'CEAD:52909:&#x5CDF CJK UNIFIED IDEOGRAPH:'CEAE:52910:&#x5CF8 CJK UNIFIED IDEOGRAPH:'CEAF:52911:&#x5DF9 CJK UNIFIED IDEOGRAPH:'CEB0:52912:&#x5E21 CJK UNIFIED IDEOGRAPH:'CEB1:52913:&#x5E22 CJK UNIFIED IDEOGRAPH:'CEB2:52914:&#x5E23 CJK UNIFIED IDEOGRAPH:'CEB3:52915:&#x5E20 CJK UNIFIED IDEOGRAPH:'CEB4:52916:&#x5E24 CJK UNIFIED IDEOGRAPH:'CEB5:52917:&#x5EB0 CJK UNIFIED IDEOGRAPH:'CEB6:52918:&#x5EA4 CJK UNIFIED IDEOGRAPH:'CEB7:52919:&#x5EA2 CJK UNIFIED IDEOGRAPH:'CEB8:52920:&#x5E9B CJK UNIFIED IDEOGRAPH:'CEB9:52921:&#x5EA3 CJK UNIFIED IDEOGRAPH:'CEBA:52922:&#x5EA5 CJK UNIFIED IDEOGRAPH:'CEBB:52923:&#x5F07 CJK UNIFIED IDEOGRAPH:'CEBC:52924:&#x5F2E CJK UNIFIED IDEOGRAPH:'CEBD:52925:&#x5F56 CJK UNIFIED IDEOGRAPH:'CEBE:52926:&#x5F86 CJK UNIFIED IDEOGRAPH:'CEBF:52927:&#x6037 CJK UNIFIED IDEOGRAPH:'CEC0:52928:&#x6039 CJK UNIFIED IDEOGRAPH:'CEC1:52929:&#x6054 CJK UNIFIED IDEOGRAPH:'CEC2:52930:&#x6072 CJK UNIFIED IDEOGRAPH:'CEC3:52931:&#x605E CJK UNIFIED IDEOGRAPH:'CEC4:52932:&#x6045 CJK UNIFIED IDEOGRAPH:'CEC5:52933:&#x6053 CJK UNIFIED IDEOGRAPH:'CEC6:52934:&#x6047 CJK UNIFIED IDEOGRAPH:'CEC7:52935:&#x6049 CJK UNIFIED IDEOGRAPH:'CEC8:52936:&#x605B CJK UNIFIED IDEOGRAPH:'CEC9:52937:&#x604C CJK UNIFIED IDEOGRAPH:'CECA:52938:&#x6040 CJK UNIFIED IDEOGRAPH:'CECB:52939:&#x6042 CJK UNIFIED IDEOGRAPH:'CECC:52940:&#x605F CJK UNIFIED IDEOGRAPH:'CECD:52941:&#x6024 CJK UNIFIED IDEOGRAPH:'CECE:52942:&#x6044 CJK UNIFIED IDEOGRAPH:'CECF:52943:&#x6058 CJK UNIFIED IDEOGRAPH:'CED0:52944:&#x6066 CJK UNIFIED IDEOGRAPH:'CED1:52945:&#x606E CJK UNIFIED IDEOGRAPH:'CED2:52946:&#x6242 CJK UNIFIED IDEOGRAPH:'CED3:52947:&#x6243 CJK UNIFIED IDEOGRAPH:'CED4:52948:&#x62CF CJK UNIFIED IDEOGRAPH:'CED5:52949:&#x630D CJK UNIFIED IDEOGRAPH:'CED6:52950:&#x630B CJK UNIFIED IDEOGRAPH:'CED7:52951:&#x62F5 CJK UNIFIED IDEOGRAPH:'CED8:52952:&#x630E CJK UNIFIED IDEOGRAPH:'CED9:52953:&#x6303 CJK UNIFIED IDEOGRAPH:'CEDA:52954:&#x62EB CJK UNIFIED IDEOGRAPH:'CEDB:52955:&#x62F9 CJK UNIFIED IDEOGRAPH:'CEDC:52956:&#x630F CJK UNIFIED IDEOGRAPH:'CEDD:52957:&#x630C CJK UNIFIED IDEOGRAPH:'CEDE:52958:&#x62F8 CJK UNIFIED IDEOGRAPH:'CEDF:52959:&#x62F6 CJK UNIFIED IDEOGRAPH:'CEE0:52960:&#x6300 CJK UNIFIED IDEOGRAPH:'CEE1:52961:&#x6313 CJK UNIFIED IDEOGRAPH:'CEE2:52962:&#x6314 CJK UNIFIED IDEOGRAPH:'CEE3:52963:&#x62FA CJK UNIFIED IDEOGRAPH:'CEE4:52964:&#x6315 CJK UNIFIED IDEOGRAPH:'CEE5:52965:&#x62FB CJK UNIFIED IDEOGRAPH:'CEE6:52966:&#x62F0 CJK UNIFIED IDEOGRAPH:'CEE7:52967:&#x6541 CJK UNIFIED IDEOGRAPH:'CEE8:52968:&#x6543 CJK UNIFIED IDEOGRAPH:'CEE9:52969:&#x65AA CJK UNIFIED IDEOGRAPH:'CEEA:52970:&#x65BF CJK UNIFIED IDEOGRAPH:'CEEB:52971:&#x6636 CJK UNIFIED IDEOGRAPH:'CEEC:52972:&#x6621 CJK UNIFIED IDEOGRAPH:'CEED:52973:&#x6632 CJK UNIFIED IDEOGRAPH:'CEEE:52974:&#x6635 CJK UNIFIED IDEOGRAPH:'CEEF:52975:&#x661C CJK UNIFIED IDEOGRAPH:'CEF0:52976:&#x6626 CJK UNIFIED IDEOGRAPH:'CEF1:52977:&#x6622 CJK UNIFIED IDEOGRAPH:'CEF2:52978:&#x6633 CJK UNIFIED IDEOGRAPH:'CEF3:52979:&#x662B CJK UNIFIED IDEOGRAPH:'CEF4:52980:&#x663A CJK UNIFIED IDEOGRAPH:'CEF5:52981:&#x661D CJK UNIFIED IDEOGRAPH:'CEF6:52982:&#x6634 CJK UNIFIED IDEOGRAPH:'CEF7:52983:&#x6639 CJK UNIFIED IDEOGRAPH:'CEF8:52984:&#x662E CJK UNIFIED IDEOGRAPH:'CEF9:52985:&#x670F CJK UNIFIED IDEOGRAPH:'CEFA:52986:&#x6710 CJK UNIFIED IDEOGRAPH:'CEFB:52987:&#x67C1 CJK UNIFIED IDEOGRAPH:'CEFC:52988:&#x67F2 CJK UNIFIED IDEOGRAPH:'CEFD:52989:&#x67C8 CJK UNIFIED IDEOGRAPH:'CEFE:52990:&#x67BA CJK UNIFIED IDEOGRAPH:'CF40:53056:&#x67DC CJK UNIFIED IDEOGRAPH:'CF41:53057:&#x67BB CJK UNIFIED IDEOGRAPH:'CF42:53058:&#x67F8 CJK UNIFIED IDEOGRAPH:'CF43:53059:&#x67D8 CJK UNIFIED IDEOGRAPH:'CF44:53060:&#x67C0 CJK UNIFIED IDEOGRAPH:'CF45:53061:&#x67B7 CJK UNIFIED IDEOGRAPH:'CF46:53062:&#x67C5 CJK UNIFIED IDEOGRAPH:'CF47:53063:&#x67EB CJK UNIFIED IDEOGRAPH:'CF48:53064:&#x67E4 CJK UNIFIED IDEOGRAPH:'CF49:53065:&#x67DF CJK UNIFIED IDEOGRAPH:'CF4A:53066:&#x67B5 CJK UNIFIED IDEOGRAPH:'CF4B:53067:&#x67CD CJK UNIFIED IDEOGRAPH:'CF4C:53068:&#x67B3 CJK UNIFIED IDEOGRAPH:'CF4D:53069:&#x67F7 CJK UNIFIED IDEOGRAPH:'CF4E:53070:&#x67F6 CJK UNIFIED IDEOGRAPH:'CF4F:53071:&#x67EE CJK UNIFIED IDEOGRAPH:'CF50:53072:&#x67E3 CJK UNIFIED IDEOGRAPH:'CF51:53073:&#x67C2 CJK UNIFIED IDEOGRAPH:'CF52:53074:&#x67B9 CJK UNIFIED IDEOGRAPH:'CF53:53075:&#x67CE CJK UNIFIED IDEOGRAPH:'CF54:53076:&#x67E7 CJK UNIFIED IDEOGRAPH:'CF55:53077:&#x67F0 CJK UNIFIED IDEOGRAPH:'CF56:53078:&#x67B2 CJK UNIFIED IDEOGRAPH:'CF57:53079:&#x67FC CJK UNIFIED IDEOGRAPH:'CF58:53080:&#x67C6 CJK UNIFIED IDEOGRAPH:'CF59:53081:&#x67ED CJK UNIFIED IDEOGRAPH:'CF5A:53082:&#x67CC CJK UNIFIED IDEOGRAPH:'CF5B:53083:&#x67AE CJK UNIFIED IDEOGRAPH:'CF5C:53084:&#x67E6 CJK UNIFIED IDEOGRAPH:'CF5D:53085:&#x67DB CJK UNIFIED IDEOGRAPH:'CF5E:53086:&#x67FA CJK UNIFIED IDEOGRAPH:'CF5F:53087:&#x67C9 CJK UNIFIED IDEOGRAPH:'CF60:53088:&#x67CA CJK UNIFIED IDEOGRAPH:'CF61:53089:&#x67C3 CJK UNIFIED IDEOGRAPH:'CF62:53090:&#x67EA CJK UNIFIED IDEOGRAPH:'CF63:53091:&#x67CB CJK UNIFIED IDEOGRAPH:'CF64:53092:&#x6B28 CJK UNIFIED IDEOGRAPH:'CF65:53093:&#x6B82 CJK UNIFIED IDEOGRAPH:'CF66:53094:&#x6B84 CJK UNIFIED IDEOGRAPH:'CF67:53095:&#x6BB6 CJK UNIFIED IDEOGRAPH:'CF68:53096:&#x6BD6 CJK UNIFIED IDEOGRAPH:'CF69:53097:&#x6BD8 CJK UNIFIED IDEOGRAPH:'CF6A:53098:&#x6BE0 CJK UNIFIED IDEOGRAPH:'CF6B:53099:&#x6C20 CJK UNIFIED IDEOGRAPH:'CF6C:53100:&#x6C21 CJK UNIFIED IDEOGRAPH:'CF6D:53101:&#x6D28 CJK UNIFIED IDEOGRAPH:'CF6E:53102:&#x6D34 CJK UNIFIED IDEOGRAPH:'CF6F:53103:&#x6D2D CJK UNIFIED IDEOGRAPH:'CF70:53104:&#x6D1F CJK UNIFIED IDEOGRAPH:'CF71:53105:&#x6D3C CJK UNIFIED IDEOGRAPH:'CF72:53106:&#x6D3F CJK UNIFIED IDEOGRAPH:'CF73:53107:&#x6D12 CJK UNIFIED IDEOGRAPH:'CF74:53108:&#x6D0A CJK UNIFIED IDEOGRAPH:'CF75:53109:&#x6CDA CJK UNIFIED IDEOGRAPH:'CF76:53110:&#x6D33 CJK UNIFIED IDEOGRAPH:'CF77:53111:&#x6D04 CJK UNIFIED IDEOGRAPH:'CF78:53112:&#x6D19 CJK UNIFIED IDEOGRAPH:'CF79:53113:&#x6D3A CJK UNIFIED IDEOGRAPH:'CF7A:53114:&#x6D1A CJK UNIFIED IDEOGRAPH:'CF7B:53115:&#x6D11 CJK UNIFIED IDEOGRAPH:'CF7C:53116:&#x6D00 CJK UNIFIED IDEOGRAPH:'CF7D:53117:&#x6D1D CJK UNIFIED IDEOGRAPH:'CF7E:53118:&#x6D42 CJK UNIFIED IDEOGRAPH:'CFA1:53153:&#x6D01 CJK UNIFIED IDEOGRAPH:'CFA2:53154:&#x6D18 CJK UNIFIED IDEOGRAPH:'CFA3:53155:&#x6D37 CJK UNIFIED IDEOGRAPH:'CFA4:53156:&#x6D03 CJK UNIFIED IDEOGRAPH:'CFA5:53157:&#x6D0F CJK UNIFIED IDEOGRAPH:'CFA6:53158:&#x6D40 CJK UNIFIED IDEOGRAPH:'CFA7:53159:&#x6D07 CJK UNIFIED IDEOGRAPH:'CFA8:53160:&#x6D20 CJK UNIFIED IDEOGRAPH:'CFA9:53161:&#x6D2C CJK UNIFIED IDEOGRAPH:'CFAA:53162:&#x6D08 CJK UNIFIED IDEOGRAPH:'CFAB:53163:&#x6D22 CJK UNIFIED IDEOGRAPH:'CFAC:53164:&#x6D09 CJK UNIFIED IDEOGRAPH:'CFAD:53165:&#x6D10 CJK UNIFIED IDEOGRAPH:'CFAE:53166:&#x70B7 CJK UNIFIED IDEOGRAPH:'CFAF:53167:&#x709F CJK UNIFIED IDEOGRAPH:'CFB0:53168:&#x70BE CJK UNIFIED IDEOGRAPH:'CFB1:53169:&#x70B1 CJK UNIFIED IDEOGRAPH:'CFB2:53170:&#x70B0 CJK UNIFIED IDEOGRAPH:'CFB3:53171:&#x70A1 CJK UNIFIED IDEOGRAPH:'CFB4:53172:&#x70B4 CJK UNIFIED IDEOGRAPH:'CFB5:53173:&#x70B5 CJK UNIFIED IDEOGRAPH:'CFB6:53174:&#x70A9 CJK UNIFIED IDEOGRAPH:'CFB7:53175:&#x7241 CJK UNIFIED IDEOGRAPH:'CFB8:53176:&#x7249 CJK UNIFIED IDEOGRAPH:'CFB9:53177:&#x724A CJK UNIFIED IDEOGRAPH:'CFBA:53178:&#x726C CJK UNIFIED IDEOGRAPH:'CFBB:53179:&#x7270 CJK UNIFIED IDEOGRAPH:'CFBC:53180:&#x7273 CJK UNIFIED IDEOGRAPH:'CFBD:53181:&#x726E CJK UNIFIED IDEOGRAPH:'CFBE:53182:&#x72CA CJK UNIFIED IDEOGRAPH:'CFBF:53183:&#x72E4 CJK UNIFIED IDEOGRAPH:'CFC0:53184:&#x72E8 CJK UNIFIED IDEOGRAPH:'CFC1:53185:&#x72EB CJK UNIFIED IDEOGRAPH:'CFC2:53186:&#x72DF CJK UNIFIED IDEOGRAPH:'CFC3:53187:&#x72EA CJK UNIFIED IDEOGRAPH:'CFC4:53188:&#x72E6 CJK UNIFIED IDEOGRAPH:'CFC5:53189:&#x72E3 CJK UNIFIED IDEOGRAPH:'CFC6:53190:&#x7385 CJK UNIFIED IDEOGRAPH:'CFC7:53191:&#x73CC CJK UNIFIED IDEOGRAPH:'CFC8:53192:&#x73C2 CJK UNIFIED IDEOGRAPH:'CFC9:53193:&#x73C8 CJK UNIFIED IDEOGRAPH:'CFCA:53194:&#x73C5 CJK UNIFIED IDEOGRAPH:'CFCB:53195:&#x73B9 CJK UNIFIED IDEOGRAPH:'CFCC:53196:&#x73B6 CJK UNIFIED IDEOGRAPH:'CFCD:53197:&#x73B5 CJK UNIFIED IDEOGRAPH:'CFCE:53198:&#x73B4 CJK UNIFIED IDEOGRAPH:'CFCF:53199:&#x73EB CJK UNIFIED IDEOGRAPH:'CFD0:53200:&#x73BF CJK UNIFIED IDEOGRAPH:'CFD1:53201:&#x73C7 CJK UNIFIED IDEOGRAPH:'CFD2:53202:&#x73BE CJK UNIFIED IDEOGRAPH:'CFD3:53203:&#x73C3 CJK UNIFIED IDEOGRAPH:'CFD4:53204:&#x73C6 CJK UNIFIED IDEOGRAPH:'CFD5:53205:&#x73B8 CJK UNIFIED IDEOGRAPH:'CFD6:53206:&#x73CB CJK UNIFIED IDEOGRAPH:'CFD7:53207:&#x74EC CJK UNIFIED IDEOGRAPH:'CFD8:53208:&#x74EE CJK UNIFIED IDEOGRAPH:'CFD9:53209:&#x752E CJK UNIFIED IDEOGRAPH:'CFDA:53210:&#x7547 CJK UNIFIED IDEOGRAPH:'CFDB:53211:&#x7548 CJK UNIFIED IDEOGRAPH:'CFDC:53212:&#x75A7 CJK UNIFIED IDEOGRAPH:'CFDD:53213:&#x75AA CJK UNIFIED IDEOGRAPH:'CFDE:53214:&#x7679 CJK UNIFIED IDEOGRAPH:'CFDF:53215:&#x76C4 CJK UNIFIED IDEOGRAPH:'CFE0:53216:&#x7708 CJK UNIFIED IDEOGRAPH:'CFE1:53217:&#x7703 CJK UNIFIED IDEOGRAPH:'CFE2:53218:&#x7704 CJK UNIFIED IDEOGRAPH:'CFE3:53219:&#x7705 CJK UNIFIED IDEOGRAPH:'CFE4:53220:&#x770A CJK UNIFIED IDEOGRAPH:'CFE5:53221:&#x76F7 CJK UNIFIED IDEOGRAPH:'CFE6:53222:&#x76FB CJK UNIFIED IDEOGRAPH:'CFE7:53223:&#x76FA CJK UNIFIED IDEOGRAPH:'CFE8:53224:&#x77E7 CJK UNIFIED IDEOGRAPH:'CFE9:53225:&#x77E8 CJK UNIFIED IDEOGRAPH:'CFEA:53226:&#x7806 CJK UNIFIED IDEOGRAPH:'CFEB:53227:&#x7811 CJK UNIFIED IDEOGRAPH:'CFEC:53228:&#x7812 CJK UNIFIED IDEOGRAPH:'CFED:53229:&#x7805 CJK UNIFIED IDEOGRAPH:'CFEE:53230:&#x7810 CJK UNIFIED IDEOGRAPH:'CFEF:53231:&#x780F CJK UNIFIED IDEOGRAPH:'CFF0:53232:&#x780E CJK UNIFIED IDEOGRAPH:'CFF1:53233:&#x7809 CJK UNIFIED IDEOGRAPH:'CFF2:53234:&#x7803 CJK UNIFIED IDEOGRAPH:'CFF3:53235:&#x7813 CJK UNIFIED IDEOGRAPH:'CFF4:53236:&#x794A CJK UNIFIED IDEOGRAPH:'CFF5:53237:&#x794C CJK UNIFIED IDEOGRAPH:'CFF6:53238:&#x794B CJK UNIFIED IDEOGRAPH:'CFF7:53239:&#x7945 CJK UNIFIED IDEOGRAPH:'CFF8:53240:&#x7944 CJK UNIFIED IDEOGRAPH:'CFF9:53241:&#x79D5 CJK UNIFIED IDEOGRAPH:'CFFA:53242:&#x79CD CJK UNIFIED IDEOGRAPH:'CFFB:53243:&#x79CF CJK UNIFIED IDEOGRAPH:'CFFC:53244:&#x79D6 CJK UNIFIED IDEOGRAPH:'CFFD:53245:&#x79CE CJK UNIFIED IDEOGRAPH:'CFFE:53246:&#x7A80 CJK UNIFIED IDEOGRAPH:'D040:53312:&#x7A7E CJK UNIFIED IDEOGRAPH:'D041:53313:&#x7AD1 CJK UNIFIED IDEOGRAPH:'D042:53314:&#x7B00 CJK UNIFIED IDEOGRAPH:'D043:53315:&#x7B01 CJK UNIFIED IDEOGRAPH:'D044:53316:&#x7C7A CJK UNIFIED IDEOGRAPH:'D045:53317:&#x7C78 CJK UNIFIED IDEOGRAPH:'D046:53318:&#x7C79 CJK UNIFIED IDEOGRAPH:'D047:53319:&#x7C7F CJK UNIFIED IDEOGRAPH:'D048:53320:&#x7C80 CJK UNIFIED IDEOGRAPH:'D049:53321:&#x7C81 CJK UNIFIED IDEOGRAPH:'D04A:53322:&#x7D03 CJK UNIFIED IDEOGRAPH:'D04B:53323:&#x7D08 CJK UNIFIED IDEOGRAPH:'D04C:53324:&#x7D01 CJK UNIFIED IDEOGRAPH:'D04D:53325:&#x7F58 CJK UNIFIED IDEOGRAPH:'D04E:53326:&#x7F91 CJK UNIFIED IDEOGRAPH:'D04F:53327:&#x7F8D CJK UNIFIED IDEOGRAPH:'D050:53328:&#x7FBE CJK UNIFIED IDEOGRAPH:'D051:53329:&#x8007 CJK UNIFIED IDEOGRAPH:'D052:53330:&#x800E CJK UNIFIED IDEOGRAPH:'D053:53331:&#x800F CJK UNIFIED IDEOGRAPH:'D054:53332:&#x8014 CJK UNIFIED IDEOGRAPH:'D055:53333:&#x8037 CJK UNIFIED IDEOGRAPH:'D056:53334:&#x80D8 CJK UNIFIED IDEOGRAPH:'D057:53335:&#x80C7 CJK UNIFIED IDEOGRAPH:'D058:53336:&#x80E0 CJK UNIFIED IDEOGRAPH:'D059:53337:&#x80D1 CJK UNIFIED IDEOGRAPH:'D05A:53338:&#x80C8 CJK UNIFIED IDEOGRAPH:'D05B:53339:&#x80C2 CJK UNIFIED IDEOGRAPH:'D05C:53340:&#x80D0 CJK UNIFIED IDEOGRAPH:'D05D:53341:&#x80C5 CJK UNIFIED IDEOGRAPH:'D05E:53342:&#x80E3 CJK UNIFIED IDEOGRAPH:'D05F:53343:&#x80D9 CJK UNIFIED IDEOGRAPH:'D060:53344:&#x80DC CJK UNIFIED IDEOGRAPH:'D061:53345:&#x80CA CJK UNIFIED IDEOGRAPH:'D062:53346:&#x80D5 CJK UNIFIED IDEOGRAPH:'D063:53347:&#x80C9 CJK UNIFIED IDEOGRAPH:'D064:53348:&#x80CF CJK UNIFIED IDEOGRAPH:'D065:53349:&#x80D7 CJK UNIFIED IDEOGRAPH:'D066:53350:&#x80E6 CJK UNIFIED IDEOGRAPH:'D067:53351:&#x80CD CJK UNIFIED IDEOGRAPH:'D068:53352:&#x81FF CJK UNIFIED IDEOGRAPH:'D069:53353:&#x8221 CJK UNIFIED IDEOGRAPH:'D06A:53354:&#x8294 CJK UNIFIED IDEOGRAPH:'D06B:53355:&#x82D9 CJK UNIFIED IDEOGRAPH:'D06C:53356:&#x82FE CJK UNIFIED IDEOGRAPH:'D06D:53357:&#x82F9 CJK UNIFIED IDEOGRAPH:'D06E:53358:&#x8307 CJK UNIFIED IDEOGRAPH:'D06F:53359:&#x82E8 CJK UNIFIED IDEOGRAPH:'D070:53360:&#x8300 CJK UNIFIED IDEOGRAPH:'D071:53361:&#x82D5 CJK UNIFIED IDEOGRAPH:'D072:53362:&#x833A CJK UNIFIED IDEOGRAPH:'D073:53363:&#x82EB CJK UNIFIED IDEOGRAPH:'D074:53364:&#x82D6 CJK UNIFIED IDEOGRAPH:'D075:53365:&#x82F4 CJK UNIFIED IDEOGRAPH:'D076:53366:&#x82EC CJK UNIFIED IDEOGRAPH:'D077:53367:&#x82E1 CJK UNIFIED IDEOGRAPH:'D078:53368:&#x82F2 CJK UNIFIED IDEOGRAPH:'D079:53369:&#x82F5 CJK UNIFIED IDEOGRAPH:'D07A:53370:&#x830C CJK UNIFIED IDEOGRAPH:'D07B:53371:&#x82FB CJK UNIFIED IDEOGRAPH:'D07C:53372:&#x82F6 CJK UNIFIED IDEOGRAPH:'D07D:53373:&#x82F0 CJK UNIFIED IDEOGRAPH:'D07E:53374:&#x82EA CJK UNIFIED IDEOGRAPH:'D0A1:53409:&#x82E4 CJK UNIFIED IDEOGRAPH:'D0A2:53410:&#x82E0 CJK UNIFIED IDEOGRAPH:'D0A3:53411:&#x82FA CJK UNIFIED IDEOGRAPH:'D0A4:53412:&#x82F3 CJK UNIFIED IDEOGRAPH:'D0A5:53413:&#x82ED CJK UNIFIED IDEOGRAPH:'D0A6:53414:&#x8677 CJK UNIFIED IDEOGRAPH:'D0A7:53415:&#x8674 CJK UNIFIED IDEOGRAPH:'D0A8:53416:&#x867C CJK UNIFIED IDEOGRAPH:'D0A9:53417:&#x8673 CJK UNIFIED IDEOGRAPH:'D0AA:53418:&#x8841 CJK UNIFIED IDEOGRAPH:'D0AB:53419:&#x884E CJK UNIFIED IDEOGRAPH:'D0AC:53420:&#x8867 CJK UNIFIED IDEOGRAPH:'D0AD:53421:&#x886A CJK UNIFIED IDEOGRAPH:'D0AE:53422:&#x8869 CJK UNIFIED IDEOGRAPH:'D0AF:53423:&#x89D3 CJK UNIFIED IDEOGRAPH:'D0B0:53424:&#x8A04 CJK UNIFIED IDEOGRAPH:'D0B1:53425:&#x8A07 CJK UNIFIED IDEOGRAPH:'D0B2:53426:&#x8D72 CJK UNIFIED IDEOGRAPH:'D0B3:53427:&#x8FE3 CJK UNIFIED IDEOGRAPH:'D0B4:53428:&#x8FE1 CJK UNIFIED IDEOGRAPH:'D0B5:53429:&#x8FEE CJK UNIFIED IDEOGRAPH:'D0B6:53430:&#x8FE0 CJK UNIFIED IDEOGRAPH:'D0B7:53431:&#x90F1 CJK UNIFIED IDEOGRAPH:'D0B8:53432:&#x90BD CJK UNIFIED IDEOGRAPH:'D0B9:53433:&#x90BF CJK UNIFIED IDEOGRAPH:'D0BA:53434:&#x90D5 CJK UNIFIED IDEOGRAPH:'D0BB:53435:&#x90C5 CJK UNIFIED IDEOGRAPH:'D0BC:53436:&#x90BE CJK UNIFIED IDEOGRAPH:'D0BD:53437:&#x90C7 CJK UNIFIED IDEOGRAPH:'D0BE:53438:&#x90CB CJK UNIFIED IDEOGRAPH:'D0BF:53439:&#x90C8 CJK UNIFIED IDEOGRAPH:'D0C0:53440:&#x91D4 CJK UNIFIED IDEOGRAPH:'D0C1:53441:&#x91D3 CJK UNIFIED IDEOGRAPH:'D0C2:53442:&#x9654 CJK UNIFIED IDEOGRAPH:'D0C3:53443:&#x964F CJK UNIFIED IDEOGRAPH:'D0C4:53444:&#x9651 CJK UNIFIED IDEOGRAPH:'D0C5:53445:&#x9653 CJK UNIFIED IDEOGRAPH:'D0C6:53446:&#x964A CJK UNIFIED IDEOGRAPH:'D0C7:53447:&#x964E CJK UNIFIED IDEOGRAPH:'D0C8:53448:&#x501E CJK UNIFIED IDEOGRAPH:'D0C9:53449:&#x5005 CJK UNIFIED IDEOGRAPH:'D0CA:53450:&#x5007 CJK UNIFIED IDEOGRAPH:'D0CB:53451:&#x5013 CJK UNIFIED IDEOGRAPH:'D0CC:53452:&#x5022 CJK UNIFIED IDEOGRAPH:'D0CD:53453:&#x5030 CJK UNIFIED IDEOGRAPH:'D0CE:53454:&#x501B CJK UNIFIED IDEOGRAPH:'D0CF:53455:&#x4FF5 CJK UNIFIED IDEOGRAPH:'D0D0:53456:&#x4FF4 CJK UNIFIED IDEOGRAPH:'D0D1:53457:&#x5033 CJK UNIFIED IDEOGRAPH:'D0D2:53458:&#x5037 CJK UNIFIED IDEOGRAPH:'D0D3:53459:&#x502C CJK UNIFIED IDEOGRAPH:'D0D4:53460:&#x4FF6 CJK UNIFIED IDEOGRAPH:'D0D5:53461:&#x4FF7 CJK UNIFIED IDEOGRAPH:'D0D6:53462:&#x5017 CJK UNIFIED IDEOGRAPH:'D0D7:53463:&#x501C CJK UNIFIED IDEOGRAPH:'D0D8:53464:&#x5020 CJK UNIFIED IDEOGRAPH:'D0D9:53465:&#x5027 CJK UNIFIED IDEOGRAPH:'D0DA:53466:&#x5035 CJK UNIFIED IDEOGRAPH:'D0DB:53467:&#x502F CJK UNIFIED IDEOGRAPH:'D0DC:53468:&#x5031 CJK UNIFIED IDEOGRAPH:'D0DD:53469:&#x500E CJK UNIFIED IDEOGRAPH:'D0DE:53470:&#x515A CJK UNIFIED IDEOGRAPH:'D0DF:53471:&#x5194 CJK UNIFIED IDEOGRAPH:'D0E0:53472:&#x5193 CJK UNIFIED IDEOGRAPH:'D0E1:53473:&#x51CA CJK UNIFIED IDEOGRAPH:'D0E2:53474:&#x51C4 CJK UNIFIED IDEOGRAPH:'D0E3:53475:&#x51C5 CJK UNIFIED IDEOGRAPH:'D0E4:53476:&#x51C8 CJK UNIFIED IDEOGRAPH:'D0E5:53477:&#x51CE CJK UNIFIED IDEOGRAPH:'D0E6:53478:&#x5261 CJK UNIFIED IDEOGRAPH:'D0E7:53479:&#x525A CJK UNIFIED IDEOGRAPH:'D0E8:53480:&#x5252 CJK UNIFIED IDEOGRAPH:'D0E9:53481:&#x525E CJK UNIFIED IDEOGRAPH:'D0EA:53482:&#x525F CJK UNIFIED IDEOGRAPH:'D0EB:53483:&#x5255 CJK UNIFIED IDEOGRAPH:'D0EC:53484:&#x5262 CJK UNIFIED IDEOGRAPH:'D0ED:53485:&#x52CD CJK UNIFIED IDEOGRAPH:'D0EE:53486:&#x530E CJK UNIFIED IDEOGRAPH:'D0EF:53487:&#x539E CJK UNIFIED IDEOGRAPH:'D0F0:53488:&#x5526 CJK UNIFIED IDEOGRAPH:'D0F1:53489:&#x54E2 CJK UNIFIED IDEOGRAPH:'D0F2:53490:&#x5517 CJK UNIFIED IDEOGRAPH:'D0F3:53491:&#x5512 CJK UNIFIED IDEOGRAPH:'D0F4:53492:&#x54E7 CJK UNIFIED IDEOGRAPH:'D0F5:53493:&#x54F3 CJK UNIFIED IDEOGRAPH:'D0F6:53494:&#x54E4 CJK UNIFIED IDEOGRAPH:'D0F7:53495:&#x551A CJK UNIFIED IDEOGRAPH:'D0F8:53496:&#x54FF CJK UNIFIED IDEOGRAPH:'D0F9:53497:&#x5504 CJK UNIFIED IDEOGRAPH:'D0FA:53498:&#x5508 CJK UNIFIED IDEOGRAPH:'D0FB:53499:&#x54EB CJK UNIFIED IDEOGRAPH:'D0FC:53500:&#x5511 CJK UNIFIED IDEOGRAPH:'D0FD:53501:&#x5505 CJK UNIFIED IDEOGRAPH:'D0FE:53502:&#x54F1 CJK UNIFIED IDEOGRAPH:'D140:53568:&#x550A CJK UNIFIED IDEOGRAPH:'D141:53569:&#x54FB CJK UNIFIED IDEOGRAPH:'D142:53570:&#x54F7 CJK UNIFIED IDEOGRAPH:'D143:53571:&#x54F8 CJK UNIFIED IDEOGRAPH:'D144:53572:&#x54E0 CJK UNIFIED IDEOGRAPH:'D145:53573:&#x550E CJK UNIFIED IDEOGRAPH:'D146:53574:&#x5503 CJK UNIFIED IDEOGRAPH:'D147:53575:&#x550B CJK UNIFIED IDEOGRAPH:'D148:53576:&#x5701 CJK UNIFIED IDEOGRAPH:'D149:53577:&#x5702 CJK UNIFIED IDEOGRAPH:'D14A:53578:&#x57CC CJK UNIFIED IDEOGRAPH:'D14B:53579:&#x5832 CJK UNIFIED IDEOGRAPH:'D14C:53580:&#x57D5 CJK UNIFIED IDEOGRAPH:'D14D:53581:&#x57D2 CJK UNIFIED IDEOGRAPH:'D14E:53582:&#x57BA CJK UNIFIED IDEOGRAPH:'D14F:53583:&#x57C6 CJK UNIFIED IDEOGRAPH:'D150:53584:&#x57BD CJK UNIFIED IDEOGRAPH:'D151:53585:&#x57BC CJK UNIFIED IDEOGRAPH:'D152:53586:&#x57B8 CJK UNIFIED IDEOGRAPH:'D153:53587:&#x57B6 CJK UNIFIED IDEOGRAPH:'D154:53588:&#x57BF CJK UNIFIED IDEOGRAPH:'D155:53589:&#x57C7 CJK UNIFIED IDEOGRAPH:'D156:53590:&#x57D0 CJK UNIFIED IDEOGRAPH:'D157:53591:&#x57B9 CJK UNIFIED IDEOGRAPH:'D158:53592:&#x57C1 CJK UNIFIED IDEOGRAPH:'D159:53593:&#x590E CJK UNIFIED IDEOGRAPH:'D15A:53594:&#x594A CJK UNIFIED IDEOGRAPH:'D15B:53595:&#x5A19 CJK UNIFIED IDEOGRAPH:'D15C:53596:&#x5A16 CJK UNIFIED IDEOGRAPH:'D15D:53597:&#x5A2D CJK UNIFIED IDEOGRAPH:'D15E:53598:&#x5A2E CJK UNIFIED IDEOGRAPH:'D15F:53599:&#x5A15 CJK UNIFIED IDEOGRAPH:'D160:53600:&#x5A0F CJK UNIFIED IDEOGRAPH:'D161:53601:&#x5A17 CJK UNIFIED IDEOGRAPH:'D162:53602:&#x5A0A CJK UNIFIED IDEOGRAPH:'D163:53603:&#x5A1E CJK UNIFIED IDEOGRAPH:'D164:53604:&#x5A33 CJK UNIFIED IDEOGRAPH:'D165:53605:&#x5B6C CJK UNIFIED IDEOGRAPH:'D166:53606:&#x5BA7 CJK UNIFIED IDEOGRAPH:'D167:53607:&#x5BAD CJK UNIFIED IDEOGRAPH:'D168:53608:&#x5BAC CJK UNIFIED IDEOGRAPH:'D169:53609:&#x5C03 CJK UNIFIED IDEOGRAPH:'D16A:53610:&#x5C56 CJK UNIFIED IDEOGRAPH:'D16B:53611:&#x5C54 CJK UNIFIED IDEOGRAPH:'D16C:53612:&#x5CEC CJK UNIFIED IDEOGRAPH:'D16D:53613:&#x5CFF CJK UNIFIED IDEOGRAPH:'D16E:53614:&#x5CEE CJK UNIFIED IDEOGRAPH:'D16F:53615:&#x5CF1 CJK UNIFIED IDEOGRAPH:'D170:53616:&#x5CF7 CJK UNIFIED IDEOGRAPH:'D171:53617:&#x5D00 CJK UNIFIED IDEOGRAPH:'D172:53618:&#x5CF9 CJK UNIFIED IDEOGRAPH:'D173:53619:&#x5E29 CJK UNIFIED IDEOGRAPH:'D174:53620:&#x5E28 CJK UNIFIED IDEOGRAPH:'D175:53621:&#x5EA8 CJK UNIFIED IDEOGRAPH:'D176:53622:&#x5EAE CJK UNIFIED IDEOGRAPH:'D177:53623:&#x5EAA CJK UNIFIED IDEOGRAPH:'D178:53624:&#x5EAC CJK UNIFIED IDEOGRAPH:'D179:53625:&#x5F33 CJK UNIFIED IDEOGRAPH:'D17A:53626:&#x5F30 CJK UNIFIED IDEOGRAPH:'D17B:53627:&#x5F67 CJK UNIFIED IDEOGRAPH:'D17C:53628:&#x605D CJK UNIFIED IDEOGRAPH:'D17D:53629:&#x605A CJK UNIFIED IDEOGRAPH:'D17E:53630:&#x6067 CJK UNIFIED IDEOGRAPH:'D1A1:53665:&#x6041 CJK UNIFIED IDEOGRAPH:'D1A2:53666:&#x60A2 CJK UNIFIED IDEOGRAPH:'D1A3:53667:&#x6088 CJK UNIFIED IDEOGRAPH:'D1A4:53668:&#x6080 CJK UNIFIED IDEOGRAPH:'D1A5:53669:&#x6092 CJK UNIFIED IDEOGRAPH:'D1A6:53670:&#x6081 CJK UNIFIED IDEOGRAPH:'D1A7:53671:&#x609D CJK UNIFIED IDEOGRAPH:'D1A8:53672:&#x6083 CJK UNIFIED IDEOGRAPH:'D1A9:53673:&#x6095 CJK UNIFIED IDEOGRAPH:'D1AA:53674:&#x609B CJK UNIFIED IDEOGRAPH:'D1AB:53675:&#x6097 CJK UNIFIED IDEOGRAPH:'D1AC:53676:&#x6087 CJK UNIFIED IDEOGRAPH:'D1AD:53677:&#x609C CJK UNIFIED IDEOGRAPH:'D1AE:53678:&#x608E CJK UNIFIED IDEOGRAPH:'D1AF:53679:&#x6219 CJK UNIFIED IDEOGRAPH:'D1B0:53680:&#x6246 CJK UNIFIED IDEOGRAPH:'D1B1:53681:&#x62F2 CJK UNIFIED IDEOGRAPH:'D1B2:53682:&#x6310 CJK UNIFIED IDEOGRAPH:'D1B3:53683:&#x6356 CJK UNIFIED IDEOGRAPH:'D1B4:53684:&#x632C CJK UNIFIED IDEOGRAPH:'D1B5:53685:&#x6344 CJK UNIFIED IDEOGRAPH:'D1B6:53686:&#x6345 CJK UNIFIED IDEOGRAPH:'D1B7:53687:&#x6336 CJK UNIFIED IDEOGRAPH:'D1B8:53688:&#x6343 CJK UNIFIED IDEOGRAPH:'D1B9:53689:&#x63E4 CJK UNIFIED IDEOGRAPH:'D1BA:53690:&#x6339 CJK UNIFIED IDEOGRAPH:'D1BB:53691:&#x634B CJK UNIFIED IDEOGRAPH:'D1BC:53692:&#x634A CJK UNIFIED IDEOGRAPH:'D1BD:53693:&#x633C CJK UNIFIED IDEOGRAPH:'D1BE:53694:&#x6329 CJK UNIFIED IDEOGRAPH:'D1BF:53695:&#x6341 CJK UNIFIED IDEOGRAPH:'D1C0:53696:&#x6334 CJK UNIFIED IDEOGRAPH:'D1C1:53697:&#x6358 CJK UNIFIED IDEOGRAPH:'D1C2:53698:&#x6354 CJK UNIFIED IDEOGRAPH:'D1C3:53699:&#x6359 CJK UNIFIED IDEOGRAPH:'D1C4:53700:&#x632D CJK UNIFIED IDEOGRAPH:'D1C5:53701:&#x6347 CJK UNIFIED IDEOGRAPH:'D1C6:53702:&#x6333 CJK UNIFIED IDEOGRAPH:'D1C7:53703:&#x635A CJK UNIFIED IDEOGRAPH:'D1C8:53704:&#x6351 CJK UNIFIED IDEOGRAPH:'D1C9:53705:&#x6338 CJK UNIFIED IDEOGRAPH:'D1CA:53706:&#x6357 CJK UNIFIED IDEOGRAPH:'D1CB:53707:&#x6340 CJK UNIFIED IDEOGRAPH:'D1CC:53708:&#x6348 CJK UNIFIED IDEOGRAPH:'D1CD:53709:&#x654A CJK UNIFIED IDEOGRAPH:'D1CE:53710:&#x6546 CJK UNIFIED IDEOGRAPH:'D1CF:53711:&#x65C6 CJK UNIFIED IDEOGRAPH:'D1D0:53712:&#x65C3 CJK UNIFIED IDEOGRAPH:'D1D1:53713:&#x65C4 CJK UNIFIED IDEOGRAPH:'D1D2:53714:&#x65C2 CJK UNIFIED IDEOGRAPH:'D1D3:53715:&#x664A CJK UNIFIED IDEOGRAPH:'D1D4:53716:&#x665F CJK UNIFIED IDEOGRAPH:'D1D5:53717:&#x6647 CJK UNIFIED IDEOGRAPH:'D1D6:53718:&#x6651 CJK UNIFIED IDEOGRAPH:'D1D7:53719:&#x6712 CJK UNIFIED IDEOGRAPH:'D1D8:53720:&#x6713 CJK UNIFIED IDEOGRAPH:'D1D9:53721:&#x681F CJK UNIFIED IDEOGRAPH:'D1DA:53722:&#x681A CJK UNIFIED IDEOGRAPH:'D1DB:53723:&#x6849 CJK UNIFIED IDEOGRAPH:'D1DC:53724:&#x6832 CJK UNIFIED IDEOGRAPH:'D1DD:53725:&#x6833 CJK UNIFIED IDEOGRAPH:'D1DE:53726:&#x683B CJK UNIFIED IDEOGRAPH:'D1DF:53727:&#x684B CJK UNIFIED IDEOGRAPH:'D1E0:53728:&#x684F CJK UNIFIED IDEOGRAPH:'D1E1:53729:&#x6816 CJK UNIFIED IDEOGRAPH:'D1E2:53730:&#x6831 CJK UNIFIED IDEOGRAPH:'D1E3:53731:&#x681C CJK UNIFIED IDEOGRAPH:'D1E4:53732:&#x6835 CJK UNIFIED IDEOGRAPH:'D1E5:53733:&#x682B CJK UNIFIED IDEOGRAPH:'D1E6:53734:&#x682D CJK UNIFIED IDEOGRAPH:'D1E7:53735:&#x682F CJK UNIFIED IDEOGRAPH:'D1E8:53736:&#x684E CJK UNIFIED IDEOGRAPH:'D1E9:53737:&#x6844 CJK UNIFIED IDEOGRAPH:'D1EA:53738:&#x6834 CJK UNIFIED IDEOGRAPH:'D1EB:53739:&#x681D CJK UNIFIED IDEOGRAPH:'D1EC:53740:&#x6812 CJK UNIFIED IDEOGRAPH:'D1ED:53741:&#x6814 CJK UNIFIED IDEOGRAPH:'D1EE:53742:&#x6826 CJK UNIFIED IDEOGRAPH:'D1EF:53743:&#x6828 CJK UNIFIED IDEOGRAPH:'D1F0:53744:&#x682E CJK UNIFIED IDEOGRAPH:'D1F1:53745:&#x684D CJK UNIFIED IDEOGRAPH:'D1F2:53746:&#x683A CJK UNIFIED IDEOGRAPH:'D1F3:53747:&#x6825 CJK UNIFIED IDEOGRAPH:'D1F4:53748:&#x6820 CJK UNIFIED IDEOGRAPH:'D1F5:53749:&#x6B2C CJK UNIFIED IDEOGRAPH:'D1F6:53750:&#x6B2F CJK UNIFIED IDEOGRAPH:'D1F7:53751:&#x6B2D CJK UNIFIED IDEOGRAPH:'D1F8:53752:&#x6B31 CJK UNIFIED IDEOGRAPH:'D1F9:53753:&#x6B34 CJK UNIFIED IDEOGRAPH:'D1FA:53754:&#x6B6D CJK UNIFIED IDEOGRAPH:'D1FB:53755:&#x8082 CJK UNIFIED IDEOGRAPH:'D1FC:53756:&#x6B88 CJK UNIFIED IDEOGRAPH:'D1FD:53757:&#x6BE6 CJK UNIFIED IDEOGRAPH:'D1FE:53758:&#x6BE4 CJK UNIFIED IDEOGRAPH:'D240:53824:&#x6BE8 CJK UNIFIED IDEOGRAPH:'D241:53825:&#x6BE3 CJK UNIFIED IDEOGRAPH:'D242:53826:&#x6BE2 CJK UNIFIED IDEOGRAPH:'D243:53827:&#x6BE7 CJK UNIFIED IDEOGRAPH:'D244:53828:&#x6C25 CJK UNIFIED IDEOGRAPH:'D245:53829:&#x6D7A CJK UNIFIED IDEOGRAPH:'D246:53830:&#x6D63 CJK UNIFIED IDEOGRAPH:'D247:53831:&#x6D64 CJK UNIFIED IDEOGRAPH:'D248:53832:&#x6D76 CJK UNIFIED IDEOGRAPH:'D249:53833:&#x6D0D CJK UNIFIED IDEOGRAPH:'D24A:53834:&#x6D61 CJK UNIFIED IDEOGRAPH:'D24B:53835:&#x6D92 CJK UNIFIED IDEOGRAPH:'D24C:53836:&#x6D58 CJK UNIFIED IDEOGRAPH:'D24D:53837:&#x6D62 CJK UNIFIED IDEOGRAPH:'D24E:53838:&#x6D6D CJK UNIFIED IDEOGRAPH:'D24F:53839:&#x6D6F CJK UNIFIED IDEOGRAPH:'D250:53840:&#x6D91 CJK UNIFIED IDEOGRAPH:'D251:53841:&#x6D8D CJK UNIFIED IDEOGRAPH:'D252:53842:&#x6DEF CJK UNIFIED IDEOGRAPH:'D253:53843:&#x6D7F CJK UNIFIED IDEOGRAPH:'D254:53844:&#x6D86 CJK UNIFIED IDEOGRAPH:'D255:53845:&#x6D5E CJK UNIFIED IDEOGRAPH:'D256:53846:&#x6D67 CJK UNIFIED IDEOGRAPH:'D257:53847:&#x6D60 CJK UNIFIED IDEOGRAPH:'D258:53848:&#x6D97 CJK UNIFIED IDEOGRAPH:'D259:53849:&#x6D70 CJK UNIFIED IDEOGRAPH:'D25A:53850:&#x6D7C CJK UNIFIED IDEOGRAPH:'D25B:53851:&#x6D5F CJK UNIFIED IDEOGRAPH:'D25C:53852:&#x6D82 CJK UNIFIED IDEOGRAPH:'D25D:53853:&#x6D98 CJK UNIFIED IDEOGRAPH:'D25E:53854:&#x6D2F CJK UNIFIED IDEOGRAPH:'D25F:53855:&#x6D68 CJK UNIFIED IDEOGRAPH:'D260:53856:&#x6D8B CJK UNIFIED IDEOGRAPH:'D261:53857:&#x6D7E CJK UNIFIED IDEOGRAPH:'D262:53858:&#x6D80 CJK UNIFIED IDEOGRAPH:'D263:53859:&#x6D84 CJK UNIFIED IDEOGRAPH:'D264:53860:&#x6D16 CJK UNIFIED IDEOGRAPH:'D265:53861:&#x6D83 CJK UNIFIED IDEOGRAPH:'D266:53862:&#x6D7B CJK UNIFIED IDEOGRAPH:'D267:53863:&#x6D7D CJK UNIFIED IDEOGRAPH:'D268:53864:&#x6D75 CJK UNIFIED IDEOGRAPH:'D269:53865:&#x6D90 CJK UNIFIED IDEOGRAPH:'D26A:53866:&#x70DC CJK UNIFIED IDEOGRAPH:'D26B:53867:&#x70D3 CJK UNIFIED IDEOGRAPH:'D26C:53868:&#x70D1 CJK UNIFIED IDEOGRAPH:'D26D:53869:&#x70DD CJK UNIFIED IDEOGRAPH:'D26E:53870:&#x70CB CJK UNIFIED IDEOGRAPH:'D26F:53871:&#x7F39 CJK UNIFIED IDEOGRAPH:'D270:53872:&#x70E2 CJK UNIFIED IDEOGRAPH:'D271:53873:&#x70D7 CJK UNIFIED IDEOGRAPH:'D272:53874:&#x70D2 CJK UNIFIED IDEOGRAPH:'D273:53875:&#x70DE CJK UNIFIED IDEOGRAPH:'D274:53876:&#x70E0 CJK UNIFIED IDEOGRAPH:'D275:53877:&#x70D4 CJK UNIFIED IDEOGRAPH:'D276:53878:&#x70CD CJK UNIFIED IDEOGRAPH:'D277:53879:&#x70C5 CJK UNIFIED IDEOGRAPH:'D278:53880:&#x70C6 CJK UNIFIED IDEOGRAPH:'D279:53881:&#x70C7 CJK UNIFIED IDEOGRAPH:'D27A:53882:&#x70DA CJK UNIFIED IDEOGRAPH:'D27B:53883:&#x70CE CJK UNIFIED IDEOGRAPH:'D27C:53884:&#x70E1 CJK UNIFIED IDEOGRAPH:'D27D:53885:&#x7242 CJK UNIFIED IDEOGRAPH:'D27E:53886:&#x7278 CJK UNIFIED IDEOGRAPH:'D2A1:53921:&#x7277 CJK UNIFIED IDEOGRAPH:'D2A2:53922:&#x7276 CJK UNIFIED IDEOGRAPH:'D2A3:53923:&#x7300 CJK UNIFIED IDEOGRAPH:'D2A4:53924:&#x72FA CJK UNIFIED IDEOGRAPH:'D2A5:53925:&#x72F4 CJK UNIFIED IDEOGRAPH:'D2A6:53926:&#x72FE CJK UNIFIED IDEOGRAPH:'D2A7:53927:&#x72F6 CJK UNIFIED IDEOGRAPH:'D2A8:53928:&#x72F3 CJK UNIFIED IDEOGRAPH:'D2A9:53929:&#x72FB CJK UNIFIED IDEOGRAPH:'D2AA:53930:&#x7301 CJK UNIFIED IDEOGRAPH:'D2AB:53931:&#x73D3 CJK UNIFIED IDEOGRAPH:'D2AC:53932:&#x73D9 CJK UNIFIED IDEOGRAPH:'D2AD:53933:&#x73E5 CJK UNIFIED IDEOGRAPH:'D2AE:53934:&#x73D6 CJK UNIFIED IDEOGRAPH:'D2AF:53935:&#x73BC CJK UNIFIED IDEOGRAPH:'D2B0:53936:&#x73E7 CJK UNIFIED IDEOGRAPH:'D2B1:53937:&#x73E3 CJK UNIFIED IDEOGRAPH:'D2B2:53938:&#x73E9 CJK UNIFIED IDEOGRAPH:'D2B3:53939:&#x73DC CJK UNIFIED IDEOGRAPH:'D2B4:53940:&#x73D2 CJK UNIFIED IDEOGRAPH:'D2B5:53941:&#x73DB CJK UNIFIED IDEOGRAPH:'D2B6:53942:&#x73D4 CJK UNIFIED IDEOGRAPH:'D2B7:53943:&#x73DD CJK UNIFIED IDEOGRAPH:'D2B8:53944:&#x73DA CJK UNIFIED IDEOGRAPH:'D2B9:53945:&#x73D7 CJK UNIFIED IDEOGRAPH:'D2BA:53946:&#x73D8 CJK UNIFIED IDEOGRAPH:'D2BB:53947:&#x73E8 CJK UNIFIED IDEOGRAPH:'D2BC:53948:&#x74DE CJK UNIFIED IDEOGRAPH:'D2BD:53949:&#x74DF CJK UNIFIED IDEOGRAPH:'D2BE:53950:&#x74F4 CJK UNIFIED IDEOGRAPH:'D2BF:53951:&#x74F5 CJK UNIFIED IDEOGRAPH:'D2C0:53952:&#x7521 CJK UNIFIED IDEOGRAPH:'D2C1:53953:&#x755B CJK UNIFIED IDEOGRAPH:'D2C2:53954:&#x755F CJK UNIFIED IDEOGRAPH:'D2C3:53955:&#x75B0 CJK UNIFIED IDEOGRAPH:'D2C4:53956:&#x75C1 CJK UNIFIED IDEOGRAPH:'D2C5:53957:&#x75BB CJK UNIFIED IDEOGRAPH:'D2C6:53958:&#x75C4 CJK UNIFIED IDEOGRAPH:'D2C7:53959:&#x75C0 CJK UNIFIED IDEOGRAPH:'D2C8:53960:&#x75BF CJK UNIFIED IDEOGRAPH:'D2C9:53961:&#x75B6 CJK UNIFIED IDEOGRAPH:'D2CA:53962:&#x75BA CJK UNIFIED IDEOGRAPH:'D2CB:53963:&#x768A CJK UNIFIED IDEOGRAPH:'D2CC:53964:&#x76C9 CJK UNIFIED IDEOGRAPH:'D2CD:53965:&#x771D CJK UNIFIED IDEOGRAPH:'D2CE:53966:&#x771B CJK UNIFIED IDEOGRAPH:'D2CF:53967:&#x7710 CJK UNIFIED IDEOGRAPH:'D2D0:53968:&#x7713 CJK UNIFIED IDEOGRAPH:'D2D1:53969:&#x7712 CJK UNIFIED IDEOGRAPH:'D2D2:53970:&#x7723 CJK UNIFIED IDEOGRAPH:'D2D3:53971:&#x7711 CJK UNIFIED IDEOGRAPH:'D2D4:53972:&#x7715 CJK UNIFIED IDEOGRAPH:'D2D5:53973:&#x7719 CJK UNIFIED IDEOGRAPH:'D2D6:53974:&#x771A CJK UNIFIED IDEOGRAPH:'D2D7:53975:&#x7722 CJK UNIFIED IDEOGRAPH:'D2D8:53976:&#x7727 CJK UNIFIED IDEOGRAPH:'D2D9:53977:&#x7823 CJK UNIFIED IDEOGRAPH:'D2DA:53978:&#x782C CJK UNIFIED IDEOGRAPH:'D2DB:53979:&#x7822 CJK UNIFIED IDEOGRAPH:'D2DC:53980:&#x7835 CJK UNIFIED IDEOGRAPH:'D2DD:53981:&#x782F CJK UNIFIED IDEOGRAPH:'D2DE:53982:&#x7828 CJK UNIFIED IDEOGRAPH:'D2DF:53983:&#x782E CJK UNIFIED IDEOGRAPH:'D2E0:53984:&#x782B CJK UNIFIED IDEOGRAPH:'D2E1:53985:&#x7821 CJK UNIFIED IDEOGRAPH:'D2E2:53986:&#x7829 CJK UNIFIED IDEOGRAPH:'D2E3:53987:&#x7833 CJK UNIFIED IDEOGRAPH:'D2E4:53988:&#x782A CJK UNIFIED IDEOGRAPH:'D2E5:53989:&#x7831 CJK UNIFIED IDEOGRAPH:'D2E6:53990:&#x7954 CJK UNIFIED IDEOGRAPH:'D2E7:53991:&#x795B CJK UNIFIED IDEOGRAPH:'D2E8:53992:&#x794F CJK UNIFIED IDEOGRAPH:'D2E9:53993:&#x795C CJK UNIFIED IDEOGRAPH:'D2EA:53994:&#x7953 CJK UNIFIED IDEOGRAPH:'D2EB:53995:&#x7952 CJK UNIFIED IDEOGRAPH:'D2EC:53996:&#x7951 CJK UNIFIED IDEOGRAPH:'D2ED:53997:&#x79EB CJK UNIFIED IDEOGRAPH:'D2EE:53998:&#x79EC CJK UNIFIED IDEOGRAPH:'D2EF:53999:&#x79E0 CJK UNIFIED IDEOGRAPH:'D2F0:54000:&#x79EE CJK UNIFIED IDEOGRAPH:'D2F1:54001:&#x79ED CJK UNIFIED IDEOGRAPH:'D2F2:54002:&#x79EA CJK UNIFIED IDEOGRAPH:'D2F3:54003:&#x79DC CJK UNIFIED IDEOGRAPH:'D2F4:54004:&#x79DE CJK UNIFIED IDEOGRAPH:'D2F5:54005:&#x79DD CJK UNIFIED IDEOGRAPH:'D2F6:54006:&#x7A86 CJK UNIFIED IDEOGRAPH:'D2F7:54007:&#x7A89 CJK UNIFIED IDEOGRAPH:'D2F8:54008:&#x7A85 CJK UNIFIED IDEOGRAPH:'D2F9:54009:&#x7A8B CJK UNIFIED IDEOGRAPH:'D2FA:54010:&#x7A8C CJK UNIFIED IDEOGRAPH:'D2FB:54011:&#x7A8A CJK UNIFIED IDEOGRAPH:'D2FC:54012:&#x7A87 CJK UNIFIED IDEOGRAPH:'D2FD:54013:&#x7AD8 CJK UNIFIED IDEOGRAPH:'D2FE:54014:&#x7B10 CJK UNIFIED IDEOGRAPH:'D340:54080:&#x7B04 CJK UNIFIED IDEOGRAPH:'D341:54081:&#x7B13 CJK UNIFIED IDEOGRAPH:'D342:54082:&#x7B05 CJK UNIFIED IDEOGRAPH:'D343:54083:&#x7B0F CJK UNIFIED IDEOGRAPH:'D344:54084:&#x7B08 CJK UNIFIED IDEOGRAPH:'D345:54085:&#x7B0A CJK UNIFIED IDEOGRAPH:'D346:54086:&#x7B0E CJK UNIFIED IDEOGRAPH:'D347:54087:&#x7B09 CJK UNIFIED IDEOGRAPH:'D348:54088:&#x7B12 CJK UNIFIED IDEOGRAPH:'D349:54089:&#x7C84 CJK UNIFIED IDEOGRAPH:'D34A:54090:&#x7C91 CJK UNIFIED IDEOGRAPH:'D34B:54091:&#x7C8A CJK UNIFIED IDEOGRAPH:'D34C:54092:&#x7C8C CJK UNIFIED IDEOGRAPH:'D34D:54093:&#x7C88 CJK UNIFIED IDEOGRAPH:'D34E:54094:&#x7C8D CJK UNIFIED IDEOGRAPH:'D34F:54095:&#x7C85 CJK UNIFIED IDEOGRAPH:'D350:54096:&#x7D1E CJK UNIFIED IDEOGRAPH:'D351:54097:&#x7D1D CJK UNIFIED IDEOGRAPH:'D352:54098:&#x7D11 CJK UNIFIED IDEOGRAPH:'D353:54099:&#x7D0E CJK UNIFIED IDEOGRAPH:'D354:54100:&#x7D18 CJK UNIFIED IDEOGRAPH:'D355:54101:&#x7D16 CJK UNIFIED IDEOGRAPH:'D356:54102:&#x7D13 CJK UNIFIED IDEOGRAPH:'D357:54103:&#x7D1F CJK UNIFIED IDEOGRAPH:'D358:54104:&#x7D12 CJK UNIFIED IDEOGRAPH:'D359:54105:&#x7D0F CJK UNIFIED IDEOGRAPH:'D35A:54106:&#x7D0C CJK UNIFIED IDEOGRAPH:'D35B:54107:&#x7F5C CJK UNIFIED IDEOGRAPH:'D35C:54108:&#x7F61 CJK UNIFIED IDEOGRAPH:'D35D:54109:&#x7F5E CJK UNIFIED IDEOGRAPH:'D35E:54110:&#x7F60 CJK UNIFIED IDEOGRAPH:'D35F:54111:&#x7F5D CJK UNIFIED IDEOGRAPH:'D360:54112:&#x7F5B CJK UNIFIED IDEOGRAPH:'D361:54113:&#x7F96 CJK UNIFIED IDEOGRAPH:'D362:54114:&#x7F92 CJK UNIFIED IDEOGRAPH:'D363:54115:&#x7FC3 CJK UNIFIED IDEOGRAPH:'D364:54116:&#x7FC2 CJK UNIFIED IDEOGRAPH:'D365:54117:&#x7FC0 CJK UNIFIED IDEOGRAPH:'D366:54118:&#x8016 CJK UNIFIED IDEOGRAPH:'D367:54119:&#x803E CJK UNIFIED IDEOGRAPH:'D368:54120:&#x8039 CJK UNIFIED IDEOGRAPH:'D369:54121:&#x80FA CJK UNIFIED IDEOGRAPH:'D36A:54122:&#x80F2 CJK UNIFIED IDEOGRAPH:'D36B:54123:&#x80F9 CJK UNIFIED IDEOGRAPH:'D36C:54124:&#x80F5 CJK UNIFIED IDEOGRAPH:'D36D:54125:&#x8101 CJK UNIFIED IDEOGRAPH:'D36E:54126:&#x80FB CJK UNIFIED IDEOGRAPH:'D36F:54127:&#x8100 CJK UNIFIED IDEOGRAPH:'D370:54128:&#x8201 CJK UNIFIED IDEOGRAPH:'D371:54129:&#x822F CJK UNIFIED IDEOGRAPH:'D372:54130:&#x8225 CJK UNIFIED IDEOGRAPH:'D373:54131:&#x8333 CJK UNIFIED IDEOGRAPH:'D374:54132:&#x832D CJK UNIFIED IDEOGRAPH:'D375:54133:&#x8344 CJK UNIFIED IDEOGRAPH:'D376:54134:&#x8319 CJK UNIFIED IDEOGRAPH:'D377:54135:&#x8351 CJK UNIFIED IDEOGRAPH:'D378:54136:&#x8325 CJK UNIFIED IDEOGRAPH:'D379:54137:&#x8356 CJK UNIFIED IDEOGRAPH:'D37A:54138:&#x833F CJK UNIFIED IDEOGRAPH:'D37B:54139:&#x8341 CJK UNIFIED IDEOGRAPH:'D37C:54140:&#x8326 CJK UNIFIED IDEOGRAPH:'D37D:54141:&#x831C CJK UNIFIED IDEOGRAPH:'D37E:54142:&#x8322 CJK UNIFIED IDEOGRAPH:'D3A1:54177:&#x8342 CJK UNIFIED IDEOGRAPH:'D3A2:54178:&#x834E CJK UNIFIED IDEOGRAPH:'D3A3:54179:&#x831B CJK UNIFIED IDEOGRAPH:'D3A4:54180:&#x832A CJK UNIFIED IDEOGRAPH:'D3A5:54181:&#x8308 CJK UNIFIED IDEOGRAPH:'D3A6:54182:&#x833C CJK UNIFIED IDEOGRAPH:'D3A7:54183:&#x834D CJK UNIFIED IDEOGRAPH:'D3A8:54184:&#x8316 CJK UNIFIED IDEOGRAPH:'D3A9:54185:&#x8324 CJK UNIFIED IDEOGRAPH:'D3AA:54186:&#x8320 CJK UNIFIED IDEOGRAPH:'D3AB:54187:&#x8337 CJK UNIFIED IDEOGRAPH:'D3AC:54188:&#x832F CJK UNIFIED IDEOGRAPH:'D3AD:54189:&#x8329 CJK UNIFIED IDEOGRAPH:'D3AE:54190:&#x8347 CJK UNIFIED IDEOGRAPH:'D3AF:54191:&#x8345 CJK UNIFIED IDEOGRAPH:'D3B0:54192:&#x834C CJK UNIFIED IDEOGRAPH:'D3B1:54193:&#x8353 CJK UNIFIED IDEOGRAPH:'D3B2:54194:&#x831E CJK UNIFIED IDEOGRAPH:'D3B3:54195:&#x832C CJK UNIFIED IDEOGRAPH:'D3B4:54196:&#x834B CJK UNIFIED IDEOGRAPH:'D3B5:54197:&#x8327 CJK UNIFIED IDEOGRAPH:'D3B6:54198:&#x8348 CJK UNIFIED IDEOGRAPH:'D3B7:54199:&#x8653 CJK UNIFIED IDEOGRAPH:'D3B8:54200:&#x8652 CJK UNIFIED IDEOGRAPH:'D3B9:54201:&#x86A2 CJK UNIFIED IDEOGRAPH:'D3BA:54202:&#x86A8 CJK UNIFIED IDEOGRAPH:'D3BB:54203:&#x8696 CJK UNIFIED IDEOGRAPH:'D3BC:54204:&#x868D CJK UNIFIED IDEOGRAPH:'D3BD:54205:&#x8691 CJK UNIFIED IDEOGRAPH:'D3BE:54206:&#x869E CJK UNIFIED IDEOGRAPH:'D3BF:54207:&#x8687 CJK UNIFIED IDEOGRAPH:'D3C0:54208:&#x8697 CJK UNIFIED IDEOGRAPH:'D3C1:54209:&#x8686 CJK UNIFIED IDEOGRAPH:'D3C2:54210:&#x868B CJK UNIFIED IDEOGRAPH:'D3C3:54211:&#x869A CJK UNIFIED IDEOGRAPH:'D3C4:54212:&#x8685 CJK UNIFIED IDEOGRAPH:'D3C5:54213:&#x86A5 CJK UNIFIED IDEOGRAPH:'D3C6:54214:&#x8699 CJK UNIFIED IDEOGRAPH:'D3C7:54215:&#x86A1 CJK UNIFIED IDEOGRAPH:'D3C8:54216:&#x86A7 CJK UNIFIED IDEOGRAPH:'D3C9:54217:&#x8695 CJK UNIFIED IDEOGRAPH:'D3CA:54218:&#x8698 CJK UNIFIED IDEOGRAPH:'D3CB:54219:&#x868E CJK UNIFIED IDEOGRAPH:'D3CC:54220:&#x869D CJK UNIFIED IDEOGRAPH:'D3CD:54221:&#x8690 CJK UNIFIED IDEOGRAPH:'D3CE:54222:&#x8694 CJK UNIFIED IDEOGRAPH:'D3CF:54223:&#x8843 CJK UNIFIED IDEOGRAPH:'D3D0:54224:&#x8844 CJK UNIFIED IDEOGRAPH:'D3D1:54225:&#x886D CJK UNIFIED IDEOGRAPH:'D3D2:54226:&#x8875 CJK UNIFIED IDEOGRAPH:'D3D3:54227:&#x8876 CJK UNIFIED IDEOGRAPH:'D3D4:54228:&#x8872 CJK UNIFIED IDEOGRAPH:'D3D5:54229:&#x8880 CJK UNIFIED IDEOGRAPH:'D3D6:54230:&#x8871 CJK UNIFIED IDEOGRAPH:'D3D7:54231:&#x887F CJK UNIFIED IDEOGRAPH:'D3D8:54232:&#x886F CJK UNIFIED IDEOGRAPH:'D3D9:54233:&#x8883 CJK UNIFIED IDEOGRAPH:'D3DA:54234:&#x887E CJK UNIFIED IDEOGRAPH:'D3DB:54235:&#x8874 CJK UNIFIED IDEOGRAPH:'D3DC:54236:&#x887C CJK UNIFIED IDEOGRAPH:'D3DD:54237:&#x8A12 CJK UNIFIED IDEOGRAPH:'D3DE:54238:&#x8C47 CJK UNIFIED IDEOGRAPH:'D3DF:54239:&#x8C57 CJK UNIFIED IDEOGRAPH:'D3E0:54240:&#x8C7B CJK UNIFIED IDEOGRAPH:'D3E1:54241:&#x8CA4 CJK UNIFIED IDEOGRAPH:'D3E2:54242:&#x8CA3 CJK UNIFIED IDEOGRAPH:'D3E3:54243:&#x8D76 CJK UNIFIED IDEOGRAPH:'D3E4:54244:&#x8D78 CJK UNIFIED IDEOGRAPH:'D3E5:54245:&#x8DB5 CJK UNIFIED IDEOGRAPH:'D3E6:54246:&#x8DB7 CJK UNIFIED IDEOGRAPH:'D3E7:54247:&#x8DB6 CJK UNIFIED IDEOGRAPH:'D3E8:54248:&#x8ED1 CJK UNIFIED IDEOGRAPH:'D3E9:54249:&#x8ED3 CJK UNIFIED IDEOGRAPH:'D3EA:54250:&#x8FFE CJK UNIFIED IDEOGRAPH:'D3EB:54251:&#x8FF5 CJK UNIFIED IDEOGRAPH:'D3EC:54252:&#x9002 CJK UNIFIED IDEOGRAPH:'D3ED:54253:&#x8FFF CJK UNIFIED IDEOGRAPH:'D3EE:54254:&#x8FFB CJK UNIFIED IDEOGRAPH:'D3EF:54255:&#x9004 CJK UNIFIED IDEOGRAPH:'D3F0:54256:&#x8FFC CJK UNIFIED IDEOGRAPH:'D3F1:54257:&#x8FF6 CJK UNIFIED IDEOGRAPH:'D3F2:54258:&#x90D6 CJK UNIFIED IDEOGRAPH:'D3F3:54259:&#x90E0 CJK UNIFIED IDEOGRAPH:'D3F4:54260:&#x90D9 CJK UNIFIED IDEOGRAPH:'D3F5:54261:&#x90DA CJK UNIFIED IDEOGRAPH:'D3F6:54262:&#x90E3 CJK UNIFIED IDEOGRAPH:'D3F7:54263:&#x90DF CJK UNIFIED IDEOGRAPH:'D3F8:54264:&#x90E5 CJK UNIFIED IDEOGRAPH:'D3F9:54265:&#x90D8 CJK UNIFIED IDEOGRAPH:'D3FA:54266:&#x90DB CJK UNIFIED IDEOGRAPH:'D3FB:54267:&#x90D7 CJK UNIFIED IDEOGRAPH:'D3FC:54268:&#x90DC CJK UNIFIED IDEOGRAPH:'D3FD:54269:&#x90E4 CJK UNIFIED IDEOGRAPH:'D3FE:54270:&#x9150 CJK UNIFIED IDEOGRAPH:'D440:54336:&#x914E CJK UNIFIED IDEOGRAPH:'D441:54337:&#x914F CJK UNIFIED IDEOGRAPH:'D442:54338:&#x91D5 CJK UNIFIED IDEOGRAPH:'D443:54339:&#x91E2 CJK UNIFIED IDEOGRAPH:'D444:54340:&#x91DA CJK UNIFIED IDEOGRAPH:'D445:54341:&#x965C CJK UNIFIED IDEOGRAPH:'D446:54342:&#x965F CJK UNIFIED IDEOGRAPH:'D447:54343:&#x96BC CJK UNIFIED IDEOGRAPH:'D448:54344:&#x98E3 CJK UNIFIED IDEOGRAPH:'D449:54345:&#x9ADF CJK UNIFIED IDEOGRAPH:'D44A:54346:&#x9B2F CJK UNIFIED IDEOGRAPH:'D44B:54347:&#x4E7F CJK UNIFIED IDEOGRAPH:'D44C:54348:&#x5070 CJK UNIFIED IDEOGRAPH:'D44D:54349:&#x506A CJK UNIFIED IDEOGRAPH:'D44E:54350:&#x5061 CJK UNIFIED IDEOGRAPH:'D44F:54351:&#x505E CJK UNIFIED IDEOGRAPH:'D450:54352:&#x5060 CJK UNIFIED IDEOGRAPH:'D451:54353:&#x5053 CJK UNIFIED IDEOGRAPH:'D452:54354:&#x504B CJK UNIFIED IDEOGRAPH:'D453:54355:&#x505D CJK UNIFIED IDEOGRAPH:'D454:54356:&#x5072 CJK UNIFIED IDEOGRAPH:'D455:54357:&#x5048 CJK UNIFIED IDEOGRAPH:'D456:54358:&#x504D CJK UNIFIED IDEOGRAPH:'D457:54359:&#x5041 CJK UNIFIED IDEOGRAPH:'D458:54360:&#x505B CJK UNIFIED IDEOGRAPH:'D459:54361:&#x504A CJK UNIFIED IDEOGRAPH:'D45A:54362:&#x5062 CJK UNIFIED IDEOGRAPH:'D45B:54363:&#x5015 CJK UNIFIED IDEOGRAPH:'D45C:54364:&#x5045 CJK UNIFIED IDEOGRAPH:'D45D:54365:&#x505F CJK UNIFIED IDEOGRAPH:'D45E:54366:&#x5069 CJK UNIFIED IDEOGRAPH:'D45F:54367:&#x506B CJK UNIFIED IDEOGRAPH:'D460:54368:&#x5063 CJK UNIFIED IDEOGRAPH:'D461:54369:&#x5064 CJK UNIFIED IDEOGRAPH:'D462:54370:&#x5046 CJK UNIFIED IDEOGRAPH:'D463:54371:&#x5040 CJK UNIFIED IDEOGRAPH:'D464:54372:&#x506E CJK UNIFIED IDEOGRAPH:'D465:54373:&#x5073 CJK UNIFIED IDEOGRAPH:'D466:54374:&#x5057 CJK UNIFIED IDEOGRAPH:'D467:54375:&#x5051 CJK UNIFIED IDEOGRAPH:'D468:54376:&#x51D0 CJK UNIFIED IDEOGRAPH:'D469:54377:&#x526B CJK UNIFIED IDEOGRAPH:'D46A:54378:&#x526D CJK UNIFIED IDEOGRAPH:'D46B:54379:&#x526C CJK UNIFIED IDEOGRAPH:'D46C:54380:&#x526E CJK UNIFIED IDEOGRAPH:'D46D:54381:&#x52D6 CJK UNIFIED IDEOGRAPH:'D46E:54382:&#x52D3 CJK UNIFIED IDEOGRAPH:'D46F:54383:&#x532D CJK UNIFIED IDEOGRAPH:'D470:54384:&#x539C CJK UNIFIED IDEOGRAPH:'D471:54385:&#x5575 CJK UNIFIED IDEOGRAPH:'D472:54386:&#x5576 CJK UNIFIED IDEOGRAPH:'D473:54387:&#x553C CJK UNIFIED IDEOGRAPH:'D474:54388:&#x554D CJK UNIFIED IDEOGRAPH:'D475:54389:&#x5550 CJK UNIFIED IDEOGRAPH:'D476:54390:&#x5534 CJK UNIFIED IDEOGRAPH:'D477:54391:&#x552A CJK UNIFIED IDEOGRAPH:'D478:54392:&#x5551 CJK UNIFIED IDEOGRAPH:'D479:54393:&#x5562 CJK UNIFIED IDEOGRAPH:'D47A:54394:&#x5536 CJK UNIFIED IDEOGRAPH:'D47B:54395:&#x5535 CJK UNIFIED IDEOGRAPH:'D47C:54396:&#x5530 CJK UNIFIED IDEOGRAPH:'D47D:54397:&#x5552 CJK UNIFIED IDEOGRAPH:'D47E:54398:&#x5545 CJK UNIFIED IDEOGRAPH:'D4A1:54433:&#x550C CJK UNIFIED IDEOGRAPH:'D4A2:54434:&#x5532 CJK UNIFIED IDEOGRAPH:'D4A3:54435:&#x5565 CJK UNIFIED IDEOGRAPH:'D4A4:54436:&#x554E CJK UNIFIED IDEOGRAPH:'D4A5:54437:&#x5539 CJK UNIFIED IDEOGRAPH:'D4A6:54438:&#x5548 CJK UNIFIED IDEOGRAPH:'D4A7:54439:&#x552D CJK UNIFIED IDEOGRAPH:'D4A8:54440:&#x553B CJK UNIFIED IDEOGRAPH:'D4A9:54441:&#x5540 CJK UNIFIED IDEOGRAPH:'D4AA:54442:&#x554B CJK UNIFIED IDEOGRAPH:'D4AB:54443:&#x570A CJK UNIFIED IDEOGRAPH:'D4AC:54444:&#x5707 CJK UNIFIED IDEOGRAPH:'D4AD:54445:&#x57FB CJK UNIFIED IDEOGRAPH:'D4AE:54446:&#x5814 CJK UNIFIED IDEOGRAPH:'D4AF:54447:&#x57E2 CJK UNIFIED IDEOGRAPH:'D4B0:54448:&#x57F6 CJK UNIFIED IDEOGRAPH:'D4B1:54449:&#x57DC CJK UNIFIED IDEOGRAPH:'D4B2:54450:&#x57F4 CJK UNIFIED IDEOGRAPH:'D4B3:54451:&#x5800 CJK UNIFIED IDEOGRAPH:'D4B4:54452:&#x57ED CJK UNIFIED IDEOGRAPH:'D4B5:54453:&#x57FD CJK UNIFIED IDEOGRAPH:'D4B6:54454:&#x5808 CJK UNIFIED IDEOGRAPH:'D4B7:54455:&#x57F8 CJK UNIFIED IDEOGRAPH:'D4B8:54456:&#x580B CJK UNIFIED IDEOGRAPH:'D4B9:54457:&#x57F3 CJK UNIFIED IDEOGRAPH:'D4BA:54458:&#x57CF CJK UNIFIED IDEOGRAPH:'D4BB:54459:&#x5807 CJK UNIFIED IDEOGRAPH:'D4BC:54460:&#x57EE CJK UNIFIED IDEOGRAPH:'D4BD:54461:&#x57E3 CJK UNIFIED IDEOGRAPH:'D4BE:54462:&#x57F2 CJK UNIFIED IDEOGRAPH:'D4BF:54463:&#x57E5 CJK UNIFIED IDEOGRAPH:'D4C0:54464:&#x57EC CJK UNIFIED IDEOGRAPH:'D4C1:54465:&#x57E1 CJK UNIFIED IDEOGRAPH:'D4C2:54466:&#x580E CJK UNIFIED IDEOGRAPH:'D4C3:54467:&#x57FC CJK UNIFIED IDEOGRAPH:'D4C4:54468:&#x5810 CJK UNIFIED IDEOGRAPH:'D4C5:54469:&#x57E7 CJK UNIFIED IDEOGRAPH:'D4C6:54470:&#x5801 CJK UNIFIED IDEOGRAPH:'D4C7:54471:&#x580C CJK UNIFIED IDEOGRAPH:'D4C8:54472:&#x57F1 CJK UNIFIED IDEOGRAPH:'D4C9:54473:&#x57E9 CJK UNIFIED IDEOGRAPH:'D4CA:54474:&#x57F0 CJK UNIFIED IDEOGRAPH:'D4CB:54475:&#x580D CJK UNIFIED IDEOGRAPH:'D4CC:54476:&#x5804 CJK UNIFIED IDEOGRAPH:'D4CD:54477:&#x595C CJK UNIFIED IDEOGRAPH:'D4CE:54478:&#x5A60 CJK UNIFIED IDEOGRAPH:'D4CF:54479:&#x5A58 CJK UNIFIED IDEOGRAPH:'D4D0:54480:&#x5A55 CJK UNIFIED IDEOGRAPH:'D4D1:54481:&#x5A67 CJK UNIFIED IDEOGRAPH:'D4D2:54482:&#x5A5E CJK UNIFIED IDEOGRAPH:'D4D3:54483:&#x5A38 CJK UNIFIED IDEOGRAPH:'D4D4:54484:&#x5A35 CJK UNIFIED IDEOGRAPH:'D4D5:54485:&#x5A6D CJK UNIFIED IDEOGRAPH:'D4D6:54486:&#x5A50 CJK UNIFIED IDEOGRAPH:'D4D7:54487:&#x5A5F CJK UNIFIED IDEOGRAPH:'D4D8:54488:&#x5A65 CJK UNIFIED IDEOGRAPH:'D4D9:54489:&#x5A6C CJK UNIFIED IDEOGRAPH:'D4DA:54490:&#x5A53 CJK UNIFIED IDEOGRAPH:'D4DB:54491:&#x5A64 CJK UNIFIED IDEOGRAPH:'D4DC:54492:&#x5A57 CJK UNIFIED IDEOGRAPH:'D4DD:54493:&#x5A43 CJK UNIFIED IDEOGRAPH:'D4DE:54494:&#x5A5D CJK UNIFIED IDEOGRAPH:'D4DF:54495:&#x5A52 CJK UNIFIED IDEOGRAPH:'D4E0:54496:&#x5A44 CJK UNIFIED IDEOGRAPH:'D4E1:54497:&#x5A5B CJK UNIFIED IDEOGRAPH:'D4E2:54498:&#x5A48 CJK UNIFIED IDEOGRAPH:'D4E3:54499:&#x5A8E CJK UNIFIED IDEOGRAPH:'D4E4:54500:&#x5A3E CJK UNIFIED IDEOGRAPH:'D4E5:54501:&#x5A4D CJK UNIFIED IDEOGRAPH:'D4E6:54502:&#x5A39 CJK UNIFIED IDEOGRAPH:'D4E7:54503:&#x5A4C CJK UNIFIED IDEOGRAPH:'D4E8:54504:&#x5A70 CJK UNIFIED IDEOGRAPH:'D4E9:54505:&#x5A69 CJK UNIFIED IDEOGRAPH:'D4EA:54506:&#x5A47 CJK UNIFIED IDEOGRAPH:'D4EB:54507:&#x5A51 CJK UNIFIED IDEOGRAPH:'D4EC:54508:&#x5A56 CJK UNIFIED IDEOGRAPH:'D4ED:54509:&#x5A42 CJK UNIFIED IDEOGRAPH:'D4EE:54510:&#x5A5C CJK UNIFIED IDEOGRAPH:'D4EF:54511:&#x5B72 CJK UNIFIED IDEOGRAPH:'D4F0:54512:&#x5B6E CJK UNIFIED IDEOGRAPH:'D4F1:54513:&#x5BC1 CJK UNIFIED IDEOGRAPH:'D4F2:54514:&#x5BC0 CJK UNIFIED IDEOGRAPH:'D4F3:54515:&#x5C59 CJK UNIFIED IDEOGRAPH:'D4F4:54516:&#x5D1E CJK UNIFIED IDEOGRAPH:'D4F5:54517:&#x5D0B CJK UNIFIED IDEOGRAPH:'D4F6:54518:&#x5D1D CJK UNIFIED IDEOGRAPH:'D4F7:54519:&#x5D1A CJK UNIFIED IDEOGRAPH:'D4F8:54520:&#x5D20 CJK UNIFIED IDEOGRAPH:'D4F9:54521:&#x5D0C CJK UNIFIED IDEOGRAPH:'D4FA:54522:&#x5D28 CJK UNIFIED IDEOGRAPH:'D4FB:54523:&#x5D0D CJK UNIFIED IDEOGRAPH:'D4FC:54524:&#x5D26 CJK UNIFIED IDEOGRAPH:'D4FD:54525:&#x5D25 CJK UNIFIED IDEOGRAPH:'D4FE:54526:&#x5D0F CJK UNIFIED IDEOGRAPH:'D540:54592:&#x5D30 CJK UNIFIED IDEOGRAPH:'D541:54593:&#x5D12 CJK UNIFIED IDEOGRAPH:'D542:54594:&#x5D23 CJK UNIFIED IDEOGRAPH:'D543:54595:&#x5D1F CJK UNIFIED IDEOGRAPH:'D544:54596:&#x5D2E CJK UNIFIED IDEOGRAPH:'D545:54597:&#x5E3E CJK UNIFIED IDEOGRAPH:'D546:54598:&#x5E34 CJK UNIFIED IDEOGRAPH:'D547:54599:&#x5EB1 CJK UNIFIED IDEOGRAPH:'D548:54600:&#x5EB4 CJK UNIFIED IDEOGRAPH:'D549:54601:&#x5EB9 CJK UNIFIED IDEOGRAPH:'D54A:54602:&#x5EB2 CJK UNIFIED IDEOGRAPH:'D54B:54603:&#x5EB3 CJK UNIFIED IDEOGRAPH:'D54C:54604:&#x5F36 CJK UNIFIED IDEOGRAPH:'D54D:54605:&#x5F38 CJK UNIFIED IDEOGRAPH:'D54E:54606:&#x5F9B CJK UNIFIED IDEOGRAPH:'D54F:54607:&#x5F96 CJK UNIFIED IDEOGRAPH:'D550:54608:&#x5F9F CJK UNIFIED IDEOGRAPH:'D551:54609:&#x608A CJK UNIFIED IDEOGRAPH:'D552:54610:&#x6090 CJK UNIFIED IDEOGRAPH:'D553:54611:&#x6086 CJK UNIFIED IDEOGRAPH:'D554:54612:&#x60BE CJK UNIFIED IDEOGRAPH:'D555:54613:&#x60B0 CJK UNIFIED IDEOGRAPH:'D556:54614:&#x60BA CJK UNIFIED IDEOGRAPH:'D557:54615:&#x60D3 CJK UNIFIED IDEOGRAPH:'D558:54616:&#x60D4 CJK UNIFIED IDEOGRAPH:'D559:54617:&#x60CF CJK UNIFIED IDEOGRAPH:'D55A:54618:&#x60E4 CJK UNIFIED IDEOGRAPH:'D55B:54619:&#x60D9 CJK UNIFIED IDEOGRAPH:'D55C:54620:&#x60DD CJK UNIFIED IDEOGRAPH:'D55D:54621:&#x60C8 CJK UNIFIED IDEOGRAPH:'D55E:54622:&#x60B1 CJK UNIFIED IDEOGRAPH:'D55F:54623:&#x60DB CJK UNIFIED IDEOGRAPH:'D560:54624:&#x60B7 CJK UNIFIED IDEOGRAPH:'D561:54625:&#x60CA CJK UNIFIED IDEOGRAPH:'D562:54626:&#x60BF CJK UNIFIED IDEOGRAPH:'D563:54627:&#x60C3 CJK UNIFIED IDEOGRAPH:'D564:54628:&#x60CD CJK UNIFIED IDEOGRAPH:'D565:54629:&#x60C0 CJK UNIFIED IDEOGRAPH:'D566:54630:&#x6332 CJK UNIFIED IDEOGRAPH:'D567:54631:&#x6365 CJK UNIFIED IDEOGRAPH:'D568:54632:&#x638A CJK UNIFIED IDEOGRAPH:'D569:54633:&#x6382 CJK UNIFIED IDEOGRAPH:'D56A:54634:&#x637D CJK UNIFIED IDEOGRAPH:'D56B:54635:&#x63BD CJK UNIFIED IDEOGRAPH:'D56C:54636:&#x639E CJK UNIFIED IDEOGRAPH:'D56D:54637:&#x63AD CJK UNIFIED IDEOGRAPH:'D56E:54638:&#x639D CJK UNIFIED IDEOGRAPH:'D56F:54639:&#x6397 CJK UNIFIED IDEOGRAPH:'D570:54640:&#x63AB CJK UNIFIED IDEOGRAPH:'D571:54641:&#x638E CJK UNIFIED IDEOGRAPH:'D572:54642:&#x636F CJK UNIFIED IDEOGRAPH:'D573:54643:&#x6387 CJK UNIFIED IDEOGRAPH:'D574:54644:&#x6390 CJK UNIFIED IDEOGRAPH:'D575:54645:&#x636E CJK UNIFIED IDEOGRAPH:'D576:54646:&#x63AF CJK UNIFIED IDEOGRAPH:'D577:54647:&#x6375 CJK UNIFIED IDEOGRAPH:'D578:54648:&#x639C CJK UNIFIED IDEOGRAPH:'D579:54649:&#x636D CJK UNIFIED IDEOGRAPH:'D57A:54650:&#x63AE CJK UNIFIED IDEOGRAPH:'D57B:54651:&#x637C CJK UNIFIED IDEOGRAPH:'D57C:54652:&#x63A4 CJK UNIFIED IDEOGRAPH:'D57D:54653:&#x633B CJK UNIFIED IDEOGRAPH:'D57E:54654:&#x639F CJK UNIFIED IDEOGRAPH:'D5A1:54689:&#x6378 CJK UNIFIED IDEOGRAPH:'D5A2:54690:&#x6385 CJK UNIFIED IDEOGRAPH:'D5A3:54691:&#x6381 CJK UNIFIED IDEOGRAPH:'D5A4:54692:&#x6391 CJK UNIFIED IDEOGRAPH:'D5A5:54693:&#x638D CJK UNIFIED IDEOGRAPH:'D5A6:54694:&#x6370 CJK UNIFIED IDEOGRAPH:'D5A7:54695:&#x6553 CJK UNIFIED IDEOGRAPH:'D5A8:54696:&#x65CD CJK UNIFIED IDEOGRAPH:'D5A9:54697:&#x6665 CJK UNIFIED IDEOGRAPH:'D5AA:54698:&#x6661 CJK UNIFIED IDEOGRAPH:'D5AB:54699:&#x665B CJK UNIFIED IDEOGRAPH:'D5AC:54700:&#x6659 CJK UNIFIED IDEOGRAPH:'D5AD:54701:&#x665C CJK UNIFIED IDEOGRAPH:'D5AE:54702:&#x6662 CJK UNIFIED IDEOGRAPH:'D5AF:54703:&#x6718 CJK UNIFIED IDEOGRAPH:'D5B0:54704:&#x6879 CJK UNIFIED IDEOGRAPH:'D5B1:54705:&#x6887 CJK UNIFIED IDEOGRAPH:'D5B2:54706:&#x6890 CJK UNIFIED IDEOGRAPH:'D5B3:54707:&#x689C CJK UNIFIED IDEOGRAPH:'D5B4:54708:&#x686D CJK UNIFIED IDEOGRAPH:'D5B5:54709:&#x686E CJK UNIFIED IDEOGRAPH:'D5B6:54710:&#x68AE CJK UNIFIED IDEOGRAPH:'D5B7:54711:&#x68AB CJK UNIFIED IDEOGRAPH:'D5B8:54712:&#x6956 CJK UNIFIED IDEOGRAPH:'D5B9:54713:&#x686F CJK UNIFIED IDEOGRAPH:'D5BA:54714:&#x68A3 CJK UNIFIED IDEOGRAPH:'D5BB:54715:&#x68AC CJK UNIFIED IDEOGRAPH:'D5BC:54716:&#x68A9 CJK UNIFIED IDEOGRAPH:'D5BD:54717:&#x6875 CJK UNIFIED IDEOGRAPH:'D5BE:54718:&#x6874 CJK UNIFIED IDEOGRAPH:'D5BF:54719:&#x68B2 CJK UNIFIED IDEOGRAPH:'D5C0:54720:&#x688F CJK UNIFIED IDEOGRAPH:'D5C1:54721:&#x6877 CJK UNIFIED IDEOGRAPH:'D5C2:54722:&#x6892 CJK UNIFIED IDEOGRAPH:'D5C3:54723:&#x687C CJK UNIFIED IDEOGRAPH:'D5C4:54724:&#x686B CJK UNIFIED IDEOGRAPH:'D5C5:54725:&#x6872 CJK UNIFIED IDEOGRAPH:'D5C6:54726:&#x68AA CJK UNIFIED IDEOGRAPH:'D5C7:54727:&#x6880 CJK UNIFIED IDEOGRAPH:'D5C8:54728:&#x6871 CJK UNIFIED IDEOGRAPH:'D5C9:54729:&#x687E CJK UNIFIED IDEOGRAPH:'D5CA:54730:&#x689B CJK UNIFIED IDEOGRAPH:'D5CB:54731:&#x6896 CJK UNIFIED IDEOGRAPH:'D5CC:54732:&#x688B CJK UNIFIED IDEOGRAPH:'D5CD:54733:&#x68A0 CJK UNIFIED IDEOGRAPH:'D5CE:54734:&#x6889 CJK UNIFIED IDEOGRAPH:'D5CF:54735:&#x68A4 CJK UNIFIED IDEOGRAPH:'D5D0:54736:&#x6878 CJK UNIFIED IDEOGRAPH:'D5D1:54737:&#x687B CJK UNIFIED IDEOGRAPH:'D5D2:54738:&#x6891 CJK UNIFIED IDEOGRAPH:'D5D3:54739:&#x688C CJK UNIFIED IDEOGRAPH:'D5D4:54740:&#x688A CJK UNIFIED IDEOGRAPH:'D5D5:54741:&#x687D CJK UNIFIED IDEOGRAPH:'D5D6:54742:&#x6B36 CJK UNIFIED IDEOGRAPH:'D5D7:54743:&#x6B33 CJK UNIFIED IDEOGRAPH:'D5D8:54744:&#x6B37 CJK UNIFIED IDEOGRAPH:'D5D9:54745:&#x6B38 CJK UNIFIED IDEOGRAPH:'D5DA:54746:&#x6B91 CJK UNIFIED IDEOGRAPH:'D5DB:54747:&#x6B8F CJK UNIFIED IDEOGRAPH:'D5DC:54748:&#x6B8D CJK UNIFIED IDEOGRAPH:'D5DD:54749:&#x6B8E CJK UNIFIED IDEOGRAPH:'D5DE:54750:&#x6B8C CJK UNIFIED IDEOGRAPH:'D5DF:54751:&#x6C2A CJK UNIFIED IDEOGRAPH:'D5E0:54752:&#x6DC0 CJK UNIFIED IDEOGRAPH:'D5E1:54753:&#x6DAB CJK UNIFIED IDEOGRAPH:'D5E2:54754:&#x6DB4 CJK UNIFIED IDEOGRAPH:'D5E3:54755:&#x6DB3 CJK UNIFIED IDEOGRAPH:'D5E4:54756:&#x6E74 CJK UNIFIED IDEOGRAPH:'D5E5:54757:&#x6DAC CJK UNIFIED IDEOGRAPH:'D5E6:54758:&#x6DE9 CJK UNIFIED IDEOGRAPH:'D5E7:54759:&#x6DE2 CJK UNIFIED IDEOGRAPH:'D5E8:54760:&#x6DB7 CJK UNIFIED IDEOGRAPH:'D5E9:54761:&#x6DF6 CJK UNIFIED IDEOGRAPH:'D5EA:54762:&#x6DD4 CJK UNIFIED IDEOGRAPH:'D5EB:54763:&#x6E00 CJK UNIFIED IDEOGRAPH:'D5EC:54764:&#x6DC8 CJK UNIFIED IDEOGRAPH:'D5ED:54765:&#x6DE0 CJK UNIFIED IDEOGRAPH:'D5EE:54766:&#x6DDF CJK UNIFIED IDEOGRAPH:'D5EF:54767:&#x6DD6 CJK UNIFIED IDEOGRAPH:'D5F0:54768:&#x6DBE CJK UNIFIED IDEOGRAPH:'D5F1:54769:&#x6DE5 CJK UNIFIED IDEOGRAPH:'D5F2:54770:&#x6DDC CJK UNIFIED IDEOGRAPH:'D5F3:54771:&#x6DDD CJK UNIFIED IDEOGRAPH:'D5F4:54772:&#x6DDB CJK UNIFIED IDEOGRAPH:'D5F5:54773:&#x6DF4 CJK UNIFIED IDEOGRAPH:'D5F6:54774:&#x6DCA CJK UNIFIED IDEOGRAPH:'D5F7:54775:&#x6DBD CJK UNIFIED IDEOGRAPH:'D5F8:54776:&#x6DED CJK UNIFIED IDEOGRAPH:'D5F9:54777:&#x6DF0 CJK UNIFIED IDEOGRAPH:'D5FA:54778:&#x6DBA CJK UNIFIED IDEOGRAPH:'D5FB:54779:&#x6DD5 CJK UNIFIED IDEOGRAPH:'D5FC:54780:&#x6DC2 CJK UNIFIED IDEOGRAPH:'D5FD:54781:&#x6DCF CJK UNIFIED IDEOGRAPH:'D5FE:54782:&#x6DC9 CJK UNIFIED IDEOGRAPH:'D640:54848:&#x6DD0 CJK UNIFIED IDEOGRAPH:'D641:54849:&#x6DF2 CJK UNIFIED IDEOGRAPH:'D642:54850:&#x6DD3 CJK UNIFIED IDEOGRAPH:'D643:54851:&#x6DFD CJK UNIFIED IDEOGRAPH:'D644:54852:&#x6DD7 CJK UNIFIED IDEOGRAPH:'D645:54853:&#x6DCD CJK UNIFIED IDEOGRAPH:'D646:54854:&#x6DE3 CJK UNIFIED IDEOGRAPH:'D647:54855:&#x6DBB CJK UNIFIED IDEOGRAPH:'D648:54856:&#x70FA CJK UNIFIED IDEOGRAPH:'D649:54857:&#x710D CJK UNIFIED IDEOGRAPH:'D64A:54858:&#x70F7 CJK UNIFIED IDEOGRAPH:'D64B:54859:&#x7117 CJK UNIFIED IDEOGRAPH:'D64C:54860:&#x70F4 CJK UNIFIED IDEOGRAPH:'D64D:54861:&#x710C CJK UNIFIED IDEOGRAPH:'D64E:54862:&#x70F0 CJK UNIFIED IDEOGRAPH:'D64F:54863:&#x7104 CJK UNIFIED IDEOGRAPH:'D650:54864:&#x70F3 CJK UNIFIED IDEOGRAPH:'D651:54865:&#x7110 CJK UNIFIED IDEOGRAPH:'D652:54866:&#x70FC CJK UNIFIED IDEOGRAPH:'D653:54867:&#x70FF CJK UNIFIED IDEOGRAPH:'D654:54868:&#x7106 CJK UNIFIED IDEOGRAPH:'D655:54869:&#x7113 CJK UNIFIED IDEOGRAPH:'D656:54870:&#x7100 CJK UNIFIED IDEOGRAPH:'D657:54871:&#x70F8 CJK UNIFIED IDEOGRAPH:'D658:54872:&#x70F6 CJK UNIFIED IDEOGRAPH:'D659:54873:&#x710B CJK UNIFIED IDEOGRAPH:'D65A:54874:&#x7102 CJK UNIFIED IDEOGRAPH:'D65B:54875:&#x710E CJK UNIFIED IDEOGRAPH:'D65C:54876:&#x727E CJK UNIFIED IDEOGRAPH:'D65D:54877:&#x727B CJK UNIFIED IDEOGRAPH:'D65E:54878:&#x727C CJK UNIFIED IDEOGRAPH:'D65F:54879:&#x727F CJK UNIFIED IDEOGRAPH:'D660:54880:&#x731D CJK UNIFIED IDEOGRAPH:'D661:54881:&#x7317 CJK UNIFIED IDEOGRAPH:'D662:54882:&#x7307 CJK UNIFIED IDEOGRAPH:'D663:54883:&#x7311 CJK UNIFIED IDEOGRAPH:'D664:54884:&#x7318 CJK UNIFIED IDEOGRAPH:'D665:54885:&#x730A CJK UNIFIED IDEOGRAPH:'D666:54886:&#x7308 CJK UNIFIED IDEOGRAPH:'D667:54887:&#x72FF CJK UNIFIED IDEOGRAPH:'D668:54888:&#x730F CJK UNIFIED IDEOGRAPH:'D669:54889:&#x731E CJK UNIFIED IDEOGRAPH:'D66A:54890:&#x7388 CJK UNIFIED IDEOGRAPH:'D66B:54891:&#x73F6 CJK UNIFIED IDEOGRAPH:'D66C:54892:&#x73F8 CJK UNIFIED IDEOGRAPH:'D66D:54893:&#x73F5 CJK UNIFIED IDEOGRAPH:'D66E:54894:&#x7404 CJK UNIFIED IDEOGRAPH:'D66F:54895:&#x7401 CJK UNIFIED IDEOGRAPH:'D670:54896:&#x73FD CJK UNIFIED IDEOGRAPH:'D671:54897:&#x7407 CJK UNIFIED IDEOGRAPH:'D672:54898:&#x7400 CJK UNIFIED IDEOGRAPH:'D673:54899:&#x73FA CJK UNIFIED IDEOGRAPH:'D674:54900:&#x73FC CJK UNIFIED IDEOGRAPH:'D675:54901:&#x73FF CJK UNIFIED IDEOGRAPH:'D676:54902:&#x740C CJK UNIFIED IDEOGRAPH:'D677:54903:&#x740B CJK UNIFIED IDEOGRAPH:'D678:54904:&#x73F4 CJK UNIFIED IDEOGRAPH:'D679:54905:&#x7408 CJK UNIFIED IDEOGRAPH:'D67A:54906:&#x7564 CJK UNIFIED IDEOGRAPH:'D67B:54907:&#x7563 CJK UNIFIED IDEOGRAPH:'D67C:54908:&#x75CE CJK UNIFIED IDEOGRAPH:'D67D:54909:&#x75D2 CJK UNIFIED IDEOGRAPH:'D67E:54910:&#x75CF CJK UNIFIED IDEOGRAPH:'D6A1:54945:&#x75CB CJK UNIFIED IDEOGRAPH:'D6A2:54946:&#x75CC CJK UNIFIED IDEOGRAPH:'D6A3:54947:&#x75D1 CJK UNIFIED IDEOGRAPH:'D6A4:54948:&#x75D0 CJK UNIFIED IDEOGRAPH:'D6A5:54949:&#x768F CJK UNIFIED IDEOGRAPH:'D6A6:54950:&#x7689 CJK UNIFIED IDEOGRAPH:'D6A7:54951:&#x76D3 CJK UNIFIED IDEOGRAPH:'D6A8:54952:&#x7739 CJK UNIFIED IDEOGRAPH:'D6A9:54953:&#x772F CJK UNIFIED IDEOGRAPH:'D6AA:54954:&#x772D CJK UNIFIED IDEOGRAPH:'D6AB:54955:&#x7731 CJK UNIFIED IDEOGRAPH:'D6AC:54956:&#x7732 CJK UNIFIED IDEOGRAPH:'D6AD:54957:&#x7734 CJK UNIFIED IDEOGRAPH:'D6AE:54958:&#x7733 CJK UNIFIED IDEOGRAPH:'D6AF:54959:&#x773D CJK UNIFIED IDEOGRAPH:'D6B0:54960:&#x7725 CJK UNIFIED IDEOGRAPH:'D6B1:54961:&#x773B CJK UNIFIED IDEOGRAPH:'D6B2:54962:&#x7735 CJK UNIFIED IDEOGRAPH:'D6B3:54963:&#x7848 CJK UNIFIED IDEOGRAPH:'D6B4:54964:&#x7852 CJK UNIFIED IDEOGRAPH:'D6B5:54965:&#x7849 CJK UNIFIED IDEOGRAPH:'D6B6:54966:&#x784D CJK UNIFIED IDEOGRAPH:'D6B7:54967:&#x784A CJK UNIFIED IDEOGRAPH:'D6B8:54968:&#x784C CJK UNIFIED IDEOGRAPH:'D6B9:54969:&#x7826 CJK UNIFIED IDEOGRAPH:'D6BA:54970:&#x7845 CJK UNIFIED IDEOGRAPH:'D6BB:54971:&#x7850 CJK UNIFIED IDEOGRAPH:'D6BC:54972:&#x7964 CJK UNIFIED IDEOGRAPH:'D6BD:54973:&#x7967 CJK UNIFIED IDEOGRAPH:'D6BE:54974:&#x7969 CJK UNIFIED IDEOGRAPH:'D6BF:54975:&#x796A CJK UNIFIED IDEOGRAPH:'D6C0:54976:&#x7963 CJK UNIFIED IDEOGRAPH:'D6C1:54977:&#x796B CJK UNIFIED IDEOGRAPH:'D6C2:54978:&#x7961 CJK UNIFIED IDEOGRAPH:'D6C3:54979:&#x79BB CJK UNIFIED IDEOGRAPH:'D6C4:54980:&#x79FA CJK UNIFIED IDEOGRAPH:'D6C5:54981:&#x79F8 CJK UNIFIED IDEOGRAPH:'D6C6:54982:&#x79F6 CJK UNIFIED IDEOGRAPH:'D6C7:54983:&#x79F7 CJK UNIFIED IDEOGRAPH:'D6C8:54984:&#x7A8F CJK UNIFIED IDEOGRAPH:'D6C9:54985:&#x7A94 CJK UNIFIED IDEOGRAPH:'D6CA:54986:&#x7A90 CJK UNIFIED IDEOGRAPH:'D6CB:54987:&#x7B35 CJK UNIFIED IDEOGRAPH:'D6CC:54988:&#x7B47 CJK UNIFIED IDEOGRAPH:'D6CD:54989:&#x7B34 CJK UNIFIED IDEOGRAPH:'D6CE:54990:&#x7B25 CJK UNIFIED IDEOGRAPH:'D6CF:54991:&#x7B30 CJK UNIFIED IDEOGRAPH:'D6D0:54992:&#x7B22 CJK UNIFIED IDEOGRAPH:'D6D1:54993:&#x7B24 CJK UNIFIED IDEOGRAPH:'D6D2:54994:&#x7B33 CJK UNIFIED IDEOGRAPH:'D6D3:54995:&#x7B18 CJK UNIFIED IDEOGRAPH:'D6D4:54996:&#x7B2A CJK UNIFIED IDEOGRAPH:'D6D5:54997:&#x7B1D CJK UNIFIED IDEOGRAPH:'D6D6:54998:&#x7B31 CJK UNIFIED IDEOGRAPH:'D6D7:54999:&#x7B2B CJK UNIFIED IDEOGRAPH:'D6D8:55000:&#x7B2D CJK UNIFIED IDEOGRAPH:'D6D9:55001:&#x7B2F CJK UNIFIED IDEOGRAPH:'D6DA:55002:&#x7B32 CJK UNIFIED IDEOGRAPH:'D6DB:55003:&#x7B38 CJK UNIFIED IDEOGRAPH:'D6DC:55004:&#x7B1A CJK UNIFIED IDEOGRAPH:'D6DD:55005:&#x7B23 CJK UNIFIED IDEOGRAPH:'D6DE:55006:&#x7C94 CJK UNIFIED IDEOGRAPH:'D6DF:55007:&#x7C98 CJK UNIFIED IDEOGRAPH:'D6E0:55008:&#x7C96 CJK UNIFIED IDEOGRAPH:'D6E1:55009:&#x7CA3 CJK UNIFIED IDEOGRAPH:'D6E2:55010:&#x7D35 CJK UNIFIED IDEOGRAPH:'D6E3:55011:&#x7D3D CJK UNIFIED IDEOGRAPH:'D6E4:55012:&#x7D38 CJK UNIFIED IDEOGRAPH:'D6E5:55013:&#x7D36 CJK UNIFIED IDEOGRAPH:'D6E6:55014:&#x7D3A CJK UNIFIED IDEOGRAPH:'D6E7:55015:&#x7D45 CJK UNIFIED IDEOGRAPH:'D6E8:55016:&#x7D2C CJK UNIFIED IDEOGRAPH:'D6E9:55017:&#x7D29 CJK UNIFIED IDEOGRAPH:'D6EA:55018:&#x7D41 CJK UNIFIED IDEOGRAPH:'D6EB:55019:&#x7D47 CJK UNIFIED IDEOGRAPH:'D6EC:55020:&#x7D3E CJK UNIFIED IDEOGRAPH:'D6ED:55021:&#x7D3F CJK UNIFIED IDEOGRAPH:'D6EE:55022:&#x7D4A CJK UNIFIED IDEOGRAPH:'D6EF:55023:&#x7D3B CJK UNIFIED IDEOGRAPH:'D6F0:55024:&#x7D28 CJK UNIFIED IDEOGRAPH:'D6F1:55025:&#x7F63 CJK UNIFIED IDEOGRAPH:'D6F2:55026:&#x7F95 CJK UNIFIED IDEOGRAPH:'D6F3:55027:&#x7F9C CJK UNIFIED IDEOGRAPH:'D6F4:55028:&#x7F9D CJK UNIFIED IDEOGRAPH:'D6F5:55029:&#x7F9B CJK UNIFIED IDEOGRAPH:'D6F6:55030:&#x7FCA CJK UNIFIED IDEOGRAPH:'D6F7:55031:&#x7FCB CJK UNIFIED IDEOGRAPH:'D6F8:55032:&#x7FCD CJK UNIFIED IDEOGRAPH:'D6F9:55033:&#x7FD0 CJK UNIFIED IDEOGRAPH:'D6FA:55034:&#x7FD1 CJK UNIFIED IDEOGRAPH:'D6FB:55035:&#x7FC7 CJK UNIFIED IDEOGRAPH:'D6FC:55036:&#x7FCF CJK UNIFIED IDEOGRAPH:'D6FD:55037:&#x7FC9 CJK UNIFIED IDEOGRAPH:'D6FE:55038:&#x801F CJK UNIFIED IDEOGRAPH:'D740:55104:&#x801E CJK UNIFIED IDEOGRAPH:'D741:55105:&#x801B CJK UNIFIED IDEOGRAPH:'D742:55106:&#x8047 CJK UNIFIED IDEOGRAPH:'D743:55107:&#x8043 CJK UNIFIED IDEOGRAPH:'D744:55108:&#x8048 CJK UNIFIED IDEOGRAPH:'D745:55109:&#x8118 CJK UNIFIED IDEOGRAPH:'D746:55110:&#x8125 CJK UNIFIED IDEOGRAPH:'D747:55111:&#x8119 CJK UNIFIED IDEOGRAPH:'D748:55112:&#x811B CJK UNIFIED IDEOGRAPH:'D749:55113:&#x812D CJK UNIFIED IDEOGRAPH:'D74A:55114:&#x811F CJK UNIFIED IDEOGRAPH:'D74B:55115:&#x812C CJK UNIFIED IDEOGRAPH:'D74C:55116:&#x811E CJK UNIFIED IDEOGRAPH:'D74D:55117:&#x8121 CJK UNIFIED IDEOGRAPH:'D74E:55118:&#x8115 CJK UNIFIED IDEOGRAPH:'D74F:55119:&#x8127 CJK UNIFIED IDEOGRAPH:'D750:55120:&#x811D CJK UNIFIED IDEOGRAPH:'D751:55121:&#x8122 CJK UNIFIED IDEOGRAPH:'D752:55122:&#x8211 CJK UNIFIED IDEOGRAPH:'D753:55123:&#x8238 CJK UNIFIED IDEOGRAPH:'D754:55124:&#x8233 CJK UNIFIED IDEOGRAPH:'D755:55125:&#x823A CJK UNIFIED IDEOGRAPH:'D756:55126:&#x8234 CJK UNIFIED IDEOGRAPH:'D757:55127:&#x8232 CJK UNIFIED IDEOGRAPH:'D758:55128:&#x8274 CJK UNIFIED IDEOGRAPH:'D759:55129:&#x8390 CJK UNIFIED IDEOGRAPH:'D75A:55130:&#x83A3 CJK UNIFIED IDEOGRAPH:'D75B:55131:&#x83A8 CJK UNIFIED IDEOGRAPH:'D75C:55132:&#x838D CJK UNIFIED IDEOGRAPH:'D75D:55133:&#x837A CJK UNIFIED IDEOGRAPH:'D75E:55134:&#x8373 CJK UNIFIED IDEOGRAPH:'D75F:55135:&#x83A4 CJK UNIFIED IDEOGRAPH:'D760:55136:&#x8374 CJK UNIFIED IDEOGRAPH:'D761:55137:&#x838F CJK UNIFIED IDEOGRAPH:'D762:55138:&#x8381 CJK UNIFIED IDEOGRAPH:'D763:55139:&#x8395 CJK UNIFIED IDEOGRAPH:'D764:55140:&#x8399 CJK UNIFIED IDEOGRAPH:'D765:55141:&#x8375 CJK UNIFIED IDEOGRAPH:'D766:55142:&#x8394 CJK UNIFIED IDEOGRAPH:'D767:55143:&#x83A9 CJK UNIFIED IDEOGRAPH:'D768:55144:&#x837D CJK UNIFIED IDEOGRAPH:'D769:55145:&#x8383 CJK UNIFIED IDEOGRAPH:'D76A:55146:&#x838C CJK UNIFIED IDEOGRAPH:'D76B:55147:&#x839D CJK UNIFIED IDEOGRAPH:'D76C:55148:&#x839B CJK UNIFIED IDEOGRAPH:'D76D:55149:&#x83AA CJK UNIFIED IDEOGRAPH:'D76E:55150:&#x838B CJK UNIFIED IDEOGRAPH:'D76F:55151:&#x837E CJK UNIFIED IDEOGRAPH:'D770:55152:&#x83A5 CJK UNIFIED IDEOGRAPH:'D771:55153:&#x83AF CJK UNIFIED IDEOGRAPH:'D772:55154:&#x8388 CJK UNIFIED IDEOGRAPH:'D773:55155:&#x8397 CJK UNIFIED IDEOGRAPH:'D774:55156:&#x83B0 CJK UNIFIED IDEOGRAPH:'D775:55157:&#x837F CJK UNIFIED IDEOGRAPH:'D776:55158:&#x83A6 CJK UNIFIED IDEOGRAPH:'D777:55159:&#x8387 CJK UNIFIED IDEOGRAPH:'D778:55160:&#x83AE CJK UNIFIED IDEOGRAPH:'D779:55161:&#x8376 CJK UNIFIED IDEOGRAPH:'D77A:55162:&#x839A CJK UNIFIED IDEOGRAPH:'D77B:55163:&#x8659 CJK UNIFIED IDEOGRAPH:'D77C:55164:&#x8656 CJK UNIFIED IDEOGRAPH:'D77D:55165:&#x86BF CJK UNIFIED IDEOGRAPH:'D77E:55166:&#x86B7 CJK UNIFIED IDEOGRAPH:'D7A1:55201:&#x86C2 CJK UNIFIED IDEOGRAPH:'D7A2:55202:&#x86C1 CJK UNIFIED IDEOGRAPH:'D7A3:55203:&#x86C5 CJK UNIFIED IDEOGRAPH:'D7A4:55204:&#x86BA CJK UNIFIED IDEOGRAPH:'D7A5:55205:&#x86B0 CJK UNIFIED IDEOGRAPH:'D7A6:55206:&#x86C8 CJK UNIFIED IDEOGRAPH:'D7A7:55207:&#x86B9 CJK UNIFIED IDEOGRAPH:'D7A8:55208:&#x86B3 CJK UNIFIED IDEOGRAPH:'D7A9:55209:&#x86B8 CJK UNIFIED IDEOGRAPH:'D7AA:55210:&#x86CC CJK UNIFIED IDEOGRAPH:'D7AB:55211:&#x86B4 CJK UNIFIED IDEOGRAPH:'D7AC:55212:&#x86BB CJK UNIFIED IDEOGRAPH:'D7AD:55213:&#x86BC CJK UNIFIED IDEOGRAPH:'D7AE:55214:&#x86C3 CJK UNIFIED IDEOGRAPH:'D7AF:55215:&#x86BD CJK UNIFIED IDEOGRAPH:'D7B0:55216:&#x86BE CJK UNIFIED IDEOGRAPH:'D7B1:55217:&#x8852 CJK UNIFIED IDEOGRAPH:'D7B2:55218:&#x8889 CJK UNIFIED IDEOGRAPH:'D7B3:55219:&#x8895 CJK UNIFIED IDEOGRAPH:'D7B4:55220:&#x88A8 CJK UNIFIED IDEOGRAPH:'D7B5:55221:&#x88A2 CJK UNIFIED IDEOGRAPH:'D7B6:55222:&#x88AA CJK UNIFIED IDEOGRAPH:'D7B7:55223:&#x889A CJK UNIFIED IDEOGRAPH:'D7B8:55224:&#x8891 CJK UNIFIED IDEOGRAPH:'D7B9:55225:&#x88A1 CJK UNIFIED IDEOGRAPH:'D7BA:55226:&#x889F CJK UNIFIED IDEOGRAPH:'D7BB:55227:&#x8898 CJK UNIFIED IDEOGRAPH:'D7BC:55228:&#x88A7 CJK UNIFIED IDEOGRAPH:'D7BD:55229:&#x8899 CJK UNIFIED IDEOGRAPH:'D7BE:55230:&#x889B CJK UNIFIED IDEOGRAPH:'D7BF:55231:&#x8897 CJK UNIFIED IDEOGRAPH:'D7C0:55232:&#x88A4 CJK UNIFIED IDEOGRAPH:'D7C1:55233:&#x88AC CJK UNIFIED IDEOGRAPH:'D7C2:55234:&#x888C CJK UNIFIED IDEOGRAPH:'D7C3:55235:&#x8893 CJK UNIFIED IDEOGRAPH:'D7C4:55236:&#x888E CJK UNIFIED IDEOGRAPH:'D7C5:55237:&#x8982 CJK UNIFIED IDEOGRAPH:'D7C6:55238:&#x89D6 CJK UNIFIED IDEOGRAPH:'D7C7:55239:&#x89D9 CJK UNIFIED IDEOGRAPH:'D7C8:55240:&#x89D5 CJK UNIFIED IDEOGRAPH:'D7C9:55241:&#x8A30 CJK UNIFIED IDEOGRAPH:'D7CA:55242:&#x8A27 CJK UNIFIED IDEOGRAPH:'D7CB:55243:&#x8A2C CJK UNIFIED IDEOGRAPH:'D7CC:55244:&#x8A1E CJK UNIFIED IDEOGRAPH:'D7CD:55245:&#x8C39 CJK UNIFIED IDEOGRAPH:'D7CE:55246:&#x8C3B CJK UNIFIED IDEOGRAPH:'D7CF:55247:&#x8C5C CJK UNIFIED IDEOGRAPH:'D7D0:55248:&#x8C5D CJK UNIFIED IDEOGRAPH:'D7D1:55249:&#x8C7D CJK UNIFIED IDEOGRAPH:'D7D2:55250:&#x8CA5 CJK UNIFIED IDEOGRAPH:'D7D3:55251:&#x8D7D CJK UNIFIED IDEOGRAPH:'D7D4:55252:&#x8D7B CJK UNIFIED IDEOGRAPH:'D7D5:55253:&#x8D79 CJK UNIFIED IDEOGRAPH:'D7D6:55254:&#x8DBC CJK UNIFIED IDEOGRAPH:'D7D7:55255:&#x8DC2 CJK UNIFIED IDEOGRAPH:'D7D8:55256:&#x8DB9 CJK UNIFIED IDEOGRAPH:'D7D9:55257:&#x8DBF CJK UNIFIED IDEOGRAPH:'D7DA:55258:&#x8DC1 CJK UNIFIED IDEOGRAPH:'D7DB:55259:&#x8ED8 CJK UNIFIED IDEOGRAPH:'D7DC:55260:&#x8EDE CJK UNIFIED IDEOGRAPH:'D7DD:55261:&#x8EDD CJK UNIFIED IDEOGRAPH:'D7DE:55262:&#x8EDC CJK UNIFIED IDEOGRAPH:'D7DF:55263:&#x8ED7 CJK UNIFIED IDEOGRAPH:'D7E0:55264:&#x8EE0 CJK UNIFIED IDEOGRAPH:'D7E1:55265:&#x8EE1 CJK UNIFIED IDEOGRAPH:'D7E2:55266:&#x9024 CJK UNIFIED IDEOGRAPH:'D7E3:55267:&#x900B CJK UNIFIED IDEOGRAPH:'D7E4:55268:&#x9011 CJK UNIFIED IDEOGRAPH:'D7E5:55269:&#x901C CJK UNIFIED IDEOGRAPH:'D7E6:55270:&#x900C CJK UNIFIED IDEOGRAPH:'D7E7:55271:&#x9021 CJK UNIFIED IDEOGRAPH:'D7E8:55272:&#x90EF CJK UNIFIED IDEOGRAPH:'D7E9:55273:&#x90EA CJK UNIFIED IDEOGRAPH:'D7EA:55274:&#x90F0 CJK UNIFIED IDEOGRAPH:'D7EB:55275:&#x90F4 CJK UNIFIED IDEOGRAPH:'D7EC:55276:&#x90F2 CJK UNIFIED IDEOGRAPH:'D7ED:55277:&#x90F3 CJK UNIFIED IDEOGRAPH:'D7EE:55278:&#x90D4 CJK UNIFIED IDEOGRAPH:'D7EF:55279:&#x90EB CJK UNIFIED IDEOGRAPH:'D7F0:55280:&#x90EC CJK UNIFIED IDEOGRAPH:'D7F1:55281:&#x90E9 CJK UNIFIED IDEOGRAPH:'D7F2:55282:&#x9156 CJK UNIFIED IDEOGRAPH:'D7F3:55283:&#x9158 CJK UNIFIED IDEOGRAPH:'D7F4:55284:&#x915A CJK UNIFIED IDEOGRAPH:'D7F5:55285:&#x9153 CJK UNIFIED IDEOGRAPH:'D7F6:55286:&#x9155 CJK UNIFIED IDEOGRAPH:'D7F7:55287:&#x91EC CJK UNIFIED IDEOGRAPH:'D7F8:55288:&#x91F4 CJK UNIFIED IDEOGRAPH:'D7F9:55289:&#x91F1 CJK UNIFIED IDEOGRAPH:'D7FA:55290:&#x91F3 CJK UNIFIED IDEOGRAPH:'D7FB:55291:&#x91F8 CJK UNIFIED IDEOGRAPH:'D7FC:55292:&#x91E4 CJK UNIFIED IDEOGRAPH:'D7FD:55293:&#x91F9 CJK UNIFIED IDEOGRAPH:'D7FE:55294:&#x91EA CJK UNIFIED IDEOGRAPH:'D840:55360:&#x91EB CJK UNIFIED IDEOGRAPH:'D841:55361:&#x91F7 CJK UNIFIED IDEOGRAPH:'D842:55362:&#x91E8 CJK UNIFIED IDEOGRAPH:'D843:55363:&#x91EE CJK UNIFIED IDEOGRAPH:'D844:55364:&#x957A CJK UNIFIED IDEOGRAPH:'D845:55365:&#x9586 CJK UNIFIED IDEOGRAPH:'D846:55366:&#x9588 CJK UNIFIED IDEOGRAPH:'D847:55367:&#x967C CJK UNIFIED IDEOGRAPH:'D848:55368:&#x966D CJK UNIFIED IDEOGRAPH:'D849:55369:&#x966B CJK UNIFIED IDEOGRAPH:'D84A:55370:&#x9671 CJK UNIFIED IDEOGRAPH:'D84B:55371:&#x966F CJK UNIFIED IDEOGRAPH:'D84C:55372:&#x96BF CJK UNIFIED IDEOGRAPH:'D84D:55373:&#x976A CJK UNIFIED IDEOGRAPH:'D84E:55374:&#x9804 CJK UNIFIED IDEOGRAPH:'D84F:55375:&#x98E5 CJK UNIFIED IDEOGRAPH:'D850:55376:&#x9997 CJK UNIFIED IDEOGRAPH:'D851:55377:&#x509B CJK UNIFIED IDEOGRAPH:'D852:55378:&#x5095 CJK UNIFIED IDEOGRAPH:'D853:55379:&#x5094 CJK UNIFIED IDEOGRAPH:'D854:55380:&#x509E CJK UNIFIED IDEOGRAPH:'D855:55381:&#x508B CJK UNIFIED IDEOGRAPH:'D856:55382:&#x50A3 CJK UNIFIED IDEOGRAPH:'D857:55383:&#x5083 CJK UNIFIED IDEOGRAPH:'D858:55384:&#x508C CJK UNIFIED IDEOGRAPH:'D859:55385:&#x508E CJK UNIFIED IDEOGRAPH:'D85A:55386:&#x509D CJK UNIFIED IDEOGRAPH:'D85B:55387:&#x5068 CJK UNIFIED IDEOGRAPH:'D85C:55388:&#x509C CJK UNIFIED IDEOGRAPH:'D85D:55389:&#x5092 CJK UNIFIED IDEOGRAPH:'D85E:55390:&#x5082 CJK UNIFIED IDEOGRAPH:'D85F:55391:&#x5087 CJK UNIFIED IDEOGRAPH:'D860:55392:&#x515F CJK UNIFIED IDEOGRAPH:'D861:55393:&#x51D4 CJK UNIFIED IDEOGRAPH:'D862:55394:&#x5312 CJK UNIFIED IDEOGRAPH:'D863:55395:&#x5311 CJK UNIFIED IDEOGRAPH:'D864:55396:&#x53A4 CJK UNIFIED IDEOGRAPH:'D865:55397:&#x53A7 CJK UNIFIED IDEOGRAPH:'D866:55398:&#x5591 CJK UNIFIED IDEOGRAPH:'D867:55399:&#x55A8 CJK UNIFIED IDEOGRAPH:'D868:55400:&#x55A5 CJK UNIFIED IDEOGRAPH:'D869:55401:&#x55AD CJK UNIFIED IDEOGRAPH:'D86A:55402:&#x5577 CJK UNIFIED IDEOGRAPH:'D86B:55403:&#x5645 CJK UNIFIED IDEOGRAPH:'D86C:55404:&#x55A2 CJK UNIFIED IDEOGRAPH:'D86D:55405:&#x5593 CJK UNIFIED IDEOGRAPH:'D86E:55406:&#x5588 CJK UNIFIED IDEOGRAPH:'D86F:55407:&#x558F CJK UNIFIED IDEOGRAPH:'D870:55408:&#x55B5 CJK UNIFIED IDEOGRAPH:'D871:55409:&#x5581 CJK UNIFIED IDEOGRAPH:'D872:55410:&#x55A3 CJK UNIFIED IDEOGRAPH:'D873:55411:&#x5592 CJK UNIFIED IDEOGRAPH:'D874:55412:&#x55A4 CJK UNIFIED IDEOGRAPH:'D875:55413:&#x557D CJK UNIFIED IDEOGRAPH:'D876:55414:&#x558C CJK UNIFIED IDEOGRAPH:'D877:55415:&#x55A6 CJK UNIFIED IDEOGRAPH:'D878:55416:&#x557F CJK UNIFIED IDEOGRAPH:'D879:55417:&#x5595 CJK UNIFIED IDEOGRAPH:'D87A:55418:&#x55A1 CJK UNIFIED IDEOGRAPH:'D87B:55419:&#x558E CJK UNIFIED IDEOGRAPH:'D87C:55420:&#x570C CJK UNIFIED IDEOGRAPH:'D87D:55421:&#x5829 CJK UNIFIED IDEOGRAPH:'D87E:55422:&#x5837 CJK UNIFIED IDEOGRAPH:'D8A1:55457:&#x5819 CJK UNIFIED IDEOGRAPH:'D8A2:55458:&#x581E CJK UNIFIED IDEOGRAPH:'D8A3:55459:&#x5827 CJK UNIFIED IDEOGRAPH:'D8A4:55460:&#x5823 CJK UNIFIED IDEOGRAPH:'D8A5:55461:&#x5828 CJK UNIFIED IDEOGRAPH:'D8A6:55462:&#x57F5 CJK UNIFIED IDEOGRAPH:'D8A7:55463:&#x5848 CJK UNIFIED IDEOGRAPH:'D8A8:55464:&#x5825 CJK UNIFIED IDEOGRAPH:'D8A9:55465:&#x581C CJK UNIFIED IDEOGRAPH:'D8AA:55466:&#x581B CJK UNIFIED IDEOGRAPH:'D8AB:55467:&#x5833 CJK UNIFIED IDEOGRAPH:'D8AC:55468:&#x583F CJK UNIFIED IDEOGRAPH:'D8AD:55469:&#x5836 CJK UNIFIED IDEOGRAPH:'D8AE:55470:&#x582E CJK UNIFIED IDEOGRAPH:'D8AF:55471:&#x5839 CJK UNIFIED IDEOGRAPH:'D8B0:55472:&#x5838 CJK UNIFIED IDEOGRAPH:'D8B1:55473:&#x582D CJK UNIFIED IDEOGRAPH:'D8B2:55474:&#x582C CJK UNIFIED IDEOGRAPH:'D8B3:55475:&#x583B CJK UNIFIED IDEOGRAPH:'D8B4:55476:&#x5961 CJK UNIFIED IDEOGRAPH:'D8B5:55477:&#x5AAF CJK UNIFIED IDEOGRAPH:'D8B6:55478:&#x5A94 CJK UNIFIED IDEOGRAPH:'D8B7:55479:&#x5A9F CJK UNIFIED IDEOGRAPH:'D8B8:55480:&#x5A7A CJK UNIFIED IDEOGRAPH:'D8B9:55481:&#x5AA2 CJK UNIFIED IDEOGRAPH:'D8BA:55482:&#x5A9E CJK UNIFIED IDEOGRAPH:'D8BB:55483:&#x5A78 CJK UNIFIED IDEOGRAPH:'D8BC:55484:&#x5AA6 CJK UNIFIED IDEOGRAPH:'D8BD:55485:&#x5A7C CJK UNIFIED IDEOGRAPH:'D8BE:55486:&#x5AA5 CJK UNIFIED IDEOGRAPH:'D8BF:55487:&#x5AAC CJK UNIFIED IDEOGRAPH:'D8C0:55488:&#x5A95 CJK UNIFIED IDEOGRAPH:'D8C1:55489:&#x5AAE CJK UNIFIED IDEOGRAPH:'D8C2:55490:&#x5A37 CJK UNIFIED IDEOGRAPH:'D8C3:55491:&#x5A84 CJK UNIFIED IDEOGRAPH:'D8C4:55492:&#x5A8A CJK UNIFIED IDEOGRAPH:'D8C5:55493:&#x5A97 CJK UNIFIED IDEOGRAPH:'D8C6:55494:&#x5A83 CJK UNIFIED IDEOGRAPH:'D8C7:55495:&#x5A8B CJK UNIFIED IDEOGRAPH:'D8C8:55496:&#x5AA9 CJK UNIFIED IDEOGRAPH:'D8C9:55497:&#x5A7B CJK UNIFIED IDEOGRAPH:'D8CA:55498:&#x5A7D CJK UNIFIED IDEOGRAPH:'D8CB:55499:&#x5A8C CJK UNIFIED IDEOGRAPH:'D8CC:55500:&#x5A9C CJK UNIFIED IDEOGRAPH:'D8CD:55501:&#x5A8F CJK UNIFIED IDEOGRAPH:'D8CE:55502:&#x5A93 CJK UNIFIED IDEOGRAPH:'D8CF:55503:&#x5A9D CJK UNIFIED IDEOGRAPH:'D8D0:55504:&#x5BEA CJK UNIFIED IDEOGRAPH:'D8D1:55505:&#x5BCD CJK UNIFIED IDEOGRAPH:'D8D2:55506:&#x5BCB CJK UNIFIED IDEOGRAPH:'D8D3:55507:&#x5BD4 CJK UNIFIED IDEOGRAPH:'D8D4:55508:&#x5BD1 CJK UNIFIED IDEOGRAPH:'D8D5:55509:&#x5BCA CJK UNIFIED IDEOGRAPH:'D8D6:55510:&#x5BCE CJK UNIFIED IDEOGRAPH:'D8D7:55511:&#x5C0C CJK UNIFIED IDEOGRAPH:'D8D8:55512:&#x5C30 CJK UNIFIED IDEOGRAPH:'D8D9:55513:&#x5D37 CJK UNIFIED IDEOGRAPH:'D8DA:55514:&#x5D43 CJK UNIFIED IDEOGRAPH:'D8DB:55515:&#x5D6B CJK UNIFIED IDEOGRAPH:'D8DC:55516:&#x5D41 CJK UNIFIED IDEOGRAPH:'D8DD:55517:&#x5D4B CJK UNIFIED IDEOGRAPH:'D8DE:55518:&#x5D3F CJK UNIFIED IDEOGRAPH:'D8DF:55519:&#x5D35 CJK UNIFIED IDEOGRAPH:'D8E0:55520:&#x5D51 CJK UNIFIED IDEOGRAPH:'D8E1:55521:&#x5D4E CJK UNIFIED IDEOGRAPH:'D8E2:55522:&#x5D55 CJK UNIFIED IDEOGRAPH:'D8E3:55523:&#x5D33 CJK UNIFIED IDEOGRAPH:'D8E4:55524:&#x5D3A CJK UNIFIED IDEOGRAPH:'D8E5:55525:&#x5D52 CJK UNIFIED IDEOGRAPH:'D8E6:55526:&#x5D3D CJK UNIFIED IDEOGRAPH:'D8E7:55527:&#x5D31 CJK UNIFIED IDEOGRAPH:'D8E8:55528:&#x5D59 CJK UNIFIED IDEOGRAPH:'D8E9:55529:&#x5D42 CJK UNIFIED IDEOGRAPH:'D8EA:55530:&#x5D39 CJK UNIFIED IDEOGRAPH:'D8EB:55531:&#x5D49 CJK UNIFIED IDEOGRAPH:'D8EC:55532:&#x5D38 CJK UNIFIED IDEOGRAPH:'D8ED:55533:&#x5D3C CJK UNIFIED IDEOGRAPH:'D8EE:55534:&#x5D32 CJK UNIFIED IDEOGRAPH:'D8EF:55535:&#x5D36 CJK UNIFIED IDEOGRAPH:'D8F0:55536:&#x5D40 CJK UNIFIED IDEOGRAPH:'D8F1:55537:&#x5D45 CJK UNIFIED IDEOGRAPH:'D8F2:55538:&#x5E44 CJK UNIFIED IDEOGRAPH:'D8F3:55539:&#x5E41 CJK UNIFIED IDEOGRAPH:'D8F4:55540:&#x5F58 CJK UNIFIED IDEOGRAPH:'D8F5:55541:&#x5FA6 CJK UNIFIED IDEOGRAPH:'D8F6:55542:&#x5FA5 CJK UNIFIED IDEOGRAPH:'D8F7:55543:&#x5FAB CJK UNIFIED IDEOGRAPH:'D8F8:55544:&#x60C9 CJK UNIFIED IDEOGRAPH:'D8F9:55545:&#x60B9 CJK UNIFIED IDEOGRAPH:'D8FA:55546:&#x60CC CJK UNIFIED IDEOGRAPH:'D8FB:55547:&#x60E2 CJK UNIFIED IDEOGRAPH:'D8FC:55548:&#x60CE CJK UNIFIED IDEOGRAPH:'D8FD:55549:&#x60C4 CJK UNIFIED IDEOGRAPH:'D8FE:55550:&#x6114 CJK UNIFIED IDEOGRAPH:'D940:55616:&#x60F2 CJK UNIFIED IDEOGRAPH:'D941:55617:&#x610A CJK UNIFIED IDEOGRAPH:'D942:55618:&#x6116 CJK UNIFIED IDEOGRAPH:'D943:55619:&#x6105 CJK UNIFIED IDEOGRAPH:'D944:55620:&#x60F5 CJK UNIFIED IDEOGRAPH:'D945:55621:&#x6113 CJK UNIFIED IDEOGRAPH:'D946:55622:&#x60F8 CJK UNIFIED IDEOGRAPH:'D947:55623:&#x60FC CJK UNIFIED IDEOGRAPH:'D948:55624:&#x60FE CJK UNIFIED IDEOGRAPH:'D949:55625:&#x60C1 CJK UNIFIED IDEOGRAPH:'D94A:55626:&#x6103 CJK UNIFIED IDEOGRAPH:'D94B:55627:&#x6118 CJK UNIFIED IDEOGRAPH:'D94C:55628:&#x611D CJK UNIFIED IDEOGRAPH:'D94D:55629:&#x6110 CJK UNIFIED IDEOGRAPH:'D94E:55630:&#x60FF CJK UNIFIED IDEOGRAPH:'D94F:55631:&#x6104 CJK UNIFIED IDEOGRAPH:'D950:55632:&#x610B CJK UNIFIED IDEOGRAPH:'D951:55633:&#x624A CJK UNIFIED IDEOGRAPH:'D952:55634:&#x6394 CJK UNIFIED IDEOGRAPH:'D953:55635:&#x63B1 CJK UNIFIED IDEOGRAPH:'D954:55636:&#x63B0 CJK UNIFIED IDEOGRAPH:'D955:55637:&#x63CE CJK UNIFIED IDEOGRAPH:'D956:55638:&#x63E5 CJK UNIFIED IDEOGRAPH:'D957:55639:&#x63E8 CJK UNIFIED IDEOGRAPH:'D958:55640:&#x63EF CJK UNIFIED IDEOGRAPH:'D959:55641:&#x63C3 CJK UNIFIED IDEOGRAPH:'D95A:55642:&#x649D CJK UNIFIED IDEOGRAPH:'D95B:55643:&#x63F3 CJK UNIFIED IDEOGRAPH:'D95C:55644:&#x63CA CJK UNIFIED IDEOGRAPH:'D95D:55645:&#x63E0 CJK UNIFIED IDEOGRAPH:'D95E:55646:&#x63F6 CJK UNIFIED IDEOGRAPH:'D95F:55647:&#x63D5 CJK UNIFIED IDEOGRAPH:'D960:55648:&#x63F2 CJK UNIFIED IDEOGRAPH:'D961:55649:&#x63F5 CJK UNIFIED IDEOGRAPH:'D962:55650:&#x6461 CJK UNIFIED IDEOGRAPH:'D963:55651:&#x63DF CJK UNIFIED IDEOGRAPH:'D964:55652:&#x63BE CJK UNIFIED IDEOGRAPH:'D965:55653:&#x63DD CJK UNIFIED IDEOGRAPH:'D966:55654:&#x63DC CJK UNIFIED IDEOGRAPH:'D967:55655:&#x63C4 CJK UNIFIED IDEOGRAPH:'D968:55656:&#x63D8 CJK UNIFIED IDEOGRAPH:'D969:55657:&#x63D3 CJK UNIFIED IDEOGRAPH:'D96A:55658:&#x63C2 CJK UNIFIED IDEOGRAPH:'D96B:55659:&#x63C7 CJK UNIFIED IDEOGRAPH:'D96C:55660:&#x63CC CJK UNIFIED IDEOGRAPH:'D96D:55661:&#x63CB CJK UNIFIED IDEOGRAPH:'D96E:55662:&#x63C8 CJK UNIFIED IDEOGRAPH:'D96F:55663:&#x63F0 CJK UNIFIED IDEOGRAPH:'D970:55664:&#x63D7 CJK UNIFIED IDEOGRAPH:'D971:55665:&#x63D9 CJK UNIFIED IDEOGRAPH:'D972:55666:&#x6532 CJK UNIFIED IDEOGRAPH:'D973:55667:&#x6567 CJK UNIFIED IDEOGRAPH:'D974:55668:&#x656A CJK UNIFIED IDEOGRAPH:'D975:55669:&#x6564 CJK UNIFIED IDEOGRAPH:'D976:55670:&#x655C CJK UNIFIED IDEOGRAPH:'D977:55671:&#x6568 CJK UNIFIED IDEOGRAPH:'D978:55672:&#x6565 CJK UNIFIED IDEOGRAPH:'D979:55673:&#x658C CJK UNIFIED IDEOGRAPH:'D97A:55674:&#x659D CJK UNIFIED IDEOGRAPH:'D97B:55675:&#x659E CJK UNIFIED IDEOGRAPH:'D97C:55676:&#x65AE CJK UNIFIED IDEOGRAPH:'D97D:55677:&#x65D0 CJK UNIFIED IDEOGRAPH:'D97E:55678:&#x65D2 CJK UNIFIED IDEOGRAPH:'D9A1:55713:&#x667C CJK UNIFIED IDEOGRAPH:'D9A2:55714:&#x666C CJK UNIFIED IDEOGRAPH:'D9A3:55715:&#x667B CJK UNIFIED IDEOGRAPH:'D9A4:55716:&#x6680 CJK UNIFIED IDEOGRAPH:'D9A5:55717:&#x6671 CJK UNIFIED IDEOGRAPH:'D9A6:55718:&#x6679 CJK UNIFIED IDEOGRAPH:'D9A7:55719:&#x666A CJK UNIFIED IDEOGRAPH:'D9A8:55720:&#x6672 CJK UNIFIED IDEOGRAPH:'D9A9:55721:&#x6701 CJK UNIFIED IDEOGRAPH:'D9AA:55722:&#x690C CJK UNIFIED IDEOGRAPH:'D9AB:55723:&#x68D3 CJK UNIFIED IDEOGRAPH:'D9AC:55724:&#x6904 CJK UNIFIED IDEOGRAPH:'D9AD:55725:&#x68DC CJK UNIFIED IDEOGRAPH:'D9AE:55726:&#x692A CJK UNIFIED IDEOGRAPH:'D9AF:55727:&#x68EC CJK UNIFIED IDEOGRAPH:'D9B0:55728:&#x68EA CJK UNIFIED IDEOGRAPH:'D9B1:55729:&#x68F1 CJK UNIFIED IDEOGRAPH:'D9B2:55730:&#x690F CJK UNIFIED IDEOGRAPH:'D9B3:55731:&#x68D6 CJK UNIFIED IDEOGRAPH:'D9B4:55732:&#x68F7 CJK UNIFIED IDEOGRAPH:'D9B5:55733:&#x68EB CJK UNIFIED IDEOGRAPH:'D9B6:55734:&#x68E4 CJK UNIFIED IDEOGRAPH:'D9B7:55735:&#x68F6 CJK UNIFIED IDEOGRAPH:'D9B8:55736:&#x6913 CJK UNIFIED IDEOGRAPH:'D9B9:55737:&#x6910 CJK UNIFIED IDEOGRAPH:'D9BA:55738:&#x68F3 CJK UNIFIED IDEOGRAPH:'D9BB:55739:&#x68E1 CJK UNIFIED IDEOGRAPH:'D9BC:55740:&#x6907 CJK UNIFIED IDEOGRAPH:'D9BD:55741:&#x68CC CJK UNIFIED IDEOGRAPH:'D9BE:55742:&#x6908 CJK UNIFIED IDEOGRAPH:'D9BF:55743:&#x6970 CJK UNIFIED IDEOGRAPH:'D9C0:55744:&#x68B4 CJK UNIFIED IDEOGRAPH:'D9C1:55745:&#x6911 CJK UNIFIED IDEOGRAPH:'D9C2:55746:&#x68EF CJK UNIFIED IDEOGRAPH:'D9C3:55747:&#x68C6 CJK UNIFIED IDEOGRAPH:'D9C4:55748:&#x6914 CJK UNIFIED IDEOGRAPH:'D9C5:55749:&#x68F8 CJK UNIFIED IDEOGRAPH:'D9C6:55750:&#x68D0 CJK UNIFIED IDEOGRAPH:'D9C7:55751:&#x68FD CJK UNIFIED IDEOGRAPH:'D9C8:55752:&#x68FC CJK UNIFIED IDEOGRAPH:'D9C9:55753:&#x68E8 CJK UNIFIED IDEOGRAPH:'D9CA:55754:&#x690B CJK UNIFIED IDEOGRAPH:'D9CB:55755:&#x690A CJK UNIFIED IDEOGRAPH:'D9CC:55756:&#x6917 CJK UNIFIED IDEOGRAPH:'D9CD:55757:&#x68CE CJK UNIFIED IDEOGRAPH:'D9CE:55758:&#x68C8 CJK UNIFIED IDEOGRAPH:'D9CF:55759:&#x68DD CJK UNIFIED IDEOGRAPH:'D9D0:55760:&#x68DE CJK UNIFIED IDEOGRAPH:'D9D1:55761:&#x68E6 CJK UNIFIED IDEOGRAPH:'D9D2:55762:&#x68F4 CJK UNIFIED IDEOGRAPH:'D9D3:55763:&#x68D1 CJK UNIFIED IDEOGRAPH:'D9D4:55764:&#x6906 CJK UNIFIED IDEOGRAPH:'D9D5:55765:&#x68D4 CJK UNIFIED IDEOGRAPH:'D9D6:55766:&#x68E9 CJK UNIFIED IDEOGRAPH:'D9D7:55767:&#x6915 CJK UNIFIED IDEOGRAPH:'D9D8:55768:&#x6925 CJK UNIFIED IDEOGRAPH:'D9D9:55769:&#x68C7 CJK UNIFIED IDEOGRAPH:'D9DA:55770:&#x6B39 CJK UNIFIED IDEOGRAPH:'D9DB:55771:&#x6B3B CJK UNIFIED IDEOGRAPH:'D9DC:55772:&#x6B3F CJK UNIFIED IDEOGRAPH:'D9DD:55773:&#x6B3C CJK UNIFIED IDEOGRAPH:'D9DE:55774:&#x6B94 CJK UNIFIED IDEOGRAPH:'D9DF:55775:&#x6B97 CJK UNIFIED IDEOGRAPH:'D9E0:55776:&#x6B99 CJK UNIFIED IDEOGRAPH:'D9E1:55777:&#x6B95 CJK UNIFIED IDEOGRAPH:'D9E2:55778:&#x6BBD CJK UNIFIED IDEOGRAPH:'D9E3:55779:&#x6BF0 CJK UNIFIED IDEOGRAPH:'D9E4:55780:&#x6BF2 CJK UNIFIED IDEOGRAPH:'D9E5:55781:&#x6BF3 CJK UNIFIED IDEOGRAPH:'D9E6:55782:&#x6C30 CJK UNIFIED IDEOGRAPH:'D9E7:55783:&#x6DFC CJK UNIFIED IDEOGRAPH:'D9E8:55784:&#x6E46 CJK UNIFIED IDEOGRAPH:'D9E9:55785:&#x6E47 CJK UNIFIED IDEOGRAPH:'D9EA:55786:&#x6E1F CJK UNIFIED IDEOGRAPH:'D9EB:55787:&#x6E49 CJK UNIFIED IDEOGRAPH:'D9EC:55788:&#x6E88 CJK UNIFIED IDEOGRAPH:'D9ED:55789:&#x6E3C CJK UNIFIED IDEOGRAPH:'D9EE:55790:&#x6E3D CJK UNIFIED IDEOGRAPH:'D9EF:55791:&#x6E45 CJK UNIFIED IDEOGRAPH:'D9F0:55792:&#x6E62 CJK UNIFIED IDEOGRAPH:'D9F1:55793:&#x6E2B CJK UNIFIED IDEOGRAPH:'D9F2:55794:&#x6E3F CJK UNIFIED IDEOGRAPH:'D9F3:55795:&#x6E41 CJK UNIFIED IDEOGRAPH:'D9F4:55796:&#x6E5D CJK UNIFIED IDEOGRAPH:'D9F5:55797:&#x6E73 CJK UNIFIED IDEOGRAPH:'D9F6:55798:&#x6E1C CJK UNIFIED IDEOGRAPH:'D9F7:55799:&#x6E33 CJK UNIFIED IDEOGRAPH:'D9F8:55800:&#x6E4B CJK UNIFIED IDEOGRAPH:'D9F9:55801:&#x6E40 CJK UNIFIED IDEOGRAPH:'D9FA:55802:&#x6E51 CJK UNIFIED IDEOGRAPH:'D9FB:55803:&#x6E3B CJK UNIFIED IDEOGRAPH:'D9FC:55804:&#x6E03 CJK UNIFIED IDEOGRAPH:'D9FD:55805:&#x6E2E CJK UNIFIED IDEOGRAPH:'D9FE:55806:&#x6E5E CJK UNIFIED IDEOGRAPH:'DA40:55872:&#x6E68 CJK UNIFIED IDEOGRAPH:'DA41:55873:&#x6E5C CJK UNIFIED IDEOGRAPH:'DA42:55874:&#x6E61 CJK UNIFIED IDEOGRAPH:'DA43:55875:&#x6E31 CJK UNIFIED IDEOGRAPH:'DA44:55876:&#x6E28 CJK UNIFIED IDEOGRAPH:'DA45:55877:&#x6E60 CJK UNIFIED IDEOGRAPH:'DA46:55878:&#x6E71 CJK UNIFIED IDEOGRAPH:'DA47:55879:&#x6E6B CJK UNIFIED IDEOGRAPH:'DA48:55880:&#x6E39 CJK UNIFIED IDEOGRAPH:'DA49:55881:&#x6E22 CJK UNIFIED IDEOGRAPH:'DA4A:55882:&#x6E30 CJK UNIFIED IDEOGRAPH:'DA4B:55883:&#x6E53 CJK UNIFIED IDEOGRAPH:'DA4C:55884:&#x6E65 CJK UNIFIED IDEOGRAPH:'DA4D:55885:&#x6E27 CJK UNIFIED IDEOGRAPH:'DA4E:55886:&#x6E78 CJK UNIFIED IDEOGRAPH:'DA4F:55887:&#x6E64 CJK UNIFIED IDEOGRAPH:'DA50:55888:&#x6E77 CJK UNIFIED IDEOGRAPH:'DA51:55889:&#x6E55 CJK UNIFIED IDEOGRAPH:'DA52:55890:&#x6E79 CJK UNIFIED IDEOGRAPH:'DA53:55891:&#x6E52 CJK UNIFIED IDEOGRAPH:'DA54:55892:&#x6E66 CJK UNIFIED IDEOGRAPH:'DA55:55893:&#x6E35 CJK UNIFIED IDEOGRAPH:'DA56:55894:&#x6E36 CJK UNIFIED IDEOGRAPH:'DA57:55895:&#x6E5A CJK UNIFIED IDEOGRAPH:'DA58:55896:&#x7120 CJK UNIFIED IDEOGRAPH:'DA59:55897:&#x711E CJK UNIFIED IDEOGRAPH:'DA5A:55898:&#x712F CJK UNIFIED IDEOGRAPH:'DA5B:55899:&#x70FB CJK UNIFIED IDEOGRAPH:'DA5C:55900:&#x712E CJK UNIFIED IDEOGRAPH:'DA5D:55901:&#x7131 CJK UNIFIED IDEOGRAPH:'DA5E:55902:&#x7123 CJK UNIFIED IDEOGRAPH:'DA5F:55903:&#x7125 CJK UNIFIED IDEOGRAPH:'DA60:55904:&#x7122 CJK UNIFIED IDEOGRAPH:'DA61:55905:&#x7132 CJK UNIFIED IDEOGRAPH:'DA62:55906:&#x711F CJK UNIFIED IDEOGRAPH:'DA63:55907:&#x7128 CJK UNIFIED IDEOGRAPH:'DA64:55908:&#x713A CJK UNIFIED IDEOGRAPH:'DA65:55909:&#x711B CJK UNIFIED IDEOGRAPH:'DA66:55910:&#x724B CJK UNIFIED IDEOGRAPH:'DA67:55911:&#x725A CJK UNIFIED IDEOGRAPH:'DA68:55912:&#x7288 CJK UNIFIED IDEOGRAPH:'DA69:55913:&#x7289 CJK UNIFIED IDEOGRAPH:'DA6A:55914:&#x7286 CJK UNIFIED IDEOGRAPH:'DA6B:55915:&#x7285 CJK UNIFIED IDEOGRAPH:'DA6C:55916:&#x728B CJK UNIFIED IDEOGRAPH:'DA6D:55917:&#x7312 CJK UNIFIED IDEOGRAPH:'DA6E:55918:&#x730B CJK UNIFIED IDEOGRAPH:'DA6F:55919:&#x7330 CJK UNIFIED IDEOGRAPH:'DA70:55920:&#x7322 CJK UNIFIED IDEOGRAPH:'DA71:55921:&#x7331 CJK UNIFIED IDEOGRAPH:'DA72:55922:&#x7333 CJK UNIFIED IDEOGRAPH:'DA73:55923:&#x7327 CJK UNIFIED IDEOGRAPH:'DA74:55924:&#x7332 CJK UNIFIED IDEOGRAPH:'DA75:55925:&#x732D CJK UNIFIED IDEOGRAPH:'DA76:55926:&#x7326 CJK UNIFIED IDEOGRAPH:'DA77:55927:&#x7323 CJK UNIFIED IDEOGRAPH:'DA78:55928:&#x7335 CJK UNIFIED IDEOGRAPH:'DA79:55929:&#x730C CJK UNIFIED IDEOGRAPH:'DA7A:55930:&#x742E CJK UNIFIED IDEOGRAPH:'DA7B:55931:&#x742C CJK UNIFIED IDEOGRAPH:'DA7C:55932:&#x7430 CJK UNIFIED IDEOGRAPH:'DA7D:55933:&#x742B CJK UNIFIED IDEOGRAPH:'DA7E:55934:&#x7416 CJK UNIFIED IDEOGRAPH:'DAA1:55969:&#x741A CJK UNIFIED IDEOGRAPH:'DAA2:55970:&#x7421 CJK UNIFIED IDEOGRAPH:'DAA3:55971:&#x742D CJK UNIFIED IDEOGRAPH:'DAA4:55972:&#x7431 CJK UNIFIED IDEOGRAPH:'DAA5:55973:&#x7424 CJK UNIFIED IDEOGRAPH:'DAA6:55974:&#x7423 CJK UNIFIED IDEOGRAPH:'DAA7:55975:&#x741D CJK UNIFIED IDEOGRAPH:'DAA8:55976:&#x7429 CJK UNIFIED IDEOGRAPH:'DAA9:55977:&#x7420 CJK UNIFIED IDEOGRAPH:'DAAA:55978:&#x7432 CJK UNIFIED IDEOGRAPH:'DAAB:55979:&#x74FB CJK UNIFIED IDEOGRAPH:'DAAC:55980:&#x752F CJK UNIFIED IDEOGRAPH:'DAAD:55981:&#x756F CJK UNIFIED IDEOGRAPH:'DAAE:55982:&#x756C CJK UNIFIED IDEOGRAPH:'DAAF:55983:&#x75E7 CJK UNIFIED IDEOGRAPH:'DAB0:55984:&#x75DA CJK UNIFIED IDEOGRAPH:'DAB1:55985:&#x75E1 CJK UNIFIED IDEOGRAPH:'DAB2:55986:&#x75E6 CJK UNIFIED IDEOGRAPH:'DAB3:55987:&#x75DD CJK UNIFIED IDEOGRAPH:'DAB4:55988:&#x75DF CJK UNIFIED IDEOGRAPH:'DAB5:55989:&#x75E4 CJK UNIFIED IDEOGRAPH:'DAB6:55990:&#x75D7 CJK UNIFIED IDEOGRAPH:'DAB7:55991:&#x7695 CJK UNIFIED IDEOGRAPH:'DAB8:55992:&#x7692 CJK UNIFIED IDEOGRAPH:'DAB9:55993:&#x76DA CJK UNIFIED IDEOGRAPH:'DABA:55994:&#x7746 CJK UNIFIED IDEOGRAPH:'DABB:55995:&#x7747 CJK UNIFIED IDEOGRAPH:'DABC:55996:&#x7744 CJK UNIFIED IDEOGRAPH:'DABD:55997:&#x774D CJK UNIFIED IDEOGRAPH:'DABE:55998:&#x7745 CJK UNIFIED IDEOGRAPH:'DABF:55999:&#x774A CJK UNIFIED IDEOGRAPH:'DAC0:56000:&#x774E CJK UNIFIED IDEOGRAPH:'DAC1:56001:&#x774B CJK UNIFIED IDEOGRAPH:'DAC2:56002:&#x774C CJK UNIFIED IDEOGRAPH:'DAC3:56003:&#x77DE CJK UNIFIED IDEOGRAPH:'DAC4:56004:&#x77EC CJK UNIFIED IDEOGRAPH:'DAC5:56005:&#x7860 CJK UNIFIED IDEOGRAPH:'DAC6:56006:&#x7864 CJK UNIFIED IDEOGRAPH:'DAC7:56007:&#x7865 CJK UNIFIED IDEOGRAPH:'DAC8:56008:&#x785C CJK UNIFIED IDEOGRAPH:'DAC9:56009:&#x786D CJK UNIFIED IDEOGRAPH:'DACA:56010:&#x7871 CJK UNIFIED IDEOGRAPH:'DACB:56011:&#x786A CJK UNIFIED IDEOGRAPH:'DACC:56012:&#x786E CJK UNIFIED IDEOGRAPH:'DACD:56013:&#x7870 CJK UNIFIED IDEOGRAPH:'DACE:56014:&#x7869 CJK UNIFIED IDEOGRAPH:'DACF:56015:&#x7868 CJK UNIFIED IDEOGRAPH:'DAD0:56016:&#x785E CJK UNIFIED IDEOGRAPH:'DAD1:56017:&#x7862 CJK UNIFIED IDEOGRAPH:'DAD2:56018:&#x7974 CJK UNIFIED IDEOGRAPH:'DAD3:56019:&#x7973 CJK UNIFIED IDEOGRAPH:'DAD4:56020:&#x7972 CJK UNIFIED IDEOGRAPH:'DAD5:56021:&#x7970 CJK UNIFIED IDEOGRAPH:'DAD6:56022:&#x7A02 CJK UNIFIED IDEOGRAPH:'DAD7:56023:&#x7A0A CJK UNIFIED IDEOGRAPH:'DAD8:56024:&#x7A03 CJK UNIFIED IDEOGRAPH:'DAD9:56025:&#x7A0C CJK UNIFIED IDEOGRAPH:'DADA:56026:&#x7A04 CJK UNIFIED IDEOGRAPH:'DADB:56027:&#x7A99 CJK UNIFIED IDEOGRAPH:'DADC:56028:&#x7AE6 CJK UNIFIED IDEOGRAPH:'DADD:56029:&#x7AE4 CJK UNIFIED IDEOGRAPH:'DADE:56030:&#x7B4A CJK UNIFIED IDEOGRAPH:'DADF:56031:&#x7B3B CJK UNIFIED IDEOGRAPH:'DAE0:56032:&#x7B44 CJK UNIFIED IDEOGRAPH:'DAE1:56033:&#x7B48 CJK UNIFIED IDEOGRAPH:'DAE2:56034:&#x7B4C CJK UNIFIED IDEOGRAPH:'DAE3:56035:&#x7B4E CJK UNIFIED IDEOGRAPH:'DAE4:56036:&#x7B40 CJK UNIFIED IDEOGRAPH:'DAE5:56037:&#x7B58 CJK UNIFIED IDEOGRAPH:'DAE6:56038:&#x7B45 CJK UNIFIED IDEOGRAPH:'DAE7:56039:&#x7CA2 CJK UNIFIED IDEOGRAPH:'DAE8:56040:&#x7C9E CJK UNIFIED IDEOGRAPH:'DAE9:56041:&#x7CA8 CJK UNIFIED IDEOGRAPH:'DAEA:56042:&#x7CA1 CJK UNIFIED IDEOGRAPH:'DAEB:56043:&#x7D58 CJK UNIFIED IDEOGRAPH:'DAEC:56044:&#x7D6F CJK UNIFIED IDEOGRAPH:'DAED:56045:&#x7D63 CJK UNIFIED IDEOGRAPH:'DAEE:56046:&#x7D53 CJK UNIFIED IDEOGRAPH:'DAEF:56047:&#x7D56 CJK UNIFIED IDEOGRAPH:'DAF0:56048:&#x7D67 CJK UNIFIED IDEOGRAPH:'DAF1:56049:&#x7D6A CJK UNIFIED IDEOGRAPH:'DAF2:56050:&#x7D4F CJK UNIFIED IDEOGRAPH:'DAF3:56051:&#x7D6D CJK UNIFIED IDEOGRAPH:'DAF4:56052:&#x7D5C CJK UNIFIED IDEOGRAPH:'DAF5:56053:&#x7D6B CJK UNIFIED IDEOGRAPH:'DAF6:56054:&#x7D52 CJK UNIFIED IDEOGRAPH:'DAF7:56055:&#x7D54 CJK UNIFIED IDEOGRAPH:'DAF8:56056:&#x7D69 CJK UNIFIED IDEOGRAPH:'DAF9:56057:&#x7D51 CJK UNIFIED IDEOGRAPH:'DAFA:56058:&#x7D5F CJK UNIFIED IDEOGRAPH:'DAFB:56059:&#x7D4E CJK UNIFIED IDEOGRAPH:'DAFC:56060:&#x7F3E CJK UNIFIED IDEOGRAPH:'DAFD:56061:&#x7F3F CJK UNIFIED IDEOGRAPH:'DAFE:56062:&#x7F65 CJK UNIFIED IDEOGRAPH:'DB40:56128:&#x7F66 CJK UNIFIED IDEOGRAPH:'DB41:56129:&#x7FA2 CJK UNIFIED IDEOGRAPH:'DB42:56130:&#x7FA0 CJK UNIFIED IDEOGRAPH:'DB43:56131:&#x7FA1 CJK UNIFIED IDEOGRAPH:'DB44:56132:&#x7FD7 CJK UNIFIED IDEOGRAPH:'DB45:56133:&#x8051 CJK UNIFIED IDEOGRAPH:'DB46:56134:&#x804F CJK UNIFIED IDEOGRAPH:'DB47:56135:&#x8050 CJK UNIFIED IDEOGRAPH:'DB48:56136:&#x80FE CJK UNIFIED IDEOGRAPH:'DB49:56137:&#x80D4 CJK UNIFIED IDEOGRAPH:'DB4A:56138:&#x8143 CJK UNIFIED IDEOGRAPH:'DB4B:56139:&#x814A CJK UNIFIED IDEOGRAPH:'DB4C:56140:&#x8152 CJK UNIFIED IDEOGRAPH:'DB4D:56141:&#x814F CJK UNIFIED IDEOGRAPH:'DB4E:56142:&#x8147 CJK UNIFIED IDEOGRAPH:'DB4F:56143:&#x813D CJK UNIFIED IDEOGRAPH:'DB50:56144:&#x814D CJK UNIFIED IDEOGRAPH:'DB51:56145:&#x813A CJK UNIFIED IDEOGRAPH:'DB52:56146:&#x81E6 CJK UNIFIED IDEOGRAPH:'DB53:56147:&#x81EE CJK UNIFIED IDEOGRAPH:'DB54:56148:&#x81F7 CJK UNIFIED IDEOGRAPH:'DB55:56149:&#x81F8 CJK UNIFIED IDEOGRAPH:'DB56:56150:&#x81F9 CJK UNIFIED IDEOGRAPH:'DB57:56151:&#x8204 CJK UNIFIED IDEOGRAPH:'DB58:56152:&#x823C CJK UNIFIED IDEOGRAPH:'DB59:56153:&#x823D CJK UNIFIED IDEOGRAPH:'DB5A:56154:&#x823F CJK UNIFIED IDEOGRAPH:'DB5B:56155:&#x8275 CJK UNIFIED IDEOGRAPH:'DB5C:56156:&#x833B CJK UNIFIED IDEOGRAPH:'DB5D:56157:&#x83CF CJK UNIFIED IDEOGRAPH:'DB5E:56158:&#x83F9 CJK UNIFIED IDEOGRAPH:'DB5F:56159:&#x8423 CJK UNIFIED IDEOGRAPH:'DB60:56160:&#x83C0 CJK UNIFIED IDEOGRAPH:'DB61:56161:&#x83E8 CJK UNIFIED IDEOGRAPH:'DB62:56162:&#x8412 CJK UNIFIED IDEOGRAPH:'DB63:56163:&#x83E7 CJK UNIFIED IDEOGRAPH:'DB64:56164:&#x83E4 CJK UNIFIED IDEOGRAPH:'DB65:56165:&#x83FC CJK UNIFIED IDEOGRAPH:'DB66:56166:&#x83F6 CJK UNIFIED IDEOGRAPH:'DB67:56167:&#x8410 CJK UNIFIED IDEOGRAPH:'DB68:56168:&#x83C6 CJK UNIFIED IDEOGRAPH:'DB69:56169:&#x83C8 CJK UNIFIED IDEOGRAPH:'DB6A:56170:&#x83EB CJK UNIFIED IDEOGRAPH:'DB6B:56171:&#x83E3 CJK UNIFIED IDEOGRAPH:'DB6C:56172:&#x83BF CJK UNIFIED IDEOGRAPH:'DB6D:56173:&#x8401 CJK UNIFIED IDEOGRAPH:'DB6E:56174:&#x83DD CJK UNIFIED IDEOGRAPH:'DB6F:56175:&#x83E5 CJK UNIFIED IDEOGRAPH:'DB70:56176:&#x83D8 CJK UNIFIED IDEOGRAPH:'DB71:56177:&#x83FF CJK UNIFIED IDEOGRAPH:'DB72:56178:&#x83E1 CJK UNIFIED IDEOGRAPH:'DB73:56179:&#x83CB CJK UNIFIED IDEOGRAPH:'DB74:56180:&#x83CE CJK UNIFIED IDEOGRAPH:'DB75:56181:&#x83D6 CJK UNIFIED IDEOGRAPH:'DB76:56182:&#x83F5 CJK UNIFIED IDEOGRAPH:'DB77:56183:&#x83C9 CJK UNIFIED IDEOGRAPH:'DB78:56184:&#x8409 CJK UNIFIED IDEOGRAPH:'DB79:56185:&#x840F CJK UNIFIED IDEOGRAPH:'DB7A:56186:&#x83DE CJK UNIFIED IDEOGRAPH:'DB7B:56187:&#x8411 CJK UNIFIED IDEOGRAPH:'DB7C:56188:&#x8406 CJK UNIFIED IDEOGRAPH:'DB7D:56189:&#x83C2 CJK UNIFIED IDEOGRAPH:'DB7E:56190:&#x83F3 CJK UNIFIED IDEOGRAPH:'DBA1:56225:&#x83D5 CJK UNIFIED IDEOGRAPH:'DBA2:56226:&#x83FA CJK UNIFIED IDEOGRAPH:'DBA3:56227:&#x83C7 CJK UNIFIED IDEOGRAPH:'DBA4:56228:&#x83D1 CJK UNIFIED IDEOGRAPH:'DBA5:56229:&#x83EA CJK UNIFIED IDEOGRAPH:'DBA6:56230:&#x8413 CJK UNIFIED IDEOGRAPH:'DBA7:56231:&#x83C3 CJK UNIFIED IDEOGRAPH:'DBA8:56232:&#x83EC CJK UNIFIED IDEOGRAPH:'DBA9:56233:&#x83EE CJK UNIFIED IDEOGRAPH:'DBAA:56234:&#x83C4 CJK UNIFIED IDEOGRAPH:'DBAB:56235:&#x83FB CJK UNIFIED IDEOGRAPH:'DBAC:56236:&#x83D7 CJK UNIFIED IDEOGRAPH:'DBAD:56237:&#x83E2 CJK UNIFIED IDEOGRAPH:'DBAE:56238:&#x841B CJK UNIFIED IDEOGRAPH:'DBAF:56239:&#x83DB CJK UNIFIED IDEOGRAPH:'DBB0:56240:&#x83FE CJK UNIFIED IDEOGRAPH:'DBB1:56241:&#x86D8 CJK UNIFIED IDEOGRAPH:'DBB2:56242:&#x86E2 CJK UNIFIED IDEOGRAPH:'DBB3:56243:&#x86E6 CJK UNIFIED IDEOGRAPH:'DBB4:56244:&#x86D3 CJK UNIFIED IDEOGRAPH:'DBB5:56245:&#x86E3 CJK UNIFIED IDEOGRAPH:'DBB6:56246:&#x86DA CJK UNIFIED IDEOGRAPH:'DBB7:56247:&#x86EA CJK UNIFIED IDEOGRAPH:'DBB8:56248:&#x86DD CJK UNIFIED IDEOGRAPH:'DBB9:56249:&#x86EB CJK UNIFIED IDEOGRAPH:'DBBA:56250:&#x86DC CJK UNIFIED IDEOGRAPH:'DBBB:56251:&#x86EC CJK UNIFIED IDEOGRAPH:'DBBC:56252:&#x86E9 CJK UNIFIED IDEOGRAPH:'DBBD:56253:&#x86D7 CJK UNIFIED IDEOGRAPH:'DBBE:56254:&#x86E8 CJK UNIFIED IDEOGRAPH:'DBBF:56255:&#x86D1 CJK UNIFIED IDEOGRAPH:'DBC0:56256:&#x8848 CJK UNIFIED IDEOGRAPH:'DBC1:56257:&#x8856 CJK UNIFIED IDEOGRAPH:'DBC2:56258:&#x8855 CJK UNIFIED IDEOGRAPH:'DBC3:56259:&#x88BA CJK UNIFIED IDEOGRAPH:'DBC4:56260:&#x88D7 CJK UNIFIED IDEOGRAPH:'DBC5:56261:&#x88B9 CJK UNIFIED IDEOGRAPH:'DBC6:56262:&#x88B8 CJK UNIFIED IDEOGRAPH:'DBC7:56263:&#x88C0 CJK UNIFIED IDEOGRAPH:'DBC8:56264:&#x88BE CJK UNIFIED IDEOGRAPH:'DBC9:56265:&#x88B6 CJK UNIFIED IDEOGRAPH:'DBCA:56266:&#x88BC CJK UNIFIED IDEOGRAPH:'DBCB:56267:&#x88B7 CJK UNIFIED IDEOGRAPH:'DBCC:56268:&#x88BD CJK UNIFIED IDEOGRAPH:'DBCD:56269:&#x88B2 CJK UNIFIED IDEOGRAPH:'DBCE:56270:&#x8901 CJK UNIFIED IDEOGRAPH:'DBCF:56271:&#x88C9 CJK UNIFIED IDEOGRAPH:'DBD0:56272:&#x8995 CJK UNIFIED IDEOGRAPH:'DBD1:56273:&#x8998 CJK UNIFIED IDEOGRAPH:'DBD2:56274:&#x8997 CJK UNIFIED IDEOGRAPH:'DBD3:56275:&#x89DD CJK UNIFIED IDEOGRAPH:'DBD4:56276:&#x89DA CJK UNIFIED IDEOGRAPH:'DBD5:56277:&#x89DB CJK UNIFIED IDEOGRAPH:'DBD6:56278:&#x8A4E CJK UNIFIED IDEOGRAPH:'DBD7:56279:&#x8A4D CJK UNIFIED IDEOGRAPH:'DBD8:56280:&#x8A39 CJK UNIFIED IDEOGRAPH:'DBD9:56281:&#x8A59 CJK UNIFIED IDEOGRAPH:'DBDA:56282:&#x8A40 CJK UNIFIED IDEOGRAPH:'DBDB:56283:&#x8A57 CJK UNIFIED IDEOGRAPH:'DBDC:56284:&#x8A58 CJK UNIFIED IDEOGRAPH:'DBDD:56285:&#x8A44 CJK UNIFIED IDEOGRAPH:'DBDE:56286:&#x8A45 CJK UNIFIED IDEOGRAPH:'DBDF:56287:&#x8A52 CJK UNIFIED IDEOGRAPH:'DBE0:56288:&#x8A48 CJK UNIFIED IDEOGRAPH:'DBE1:56289:&#x8A51 CJK UNIFIED IDEOGRAPH:'DBE2:56290:&#x8A4A CJK UNIFIED IDEOGRAPH:'DBE3:56291:&#x8A4C CJK UNIFIED IDEOGRAPH:'DBE4:56292:&#x8A4F CJK UNIFIED IDEOGRAPH:'DBE5:56293:&#x8C5F CJK UNIFIED IDEOGRAPH:'DBE6:56294:&#x8C81 CJK UNIFIED IDEOGRAPH:'DBE7:56295:&#x8C80 CJK UNIFIED IDEOGRAPH:'DBE8:56296:&#x8CBA CJK UNIFIED IDEOGRAPH:'DBE9:56297:&#x8CBE CJK UNIFIED IDEOGRAPH:'DBEA:56298:&#x8CB0 CJK UNIFIED IDEOGRAPH:'DBEB:56299:&#x8CB9 CJK UNIFIED IDEOGRAPH:'DBEC:56300:&#x8CB5 CJK UNIFIED IDEOGRAPH:'DBED:56301:&#x8D84 CJK UNIFIED IDEOGRAPH:'DBEE:56302:&#x8D80 CJK UNIFIED IDEOGRAPH:'DBEF:56303:&#x8D89 CJK UNIFIED IDEOGRAPH:'DBF0:56304:&#x8DD8 CJK UNIFIED IDEOGRAPH:'DBF1:56305:&#x8DD3 CJK UNIFIED IDEOGRAPH:'DBF2:56306:&#x8DCD CJK UNIFIED IDEOGRAPH:'DBF3:56307:&#x8DC7 CJK UNIFIED IDEOGRAPH:'DBF4:56308:&#x8DD6 CJK UNIFIED IDEOGRAPH:'DBF5:56309:&#x8DDC CJK UNIFIED IDEOGRAPH:'DBF6:56310:&#x8DCF CJK UNIFIED IDEOGRAPH:'DBF7:56311:&#x8DD5 CJK UNIFIED IDEOGRAPH:'DBF8:56312:&#x8DD9 CJK UNIFIED IDEOGRAPH:'DBF9:56313:&#x8DC8 CJK UNIFIED IDEOGRAPH:'DBFA:56314:&#x8DD7 CJK UNIFIED IDEOGRAPH:'DBFB:56315:&#x8DC5 CJK UNIFIED IDEOGRAPH:'DBFC:56316:&#x8EEF CJK UNIFIED IDEOGRAPH:'DBFD:56317:&#x8EF7 CJK UNIFIED IDEOGRAPH:'DBFE:56318:&#x8EFA CJK UNIFIED IDEOGRAPH:'DC40:56384:&#x8EF9 CJK UNIFIED IDEOGRAPH:'DC41:56385:&#x8EE6 CJK UNIFIED IDEOGRAPH:'DC42:56386:&#x8EEE CJK UNIFIED IDEOGRAPH:'DC43:56387:&#x8EE5 CJK UNIFIED IDEOGRAPH:'DC44:56388:&#x8EF5 CJK UNIFIED IDEOGRAPH:'DC45:56389:&#x8EE7 CJK UNIFIED IDEOGRAPH:'DC46:56390:&#x8EE8 CJK UNIFIED IDEOGRAPH:'DC47:56391:&#x8EF6 CJK UNIFIED IDEOGRAPH:'DC48:56392:&#x8EEB CJK UNIFIED IDEOGRAPH:'DC49:56393:&#x8EF1 CJK UNIFIED IDEOGRAPH:'DC4A:56394:&#x8EEC CJK UNIFIED IDEOGRAPH:'DC4B:56395:&#x8EF4 CJK UNIFIED IDEOGRAPH:'DC4C:56396:&#x8EE9 CJK UNIFIED IDEOGRAPH:'DC4D:56397:&#x902D CJK UNIFIED IDEOGRAPH:'DC4E:56398:&#x9034 CJK UNIFIED IDEOGRAPH:'DC4F:56399:&#x902F CJK UNIFIED IDEOGRAPH:'DC50:56400:&#x9106 CJK UNIFIED IDEOGRAPH:'DC51:56401:&#x912C CJK UNIFIED IDEOGRAPH:'DC52:56402:&#x9104 CJK UNIFIED IDEOGRAPH:'DC53:56403:&#x90FF CJK UNIFIED IDEOGRAPH:'DC54:56404:&#x90FC CJK UNIFIED IDEOGRAPH:'DC55:56405:&#x9108 CJK UNIFIED IDEOGRAPH:'DC56:56406:&#x90F9 CJK UNIFIED IDEOGRAPH:'DC57:56407:&#x90FB CJK UNIFIED IDEOGRAPH:'DC58:56408:&#x9101 CJK UNIFIED IDEOGRAPH:'DC59:56409:&#x9100 CJK UNIFIED IDEOGRAPH:'DC5A:56410:&#x9107 CJK UNIFIED IDEOGRAPH:'DC5B:56411:&#x9105 CJK UNIFIED IDEOGRAPH:'DC5C:56412:&#x9103 CJK UNIFIED IDEOGRAPH:'DC5D:56413:&#x9161 CJK UNIFIED IDEOGRAPH:'DC5E:56414:&#x9164 CJK UNIFIED IDEOGRAPH:'DC5F:56415:&#x915F CJK UNIFIED IDEOGRAPH:'DC60:56416:&#x9162 CJK UNIFIED IDEOGRAPH:'DC61:56417:&#x9160 CJK UNIFIED IDEOGRAPH:'DC62:56418:&#x9201 CJK UNIFIED IDEOGRAPH:'DC63:56419:&#x920A CJK UNIFIED IDEOGRAPH:'DC64:56420:&#x9225 CJK UNIFIED IDEOGRAPH:'DC65:56421:&#x9203 CJK UNIFIED IDEOGRAPH:'DC66:56422:&#x921A CJK UNIFIED IDEOGRAPH:'DC67:56423:&#x9226 CJK UNIFIED IDEOGRAPH:'DC68:56424:&#x920F CJK UNIFIED IDEOGRAPH:'DC69:56425:&#x920C CJK UNIFIED IDEOGRAPH:'DC6A:56426:&#x9200 CJK UNIFIED IDEOGRAPH:'DC6B:56427:&#x9212 CJK UNIFIED IDEOGRAPH:'DC6C:56428:&#x91FF CJK UNIFIED IDEOGRAPH:'DC6D:56429:&#x91FD CJK UNIFIED IDEOGRAPH:'DC6E:56430:&#x9206 CJK UNIFIED IDEOGRAPH:'DC6F:56431:&#x9204 CJK UNIFIED IDEOGRAPH:'DC70:56432:&#x9227 CJK UNIFIED IDEOGRAPH:'DC71:56433:&#x9202 CJK UNIFIED IDEOGRAPH:'DC72:56434:&#x921C CJK UNIFIED IDEOGRAPH:'DC73:56435:&#x9224 CJK UNIFIED IDEOGRAPH:'DC74:56436:&#x9219 CJK UNIFIED IDEOGRAPH:'DC75:56437:&#x9217 CJK UNIFIED IDEOGRAPH:'DC76:56438:&#x9205 CJK UNIFIED IDEOGRAPH:'DC77:56439:&#x9216 CJK UNIFIED IDEOGRAPH:'DC78:56440:&#x957B CJK UNIFIED IDEOGRAPH:'DC79:56441:&#x958D CJK UNIFIED IDEOGRAPH:'DC7A:56442:&#x958C CJK UNIFIED IDEOGRAPH:'DC7B:56443:&#x9590 CJK UNIFIED IDEOGRAPH:'DC7C:56444:&#x9687 CJK UNIFIED IDEOGRAPH:'DC7D:56445:&#x967E CJK UNIFIED IDEOGRAPH:'DC7E:56446:&#x9688 CJK UNIFIED IDEOGRAPH:'DCA1:56481:&#x9689 CJK UNIFIED IDEOGRAPH:'DCA2:56482:&#x9683 CJK UNIFIED IDEOGRAPH:'DCA3:56483:&#x9680 CJK UNIFIED IDEOGRAPH:'DCA4:56484:&#x96C2 CJK UNIFIED IDEOGRAPH:'DCA5:56485:&#x96C8 CJK UNIFIED IDEOGRAPH:'DCA6:56486:&#x96C3 CJK UNIFIED IDEOGRAPH:'DCA7:56487:&#x96F1 CJK UNIFIED IDEOGRAPH:'DCA8:56488:&#x96F0 CJK UNIFIED IDEOGRAPH:'DCA9:56489:&#x976C CJK UNIFIED IDEOGRAPH:'DCAA:56490:&#x9770 CJK UNIFIED IDEOGRAPH:'DCAB:56491:&#x976E CJK UNIFIED IDEOGRAPH:'DCAC:56492:&#x9807 CJK UNIFIED IDEOGRAPH:'DCAD:56493:&#x98A9 CJK UNIFIED IDEOGRAPH:'DCAE:56494:&#x98EB CJK UNIFIED IDEOGRAPH:'DCAF:56495:&#x9CE6 CJK UNIFIED IDEOGRAPH:'DCB0:56496:&#x9EF9 CJK UNIFIED IDEOGRAPH:'DCB1:56497:&#x4E83 CJK UNIFIED IDEOGRAPH:'DCB2:56498:&#x4E84 CJK UNIFIED IDEOGRAPH:'DCB3:56499:&#x4EB6 CJK UNIFIED IDEOGRAPH:'DCB4:56500:&#x50BD CJK UNIFIED IDEOGRAPH:'DCB5:56501:&#x50BF CJK UNIFIED IDEOGRAPH:'DCB6:56502:&#x50C6 CJK UNIFIED IDEOGRAPH:'DCB7:56503:&#x50AE CJK UNIFIED IDEOGRAPH:'DCB8:56504:&#x50C4 CJK UNIFIED IDEOGRAPH:'DCB9:56505:&#x50CA CJK UNIFIED IDEOGRAPH:'DCBA:56506:&#x50B4 CJK UNIFIED IDEOGRAPH:'DCBB:56507:&#x50C8 CJK UNIFIED IDEOGRAPH:'DCBC:56508:&#x50C2 CJK UNIFIED IDEOGRAPH:'DCBD:56509:&#x50B0 CJK UNIFIED IDEOGRAPH:'DCBE:56510:&#x50C1 CJK UNIFIED IDEOGRAPH:'DCBF:56511:&#x50BA CJK UNIFIED IDEOGRAPH:'DCC0:56512:&#x50B1 CJK UNIFIED IDEOGRAPH:'DCC1:56513:&#x50CB CJK UNIFIED IDEOGRAPH:'DCC2:56514:&#x50C9 CJK UNIFIED IDEOGRAPH:'DCC3:56515:&#x50B6 CJK UNIFIED IDEOGRAPH:'DCC4:56516:&#x50B8 CJK UNIFIED IDEOGRAPH:'DCC5:56517:&#x51D7 CJK UNIFIED IDEOGRAPH:'DCC6:56518:&#x527A CJK UNIFIED IDEOGRAPH:'DCC7:56519:&#x5278 CJK UNIFIED IDEOGRAPH:'DCC8:56520:&#x527B CJK UNIFIED IDEOGRAPH:'DCC9:56521:&#x527C CJK UNIFIED IDEOGRAPH:'DCCA:56522:&#x55C3 CJK UNIFIED IDEOGRAPH:'DCCB:56523:&#x55DB CJK UNIFIED IDEOGRAPH:'DCCC:56524:&#x55CC CJK UNIFIED IDEOGRAPH:'DCCD:56525:&#x55D0 CJK UNIFIED IDEOGRAPH:'DCCE:56526:&#x55CB CJK UNIFIED IDEOGRAPH:'DCCF:56527:&#x55CA CJK UNIFIED IDEOGRAPH:'DCD0:56528:&#x55DD CJK UNIFIED IDEOGRAPH:'DCD1:56529:&#x55C0 CJK UNIFIED IDEOGRAPH:'DCD2:56530:&#x55D4 CJK UNIFIED IDEOGRAPH:'DCD3:56531:&#x55C4 CJK UNIFIED IDEOGRAPH:'DCD4:56532:&#x55E9 CJK UNIFIED IDEOGRAPH:'DCD5:56533:&#x55BF CJK UNIFIED IDEOGRAPH:'DCD6:56534:&#x55D2 CJK UNIFIED IDEOGRAPH:'DCD7:56535:&#x558D CJK UNIFIED IDEOGRAPH:'DCD8:56536:&#x55CF CJK UNIFIED IDEOGRAPH:'DCD9:56537:&#x55D5 CJK UNIFIED IDEOGRAPH:'DCDA:56538:&#x55E2 CJK UNIFIED IDEOGRAPH:'DCDB:56539:&#x55D6 CJK UNIFIED IDEOGRAPH:'DCDC:56540:&#x55C8 CJK UNIFIED IDEOGRAPH:'DCDD:56541:&#x55F2 CJK UNIFIED IDEOGRAPH:'DCDE:56542:&#x55CD CJK UNIFIED IDEOGRAPH:'DCDF:56543:&#x55D9 CJK UNIFIED IDEOGRAPH:'DCE0:56544:&#x55C2 CJK UNIFIED IDEOGRAPH:'DCE1:56545:&#x5714 CJK UNIFIED IDEOGRAPH:'DCE2:56546:&#x5853 CJK UNIFIED IDEOGRAPH:'DCE3:56547:&#x5868 CJK UNIFIED IDEOGRAPH:'DCE4:56548:&#x5864 CJK UNIFIED IDEOGRAPH:'DCE5:56549:&#x584F CJK UNIFIED IDEOGRAPH:'DCE6:56550:&#x584D CJK UNIFIED IDEOGRAPH:'DCE7:56551:&#x5849 CJK UNIFIED IDEOGRAPH:'DCE8:56552:&#x586F CJK UNIFIED IDEOGRAPH:'DCE9:56553:&#x5855 CJK UNIFIED IDEOGRAPH:'DCEA:56554:&#x584E CJK UNIFIED IDEOGRAPH:'DCEB:56555:&#x585D CJK UNIFIED IDEOGRAPH:'DCEC:56556:&#x5859 CJK UNIFIED IDEOGRAPH:'DCED:56557:&#x5865 CJK UNIFIED IDEOGRAPH:'DCEE:56558:&#x585B CJK UNIFIED IDEOGRAPH:'DCEF:56559:&#x583D CJK UNIFIED IDEOGRAPH:'DCF0:56560:&#x5863 CJK UNIFIED IDEOGRAPH:'DCF1:56561:&#x5871 CJK UNIFIED IDEOGRAPH:'DCF2:56562:&#x58FC CJK UNIFIED IDEOGRAPH:'DCF3:56563:&#x5AC7 CJK UNIFIED IDEOGRAPH:'DCF4:56564:&#x5AC4 CJK UNIFIED IDEOGRAPH:'DCF5:56565:&#x5ACB CJK UNIFIED IDEOGRAPH:'DCF6:56566:&#x5ABA CJK UNIFIED IDEOGRAPH:'DCF7:56567:&#x5AB8 CJK UNIFIED IDEOGRAPH:'DCF8:56568:&#x5AB1 CJK UNIFIED IDEOGRAPH:'DCF9:56569:&#x5AB5 CJK UNIFIED IDEOGRAPH:'DCFA:56570:&#x5AB0 CJK UNIFIED IDEOGRAPH:'DCFB:56571:&#x5ABF CJK UNIFIED IDEOGRAPH:'DCFC:56572:&#x5AC8 CJK UNIFIED IDEOGRAPH:'DCFD:56573:&#x5ABB CJK UNIFIED IDEOGRAPH:'DCFE:56574:&#x5AC6 CJK UNIFIED IDEOGRAPH:'DD40:56640:&#x5AB7 CJK UNIFIED IDEOGRAPH:'DD41:56641:&#x5AC0 CJK UNIFIED IDEOGRAPH:'DD42:56642:&#x5ACA CJK UNIFIED IDEOGRAPH:'DD43:56643:&#x5AB4 CJK UNIFIED IDEOGRAPH:'DD44:56644:&#x5AB6 CJK UNIFIED IDEOGRAPH:'DD45:56645:&#x5ACD CJK UNIFIED IDEOGRAPH:'DD46:56646:&#x5AB9 CJK UNIFIED IDEOGRAPH:'DD47:56647:&#x5A90 CJK UNIFIED IDEOGRAPH:'DD48:56648:&#x5BD6 CJK UNIFIED IDEOGRAPH:'DD49:56649:&#x5BD8 CJK UNIFIED IDEOGRAPH:'DD4A:56650:&#x5BD9 CJK UNIFIED IDEOGRAPH:'DD4B:56651:&#x5C1F CJK UNIFIED IDEOGRAPH:'DD4C:56652:&#x5C33 CJK UNIFIED IDEOGRAPH:'DD4D:56653:&#x5D71 CJK UNIFIED IDEOGRAPH:'DD4E:56654:&#x5D63 CJK UNIFIED IDEOGRAPH:'DD4F:56655:&#x5D4A CJK UNIFIED IDEOGRAPH:'DD50:56656:&#x5D65 CJK UNIFIED IDEOGRAPH:'DD51:56657:&#x5D72 CJK UNIFIED IDEOGRAPH:'DD52:56658:&#x5D6C CJK UNIFIED IDEOGRAPH:'DD53:56659:&#x5D5E CJK UNIFIED IDEOGRAPH:'DD54:56660:&#x5D68 CJK UNIFIED IDEOGRAPH:'DD55:56661:&#x5D67 CJK UNIFIED IDEOGRAPH:'DD56:56662:&#x5D62 CJK UNIFIED IDEOGRAPH:'DD57:56663:&#x5DF0 CJK UNIFIED IDEOGRAPH:'DD58:56664:&#x5E4F CJK UNIFIED IDEOGRAPH:'DD59:56665:&#x5E4E CJK UNIFIED IDEOGRAPH:'DD5A:56666:&#x5E4A CJK UNIFIED IDEOGRAPH:'DD5B:56667:&#x5E4D CJK UNIFIED IDEOGRAPH:'DD5C:56668:&#x5E4B CJK UNIFIED IDEOGRAPH:'DD5D:56669:&#x5EC5 CJK UNIFIED IDEOGRAPH:'DD5E:56670:&#x5ECC CJK UNIFIED IDEOGRAPH:'DD5F:56671:&#x5EC6 CJK UNIFIED IDEOGRAPH:'DD60:56672:&#x5ECB CJK UNIFIED IDEOGRAPH:'DD61:56673:&#x5EC7 CJK UNIFIED IDEOGRAPH:'DD62:56674:&#x5F40 CJK UNIFIED IDEOGRAPH:'DD63:56675:&#x5FAF CJK UNIFIED IDEOGRAPH:'DD64:56676:&#x5FAD CJK UNIFIED IDEOGRAPH:'DD65:56677:&#x60F7 CJK UNIFIED IDEOGRAPH:'DD66:56678:&#x6149 CJK UNIFIED IDEOGRAPH:'DD67:56679:&#x614A CJK UNIFIED IDEOGRAPH:'DD68:56680:&#x612B CJK UNIFIED IDEOGRAPH:'DD69:56681:&#x6145 CJK UNIFIED IDEOGRAPH:'DD6A:56682:&#x6136 CJK UNIFIED IDEOGRAPH:'DD6B:56683:&#x6132 CJK UNIFIED IDEOGRAPH:'DD6C:56684:&#x612E CJK UNIFIED IDEOGRAPH:'DD6D:56685:&#x6146 CJK UNIFIED IDEOGRAPH:'DD6E:56686:&#x612F CJK UNIFIED IDEOGRAPH:'DD6F:56687:&#x614F CJK UNIFIED IDEOGRAPH:'DD70:56688:&#x6129 CJK UNIFIED IDEOGRAPH:'DD71:56689:&#x6140 CJK UNIFIED IDEOGRAPH:'DD72:56690:&#x6220 CJK UNIFIED IDEOGRAPH:'DD73:56691:&#x9168 CJK UNIFIED IDEOGRAPH:'DD74:56692:&#x6223 CJK UNIFIED IDEOGRAPH:'DD75:56693:&#x6225 CJK UNIFIED IDEOGRAPH:'DD76:56694:&#x6224 CJK UNIFIED IDEOGRAPH:'DD77:56695:&#x63C5 CJK UNIFIED IDEOGRAPH:'DD78:56696:&#x63F1 CJK UNIFIED IDEOGRAPH:'DD79:56697:&#x63EB CJK UNIFIED IDEOGRAPH:'DD7A:56698:&#x6410 CJK UNIFIED IDEOGRAPH:'DD7B:56699:&#x6412 CJK UNIFIED IDEOGRAPH:'DD7C:56700:&#x6409 CJK UNIFIED IDEOGRAPH:'DD7D:56701:&#x6420 CJK UNIFIED IDEOGRAPH:'DD7E:56702:&#x6424 CJK UNIFIED IDEOGRAPH:'DDA1:56737:&#x6433 CJK UNIFIED IDEOGRAPH:'DDA2:56738:&#x6443 CJK UNIFIED IDEOGRAPH:'DDA3:56739:&#x641F CJK UNIFIED IDEOGRAPH:'DDA4:56740:&#x6415 CJK UNIFIED IDEOGRAPH:'DDA5:56741:&#x6418 CJK UNIFIED IDEOGRAPH:'DDA6:56742:&#x6439 CJK UNIFIED IDEOGRAPH:'DDA7:56743:&#x6437 CJK UNIFIED IDEOGRAPH:'DDA8:56744:&#x6422 CJK UNIFIED IDEOGRAPH:'DDA9:56745:&#x6423 CJK UNIFIED IDEOGRAPH:'DDAA:56746:&#x640C CJK UNIFIED IDEOGRAPH:'DDAB:56747:&#x6426 CJK UNIFIED IDEOGRAPH:'DDAC:56748:&#x6430 CJK UNIFIED IDEOGRAPH:'DDAD:56749:&#x6428 CJK UNIFIED IDEOGRAPH:'DDAE:56750:&#x6441 CJK UNIFIED IDEOGRAPH:'DDAF:56751:&#x6435 CJK UNIFIED IDEOGRAPH:'DDB0:56752:&#x642F CJK UNIFIED IDEOGRAPH:'DDB1:56753:&#x640A CJK UNIFIED IDEOGRAPH:'DDB2:56754:&#x641A CJK UNIFIED IDEOGRAPH:'DDB3:56755:&#x6440 CJK UNIFIED IDEOGRAPH:'DDB4:56756:&#x6425 CJK UNIFIED IDEOGRAPH:'DDB5:56757:&#x6427 CJK UNIFIED IDEOGRAPH:'DDB6:56758:&#x640B CJK UNIFIED IDEOGRAPH:'DDB7:56759:&#x63E7 CJK UNIFIED IDEOGRAPH:'DDB8:56760:&#x641B CJK UNIFIED IDEOGRAPH:'DDB9:56761:&#x642E CJK UNIFIED IDEOGRAPH:'DDBA:56762:&#x6421 CJK UNIFIED IDEOGRAPH:'DDBB:56763:&#x640E CJK UNIFIED IDEOGRAPH:'DDBC:56764:&#x656F CJK UNIFIED IDEOGRAPH:'DDBD:56765:&#x6592 CJK UNIFIED IDEOGRAPH:'DDBE:56766:&#x65D3 CJK UNIFIED IDEOGRAPH:'DDBF:56767:&#x6686 CJK UNIFIED IDEOGRAPH:'DDC0:56768:&#x668C CJK UNIFIED IDEOGRAPH:'DDC1:56769:&#x6695 CJK UNIFIED IDEOGRAPH:'DDC2:56770:&#x6690 CJK UNIFIED IDEOGRAPH:'DDC3:56771:&#x668B CJK UNIFIED IDEOGRAPH:'DDC4:56772:&#x668A CJK UNIFIED IDEOGRAPH:'DDC5:56773:&#x6699 CJK UNIFIED IDEOGRAPH:'DDC6:56774:&#x6694 CJK UNIFIED IDEOGRAPH:'DDC7:56775:&#x6678 CJK UNIFIED IDEOGRAPH:'DDC8:56776:&#x6720 CJK UNIFIED IDEOGRAPH:'DDC9:56777:&#x6966 CJK UNIFIED IDEOGRAPH:'DDCA:56778:&#x695F CJK UNIFIED IDEOGRAPH:'DDCB:56779:&#x6938 CJK UNIFIED IDEOGRAPH:'DDCC:56780:&#x694E CJK UNIFIED IDEOGRAPH:'DDCD:56781:&#x6962 CJK UNIFIED IDEOGRAPH:'DDCE:56782:&#x6971 CJK UNIFIED IDEOGRAPH:'DDCF:56783:&#x693F CJK UNIFIED IDEOGRAPH:'DDD0:56784:&#x6945 CJK UNIFIED IDEOGRAPH:'DDD1:56785:&#x696A CJK UNIFIED IDEOGRAPH:'DDD2:56786:&#x6939 CJK UNIFIED IDEOGRAPH:'DDD3:56787:&#x6942 CJK UNIFIED IDEOGRAPH:'DDD4:56788:&#x6957 CJK UNIFIED IDEOGRAPH:'DDD5:56789:&#x6959 CJK UNIFIED IDEOGRAPH:'DDD6:56790:&#x697A CJK UNIFIED IDEOGRAPH:'DDD7:56791:&#x6948 CJK UNIFIED IDEOGRAPH:'DDD8:56792:&#x6949 CJK UNIFIED IDEOGRAPH:'DDD9:56793:&#x6935 CJK UNIFIED IDEOGRAPH:'DDDA:56794:&#x696C CJK UNIFIED IDEOGRAPH:'DDDB:56795:&#x6933 CJK UNIFIED IDEOGRAPH:'DDDC:56796:&#x693D CJK UNIFIED IDEOGRAPH:'DDDD:56797:&#x6965 CJK UNIFIED IDEOGRAPH:'DDDE:56798:&#x68F0 CJK UNIFIED IDEOGRAPH:'DDDF:56799:&#x6978 CJK UNIFIED IDEOGRAPH:'DDE0:56800:&#x6934 CJK UNIFIED IDEOGRAPH:'DDE1:56801:&#x6969 CJK UNIFIED IDEOGRAPH:'DDE2:56802:&#x6940 CJK UNIFIED IDEOGRAPH:'DDE3:56803:&#x696F CJK UNIFIED IDEOGRAPH:'DDE4:56804:&#x6944 CJK UNIFIED IDEOGRAPH:'DDE5:56805:&#x6976 CJK UNIFIED IDEOGRAPH:'DDE6:56806:&#x6958 CJK UNIFIED IDEOGRAPH:'DDE7:56807:&#x6941 CJK UNIFIED IDEOGRAPH:'DDE8:56808:&#x6974 CJK UNIFIED IDEOGRAPH:'DDE9:56809:&#x694C CJK UNIFIED IDEOGRAPH:'DDEA:56810:&#x693B CJK UNIFIED IDEOGRAPH:'DDEB:56811:&#x694B CJK UNIFIED IDEOGRAPH:'DDEC:56812:&#x6937 CJK UNIFIED IDEOGRAPH:'DDED:56813:&#x695C CJK UNIFIED IDEOGRAPH:'DDEE:56814:&#x694F CJK UNIFIED IDEOGRAPH:'DDEF:56815:&#x6951 CJK UNIFIED IDEOGRAPH:'DDF0:56816:&#x6932 CJK UNIFIED IDEOGRAPH:'DDF1:56817:&#x6952 CJK UNIFIED IDEOGRAPH:'DDF2:56818:&#x692F CJK UNIFIED IDEOGRAPH:'DDF3:56819:&#x697B CJK UNIFIED IDEOGRAPH:'DDF4:56820:&#x693C CJK UNIFIED IDEOGRAPH:'DDF5:56821:&#x6B46 CJK UNIFIED IDEOGRAPH:'DDF6:56822:&#x6B45 CJK UNIFIED IDEOGRAPH:'DDF7:56823:&#x6B43 CJK UNIFIED IDEOGRAPH:'DDF8:56824:&#x6B42 CJK UNIFIED IDEOGRAPH:'DDF9:56825:&#x6B48 CJK UNIFIED IDEOGRAPH:'DDFA:56826:&#x6B41 CJK UNIFIED IDEOGRAPH:'DDFB:56827:&#x6B9B CJK COMPATIBILITY IDEOGRAPH:'DDFC:56828:&#xFA0D CJK UNIFIED IDEOGRAPH:'DDFD:56829:&#x6BFB CJK UNIFIED IDEOGRAPH:'DDFE:56830:&#x6BFC CJK UNIFIED IDEOGRAPH:'DE40:56896:&#x6BF9 CJK UNIFIED IDEOGRAPH:'DE41:56897:&#x6BF7 CJK UNIFIED IDEOGRAPH:'DE42:56898:&#x6BF8 CJK UNIFIED IDEOGRAPH:'DE43:56899:&#x6E9B CJK UNIFIED IDEOGRAPH:'DE44:56900:&#x6ED6 CJK UNIFIED IDEOGRAPH:'DE45:56901:&#x6EC8 CJK UNIFIED IDEOGRAPH:'DE46:56902:&#x6E8F CJK UNIFIED IDEOGRAPH:'DE47:56903:&#x6EC0 CJK UNIFIED IDEOGRAPH:'DE48:56904:&#x6E9F CJK UNIFIED IDEOGRAPH:'DE49:56905:&#x6E93 CJK UNIFIED IDEOGRAPH:'DE4A:56906:&#x6E94 CJK UNIFIED IDEOGRAPH:'DE4B:56907:&#x6EA0 CJK UNIFIED IDEOGRAPH:'DE4C:56908:&#x6EB1 CJK UNIFIED IDEOGRAPH:'DE4D:56909:&#x6EB9 CJK UNIFIED IDEOGRAPH:'DE4E:56910:&#x6EC6 CJK UNIFIED IDEOGRAPH:'DE4F:56911:&#x6ED2 CJK UNIFIED IDEOGRAPH:'DE50:56912:&#x6EBD CJK UNIFIED IDEOGRAPH:'DE51:56913:&#x6EC1 CJK UNIFIED IDEOGRAPH:'DE52:56914:&#x6E9E CJK UNIFIED IDEOGRAPH:'DE53:56915:&#x6EC9 CJK UNIFIED IDEOGRAPH:'DE54:56916:&#x6EB7 CJK UNIFIED IDEOGRAPH:'DE55:56917:&#x6EB0 CJK UNIFIED IDEOGRAPH:'DE56:56918:&#x6ECD CJK UNIFIED IDEOGRAPH:'DE57:56919:&#x6EA6 CJK UNIFIED IDEOGRAPH:'DE58:56920:&#x6ECF CJK UNIFIED IDEOGRAPH:'DE59:56921:&#x6EB2 CJK UNIFIED IDEOGRAPH:'DE5A:56922:&#x6EBE CJK UNIFIED IDEOGRAPH:'DE5B:56923:&#x6EC3 CJK UNIFIED IDEOGRAPH:'DE5C:56924:&#x6EDC CJK UNIFIED IDEOGRAPH:'DE5D:56925:&#x6ED8 CJK UNIFIED IDEOGRAPH:'DE5E:56926:&#x6E99 CJK UNIFIED IDEOGRAPH:'DE5F:56927:&#x6E92 CJK UNIFIED IDEOGRAPH:'DE60:56928:&#x6E8E CJK UNIFIED IDEOGRAPH:'DE61:56929:&#x6E8D CJK UNIFIED IDEOGRAPH:'DE62:56930:&#x6EA4 CJK UNIFIED IDEOGRAPH:'DE63:56931:&#x6EA1 CJK UNIFIED IDEOGRAPH:'DE64:56932:&#x6EBF CJK UNIFIED IDEOGRAPH:'DE65:56933:&#x6EB3 CJK UNIFIED IDEOGRAPH:'DE66:56934:&#x6ED0 CJK UNIFIED IDEOGRAPH:'DE67:56935:&#x6ECA CJK UNIFIED IDEOGRAPH:'DE68:56936:&#x6E97 CJK UNIFIED IDEOGRAPH:'DE69:56937:&#x6EAE CJK UNIFIED IDEOGRAPH:'DE6A:56938:&#x6EA3 CJK UNIFIED IDEOGRAPH:'DE6B:56939:&#x7147 CJK UNIFIED IDEOGRAPH:'DE6C:56940:&#x7154 CJK UNIFIED IDEOGRAPH:'DE6D:56941:&#x7152 CJK UNIFIED IDEOGRAPH:'DE6E:56942:&#x7163 CJK UNIFIED IDEOGRAPH:'DE6F:56943:&#x7160 CJK UNIFIED IDEOGRAPH:'DE70:56944:&#x7141 CJK UNIFIED IDEOGRAPH:'DE71:56945:&#x715D CJK UNIFIED IDEOGRAPH:'DE72:56946:&#x7162 CJK UNIFIED IDEOGRAPH:'DE73:56947:&#x7172 CJK UNIFIED IDEOGRAPH:'DE74:56948:&#x7178 CJK UNIFIED IDEOGRAPH:'DE75:56949:&#x716A CJK UNIFIED IDEOGRAPH:'DE76:56950:&#x7161 CJK UNIFIED IDEOGRAPH:'DE77:56951:&#x7142 CJK UNIFIED IDEOGRAPH:'DE78:56952:&#x7158 CJK UNIFIED IDEOGRAPH:'DE79:56953:&#x7143 CJK UNIFIED IDEOGRAPH:'DE7A:56954:&#x714B CJK UNIFIED IDEOGRAPH:'DE7B:56955:&#x7170 CJK UNIFIED IDEOGRAPH:'DE7C:56956:&#x715F CJK UNIFIED IDEOGRAPH:'DE7D:56957:&#x7150 CJK UNIFIED IDEOGRAPH:'DE7E:56958:&#x7153 CJK UNIFIED IDEOGRAPH:'DEA1:56993:&#x7144 CJK UNIFIED IDEOGRAPH:'DEA2:56994:&#x714D CJK UNIFIED IDEOGRAPH:'DEA3:56995:&#x715A CJK UNIFIED IDEOGRAPH:'DEA4:56996:&#x724F CJK UNIFIED IDEOGRAPH:'DEA5:56997:&#x728D CJK UNIFIED IDEOGRAPH:'DEA6:56998:&#x728C CJK UNIFIED IDEOGRAPH:'DEA7:56999:&#x7291 CJK UNIFIED IDEOGRAPH:'DEA8:57000:&#x7290 CJK UNIFIED IDEOGRAPH:'DEA9:57001:&#x728E CJK UNIFIED IDEOGRAPH:'DEAA:57002:&#x733C CJK UNIFIED IDEOGRAPH:'DEAB:57003:&#x7342 CJK UNIFIED IDEOGRAPH:'DEAC:57004:&#x733B CJK UNIFIED IDEOGRAPH:'DEAD:57005:&#x733A CJK UNIFIED IDEOGRAPH:'DEAE:57006:&#x7340 CJK UNIFIED IDEOGRAPH:'DEAF:57007:&#x734A CJK UNIFIED IDEOGRAPH:'DEB0:57008:&#x7349 CJK UNIFIED IDEOGRAPH:'DEB1:57009:&#x7444 CJK UNIFIED IDEOGRAPH:'DEB2:57010:&#x744A CJK UNIFIED IDEOGRAPH:'DEB3:57011:&#x744B CJK UNIFIED IDEOGRAPH:'DEB4:57012:&#x7452 CJK UNIFIED IDEOGRAPH:'DEB5:57013:&#x7451 CJK UNIFIED IDEOGRAPH:'DEB6:57014:&#x7457 CJK UNIFIED IDEOGRAPH:'DEB7:57015:&#x7440 CJK UNIFIED IDEOGRAPH:'DEB8:57016:&#x744F CJK UNIFIED IDEOGRAPH:'DEB9:57017:&#x7450 CJK UNIFIED IDEOGRAPH:'DEBA:57018:&#x744E CJK UNIFIED IDEOGRAPH:'DEBB:57019:&#x7442 CJK UNIFIED IDEOGRAPH:'DEBC:57020:&#x7446 CJK UNIFIED IDEOGRAPH:'DEBD:57021:&#x744D CJK UNIFIED IDEOGRAPH:'DEBE:57022:&#x7454 CJK UNIFIED IDEOGRAPH:'DEBF:57023:&#x74E1 CJK UNIFIED IDEOGRAPH:'DEC0:57024:&#x74FF CJK UNIFIED IDEOGRAPH:'DEC1:57025:&#x74FE CJK UNIFIED IDEOGRAPH:'DEC2:57026:&#x74FD CJK UNIFIED IDEOGRAPH:'DEC3:57027:&#x751D CJK UNIFIED IDEOGRAPH:'DEC4:57028:&#x7579 CJK UNIFIED IDEOGRAPH:'DEC5:57029:&#x7577 CJK UNIFIED IDEOGRAPH:'DEC6:57030:&#x6983 CJK UNIFIED IDEOGRAPH:'DEC7:57031:&#x75EF CJK UNIFIED IDEOGRAPH:'DEC8:57032:&#x760F CJK UNIFIED IDEOGRAPH:'DEC9:57033:&#x7603 CJK UNIFIED IDEOGRAPH:'DECA:57034:&#x75F7 CJK UNIFIED IDEOGRAPH:'DECB:57035:&#x75FE CJK UNIFIED IDEOGRAPH:'DECC:57036:&#x75FC CJK UNIFIED IDEOGRAPH:'DECD:57037:&#x75F9 CJK UNIFIED IDEOGRAPH:'DECE:57038:&#x75F8 CJK UNIFIED IDEOGRAPH:'DECF:57039:&#x7610 CJK UNIFIED IDEOGRAPH:'DED0:57040:&#x75FB CJK UNIFIED IDEOGRAPH:'DED1:57041:&#x75F6 CJK UNIFIED IDEOGRAPH:'DED2:57042:&#x75ED CJK UNIFIED IDEOGRAPH:'DED3:57043:&#x75F5 CJK UNIFIED IDEOGRAPH:'DED4:57044:&#x75FD CJK UNIFIED IDEOGRAPH:'DED5:57045:&#x7699 CJK UNIFIED IDEOGRAPH:'DED6:57046:&#x76B5 CJK UNIFIED IDEOGRAPH:'DED7:57047:&#x76DD CJK UNIFIED IDEOGRAPH:'DED8:57048:&#x7755 CJK UNIFIED IDEOGRAPH:'DED9:57049:&#x775F CJK UNIFIED IDEOGRAPH:'DEDA:57050:&#x7760 CJK UNIFIED IDEOGRAPH:'DEDB:57051:&#x7752 CJK UNIFIED IDEOGRAPH:'DEDC:57052:&#x7756 CJK UNIFIED IDEOGRAPH:'DEDD:57053:&#x775A CJK UNIFIED IDEOGRAPH:'DEDE:57054:&#x7769 CJK UNIFIED IDEOGRAPH:'DEDF:57055:&#x7767 CJK UNIFIED IDEOGRAPH:'DEE0:57056:&#x7754 CJK UNIFIED IDEOGRAPH:'DEE1:57057:&#x7759 CJK UNIFIED IDEOGRAPH:'DEE2:57058:&#x776D CJK UNIFIED IDEOGRAPH:'DEE3:57059:&#x77E0 CJK UNIFIED IDEOGRAPH:'DEE4:57060:&#x7887 CJK UNIFIED IDEOGRAPH:'DEE5:57061:&#x789A CJK UNIFIED IDEOGRAPH:'DEE6:57062:&#x7894 CJK UNIFIED IDEOGRAPH:'DEE7:57063:&#x788F CJK UNIFIED IDEOGRAPH:'DEE8:57064:&#x7884 CJK UNIFIED IDEOGRAPH:'DEE9:57065:&#x7895 CJK UNIFIED IDEOGRAPH:'DEEA:57066:&#x7885 CJK UNIFIED IDEOGRAPH:'DEEB:57067:&#x7886 CJK UNIFIED IDEOGRAPH:'DEEC:57068:&#x78A1 CJK UNIFIED IDEOGRAPH:'DEED:57069:&#x7883 CJK UNIFIED IDEOGRAPH:'DEEE:57070:&#x7879 CJK UNIFIED IDEOGRAPH:'DEEF:57071:&#x7899 CJK UNIFIED IDEOGRAPH:'DEF0:57072:&#x7880 CJK UNIFIED IDEOGRAPH:'DEF1:57073:&#x7896 CJK UNIFIED IDEOGRAPH:'DEF2:57074:&#x787B CJK UNIFIED IDEOGRAPH:'DEF3:57075:&#x797C CJK UNIFIED IDEOGRAPH:'DEF4:57076:&#x7982 CJK UNIFIED IDEOGRAPH:'DEF5:57077:&#x797D CJK UNIFIED IDEOGRAPH:'DEF6:57078:&#x7979 CJK UNIFIED IDEOGRAPH:'DEF7:57079:&#x7A11 CJK UNIFIED IDEOGRAPH:'DEF8:57080:&#x7A18 CJK UNIFIED IDEOGRAPH:'DEF9:57081:&#x7A19 CJK UNIFIED IDEOGRAPH:'DEFA:57082:&#x7A12 CJK UNIFIED IDEOGRAPH:'DEFB:57083:&#x7A17 CJK UNIFIED IDEOGRAPH:'DEFC:57084:&#x7A15 CJK UNIFIED IDEOGRAPH:'DEFD:57085:&#x7A22 CJK UNIFIED IDEOGRAPH:'DEFE:57086:&#x7A13 CJK UNIFIED IDEOGRAPH:'DF40:57152:&#x7A1B CJK UNIFIED IDEOGRAPH:'DF41:57153:&#x7A10 CJK UNIFIED IDEOGRAPH:'DF42:57154:&#x7AA3 CJK UNIFIED IDEOGRAPH:'DF43:57155:&#x7AA2 CJK UNIFIED IDEOGRAPH:'DF44:57156:&#x7A9E CJK UNIFIED IDEOGRAPH:'DF45:57157:&#x7AEB CJK UNIFIED IDEOGRAPH:'DF46:57158:&#x7B66 CJK UNIFIED IDEOGRAPH:'DF47:57159:&#x7B64 CJK UNIFIED IDEOGRAPH:'DF48:57160:&#x7B6D CJK UNIFIED IDEOGRAPH:'DF49:57161:&#x7B74 CJK UNIFIED IDEOGRAPH:'DF4A:57162:&#x7B69 CJK UNIFIED IDEOGRAPH:'DF4B:57163:&#x7B72 CJK UNIFIED IDEOGRAPH:'DF4C:57164:&#x7B65 CJK UNIFIED IDEOGRAPH:'DF4D:57165:&#x7B73 CJK UNIFIED IDEOGRAPH:'DF4E:57166:&#x7B71 CJK UNIFIED IDEOGRAPH:'DF4F:57167:&#x7B70 CJK UNIFIED IDEOGRAPH:'DF50:57168:&#x7B61 CJK UNIFIED IDEOGRAPH:'DF51:57169:&#x7B78 CJK UNIFIED IDEOGRAPH:'DF52:57170:&#x7B76 CJK UNIFIED IDEOGRAPH:'DF53:57171:&#x7B63 CJK UNIFIED IDEOGRAPH:'DF54:57172:&#x7CB2 CJK UNIFIED IDEOGRAPH:'DF55:57173:&#x7CB4 CJK UNIFIED IDEOGRAPH:'DF56:57174:&#x7CAF CJK UNIFIED IDEOGRAPH:'DF57:57175:&#x7D88 CJK UNIFIED IDEOGRAPH:'DF58:57176:&#x7D86 CJK UNIFIED IDEOGRAPH:'DF59:57177:&#x7D80 CJK UNIFIED IDEOGRAPH:'DF5A:57178:&#x7D8D CJK UNIFIED IDEOGRAPH:'DF5B:57179:&#x7D7F CJK UNIFIED IDEOGRAPH:'DF5C:57180:&#x7D85 CJK UNIFIED IDEOGRAPH:'DF5D:57181:&#x7D7A CJK UNIFIED IDEOGRAPH:'DF5E:57182:&#x7D8E CJK UNIFIED IDEOGRAPH:'DF5F:57183:&#x7D7B CJK UNIFIED IDEOGRAPH:'DF60:57184:&#x7D83 CJK UNIFIED IDEOGRAPH:'DF61:57185:&#x7D7C CJK UNIFIED IDEOGRAPH:'DF62:57186:&#x7D8C CJK UNIFIED IDEOGRAPH:'DF63:57187:&#x7D94 CJK UNIFIED IDEOGRAPH:'DF64:57188:&#x7D84 CJK UNIFIED IDEOGRAPH:'DF65:57189:&#x7D7D CJK UNIFIED IDEOGRAPH:'DF66:57190:&#x7D92 CJK UNIFIED IDEOGRAPH:'DF67:57191:&#x7F6D CJK UNIFIED IDEOGRAPH:'DF68:57192:&#x7F6B CJK UNIFIED IDEOGRAPH:'DF69:57193:&#x7F67 CJK UNIFIED IDEOGRAPH:'DF6A:57194:&#x7F68 CJK UNIFIED IDEOGRAPH:'DF6B:57195:&#x7F6C CJK UNIFIED IDEOGRAPH:'DF6C:57196:&#x7FA6 CJK UNIFIED IDEOGRAPH:'DF6D:57197:&#x7FA5 CJK UNIFIED IDEOGRAPH:'DF6E:57198:&#x7FA7 CJK UNIFIED IDEOGRAPH:'DF6F:57199:&#x7FDB CJK UNIFIED IDEOGRAPH:'DF70:57200:&#x7FDC CJK UNIFIED IDEOGRAPH:'DF71:57201:&#x8021 CJK UNIFIED IDEOGRAPH:'DF72:57202:&#x8164 CJK UNIFIED IDEOGRAPH:'DF73:57203:&#x8160 CJK UNIFIED IDEOGRAPH:'DF74:57204:&#x8177 CJK UNIFIED IDEOGRAPH:'DF75:57205:&#x815C CJK UNIFIED IDEOGRAPH:'DF76:57206:&#x8169 CJK UNIFIED IDEOGRAPH:'DF77:57207:&#x815B CJK UNIFIED IDEOGRAPH:'DF78:57208:&#x8162 CJK UNIFIED IDEOGRAPH:'DF79:57209:&#x8172 CJK UNIFIED IDEOGRAPH:'DF7A:57210:&#x6721 CJK UNIFIED IDEOGRAPH:'DF7B:57211:&#x815E CJK UNIFIED IDEOGRAPH:'DF7C:57212:&#x8176 CJK UNIFIED IDEOGRAPH:'DF7D:57213:&#x8167 CJK UNIFIED IDEOGRAPH:'DF7E:57214:&#x816F CJK UNIFIED IDEOGRAPH:'DFA1:57249:&#x8144 CJK UNIFIED IDEOGRAPH:'DFA2:57250:&#x8161 CJK UNIFIED IDEOGRAPH:'DFA3:57251:&#x821D CJK UNIFIED IDEOGRAPH:'DFA4:57252:&#x8249 CJK UNIFIED IDEOGRAPH:'DFA5:57253:&#x8244 CJK UNIFIED IDEOGRAPH:'DFA6:57254:&#x8240 CJK UNIFIED IDEOGRAPH:'DFA7:57255:&#x8242 CJK UNIFIED IDEOGRAPH:'DFA8:57256:&#x8245 CJK UNIFIED IDEOGRAPH:'DFA9:57257:&#x84F1 CJK UNIFIED IDEOGRAPH:'DFAA:57258:&#x843F CJK UNIFIED IDEOGRAPH:'DFAB:57259:&#x8456 CJK UNIFIED IDEOGRAPH:'DFAC:57260:&#x8476 CJK UNIFIED IDEOGRAPH:'DFAD:57261:&#x8479 CJK UNIFIED IDEOGRAPH:'DFAE:57262:&#x848F CJK UNIFIED IDEOGRAPH:'DFAF:57263:&#x848D CJK UNIFIED IDEOGRAPH:'DFB0:57264:&#x8465 CJK UNIFIED IDEOGRAPH:'DFB1:57265:&#x8451 CJK UNIFIED IDEOGRAPH:'DFB2:57266:&#x8440 CJK UNIFIED IDEOGRAPH:'DFB3:57267:&#x8486 CJK UNIFIED IDEOGRAPH:'DFB4:57268:&#x8467 CJK UNIFIED IDEOGRAPH:'DFB5:57269:&#x8430 CJK UNIFIED IDEOGRAPH:'DFB6:57270:&#x844D CJK UNIFIED IDEOGRAPH:'DFB7:57271:&#x847D CJK UNIFIED IDEOGRAPH:'DFB8:57272:&#x845A CJK UNIFIED IDEOGRAPH:'DFB9:57273:&#x8459 CJK UNIFIED IDEOGRAPH:'DFBA:57274:&#x8474 CJK UNIFIED IDEOGRAPH:'DFBB:57275:&#x8473 CJK UNIFIED IDEOGRAPH:'DFBC:57276:&#x845D CJK UNIFIED IDEOGRAPH:'DFBD:57277:&#x8507 CJK UNIFIED IDEOGRAPH:'DFBE:57278:&#x845E CJK UNIFIED IDEOGRAPH:'DFBF:57279:&#x8437 CJK UNIFIED IDEOGRAPH:'DFC0:57280:&#x843A CJK UNIFIED IDEOGRAPH:'DFC1:57281:&#x8434 CJK UNIFIED IDEOGRAPH:'DFC2:57282:&#x847A CJK UNIFIED IDEOGRAPH:'DFC3:57283:&#x8443 CJK UNIFIED IDEOGRAPH:'DFC4:57284:&#x8478 CJK UNIFIED IDEOGRAPH:'DFC5:57285:&#x8432 CJK UNIFIED IDEOGRAPH:'DFC6:57286:&#x8445 CJK UNIFIED IDEOGRAPH:'DFC7:57287:&#x8429 CJK UNIFIED IDEOGRAPH:'DFC8:57288:&#x83D9 CJK UNIFIED IDEOGRAPH:'DFC9:57289:&#x844B CJK UNIFIED IDEOGRAPH:'DFCA:57290:&#x842F CJK UNIFIED IDEOGRAPH:'DFCB:57291:&#x8442 CJK UNIFIED IDEOGRAPH:'DFCC:57292:&#x842D CJK UNIFIED IDEOGRAPH:'DFCD:57293:&#x845F CJK UNIFIED IDEOGRAPH:'DFCE:57294:&#x8470 CJK UNIFIED IDEOGRAPH:'DFCF:57295:&#x8439 CJK UNIFIED IDEOGRAPH:'DFD0:57296:&#x844E CJK UNIFIED IDEOGRAPH:'DFD1:57297:&#x844C CJK UNIFIED IDEOGRAPH:'DFD2:57298:&#x8452 CJK UNIFIED IDEOGRAPH:'DFD3:57299:&#x846F CJK UNIFIED IDEOGRAPH:'DFD4:57300:&#x84C5 CJK UNIFIED IDEOGRAPH:'DFD5:57301:&#x848E CJK UNIFIED IDEOGRAPH:'DFD6:57302:&#x843B CJK UNIFIED IDEOGRAPH:'DFD7:57303:&#x8447 CJK UNIFIED IDEOGRAPH:'DFD8:57304:&#x8436 CJK UNIFIED IDEOGRAPH:'DFD9:57305:&#x8433 CJK UNIFIED IDEOGRAPH:'DFDA:57306:&#x8468 CJK UNIFIED IDEOGRAPH:'DFDB:57307:&#x847E CJK UNIFIED IDEOGRAPH:'DFDC:57308:&#x8444 CJK UNIFIED IDEOGRAPH:'DFDD:57309:&#x842B CJK UNIFIED IDEOGRAPH:'DFDE:57310:&#x8460 CJK UNIFIED IDEOGRAPH:'DFDF:57311:&#x8454 CJK UNIFIED IDEOGRAPH:'DFE0:57312:&#x846E CJK UNIFIED IDEOGRAPH:'DFE1:57313:&#x8450 CJK UNIFIED IDEOGRAPH:'DFE2:57314:&#x870B CJK UNIFIED IDEOGRAPH:'DFE3:57315:&#x8704 CJK UNIFIED IDEOGRAPH:'DFE4:57316:&#x86F7 CJK UNIFIED IDEOGRAPH:'DFE5:57317:&#x870C CJK UNIFIED IDEOGRAPH:'DFE6:57318:&#x86FA CJK UNIFIED IDEOGRAPH:'DFE7:57319:&#x86D6 CJK UNIFIED IDEOGRAPH:'DFE8:57320:&#x86F5 CJK UNIFIED IDEOGRAPH:'DFE9:57321:&#x874D CJK UNIFIED IDEOGRAPH:'DFEA:57322:&#x86F8 CJK UNIFIED IDEOGRAPH:'DFEB:57323:&#x870E CJK UNIFIED IDEOGRAPH:'DFEC:57324:&#x8709 CJK UNIFIED IDEOGRAPH:'DFED:57325:&#x8701 CJK UNIFIED IDEOGRAPH:'DFEE:57326:&#x86F6 CJK UNIFIED IDEOGRAPH:'DFEF:57327:&#x870D CJK UNIFIED IDEOGRAPH:'DFF0:57328:&#x8705 CJK UNIFIED IDEOGRAPH:'DFF1:57329:&#x88D6 CJK UNIFIED IDEOGRAPH:'DFF2:57330:&#x88CB CJK UNIFIED IDEOGRAPH:'DFF3:57331:&#x88CD CJK UNIFIED IDEOGRAPH:'DFF4:57332:&#x88CE CJK UNIFIED IDEOGRAPH:'DFF5:57333:&#x88DE CJK UNIFIED IDEOGRAPH:'DFF6:57334:&#x88DB CJK UNIFIED IDEOGRAPH:'DFF7:57335:&#x88DA CJK UNIFIED IDEOGRAPH:'DFF8:57336:&#x88CC CJK UNIFIED IDEOGRAPH:'DFF9:57337:&#x88D0 CJK UNIFIED IDEOGRAPH:'DFFA:57338:&#x8985 CJK UNIFIED IDEOGRAPH:'DFFB:57339:&#x899B CJK UNIFIED IDEOGRAPH:'DFFC:57340:&#x89DF CJK UNIFIED IDEOGRAPH:'DFFD:57341:&#x89E5 CJK UNIFIED IDEOGRAPH:'DFFE:57342:&#x89E4 CJK UNIFIED IDEOGRAPH:'E040:57408:&#x89E1 CJK UNIFIED IDEOGRAPH:'E041:57409:&#x89E0 CJK UNIFIED IDEOGRAPH:'E042:57410:&#x89E2 CJK UNIFIED IDEOGRAPH:'E043:57411:&#x89DC CJK UNIFIED IDEOGRAPH:'E044:57412:&#x89E6 CJK UNIFIED IDEOGRAPH:'E045:57413:&#x8A76 CJK UNIFIED IDEOGRAPH:'E046:57414:&#x8A86 CJK UNIFIED IDEOGRAPH:'E047:57415:&#x8A7F CJK UNIFIED IDEOGRAPH:'E048:57416:&#x8A61 CJK UNIFIED IDEOGRAPH:'E049:57417:&#x8A3F CJK UNIFIED IDEOGRAPH:'E04A:57418:&#x8A77 CJK UNIFIED IDEOGRAPH:'E04B:57419:&#x8A82 CJK UNIFIED IDEOGRAPH:'E04C:57420:&#x8A84 CJK UNIFIED IDEOGRAPH:'E04D:57421:&#x8A75 CJK UNIFIED IDEOGRAPH:'E04E:57422:&#x8A83 CJK UNIFIED IDEOGRAPH:'E04F:57423:&#x8A81 CJK UNIFIED IDEOGRAPH:'E050:57424:&#x8A74 CJK UNIFIED IDEOGRAPH:'E051:57425:&#x8A7A CJK UNIFIED IDEOGRAPH:'E052:57426:&#x8C3C CJK UNIFIED IDEOGRAPH:'E053:57427:&#x8C4B CJK UNIFIED IDEOGRAPH:'E054:57428:&#x8C4A CJK UNIFIED IDEOGRAPH:'E055:57429:&#x8C65 CJK UNIFIED IDEOGRAPH:'E056:57430:&#x8C64 CJK UNIFIED IDEOGRAPH:'E057:57431:&#x8C66 CJK UNIFIED IDEOGRAPH:'E058:57432:&#x8C86 CJK UNIFIED IDEOGRAPH:'E059:57433:&#x8C84 CJK UNIFIED IDEOGRAPH:'E05A:57434:&#x8C85 CJK UNIFIED IDEOGRAPH:'E05B:57435:&#x8CCC CJK UNIFIED IDEOGRAPH:'E05C:57436:&#x8D68 CJK UNIFIED IDEOGRAPH:'E05D:57437:&#x8D69 CJK UNIFIED IDEOGRAPH:'E05E:57438:&#x8D91 CJK UNIFIED IDEOGRAPH:'E05F:57439:&#x8D8C CJK UNIFIED IDEOGRAPH:'E060:57440:&#x8D8E CJK UNIFIED IDEOGRAPH:'E061:57441:&#x8D8F CJK UNIFIED IDEOGRAPH:'E062:57442:&#x8D8D CJK UNIFIED IDEOGRAPH:'E063:57443:&#x8D93 CJK UNIFIED IDEOGRAPH:'E064:57444:&#x8D94 CJK UNIFIED IDEOGRAPH:'E065:57445:&#x8D90 CJK UNIFIED IDEOGRAPH:'E066:57446:&#x8D92 CJK UNIFIED IDEOGRAPH:'E067:57447:&#x8DF0 CJK UNIFIED IDEOGRAPH:'E068:57448:&#x8DE0 CJK UNIFIED IDEOGRAPH:'E069:57449:&#x8DEC CJK UNIFIED IDEOGRAPH:'E06A:57450:&#x8DF1 CJK UNIFIED IDEOGRAPH:'E06B:57451:&#x8DEE CJK UNIFIED IDEOGRAPH:'E06C:57452:&#x8DD0 CJK UNIFIED IDEOGRAPH:'E06D:57453:&#x8DE9 CJK UNIFIED IDEOGRAPH:'E06E:57454:&#x8DE3 CJK UNIFIED IDEOGRAPH:'E06F:57455:&#x8DE2 CJK UNIFIED IDEOGRAPH:'E070:57456:&#x8DE7 CJK UNIFIED IDEOGRAPH:'E071:57457:&#x8DF2 CJK UNIFIED IDEOGRAPH:'E072:57458:&#x8DEB CJK UNIFIED IDEOGRAPH:'E073:57459:&#x8DF4 CJK UNIFIED IDEOGRAPH:'E074:57460:&#x8F06 CJK UNIFIED IDEOGRAPH:'E075:57461:&#x8EFF CJK UNIFIED IDEOGRAPH:'E076:57462:&#x8F01 CJK UNIFIED IDEOGRAPH:'E077:57463:&#x8F00 CJK UNIFIED IDEOGRAPH:'E078:57464:&#x8F05 CJK UNIFIED IDEOGRAPH:'E079:57465:&#x8F07 CJK UNIFIED IDEOGRAPH:'E07A:57466:&#x8F08 CJK UNIFIED IDEOGRAPH:'E07B:57467:&#x8F02 CJK UNIFIED IDEOGRAPH:'E07C:57468:&#x8F0B CJK UNIFIED IDEOGRAPH:'E07D:57469:&#x9052 CJK UNIFIED IDEOGRAPH:'E07E:57470:&#x903F CJK UNIFIED IDEOGRAPH:'E0A1:57505:&#x9044 CJK UNIFIED IDEOGRAPH:'E0A2:57506:&#x9049 CJK UNIFIED IDEOGRAPH:'E0A3:57507:&#x903D CJK UNIFIED IDEOGRAPH:'E0A4:57508:&#x9110 CJK UNIFIED IDEOGRAPH:'E0A5:57509:&#x910D CJK UNIFIED IDEOGRAPH:'E0A6:57510:&#x910F CJK UNIFIED IDEOGRAPH:'E0A7:57511:&#x9111 CJK UNIFIED IDEOGRAPH:'E0A8:57512:&#x9116 CJK UNIFIED IDEOGRAPH:'E0A9:57513:&#x9114 CJK UNIFIED IDEOGRAPH:'E0AA:57514:&#x910B CJK UNIFIED IDEOGRAPH:'E0AB:57515:&#x910E CJK UNIFIED IDEOGRAPH:'E0AC:57516:&#x916E CJK UNIFIED IDEOGRAPH:'E0AD:57517:&#x916F CJK UNIFIED IDEOGRAPH:'E0AE:57518:&#x9248 CJK UNIFIED IDEOGRAPH:'E0AF:57519:&#x9252 CJK UNIFIED IDEOGRAPH:'E0B0:57520:&#x9230 CJK UNIFIED IDEOGRAPH:'E0B1:57521:&#x923A CJK UNIFIED IDEOGRAPH:'E0B2:57522:&#x9266 CJK UNIFIED IDEOGRAPH:'E0B3:57523:&#x9233 CJK UNIFIED IDEOGRAPH:'E0B4:57524:&#x9265 CJK UNIFIED IDEOGRAPH:'E0B5:57525:&#x925E CJK UNIFIED IDEOGRAPH:'E0B6:57526:&#x9283 CJK UNIFIED IDEOGRAPH:'E0B7:57527:&#x922E CJK UNIFIED IDEOGRAPH:'E0B8:57528:&#x924A CJK UNIFIED IDEOGRAPH:'E0B9:57529:&#x9246 CJK UNIFIED IDEOGRAPH:'E0BA:57530:&#x926D CJK UNIFIED IDEOGRAPH:'E0BB:57531:&#x926C CJK UNIFIED IDEOGRAPH:'E0BC:57532:&#x924F CJK UNIFIED IDEOGRAPH:'E0BD:57533:&#x9260 CJK UNIFIED IDEOGRAPH:'E0BE:57534:&#x9267 CJK UNIFIED IDEOGRAPH:'E0BF:57535:&#x926F CJK UNIFIED IDEOGRAPH:'E0C0:57536:&#x9236 CJK UNIFIED IDEOGRAPH:'E0C1:57537:&#x9261 CJK UNIFIED IDEOGRAPH:'E0C2:57538:&#x9270 CJK UNIFIED IDEOGRAPH:'E0C3:57539:&#x9231 CJK UNIFIED IDEOGRAPH:'E0C4:57540:&#x9254 CJK UNIFIED IDEOGRAPH:'E0C5:57541:&#x9263 CJK UNIFIED IDEOGRAPH:'E0C6:57542:&#x9250 CJK UNIFIED IDEOGRAPH:'E0C7:57543:&#x9272 CJK UNIFIED IDEOGRAPH:'E0C8:57544:&#x924E CJK UNIFIED IDEOGRAPH:'E0C9:57545:&#x9253 CJK UNIFIED IDEOGRAPH:'E0CA:57546:&#x924C CJK UNIFIED IDEOGRAPH:'E0CB:57547:&#x9256 CJK UNIFIED IDEOGRAPH:'E0CC:57548:&#x9232 CJK UNIFIED IDEOGRAPH:'E0CD:57549:&#x959F CJK UNIFIED IDEOGRAPH:'E0CE:57550:&#x959C CJK UNIFIED IDEOGRAPH:'E0CF:57551:&#x959E CJK UNIFIED IDEOGRAPH:'E0D0:57552:&#x959B CJK UNIFIED IDEOGRAPH:'E0D1:57553:&#x9692 CJK UNIFIED IDEOGRAPH:'E0D2:57554:&#x9693 CJK UNIFIED IDEOGRAPH:'E0D3:57555:&#x9691 CJK UNIFIED IDEOGRAPH:'E0D4:57556:&#x9697 CJK UNIFIED IDEOGRAPH:'E0D5:57557:&#x96CE CJK UNIFIED IDEOGRAPH:'E0D6:57558:&#x96FA CJK UNIFIED IDEOGRAPH:'E0D7:57559:&#x96FD CJK UNIFIED IDEOGRAPH:'E0D8:57560:&#x96F8 CJK UNIFIED IDEOGRAPH:'E0D9:57561:&#x96F5 CJK UNIFIED IDEOGRAPH:'E0DA:57562:&#x9773 CJK UNIFIED IDEOGRAPH:'E0DB:57563:&#x9777 CJK UNIFIED IDEOGRAPH:'E0DC:57564:&#x9778 CJK UNIFIED IDEOGRAPH:'E0DD:57565:&#x9772 CJK UNIFIED IDEOGRAPH:'E0DE:57566:&#x980F CJK UNIFIED IDEOGRAPH:'E0DF:57567:&#x980D CJK UNIFIED IDEOGRAPH:'E0E0:57568:&#x980E CJK UNIFIED IDEOGRAPH:'E0E1:57569:&#x98AC CJK UNIFIED IDEOGRAPH:'E0E2:57570:&#x98F6 CJK UNIFIED IDEOGRAPH:'E0E3:57571:&#x98F9 CJK UNIFIED IDEOGRAPH:'E0E4:57572:&#x99AF CJK UNIFIED IDEOGRAPH:'E0E5:57573:&#x99B2 CJK UNIFIED IDEOGRAPH:'E0E6:57574:&#x99B0 CJK UNIFIED IDEOGRAPH:'E0E7:57575:&#x99B5 CJK UNIFIED IDEOGRAPH:'E0E8:57576:&#x9AAD CJK UNIFIED IDEOGRAPH:'E0E9:57577:&#x9AAB CJK UNIFIED IDEOGRAPH:'E0EA:57578:&#x9B5B CJK UNIFIED IDEOGRAPH:'E0EB:57579:&#x9CEA CJK UNIFIED IDEOGRAPH:'E0EC:57580:&#x9CED CJK UNIFIED IDEOGRAPH:'E0ED:57581:&#x9CE7 CJK UNIFIED IDEOGRAPH:'E0EE:57582:&#x9E80 CJK UNIFIED IDEOGRAPH:'E0EF:57583:&#x9EFD CJK UNIFIED IDEOGRAPH:'E0F0:57584:&#x50E6 CJK UNIFIED IDEOGRAPH:'E0F1:57585:&#x50D4 CJK UNIFIED IDEOGRAPH:'E0F2:57586:&#x50D7 CJK UNIFIED IDEOGRAPH:'E0F3:57587:&#x50E8 CJK UNIFIED IDEOGRAPH:'E0F4:57588:&#x50F3 CJK UNIFIED IDEOGRAPH:'E0F5:57589:&#x50DB CJK UNIFIED IDEOGRAPH:'E0F6:57590:&#x50EA CJK UNIFIED IDEOGRAPH:'E0F7:57591:&#x50DD CJK UNIFIED IDEOGRAPH:'E0F8:57592:&#x50E4 CJK UNIFIED IDEOGRAPH:'E0F9:57593:&#x50D3 CJK UNIFIED IDEOGRAPH:'E0FA:57594:&#x50EC CJK UNIFIED IDEOGRAPH:'E0FB:57595:&#x50F0 CJK UNIFIED IDEOGRAPH:'E0FC:57596:&#x50EF CJK UNIFIED IDEOGRAPH:'E0FD:57597:&#x50E3 CJK UNIFIED IDEOGRAPH:'E0FE:57598:&#x50E0 CJK UNIFIED IDEOGRAPH:'E140:57664:&#x51D8 CJK UNIFIED IDEOGRAPH:'E141:57665:&#x5280 CJK UNIFIED IDEOGRAPH:'E142:57666:&#x5281 CJK UNIFIED IDEOGRAPH:'E143:57667:&#x52E9 CJK UNIFIED IDEOGRAPH:'E144:57668:&#x52EB CJK UNIFIED IDEOGRAPH:'E145:57669:&#x5330 CJK UNIFIED IDEOGRAPH:'E146:57670:&#x53AC CJK UNIFIED IDEOGRAPH:'E147:57671:&#x5627 CJK UNIFIED IDEOGRAPH:'E148:57672:&#x5615 CJK UNIFIED IDEOGRAPH:'E149:57673:&#x560C CJK UNIFIED IDEOGRAPH:'E14A:57674:&#x5612 CJK UNIFIED IDEOGRAPH:'E14B:57675:&#x55FC CJK UNIFIED IDEOGRAPH:'E14C:57676:&#x560F CJK UNIFIED IDEOGRAPH:'E14D:57677:&#x561C CJK UNIFIED IDEOGRAPH:'E14E:57678:&#x5601 CJK UNIFIED IDEOGRAPH:'E14F:57679:&#x5613 CJK UNIFIED IDEOGRAPH:'E150:57680:&#x5602 CJK UNIFIED IDEOGRAPH:'E151:57681:&#x55FA CJK UNIFIED IDEOGRAPH:'E152:57682:&#x561D CJK UNIFIED IDEOGRAPH:'E153:57683:&#x5604 CJK UNIFIED IDEOGRAPH:'E154:57684:&#x55FF CJK UNIFIED IDEOGRAPH:'E155:57685:&#x55F9 CJK UNIFIED IDEOGRAPH:'E156:57686:&#x5889 CJK UNIFIED IDEOGRAPH:'E157:57687:&#x587C CJK UNIFIED IDEOGRAPH:'E158:57688:&#x5890 CJK UNIFIED IDEOGRAPH:'E159:57689:&#x5898 CJK UNIFIED IDEOGRAPH:'E15A:57690:&#x5886 CJK UNIFIED IDEOGRAPH:'E15B:57691:&#x5881 CJK UNIFIED IDEOGRAPH:'E15C:57692:&#x587F CJK UNIFIED IDEOGRAPH:'E15D:57693:&#x5874 CJK UNIFIED IDEOGRAPH:'E15E:57694:&#x588B CJK UNIFIED IDEOGRAPH:'E15F:57695:&#x587A CJK UNIFIED IDEOGRAPH:'E160:57696:&#x5887 CJK UNIFIED IDEOGRAPH:'E161:57697:&#x5891 CJK UNIFIED IDEOGRAPH:'E162:57698:&#x588E CJK UNIFIED IDEOGRAPH:'E163:57699:&#x5876 CJK UNIFIED IDEOGRAPH:'E164:57700:&#x5882 CJK UNIFIED IDEOGRAPH:'E165:57701:&#x5888 CJK UNIFIED IDEOGRAPH:'E166:57702:&#x587B CJK UNIFIED IDEOGRAPH:'E167:57703:&#x5894 CJK UNIFIED IDEOGRAPH:'E168:57704:&#x588F CJK UNIFIED IDEOGRAPH:'E169:57705:&#x58FE CJK UNIFIED IDEOGRAPH:'E16A:57706:&#x596B CJK UNIFIED IDEOGRAPH:'E16B:57707:&#x5ADC CJK UNIFIED IDEOGRAPH:'E16C:57708:&#x5AEE CJK UNIFIED IDEOGRAPH:'E16D:57709:&#x5AE5 CJK UNIFIED IDEOGRAPH:'E16E:57710:&#x5AD5 CJK UNIFIED IDEOGRAPH:'E16F:57711:&#x5AEA CJK UNIFIED IDEOGRAPH:'E170:57712:&#x5ADA CJK UNIFIED IDEOGRAPH:'E171:57713:&#x5AED CJK UNIFIED IDEOGRAPH:'E172:57714:&#x5AEB CJK UNIFIED IDEOGRAPH:'E173:57715:&#x5AF3 CJK UNIFIED IDEOGRAPH:'E174:57716:&#x5AE2 CJK UNIFIED IDEOGRAPH:'E175:57717:&#x5AE0 CJK UNIFIED IDEOGRAPH:'E176:57718:&#x5ADB CJK UNIFIED IDEOGRAPH:'E177:57719:&#x5AEC CJK UNIFIED IDEOGRAPH:'E178:57720:&#x5ADE CJK UNIFIED IDEOGRAPH:'E179:57721:&#x5ADD CJK UNIFIED IDEOGRAPH:'E17A:57722:&#x5AD9 CJK UNIFIED IDEOGRAPH:'E17B:57723:&#x5AE8 CJK UNIFIED IDEOGRAPH:'E17C:57724:&#x5ADF CJK UNIFIED IDEOGRAPH:'E17D:57725:&#x5B77 CJK UNIFIED IDEOGRAPH:'E17E:57726:&#x5BE0 CJK UNIFIED IDEOGRAPH:'E1A1:57761:&#x5BE3 CJK UNIFIED IDEOGRAPH:'E1A2:57762:&#x5C63 CJK UNIFIED IDEOGRAPH:'E1A3:57763:&#x5D82 CJK UNIFIED IDEOGRAPH:'E1A4:57764:&#x5D80 CJK UNIFIED IDEOGRAPH:'E1A5:57765:&#x5D7D CJK UNIFIED IDEOGRAPH:'E1A6:57766:&#x5D86 CJK UNIFIED IDEOGRAPH:'E1A7:57767:&#x5D7A CJK UNIFIED IDEOGRAPH:'E1A8:57768:&#x5D81 CJK UNIFIED IDEOGRAPH:'E1A9:57769:&#x5D77 CJK UNIFIED IDEOGRAPH:'E1AA:57770:&#x5D8A CJK UNIFIED IDEOGRAPH:'E1AB:57771:&#x5D89 CJK UNIFIED IDEOGRAPH:'E1AC:57772:&#x5D88 CJK UNIFIED IDEOGRAPH:'E1AD:57773:&#x5D7E CJK UNIFIED IDEOGRAPH:'E1AE:57774:&#x5D7C CJK UNIFIED IDEOGRAPH:'E1AF:57775:&#x5D8D CJK UNIFIED IDEOGRAPH:'E1B0:57776:&#x5D79 CJK UNIFIED IDEOGRAPH:'E1B1:57777:&#x5D7F CJK UNIFIED IDEOGRAPH:'E1B2:57778:&#x5E58 CJK UNIFIED IDEOGRAPH:'E1B3:57779:&#x5E59 CJK UNIFIED IDEOGRAPH:'E1B4:57780:&#x5E53 CJK UNIFIED IDEOGRAPH:'E1B5:57781:&#x5ED8 CJK UNIFIED IDEOGRAPH:'E1B6:57782:&#x5ED1 CJK UNIFIED IDEOGRAPH:'E1B7:57783:&#x5ED7 CJK UNIFIED IDEOGRAPH:'E1B8:57784:&#x5ECE CJK UNIFIED IDEOGRAPH:'E1B9:57785:&#x5EDC CJK UNIFIED IDEOGRAPH:'E1BA:57786:&#x5ED5 CJK UNIFIED IDEOGRAPH:'E1BB:57787:&#x5ED9 CJK UNIFIED IDEOGRAPH:'E1BC:57788:&#x5ED2 CJK UNIFIED IDEOGRAPH:'E1BD:57789:&#x5ED4 CJK UNIFIED IDEOGRAPH:'E1BE:57790:&#x5F44 CJK UNIFIED IDEOGRAPH:'E1BF:57791:&#x5F43 CJK UNIFIED IDEOGRAPH:'E1C0:57792:&#x5F6F CJK UNIFIED IDEOGRAPH:'E1C1:57793:&#x5FB6 CJK UNIFIED IDEOGRAPH:'E1C2:57794:&#x612C CJK UNIFIED IDEOGRAPH:'E1C3:57795:&#x6128 CJK UNIFIED IDEOGRAPH:'E1C4:57796:&#x6141 CJK UNIFIED IDEOGRAPH:'E1C5:57797:&#x615E CJK UNIFIED IDEOGRAPH:'E1C6:57798:&#x6171 CJK UNIFIED IDEOGRAPH:'E1C7:57799:&#x6173 CJK UNIFIED IDEOGRAPH:'E1C8:57800:&#x6152 CJK UNIFIED IDEOGRAPH:'E1C9:57801:&#x6153 CJK UNIFIED IDEOGRAPH:'E1CA:57802:&#x6172 CJK UNIFIED IDEOGRAPH:'E1CB:57803:&#x616C CJK UNIFIED IDEOGRAPH:'E1CC:57804:&#x6180 CJK UNIFIED IDEOGRAPH:'E1CD:57805:&#x6174 CJK UNIFIED IDEOGRAPH:'E1CE:57806:&#x6154 CJK UNIFIED IDEOGRAPH:'E1CF:57807:&#x617A CJK UNIFIED IDEOGRAPH:'E1D0:57808:&#x615B CJK UNIFIED IDEOGRAPH:'E1D1:57809:&#x6165 CJK UNIFIED IDEOGRAPH:'E1D2:57810:&#x613B CJK UNIFIED IDEOGRAPH:'E1D3:57811:&#x616A CJK UNIFIED IDEOGRAPH:'E1D4:57812:&#x6161 CJK UNIFIED IDEOGRAPH:'E1D5:57813:&#x6156 CJK UNIFIED IDEOGRAPH:'E1D6:57814:&#x6229 CJK UNIFIED IDEOGRAPH:'E1D7:57815:&#x6227 CJK UNIFIED IDEOGRAPH:'E1D8:57816:&#x622B CJK UNIFIED IDEOGRAPH:'E1D9:57817:&#x642B CJK UNIFIED IDEOGRAPH:'E1DA:57818:&#x644D CJK UNIFIED IDEOGRAPH:'E1DB:57819:&#x645B CJK UNIFIED IDEOGRAPH:'E1DC:57820:&#x645D CJK UNIFIED IDEOGRAPH:'E1DD:57821:&#x6474 CJK UNIFIED IDEOGRAPH:'E1DE:57822:&#x6476 CJK UNIFIED IDEOGRAPH:'E1DF:57823:&#x6472 CJK UNIFIED IDEOGRAPH:'E1E0:57824:&#x6473 CJK UNIFIED IDEOGRAPH:'E1E1:57825:&#x647D CJK UNIFIED IDEOGRAPH:'E1E2:57826:&#x6475 CJK UNIFIED IDEOGRAPH:'E1E3:57827:&#x6466 CJK UNIFIED IDEOGRAPH:'E1E4:57828:&#x64A6 CJK UNIFIED IDEOGRAPH:'E1E5:57829:&#x644E CJK UNIFIED IDEOGRAPH:'E1E6:57830:&#x6482 CJK UNIFIED IDEOGRAPH:'E1E7:57831:&#x645E CJK UNIFIED IDEOGRAPH:'E1E8:57832:&#x645C CJK UNIFIED IDEOGRAPH:'E1E9:57833:&#x644B CJK UNIFIED IDEOGRAPH:'E1EA:57834:&#x6453 CJK UNIFIED IDEOGRAPH:'E1EB:57835:&#x6460 CJK UNIFIED IDEOGRAPH:'E1EC:57836:&#x6450 CJK UNIFIED IDEOGRAPH:'E1ED:57837:&#x647F CJK UNIFIED IDEOGRAPH:'E1EE:57838:&#x643F CJK UNIFIED IDEOGRAPH:'E1EF:57839:&#x646C CJK UNIFIED IDEOGRAPH:'E1F0:57840:&#x646B CJK UNIFIED IDEOGRAPH:'E1F1:57841:&#x6459 CJK UNIFIED IDEOGRAPH:'E1F2:57842:&#x6465 CJK UNIFIED IDEOGRAPH:'E1F3:57843:&#x6477 CJK UNIFIED IDEOGRAPH:'E1F4:57844:&#x6573 CJK UNIFIED IDEOGRAPH:'E1F5:57845:&#x65A0 CJK UNIFIED IDEOGRAPH:'E1F6:57846:&#x66A1 CJK UNIFIED IDEOGRAPH:'E1F7:57847:&#x66A0 CJK UNIFIED IDEOGRAPH:'E1F8:57848:&#x669F CJK UNIFIED IDEOGRAPH:'E1F9:57849:&#x6705 CJK UNIFIED IDEOGRAPH:'E1FA:57850:&#x6704 CJK UNIFIED IDEOGRAPH:'E1FB:57851:&#x6722 CJK UNIFIED IDEOGRAPH:'E1FC:57852:&#x69B1 CJK UNIFIED IDEOGRAPH:'E1FD:57853:&#x69B6 CJK UNIFIED IDEOGRAPH:'E1FE:57854:&#x69C9 CJK UNIFIED IDEOGRAPH:'E240:57920:&#x69A0 CJK UNIFIED IDEOGRAPH:'E241:57921:&#x69CE CJK UNIFIED IDEOGRAPH:'E242:57922:&#x6996 CJK UNIFIED IDEOGRAPH:'E243:57923:&#x69B0 CJK UNIFIED IDEOGRAPH:'E244:57924:&#x69AC CJK UNIFIED IDEOGRAPH:'E245:57925:&#x69BC CJK UNIFIED IDEOGRAPH:'E246:57926:&#x6991 CJK UNIFIED IDEOGRAPH:'E247:57927:&#x6999 CJK UNIFIED IDEOGRAPH:'E248:57928:&#x698E CJK UNIFIED IDEOGRAPH:'E249:57929:&#x69A7 CJK UNIFIED IDEOGRAPH:'E24A:57930:&#x698D CJK UNIFIED IDEOGRAPH:'E24B:57931:&#x69A9 CJK UNIFIED IDEOGRAPH:'E24C:57932:&#x69BE CJK UNIFIED IDEOGRAPH:'E24D:57933:&#x69AF CJK UNIFIED IDEOGRAPH:'E24E:57934:&#x69BF CJK UNIFIED IDEOGRAPH:'E24F:57935:&#x69C4 CJK UNIFIED IDEOGRAPH:'E250:57936:&#x69BD CJK UNIFIED IDEOGRAPH:'E251:57937:&#x69A4 CJK UNIFIED IDEOGRAPH:'E252:57938:&#x69D4 CJK UNIFIED IDEOGRAPH:'E253:57939:&#x69B9 CJK UNIFIED IDEOGRAPH:'E254:57940:&#x69CA CJK UNIFIED IDEOGRAPH:'E255:57941:&#x699A CJK UNIFIED IDEOGRAPH:'E256:57942:&#x69CF CJK UNIFIED IDEOGRAPH:'E257:57943:&#x69B3 CJK UNIFIED IDEOGRAPH:'E258:57944:&#x6993 CJK UNIFIED IDEOGRAPH:'E259:57945:&#x69AA CJK UNIFIED IDEOGRAPH:'E25A:57946:&#x69A1 CJK UNIFIED IDEOGRAPH:'E25B:57947:&#x699E CJK UNIFIED IDEOGRAPH:'E25C:57948:&#x69D9 CJK UNIFIED IDEOGRAPH:'E25D:57949:&#x6997 CJK UNIFIED IDEOGRAPH:'E25E:57950:&#x6990 CJK UNIFIED IDEOGRAPH:'E25F:57951:&#x69C2 CJK UNIFIED IDEOGRAPH:'E260:57952:&#x69B5 CJK UNIFIED IDEOGRAPH:'E261:57953:&#x69A5 CJK UNIFIED IDEOGRAPH:'E262:57954:&#x69C6 CJK UNIFIED IDEOGRAPH:'E263:57955:&#x6B4A CJK UNIFIED IDEOGRAPH:'E264:57956:&#x6B4D CJK UNIFIED IDEOGRAPH:'E265:57957:&#x6B4B CJK UNIFIED IDEOGRAPH:'E266:57958:&#x6B9E CJK UNIFIED IDEOGRAPH:'E267:57959:&#x6B9F CJK UNIFIED IDEOGRAPH:'E268:57960:&#x6BA0 CJK UNIFIED IDEOGRAPH:'E269:57961:&#x6BC3 CJK UNIFIED IDEOGRAPH:'E26A:57962:&#x6BC4 CJK UNIFIED IDEOGRAPH:'E26B:57963:&#x6BFE CJK UNIFIED IDEOGRAPH:'E26C:57964:&#x6ECE CJK UNIFIED IDEOGRAPH:'E26D:57965:&#x6EF5 CJK UNIFIED IDEOGRAPH:'E26E:57966:&#x6EF1 CJK UNIFIED IDEOGRAPH:'E26F:57967:&#x6F03 CJK UNIFIED IDEOGRAPH:'E270:57968:&#x6F25 CJK UNIFIED IDEOGRAPH:'E271:57969:&#x6EF8 CJK UNIFIED IDEOGRAPH:'E272:57970:&#x6F37 CJK UNIFIED IDEOGRAPH:'E273:57971:&#x6EFB CJK UNIFIED IDEOGRAPH:'E274:57972:&#x6F2E CJK UNIFIED IDEOGRAPH:'E275:57973:&#x6F09 CJK UNIFIED IDEOGRAPH:'E276:57974:&#x6F4E CJK UNIFIED IDEOGRAPH:'E277:57975:&#x6F19 CJK UNIFIED IDEOGRAPH:'E278:57976:&#x6F1A CJK UNIFIED IDEOGRAPH:'E279:57977:&#x6F27 CJK UNIFIED IDEOGRAPH:'E27A:57978:&#x6F18 CJK UNIFIED IDEOGRAPH:'E27B:57979:&#x6F3B CJK UNIFIED IDEOGRAPH:'E27C:57980:&#x6F12 CJK UNIFIED IDEOGRAPH:'E27D:57981:&#x6EED CJK UNIFIED IDEOGRAPH:'E27E:57982:&#x6F0A CJK UNIFIED IDEOGRAPH:'E2A1:58017:&#x6F36 CJK UNIFIED IDEOGRAPH:'E2A2:58018:&#x6F73 CJK UNIFIED IDEOGRAPH:'E2A3:58019:&#x6EF9 CJK UNIFIED IDEOGRAPH:'E2A4:58020:&#x6EEE CJK UNIFIED IDEOGRAPH:'E2A5:58021:&#x6F2D CJK UNIFIED IDEOGRAPH:'E2A6:58022:&#x6F40 CJK UNIFIED IDEOGRAPH:'E2A7:58023:&#x6F30 CJK UNIFIED IDEOGRAPH:'E2A8:58024:&#x6F3C CJK UNIFIED IDEOGRAPH:'E2A9:58025:&#x6F35 CJK UNIFIED IDEOGRAPH:'E2AA:58026:&#x6EEB CJK UNIFIED IDEOGRAPH:'E2AB:58027:&#x6F07 CJK UNIFIED IDEOGRAPH:'E2AC:58028:&#x6F0E CJK UNIFIED IDEOGRAPH:'E2AD:58029:&#x6F43 CJK UNIFIED IDEOGRAPH:'E2AE:58030:&#x6F05 CJK UNIFIED IDEOGRAPH:'E2AF:58031:&#x6EFD CJK UNIFIED IDEOGRAPH:'E2B0:58032:&#x6EF6 CJK UNIFIED IDEOGRAPH:'E2B1:58033:&#x6F39 CJK UNIFIED IDEOGRAPH:'E2B2:58034:&#x6F1C CJK UNIFIED IDEOGRAPH:'E2B3:58035:&#x6EFC CJK UNIFIED IDEOGRAPH:'E2B4:58036:&#x6F3A CJK UNIFIED IDEOGRAPH:'E2B5:58037:&#x6F1F CJK UNIFIED IDEOGRAPH:'E2B6:58038:&#x6F0D CJK UNIFIED IDEOGRAPH:'E2B7:58039:&#x6F1E CJK UNIFIED IDEOGRAPH:'E2B8:58040:&#x6F08 CJK UNIFIED IDEOGRAPH:'E2B9:58041:&#x6F21 CJK UNIFIED IDEOGRAPH:'E2BA:58042:&#x7187 CJK UNIFIED IDEOGRAPH:'E2BB:58043:&#x7190 CJK UNIFIED IDEOGRAPH:'E2BC:58044:&#x7189 CJK UNIFIED IDEOGRAPH:'E2BD:58045:&#x7180 CJK UNIFIED IDEOGRAPH:'E2BE:58046:&#x7185 CJK UNIFIED IDEOGRAPH:'E2BF:58047:&#x7182 CJK UNIFIED IDEOGRAPH:'E2C0:58048:&#x718F CJK UNIFIED IDEOGRAPH:'E2C1:58049:&#x717B CJK UNIFIED IDEOGRAPH:'E2C2:58050:&#x7186 CJK UNIFIED IDEOGRAPH:'E2C3:58051:&#x7181 CJK UNIFIED IDEOGRAPH:'E2C4:58052:&#x7197 CJK UNIFIED IDEOGRAPH:'E2C5:58053:&#x7244 CJK UNIFIED IDEOGRAPH:'E2C6:58054:&#x7253 CJK UNIFIED IDEOGRAPH:'E2C7:58055:&#x7297 CJK UNIFIED IDEOGRAPH:'E2C8:58056:&#x7295 CJK UNIFIED IDEOGRAPH:'E2C9:58057:&#x7293 CJK UNIFIED IDEOGRAPH:'E2CA:58058:&#x7343 CJK UNIFIED IDEOGRAPH:'E2CB:58059:&#x734D CJK UNIFIED IDEOGRAPH:'E2CC:58060:&#x7351 CJK UNIFIED IDEOGRAPH:'E2CD:58061:&#x734C CJK UNIFIED IDEOGRAPH:'E2CE:58062:&#x7462 CJK UNIFIED IDEOGRAPH:'E2CF:58063:&#x7473 CJK UNIFIED IDEOGRAPH:'E2D0:58064:&#x7471 CJK UNIFIED IDEOGRAPH:'E2D1:58065:&#x7475 CJK UNIFIED IDEOGRAPH:'E2D2:58066:&#x7472 CJK UNIFIED IDEOGRAPH:'E2D3:58067:&#x7467 CJK UNIFIED IDEOGRAPH:'E2D4:58068:&#x746E CJK UNIFIED IDEOGRAPH:'E2D5:58069:&#x7500 CJK UNIFIED IDEOGRAPH:'E2D6:58070:&#x7502 CJK UNIFIED IDEOGRAPH:'E2D7:58071:&#x7503 CJK UNIFIED IDEOGRAPH:'E2D8:58072:&#x757D CJK UNIFIED IDEOGRAPH:'E2D9:58073:&#x7590 CJK UNIFIED IDEOGRAPH:'E2DA:58074:&#x7616 CJK UNIFIED IDEOGRAPH:'E2DB:58075:&#x7608 CJK UNIFIED IDEOGRAPH:'E2DC:58076:&#x760C CJK UNIFIED IDEOGRAPH:'E2DD:58077:&#x7615 CJK UNIFIED IDEOGRAPH:'E2DE:58078:&#x7611 CJK UNIFIED IDEOGRAPH:'E2DF:58079:&#x760A CJK UNIFIED IDEOGRAPH:'E2E0:58080:&#x7614 CJK UNIFIED IDEOGRAPH:'E2E1:58081:&#x76B8 CJK UNIFIED IDEOGRAPH:'E2E2:58082:&#x7781 CJK UNIFIED IDEOGRAPH:'E2E3:58083:&#x777C CJK UNIFIED IDEOGRAPH:'E2E4:58084:&#x7785 CJK UNIFIED IDEOGRAPH:'E2E5:58085:&#x7782 CJK UNIFIED IDEOGRAPH:'E2E6:58086:&#x776E CJK UNIFIED IDEOGRAPH:'E2E7:58087:&#x7780 CJK UNIFIED IDEOGRAPH:'E2E8:58088:&#x776F CJK UNIFIED IDEOGRAPH:'E2E9:58089:&#x777E CJK UNIFIED IDEOGRAPH:'E2EA:58090:&#x7783 CJK UNIFIED IDEOGRAPH:'E2EB:58091:&#x78B2 CJK UNIFIED IDEOGRAPH:'E2EC:58092:&#x78AA CJK UNIFIED IDEOGRAPH:'E2ED:58093:&#x78B4 CJK UNIFIED IDEOGRAPH:'E2EE:58094:&#x78AD CJK UNIFIED IDEOGRAPH:'E2EF:58095:&#x78A8 CJK UNIFIED IDEOGRAPH:'E2F0:58096:&#x787E CJK UNIFIED IDEOGRAPH:'E2F1:58097:&#x78AB CJK UNIFIED IDEOGRAPH:'E2F2:58098:&#x789E CJK UNIFIED IDEOGRAPH:'E2F3:58099:&#x78A5 CJK UNIFIED IDEOGRAPH:'E2F4:58100:&#x78A0 CJK UNIFIED IDEOGRAPH:'E2F5:58101:&#x78AC CJK UNIFIED IDEOGRAPH:'E2F6:58102:&#x78A2 CJK UNIFIED IDEOGRAPH:'E2F7:58103:&#x78A4 CJK UNIFIED IDEOGRAPH:'E2F8:58104:&#x7998 CJK UNIFIED IDEOGRAPH:'E2F9:58105:&#x798A CJK UNIFIED IDEOGRAPH:'E2FA:58106:&#x798B CJK UNIFIED IDEOGRAPH:'E2FB:58107:&#x7996 CJK UNIFIED IDEOGRAPH:'E2FC:58108:&#x7995 CJK UNIFIED IDEOGRAPH:'E2FD:58109:&#x7994 CJK UNIFIED IDEOGRAPH:'E2FE:58110:&#x7993 CJK UNIFIED IDEOGRAPH:'E340:58176:&#x7997 CJK UNIFIED IDEOGRAPH:'E341:58177:&#x7988 CJK UNIFIED IDEOGRAPH:'E342:58178:&#x7992 CJK UNIFIED IDEOGRAPH:'E343:58179:&#x7990 CJK UNIFIED IDEOGRAPH:'E344:58180:&#x7A2B CJK UNIFIED IDEOGRAPH:'E345:58181:&#x7A4A CJK UNIFIED IDEOGRAPH:'E346:58182:&#x7A30 CJK UNIFIED IDEOGRAPH:'E347:58183:&#x7A2F CJK UNIFIED IDEOGRAPH:'E348:58184:&#x7A28 CJK UNIFIED IDEOGRAPH:'E349:58185:&#x7A26 CJK UNIFIED IDEOGRAPH:'E34A:58186:&#x7AA8 CJK UNIFIED IDEOGRAPH:'E34B:58187:&#x7AAB CJK UNIFIED IDEOGRAPH:'E34C:58188:&#x7AAC CJK UNIFIED IDEOGRAPH:'E34D:58189:&#x7AEE CJK UNIFIED IDEOGRAPH:'E34E:58190:&#x7B88 CJK UNIFIED IDEOGRAPH:'E34F:58191:&#x7B9C CJK UNIFIED IDEOGRAPH:'E350:58192:&#x7B8A CJK UNIFIED IDEOGRAPH:'E351:58193:&#x7B91 CJK UNIFIED IDEOGRAPH:'E352:58194:&#x7B90 CJK UNIFIED IDEOGRAPH:'E353:58195:&#x7B96 CJK UNIFIED IDEOGRAPH:'E354:58196:&#x7B8D CJK UNIFIED IDEOGRAPH:'E355:58197:&#x7B8C CJK UNIFIED IDEOGRAPH:'E356:58198:&#x7B9B CJK UNIFIED IDEOGRAPH:'E357:58199:&#x7B8E CJK UNIFIED IDEOGRAPH:'E358:58200:&#x7B85 CJK UNIFIED IDEOGRAPH:'E359:58201:&#x7B98 CJK UNIFIED IDEOGRAPH:'E35A:58202:&#x5284 CJK UNIFIED IDEOGRAPH:'E35B:58203:&#x7B99 CJK UNIFIED IDEOGRAPH:'E35C:58204:&#x7BA4 CJK UNIFIED IDEOGRAPH:'E35D:58205:&#x7B82 CJK UNIFIED IDEOGRAPH:'E35E:58206:&#x7CBB CJK UNIFIED IDEOGRAPH:'E35F:58207:&#x7CBF CJK UNIFIED IDEOGRAPH:'E360:58208:&#x7CBC CJK UNIFIED IDEOGRAPH:'E361:58209:&#x7CBA CJK UNIFIED IDEOGRAPH:'E362:58210:&#x7DA7 CJK UNIFIED IDEOGRAPH:'E363:58211:&#x7DB7 CJK UNIFIED IDEOGRAPH:'E364:58212:&#x7DC2 CJK UNIFIED IDEOGRAPH:'E365:58213:&#x7DA3 CJK UNIFIED IDEOGRAPH:'E366:58214:&#x7DAA CJK UNIFIED IDEOGRAPH:'E367:58215:&#x7DC1 CJK UNIFIED IDEOGRAPH:'E368:58216:&#x7DC0 CJK UNIFIED IDEOGRAPH:'E369:58217:&#x7DC5 CJK UNIFIED IDEOGRAPH:'E36A:58218:&#x7D9D CJK UNIFIED IDEOGRAPH:'E36B:58219:&#x7DCE CJK UNIFIED IDEOGRAPH:'E36C:58220:&#x7DC4 CJK UNIFIED IDEOGRAPH:'E36D:58221:&#x7DC6 CJK UNIFIED IDEOGRAPH:'E36E:58222:&#x7DCB CJK UNIFIED IDEOGRAPH:'E36F:58223:&#x7DCC CJK UNIFIED IDEOGRAPH:'E370:58224:&#x7DAF CJK UNIFIED IDEOGRAPH:'E371:58225:&#x7DB9 CJK UNIFIED IDEOGRAPH:'E372:58226:&#x7D96 CJK UNIFIED IDEOGRAPH:'E373:58227:&#x7DBC CJK UNIFIED IDEOGRAPH:'E374:58228:&#x7D9F CJK UNIFIED IDEOGRAPH:'E375:58229:&#x7DA6 CJK UNIFIED IDEOGRAPH:'E376:58230:&#x7DAE CJK UNIFIED IDEOGRAPH:'E377:58231:&#x7DA9 CJK UNIFIED IDEOGRAPH:'E378:58232:&#x7DA1 CJK UNIFIED IDEOGRAPH:'E379:58233:&#x7DC9 CJK UNIFIED IDEOGRAPH:'E37A:58234:&#x7F73 CJK UNIFIED IDEOGRAPH:'E37B:58235:&#x7FE2 CJK UNIFIED IDEOGRAPH:'E37C:58236:&#x7FE3 CJK UNIFIED IDEOGRAPH:'E37D:58237:&#x7FE5 CJK UNIFIED IDEOGRAPH:'E37E:58238:&#x7FDE CJK UNIFIED IDEOGRAPH:'E3A1:58273:&#x8024 CJK UNIFIED IDEOGRAPH:'E3A2:58274:&#x805D CJK UNIFIED IDEOGRAPH:'E3A3:58275:&#x805C CJK UNIFIED IDEOGRAPH:'E3A4:58276:&#x8189 CJK UNIFIED IDEOGRAPH:'E3A5:58277:&#x8186 CJK UNIFIED IDEOGRAPH:'E3A6:58278:&#x8183 CJK UNIFIED IDEOGRAPH:'E3A7:58279:&#x8187 CJK UNIFIED IDEOGRAPH:'E3A8:58280:&#x818D CJK UNIFIED IDEOGRAPH:'E3A9:58281:&#x818C CJK UNIFIED IDEOGRAPH:'E3AA:58282:&#x818B CJK UNIFIED IDEOGRAPH:'E3AB:58283:&#x8215 CJK UNIFIED IDEOGRAPH:'E3AC:58284:&#x8497 CJK UNIFIED IDEOGRAPH:'E3AD:58285:&#x84A4 CJK UNIFIED IDEOGRAPH:'E3AE:58286:&#x84A1 CJK UNIFIED IDEOGRAPH:'E3AF:58287:&#x849F CJK UNIFIED IDEOGRAPH:'E3B0:58288:&#x84BA CJK UNIFIED IDEOGRAPH:'E3B1:58289:&#x84CE CJK UNIFIED IDEOGRAPH:'E3B2:58290:&#x84C2 CJK UNIFIED IDEOGRAPH:'E3B3:58291:&#x84AC CJK UNIFIED IDEOGRAPH:'E3B4:58292:&#x84AE CJK UNIFIED IDEOGRAPH:'E3B5:58293:&#x84AB CJK UNIFIED IDEOGRAPH:'E3B6:58294:&#x84B9 CJK UNIFIED IDEOGRAPH:'E3B7:58295:&#x84B4 CJK UNIFIED IDEOGRAPH:'E3B8:58296:&#x84C1 CJK UNIFIED IDEOGRAPH:'E3B9:58297:&#x84CD CJK UNIFIED IDEOGRAPH:'E3BA:58298:&#x84AA CJK UNIFIED IDEOGRAPH:'E3BB:58299:&#x849A CJK UNIFIED IDEOGRAPH:'E3BC:58300:&#x84B1 CJK UNIFIED IDEOGRAPH:'E3BD:58301:&#x84D0 CJK UNIFIED IDEOGRAPH:'E3BE:58302:&#x849D CJK UNIFIED IDEOGRAPH:'E3BF:58303:&#x84A7 CJK UNIFIED IDEOGRAPH:'E3C0:58304:&#x84BB CJK UNIFIED IDEOGRAPH:'E3C1:58305:&#x84A2 CJK UNIFIED IDEOGRAPH:'E3C2:58306:&#x8494 CJK UNIFIED IDEOGRAPH:'E3C3:58307:&#x84C7 CJK UNIFIED IDEOGRAPH:'E3C4:58308:&#x84CC CJK UNIFIED IDEOGRAPH:'E3C5:58309:&#x849B CJK UNIFIED IDEOGRAPH:'E3C6:58310:&#x84A9 CJK UNIFIED IDEOGRAPH:'E3C7:58311:&#x84AF CJK UNIFIED IDEOGRAPH:'E3C8:58312:&#x84A8 CJK UNIFIED IDEOGRAPH:'E3C9:58313:&#x84D6 CJK UNIFIED IDEOGRAPH:'E3CA:58314:&#x8498 CJK UNIFIED IDEOGRAPH:'E3CB:58315:&#x84B6 CJK UNIFIED IDEOGRAPH:'E3CC:58316:&#x84CF CJK UNIFIED IDEOGRAPH:'E3CD:58317:&#x84A0 CJK UNIFIED IDEOGRAPH:'E3CE:58318:&#x84D7 CJK UNIFIED IDEOGRAPH:'E3CF:58319:&#x84D4 CJK UNIFIED IDEOGRAPH:'E3D0:58320:&#x84D2 CJK UNIFIED IDEOGRAPH:'E3D1:58321:&#x84DB CJK UNIFIED IDEOGRAPH:'E3D2:58322:&#x84B0 CJK UNIFIED IDEOGRAPH:'E3D3:58323:&#x8491 CJK UNIFIED IDEOGRAPH:'E3D4:58324:&#x8661 CJK UNIFIED IDEOGRAPH:'E3D5:58325:&#x8733 CJK UNIFIED IDEOGRAPH:'E3D6:58326:&#x8723 CJK UNIFIED IDEOGRAPH:'E3D7:58327:&#x8728 CJK UNIFIED IDEOGRAPH:'E3D8:58328:&#x876B CJK UNIFIED IDEOGRAPH:'E3D9:58329:&#x8740 CJK UNIFIED IDEOGRAPH:'E3DA:58330:&#x872E CJK UNIFIED IDEOGRAPH:'E3DB:58331:&#x871E CJK UNIFIED IDEOGRAPH:'E3DC:58332:&#x8721 CJK UNIFIED IDEOGRAPH:'E3DD:58333:&#x8719 CJK UNIFIED IDEOGRAPH:'E3DE:58334:&#x871B CJK UNIFIED IDEOGRAPH:'E3DF:58335:&#x8743 CJK UNIFIED IDEOGRAPH:'E3E0:58336:&#x872C CJK UNIFIED IDEOGRAPH:'E3E1:58337:&#x8741 CJK UNIFIED IDEOGRAPH:'E3E2:58338:&#x873E CJK UNIFIED IDEOGRAPH:'E3E3:58339:&#x8746 CJK UNIFIED IDEOGRAPH:'E3E4:58340:&#x8720 CJK UNIFIED IDEOGRAPH:'E3E5:58341:&#x8732 CJK UNIFIED IDEOGRAPH:'E3E6:58342:&#x872A CJK UNIFIED IDEOGRAPH:'E3E7:58343:&#x872D CJK UNIFIED IDEOGRAPH:'E3E8:58344:&#x873C CJK UNIFIED IDEOGRAPH:'E3E9:58345:&#x8712 CJK UNIFIED IDEOGRAPH:'E3EA:58346:&#x873A CJK UNIFIED IDEOGRAPH:'E3EB:58347:&#x8731 CJK UNIFIED IDEOGRAPH:'E3EC:58348:&#x8735 CJK UNIFIED IDEOGRAPH:'E3ED:58349:&#x8742 CJK UNIFIED IDEOGRAPH:'E3EE:58350:&#x8726 CJK UNIFIED IDEOGRAPH:'E3EF:58351:&#x8727 CJK UNIFIED IDEOGRAPH:'E3F0:58352:&#x8738 CJK UNIFIED IDEOGRAPH:'E3F1:58353:&#x8724 CJK UNIFIED IDEOGRAPH:'E3F2:58354:&#x871A CJK UNIFIED IDEOGRAPH:'E3F3:58355:&#x8730 CJK UNIFIED IDEOGRAPH:'E3F4:58356:&#x8711 CJK UNIFIED IDEOGRAPH:'E3F5:58357:&#x88F7 CJK UNIFIED IDEOGRAPH:'E3F6:58358:&#x88E7 CJK UNIFIED IDEOGRAPH:'E3F7:58359:&#x88F1 CJK UNIFIED IDEOGRAPH:'E3F8:58360:&#x88F2 CJK UNIFIED IDEOGRAPH:'E3F9:58361:&#x88FA CJK UNIFIED IDEOGRAPH:'E3FA:58362:&#x88FE CJK UNIFIED IDEOGRAPH:'E3FB:58363:&#x88EE CJK UNIFIED IDEOGRAPH:'E3FC:58364:&#x88FC CJK UNIFIED IDEOGRAPH:'E3FD:58365:&#x88F6 CJK UNIFIED IDEOGRAPH:'E3FE:58366:&#x88FB CJK UNIFIED IDEOGRAPH:'E440:58432:&#x88F0 CJK UNIFIED IDEOGRAPH:'E441:58433:&#x88EC CJK UNIFIED IDEOGRAPH:'E442:58434:&#x88EB CJK UNIFIED IDEOGRAPH:'E443:58435:&#x899D CJK UNIFIED IDEOGRAPH:'E444:58436:&#x89A1 CJK UNIFIED IDEOGRAPH:'E445:58437:&#x899F CJK UNIFIED IDEOGRAPH:'E446:58438:&#x899E CJK UNIFIED IDEOGRAPH:'E447:58439:&#x89E9 CJK UNIFIED IDEOGRAPH:'E448:58440:&#x89EB CJK UNIFIED IDEOGRAPH:'E449:58441:&#x89E8 CJK UNIFIED IDEOGRAPH:'E44A:58442:&#x8AAB CJK UNIFIED IDEOGRAPH:'E44B:58443:&#x8A99 CJK UNIFIED IDEOGRAPH:'E44C:58444:&#x8A8B CJK UNIFIED IDEOGRAPH:'E44D:58445:&#x8A92 CJK UNIFIED IDEOGRAPH:'E44E:58446:&#x8A8F CJK UNIFIED IDEOGRAPH:'E44F:58447:&#x8A96 CJK UNIFIED IDEOGRAPH:'E450:58448:&#x8C3D CJK UNIFIED IDEOGRAPH:'E451:58449:&#x8C68 CJK UNIFIED IDEOGRAPH:'E452:58450:&#x8C69 CJK UNIFIED IDEOGRAPH:'E453:58451:&#x8CD5 CJK UNIFIED IDEOGRAPH:'E454:58452:&#x8CCF CJK UNIFIED IDEOGRAPH:'E455:58453:&#x8CD7 CJK UNIFIED IDEOGRAPH:'E456:58454:&#x8D96 CJK UNIFIED IDEOGRAPH:'E457:58455:&#x8E09 CJK UNIFIED IDEOGRAPH:'E458:58456:&#x8E02 CJK UNIFIED IDEOGRAPH:'E459:58457:&#x8DFF CJK UNIFIED IDEOGRAPH:'E45A:58458:&#x8E0D CJK UNIFIED IDEOGRAPH:'E45B:58459:&#x8DFD CJK UNIFIED IDEOGRAPH:'E45C:58460:&#x8E0A CJK UNIFIED IDEOGRAPH:'E45D:58461:&#x8E03 CJK UNIFIED IDEOGRAPH:'E45E:58462:&#x8E07 CJK UNIFIED IDEOGRAPH:'E45F:58463:&#x8E06 CJK UNIFIED IDEOGRAPH:'E460:58464:&#x8E05 CJK UNIFIED IDEOGRAPH:'E461:58465:&#x8DFE CJK UNIFIED IDEOGRAPH:'E462:58466:&#x8E00 CJK UNIFIED IDEOGRAPH:'E463:58467:&#x8E04 CJK UNIFIED IDEOGRAPH:'E464:58468:&#x8F10 CJK UNIFIED IDEOGRAPH:'E465:58469:&#x8F11 CJK UNIFIED IDEOGRAPH:'E466:58470:&#x8F0E CJK UNIFIED IDEOGRAPH:'E467:58471:&#x8F0D CJK UNIFIED IDEOGRAPH:'E468:58472:&#x9123 CJK UNIFIED IDEOGRAPH:'E469:58473:&#x911C CJK UNIFIED IDEOGRAPH:'E46A:58474:&#x9120 CJK UNIFIED IDEOGRAPH:'E46B:58475:&#x9122 CJK UNIFIED IDEOGRAPH:'E46C:58476:&#x911F CJK UNIFIED IDEOGRAPH:'E46D:58477:&#x911D CJK UNIFIED IDEOGRAPH:'E46E:58478:&#x911A CJK UNIFIED IDEOGRAPH:'E46F:58479:&#x9124 CJK UNIFIED IDEOGRAPH:'E470:58480:&#x9121 CJK UNIFIED IDEOGRAPH:'E471:58481:&#x911B CJK UNIFIED IDEOGRAPH:'E472:58482:&#x917A CJK UNIFIED IDEOGRAPH:'E473:58483:&#x9172 CJK UNIFIED IDEOGRAPH:'E474:58484:&#x9179 CJK UNIFIED IDEOGRAPH:'E475:58485:&#x9173 CJK UNIFIED IDEOGRAPH:'E476:58486:&#x92A5 CJK UNIFIED IDEOGRAPH:'E477:58487:&#x92A4 CJK UNIFIED IDEOGRAPH:'E478:58488:&#x9276 CJK UNIFIED IDEOGRAPH:'E479:58489:&#x929B CJK UNIFIED IDEOGRAPH:'E47A:58490:&#x927A CJK UNIFIED IDEOGRAPH:'E47B:58491:&#x92A0 CJK UNIFIED IDEOGRAPH:'E47C:58492:&#x9294 CJK UNIFIED IDEOGRAPH:'E47D:58493:&#x92AA CJK UNIFIED IDEOGRAPH:'E47E:58494:&#x928D CJK UNIFIED IDEOGRAPH:'E4A1:58529:&#x92A6 CJK UNIFIED IDEOGRAPH:'E4A2:58530:&#x929A CJK UNIFIED IDEOGRAPH:'E4A3:58531:&#x92AB CJK UNIFIED IDEOGRAPH:'E4A4:58532:&#x9279 CJK UNIFIED IDEOGRAPH:'E4A5:58533:&#x9297 CJK UNIFIED IDEOGRAPH:'E4A6:58534:&#x927F CJK UNIFIED IDEOGRAPH:'E4A7:58535:&#x92A3 CJK UNIFIED IDEOGRAPH:'E4A8:58536:&#x92EE CJK UNIFIED IDEOGRAPH:'E4A9:58537:&#x928E CJK UNIFIED IDEOGRAPH:'E4AA:58538:&#x9282 CJK UNIFIED IDEOGRAPH:'E4AB:58539:&#x9295 CJK UNIFIED IDEOGRAPH:'E4AC:58540:&#x92A2 CJK UNIFIED IDEOGRAPH:'E4AD:58541:&#x927D CJK UNIFIED IDEOGRAPH:'E4AE:58542:&#x9288 CJK UNIFIED IDEOGRAPH:'E4AF:58543:&#x92A1 CJK UNIFIED IDEOGRAPH:'E4B0:58544:&#x928A CJK UNIFIED IDEOGRAPH:'E4B1:58545:&#x9286 CJK UNIFIED IDEOGRAPH:'E4B2:58546:&#x928C CJK UNIFIED IDEOGRAPH:'E4B3:58547:&#x9299 CJK UNIFIED IDEOGRAPH:'E4B4:58548:&#x92A7 CJK UNIFIED IDEOGRAPH:'E4B5:58549:&#x927E CJK UNIFIED IDEOGRAPH:'E4B6:58550:&#x9287 CJK UNIFIED IDEOGRAPH:'E4B7:58551:&#x92A9 CJK UNIFIED IDEOGRAPH:'E4B8:58552:&#x929D CJK UNIFIED IDEOGRAPH:'E4B9:58553:&#x928B CJK UNIFIED IDEOGRAPH:'E4BA:58554:&#x922D CJK UNIFIED IDEOGRAPH:'E4BB:58555:&#x969E CJK UNIFIED IDEOGRAPH:'E4BC:58556:&#x96A1 CJK UNIFIED IDEOGRAPH:'E4BD:58557:&#x96FF CJK UNIFIED IDEOGRAPH:'E4BE:58558:&#x9758 CJK UNIFIED IDEOGRAPH:'E4BF:58559:&#x977D CJK UNIFIED IDEOGRAPH:'E4C0:58560:&#x977A CJK UNIFIED IDEOGRAPH:'E4C1:58561:&#x977E CJK UNIFIED IDEOGRAPH:'E4C2:58562:&#x9783 CJK UNIFIED IDEOGRAPH:'E4C3:58563:&#x9780 CJK UNIFIED IDEOGRAPH:'E4C4:58564:&#x9782 CJK UNIFIED IDEOGRAPH:'E4C5:58565:&#x977B CJK UNIFIED IDEOGRAPH:'E4C6:58566:&#x9784 CJK UNIFIED IDEOGRAPH:'E4C7:58567:&#x9781 CJK UNIFIED IDEOGRAPH:'E4C8:58568:&#x977F CJK UNIFIED IDEOGRAPH:'E4C9:58569:&#x97CE CJK UNIFIED IDEOGRAPH:'E4CA:58570:&#x97CD CJK UNIFIED IDEOGRAPH:'E4CB:58571:&#x9816 CJK UNIFIED IDEOGRAPH:'E4CC:58572:&#x98AD CJK UNIFIED IDEOGRAPH:'E4CD:58573:&#x98AE CJK UNIFIED IDEOGRAPH:'E4CE:58574:&#x9902 CJK UNIFIED IDEOGRAPH:'E4CF:58575:&#x9900 CJK UNIFIED IDEOGRAPH:'E4D0:58576:&#x9907 CJK UNIFIED IDEOGRAPH:'E4D1:58577:&#x999D CJK UNIFIED IDEOGRAPH:'E4D2:58578:&#x999C CJK UNIFIED IDEOGRAPH:'E4D3:58579:&#x99C3 CJK UNIFIED IDEOGRAPH:'E4D4:58580:&#x99B9 CJK UNIFIED IDEOGRAPH:'E4D5:58581:&#x99BB CJK UNIFIED IDEOGRAPH:'E4D6:58582:&#x99BA CJK UNIFIED IDEOGRAPH:'E4D7:58583:&#x99C2 CJK UNIFIED IDEOGRAPH:'E4D8:58584:&#x99BD CJK UNIFIED IDEOGRAPH:'E4D9:58585:&#x99C7 CJK UNIFIED IDEOGRAPH:'E4DA:58586:&#x9AB1 CJK UNIFIED IDEOGRAPH:'E4DB:58587:&#x9AE3 CJK UNIFIED IDEOGRAPH:'E4DC:58588:&#x9AE7 CJK UNIFIED IDEOGRAPH:'E4DD:58589:&#x9B3E CJK UNIFIED IDEOGRAPH:'E4DE:58590:&#x9B3F CJK UNIFIED IDEOGRAPH:'E4DF:58591:&#x9B60 CJK UNIFIED IDEOGRAPH:'E4E0:58592:&#x9B61 CJK UNIFIED IDEOGRAPH:'E4E1:58593:&#x9B5F CJK UNIFIED IDEOGRAPH:'E4E2:58594:&#x9CF1 CJK UNIFIED IDEOGRAPH:'E4E3:58595:&#x9CF2 CJK UNIFIED IDEOGRAPH:'E4E4:58596:&#x9CF5 CJK UNIFIED IDEOGRAPH:'E4E5:58597:&#x9EA7 CJK UNIFIED IDEOGRAPH:'E4E6:58598:&#x50FF CJK UNIFIED IDEOGRAPH:'E4E7:58599:&#x5103 CJK UNIFIED IDEOGRAPH:'E4E8:58600:&#x5130 CJK UNIFIED IDEOGRAPH:'E4E9:58601:&#x50F8 CJK UNIFIED IDEOGRAPH:'E4EA:58602:&#x5106 CJK UNIFIED IDEOGRAPH:'E4EB:58603:&#x5107 CJK UNIFIED IDEOGRAPH:'E4EC:58604:&#x50F6 CJK UNIFIED IDEOGRAPH:'E4ED:58605:&#x50FE CJK UNIFIED IDEOGRAPH:'E4EE:58606:&#x510B CJK UNIFIED IDEOGRAPH:'E4EF:58607:&#x510C CJK UNIFIED IDEOGRAPH:'E4F0:58608:&#x50FD CJK UNIFIED IDEOGRAPH:'E4F1:58609:&#x510A CJK UNIFIED IDEOGRAPH:'E4F2:58610:&#x528B CJK UNIFIED IDEOGRAPH:'E4F3:58611:&#x528C CJK UNIFIED IDEOGRAPH:'E4F4:58612:&#x52F1 CJK UNIFIED IDEOGRAPH:'E4F5:58613:&#x52EF CJK UNIFIED IDEOGRAPH:'E4F6:58614:&#x5648 CJK UNIFIED IDEOGRAPH:'E4F7:58615:&#x5642 CJK UNIFIED IDEOGRAPH:'E4F8:58616:&#x564C CJK UNIFIED IDEOGRAPH:'E4F9:58617:&#x5635 CJK UNIFIED IDEOGRAPH:'E4FA:58618:&#x5641 CJK UNIFIED IDEOGRAPH:'E4FB:58619:&#x564A CJK UNIFIED IDEOGRAPH:'E4FC:58620:&#x5649 CJK UNIFIED IDEOGRAPH:'E4FD:58621:&#x5646 CJK UNIFIED IDEOGRAPH:'E4FE:58622:&#x5658 CJK UNIFIED IDEOGRAPH:'E540:58688:&#x565A CJK UNIFIED IDEOGRAPH:'E541:58689:&#x5640 CJK UNIFIED IDEOGRAPH:'E542:58690:&#x5633 CJK UNIFIED IDEOGRAPH:'E543:58691:&#x563D CJK UNIFIED IDEOGRAPH:'E544:58692:&#x562C CJK UNIFIED IDEOGRAPH:'E545:58693:&#x563E CJK UNIFIED IDEOGRAPH:'E546:58694:&#x5638 CJK UNIFIED IDEOGRAPH:'E547:58695:&#x562A CJK UNIFIED IDEOGRAPH:'E548:58696:&#x563A CJK UNIFIED IDEOGRAPH:'E549:58697:&#x571A CJK UNIFIED IDEOGRAPH:'E54A:58698:&#x58AB CJK UNIFIED IDEOGRAPH:'E54B:58699:&#x589D CJK UNIFIED IDEOGRAPH:'E54C:58700:&#x58B1 CJK UNIFIED IDEOGRAPH:'E54D:58701:&#x58A0 CJK UNIFIED IDEOGRAPH:'E54E:58702:&#x58A3 CJK UNIFIED IDEOGRAPH:'E54F:58703:&#x58AF CJK UNIFIED IDEOGRAPH:'E550:58704:&#x58AC CJK UNIFIED IDEOGRAPH:'E551:58705:&#x58A5 CJK UNIFIED IDEOGRAPH:'E552:58706:&#x58A1 CJK UNIFIED IDEOGRAPH:'E553:58707:&#x58FF CJK UNIFIED IDEOGRAPH:'E554:58708:&#x5AFF CJK UNIFIED IDEOGRAPH:'E555:58709:&#x5AF4 CJK UNIFIED IDEOGRAPH:'E556:58710:&#x5AFD CJK UNIFIED IDEOGRAPH:'E557:58711:&#x5AF7 CJK UNIFIED IDEOGRAPH:'E558:58712:&#x5AF6 CJK UNIFIED IDEOGRAPH:'E559:58713:&#x5B03 CJK UNIFIED IDEOGRAPH:'E55A:58714:&#x5AF8 CJK UNIFIED IDEOGRAPH:'E55B:58715:&#x5B02 CJK UNIFIED IDEOGRAPH:'E55C:58716:&#x5AF9 CJK UNIFIED IDEOGRAPH:'E55D:58717:&#x5B01 CJK UNIFIED IDEOGRAPH:'E55E:58718:&#x5B07 CJK UNIFIED IDEOGRAPH:'E55F:58719:&#x5B05 CJK UNIFIED IDEOGRAPH:'E560:58720:&#x5B0F CJK UNIFIED IDEOGRAPH:'E561:58721:&#x5C67 CJK UNIFIED IDEOGRAPH:'E562:58722:&#x5D99 CJK UNIFIED IDEOGRAPH:'E563:58723:&#x5D97 CJK UNIFIED IDEOGRAPH:'E564:58724:&#x5D9F CJK UNIFIED IDEOGRAPH:'E565:58725:&#x5D92 CJK UNIFIED IDEOGRAPH:'E566:58726:&#x5DA2 CJK UNIFIED IDEOGRAPH:'E567:58727:&#x5D93 CJK UNIFIED IDEOGRAPH:'E568:58728:&#x5D95 CJK UNIFIED IDEOGRAPH:'E569:58729:&#x5DA0 CJK UNIFIED IDEOGRAPH:'E56A:58730:&#x5D9C CJK UNIFIED IDEOGRAPH:'E56B:58731:&#x5DA1 CJK UNIFIED IDEOGRAPH:'E56C:58732:&#x5D9A CJK UNIFIED IDEOGRAPH:'E56D:58733:&#x5D9E CJK UNIFIED IDEOGRAPH:'E56E:58734:&#x5E69 CJK UNIFIED IDEOGRAPH:'E56F:58735:&#x5E5D CJK UNIFIED IDEOGRAPH:'E570:58736:&#x5E60 CJK UNIFIED IDEOGRAPH:'E571:58737:&#x5E5C CJK UNIFIED IDEOGRAPH:'E572:58738:&#x7DF3 CJK UNIFIED IDEOGRAPH:'E573:58739:&#x5EDB CJK UNIFIED IDEOGRAPH:'E574:58740:&#x5EDE CJK UNIFIED IDEOGRAPH:'E575:58741:&#x5EE1 CJK UNIFIED IDEOGRAPH:'E576:58742:&#x5F49 CJK UNIFIED IDEOGRAPH:'E577:58743:&#x5FB2 CJK UNIFIED IDEOGRAPH:'E578:58744:&#x618B CJK UNIFIED IDEOGRAPH:'E579:58745:&#x6183 CJK UNIFIED IDEOGRAPH:'E57A:58746:&#x6179 CJK UNIFIED IDEOGRAPH:'E57B:58747:&#x61B1 CJK UNIFIED IDEOGRAPH:'E57C:58748:&#x61B0 CJK UNIFIED IDEOGRAPH:'E57D:58749:&#x61A2 CJK UNIFIED IDEOGRAPH:'E57E:58750:&#x6189 CJK UNIFIED IDEOGRAPH:'E5A1:58785:&#x619B CJK UNIFIED IDEOGRAPH:'E5A2:58786:&#x6193 CJK UNIFIED IDEOGRAPH:'E5A3:58787:&#x61AF CJK UNIFIED IDEOGRAPH:'E5A4:58788:&#x61AD CJK UNIFIED IDEOGRAPH:'E5A5:58789:&#x619F CJK UNIFIED IDEOGRAPH:'E5A6:58790:&#x6192 CJK UNIFIED IDEOGRAPH:'E5A7:58791:&#x61AA CJK UNIFIED IDEOGRAPH:'E5A8:58792:&#x61A1 CJK UNIFIED IDEOGRAPH:'E5A9:58793:&#x618D CJK UNIFIED IDEOGRAPH:'E5AA:58794:&#x6166 CJK UNIFIED IDEOGRAPH:'E5AB:58795:&#x61B3 CJK UNIFIED IDEOGRAPH:'E5AC:58796:&#x622D CJK UNIFIED IDEOGRAPH:'E5AD:58797:&#x646E CJK UNIFIED IDEOGRAPH:'E5AE:58798:&#x6470 CJK UNIFIED IDEOGRAPH:'E5AF:58799:&#x6496 CJK UNIFIED IDEOGRAPH:'E5B0:58800:&#x64A0 CJK UNIFIED IDEOGRAPH:'E5B1:58801:&#x6485 CJK UNIFIED IDEOGRAPH:'E5B2:58802:&#x6497 CJK UNIFIED IDEOGRAPH:'E5B3:58803:&#x649C CJK UNIFIED IDEOGRAPH:'E5B4:58804:&#x648F CJK UNIFIED IDEOGRAPH:'E5B5:58805:&#x648B CJK UNIFIED IDEOGRAPH:'E5B6:58806:&#x648A CJK UNIFIED IDEOGRAPH:'E5B7:58807:&#x648C CJK UNIFIED IDEOGRAPH:'E5B8:58808:&#x64A3 CJK UNIFIED IDEOGRAPH:'E5B9:58809:&#x649F CJK UNIFIED IDEOGRAPH:'E5BA:58810:&#x6468 CJK UNIFIED IDEOGRAPH:'E5BB:58811:&#x64B1 CJK UNIFIED IDEOGRAPH:'E5BC:58812:&#x6498 CJK UNIFIED IDEOGRAPH:'E5BD:58813:&#x6576 CJK UNIFIED IDEOGRAPH:'E5BE:58814:&#x657A CJK UNIFIED IDEOGRAPH:'E5BF:58815:&#x6579 CJK UNIFIED IDEOGRAPH:'E5C0:58816:&#x657B CJK UNIFIED IDEOGRAPH:'E5C1:58817:&#x65B2 CJK UNIFIED IDEOGRAPH:'E5C2:58818:&#x65B3 CJK UNIFIED IDEOGRAPH:'E5C3:58819:&#x66B5 CJK UNIFIED IDEOGRAPH:'E5C4:58820:&#x66B0 CJK UNIFIED IDEOGRAPH:'E5C5:58821:&#x66A9 CJK UNIFIED IDEOGRAPH:'E5C6:58822:&#x66B2 CJK UNIFIED IDEOGRAPH:'E5C7:58823:&#x66B7 CJK UNIFIED IDEOGRAPH:'E5C8:58824:&#x66AA CJK UNIFIED IDEOGRAPH:'E5C9:58825:&#x66AF CJK UNIFIED IDEOGRAPH:'E5CA:58826:&#x6A00 CJK UNIFIED IDEOGRAPH:'E5CB:58827:&#x6A06 CJK UNIFIED IDEOGRAPH:'E5CC:58828:&#x6A17 CJK UNIFIED IDEOGRAPH:'E5CD:58829:&#x69E5 CJK UNIFIED IDEOGRAPH:'E5CE:58830:&#x69F8 CJK UNIFIED IDEOGRAPH:'E5CF:58831:&#x6A15 CJK UNIFIED IDEOGRAPH:'E5D0:58832:&#x69F1 CJK UNIFIED IDEOGRAPH:'E5D1:58833:&#x69E4 CJK UNIFIED IDEOGRAPH:'E5D2:58834:&#x6A20 CJK UNIFIED IDEOGRAPH:'E5D3:58835:&#x69FF CJK UNIFIED IDEOGRAPH:'E5D4:58836:&#x69EC CJK UNIFIED IDEOGRAPH:'E5D5:58837:&#x69E2 CJK UNIFIED IDEOGRAPH:'E5D6:58838:&#x6A1B CJK UNIFIED IDEOGRAPH:'E5D7:58839:&#x6A1D CJK UNIFIED IDEOGRAPH:'E5D8:58840:&#x69FE CJK UNIFIED IDEOGRAPH:'E5D9:58841:&#x6A27 CJK UNIFIED IDEOGRAPH:'E5DA:58842:&#x69F2 CJK UNIFIED IDEOGRAPH:'E5DB:58843:&#x69EE CJK UNIFIED IDEOGRAPH:'E5DC:58844:&#x6A14 CJK UNIFIED IDEOGRAPH:'E5DD:58845:&#x69F7 CJK UNIFIED IDEOGRAPH:'E5DE:58846:&#x69E7 CJK UNIFIED IDEOGRAPH:'E5DF:58847:&#x6A40 CJK UNIFIED IDEOGRAPH:'E5E0:58848:&#x6A08 CJK UNIFIED IDEOGRAPH:'E5E1:58849:&#x69E6 CJK UNIFIED IDEOGRAPH:'E5E2:58850:&#x69FB CJK UNIFIED IDEOGRAPH:'E5E3:58851:&#x6A0D CJK UNIFIED IDEOGRAPH:'E5E4:58852:&#x69FC CJK UNIFIED IDEOGRAPH:'E5E5:58853:&#x69EB CJK UNIFIED IDEOGRAPH:'E5E6:58854:&#x6A09 CJK UNIFIED IDEOGRAPH:'E5E7:58855:&#x6A04 CJK UNIFIED IDEOGRAPH:'E5E8:58856:&#x6A18 CJK UNIFIED IDEOGRAPH:'E5E9:58857:&#x6A25 CJK UNIFIED IDEOGRAPH:'E5EA:58858:&#x6A0F CJK UNIFIED IDEOGRAPH:'E5EB:58859:&#x69F6 CJK UNIFIED IDEOGRAPH:'E5EC:58860:&#x6A26 CJK UNIFIED IDEOGRAPH:'E5ED:58861:&#x6A07 CJK UNIFIED IDEOGRAPH:'E5EE:58862:&#x69F4 CJK UNIFIED IDEOGRAPH:'E5EF:58863:&#x6A16 CJK UNIFIED IDEOGRAPH:'E5F0:58864:&#x6B51 CJK UNIFIED IDEOGRAPH:'E5F1:58865:&#x6BA5 CJK UNIFIED IDEOGRAPH:'E5F2:58866:&#x6BA3 CJK UNIFIED IDEOGRAPH:'E5F3:58867:&#x6BA2 CJK UNIFIED IDEOGRAPH:'E5F4:58868:&#x6BA6 CJK UNIFIED IDEOGRAPH:'E5F5:58869:&#x6C01 CJK UNIFIED IDEOGRAPH:'E5F6:58870:&#x6C00 CJK UNIFIED IDEOGRAPH:'E5F7:58871:&#x6BFF CJK UNIFIED IDEOGRAPH:'E5F8:58872:&#x6C02 CJK UNIFIED IDEOGRAPH:'E5F9:58873:&#x6F41 CJK UNIFIED IDEOGRAPH:'E5FA:58874:&#x6F26 CJK UNIFIED IDEOGRAPH:'E5FB:58875:&#x6F7E CJK UNIFIED IDEOGRAPH:'E5FC:58876:&#x6F87 CJK UNIFIED IDEOGRAPH:'E5FD:58877:&#x6FC6 CJK UNIFIED IDEOGRAPH:'E5FE:58878:&#x6F92 CJK UNIFIED IDEOGRAPH:'E640:58944:&#x6F8D CJK UNIFIED IDEOGRAPH:'E641:58945:&#x6F89 CJK UNIFIED IDEOGRAPH:'E642:58946:&#x6F8C CJK UNIFIED IDEOGRAPH:'E643:58947:&#x6F62 CJK UNIFIED IDEOGRAPH:'E644:58948:&#x6F4F CJK UNIFIED IDEOGRAPH:'E645:58949:&#x6F85 CJK UNIFIED IDEOGRAPH:'E646:58950:&#x6F5A CJK UNIFIED IDEOGRAPH:'E647:58951:&#x6F96 CJK UNIFIED IDEOGRAPH:'E648:58952:&#x6F76 CJK UNIFIED IDEOGRAPH:'E649:58953:&#x6F6C CJK UNIFIED IDEOGRAPH:'E64A:58954:&#x6F82 CJK UNIFIED IDEOGRAPH:'E64B:58955:&#x6F55 CJK UNIFIED IDEOGRAPH:'E64C:58956:&#x6F72 CJK UNIFIED IDEOGRAPH:'E64D:58957:&#x6F52 CJK UNIFIED IDEOGRAPH:'E64E:58958:&#x6F50 CJK UNIFIED IDEOGRAPH:'E64F:58959:&#x6F57 CJK UNIFIED IDEOGRAPH:'E650:58960:&#x6F94 CJK UNIFIED IDEOGRAPH:'E651:58961:&#x6F93 CJK UNIFIED IDEOGRAPH:'E652:58962:&#x6F5D CJK UNIFIED IDEOGRAPH:'E653:58963:&#x6F00 CJK UNIFIED IDEOGRAPH:'E654:58964:&#x6F61 CJK UNIFIED IDEOGRAPH:'E655:58965:&#x6F6B CJK UNIFIED IDEOGRAPH:'E656:58966:&#x6F7D CJK UNIFIED IDEOGRAPH:'E657:58967:&#x6F67 CJK UNIFIED IDEOGRAPH:'E658:58968:&#x6F90 CJK UNIFIED IDEOGRAPH:'E659:58969:&#x6F53 CJK UNIFIED IDEOGRAPH:'E65A:58970:&#x6F8B CJK UNIFIED IDEOGRAPH:'E65B:58971:&#x6F69 CJK UNIFIED IDEOGRAPH:'E65C:58972:&#x6F7F CJK UNIFIED IDEOGRAPH:'E65D:58973:&#x6F95 CJK UNIFIED IDEOGRAPH:'E65E:58974:&#x6F63 CJK UNIFIED IDEOGRAPH:'E65F:58975:&#x6F77 CJK UNIFIED IDEOGRAPH:'E660:58976:&#x6F6A CJK UNIFIED IDEOGRAPH:'E661:58977:&#x6F7B CJK UNIFIED IDEOGRAPH:'E662:58978:&#x71B2 CJK UNIFIED IDEOGRAPH:'E663:58979:&#x71AF CJK UNIFIED IDEOGRAPH:'E664:58980:&#x719B CJK UNIFIED IDEOGRAPH:'E665:58981:&#x71B0 CJK UNIFIED IDEOGRAPH:'E666:58982:&#x71A0 CJK UNIFIED IDEOGRAPH:'E667:58983:&#x719A CJK UNIFIED IDEOGRAPH:'E668:58984:&#x71A9 CJK UNIFIED IDEOGRAPH:'E669:58985:&#x71B5 CJK UNIFIED IDEOGRAPH:'E66A:58986:&#x719D CJK UNIFIED IDEOGRAPH:'E66B:58987:&#x71A5 CJK UNIFIED IDEOGRAPH:'E66C:58988:&#x719E CJK UNIFIED IDEOGRAPH:'E66D:58989:&#x71A4 CJK UNIFIED IDEOGRAPH:'E66E:58990:&#x71A1 CJK UNIFIED IDEOGRAPH:'E66F:58991:&#x71AA CJK UNIFIED IDEOGRAPH:'E670:58992:&#x719C CJK UNIFIED IDEOGRAPH:'E671:58993:&#x71A7 CJK UNIFIED IDEOGRAPH:'E672:58994:&#x71B3 CJK UNIFIED IDEOGRAPH:'E673:58995:&#x7298 CJK UNIFIED IDEOGRAPH:'E674:58996:&#x729A CJK UNIFIED IDEOGRAPH:'E675:58997:&#x7358 CJK UNIFIED IDEOGRAPH:'E676:58998:&#x7352 CJK UNIFIED IDEOGRAPH:'E677:58999:&#x735E CJK UNIFIED IDEOGRAPH:'E678:59000:&#x735F CJK UNIFIED IDEOGRAPH:'E679:59001:&#x7360 CJK UNIFIED IDEOGRAPH:'E67A:59002:&#x735D CJK UNIFIED IDEOGRAPH:'E67B:59003:&#x735B CJK UNIFIED IDEOGRAPH:'E67C:59004:&#x7361 CJK UNIFIED IDEOGRAPH:'E67D:59005:&#x735A CJK UNIFIED IDEOGRAPH:'E67E:59006:&#x7359 CJK UNIFIED IDEOGRAPH:'E6A1:59041:&#x7362 CJK UNIFIED IDEOGRAPH:'E6A2:59042:&#x7487 CJK UNIFIED IDEOGRAPH:'E6A3:59043:&#x7489 CJK UNIFIED IDEOGRAPH:'E6A4:59044:&#x748A CJK UNIFIED IDEOGRAPH:'E6A5:59045:&#x7486 CJK UNIFIED IDEOGRAPH:'E6A6:59046:&#x7481 CJK UNIFIED IDEOGRAPH:'E6A7:59047:&#x747D CJK UNIFIED IDEOGRAPH:'E6A8:59048:&#x7485 CJK UNIFIED IDEOGRAPH:'E6A9:59049:&#x7488 CJK UNIFIED IDEOGRAPH:'E6AA:59050:&#x747C CJK UNIFIED IDEOGRAPH:'E6AB:59051:&#x7479 CJK UNIFIED IDEOGRAPH:'E6AC:59052:&#x7508 CJK UNIFIED IDEOGRAPH:'E6AD:59053:&#x7507 CJK UNIFIED IDEOGRAPH:'E6AE:59054:&#x757E CJK UNIFIED IDEOGRAPH:'E6AF:59055:&#x7625 CJK UNIFIED IDEOGRAPH:'E6B0:59056:&#x761E CJK UNIFIED IDEOGRAPH:'E6B1:59057:&#x7619 CJK UNIFIED IDEOGRAPH:'E6B2:59058:&#x761D CJK UNIFIED IDEOGRAPH:'E6B3:59059:&#x761C CJK UNIFIED IDEOGRAPH:'E6B4:59060:&#x7623 CJK UNIFIED IDEOGRAPH:'E6B5:59061:&#x761A CJK UNIFIED IDEOGRAPH:'E6B6:59062:&#x7628 CJK UNIFIED IDEOGRAPH:'E6B7:59063:&#x761B CJK UNIFIED IDEOGRAPH:'E6B8:59064:&#x769C CJK UNIFIED IDEOGRAPH:'E6B9:59065:&#x769D CJK UNIFIED IDEOGRAPH:'E6BA:59066:&#x769E CJK UNIFIED IDEOGRAPH:'E6BB:59067:&#x769B CJK UNIFIED IDEOGRAPH:'E6BC:59068:&#x778D CJK UNIFIED IDEOGRAPH:'E6BD:59069:&#x778F CJK UNIFIED IDEOGRAPH:'E6BE:59070:&#x7789 CJK UNIFIED IDEOGRAPH:'E6BF:59071:&#x7788 CJK UNIFIED IDEOGRAPH:'E6C0:59072:&#x78CD CJK UNIFIED IDEOGRAPH:'E6C1:59073:&#x78BB CJK UNIFIED IDEOGRAPH:'E6C2:59074:&#x78CF CJK UNIFIED IDEOGRAPH:'E6C3:59075:&#x78CC CJK UNIFIED IDEOGRAPH:'E6C4:59076:&#x78D1 CJK UNIFIED IDEOGRAPH:'E6C5:59077:&#x78CE CJK UNIFIED IDEOGRAPH:'E6C6:59078:&#x78D4 CJK UNIFIED IDEOGRAPH:'E6C7:59079:&#x78C8 CJK UNIFIED IDEOGRAPH:'E6C8:59080:&#x78C3 CJK UNIFIED IDEOGRAPH:'E6C9:59081:&#x78C4 CJK UNIFIED IDEOGRAPH:'E6CA:59082:&#x78C9 CJK UNIFIED IDEOGRAPH:'E6CB:59083:&#x799A CJK UNIFIED IDEOGRAPH:'E6CC:59084:&#x79A1 CJK UNIFIED IDEOGRAPH:'E6CD:59085:&#x79A0 CJK UNIFIED IDEOGRAPH:'E6CE:59086:&#x799C CJK UNIFIED IDEOGRAPH:'E6CF:59087:&#x79A2 CJK UNIFIED IDEOGRAPH:'E6D0:59088:&#x799B CJK UNIFIED IDEOGRAPH:'E6D1:59089:&#x6B76 CJK UNIFIED IDEOGRAPH:'E6D2:59090:&#x7A39 CJK UNIFIED IDEOGRAPH:'E6D3:59091:&#x7AB2 CJK UNIFIED IDEOGRAPH:'E6D4:59092:&#x7AB4 CJK UNIFIED IDEOGRAPH:'E6D5:59093:&#x7AB3 CJK UNIFIED IDEOGRAPH:'E6D6:59094:&#x7BB7 CJK UNIFIED IDEOGRAPH:'E6D7:59095:&#x7BCB CJK UNIFIED IDEOGRAPH:'E6D8:59096:&#x7BBE CJK UNIFIED IDEOGRAPH:'E6D9:59097:&#x7BAC CJK UNIFIED IDEOGRAPH:'E6DA:59098:&#x7BCE CJK UNIFIED IDEOGRAPH:'E6DB:59099:&#x7BAF CJK UNIFIED IDEOGRAPH:'E6DC:59100:&#x7BB9 CJK UNIFIED IDEOGRAPH:'E6DD:59101:&#x7BCA CJK UNIFIED IDEOGRAPH:'E6DE:59102:&#x7BB5 CJK UNIFIED IDEOGRAPH:'E6DF:59103:&#x7CC5 CJK UNIFIED IDEOGRAPH:'E6E0:59104:&#x7CC8 CJK UNIFIED IDEOGRAPH:'E6E1:59105:&#x7CCC CJK UNIFIED IDEOGRAPH:'E6E2:59106:&#x7CCB CJK UNIFIED IDEOGRAPH:'E6E3:59107:&#x7DF7 CJK UNIFIED IDEOGRAPH:'E6E4:59108:&#x7DDB CJK UNIFIED IDEOGRAPH:'E6E5:59109:&#x7DEA CJK UNIFIED IDEOGRAPH:'E6E6:59110:&#x7DE7 CJK UNIFIED IDEOGRAPH:'E6E7:59111:&#x7DD7 CJK UNIFIED IDEOGRAPH:'E6E8:59112:&#x7DE1 CJK UNIFIED IDEOGRAPH:'E6E9:59113:&#x7E03 CJK UNIFIED IDEOGRAPH:'E6EA:59114:&#x7DFA CJK UNIFIED IDEOGRAPH:'E6EB:59115:&#x7DE6 CJK UNIFIED IDEOGRAPH:'E6EC:59116:&#x7DF6 CJK UNIFIED IDEOGRAPH:'E6ED:59117:&#x7DF1 CJK UNIFIED IDEOGRAPH:'E6EE:59118:&#x7DF0 CJK UNIFIED IDEOGRAPH:'E6EF:59119:&#x7DEE CJK UNIFIED IDEOGRAPH:'E6F0:59120:&#x7DDF CJK UNIFIED IDEOGRAPH:'E6F1:59121:&#x7F76 CJK UNIFIED IDEOGRAPH:'E6F2:59122:&#x7FAC CJK UNIFIED IDEOGRAPH:'E6F3:59123:&#x7FB0 CJK UNIFIED IDEOGRAPH:'E6F4:59124:&#x7FAD CJK UNIFIED IDEOGRAPH:'E6F5:59125:&#x7FED CJK UNIFIED IDEOGRAPH:'E6F6:59126:&#x7FEB CJK UNIFIED IDEOGRAPH:'E6F7:59127:&#x7FEA CJK UNIFIED IDEOGRAPH:'E6F8:59128:&#x7FEC CJK UNIFIED IDEOGRAPH:'E6F9:59129:&#x7FE6 CJK UNIFIED IDEOGRAPH:'E6FA:59130:&#x7FE8 CJK UNIFIED IDEOGRAPH:'E6FB:59131:&#x8064 CJK UNIFIED IDEOGRAPH:'E6FC:59132:&#x8067 CJK UNIFIED IDEOGRAPH:'E6FD:59133:&#x81A3 CJK UNIFIED IDEOGRAPH:'E6FE:59134:&#x819F CJK UNIFIED IDEOGRAPH:'E740:59200:&#x819E CJK UNIFIED IDEOGRAPH:'E741:59201:&#x8195 CJK UNIFIED IDEOGRAPH:'E742:59202:&#x81A2 CJK UNIFIED IDEOGRAPH:'E743:59203:&#x8199 CJK UNIFIED IDEOGRAPH:'E744:59204:&#x8197 CJK UNIFIED IDEOGRAPH:'E745:59205:&#x8216 CJK UNIFIED IDEOGRAPH:'E746:59206:&#x824F CJK UNIFIED IDEOGRAPH:'E747:59207:&#x8253 CJK UNIFIED IDEOGRAPH:'E748:59208:&#x8252 CJK UNIFIED IDEOGRAPH:'E749:59209:&#x8250 CJK UNIFIED IDEOGRAPH:'E74A:59210:&#x824E CJK UNIFIED IDEOGRAPH:'E74B:59211:&#x8251 CJK UNIFIED IDEOGRAPH:'E74C:59212:&#x8524 CJK UNIFIED IDEOGRAPH:'E74D:59213:&#x853B CJK UNIFIED IDEOGRAPH:'E74E:59214:&#x850F CJK UNIFIED IDEOGRAPH:'E74F:59215:&#x8500 CJK UNIFIED IDEOGRAPH:'E750:59216:&#x8529 CJK UNIFIED IDEOGRAPH:'E751:59217:&#x850E CJK UNIFIED IDEOGRAPH:'E752:59218:&#x8509 CJK UNIFIED IDEOGRAPH:'E753:59219:&#x850D CJK UNIFIED IDEOGRAPH:'E754:59220:&#x851F CJK UNIFIED IDEOGRAPH:'E755:59221:&#x850A CJK UNIFIED IDEOGRAPH:'E756:59222:&#x8527 CJK UNIFIED IDEOGRAPH:'E757:59223:&#x851C CJK UNIFIED IDEOGRAPH:'E758:59224:&#x84FB CJK UNIFIED IDEOGRAPH:'E759:59225:&#x852B CJK UNIFIED IDEOGRAPH:'E75A:59226:&#x84FA CJK UNIFIED IDEOGRAPH:'E75B:59227:&#x8508 CJK UNIFIED IDEOGRAPH:'E75C:59228:&#x850C CJK UNIFIED IDEOGRAPH:'E75D:59229:&#x84F4 CJK UNIFIED IDEOGRAPH:'E75E:59230:&#x852A CJK UNIFIED IDEOGRAPH:'E75F:59231:&#x84F2 CJK UNIFIED IDEOGRAPH:'E760:59232:&#x8515 CJK UNIFIED IDEOGRAPH:'E761:59233:&#x84F7 CJK UNIFIED IDEOGRAPH:'E762:59234:&#x84EB CJK UNIFIED IDEOGRAPH:'E763:59235:&#x84F3 CJK UNIFIED IDEOGRAPH:'E764:59236:&#x84FC CJK UNIFIED IDEOGRAPH:'E765:59237:&#x8512 CJK UNIFIED IDEOGRAPH:'E766:59238:&#x84EA CJK UNIFIED IDEOGRAPH:'E767:59239:&#x84E9 CJK UNIFIED IDEOGRAPH:'E768:59240:&#x8516 CJK UNIFIED IDEOGRAPH:'E769:59241:&#x84FE CJK UNIFIED IDEOGRAPH:'E76A:59242:&#x8528 CJK UNIFIED IDEOGRAPH:'E76B:59243:&#x851D CJK UNIFIED IDEOGRAPH:'E76C:59244:&#x852E CJK UNIFIED IDEOGRAPH:'E76D:59245:&#x8502 CJK UNIFIED IDEOGRAPH:'E76E:59246:&#x84FD CJK UNIFIED IDEOGRAPH:'E76F:59247:&#x851E CJK UNIFIED IDEOGRAPH:'E770:59248:&#x84F6 CJK UNIFIED IDEOGRAPH:'E771:59249:&#x8531 CJK UNIFIED IDEOGRAPH:'E772:59250:&#x8526 CJK UNIFIED IDEOGRAPH:'E773:59251:&#x84E7 CJK UNIFIED IDEOGRAPH:'E774:59252:&#x84E8 CJK UNIFIED IDEOGRAPH:'E775:59253:&#x84F0 CJK UNIFIED IDEOGRAPH:'E776:59254:&#x84EF CJK UNIFIED IDEOGRAPH:'E777:59255:&#x84F9 CJK UNIFIED IDEOGRAPH:'E778:59256:&#x8518 CJK UNIFIED IDEOGRAPH:'E779:59257:&#x8520 CJK UNIFIED IDEOGRAPH:'E77A:59258:&#x8530 CJK UNIFIED IDEOGRAPH:'E77B:59259:&#x850B CJK UNIFIED IDEOGRAPH:'E77C:59260:&#x8519 CJK UNIFIED IDEOGRAPH:'E77D:59261:&#x852F CJK UNIFIED IDEOGRAPH:'E77E:59262:&#x8662 CJK UNIFIED IDEOGRAPH:'E7A1:59297:&#x8756 CJK UNIFIED IDEOGRAPH:'E7A2:59298:&#x8763 CJK UNIFIED IDEOGRAPH:'E7A3:59299:&#x8764 CJK UNIFIED IDEOGRAPH:'E7A4:59300:&#x8777 CJK UNIFIED IDEOGRAPH:'E7A5:59301:&#x87E1 CJK UNIFIED IDEOGRAPH:'E7A6:59302:&#x8773 CJK UNIFIED IDEOGRAPH:'E7A7:59303:&#x8758 CJK UNIFIED IDEOGRAPH:'E7A8:59304:&#x8754 CJK UNIFIED IDEOGRAPH:'E7A9:59305:&#x875B CJK UNIFIED IDEOGRAPH:'E7AA:59306:&#x8752 CJK UNIFIED IDEOGRAPH:'E7AB:59307:&#x8761 CJK UNIFIED IDEOGRAPH:'E7AC:59308:&#x875A CJK UNIFIED IDEOGRAPH:'E7AD:59309:&#x8751 CJK UNIFIED IDEOGRAPH:'E7AE:59310:&#x875E CJK UNIFIED IDEOGRAPH:'E7AF:59311:&#x876D CJK UNIFIED IDEOGRAPH:'E7B0:59312:&#x876A CJK UNIFIED IDEOGRAPH:'E7B1:59313:&#x8750 CJK UNIFIED IDEOGRAPH:'E7B2:59314:&#x874E CJK UNIFIED IDEOGRAPH:'E7B3:59315:&#x875F CJK UNIFIED IDEOGRAPH:'E7B4:59316:&#x875D CJK UNIFIED IDEOGRAPH:'E7B5:59317:&#x876F CJK UNIFIED IDEOGRAPH:'E7B6:59318:&#x876C CJK UNIFIED IDEOGRAPH:'E7B7:59319:&#x877A CJK UNIFIED IDEOGRAPH:'E7B8:59320:&#x876E CJK UNIFIED IDEOGRAPH:'E7B9:59321:&#x875C CJK UNIFIED IDEOGRAPH:'E7BA:59322:&#x8765 CJK UNIFIED IDEOGRAPH:'E7BB:59323:&#x874F CJK UNIFIED IDEOGRAPH:'E7BC:59324:&#x877B CJK UNIFIED IDEOGRAPH:'E7BD:59325:&#x8775 CJK UNIFIED IDEOGRAPH:'E7BE:59326:&#x8762 CJK UNIFIED IDEOGRAPH:'E7BF:59327:&#x8767 CJK UNIFIED IDEOGRAPH:'E7C0:59328:&#x8769 CJK UNIFIED IDEOGRAPH:'E7C1:59329:&#x885A CJK UNIFIED IDEOGRAPH:'E7C2:59330:&#x8905 CJK UNIFIED IDEOGRAPH:'E7C3:59331:&#x890C CJK UNIFIED IDEOGRAPH:'E7C4:59332:&#x8914 CJK UNIFIED IDEOGRAPH:'E7C5:59333:&#x890B CJK UNIFIED IDEOGRAPH:'E7C6:59334:&#x8917 CJK UNIFIED IDEOGRAPH:'E7C7:59335:&#x8918 CJK UNIFIED IDEOGRAPH:'E7C8:59336:&#x8919 CJK UNIFIED IDEOGRAPH:'E7C9:59337:&#x8906 CJK UNIFIED IDEOGRAPH:'E7CA:59338:&#x8916 CJK UNIFIED IDEOGRAPH:'E7CB:59339:&#x8911 CJK UNIFIED IDEOGRAPH:'E7CC:59340:&#x890E CJK UNIFIED IDEOGRAPH:'E7CD:59341:&#x8909 CJK UNIFIED IDEOGRAPH:'E7CE:59342:&#x89A2 CJK UNIFIED IDEOGRAPH:'E7CF:59343:&#x89A4 CJK UNIFIED IDEOGRAPH:'E7D0:59344:&#x89A3 CJK UNIFIED IDEOGRAPH:'E7D1:59345:&#x89ED CJK UNIFIED IDEOGRAPH:'E7D2:59346:&#x89F0 CJK UNIFIED IDEOGRAPH:'E7D3:59347:&#x89EC CJK UNIFIED IDEOGRAPH:'E7D4:59348:&#x8ACF CJK UNIFIED IDEOGRAPH:'E7D5:59349:&#x8AC6 CJK UNIFIED IDEOGRAPH:'E7D6:59350:&#x8AB8 CJK UNIFIED IDEOGRAPH:'E7D7:59351:&#x8AD3 CJK UNIFIED IDEOGRAPH:'E7D8:59352:&#x8AD1 CJK UNIFIED IDEOGRAPH:'E7D9:59353:&#x8AD4 CJK UNIFIED IDEOGRAPH:'E7DA:59354:&#x8AD5 CJK UNIFIED IDEOGRAPH:'E7DB:59355:&#x8ABB CJK UNIFIED IDEOGRAPH:'E7DC:59356:&#x8AD7 CJK UNIFIED IDEOGRAPH:'E7DD:59357:&#x8ABE CJK UNIFIED IDEOGRAPH:'E7DE:59358:&#x8AC0 CJK UNIFIED IDEOGRAPH:'E7DF:59359:&#x8AC5 CJK UNIFIED IDEOGRAPH:'E7E0:59360:&#x8AD8 CJK UNIFIED IDEOGRAPH:'E7E1:59361:&#x8AC3 CJK UNIFIED IDEOGRAPH:'E7E2:59362:&#x8ABA CJK UNIFIED IDEOGRAPH:'E7E3:59363:&#x8ABD CJK UNIFIED IDEOGRAPH:'E7E4:59364:&#x8AD9 CJK UNIFIED IDEOGRAPH:'E7E5:59365:&#x8C3E CJK UNIFIED IDEOGRAPH:'E7E6:59366:&#x8C4D CJK UNIFIED IDEOGRAPH:'E7E7:59367:&#x8C8F CJK UNIFIED IDEOGRAPH:'E7E8:59368:&#x8CE5 CJK UNIFIED IDEOGRAPH:'E7E9:59369:&#x8CDF CJK UNIFIED IDEOGRAPH:'E7EA:59370:&#x8CD9 CJK UNIFIED IDEOGRAPH:'E7EB:59371:&#x8CE8 CJK UNIFIED IDEOGRAPH:'E7EC:59372:&#x8CDA CJK UNIFIED IDEOGRAPH:'E7ED:59373:&#x8CDD CJK UNIFIED IDEOGRAPH:'E7EE:59374:&#x8CE7 CJK UNIFIED IDEOGRAPH:'E7EF:59375:&#x8DA0 CJK UNIFIED IDEOGRAPH:'E7F0:59376:&#x8D9C CJK UNIFIED IDEOGRAPH:'E7F1:59377:&#x8DA1 CJK UNIFIED IDEOGRAPH:'E7F2:59378:&#x8D9B CJK UNIFIED IDEOGRAPH:'E7F3:59379:&#x8E20 CJK UNIFIED IDEOGRAPH:'E7F4:59380:&#x8E23 CJK UNIFIED IDEOGRAPH:'E7F5:59381:&#x8E25 CJK UNIFIED IDEOGRAPH:'E7F6:59382:&#x8E24 CJK UNIFIED IDEOGRAPH:'E7F7:59383:&#x8E2E CJK UNIFIED IDEOGRAPH:'E7F8:59384:&#x8E15 CJK UNIFIED IDEOGRAPH:'E7F9:59385:&#x8E1B CJK UNIFIED IDEOGRAPH:'E7FA:59386:&#x8E16 CJK UNIFIED IDEOGRAPH:'E7FB:59387:&#x8E11 CJK UNIFIED IDEOGRAPH:'E7FC:59388:&#x8E19 CJK UNIFIED IDEOGRAPH:'E7FD:59389:&#x8E26 CJK UNIFIED IDEOGRAPH:'E7FE:59390:&#x8E27 CJK UNIFIED IDEOGRAPH:'E840:59456:&#x8E14 CJK UNIFIED IDEOGRAPH:'E841:59457:&#x8E12 CJK UNIFIED IDEOGRAPH:'E842:59458:&#x8E18 CJK UNIFIED IDEOGRAPH:'E843:59459:&#x8E13 CJK UNIFIED IDEOGRAPH:'E844:59460:&#x8E1C CJK UNIFIED IDEOGRAPH:'E845:59461:&#x8E17 CJK UNIFIED IDEOGRAPH:'E846:59462:&#x8E1A CJK UNIFIED IDEOGRAPH:'E847:59463:&#x8F2C CJK UNIFIED IDEOGRAPH:'E848:59464:&#x8F24 CJK UNIFIED IDEOGRAPH:'E849:59465:&#x8F18 CJK UNIFIED IDEOGRAPH:'E84A:59466:&#x8F1A CJK UNIFIED IDEOGRAPH:'E84B:59467:&#x8F20 CJK UNIFIED IDEOGRAPH:'E84C:59468:&#x8F23 CJK UNIFIED IDEOGRAPH:'E84D:59469:&#x8F16 CJK UNIFIED IDEOGRAPH:'E84E:59470:&#x8F17 CJK UNIFIED IDEOGRAPH:'E84F:59471:&#x9073 CJK UNIFIED IDEOGRAPH:'E850:59472:&#x9070 CJK UNIFIED IDEOGRAPH:'E851:59473:&#x906F CJK UNIFIED IDEOGRAPH:'E852:59474:&#x9067 CJK UNIFIED IDEOGRAPH:'E853:59475:&#x906B CJK UNIFIED IDEOGRAPH:'E854:59476:&#x912F CJK UNIFIED IDEOGRAPH:'E855:59477:&#x912B CJK UNIFIED IDEOGRAPH:'E856:59478:&#x9129 CJK UNIFIED IDEOGRAPH:'E857:59479:&#x912A CJK UNIFIED IDEOGRAPH:'E858:59480:&#x9132 CJK UNIFIED IDEOGRAPH:'E859:59481:&#x9126 CJK UNIFIED IDEOGRAPH:'E85A:59482:&#x912E CJK UNIFIED IDEOGRAPH:'E85B:59483:&#x9185 CJK UNIFIED IDEOGRAPH:'E85C:59484:&#x9186 CJK UNIFIED IDEOGRAPH:'E85D:59485:&#x918A CJK UNIFIED IDEOGRAPH:'E85E:59486:&#x9181 CJK UNIFIED IDEOGRAPH:'E85F:59487:&#x9182 CJK UNIFIED IDEOGRAPH:'E860:59488:&#x9184 CJK UNIFIED IDEOGRAPH:'E861:59489:&#x9180 CJK UNIFIED IDEOGRAPH:'E862:59490:&#x92D0 CJK UNIFIED IDEOGRAPH:'E863:59491:&#x92C3 CJK UNIFIED IDEOGRAPH:'E864:59492:&#x92C4 CJK UNIFIED IDEOGRAPH:'E865:59493:&#x92C0 CJK UNIFIED IDEOGRAPH:'E866:59494:&#x92D9 CJK UNIFIED IDEOGRAPH:'E867:59495:&#x92B6 CJK UNIFIED IDEOGRAPH:'E868:59496:&#x92CF CJK UNIFIED IDEOGRAPH:'E869:59497:&#x92F1 CJK UNIFIED IDEOGRAPH:'E86A:59498:&#x92DF CJK UNIFIED IDEOGRAPH:'E86B:59499:&#x92D8 CJK UNIFIED IDEOGRAPH:'E86C:59500:&#x92E9 CJK UNIFIED IDEOGRAPH:'E86D:59501:&#x92D7 CJK UNIFIED IDEOGRAPH:'E86E:59502:&#x92DD CJK UNIFIED IDEOGRAPH:'E86F:59503:&#x92CC CJK UNIFIED IDEOGRAPH:'E870:59504:&#x92EF CJK UNIFIED IDEOGRAPH:'E871:59505:&#x92C2 CJK UNIFIED IDEOGRAPH:'E872:59506:&#x92E8 CJK UNIFIED IDEOGRAPH:'E873:59507:&#x92CA CJK UNIFIED IDEOGRAPH:'E874:59508:&#x92C8 CJK UNIFIED IDEOGRAPH:'E875:59509:&#x92CE CJK UNIFIED IDEOGRAPH:'E876:59510:&#x92E6 CJK UNIFIED IDEOGRAPH:'E877:59511:&#x92CD CJK UNIFIED IDEOGRAPH:'E878:59512:&#x92D5 CJK UNIFIED IDEOGRAPH:'E879:59513:&#x92C9 CJK UNIFIED IDEOGRAPH:'E87A:59514:&#x92E0 CJK UNIFIED IDEOGRAPH:'E87B:59515:&#x92DE CJK UNIFIED IDEOGRAPH:'E87C:59516:&#x92E7 CJK UNIFIED IDEOGRAPH:'E87D:59517:&#x92D1 CJK UNIFIED IDEOGRAPH:'E87E:59518:&#x92D3 CJK UNIFIED IDEOGRAPH:'E8A1:59553:&#x92B5 CJK UNIFIED IDEOGRAPH:'E8A2:59554:&#x92E1 CJK UNIFIED IDEOGRAPH:'E8A3:59555:&#x92C6 CJK UNIFIED IDEOGRAPH:'E8A4:59556:&#x92B4 CJK UNIFIED IDEOGRAPH:'E8A5:59557:&#x957C CJK UNIFIED IDEOGRAPH:'E8A6:59558:&#x95AC CJK UNIFIED IDEOGRAPH:'E8A7:59559:&#x95AB CJK UNIFIED IDEOGRAPH:'E8A8:59560:&#x95AE CJK UNIFIED IDEOGRAPH:'E8A9:59561:&#x95B0 CJK UNIFIED IDEOGRAPH:'E8AA:59562:&#x96A4 CJK UNIFIED IDEOGRAPH:'E8AB:59563:&#x96A2 CJK UNIFIED IDEOGRAPH:'E8AC:59564:&#x96D3 CJK UNIFIED IDEOGRAPH:'E8AD:59565:&#x9705 CJK UNIFIED IDEOGRAPH:'E8AE:59566:&#x9708 CJK UNIFIED IDEOGRAPH:'E8AF:59567:&#x9702 CJK UNIFIED IDEOGRAPH:'E8B0:59568:&#x975A CJK UNIFIED IDEOGRAPH:'E8B1:59569:&#x978A CJK UNIFIED IDEOGRAPH:'E8B2:59570:&#x978E CJK UNIFIED IDEOGRAPH:'E8B3:59571:&#x9788 CJK UNIFIED IDEOGRAPH:'E8B4:59572:&#x97D0 CJK UNIFIED IDEOGRAPH:'E8B5:59573:&#x97CF CJK UNIFIED IDEOGRAPH:'E8B6:59574:&#x981E CJK UNIFIED IDEOGRAPH:'E8B7:59575:&#x981D CJK UNIFIED IDEOGRAPH:'E8B8:59576:&#x9826 CJK UNIFIED IDEOGRAPH:'E8B9:59577:&#x9829 CJK UNIFIED IDEOGRAPH:'E8BA:59578:&#x9828 CJK UNIFIED IDEOGRAPH:'E8BB:59579:&#x9820 CJK UNIFIED IDEOGRAPH:'E8BC:59580:&#x981B CJK UNIFIED IDEOGRAPH:'E8BD:59581:&#x9827 CJK UNIFIED IDEOGRAPH:'E8BE:59582:&#x98B2 CJK UNIFIED IDEOGRAPH:'E8BF:59583:&#x9908 CJK UNIFIED IDEOGRAPH:'E8C0:59584:&#x98FA CJK UNIFIED IDEOGRAPH:'E8C1:59585:&#x9911 CJK UNIFIED IDEOGRAPH:'E8C2:59586:&#x9914 CJK UNIFIED IDEOGRAPH:'E8C3:59587:&#x9916 CJK UNIFIED IDEOGRAPH:'E8C4:59588:&#x9917 CJK UNIFIED IDEOGRAPH:'E8C5:59589:&#x9915 CJK UNIFIED IDEOGRAPH:'E8C6:59590:&#x99DC CJK UNIFIED IDEOGRAPH:'E8C7:59591:&#x99CD CJK UNIFIED IDEOGRAPH:'E8C8:59592:&#x99CF CJK UNIFIED IDEOGRAPH:'E8C9:59593:&#x99D3 CJK UNIFIED IDEOGRAPH:'E8CA:59594:&#x99D4 CJK UNIFIED IDEOGRAPH:'E8CB:59595:&#x99CE CJK UNIFIED IDEOGRAPH:'E8CC:59596:&#x99C9 CJK UNIFIED IDEOGRAPH:'E8CD:59597:&#x99D6 CJK UNIFIED IDEOGRAPH:'E8CE:59598:&#x99D8 CJK UNIFIED IDEOGRAPH:'E8CF:59599:&#x99CB CJK UNIFIED IDEOGRAPH:'E8D0:59600:&#x99D7 CJK UNIFIED IDEOGRAPH:'E8D1:59601:&#x99CC CJK UNIFIED IDEOGRAPH:'E8D2:59602:&#x9AB3 CJK UNIFIED IDEOGRAPH:'E8D3:59603:&#x9AEC CJK UNIFIED IDEOGRAPH:'E8D4:59604:&#x9AEB CJK UNIFIED IDEOGRAPH:'E8D5:59605:&#x9AF3 CJK UNIFIED IDEOGRAPH:'E8D6:59606:&#x9AF2 CJK UNIFIED IDEOGRAPH:'E8D7:59607:&#x9AF1 CJK UNIFIED IDEOGRAPH:'E8D8:59608:&#x9B46 CJK UNIFIED IDEOGRAPH:'E8D9:59609:&#x9B43 CJK UNIFIED IDEOGRAPH:'E8DA:59610:&#x9B67 CJK UNIFIED IDEOGRAPH:'E8DB:59611:&#x9B74 CJK UNIFIED IDEOGRAPH:'E8DC:59612:&#x9B71 CJK UNIFIED IDEOGRAPH:'E8DD:59613:&#x9B66 CJK UNIFIED IDEOGRAPH:'E8DE:59614:&#x9B76 CJK UNIFIED IDEOGRAPH:'E8DF:59615:&#x9B75 CJK UNIFIED IDEOGRAPH:'E8E0:59616:&#x9B70 CJK UNIFIED IDEOGRAPH:'E8E1:59617:&#x9B68 CJK UNIFIED IDEOGRAPH:'E8E2:59618:&#x9B64 CJK UNIFIED IDEOGRAPH:'E8E3:59619:&#x9B6C CJK UNIFIED IDEOGRAPH:'E8E4:59620:&#x9CFC CJK UNIFIED IDEOGRAPH:'E8E5:59621:&#x9CFA CJK UNIFIED IDEOGRAPH:'E8E6:59622:&#x9CFD CJK UNIFIED IDEOGRAPH:'E8E7:59623:&#x9CFF CJK UNIFIED IDEOGRAPH:'E8E8:59624:&#x9CF7 CJK UNIFIED IDEOGRAPH:'E8E9:59625:&#x9D07 CJK UNIFIED IDEOGRAPH:'E8EA:59626:&#x9D00 CJK UNIFIED IDEOGRAPH:'E8EB:59627:&#x9CF9 CJK UNIFIED IDEOGRAPH:'E8EC:59628:&#x9CFB CJK UNIFIED IDEOGRAPH:'E8ED:59629:&#x9D08 CJK UNIFIED IDEOGRAPH:'E8EE:59630:&#x9D05 CJK UNIFIED IDEOGRAPH:'E8EF:59631:&#x9D04 CJK UNIFIED IDEOGRAPH:'E8F0:59632:&#x9E83 CJK UNIFIED IDEOGRAPH:'E8F1:59633:&#x9ED3 CJK UNIFIED IDEOGRAPH:'E8F2:59634:&#x9F0F CJK UNIFIED IDEOGRAPH:'E8F3:59635:&#x9F10 CJK UNIFIED IDEOGRAPH:'E8F4:59636:&#x511C CJK UNIFIED IDEOGRAPH:'E8F5:59637:&#x5113 CJK UNIFIED IDEOGRAPH:'E8F6:59638:&#x5117 CJK UNIFIED IDEOGRAPH:'E8F7:59639:&#x511A CJK UNIFIED IDEOGRAPH:'E8F8:59640:&#x5111 CJK UNIFIED IDEOGRAPH:'E8F9:59641:&#x51DE CJK UNIFIED IDEOGRAPH:'E8FA:59642:&#x5334 CJK UNIFIED IDEOGRAPH:'E8FB:59643:&#x53E1 CJK UNIFIED IDEOGRAPH:'E8FC:59644:&#x5670 CJK UNIFIED IDEOGRAPH:'E8FD:59645:&#x5660 CJK UNIFIED IDEOGRAPH:'E8FE:59646:&#x566E CJK UNIFIED IDEOGRAPH:'E940:59712:&#x5673 CJK UNIFIED IDEOGRAPH:'E941:59713:&#x5666 CJK UNIFIED IDEOGRAPH:'E942:59714:&#x5663 CJK UNIFIED IDEOGRAPH:'E943:59715:&#x566D CJK UNIFIED IDEOGRAPH:'E944:59716:&#x5672 CJK UNIFIED IDEOGRAPH:'E945:59717:&#x565E CJK UNIFIED IDEOGRAPH:'E946:59718:&#x5677 CJK UNIFIED IDEOGRAPH:'E947:59719:&#x571C CJK UNIFIED IDEOGRAPH:'E948:59720:&#x571B CJK UNIFIED IDEOGRAPH:'E949:59721:&#x58C8 CJK UNIFIED IDEOGRAPH:'E94A:59722:&#x58BD CJK UNIFIED IDEOGRAPH:'E94B:59723:&#x58C9 CJK UNIFIED IDEOGRAPH:'E94C:59724:&#x58BF CJK UNIFIED IDEOGRAPH:'E94D:59725:&#x58BA CJK UNIFIED IDEOGRAPH:'E94E:59726:&#x58C2 CJK UNIFIED IDEOGRAPH:'E94F:59727:&#x58BC CJK UNIFIED IDEOGRAPH:'E950:59728:&#x58C6 CJK UNIFIED IDEOGRAPH:'E951:59729:&#x5B17 CJK UNIFIED IDEOGRAPH:'E952:59730:&#x5B19 CJK UNIFIED IDEOGRAPH:'E953:59731:&#x5B1B CJK UNIFIED IDEOGRAPH:'E954:59732:&#x5B21 CJK UNIFIED IDEOGRAPH:'E955:59733:&#x5B14 CJK UNIFIED IDEOGRAPH:'E956:59734:&#x5B13 CJK UNIFIED IDEOGRAPH:'E957:59735:&#x5B10 CJK UNIFIED IDEOGRAPH:'E958:59736:&#x5B16 CJK UNIFIED IDEOGRAPH:'E959:59737:&#x5B28 CJK UNIFIED IDEOGRAPH:'E95A:59738:&#x5B1A CJK UNIFIED IDEOGRAPH:'E95B:59739:&#x5B20 CJK UNIFIED IDEOGRAPH:'E95C:59740:&#x5B1E CJK UNIFIED IDEOGRAPH:'E95D:59741:&#x5BEF CJK UNIFIED IDEOGRAPH:'E95E:59742:&#x5DAC CJK UNIFIED IDEOGRAPH:'E95F:59743:&#x5DB1 CJK UNIFIED IDEOGRAPH:'E960:59744:&#x5DA9 CJK UNIFIED IDEOGRAPH:'E961:59745:&#x5DA7 CJK UNIFIED IDEOGRAPH:'E962:59746:&#x5DB5 CJK UNIFIED IDEOGRAPH:'E963:59747:&#x5DB0 CJK UNIFIED IDEOGRAPH:'E964:59748:&#x5DAE CJK UNIFIED IDEOGRAPH:'E965:59749:&#x5DAA CJK UNIFIED IDEOGRAPH:'E966:59750:&#x5DA8 CJK UNIFIED IDEOGRAPH:'E967:59751:&#x5DB2 CJK UNIFIED IDEOGRAPH:'E968:59752:&#x5DAD CJK UNIFIED IDEOGRAPH:'E969:59753:&#x5DAF CJK UNIFIED IDEOGRAPH:'E96A:59754:&#x5DB4 CJK UNIFIED IDEOGRAPH:'E96B:59755:&#x5E67 CJK UNIFIED IDEOGRAPH:'E96C:59756:&#x5E68 CJK UNIFIED IDEOGRAPH:'E96D:59757:&#x5E66 CJK UNIFIED IDEOGRAPH:'E96E:59758:&#x5E6F CJK UNIFIED IDEOGRAPH:'E96F:59759:&#x5EE9 CJK UNIFIED IDEOGRAPH:'E970:59760:&#x5EE7 CJK UNIFIED IDEOGRAPH:'E971:59761:&#x5EE6 CJK UNIFIED IDEOGRAPH:'E972:59762:&#x5EE8 CJK UNIFIED IDEOGRAPH:'E973:59763:&#x5EE5 CJK UNIFIED IDEOGRAPH:'E974:59764:&#x5F4B CJK UNIFIED IDEOGRAPH:'E975:59765:&#x5FBC CJK UNIFIED IDEOGRAPH:'E976:59766:&#x619D CJK UNIFIED IDEOGRAPH:'E977:59767:&#x61A8 CJK UNIFIED IDEOGRAPH:'E978:59768:&#x6196 CJK UNIFIED IDEOGRAPH:'E979:59769:&#x61C5 CJK UNIFIED IDEOGRAPH:'E97A:59770:&#x61B4 CJK UNIFIED IDEOGRAPH:'E97B:59771:&#x61C6 CJK UNIFIED IDEOGRAPH:'E97C:59772:&#x61C1 CJK UNIFIED IDEOGRAPH:'E97D:59773:&#x61CC CJK UNIFIED IDEOGRAPH:'E97E:59774:&#x61BA CJK UNIFIED IDEOGRAPH:'E9A1:59809:&#x61BF CJK UNIFIED IDEOGRAPH:'E9A2:59810:&#x61B8 CJK UNIFIED IDEOGRAPH:'E9A3:59811:&#x618C CJK UNIFIED IDEOGRAPH:'E9A4:59812:&#x64D7 CJK UNIFIED IDEOGRAPH:'E9A5:59813:&#x64D6 CJK UNIFIED IDEOGRAPH:'E9A6:59814:&#x64D0 CJK UNIFIED IDEOGRAPH:'E9A7:59815:&#x64CF CJK UNIFIED IDEOGRAPH:'E9A8:59816:&#x64C9 CJK UNIFIED IDEOGRAPH:'E9A9:59817:&#x64BD CJK UNIFIED IDEOGRAPH:'E9AA:59818:&#x6489 CJK UNIFIED IDEOGRAPH:'E9AB:59819:&#x64C3 CJK UNIFIED IDEOGRAPH:'E9AC:59820:&#x64DB CJK UNIFIED IDEOGRAPH:'E9AD:59821:&#x64F3 CJK UNIFIED IDEOGRAPH:'E9AE:59822:&#x64D9 CJK UNIFIED IDEOGRAPH:'E9AF:59823:&#x6533 CJK UNIFIED IDEOGRAPH:'E9B0:59824:&#x657F CJK UNIFIED IDEOGRAPH:'E9B1:59825:&#x657C CJK UNIFIED IDEOGRAPH:'E9B2:59826:&#x65A2 CJK UNIFIED IDEOGRAPH:'E9B3:59827:&#x66C8 CJK UNIFIED IDEOGRAPH:'E9B4:59828:&#x66BE CJK UNIFIED IDEOGRAPH:'E9B5:59829:&#x66C0 CJK UNIFIED IDEOGRAPH:'E9B6:59830:&#x66CA CJK UNIFIED IDEOGRAPH:'E9B7:59831:&#x66CB CJK UNIFIED IDEOGRAPH:'E9B8:59832:&#x66CF CJK UNIFIED IDEOGRAPH:'E9B9:59833:&#x66BD CJK UNIFIED IDEOGRAPH:'E9BA:59834:&#x66BB CJK UNIFIED IDEOGRAPH:'E9BB:59835:&#x66BA CJK UNIFIED IDEOGRAPH:'E9BC:59836:&#x66CC CJK UNIFIED IDEOGRAPH:'E9BD:59837:&#x6723 CJK UNIFIED IDEOGRAPH:'E9BE:59838:&#x6A34 CJK UNIFIED IDEOGRAPH:'E9BF:59839:&#x6A66 CJK UNIFIED IDEOGRAPH:'E9C0:59840:&#x6A49 CJK UNIFIED IDEOGRAPH:'E9C1:59841:&#x6A67 CJK UNIFIED IDEOGRAPH:'E9C2:59842:&#x6A32 CJK UNIFIED IDEOGRAPH:'E9C3:59843:&#x6A68 CJK UNIFIED IDEOGRAPH:'E9C4:59844:&#x6A3E CJK UNIFIED IDEOGRAPH:'E9C5:59845:&#x6A5D CJK UNIFIED IDEOGRAPH:'E9C6:59846:&#x6A6D CJK UNIFIED IDEOGRAPH:'E9C7:59847:&#x6A76 CJK UNIFIED IDEOGRAPH:'E9C8:59848:&#x6A5B CJK UNIFIED IDEOGRAPH:'E9C9:59849:&#x6A51 CJK UNIFIED IDEOGRAPH:'E9CA:59850:&#x6A28 CJK UNIFIED IDEOGRAPH:'E9CB:59851:&#x6A5A CJK UNIFIED IDEOGRAPH:'E9CC:59852:&#x6A3B CJK UNIFIED IDEOGRAPH:'E9CD:59853:&#x6A3F CJK UNIFIED IDEOGRAPH:'E9CE:59854:&#x6A41 CJK UNIFIED IDEOGRAPH:'E9CF:59855:&#x6A6A CJK UNIFIED IDEOGRAPH:'E9D0:59856:&#x6A64 CJK UNIFIED IDEOGRAPH:'E9D1:59857:&#x6A50 CJK UNIFIED IDEOGRAPH:'E9D2:59858:&#x6A4F CJK UNIFIED IDEOGRAPH:'E9D3:59859:&#x6A54 CJK UNIFIED IDEOGRAPH:'E9D4:59860:&#x6A6F CJK UNIFIED IDEOGRAPH:'E9D5:59861:&#x6A69 CJK UNIFIED IDEOGRAPH:'E9D6:59862:&#x6A60 CJK UNIFIED IDEOGRAPH:'E9D7:59863:&#x6A3C CJK UNIFIED IDEOGRAPH:'E9D8:59864:&#x6A5E CJK UNIFIED IDEOGRAPH:'E9D9:59865:&#x6A56 CJK UNIFIED IDEOGRAPH:'E9DA:59866:&#x6A55 CJK UNIFIED IDEOGRAPH:'E9DB:59867:&#x6A4D CJK UNIFIED IDEOGRAPH:'E9DC:59868:&#x6A4E CJK UNIFIED IDEOGRAPH:'E9DD:59869:&#x6A46 CJK UNIFIED IDEOGRAPH:'E9DE:59870:&#x6B55 CJK UNIFIED IDEOGRAPH:'E9DF:59871:&#x6B54 CJK UNIFIED IDEOGRAPH:'E9E0:59872:&#x6B56 CJK UNIFIED IDEOGRAPH:'E9E1:59873:&#x6BA7 CJK UNIFIED IDEOGRAPH:'E9E2:59874:&#x6BAA CJK UNIFIED IDEOGRAPH:'E9E3:59875:&#x6BAB CJK UNIFIED IDEOGRAPH:'E9E4:59876:&#x6BC8 CJK UNIFIED IDEOGRAPH:'E9E5:59877:&#x6BC7 CJK UNIFIED IDEOGRAPH:'E9E6:59878:&#x6C04 CJK UNIFIED IDEOGRAPH:'E9E7:59879:&#x6C03 CJK UNIFIED IDEOGRAPH:'E9E8:59880:&#x6C06 CJK UNIFIED IDEOGRAPH:'E9E9:59881:&#x6FAD CJK UNIFIED IDEOGRAPH:'E9EA:59882:&#x6FCB CJK UNIFIED IDEOGRAPH:'E9EB:59883:&#x6FA3 CJK UNIFIED IDEOGRAPH:'E9EC:59884:&#x6FC7 CJK UNIFIED IDEOGRAPH:'E9ED:59885:&#x6FBC CJK UNIFIED IDEOGRAPH:'E9EE:59886:&#x6FCE CJK UNIFIED IDEOGRAPH:'E9EF:59887:&#x6FC8 CJK UNIFIED IDEOGRAPH:'E9F0:59888:&#x6F5E CJK UNIFIED IDEOGRAPH:'E9F1:59889:&#x6FC4 CJK UNIFIED IDEOGRAPH:'E9F2:59890:&#x6FBD CJK UNIFIED IDEOGRAPH:'E9F3:59891:&#x6F9E CJK UNIFIED IDEOGRAPH:'E9F4:59892:&#x6FCA CJK UNIFIED IDEOGRAPH:'E9F5:59893:&#x6FA8 CJK UNIFIED IDEOGRAPH:'E9F6:59894:&#x7004 CJK UNIFIED IDEOGRAPH:'E9F7:59895:&#x6FA5 CJK UNIFIED IDEOGRAPH:'E9F8:59896:&#x6FAE CJK UNIFIED IDEOGRAPH:'E9F9:59897:&#x6FBA CJK UNIFIED IDEOGRAPH:'E9FA:59898:&#x6FAC CJK UNIFIED IDEOGRAPH:'E9FB:59899:&#x6FAA CJK UNIFIED IDEOGRAPH:'E9FC:59900:&#x6FCF CJK UNIFIED IDEOGRAPH:'E9FD:59901:&#x6FBF CJK UNIFIED IDEOGRAPH:'E9FE:59902:&#x6FB8 CJK UNIFIED IDEOGRAPH:'EA40:59968:&#x6FA2 CJK UNIFIED IDEOGRAPH:'EA41:59969:&#x6FC9 CJK UNIFIED IDEOGRAPH:'EA42:59970:&#x6FAB CJK UNIFIED IDEOGRAPH:'EA43:59971:&#x6FCD CJK UNIFIED IDEOGRAPH:'EA44:59972:&#x6FAF CJK UNIFIED IDEOGRAPH:'EA45:59973:&#x6FB2 CJK UNIFIED IDEOGRAPH:'EA46:59974:&#x6FB0 CJK UNIFIED IDEOGRAPH:'EA47:59975:&#x71C5 CJK UNIFIED IDEOGRAPH:'EA48:59976:&#x71C2 CJK UNIFIED IDEOGRAPH:'EA49:59977:&#x71BF CJK UNIFIED IDEOGRAPH:'EA4A:59978:&#x71B8 CJK UNIFIED IDEOGRAPH:'EA4B:59979:&#x71D6 CJK UNIFIED IDEOGRAPH:'EA4C:59980:&#x71C0 CJK UNIFIED IDEOGRAPH:'EA4D:59981:&#x71C1 CJK UNIFIED IDEOGRAPH:'EA4E:59982:&#x71CB CJK UNIFIED IDEOGRAPH:'EA4F:59983:&#x71D4 CJK UNIFIED IDEOGRAPH:'EA50:59984:&#x71CA CJK UNIFIED IDEOGRAPH:'EA51:59985:&#x71C7 CJK UNIFIED IDEOGRAPH:'EA52:59986:&#x71CF CJK UNIFIED IDEOGRAPH:'EA53:59987:&#x71BD CJK UNIFIED IDEOGRAPH:'EA54:59988:&#x71D8 CJK UNIFIED IDEOGRAPH:'EA55:59989:&#x71BC CJK UNIFIED IDEOGRAPH:'EA56:59990:&#x71C6 CJK UNIFIED IDEOGRAPH:'EA57:59991:&#x71DA CJK UNIFIED IDEOGRAPH:'EA58:59992:&#x71DB CJK UNIFIED IDEOGRAPH:'EA59:59993:&#x729D CJK UNIFIED IDEOGRAPH:'EA5A:59994:&#x729E CJK UNIFIED IDEOGRAPH:'EA5B:59995:&#x7369 CJK UNIFIED IDEOGRAPH:'EA5C:59996:&#x7366 CJK UNIFIED IDEOGRAPH:'EA5D:59997:&#x7367 CJK UNIFIED IDEOGRAPH:'EA5E:59998:&#x736C CJK UNIFIED IDEOGRAPH:'EA5F:59999:&#x7365 CJK UNIFIED IDEOGRAPH:'EA60:60000:&#x736B CJK UNIFIED IDEOGRAPH:'EA61:60001:&#x736A CJK UNIFIED IDEOGRAPH:'EA62:60002:&#x747F CJK UNIFIED IDEOGRAPH:'EA63:60003:&#x749A CJK UNIFIED IDEOGRAPH:'EA64:60004:&#x74A0 CJK UNIFIED IDEOGRAPH:'EA65:60005:&#x7494 CJK UNIFIED IDEOGRAPH:'EA66:60006:&#x7492 CJK UNIFIED IDEOGRAPH:'EA67:60007:&#x7495 CJK UNIFIED IDEOGRAPH:'EA68:60008:&#x74A1 CJK UNIFIED IDEOGRAPH:'EA69:60009:&#x750B CJK UNIFIED IDEOGRAPH:'EA6A:60010:&#x7580 CJK UNIFIED IDEOGRAPH:'EA6B:60011:&#x762F CJK UNIFIED IDEOGRAPH:'EA6C:60012:&#x762D CJK UNIFIED IDEOGRAPH:'EA6D:60013:&#x7631 CJK UNIFIED IDEOGRAPH:'EA6E:60014:&#x763D CJK UNIFIED IDEOGRAPH:'EA6F:60015:&#x7633 CJK UNIFIED IDEOGRAPH:'EA70:60016:&#x763C CJK UNIFIED IDEOGRAPH:'EA71:60017:&#x7635 CJK UNIFIED IDEOGRAPH:'EA72:60018:&#x7632 CJK UNIFIED IDEOGRAPH:'EA73:60019:&#x7630 CJK UNIFIED IDEOGRAPH:'EA74:60020:&#x76BB CJK UNIFIED IDEOGRAPH:'EA75:60021:&#x76E6 CJK UNIFIED IDEOGRAPH:'EA76:60022:&#x779A CJK UNIFIED IDEOGRAPH:'EA77:60023:&#x779D CJK UNIFIED IDEOGRAPH:'EA78:60024:&#x77A1 CJK UNIFIED IDEOGRAPH:'EA79:60025:&#x779C CJK UNIFIED IDEOGRAPH:'EA7A:60026:&#x779B CJK UNIFIED IDEOGRAPH:'EA7B:60027:&#x77A2 CJK UNIFIED IDEOGRAPH:'EA7C:60028:&#x77A3 CJK UNIFIED IDEOGRAPH:'EA7D:60029:&#x7795 CJK UNIFIED IDEOGRAPH:'EA7E:60030:&#x7799 CJK UNIFIED IDEOGRAPH:'EAA1:60065:&#x7797 CJK UNIFIED IDEOGRAPH:'EAA2:60066:&#x78DD CJK UNIFIED IDEOGRAPH:'EAA3:60067:&#x78E9 CJK UNIFIED IDEOGRAPH:'EAA4:60068:&#x78E5 CJK UNIFIED IDEOGRAPH:'EAA5:60069:&#x78EA CJK UNIFIED IDEOGRAPH:'EAA6:60070:&#x78DE CJK UNIFIED IDEOGRAPH:'EAA7:60071:&#x78E3 CJK UNIFIED IDEOGRAPH:'EAA8:60072:&#x78DB CJK UNIFIED IDEOGRAPH:'EAA9:60073:&#x78E1 CJK UNIFIED IDEOGRAPH:'EAAA:60074:&#x78E2 CJK UNIFIED IDEOGRAPH:'EAAB:60075:&#x78ED CJK UNIFIED IDEOGRAPH:'EAAC:60076:&#x78DF CJK UNIFIED IDEOGRAPH:'EAAD:60077:&#x78E0 CJK UNIFIED IDEOGRAPH:'EAAE:60078:&#x79A4 CJK UNIFIED IDEOGRAPH:'EAAF:60079:&#x7A44 CJK UNIFIED IDEOGRAPH:'EAB0:60080:&#x7A48 CJK UNIFIED IDEOGRAPH:'EAB1:60081:&#x7A47 CJK UNIFIED IDEOGRAPH:'EAB2:60082:&#x7AB6 CJK UNIFIED IDEOGRAPH:'EAB3:60083:&#x7AB8 CJK UNIFIED IDEOGRAPH:'EAB4:60084:&#x7AB5 CJK UNIFIED IDEOGRAPH:'EAB5:60085:&#x7AB1 CJK UNIFIED IDEOGRAPH:'EAB6:60086:&#x7AB7 CJK UNIFIED IDEOGRAPH:'EAB7:60087:&#x7BDE CJK UNIFIED IDEOGRAPH:'EAB8:60088:&#x7BE3 CJK UNIFIED IDEOGRAPH:'EAB9:60089:&#x7BE7 CJK UNIFIED IDEOGRAPH:'EABA:60090:&#x7BDD CJK UNIFIED IDEOGRAPH:'EABB:60091:&#x7BD5 CJK UNIFIED IDEOGRAPH:'EABC:60092:&#x7BE5 CJK UNIFIED IDEOGRAPH:'EABD:60093:&#x7BDA CJK UNIFIED IDEOGRAPH:'EABE:60094:&#x7BE8 CJK UNIFIED IDEOGRAPH:'EABF:60095:&#x7BF9 CJK UNIFIED IDEOGRAPH:'EAC0:60096:&#x7BD4 CJK UNIFIED IDEOGRAPH:'EAC1:60097:&#x7BEA CJK UNIFIED IDEOGRAPH:'EAC2:60098:&#x7BE2 CJK UNIFIED IDEOGRAPH:'EAC3:60099:&#x7BDC CJK UNIFIED IDEOGRAPH:'EAC4:60100:&#x7BEB CJK UNIFIED IDEOGRAPH:'EAC5:60101:&#x7BD8 CJK UNIFIED IDEOGRAPH:'EAC6:60102:&#x7BDF CJK UNIFIED IDEOGRAPH:'EAC7:60103:&#x7CD2 CJK UNIFIED IDEOGRAPH:'EAC8:60104:&#x7CD4 CJK UNIFIED IDEOGRAPH:'EAC9:60105:&#x7CD7 CJK UNIFIED IDEOGRAPH:'EACA:60106:&#x7CD0 CJK UNIFIED IDEOGRAPH:'EACB:60107:&#x7CD1 CJK UNIFIED IDEOGRAPH:'EACC:60108:&#x7E12 CJK UNIFIED IDEOGRAPH:'EACD:60109:&#x7E21 CJK UNIFIED IDEOGRAPH:'EACE:60110:&#x7E17 CJK UNIFIED IDEOGRAPH:'EACF:60111:&#x7E0C CJK UNIFIED IDEOGRAPH:'EAD0:60112:&#x7E1F CJK UNIFIED IDEOGRAPH:'EAD1:60113:&#x7E20 CJK UNIFIED IDEOGRAPH:'EAD2:60114:&#x7E13 CJK UNIFIED IDEOGRAPH:'EAD3:60115:&#x7E0E CJK UNIFIED IDEOGRAPH:'EAD4:60116:&#x7E1C CJK UNIFIED IDEOGRAPH:'EAD5:60117:&#x7E15 CJK UNIFIED IDEOGRAPH:'EAD6:60118:&#x7E1A CJK UNIFIED IDEOGRAPH:'EAD7:60119:&#x7E22 CJK UNIFIED IDEOGRAPH:'EAD8:60120:&#x7E0B CJK UNIFIED IDEOGRAPH:'EAD9:60121:&#x7E0F CJK UNIFIED IDEOGRAPH:'EADA:60122:&#x7E16 CJK UNIFIED IDEOGRAPH:'EADB:60123:&#x7E0D CJK UNIFIED IDEOGRAPH:'EADC:60124:&#x7E14 CJK UNIFIED IDEOGRAPH:'EADD:60125:&#x7E25 CJK UNIFIED IDEOGRAPH:'EADE:60126:&#x7E24 CJK UNIFIED IDEOGRAPH:'EADF:60127:&#x7F43 CJK UNIFIED IDEOGRAPH:'EAE0:60128:&#x7F7B CJK UNIFIED IDEOGRAPH:'EAE1:60129:&#x7F7C CJK UNIFIED IDEOGRAPH:'EAE2:60130:&#x7F7A CJK UNIFIED IDEOGRAPH:'EAE3:60131:&#x7FB1 CJK UNIFIED IDEOGRAPH:'EAE4:60132:&#x7FEF CJK UNIFIED IDEOGRAPH:'EAE5:60133:&#x802A CJK UNIFIED IDEOGRAPH:'EAE6:60134:&#x8029 CJK UNIFIED IDEOGRAPH:'EAE7:60135:&#x806C CJK UNIFIED IDEOGRAPH:'EAE8:60136:&#x81B1 CJK UNIFIED IDEOGRAPH:'EAE9:60137:&#x81A6 CJK UNIFIED IDEOGRAPH:'EAEA:60138:&#x81AE CJK UNIFIED IDEOGRAPH:'EAEB:60139:&#x81B9 CJK UNIFIED IDEOGRAPH:'EAEC:60140:&#x81B5 CJK UNIFIED IDEOGRAPH:'EAED:60141:&#x81AB CJK UNIFIED IDEOGRAPH:'EAEE:60142:&#x81B0 CJK UNIFIED IDEOGRAPH:'EAEF:60143:&#x81AC CJK UNIFIED IDEOGRAPH:'EAF0:60144:&#x81B4 CJK UNIFIED IDEOGRAPH:'EAF1:60145:&#x81B2 CJK UNIFIED IDEOGRAPH:'EAF2:60146:&#x81B7 CJK UNIFIED IDEOGRAPH:'EAF3:60147:&#x81A7 CJK UNIFIED IDEOGRAPH:'EAF4:60148:&#x81F2 CJK UNIFIED IDEOGRAPH:'EAF5:60149:&#x8255 CJK UNIFIED IDEOGRAPH:'EAF6:60150:&#x8256 CJK UNIFIED IDEOGRAPH:'EAF7:60151:&#x8257 CJK UNIFIED IDEOGRAPH:'EAF8:60152:&#x8556 CJK UNIFIED IDEOGRAPH:'EAF9:60153:&#x8545 CJK UNIFIED IDEOGRAPH:'EAFA:60154:&#x856B CJK UNIFIED IDEOGRAPH:'EAFB:60155:&#x854D CJK UNIFIED IDEOGRAPH:'EAFC:60156:&#x8553 CJK UNIFIED IDEOGRAPH:'EAFD:60157:&#x8561 CJK UNIFIED IDEOGRAPH:'EAFE:60158:&#x8558 CJK UNIFIED IDEOGRAPH:'EB40:60224:&#x8540 CJK UNIFIED IDEOGRAPH:'EB41:60225:&#x8546 CJK UNIFIED IDEOGRAPH:'EB42:60226:&#x8564 CJK UNIFIED IDEOGRAPH:'EB43:60227:&#x8541 CJK UNIFIED IDEOGRAPH:'EB44:60228:&#x8562 CJK UNIFIED IDEOGRAPH:'EB45:60229:&#x8544 CJK UNIFIED IDEOGRAPH:'EB46:60230:&#x8551 CJK UNIFIED IDEOGRAPH:'EB47:60231:&#x8547 CJK UNIFIED IDEOGRAPH:'EB48:60232:&#x8563 CJK UNIFIED IDEOGRAPH:'EB49:60233:&#x853E CJK UNIFIED IDEOGRAPH:'EB4A:60234:&#x855B CJK UNIFIED IDEOGRAPH:'EB4B:60235:&#x8571 CJK UNIFIED IDEOGRAPH:'EB4C:60236:&#x854E CJK UNIFIED IDEOGRAPH:'EB4D:60237:&#x856E CJK UNIFIED IDEOGRAPH:'EB4E:60238:&#x8575 CJK UNIFIED IDEOGRAPH:'EB4F:60239:&#x8555 CJK UNIFIED IDEOGRAPH:'EB50:60240:&#x8567 CJK UNIFIED IDEOGRAPH:'EB51:60241:&#x8560 CJK UNIFIED IDEOGRAPH:'EB52:60242:&#x858C CJK UNIFIED IDEOGRAPH:'EB53:60243:&#x8566 CJK UNIFIED IDEOGRAPH:'EB54:60244:&#x855D CJK UNIFIED IDEOGRAPH:'EB55:60245:&#x8554 CJK UNIFIED IDEOGRAPH:'EB56:60246:&#x8565 CJK UNIFIED IDEOGRAPH:'EB57:60247:&#x856C CJK UNIFIED IDEOGRAPH:'EB58:60248:&#x8663 CJK UNIFIED IDEOGRAPH:'EB59:60249:&#x8665 CJK UNIFIED IDEOGRAPH:'EB5A:60250:&#x8664 CJK UNIFIED IDEOGRAPH:'EB5B:60251:&#x879B CJK UNIFIED IDEOGRAPH:'EB5C:60252:&#x878F CJK UNIFIED IDEOGRAPH:'EB5D:60253:&#x8797 CJK UNIFIED IDEOGRAPH:'EB5E:60254:&#x8793 CJK UNIFIED IDEOGRAPH:'EB5F:60255:&#x8792 CJK UNIFIED IDEOGRAPH:'EB60:60256:&#x8788 CJK UNIFIED IDEOGRAPH:'EB61:60257:&#x8781 CJK UNIFIED IDEOGRAPH:'EB62:60258:&#x8796 CJK UNIFIED IDEOGRAPH:'EB63:60259:&#x8798 CJK UNIFIED IDEOGRAPH:'EB64:60260:&#x8779 CJK UNIFIED IDEOGRAPH:'EB65:60261:&#x8787 CJK UNIFIED IDEOGRAPH:'EB66:60262:&#x87A3 CJK UNIFIED IDEOGRAPH:'EB67:60263:&#x8785 CJK UNIFIED IDEOGRAPH:'EB68:60264:&#x8790 CJK UNIFIED IDEOGRAPH:'EB69:60265:&#x8791 CJK UNIFIED IDEOGRAPH:'EB6A:60266:&#x879D CJK UNIFIED IDEOGRAPH:'EB6B:60267:&#x8784 CJK UNIFIED IDEOGRAPH:'EB6C:60268:&#x8794 CJK UNIFIED IDEOGRAPH:'EB6D:60269:&#x879C CJK UNIFIED IDEOGRAPH:'EB6E:60270:&#x879A CJK UNIFIED IDEOGRAPH:'EB6F:60271:&#x8789 CJK UNIFIED IDEOGRAPH:'EB70:60272:&#x891E CJK UNIFIED IDEOGRAPH:'EB71:60273:&#x8926 CJK UNIFIED IDEOGRAPH:'EB72:60274:&#x8930 CJK UNIFIED IDEOGRAPH:'EB73:60275:&#x892D CJK UNIFIED IDEOGRAPH:'EB74:60276:&#x892E CJK UNIFIED IDEOGRAPH:'EB75:60277:&#x8927 CJK UNIFIED IDEOGRAPH:'EB76:60278:&#x8931 CJK UNIFIED IDEOGRAPH:'EB77:60279:&#x8922 CJK UNIFIED IDEOGRAPH:'EB78:60280:&#x8929 CJK UNIFIED IDEOGRAPH:'EB79:60281:&#x8923 CJK UNIFIED IDEOGRAPH:'EB7A:60282:&#x892F CJK UNIFIED IDEOGRAPH:'EB7B:60283:&#x892C CJK UNIFIED IDEOGRAPH:'EB7C:60284:&#x891F CJK UNIFIED IDEOGRAPH:'EB7D:60285:&#x89F1 CJK UNIFIED IDEOGRAPH:'EB7E:60286:&#x8AE0 CJK UNIFIED IDEOGRAPH:'EBA1:60321:&#x8AE2 CJK UNIFIED IDEOGRAPH:'EBA2:60322:&#x8AF2 CJK UNIFIED IDEOGRAPH:'EBA3:60323:&#x8AF4 CJK UNIFIED IDEOGRAPH:'EBA4:60324:&#x8AF5 CJK UNIFIED IDEOGRAPH:'EBA5:60325:&#x8ADD CJK UNIFIED IDEOGRAPH:'EBA6:60326:&#x8B14 CJK UNIFIED IDEOGRAPH:'EBA7:60327:&#x8AE4 CJK UNIFIED IDEOGRAPH:'EBA8:60328:&#x8ADF CJK UNIFIED IDEOGRAPH:'EBA9:60329:&#x8AF0 CJK UNIFIED IDEOGRAPH:'EBAA:60330:&#x8AC8 CJK UNIFIED IDEOGRAPH:'EBAB:60331:&#x8ADE CJK UNIFIED IDEOGRAPH:'EBAC:60332:&#x8AE1 CJK UNIFIED IDEOGRAPH:'EBAD:60333:&#x8AE8 CJK UNIFIED IDEOGRAPH:'EBAE:60334:&#x8AFF CJK UNIFIED IDEOGRAPH:'EBAF:60335:&#x8AEF CJK UNIFIED IDEOGRAPH:'EBB0:60336:&#x8AFB CJK UNIFIED IDEOGRAPH:'EBB1:60337:&#x8C91 CJK UNIFIED IDEOGRAPH:'EBB2:60338:&#x8C92 CJK UNIFIED IDEOGRAPH:'EBB3:60339:&#x8C90 CJK UNIFIED IDEOGRAPH:'EBB4:60340:&#x8CF5 CJK UNIFIED IDEOGRAPH:'EBB5:60341:&#x8CEE CJK UNIFIED IDEOGRAPH:'EBB6:60342:&#x8CF1 CJK UNIFIED IDEOGRAPH:'EBB7:60343:&#x8CF0 CJK UNIFIED IDEOGRAPH:'EBB8:60344:&#x8CF3 CJK UNIFIED IDEOGRAPH:'EBB9:60345:&#x8D6C CJK UNIFIED IDEOGRAPH:'EBBA:60346:&#x8D6E CJK UNIFIED IDEOGRAPH:'EBBB:60347:&#x8DA5 CJK UNIFIED IDEOGRAPH:'EBBC:60348:&#x8DA7 CJK UNIFIED IDEOGRAPH:'EBBD:60349:&#x8E33 CJK UNIFIED IDEOGRAPH:'EBBE:60350:&#x8E3E CJK UNIFIED IDEOGRAPH:'EBBF:60351:&#x8E38 CJK UNIFIED IDEOGRAPH:'EBC0:60352:&#x8E40 CJK UNIFIED IDEOGRAPH:'EBC1:60353:&#x8E45 CJK UNIFIED IDEOGRAPH:'EBC2:60354:&#x8E36 CJK UNIFIED IDEOGRAPH:'EBC3:60355:&#x8E3C CJK UNIFIED IDEOGRAPH:'EBC4:60356:&#x8E3D CJK UNIFIED IDEOGRAPH:'EBC5:60357:&#x8E41 CJK UNIFIED IDEOGRAPH:'EBC6:60358:&#x8E30 CJK UNIFIED IDEOGRAPH:'EBC7:60359:&#x8E3F CJK UNIFIED IDEOGRAPH:'EBC8:60360:&#x8EBD CJK UNIFIED IDEOGRAPH:'EBC9:60361:&#x8F36 CJK UNIFIED IDEOGRAPH:'EBCA:60362:&#x8F2E CJK UNIFIED IDEOGRAPH:'EBCB:60363:&#x8F35 CJK UNIFIED IDEOGRAPH:'EBCC:60364:&#x8F32 CJK UNIFIED IDEOGRAPH:'EBCD:60365:&#x8F39 CJK UNIFIED IDEOGRAPH:'EBCE:60366:&#x8F37 CJK UNIFIED IDEOGRAPH:'EBCF:60367:&#x8F34 CJK UNIFIED IDEOGRAPH:'EBD0:60368:&#x9076 CJK UNIFIED IDEOGRAPH:'EBD1:60369:&#x9079 CJK UNIFIED IDEOGRAPH:'EBD2:60370:&#x907B CJK UNIFIED IDEOGRAPH:'EBD3:60371:&#x9086 CJK UNIFIED IDEOGRAPH:'EBD4:60372:&#x90FA CJK UNIFIED IDEOGRAPH:'EBD5:60373:&#x9133 CJK UNIFIED IDEOGRAPH:'EBD6:60374:&#x9135 CJK UNIFIED IDEOGRAPH:'EBD7:60375:&#x9136 CJK UNIFIED IDEOGRAPH:'EBD8:60376:&#x9193 CJK UNIFIED IDEOGRAPH:'EBD9:60377:&#x9190 CJK UNIFIED IDEOGRAPH:'EBDA:60378:&#x9191 CJK UNIFIED IDEOGRAPH:'EBDB:60379:&#x918D CJK UNIFIED IDEOGRAPH:'EBDC:60380:&#x918F CJK UNIFIED IDEOGRAPH:'EBDD:60381:&#x9327 CJK UNIFIED IDEOGRAPH:'EBDE:60382:&#x931E CJK UNIFIED IDEOGRAPH:'EBDF:60383:&#x9308 CJK UNIFIED IDEOGRAPH:'EBE0:60384:&#x931F CJK UNIFIED IDEOGRAPH:'EBE1:60385:&#x9306 CJK UNIFIED IDEOGRAPH:'EBE2:60386:&#x930F CJK UNIFIED IDEOGRAPH:'EBE3:60387:&#x937A CJK UNIFIED IDEOGRAPH:'EBE4:60388:&#x9338 CJK UNIFIED IDEOGRAPH:'EBE5:60389:&#x933C CJK UNIFIED IDEOGRAPH:'EBE6:60390:&#x931B CJK UNIFIED IDEOGRAPH:'EBE7:60391:&#x9323 CJK UNIFIED IDEOGRAPH:'EBE8:60392:&#x9312 CJK UNIFIED IDEOGRAPH:'EBE9:60393:&#x9301 CJK UNIFIED IDEOGRAPH:'EBEA:60394:&#x9346 CJK UNIFIED IDEOGRAPH:'EBEB:60395:&#x932D CJK UNIFIED IDEOGRAPH:'EBEC:60396:&#x930E CJK UNIFIED IDEOGRAPH:'EBED:60397:&#x930D CJK UNIFIED IDEOGRAPH:'EBEE:60398:&#x92CB CJK UNIFIED IDEOGRAPH:'EBEF:60399:&#x931D CJK UNIFIED IDEOGRAPH:'EBF0:60400:&#x92FA CJK UNIFIED IDEOGRAPH:'EBF1:60401:&#x9325 CJK UNIFIED IDEOGRAPH:'EBF2:60402:&#x9313 CJK UNIFIED IDEOGRAPH:'EBF3:60403:&#x92F9 CJK UNIFIED IDEOGRAPH:'EBF4:60404:&#x92F7 CJK UNIFIED IDEOGRAPH:'EBF5:60405:&#x9334 CJK UNIFIED IDEOGRAPH:'EBF6:60406:&#x9302 CJK UNIFIED IDEOGRAPH:'EBF7:60407:&#x9324 CJK UNIFIED IDEOGRAPH:'EBF8:60408:&#x92FF CJK UNIFIED IDEOGRAPH:'EBF9:60409:&#x9329 CJK UNIFIED IDEOGRAPH:'EBFA:60410:&#x9339 CJK UNIFIED IDEOGRAPH:'EBFB:60411:&#x9335 CJK UNIFIED IDEOGRAPH:'EBFC:60412:&#x932A CJK UNIFIED IDEOGRAPH:'EBFD:60413:&#x9314 CJK UNIFIED IDEOGRAPH:'EBFE:60414:&#x930C CJK UNIFIED IDEOGRAPH:'EC40:60480:&#x930B CJK UNIFIED IDEOGRAPH:'EC41:60481:&#x92FE CJK UNIFIED IDEOGRAPH:'EC42:60482:&#x9309 CJK UNIFIED IDEOGRAPH:'EC43:60483:&#x9300 CJK UNIFIED IDEOGRAPH:'EC44:60484:&#x92FB CJK UNIFIED IDEOGRAPH:'EC45:60485:&#x9316 CJK UNIFIED IDEOGRAPH:'EC46:60486:&#x95BC CJK UNIFIED IDEOGRAPH:'EC47:60487:&#x95CD CJK UNIFIED IDEOGRAPH:'EC48:60488:&#x95BE CJK UNIFIED IDEOGRAPH:'EC49:60489:&#x95B9 CJK UNIFIED IDEOGRAPH:'EC4A:60490:&#x95BA CJK UNIFIED IDEOGRAPH:'EC4B:60491:&#x95B6 CJK UNIFIED IDEOGRAPH:'EC4C:60492:&#x95BF CJK UNIFIED IDEOGRAPH:'EC4D:60493:&#x95B5 CJK UNIFIED IDEOGRAPH:'EC4E:60494:&#x95BD CJK UNIFIED IDEOGRAPH:'EC4F:60495:&#x96A9 CJK UNIFIED IDEOGRAPH:'EC50:60496:&#x96D4 CJK UNIFIED IDEOGRAPH:'EC51:60497:&#x970B CJK UNIFIED IDEOGRAPH:'EC52:60498:&#x9712 CJK UNIFIED IDEOGRAPH:'EC53:60499:&#x9710 CJK UNIFIED IDEOGRAPH:'EC54:60500:&#x9799 CJK UNIFIED IDEOGRAPH:'EC55:60501:&#x9797 CJK UNIFIED IDEOGRAPH:'EC56:60502:&#x9794 CJK UNIFIED IDEOGRAPH:'EC57:60503:&#x97F0 CJK UNIFIED IDEOGRAPH:'EC58:60504:&#x97F8 CJK UNIFIED IDEOGRAPH:'EC59:60505:&#x9835 CJK UNIFIED IDEOGRAPH:'EC5A:60506:&#x982F CJK UNIFIED IDEOGRAPH:'EC5B:60507:&#x9832 CJK UNIFIED IDEOGRAPH:'EC5C:60508:&#x9924 CJK UNIFIED IDEOGRAPH:'EC5D:60509:&#x991F CJK UNIFIED IDEOGRAPH:'EC5E:60510:&#x9927 CJK UNIFIED IDEOGRAPH:'EC5F:60511:&#x9929 CJK UNIFIED IDEOGRAPH:'EC60:60512:&#x999E CJK UNIFIED IDEOGRAPH:'EC61:60513:&#x99EE CJK UNIFIED IDEOGRAPH:'EC62:60514:&#x99EC CJK UNIFIED IDEOGRAPH:'EC63:60515:&#x99E5 CJK UNIFIED IDEOGRAPH:'EC64:60516:&#x99E4 CJK UNIFIED IDEOGRAPH:'EC65:60517:&#x99F0 CJK UNIFIED IDEOGRAPH:'EC66:60518:&#x99E3 CJK UNIFIED IDEOGRAPH:'EC67:60519:&#x99EA CJK UNIFIED IDEOGRAPH:'EC68:60520:&#x99E9 CJK UNIFIED IDEOGRAPH:'EC69:60521:&#x99E7 CJK UNIFIED IDEOGRAPH:'EC6A:60522:&#x9AB9 CJK UNIFIED IDEOGRAPH:'EC6B:60523:&#x9ABF CJK UNIFIED IDEOGRAPH:'EC6C:60524:&#x9AB4 CJK UNIFIED IDEOGRAPH:'EC6D:60525:&#x9ABB CJK UNIFIED IDEOGRAPH:'EC6E:60526:&#x9AF6 CJK UNIFIED IDEOGRAPH:'EC6F:60527:&#x9AFA CJK UNIFIED IDEOGRAPH:'EC70:60528:&#x9AF9 CJK UNIFIED IDEOGRAPH:'EC71:60529:&#x9AF7 CJK UNIFIED IDEOGRAPH:'EC72:60530:&#x9B33 CJK UNIFIED IDEOGRAPH:'EC73:60531:&#x9B80 CJK UNIFIED IDEOGRAPH:'EC74:60532:&#x9B85 CJK UNIFIED IDEOGRAPH:'EC75:60533:&#x9B87 CJK UNIFIED IDEOGRAPH:'EC76:60534:&#x9B7C CJK UNIFIED IDEOGRAPH:'EC77:60535:&#x9B7E CJK UNIFIED IDEOGRAPH:'EC78:60536:&#x9B7B CJK UNIFIED IDEOGRAPH:'EC79:60537:&#x9B82 CJK UNIFIED IDEOGRAPH:'EC7A:60538:&#x9B93 CJK UNIFIED IDEOGRAPH:'EC7B:60539:&#x9B92 CJK UNIFIED IDEOGRAPH:'EC7C:60540:&#x9B90 CJK UNIFIED IDEOGRAPH:'EC7D:60541:&#x9B7A CJK UNIFIED IDEOGRAPH:'EC7E:60542:&#x9B95 CJK UNIFIED IDEOGRAPH:'ECA1:60577:&#x9B7D CJK UNIFIED IDEOGRAPH:'ECA2:60578:&#x9B88 CJK UNIFIED IDEOGRAPH:'ECA3:60579:&#x9D25 CJK UNIFIED IDEOGRAPH:'ECA4:60580:&#x9D17 CJK UNIFIED IDEOGRAPH:'ECA5:60581:&#x9D20 CJK UNIFIED IDEOGRAPH:'ECA6:60582:&#x9D1E CJK UNIFIED IDEOGRAPH:'ECA7:60583:&#x9D14 CJK UNIFIED IDEOGRAPH:'ECA8:60584:&#x9D29 CJK UNIFIED IDEOGRAPH:'ECA9:60585:&#x9D1D CJK UNIFIED IDEOGRAPH:'ECAA:60586:&#x9D18 CJK UNIFIED IDEOGRAPH:'ECAB:60587:&#x9D22 CJK UNIFIED IDEOGRAPH:'ECAC:60588:&#x9D10 CJK UNIFIED IDEOGRAPH:'ECAD:60589:&#x9D19 CJK UNIFIED IDEOGRAPH:'ECAE:60590:&#x9D1F CJK UNIFIED IDEOGRAPH:'ECAF:60591:&#x9E88 CJK UNIFIED IDEOGRAPH:'ECB0:60592:&#x9E86 CJK UNIFIED IDEOGRAPH:'ECB1:60593:&#x9E87 CJK UNIFIED IDEOGRAPH:'ECB2:60594:&#x9EAE CJK UNIFIED IDEOGRAPH:'ECB3:60595:&#x9EAD CJK UNIFIED IDEOGRAPH:'ECB4:60596:&#x9ED5 CJK UNIFIED IDEOGRAPH:'ECB5:60597:&#x9ED6 CJK UNIFIED IDEOGRAPH:'ECB6:60598:&#x9EFA CJK UNIFIED IDEOGRAPH:'ECB7:60599:&#x9F12 CJK UNIFIED IDEOGRAPH:'ECB8:60600:&#x9F3D CJK UNIFIED IDEOGRAPH:'ECB9:60601:&#x5126 CJK UNIFIED IDEOGRAPH:'ECBA:60602:&#x5125 CJK UNIFIED IDEOGRAPH:'ECBB:60603:&#x5122 CJK UNIFIED IDEOGRAPH:'ECBC:60604:&#x5124 CJK UNIFIED IDEOGRAPH:'ECBD:60605:&#x5120 CJK UNIFIED IDEOGRAPH:'ECBE:60606:&#x5129 CJK UNIFIED IDEOGRAPH:'ECBF:60607:&#x52F4 CJK UNIFIED IDEOGRAPH:'ECC0:60608:&#x5693 CJK UNIFIED IDEOGRAPH:'ECC1:60609:&#x568C CJK UNIFIED IDEOGRAPH:'ECC2:60610:&#x568D CJK UNIFIED IDEOGRAPH:'ECC3:60611:&#x5686 CJK UNIFIED IDEOGRAPH:'ECC4:60612:&#x5684 CJK UNIFIED IDEOGRAPH:'ECC5:60613:&#x5683 CJK UNIFIED IDEOGRAPH:'ECC6:60614:&#x567E CJK UNIFIED IDEOGRAPH:'ECC7:60615:&#x5682 CJK UNIFIED IDEOGRAPH:'ECC8:60616:&#x567F CJK UNIFIED IDEOGRAPH:'ECC9:60617:&#x5681 CJK UNIFIED IDEOGRAPH:'ECCA:60618:&#x58D6 CJK UNIFIED IDEOGRAPH:'ECCB:60619:&#x58D4 CJK UNIFIED IDEOGRAPH:'ECCC:60620:&#x58CF CJK UNIFIED IDEOGRAPH:'ECCD:60621:&#x58D2 CJK UNIFIED IDEOGRAPH:'ECCE:60622:&#x5B2D CJK UNIFIED IDEOGRAPH:'ECCF:60623:&#x5B25 CJK UNIFIED IDEOGRAPH:'ECD0:60624:&#x5B32 CJK UNIFIED IDEOGRAPH:'ECD1:60625:&#x5B23 CJK UNIFIED IDEOGRAPH:'ECD2:60626:&#x5B2C CJK UNIFIED IDEOGRAPH:'ECD3:60627:&#x5B27 CJK UNIFIED IDEOGRAPH:'ECD4:60628:&#x5B26 CJK UNIFIED IDEOGRAPH:'ECD5:60629:&#x5B2F CJK UNIFIED IDEOGRAPH:'ECD6:60630:&#x5B2E CJK UNIFIED IDEOGRAPH:'ECD7:60631:&#x5B7B CJK UNIFIED IDEOGRAPH:'ECD8:60632:&#x5BF1 CJK UNIFIED IDEOGRAPH:'ECD9:60633:&#x5BF2 CJK UNIFIED IDEOGRAPH:'ECDA:60634:&#x5DB7 CJK UNIFIED IDEOGRAPH:'ECDB:60635:&#x5E6C CJK UNIFIED IDEOGRAPH:'ECDC:60636:&#x5E6A CJK UNIFIED IDEOGRAPH:'ECDD:60637:&#x5FBE CJK UNIFIED IDEOGRAPH:'ECDE:60638:&#x5FBB CJK UNIFIED IDEOGRAPH:'ECDF:60639:&#x61C3 CJK UNIFIED IDEOGRAPH:'ECE0:60640:&#x61B5 CJK UNIFIED IDEOGRAPH:'ECE1:60641:&#x61BC CJK UNIFIED IDEOGRAPH:'ECE2:60642:&#x61E7 CJK UNIFIED IDEOGRAPH:'ECE3:60643:&#x61E0 CJK UNIFIED IDEOGRAPH:'ECE4:60644:&#x61E5 CJK UNIFIED IDEOGRAPH:'ECE5:60645:&#x61E4 CJK UNIFIED IDEOGRAPH:'ECE6:60646:&#x61E8 CJK UNIFIED IDEOGRAPH:'ECE7:60647:&#x61DE CJK UNIFIED IDEOGRAPH:'ECE8:60648:&#x64EF CJK UNIFIED IDEOGRAPH:'ECE9:60649:&#x64E9 CJK UNIFIED IDEOGRAPH:'ECEA:60650:&#x64E3 CJK UNIFIED IDEOGRAPH:'ECEB:60651:&#x64EB CJK UNIFIED IDEOGRAPH:'ECEC:60652:&#x64E4 CJK UNIFIED IDEOGRAPH:'ECED:60653:&#x64E8 CJK UNIFIED IDEOGRAPH:'ECEE:60654:&#x6581 CJK UNIFIED IDEOGRAPH:'ECEF:60655:&#x6580 CJK UNIFIED IDEOGRAPH:'ECF0:60656:&#x65B6 CJK UNIFIED IDEOGRAPH:'ECF1:60657:&#x65DA CJK UNIFIED IDEOGRAPH:'ECF2:60658:&#x66D2 CJK UNIFIED IDEOGRAPH:'ECF3:60659:&#x6A8D CJK UNIFIED IDEOGRAPH:'ECF4:60660:&#x6A96 CJK UNIFIED IDEOGRAPH:'ECF5:60661:&#x6A81 CJK UNIFIED IDEOGRAPH:'ECF6:60662:&#x6AA5 CJK UNIFIED IDEOGRAPH:'ECF7:60663:&#x6A89 CJK UNIFIED IDEOGRAPH:'ECF8:60664:&#x6A9F CJK UNIFIED IDEOGRAPH:'ECF9:60665:&#x6A9B CJK UNIFIED IDEOGRAPH:'ECFA:60666:&#x6AA1 CJK UNIFIED IDEOGRAPH:'ECFB:60667:&#x6A9E CJK UNIFIED IDEOGRAPH:'ECFC:60668:&#x6A87 CJK UNIFIED IDEOGRAPH:'ECFD:60669:&#x6A93 CJK UNIFIED IDEOGRAPH:'ECFE:60670:&#x6A8E CJK UNIFIED IDEOGRAPH:'ED40:60736:&#x6A95 CJK UNIFIED IDEOGRAPH:'ED41:60737:&#x6A83 CJK UNIFIED IDEOGRAPH:'ED42:60738:&#x6AA8 CJK UNIFIED IDEOGRAPH:'ED43:60739:&#x6AA4 CJK UNIFIED IDEOGRAPH:'ED44:60740:&#x6A91 CJK UNIFIED IDEOGRAPH:'ED45:60741:&#x6A7F CJK UNIFIED IDEOGRAPH:'ED46:60742:&#x6AA6 CJK UNIFIED IDEOGRAPH:'ED47:60743:&#x6A9A CJK UNIFIED IDEOGRAPH:'ED48:60744:&#x6A85 CJK UNIFIED IDEOGRAPH:'ED49:60745:&#x6A8C CJK UNIFIED IDEOGRAPH:'ED4A:60746:&#x6A92 CJK UNIFIED IDEOGRAPH:'ED4B:60747:&#x6B5B CJK UNIFIED IDEOGRAPH:'ED4C:60748:&#x6BAD CJK UNIFIED IDEOGRAPH:'ED4D:60749:&#x6C09 CJK UNIFIED IDEOGRAPH:'ED4E:60750:&#x6FCC CJK UNIFIED IDEOGRAPH:'ED4F:60751:&#x6FA9 CJK UNIFIED IDEOGRAPH:'ED50:60752:&#x6FF4 CJK UNIFIED IDEOGRAPH:'ED51:60753:&#x6FD4 CJK UNIFIED IDEOGRAPH:'ED52:60754:&#x6FE3 CJK UNIFIED IDEOGRAPH:'ED53:60755:&#x6FDC CJK UNIFIED IDEOGRAPH:'ED54:60756:&#x6FED CJK UNIFIED IDEOGRAPH:'ED55:60757:&#x6FE7 CJK UNIFIED IDEOGRAPH:'ED56:60758:&#x6FE6 CJK UNIFIED IDEOGRAPH:'ED57:60759:&#x6FDE CJK UNIFIED IDEOGRAPH:'ED58:60760:&#x6FF2 CJK UNIFIED IDEOGRAPH:'ED59:60761:&#x6FDD CJK UNIFIED IDEOGRAPH:'ED5A:60762:&#x6FE2 CJK UNIFIED IDEOGRAPH:'ED5B:60763:&#x6FE8 CJK UNIFIED IDEOGRAPH:'ED5C:60764:&#x71E1 CJK UNIFIED IDEOGRAPH:'ED5D:60765:&#x71F1 CJK UNIFIED IDEOGRAPH:'ED5E:60766:&#x71E8 CJK UNIFIED IDEOGRAPH:'ED5F:60767:&#x71F2 CJK UNIFIED IDEOGRAPH:'ED60:60768:&#x71E4 CJK UNIFIED IDEOGRAPH:'ED61:60769:&#x71F0 CJK UNIFIED IDEOGRAPH:'ED62:60770:&#x71E2 CJK UNIFIED IDEOGRAPH:'ED63:60771:&#x7373 CJK UNIFIED IDEOGRAPH:'ED64:60772:&#x736E CJK UNIFIED IDEOGRAPH:'ED65:60773:&#x736F CJK UNIFIED IDEOGRAPH:'ED66:60774:&#x7497 CJK UNIFIED IDEOGRAPH:'ED67:60775:&#x74B2 CJK UNIFIED IDEOGRAPH:'ED68:60776:&#x74AB CJK UNIFIED IDEOGRAPH:'ED69:60777:&#x7490 CJK UNIFIED IDEOGRAPH:'ED6A:60778:&#x74AA CJK UNIFIED IDEOGRAPH:'ED6B:60779:&#x74AD CJK UNIFIED IDEOGRAPH:'ED6C:60780:&#x74B1 CJK UNIFIED IDEOGRAPH:'ED6D:60781:&#x74A5 CJK UNIFIED IDEOGRAPH:'ED6E:60782:&#x74AF CJK UNIFIED IDEOGRAPH:'ED6F:60783:&#x7510 CJK UNIFIED IDEOGRAPH:'ED70:60784:&#x7511 CJK UNIFIED IDEOGRAPH:'ED71:60785:&#x7512 CJK UNIFIED IDEOGRAPH:'ED72:60786:&#x750F CJK UNIFIED IDEOGRAPH:'ED73:60787:&#x7584 CJK UNIFIED IDEOGRAPH:'ED74:60788:&#x7643 CJK UNIFIED IDEOGRAPH:'ED75:60789:&#x7648 CJK UNIFIED IDEOGRAPH:'ED76:60790:&#x7649 CJK UNIFIED IDEOGRAPH:'ED77:60791:&#x7647 CJK UNIFIED IDEOGRAPH:'ED78:60792:&#x76A4 CJK UNIFIED IDEOGRAPH:'ED79:60793:&#x76E9 CJK UNIFIED IDEOGRAPH:'ED7A:60794:&#x77B5 CJK UNIFIED IDEOGRAPH:'ED7B:60795:&#x77AB CJK UNIFIED IDEOGRAPH:'ED7C:60796:&#x77B2 CJK UNIFIED IDEOGRAPH:'ED7D:60797:&#x77B7 CJK UNIFIED IDEOGRAPH:'ED7E:60798:&#x77B6 CJK UNIFIED IDEOGRAPH:'EDA1:60833:&#x77B4 CJK UNIFIED IDEOGRAPH:'EDA2:60834:&#x77B1 CJK UNIFIED IDEOGRAPH:'EDA3:60835:&#x77A8 CJK UNIFIED IDEOGRAPH:'EDA4:60836:&#x77F0 CJK UNIFIED IDEOGRAPH:'EDA5:60837:&#x78F3 CJK UNIFIED IDEOGRAPH:'EDA6:60838:&#x78FD CJK UNIFIED IDEOGRAPH:'EDA7:60839:&#x7902 CJK UNIFIED IDEOGRAPH:'EDA8:60840:&#x78FB CJK UNIFIED IDEOGRAPH:'EDA9:60841:&#x78FC CJK UNIFIED IDEOGRAPH:'EDAA:60842:&#x78F2 CJK UNIFIED IDEOGRAPH:'EDAB:60843:&#x7905 CJK UNIFIED IDEOGRAPH:'EDAC:60844:&#x78F9 CJK UNIFIED IDEOGRAPH:'EDAD:60845:&#x78FE CJK UNIFIED IDEOGRAPH:'EDAE:60846:&#x7904 CJK UNIFIED IDEOGRAPH:'EDAF:60847:&#x79AB CJK UNIFIED IDEOGRAPH:'EDB0:60848:&#x79A8 CJK UNIFIED IDEOGRAPH:'EDB1:60849:&#x7A5C CJK UNIFIED IDEOGRAPH:'EDB2:60850:&#x7A5B CJK UNIFIED IDEOGRAPH:'EDB3:60851:&#x7A56 CJK UNIFIED IDEOGRAPH:'EDB4:60852:&#x7A58 CJK UNIFIED IDEOGRAPH:'EDB5:60853:&#x7A54 CJK UNIFIED IDEOGRAPH:'EDB6:60854:&#x7A5A CJK UNIFIED IDEOGRAPH:'EDB7:60855:&#x7ABE CJK UNIFIED IDEOGRAPH:'EDB8:60856:&#x7AC0 CJK UNIFIED IDEOGRAPH:'EDB9:60857:&#x7AC1 CJK UNIFIED IDEOGRAPH:'EDBA:60858:&#x7C05 CJK UNIFIED IDEOGRAPH:'EDBB:60859:&#x7C0F CJK UNIFIED IDEOGRAPH:'EDBC:60860:&#x7BF2 CJK UNIFIED IDEOGRAPH:'EDBD:60861:&#x7C00 CJK UNIFIED IDEOGRAPH:'EDBE:60862:&#x7BFF CJK UNIFIED IDEOGRAPH:'EDBF:60863:&#x7BFB CJK UNIFIED IDEOGRAPH:'EDC0:60864:&#x7C0E CJK UNIFIED IDEOGRAPH:'EDC1:60865:&#x7BF4 CJK UNIFIED IDEOGRAPH:'EDC2:60866:&#x7C0B CJK UNIFIED IDEOGRAPH:'EDC3:60867:&#x7BF3 CJK UNIFIED IDEOGRAPH:'EDC4:60868:&#x7C02 CJK UNIFIED IDEOGRAPH:'EDC5:60869:&#x7C09 CJK UNIFIED IDEOGRAPH:'EDC6:60870:&#x7C03 CJK UNIFIED IDEOGRAPH:'EDC7:60871:&#x7C01 CJK UNIFIED IDEOGRAPH:'EDC8:60872:&#x7BF8 CJK UNIFIED IDEOGRAPH:'EDC9:60873:&#x7BFD CJK UNIFIED IDEOGRAPH:'EDCA:60874:&#x7C06 CJK UNIFIED IDEOGRAPH:'EDCB:60875:&#x7BF0 CJK UNIFIED IDEOGRAPH:'EDCC:60876:&#x7BF1 CJK UNIFIED IDEOGRAPH:'EDCD:60877:&#x7C10 CJK UNIFIED IDEOGRAPH:'EDCE:60878:&#x7C0A CJK UNIFIED IDEOGRAPH:'EDCF:60879:&#x7CE8 CJK UNIFIED IDEOGRAPH:'EDD0:60880:&#x7E2D CJK UNIFIED IDEOGRAPH:'EDD1:60881:&#x7E3C CJK UNIFIED IDEOGRAPH:'EDD2:60882:&#x7E42 CJK UNIFIED IDEOGRAPH:'EDD3:60883:&#x7E33 CJK UNIFIED IDEOGRAPH:'EDD4:60884:&#x9848 CJK UNIFIED IDEOGRAPH:'EDD5:60885:&#x7E38 CJK UNIFIED IDEOGRAPH:'EDD6:60886:&#x7E2A CJK UNIFIED IDEOGRAPH:'EDD7:60887:&#x7E49 CJK UNIFIED IDEOGRAPH:'EDD8:60888:&#x7E40 CJK UNIFIED IDEOGRAPH:'EDD9:60889:&#x7E47 CJK UNIFIED IDEOGRAPH:'EDDA:60890:&#x7E29 CJK UNIFIED IDEOGRAPH:'EDDB:60891:&#x7E4C CJK UNIFIED IDEOGRAPH:'EDDC:60892:&#x7E30 CJK UNIFIED IDEOGRAPH:'EDDD:60893:&#x7E3B CJK UNIFIED IDEOGRAPH:'EDDE:60894:&#x7E36 CJK UNIFIED IDEOGRAPH:'EDDF:60895:&#x7E44 CJK UNIFIED IDEOGRAPH:'EDE0:60896:&#x7E3A CJK UNIFIED IDEOGRAPH:'EDE1:60897:&#x7F45 CJK UNIFIED IDEOGRAPH:'EDE2:60898:&#x7F7F CJK UNIFIED IDEOGRAPH:'EDE3:60899:&#x7F7E CJK UNIFIED IDEOGRAPH:'EDE4:60900:&#x7F7D CJK UNIFIED IDEOGRAPH:'EDE5:60901:&#x7FF4 CJK UNIFIED IDEOGRAPH:'EDE6:60902:&#x7FF2 CJK UNIFIED IDEOGRAPH:'EDE7:60903:&#x802C CJK UNIFIED IDEOGRAPH:'EDE8:60904:&#x81BB CJK UNIFIED IDEOGRAPH:'EDE9:60905:&#x81C4 CJK UNIFIED IDEOGRAPH:'EDEA:60906:&#x81CC CJK UNIFIED IDEOGRAPH:'EDEB:60907:&#x81CA CJK UNIFIED IDEOGRAPH:'EDEC:60908:&#x81C5 CJK UNIFIED IDEOGRAPH:'EDED:60909:&#x81C7 CJK UNIFIED IDEOGRAPH:'EDEE:60910:&#x81BC CJK UNIFIED IDEOGRAPH:'EDEF:60911:&#x81E9 CJK UNIFIED IDEOGRAPH:'EDF0:60912:&#x825B CJK UNIFIED IDEOGRAPH:'EDF1:60913:&#x825A CJK UNIFIED IDEOGRAPH:'EDF2:60914:&#x825C CJK UNIFIED IDEOGRAPH:'EDF3:60915:&#x8583 CJK UNIFIED IDEOGRAPH:'EDF4:60916:&#x8580 CJK UNIFIED IDEOGRAPH:'EDF5:60917:&#x858F CJK UNIFIED IDEOGRAPH:'EDF6:60918:&#x85A7 CJK UNIFIED IDEOGRAPH:'EDF7:60919:&#x8595 CJK UNIFIED IDEOGRAPH:'EDF8:60920:&#x85A0 CJK UNIFIED IDEOGRAPH:'EDF9:60921:&#x858B CJK UNIFIED IDEOGRAPH:'EDFA:60922:&#x85A3 CJK UNIFIED IDEOGRAPH:'EDFB:60923:&#x857B CJK UNIFIED IDEOGRAPH:'EDFC:60924:&#x85A4 CJK UNIFIED IDEOGRAPH:'EDFD:60925:&#x859A CJK UNIFIED IDEOGRAPH:'EDFE:60926:&#x859E CJK UNIFIED IDEOGRAPH:'EE40:60992:&#x8577 CJK UNIFIED IDEOGRAPH:'EE41:60993:&#x857C CJK UNIFIED IDEOGRAPH:'EE42:60994:&#x8589 CJK UNIFIED IDEOGRAPH:'EE43:60995:&#x85A1 CJK UNIFIED IDEOGRAPH:'EE44:60996:&#x857A CJK UNIFIED IDEOGRAPH:'EE45:60997:&#x8578 CJK UNIFIED IDEOGRAPH:'EE46:60998:&#x8557 CJK UNIFIED IDEOGRAPH:'EE47:60999:&#x858E CJK UNIFIED IDEOGRAPH:'EE48:61000:&#x8596 CJK UNIFIED IDEOGRAPH:'EE49:61001:&#x8586 CJK UNIFIED IDEOGRAPH:'EE4A:61002:&#x858D CJK UNIFIED IDEOGRAPH:'EE4B:61003:&#x8599 CJK UNIFIED IDEOGRAPH:'EE4C:61004:&#x859D CJK UNIFIED IDEOGRAPH:'EE4D:61005:&#x8581 CJK UNIFIED IDEOGRAPH:'EE4E:61006:&#x85A2 CJK UNIFIED IDEOGRAPH:'EE4F:61007:&#x8582 CJK UNIFIED IDEOGRAPH:'EE50:61008:&#x8588 CJK UNIFIED IDEOGRAPH:'EE51:61009:&#x8585 CJK UNIFIED IDEOGRAPH:'EE52:61010:&#x8579 CJK UNIFIED IDEOGRAPH:'EE53:61011:&#x8576 CJK UNIFIED IDEOGRAPH:'EE54:61012:&#x8598 CJK UNIFIED IDEOGRAPH:'EE55:61013:&#x8590 CJK UNIFIED IDEOGRAPH:'EE56:61014:&#x859F CJK UNIFIED IDEOGRAPH:'EE57:61015:&#x8668 CJK UNIFIED IDEOGRAPH:'EE58:61016:&#x87BE CJK UNIFIED IDEOGRAPH:'EE59:61017:&#x87AA CJK UNIFIED IDEOGRAPH:'EE5A:61018:&#x87AD CJK UNIFIED IDEOGRAPH:'EE5B:61019:&#x87C5 CJK UNIFIED IDEOGRAPH:'EE5C:61020:&#x87B0 CJK UNIFIED IDEOGRAPH:'EE5D:61021:&#x87AC CJK UNIFIED IDEOGRAPH:'EE5E:61022:&#x87B9 CJK UNIFIED IDEOGRAPH:'EE5F:61023:&#x87B5 CJK UNIFIED IDEOGRAPH:'EE60:61024:&#x87BC CJK UNIFIED IDEOGRAPH:'EE61:61025:&#x87AE CJK UNIFIED IDEOGRAPH:'EE62:61026:&#x87C9 CJK UNIFIED IDEOGRAPH:'EE63:61027:&#x87C3 CJK UNIFIED IDEOGRAPH:'EE64:61028:&#x87C2 CJK UNIFIED IDEOGRAPH:'EE65:61029:&#x87CC CJK UNIFIED IDEOGRAPH:'EE66:61030:&#x87B7 CJK UNIFIED IDEOGRAPH:'EE67:61031:&#x87AF CJK UNIFIED IDEOGRAPH:'EE68:61032:&#x87C4 CJK UNIFIED IDEOGRAPH:'EE69:61033:&#x87CA CJK UNIFIED IDEOGRAPH:'EE6A:61034:&#x87B4 CJK UNIFIED IDEOGRAPH:'EE6B:61035:&#x87B6 CJK UNIFIED IDEOGRAPH:'EE6C:61036:&#x87BF CJK UNIFIED IDEOGRAPH:'EE6D:61037:&#x87B8 CJK UNIFIED IDEOGRAPH:'EE6E:61038:&#x87BD CJK UNIFIED IDEOGRAPH:'EE6F:61039:&#x87DE CJK UNIFIED IDEOGRAPH:'EE70:61040:&#x87B2 CJK UNIFIED IDEOGRAPH:'EE71:61041:&#x8935 CJK UNIFIED IDEOGRAPH:'EE72:61042:&#x8933 CJK UNIFIED IDEOGRAPH:'EE73:61043:&#x893C CJK UNIFIED IDEOGRAPH:'EE74:61044:&#x893E CJK UNIFIED IDEOGRAPH:'EE75:61045:&#x8941 CJK UNIFIED IDEOGRAPH:'EE76:61046:&#x8952 CJK UNIFIED IDEOGRAPH:'EE77:61047:&#x8937 CJK UNIFIED IDEOGRAPH:'EE78:61048:&#x8942 CJK UNIFIED IDEOGRAPH:'EE79:61049:&#x89AD CJK UNIFIED IDEOGRAPH:'EE7A:61050:&#x89AF CJK UNIFIED IDEOGRAPH:'EE7B:61051:&#x89AE CJK UNIFIED IDEOGRAPH:'EE7C:61052:&#x89F2 CJK UNIFIED IDEOGRAPH:'EE7D:61053:&#x89F3 CJK UNIFIED IDEOGRAPH:'EE7E:61054:&#x8B1E CJK UNIFIED IDEOGRAPH:'EEA1:61089:&#x8B18 CJK UNIFIED IDEOGRAPH:'EEA2:61090:&#x8B16 CJK UNIFIED IDEOGRAPH:'EEA3:61091:&#x8B11 CJK UNIFIED IDEOGRAPH:'EEA4:61092:&#x8B05 CJK UNIFIED IDEOGRAPH:'EEA5:61093:&#x8B0B CJK UNIFIED IDEOGRAPH:'EEA6:61094:&#x8B22 CJK UNIFIED IDEOGRAPH:'EEA7:61095:&#x8B0F CJK UNIFIED IDEOGRAPH:'EEA8:61096:&#x8B12 CJK UNIFIED IDEOGRAPH:'EEA9:61097:&#x8B15 CJK UNIFIED IDEOGRAPH:'EEAA:61098:&#x8B07 CJK UNIFIED IDEOGRAPH:'EEAB:61099:&#x8B0D CJK UNIFIED IDEOGRAPH:'EEAC:61100:&#x8B08 CJK UNIFIED IDEOGRAPH:'EEAD:61101:&#x8B06 CJK UNIFIED IDEOGRAPH:'EEAE:61102:&#x8B1C CJK UNIFIED IDEOGRAPH:'EEAF:61103:&#x8B13 CJK UNIFIED IDEOGRAPH:'EEB0:61104:&#x8B1A CJK UNIFIED IDEOGRAPH:'EEB1:61105:&#x8C4F CJK UNIFIED IDEOGRAPH:'EEB2:61106:&#x8C70 CJK UNIFIED IDEOGRAPH:'EEB3:61107:&#x8C72 CJK UNIFIED IDEOGRAPH:'EEB4:61108:&#x8C71 CJK UNIFIED IDEOGRAPH:'EEB5:61109:&#x8C6F CJK UNIFIED IDEOGRAPH:'EEB6:61110:&#x8C95 CJK UNIFIED IDEOGRAPH:'EEB7:61111:&#x8C94 CJK UNIFIED IDEOGRAPH:'EEB8:61112:&#x8CF9 CJK UNIFIED IDEOGRAPH:'EEB9:61113:&#x8D6F CJK UNIFIED IDEOGRAPH:'EEBA:61114:&#x8E4E CJK UNIFIED IDEOGRAPH:'EEBB:61115:&#x8E4D CJK UNIFIED IDEOGRAPH:'EEBC:61116:&#x8E53 CJK UNIFIED IDEOGRAPH:'EEBD:61117:&#x8E50 CJK UNIFIED IDEOGRAPH:'EEBE:61118:&#x8E4C CJK UNIFIED IDEOGRAPH:'EEBF:61119:&#x8E47 CJK UNIFIED IDEOGRAPH:'EEC0:61120:&#x8F43 CJK UNIFIED IDEOGRAPH:'EEC1:61121:&#x8F40 CJK UNIFIED IDEOGRAPH:'EEC2:61122:&#x9085 CJK UNIFIED IDEOGRAPH:'EEC3:61123:&#x907E CJK UNIFIED IDEOGRAPH:'EEC4:61124:&#x9138 CJK UNIFIED IDEOGRAPH:'EEC5:61125:&#x919A CJK UNIFIED IDEOGRAPH:'EEC6:61126:&#x91A2 CJK UNIFIED IDEOGRAPH:'EEC7:61127:&#x919B CJK UNIFIED IDEOGRAPH:'EEC8:61128:&#x9199 CJK UNIFIED IDEOGRAPH:'EEC9:61129:&#x919F CJK UNIFIED IDEOGRAPH:'EECA:61130:&#x91A1 CJK UNIFIED IDEOGRAPH:'EECB:61131:&#x919D CJK UNIFIED IDEOGRAPH:'EECC:61132:&#x91A0 CJK UNIFIED IDEOGRAPH:'EECD:61133:&#x93A1 CJK UNIFIED IDEOGRAPH:'EECE:61134:&#x9383 CJK UNIFIED IDEOGRAPH:'EECF:61135:&#x93AF CJK UNIFIED IDEOGRAPH:'EED0:61136:&#x9364 CJK UNIFIED IDEOGRAPH:'EED1:61137:&#x9356 CJK UNIFIED IDEOGRAPH:'EED2:61138:&#x9347 CJK UNIFIED IDEOGRAPH:'EED3:61139:&#x937C CJK UNIFIED IDEOGRAPH:'EED4:61140:&#x9358 CJK UNIFIED IDEOGRAPH:'EED5:61141:&#x935C CJK UNIFIED IDEOGRAPH:'EED6:61142:&#x9376 CJK UNIFIED IDEOGRAPH:'EED7:61143:&#x9349 CJK UNIFIED IDEOGRAPH:'EED8:61144:&#x9350 CJK UNIFIED IDEOGRAPH:'EED9:61145:&#x9351 CJK UNIFIED IDEOGRAPH:'EEDA:61146:&#x9360 CJK UNIFIED IDEOGRAPH:'EEDB:61147:&#x936D CJK UNIFIED IDEOGRAPH:'EEDC:61148:&#x938F CJK UNIFIED IDEOGRAPH:'EEDD:61149:&#x934C CJK UNIFIED IDEOGRAPH:'EEDE:61150:&#x936A CJK UNIFIED IDEOGRAPH:'EEDF:61151:&#x9379 CJK UNIFIED IDEOGRAPH:'EEE0:61152:&#x9357 CJK UNIFIED IDEOGRAPH:'EEE1:61153:&#x9355 CJK UNIFIED IDEOGRAPH:'EEE2:61154:&#x9352 CJK UNIFIED IDEOGRAPH:'EEE3:61155:&#x934F CJK UNIFIED IDEOGRAPH:'EEE4:61156:&#x9371 CJK UNIFIED IDEOGRAPH:'EEE5:61157:&#x9377 CJK UNIFIED IDEOGRAPH:'EEE6:61158:&#x937B CJK UNIFIED IDEOGRAPH:'EEE7:61159:&#x9361 CJK UNIFIED IDEOGRAPH:'EEE8:61160:&#x935E CJK UNIFIED IDEOGRAPH:'EEE9:61161:&#x9363 CJK UNIFIED IDEOGRAPH:'EEEA:61162:&#x9367 CJK UNIFIED IDEOGRAPH:'EEEB:61163:&#x9380 CJK UNIFIED IDEOGRAPH:'EEEC:61164:&#x934E CJK UNIFIED IDEOGRAPH:'EEED:61165:&#x9359 CJK UNIFIED IDEOGRAPH:'EEEE:61166:&#x95C7 CJK UNIFIED IDEOGRAPH:'EEEF:61167:&#x95C0 CJK UNIFIED IDEOGRAPH:'EEF0:61168:&#x95C9 CJK UNIFIED IDEOGRAPH:'EEF1:61169:&#x95C3 CJK UNIFIED IDEOGRAPH:'EEF2:61170:&#x95C5 CJK UNIFIED IDEOGRAPH:'EEF3:61171:&#x95B7 CJK UNIFIED IDEOGRAPH:'EEF4:61172:&#x96AE CJK UNIFIED IDEOGRAPH:'EEF5:61173:&#x96B0 CJK UNIFIED IDEOGRAPH:'EEF6:61174:&#x96AC CJK UNIFIED IDEOGRAPH:'EEF7:61175:&#x9720 CJK UNIFIED IDEOGRAPH:'EEF8:61176:&#x971F CJK UNIFIED IDEOGRAPH:'EEF9:61177:&#x9718 CJK UNIFIED IDEOGRAPH:'EEFA:61178:&#x971D CJK UNIFIED IDEOGRAPH:'EEFB:61179:&#x9719 CJK UNIFIED IDEOGRAPH:'EEFC:61180:&#x979A CJK UNIFIED IDEOGRAPH:'EEFD:61181:&#x97A1 CJK UNIFIED IDEOGRAPH:'EEFE:61182:&#x979C CJK UNIFIED IDEOGRAPH:'EF40:61248:&#x979E CJK UNIFIED IDEOGRAPH:'EF41:61249:&#x979D CJK UNIFIED IDEOGRAPH:'EF42:61250:&#x97D5 CJK UNIFIED IDEOGRAPH:'EF43:61251:&#x97D4 CJK UNIFIED IDEOGRAPH:'EF44:61252:&#x97F1 CJK UNIFIED IDEOGRAPH:'EF45:61253:&#x9841 CJK UNIFIED IDEOGRAPH:'EF46:61254:&#x9844 CJK UNIFIED IDEOGRAPH:'EF47:61255:&#x984A CJK UNIFIED IDEOGRAPH:'EF48:61256:&#x9849 CJK UNIFIED IDEOGRAPH:'EF49:61257:&#x9845 CJK UNIFIED IDEOGRAPH:'EF4A:61258:&#x9843 CJK UNIFIED IDEOGRAPH:'EF4B:61259:&#x9925 CJK UNIFIED IDEOGRAPH:'EF4C:61260:&#x992B CJK UNIFIED IDEOGRAPH:'EF4D:61261:&#x992C CJK UNIFIED IDEOGRAPH:'EF4E:61262:&#x992A CJK UNIFIED IDEOGRAPH:'EF4F:61263:&#x9933 CJK UNIFIED IDEOGRAPH:'EF50:61264:&#x9932 CJK UNIFIED IDEOGRAPH:'EF51:61265:&#x992F CJK UNIFIED IDEOGRAPH:'EF52:61266:&#x992D CJK UNIFIED IDEOGRAPH:'EF53:61267:&#x9931 CJK UNIFIED IDEOGRAPH:'EF54:61268:&#x9930 CJK UNIFIED IDEOGRAPH:'EF55:61269:&#x9998 CJK UNIFIED IDEOGRAPH:'EF56:61270:&#x99A3 CJK UNIFIED IDEOGRAPH:'EF57:61271:&#x99A1 CJK UNIFIED IDEOGRAPH:'EF58:61272:&#x9A02 CJK UNIFIED IDEOGRAPH:'EF59:61273:&#x99FA CJK UNIFIED IDEOGRAPH:'EF5A:61274:&#x99F4 CJK UNIFIED IDEOGRAPH:'EF5B:61275:&#x99F7 CJK UNIFIED IDEOGRAPH:'EF5C:61276:&#x99F9 CJK UNIFIED IDEOGRAPH:'EF5D:61277:&#x99F8 CJK UNIFIED IDEOGRAPH:'EF5E:61278:&#x99F6 CJK UNIFIED IDEOGRAPH:'EF5F:61279:&#x99FB CJK UNIFIED IDEOGRAPH:'EF60:61280:&#x99FD CJK UNIFIED IDEOGRAPH:'EF61:61281:&#x99FE CJK UNIFIED IDEOGRAPH:'EF62:61282:&#x99FC CJK UNIFIED IDEOGRAPH:'EF63:61283:&#x9A03 CJK UNIFIED IDEOGRAPH:'EF64:61284:&#x9ABE CJK UNIFIED IDEOGRAPH:'EF65:61285:&#x9AFE CJK UNIFIED IDEOGRAPH:'EF66:61286:&#x9AFD CJK UNIFIED IDEOGRAPH:'EF67:61287:&#x9B01 CJK UNIFIED IDEOGRAPH:'EF68:61288:&#x9AFC CJK UNIFIED IDEOGRAPH:'EF69:61289:&#x9B48 CJK UNIFIED IDEOGRAPH:'EF6A:61290:&#x9B9A CJK UNIFIED IDEOGRAPH:'EF6B:61291:&#x9BA8 CJK UNIFIED IDEOGRAPH:'EF6C:61292:&#x9B9E CJK UNIFIED IDEOGRAPH:'EF6D:61293:&#x9B9B CJK UNIFIED IDEOGRAPH:'EF6E:61294:&#x9BA6 CJK UNIFIED IDEOGRAPH:'EF6F:61295:&#x9BA1 CJK UNIFIED IDEOGRAPH:'EF70:61296:&#x9BA5 CJK UNIFIED IDEOGRAPH:'EF71:61297:&#x9BA4 CJK UNIFIED IDEOGRAPH:'EF72:61298:&#x9B86 CJK UNIFIED IDEOGRAPH:'EF73:61299:&#x9BA2 CJK UNIFIED IDEOGRAPH:'EF74:61300:&#x9BA0 CJK UNIFIED IDEOGRAPH:'EF75:61301:&#x9BAF CJK UNIFIED IDEOGRAPH:'EF76:61302:&#x9D33 CJK UNIFIED IDEOGRAPH:'EF77:61303:&#x9D41 CJK UNIFIED IDEOGRAPH:'EF78:61304:&#x9D67 CJK UNIFIED IDEOGRAPH:'EF79:61305:&#x9D36 CJK UNIFIED IDEOGRAPH:'EF7A:61306:&#x9D2E CJK UNIFIED IDEOGRAPH:'EF7B:61307:&#x9D2F CJK UNIFIED IDEOGRAPH:'EF7C:61308:&#x9D31 CJK UNIFIED IDEOGRAPH:'EF7D:61309:&#x9D38 CJK UNIFIED IDEOGRAPH:'EF7E:61310:&#x9D30 CJK UNIFIED IDEOGRAPH:'EFA1:61345:&#x9D45 CJK UNIFIED IDEOGRAPH:'EFA2:61346:&#x9D42 CJK UNIFIED IDEOGRAPH:'EFA3:61347:&#x9D43 CJK UNIFIED IDEOGRAPH:'EFA4:61348:&#x9D3E CJK UNIFIED IDEOGRAPH:'EFA5:61349:&#x9D37 CJK UNIFIED IDEOGRAPH:'EFA6:61350:&#x9D40 CJK UNIFIED IDEOGRAPH:'EFA7:61351:&#x9D3D CJK UNIFIED IDEOGRAPH:'EFA8:61352:&#x7FF5 CJK UNIFIED IDEOGRAPH:'EFA9:61353:&#x9D2D CJK UNIFIED IDEOGRAPH:'EFAA:61354:&#x9E8A CJK UNIFIED IDEOGRAPH:'EFAB:61355:&#x9E89 CJK UNIFIED IDEOGRAPH:'EFAC:61356:&#x9E8D CJK UNIFIED IDEOGRAPH:'EFAD:61357:&#x9EB0 CJK UNIFIED IDEOGRAPH:'EFAE:61358:&#x9EC8 CJK UNIFIED IDEOGRAPH:'EFAF:61359:&#x9EDA CJK UNIFIED IDEOGRAPH:'EFB0:61360:&#x9EFB CJK UNIFIED IDEOGRAPH:'EFB1:61361:&#x9EFF CJK UNIFIED IDEOGRAPH:'EFB2:61362:&#x9F24 CJK UNIFIED IDEOGRAPH:'EFB3:61363:&#x9F23 CJK UNIFIED IDEOGRAPH:'EFB4:61364:&#x9F22 CJK UNIFIED IDEOGRAPH:'EFB5:61365:&#x9F54 CJK UNIFIED IDEOGRAPH:'EFB6:61366:&#x9FA0 CJK UNIFIED IDEOGRAPH:'EFB7:61367:&#x5131 CJK UNIFIED IDEOGRAPH:'EFB8:61368:&#x512D CJK UNIFIED IDEOGRAPH:'EFB9:61369:&#x512E CJK UNIFIED IDEOGRAPH:'EFBA:61370:&#x5698 CJK UNIFIED IDEOGRAPH:'EFBB:61371:&#x569C CJK UNIFIED IDEOGRAPH:'EFBC:61372:&#x5697 CJK UNIFIED IDEOGRAPH:'EFBD:61373:&#x569A CJK UNIFIED IDEOGRAPH:'EFBE:61374:&#x569D CJK UNIFIED IDEOGRAPH:'EFBF:61375:&#x5699 CJK UNIFIED IDEOGRAPH:'EFC0:61376:&#x5970 CJK UNIFIED IDEOGRAPH:'EFC1:61377:&#x5B3C CJK UNIFIED IDEOGRAPH:'EFC2:61378:&#x5C69 CJK UNIFIED IDEOGRAPH:'EFC3:61379:&#x5C6A CJK UNIFIED IDEOGRAPH:'EFC4:61380:&#x5DC0 CJK UNIFIED IDEOGRAPH:'EFC5:61381:&#x5E6D CJK UNIFIED IDEOGRAPH:'EFC6:61382:&#x5E6E CJK UNIFIED IDEOGRAPH:'EFC7:61383:&#x61D8 CJK UNIFIED IDEOGRAPH:'EFC8:61384:&#x61DF CJK UNIFIED IDEOGRAPH:'EFC9:61385:&#x61ED CJK UNIFIED IDEOGRAPH:'EFCA:61386:&#x61EE CJK UNIFIED IDEOGRAPH:'EFCB:61387:&#x61F1 CJK UNIFIED IDEOGRAPH:'EFCC:61388:&#x61EA CJK UNIFIED IDEOGRAPH:'EFCD:61389:&#x61F0 CJK UNIFIED IDEOGRAPH:'EFCE:61390:&#x61EB CJK UNIFIED IDEOGRAPH:'EFCF:61391:&#x61D6 CJK UNIFIED IDEOGRAPH:'EFD0:61392:&#x61E9 CJK UNIFIED IDEOGRAPH:'EFD1:61393:&#x64FF CJK UNIFIED IDEOGRAPH:'EFD2:61394:&#x6504 CJK UNIFIED IDEOGRAPH:'EFD3:61395:&#x64FD CJK UNIFIED IDEOGRAPH:'EFD4:61396:&#x64F8 CJK UNIFIED IDEOGRAPH:'EFD5:61397:&#x6501 CJK UNIFIED IDEOGRAPH:'EFD6:61398:&#x6503 CJK UNIFIED IDEOGRAPH:'EFD7:61399:&#x64FC CJK UNIFIED IDEOGRAPH:'EFD8:61400:&#x6594 CJK UNIFIED IDEOGRAPH:'EFD9:61401:&#x65DB CJK UNIFIED IDEOGRAPH:'EFDA:61402:&#x66DA CJK UNIFIED IDEOGRAPH:'EFDB:61403:&#x66DB CJK UNIFIED IDEOGRAPH:'EFDC:61404:&#x66D8 CJK UNIFIED IDEOGRAPH:'EFDD:61405:&#x6AC5 CJK UNIFIED IDEOGRAPH:'EFDE:61406:&#x6AB9 CJK UNIFIED IDEOGRAPH:'EFDF:61407:&#x6ABD CJK UNIFIED IDEOGRAPH:'EFE0:61408:&#x6AE1 CJK UNIFIED IDEOGRAPH:'EFE1:61409:&#x6AC6 CJK UNIFIED IDEOGRAPH:'EFE2:61410:&#x6ABA CJK UNIFIED IDEOGRAPH:'EFE3:61411:&#x6AB6 CJK UNIFIED IDEOGRAPH:'EFE4:61412:&#x6AB7 CJK UNIFIED IDEOGRAPH:'EFE5:61413:&#x6AC7 CJK UNIFIED IDEOGRAPH:'EFE6:61414:&#x6AB4 CJK UNIFIED IDEOGRAPH:'EFE7:61415:&#x6AAD CJK UNIFIED IDEOGRAPH:'EFE8:61416:&#x6B5E CJK UNIFIED IDEOGRAPH:'EFE9:61417:&#x6BC9 CJK UNIFIED IDEOGRAPH:'EFEA:61418:&#x6C0B CJK UNIFIED IDEOGRAPH:'EFEB:61419:&#x7007 CJK UNIFIED IDEOGRAPH:'EFEC:61420:&#x700C CJK UNIFIED IDEOGRAPH:'EFED:61421:&#x700D CJK UNIFIED IDEOGRAPH:'EFEE:61422:&#x7001 CJK UNIFIED IDEOGRAPH:'EFEF:61423:&#x7005 CJK UNIFIED IDEOGRAPH:'EFF0:61424:&#x7014 CJK UNIFIED IDEOGRAPH:'EFF1:61425:&#x700E CJK UNIFIED IDEOGRAPH:'EFF2:61426:&#x6FFF CJK UNIFIED IDEOGRAPH:'EFF3:61427:&#x7000 CJK UNIFIED IDEOGRAPH:'EFF4:61428:&#x6FFB CJK UNIFIED IDEOGRAPH:'EFF5:61429:&#x7026 CJK UNIFIED IDEOGRAPH:'EFF6:61430:&#x6FFC CJK UNIFIED IDEOGRAPH:'EFF7:61431:&#x6FF7 CJK UNIFIED IDEOGRAPH:'EFF8:61432:&#x700A CJK UNIFIED IDEOGRAPH:'EFF9:61433:&#x7201 CJK UNIFIED IDEOGRAPH:'EFFA:61434:&#x71FF CJK UNIFIED IDEOGRAPH:'EFFB:61435:&#x71F9 CJK UNIFIED IDEOGRAPH:'EFFC:61436:&#x7203 CJK UNIFIED IDEOGRAPH:'EFFD:61437:&#x71FD CJK UNIFIED IDEOGRAPH:'EFFE:61438:&#x7376 CJK UNIFIED IDEOGRAPH:'F040:61504:&#x74B8 CJK UNIFIED IDEOGRAPH:'F041:61505:&#x74C0 CJK UNIFIED IDEOGRAPH:'F042:61506:&#x74B5 CJK UNIFIED IDEOGRAPH:'F043:61507:&#x74C1 CJK UNIFIED IDEOGRAPH:'F044:61508:&#x74BE CJK UNIFIED IDEOGRAPH:'F045:61509:&#x74B6 CJK UNIFIED IDEOGRAPH:'F046:61510:&#x74BB CJK UNIFIED IDEOGRAPH:'F047:61511:&#x74C2 CJK UNIFIED IDEOGRAPH:'F048:61512:&#x7514 CJK UNIFIED IDEOGRAPH:'F049:61513:&#x7513 CJK UNIFIED IDEOGRAPH:'F04A:61514:&#x765C CJK UNIFIED IDEOGRAPH:'F04B:61515:&#x7664 CJK UNIFIED IDEOGRAPH:'F04C:61516:&#x7659 CJK UNIFIED IDEOGRAPH:'F04D:61517:&#x7650 CJK UNIFIED IDEOGRAPH:'F04E:61518:&#x7653 CJK UNIFIED IDEOGRAPH:'F04F:61519:&#x7657 CJK UNIFIED IDEOGRAPH:'F050:61520:&#x765A CJK UNIFIED IDEOGRAPH:'F051:61521:&#x76A6 CJK UNIFIED IDEOGRAPH:'F052:61522:&#x76BD CJK UNIFIED IDEOGRAPH:'F053:61523:&#x76EC CJK UNIFIED IDEOGRAPH:'F054:61524:&#x77C2 CJK UNIFIED IDEOGRAPH:'F055:61525:&#x77BA CJK UNIFIED IDEOGRAPH:'F056:61526:&#x78FF CJK UNIFIED IDEOGRAPH:'F057:61527:&#x790C CJK UNIFIED IDEOGRAPH:'F058:61528:&#x7913 CJK UNIFIED IDEOGRAPH:'F059:61529:&#x7914 CJK UNIFIED IDEOGRAPH:'F05A:61530:&#x7909 CJK UNIFIED IDEOGRAPH:'F05B:61531:&#x7910 CJK UNIFIED IDEOGRAPH:'F05C:61532:&#x7912 CJK UNIFIED IDEOGRAPH:'F05D:61533:&#x7911 CJK UNIFIED IDEOGRAPH:'F05E:61534:&#x79AD CJK UNIFIED IDEOGRAPH:'F05F:61535:&#x79AC CJK UNIFIED IDEOGRAPH:'F060:61536:&#x7A5F CJK UNIFIED IDEOGRAPH:'F061:61537:&#x7C1C CJK UNIFIED IDEOGRAPH:'F062:61538:&#x7C29 CJK UNIFIED IDEOGRAPH:'F063:61539:&#x7C19 CJK UNIFIED IDEOGRAPH:'F064:61540:&#x7C20 CJK UNIFIED IDEOGRAPH:'F065:61541:&#x7C1F CJK UNIFIED IDEOGRAPH:'F066:61542:&#x7C2D CJK UNIFIED IDEOGRAPH:'F067:61543:&#x7C1D CJK UNIFIED IDEOGRAPH:'F068:61544:&#x7C26 CJK UNIFIED IDEOGRAPH:'F069:61545:&#x7C28 CJK UNIFIED IDEOGRAPH:'F06A:61546:&#x7C22 CJK UNIFIED IDEOGRAPH:'F06B:61547:&#x7C25 CJK UNIFIED IDEOGRAPH:'F06C:61548:&#x7C30 CJK UNIFIED IDEOGRAPH:'F06D:61549:&#x7E5C CJK UNIFIED IDEOGRAPH:'F06E:61550:&#x7E50 CJK UNIFIED IDEOGRAPH:'F06F:61551:&#x7E56 CJK UNIFIED IDEOGRAPH:'F070:61552:&#x7E63 CJK UNIFIED IDEOGRAPH:'F071:61553:&#x7E58 CJK UNIFIED IDEOGRAPH:'F072:61554:&#x7E62 CJK UNIFIED IDEOGRAPH:'F073:61555:&#x7E5F CJK UNIFIED IDEOGRAPH:'F074:61556:&#x7E51 CJK UNIFIED IDEOGRAPH:'F075:61557:&#x7E60 CJK UNIFIED IDEOGRAPH:'F076:61558:&#x7E57 CJK UNIFIED IDEOGRAPH:'F077:61559:&#x7E53 CJK UNIFIED IDEOGRAPH:'F078:61560:&#x7FB5 CJK UNIFIED IDEOGRAPH:'F079:61561:&#x7FB3 CJK UNIFIED IDEOGRAPH:'F07A:61562:&#x7FF7 CJK UNIFIED IDEOGRAPH:'F07B:61563:&#x7FF8 CJK UNIFIED IDEOGRAPH:'F07C:61564:&#x8075 CJK UNIFIED IDEOGRAPH:'F07D:61565:&#x81D1 CJK UNIFIED IDEOGRAPH:'F07E:61566:&#x81D2 CJK UNIFIED IDEOGRAPH:'F0A1:61601:&#x81D0 CJK UNIFIED IDEOGRAPH:'F0A2:61602:&#x825F CJK UNIFIED IDEOGRAPH:'F0A3:61603:&#x825E CJK UNIFIED IDEOGRAPH:'F0A4:61604:&#x85B4 CJK UNIFIED IDEOGRAPH:'F0A5:61605:&#x85C6 CJK UNIFIED IDEOGRAPH:'F0A6:61606:&#x85C0 CJK UNIFIED IDEOGRAPH:'F0A7:61607:&#x85C3 CJK UNIFIED IDEOGRAPH:'F0A8:61608:&#x85C2 CJK UNIFIED IDEOGRAPH:'F0A9:61609:&#x85B3 CJK UNIFIED IDEOGRAPH:'F0AA:61610:&#x85B5 CJK UNIFIED IDEOGRAPH:'F0AB:61611:&#x85BD CJK UNIFIED IDEOGRAPH:'F0AC:61612:&#x85C7 CJK UNIFIED IDEOGRAPH:'F0AD:61613:&#x85C4 CJK UNIFIED IDEOGRAPH:'F0AE:61614:&#x85BF CJK UNIFIED IDEOGRAPH:'F0AF:61615:&#x85CB CJK UNIFIED IDEOGRAPH:'F0B0:61616:&#x85CE CJK UNIFIED IDEOGRAPH:'F0B1:61617:&#x85C8 CJK UNIFIED IDEOGRAPH:'F0B2:61618:&#x85C5 CJK UNIFIED IDEOGRAPH:'F0B3:61619:&#x85B1 CJK UNIFIED IDEOGRAPH:'F0B4:61620:&#x85B6 CJK UNIFIED IDEOGRAPH:'F0B5:61621:&#x85D2 CJK UNIFIED IDEOGRAPH:'F0B6:61622:&#x8624 CJK UNIFIED IDEOGRAPH:'F0B7:61623:&#x85B8 CJK UNIFIED IDEOGRAPH:'F0B8:61624:&#x85B7 CJK UNIFIED IDEOGRAPH:'F0B9:61625:&#x85BE CJK UNIFIED IDEOGRAPH:'F0BA:61626:&#x8669 CJK UNIFIED IDEOGRAPH:'F0BB:61627:&#x87E7 CJK UNIFIED IDEOGRAPH:'F0BC:61628:&#x87E6 CJK UNIFIED IDEOGRAPH:'F0BD:61629:&#x87E2 CJK UNIFIED IDEOGRAPH:'F0BE:61630:&#x87DB CJK UNIFIED IDEOGRAPH:'F0BF:61631:&#x87EB CJK UNIFIED IDEOGRAPH:'F0C0:61632:&#x87EA CJK UNIFIED IDEOGRAPH:'F0C1:61633:&#x87E5 CJK UNIFIED IDEOGRAPH:'F0C2:61634:&#x87DF CJK UNIFIED IDEOGRAPH:'F0C3:61635:&#x87F3 CJK UNIFIED IDEOGRAPH:'F0C4:61636:&#x87E4 CJK UNIFIED IDEOGRAPH:'F0C5:61637:&#x87D4 CJK UNIFIED IDEOGRAPH:'F0C6:61638:&#x87DC CJK UNIFIED IDEOGRAPH:'F0C7:61639:&#x87D3 CJK UNIFIED IDEOGRAPH:'F0C8:61640:&#x87ED CJK UNIFIED IDEOGRAPH:'F0C9:61641:&#x87D8 CJK UNIFIED IDEOGRAPH:'F0CA:61642:&#x87E3 CJK UNIFIED IDEOGRAPH:'F0CB:61643:&#x87A4 CJK UNIFIED IDEOGRAPH:'F0CC:61644:&#x87D7 CJK UNIFIED IDEOGRAPH:'F0CD:61645:&#x87D9 CJK UNIFIED IDEOGRAPH:'F0CE:61646:&#x8801 CJK UNIFIED IDEOGRAPH:'F0CF:61647:&#x87F4 CJK UNIFIED IDEOGRAPH:'F0D0:61648:&#x87E8 CJK UNIFIED IDEOGRAPH:'F0D1:61649:&#x87DD CJK UNIFIED IDEOGRAPH:'F0D2:61650:&#x8953 CJK UNIFIED IDEOGRAPH:'F0D3:61651:&#x894B CJK UNIFIED IDEOGRAPH:'F0D4:61652:&#x894F CJK UNIFIED IDEOGRAPH:'F0D5:61653:&#x894C CJK UNIFIED IDEOGRAPH:'F0D6:61654:&#x8946 CJK UNIFIED IDEOGRAPH:'F0D7:61655:&#x8950 CJK UNIFIED IDEOGRAPH:'F0D8:61656:&#x8951 CJK UNIFIED IDEOGRAPH:'F0D9:61657:&#x8949 CJK UNIFIED IDEOGRAPH:'F0DA:61658:&#x8B2A CJK UNIFIED IDEOGRAPH:'F0DB:61659:&#x8B27 CJK UNIFIED IDEOGRAPH:'F0DC:61660:&#x8B23 CJK UNIFIED IDEOGRAPH:'F0DD:61661:&#x8B33 CJK UNIFIED IDEOGRAPH:'F0DE:61662:&#x8B30 CJK UNIFIED IDEOGRAPH:'F0DF:61663:&#x8B35 CJK UNIFIED IDEOGRAPH:'F0E0:61664:&#x8B47 CJK UNIFIED IDEOGRAPH:'F0E1:61665:&#x8B2F CJK UNIFIED IDEOGRAPH:'F0E2:61666:&#x8B3C CJK UNIFIED IDEOGRAPH:'F0E3:61667:&#x8B3E CJK UNIFIED IDEOGRAPH:'F0E4:61668:&#x8B31 CJK UNIFIED IDEOGRAPH:'F0E5:61669:&#x8B25 CJK UNIFIED IDEOGRAPH:'F0E6:61670:&#x8B37 CJK UNIFIED IDEOGRAPH:'F0E7:61671:&#x8B26 CJK UNIFIED IDEOGRAPH:'F0E8:61672:&#x8B36 CJK UNIFIED IDEOGRAPH:'F0E9:61673:&#x8B2E CJK UNIFIED IDEOGRAPH:'F0EA:61674:&#x8B24 CJK UNIFIED IDEOGRAPH:'F0EB:61675:&#x8B3B CJK UNIFIED IDEOGRAPH:'F0EC:61676:&#x8B3D CJK UNIFIED IDEOGRAPH:'F0ED:61677:&#x8B3A CJK UNIFIED IDEOGRAPH:'F0EE:61678:&#x8C42 CJK UNIFIED IDEOGRAPH:'F0EF:61679:&#x8C75 CJK UNIFIED IDEOGRAPH:'F0F0:61680:&#x8C99 CJK UNIFIED IDEOGRAPH:'F0F1:61681:&#x8C98 CJK UNIFIED IDEOGRAPH:'F0F2:61682:&#x8C97 CJK UNIFIED IDEOGRAPH:'F0F3:61683:&#x8CFE CJK UNIFIED IDEOGRAPH:'F0F4:61684:&#x8D04 CJK UNIFIED IDEOGRAPH:'F0F5:61685:&#x8D02 CJK UNIFIED IDEOGRAPH:'F0F6:61686:&#x8D00 CJK UNIFIED IDEOGRAPH:'F0F7:61687:&#x8E5C CJK UNIFIED IDEOGRAPH:'F0F8:61688:&#x8E62 CJK UNIFIED IDEOGRAPH:'F0F9:61689:&#x8E60 CJK UNIFIED IDEOGRAPH:'F0FA:61690:&#x8E57 CJK UNIFIED IDEOGRAPH:'F0FB:61691:&#x8E56 CJK UNIFIED IDEOGRAPH:'F0FC:61692:&#x8E5E CJK UNIFIED IDEOGRAPH:'F0FD:61693:&#x8E65 CJK UNIFIED IDEOGRAPH:'F0FE:61694:&#x8E67 CJK UNIFIED IDEOGRAPH:'F140:61760:&#x8E5B CJK UNIFIED IDEOGRAPH:'F141:61761:&#x8E5A CJK UNIFIED IDEOGRAPH:'F142:61762:&#x8E61 CJK UNIFIED IDEOGRAPH:'F143:61763:&#x8E5D CJK UNIFIED IDEOGRAPH:'F144:61764:&#x8E69 CJK UNIFIED IDEOGRAPH:'F145:61765:&#x8E54 CJK UNIFIED IDEOGRAPH:'F146:61766:&#x8F46 CJK UNIFIED IDEOGRAPH:'F147:61767:&#x8F47 CJK UNIFIED IDEOGRAPH:'F148:61768:&#x8F48 CJK UNIFIED IDEOGRAPH:'F149:61769:&#x8F4B CJK UNIFIED IDEOGRAPH:'F14A:61770:&#x9128 CJK UNIFIED IDEOGRAPH:'F14B:61771:&#x913A CJK UNIFIED IDEOGRAPH:'F14C:61772:&#x913B CJK UNIFIED IDEOGRAPH:'F14D:61773:&#x913E CJK UNIFIED IDEOGRAPH:'F14E:61774:&#x91A8 CJK UNIFIED IDEOGRAPH:'F14F:61775:&#x91A5 CJK UNIFIED IDEOGRAPH:'F150:61776:&#x91A7 CJK UNIFIED IDEOGRAPH:'F151:61777:&#x91AF CJK UNIFIED IDEOGRAPH:'F152:61778:&#x91AA CJK UNIFIED IDEOGRAPH:'F153:61779:&#x93B5 CJK UNIFIED IDEOGRAPH:'F154:61780:&#x938C CJK UNIFIED IDEOGRAPH:'F155:61781:&#x9392 CJK UNIFIED IDEOGRAPH:'F156:61782:&#x93B7 CJK UNIFIED IDEOGRAPH:'F157:61783:&#x939B CJK UNIFIED IDEOGRAPH:'F158:61784:&#x939D CJK UNIFIED IDEOGRAPH:'F159:61785:&#x9389 CJK UNIFIED IDEOGRAPH:'F15A:61786:&#x93A7 CJK UNIFIED IDEOGRAPH:'F15B:61787:&#x938E CJK UNIFIED IDEOGRAPH:'F15C:61788:&#x93AA CJK UNIFIED IDEOGRAPH:'F15D:61789:&#x939E CJK UNIFIED IDEOGRAPH:'F15E:61790:&#x93A6 CJK UNIFIED IDEOGRAPH:'F15F:61791:&#x9395 CJK UNIFIED IDEOGRAPH:'F160:61792:&#x9388 CJK UNIFIED IDEOGRAPH:'F161:61793:&#x9399 CJK UNIFIED IDEOGRAPH:'F162:61794:&#x939F CJK UNIFIED IDEOGRAPH:'F163:61795:&#x938D CJK UNIFIED IDEOGRAPH:'F164:61796:&#x93B1 CJK UNIFIED IDEOGRAPH:'F165:61797:&#x9391 CJK UNIFIED IDEOGRAPH:'F166:61798:&#x93B2 CJK UNIFIED IDEOGRAPH:'F167:61799:&#x93A4 CJK UNIFIED IDEOGRAPH:'F168:61800:&#x93A8 CJK UNIFIED IDEOGRAPH:'F169:61801:&#x93B4 CJK UNIFIED IDEOGRAPH:'F16A:61802:&#x93A3 CJK UNIFIED IDEOGRAPH:'F16B:61803:&#x93A5 CJK UNIFIED IDEOGRAPH:'F16C:61804:&#x95D2 CJK UNIFIED IDEOGRAPH:'F16D:61805:&#x95D3 CJK UNIFIED IDEOGRAPH:'F16E:61806:&#x95D1 CJK UNIFIED IDEOGRAPH:'F16F:61807:&#x96B3 CJK UNIFIED IDEOGRAPH:'F170:61808:&#x96D7 CJK UNIFIED IDEOGRAPH:'F171:61809:&#x96DA CJK UNIFIED IDEOGRAPH:'F172:61810:&#x5DC2 CJK UNIFIED IDEOGRAPH:'F173:61811:&#x96DF CJK UNIFIED IDEOGRAPH:'F174:61812:&#x96D8 CJK UNIFIED IDEOGRAPH:'F175:61813:&#x96DD CJK UNIFIED IDEOGRAPH:'F176:61814:&#x9723 CJK UNIFIED IDEOGRAPH:'F177:61815:&#x9722 CJK UNIFIED IDEOGRAPH:'F178:61816:&#x9725 CJK UNIFIED IDEOGRAPH:'F179:61817:&#x97AC CJK UNIFIED IDEOGRAPH:'F17A:61818:&#x97AE CJK UNIFIED IDEOGRAPH:'F17B:61819:&#x97A8 CJK UNIFIED IDEOGRAPH:'F17C:61820:&#x97AB CJK UNIFIED IDEOGRAPH:'F17D:61821:&#x97A4 CJK UNIFIED IDEOGRAPH:'F17E:61822:&#x97AA CJK UNIFIED IDEOGRAPH:'F1A1:61857:&#x97A2 CJK UNIFIED IDEOGRAPH:'F1A2:61858:&#x97A5 CJK UNIFIED IDEOGRAPH:'F1A3:61859:&#x97D7 CJK UNIFIED IDEOGRAPH:'F1A4:61860:&#x97D9 CJK UNIFIED IDEOGRAPH:'F1A5:61861:&#x97D6 CJK UNIFIED IDEOGRAPH:'F1A6:61862:&#x97D8 CJK UNIFIED IDEOGRAPH:'F1A7:61863:&#x97FA CJK UNIFIED IDEOGRAPH:'F1A8:61864:&#x9850 CJK UNIFIED IDEOGRAPH:'F1A9:61865:&#x9851 CJK UNIFIED IDEOGRAPH:'F1AA:61866:&#x9852 CJK UNIFIED IDEOGRAPH:'F1AB:61867:&#x98B8 CJK UNIFIED IDEOGRAPH:'F1AC:61868:&#x9941 CJK UNIFIED IDEOGRAPH:'F1AD:61869:&#x993C CJK UNIFIED IDEOGRAPH:'F1AE:61870:&#x993A CJK UNIFIED IDEOGRAPH:'F1AF:61871:&#x9A0F CJK UNIFIED IDEOGRAPH:'F1B0:61872:&#x9A0B CJK UNIFIED IDEOGRAPH:'F1B1:61873:&#x9A09 CJK UNIFIED IDEOGRAPH:'F1B2:61874:&#x9A0D CJK UNIFIED IDEOGRAPH:'F1B3:61875:&#x9A04 CJK UNIFIED IDEOGRAPH:'F1B4:61876:&#x9A11 CJK UNIFIED IDEOGRAPH:'F1B5:61877:&#x9A0A CJK UNIFIED IDEOGRAPH:'F1B6:61878:&#x9A05 CJK UNIFIED IDEOGRAPH:'F1B7:61879:&#x9A07 CJK UNIFIED IDEOGRAPH:'F1B8:61880:&#x9A06 CJK UNIFIED IDEOGRAPH:'F1B9:61881:&#x9AC0 CJK UNIFIED IDEOGRAPH:'F1BA:61882:&#x9ADC CJK UNIFIED IDEOGRAPH:'F1BB:61883:&#x9B08 CJK UNIFIED IDEOGRAPH:'F1BC:61884:&#x9B04 CJK UNIFIED IDEOGRAPH:'F1BD:61885:&#x9B05 CJK UNIFIED IDEOGRAPH:'F1BE:61886:&#x9B29 CJK UNIFIED IDEOGRAPH:'F1BF:61887:&#x9B35 CJK UNIFIED IDEOGRAPH:'F1C0:61888:&#x9B4A CJK UNIFIED IDEOGRAPH:'F1C1:61889:&#x9B4C CJK UNIFIED IDEOGRAPH:'F1C2:61890:&#x9B4B CJK UNIFIED IDEOGRAPH:'F1C3:61891:&#x9BC7 CJK UNIFIED IDEOGRAPH:'F1C4:61892:&#x9BC6 CJK UNIFIED IDEOGRAPH:'F1C5:61893:&#x9BC3 CJK UNIFIED IDEOGRAPH:'F1C6:61894:&#x9BBF CJK UNIFIED IDEOGRAPH:'F1C7:61895:&#x9BC1 CJK UNIFIED IDEOGRAPH:'F1C8:61896:&#x9BB5 CJK UNIFIED IDEOGRAPH:'F1C9:61897:&#x9BB8 CJK UNIFIED IDEOGRAPH:'F1CA:61898:&#x9BD3 CJK UNIFIED IDEOGRAPH:'F1CB:61899:&#x9BB6 CJK UNIFIED IDEOGRAPH:'F1CC:61900:&#x9BC4 CJK UNIFIED IDEOGRAPH:'F1CD:61901:&#x9BB9 CJK UNIFIED IDEOGRAPH:'F1CE:61902:&#x9BBD CJK UNIFIED IDEOGRAPH:'F1CF:61903:&#x9D5C CJK UNIFIED IDEOGRAPH:'F1D0:61904:&#x9D53 CJK UNIFIED IDEOGRAPH:'F1D1:61905:&#x9D4F CJK UNIFIED IDEOGRAPH:'F1D2:61906:&#x9D4A CJK UNIFIED IDEOGRAPH:'F1D3:61907:&#x9D5B CJK UNIFIED IDEOGRAPH:'F1D4:61908:&#x9D4B CJK UNIFIED IDEOGRAPH:'F1D5:61909:&#x9D59 CJK UNIFIED IDEOGRAPH:'F1D6:61910:&#x9D56 CJK UNIFIED IDEOGRAPH:'F1D7:61911:&#x9D4C CJK UNIFIED IDEOGRAPH:'F1D8:61912:&#x9D57 CJK UNIFIED IDEOGRAPH:'F1D9:61913:&#x9D52 CJK UNIFIED IDEOGRAPH:'F1DA:61914:&#x9D54 CJK UNIFIED IDEOGRAPH:'F1DB:61915:&#x9D5F CJK UNIFIED IDEOGRAPH:'F1DC:61916:&#x9D58 CJK UNIFIED IDEOGRAPH:'F1DD:61917:&#x9D5A CJK UNIFIED IDEOGRAPH:'F1DE:61918:&#x9E8E CJK UNIFIED IDEOGRAPH:'F1DF:61919:&#x9E8C CJK UNIFIED IDEOGRAPH:'F1E0:61920:&#x9EDF CJK UNIFIED IDEOGRAPH:'F1E1:61921:&#x9F01 CJK UNIFIED IDEOGRAPH:'F1E2:61922:&#x9F00 CJK UNIFIED IDEOGRAPH:'F1E3:61923:&#x9F16 CJK UNIFIED IDEOGRAPH:'F1E4:61924:&#x9F25 CJK UNIFIED IDEOGRAPH:'F1E5:61925:&#x9F2B CJK UNIFIED IDEOGRAPH:'F1E6:61926:&#x9F2A CJK UNIFIED IDEOGRAPH:'F1E7:61927:&#x9F29 CJK UNIFIED IDEOGRAPH:'F1E8:61928:&#x9F28 CJK UNIFIED IDEOGRAPH:'F1E9:61929:&#x9F4C CJK UNIFIED IDEOGRAPH:'F1EA:61930:&#x9F55 CJK UNIFIED IDEOGRAPH:'F1EB:61931:&#x5134 CJK UNIFIED IDEOGRAPH:'F1EC:61932:&#x5135 CJK UNIFIED IDEOGRAPH:'F1ED:61933:&#x5296 CJK UNIFIED IDEOGRAPH:'F1EE:61934:&#x52F7 CJK UNIFIED IDEOGRAPH:'F1EF:61935:&#x53B4 CJK UNIFIED IDEOGRAPH:'F1F0:61936:&#x56AB CJK UNIFIED IDEOGRAPH:'F1F1:61937:&#x56AD CJK UNIFIED IDEOGRAPH:'F1F2:61938:&#x56A6 CJK UNIFIED IDEOGRAPH:'F1F3:61939:&#x56A7 CJK UNIFIED IDEOGRAPH:'F1F4:61940:&#x56AA CJK UNIFIED IDEOGRAPH:'F1F5:61941:&#x56AC CJK UNIFIED IDEOGRAPH:'F1F6:61942:&#x58DA CJK UNIFIED IDEOGRAPH:'F1F7:61943:&#x58DD CJK UNIFIED IDEOGRAPH:'F1F8:61944:&#x58DB CJK UNIFIED IDEOGRAPH:'F1F9:61945:&#x5912 CJK UNIFIED IDEOGRAPH:'F1FA:61946:&#x5B3D CJK UNIFIED IDEOGRAPH:'F1FB:61947:&#x5B3E CJK UNIFIED IDEOGRAPH:'F1FC:61948:&#x5B3F CJK UNIFIED IDEOGRAPH:'F1FD:61949:&#x5DC3 CJK UNIFIED IDEOGRAPH:'F1FE:61950:&#x5E70 CJK UNIFIED IDEOGRAPH:'F240:62016:&#x5FBF CJK UNIFIED IDEOGRAPH:'F241:62017:&#x61FB CJK UNIFIED IDEOGRAPH:'F242:62018:&#x6507 CJK UNIFIED IDEOGRAPH:'F243:62019:&#x6510 CJK UNIFIED IDEOGRAPH:'F244:62020:&#x650D CJK UNIFIED IDEOGRAPH:'F245:62021:&#x6509 CJK UNIFIED IDEOGRAPH:'F246:62022:&#x650C CJK UNIFIED IDEOGRAPH:'F247:62023:&#x650E CJK UNIFIED IDEOGRAPH:'F248:62024:&#x6584 CJK UNIFIED IDEOGRAPH:'F249:62025:&#x65DE CJK UNIFIED IDEOGRAPH:'F24A:62026:&#x65DD CJK UNIFIED IDEOGRAPH:'F24B:62027:&#x66DE CJK UNIFIED IDEOGRAPH:'F24C:62028:&#x6AE7 CJK UNIFIED IDEOGRAPH:'F24D:62029:&#x6AE0 CJK UNIFIED IDEOGRAPH:'F24E:62030:&#x6ACC CJK UNIFIED IDEOGRAPH:'F24F:62031:&#x6AD1 CJK UNIFIED IDEOGRAPH:'F250:62032:&#x6AD9 CJK UNIFIED IDEOGRAPH:'F251:62033:&#x6ACB CJK UNIFIED IDEOGRAPH:'F252:62034:&#x6ADF CJK UNIFIED IDEOGRAPH:'F253:62035:&#x6ADC CJK UNIFIED IDEOGRAPH:'F254:62036:&#x6AD0 CJK UNIFIED IDEOGRAPH:'F255:62037:&#x6AEB CJK UNIFIED IDEOGRAPH:'F256:62038:&#x6ACF CJK UNIFIED IDEOGRAPH:'F257:62039:&#x6ACD CJK UNIFIED IDEOGRAPH:'F258:62040:&#x6ADE CJK UNIFIED IDEOGRAPH:'F259:62041:&#x6B60 CJK UNIFIED IDEOGRAPH:'F25A:62042:&#x6BB0 CJK UNIFIED IDEOGRAPH:'F25B:62043:&#x6C0C CJK UNIFIED IDEOGRAPH:'F25C:62044:&#x7019 CJK UNIFIED IDEOGRAPH:'F25D:62045:&#x7027 CJK UNIFIED IDEOGRAPH:'F25E:62046:&#x7020 CJK UNIFIED IDEOGRAPH:'F25F:62047:&#x7016 CJK UNIFIED IDEOGRAPH:'F260:62048:&#x702B CJK UNIFIED IDEOGRAPH:'F261:62049:&#x7021 CJK UNIFIED IDEOGRAPH:'F262:62050:&#x7022 CJK UNIFIED IDEOGRAPH:'F263:62051:&#x7023 CJK UNIFIED IDEOGRAPH:'F264:62052:&#x7029 CJK UNIFIED IDEOGRAPH:'F265:62053:&#x7017 CJK UNIFIED IDEOGRAPH:'F266:62054:&#x7024 CJK UNIFIED IDEOGRAPH:'F267:62055:&#x701C CJK UNIFIED IDEOGRAPH:'F268:62056:&#x702A CJK UNIFIED IDEOGRAPH:'F269:62057:&#x720C CJK UNIFIED IDEOGRAPH:'F26A:62058:&#x720A CJK UNIFIED IDEOGRAPH:'F26B:62059:&#x7207 CJK UNIFIED IDEOGRAPH:'F26C:62060:&#x7202 CJK UNIFIED IDEOGRAPH:'F26D:62061:&#x7205 CJK UNIFIED IDEOGRAPH:'F26E:62062:&#x72A5 CJK UNIFIED IDEOGRAPH:'F26F:62063:&#x72A6 CJK UNIFIED IDEOGRAPH:'F270:62064:&#x72A4 CJK UNIFIED IDEOGRAPH:'F271:62065:&#x72A3 CJK UNIFIED IDEOGRAPH:'F272:62066:&#x72A1 CJK UNIFIED IDEOGRAPH:'F273:62067:&#x74CB CJK UNIFIED IDEOGRAPH:'F274:62068:&#x74C5 CJK UNIFIED IDEOGRAPH:'F275:62069:&#x74B7 CJK UNIFIED IDEOGRAPH:'F276:62070:&#x74C3 CJK UNIFIED IDEOGRAPH:'F277:62071:&#x7516 CJK UNIFIED IDEOGRAPH:'F278:62072:&#x7660 CJK UNIFIED IDEOGRAPH:'F279:62073:&#x77C9 CJK UNIFIED IDEOGRAPH:'F27A:62074:&#x77CA CJK UNIFIED IDEOGRAPH:'F27B:62075:&#x77C4 CJK UNIFIED IDEOGRAPH:'F27C:62076:&#x77F1 CJK UNIFIED IDEOGRAPH:'F27D:62077:&#x791D CJK UNIFIED IDEOGRAPH:'F27E:62078:&#x791B CJK UNIFIED IDEOGRAPH:'F2A1:62113:&#x7921 CJK UNIFIED IDEOGRAPH:'F2A2:62114:&#x791C CJK UNIFIED IDEOGRAPH:'F2A3:62115:&#x7917 CJK UNIFIED IDEOGRAPH:'F2A4:62116:&#x791E CJK UNIFIED IDEOGRAPH:'F2A5:62117:&#x79B0 CJK UNIFIED IDEOGRAPH:'F2A6:62118:&#x7A67 CJK UNIFIED IDEOGRAPH:'F2A7:62119:&#x7A68 CJK UNIFIED IDEOGRAPH:'F2A8:62120:&#x7C33 CJK UNIFIED IDEOGRAPH:'F2A9:62121:&#x7C3C CJK UNIFIED IDEOGRAPH:'F2AA:62122:&#x7C39 CJK UNIFIED IDEOGRAPH:'F2AB:62123:&#x7C2C CJK UNIFIED IDEOGRAPH:'F2AC:62124:&#x7C3B CJK UNIFIED IDEOGRAPH:'F2AD:62125:&#x7CEC CJK UNIFIED IDEOGRAPH:'F2AE:62126:&#x7CEA CJK UNIFIED IDEOGRAPH:'F2AF:62127:&#x7E76 CJK UNIFIED IDEOGRAPH:'F2B0:62128:&#x7E75 CJK UNIFIED IDEOGRAPH:'F2B1:62129:&#x7E78 CJK UNIFIED IDEOGRAPH:'F2B2:62130:&#x7E70 CJK UNIFIED IDEOGRAPH:'F2B3:62131:&#x7E77 CJK UNIFIED IDEOGRAPH:'F2B4:62132:&#x7E6F CJK UNIFIED IDEOGRAPH:'F2B5:62133:&#x7E7A CJK UNIFIED IDEOGRAPH:'F2B6:62134:&#x7E72 CJK UNIFIED IDEOGRAPH:'F2B7:62135:&#x7E74 CJK UNIFIED IDEOGRAPH:'F2B8:62136:&#x7E68 CJK UNIFIED IDEOGRAPH:'F2B9:62137:&#x7F4B CJK UNIFIED IDEOGRAPH:'F2BA:62138:&#x7F4A CJK UNIFIED IDEOGRAPH:'F2BB:62139:&#x7F83 CJK UNIFIED IDEOGRAPH:'F2BC:62140:&#x7F86 CJK UNIFIED IDEOGRAPH:'F2BD:62141:&#x7FB7 CJK UNIFIED IDEOGRAPH:'F2BE:62142:&#x7FFD CJK UNIFIED IDEOGRAPH:'F2BF:62143:&#x7FFE CJK UNIFIED IDEOGRAPH:'F2C0:62144:&#x8078 CJK UNIFIED IDEOGRAPH:'F2C1:62145:&#x81D7 CJK UNIFIED IDEOGRAPH:'F2C2:62146:&#x81D5 CJK UNIFIED IDEOGRAPH:'F2C3:62147:&#x8264 CJK UNIFIED IDEOGRAPH:'F2C4:62148:&#x8261 CJK UNIFIED IDEOGRAPH:'F2C5:62149:&#x8263 CJK UNIFIED IDEOGRAPH:'F2C6:62150:&#x85EB CJK UNIFIED IDEOGRAPH:'F2C7:62151:&#x85F1 CJK UNIFIED IDEOGRAPH:'F2C8:62152:&#x85ED CJK UNIFIED IDEOGRAPH:'F2C9:62153:&#x85D9 CJK UNIFIED IDEOGRAPH:'F2CA:62154:&#x85E1 CJK UNIFIED IDEOGRAPH:'F2CB:62155:&#x85E8 CJK UNIFIED IDEOGRAPH:'F2CC:62156:&#x85DA CJK UNIFIED IDEOGRAPH:'F2CD:62157:&#x85D7 CJK UNIFIED IDEOGRAPH:'F2CE:62158:&#x85EC CJK UNIFIED IDEOGRAPH:'F2CF:62159:&#x85F2 CJK UNIFIED IDEOGRAPH:'F2D0:62160:&#x85F8 CJK UNIFIED IDEOGRAPH:'F2D1:62161:&#x85D8 CJK UNIFIED IDEOGRAPH:'F2D2:62162:&#x85DF CJK UNIFIED IDEOGRAPH:'F2D3:62163:&#x85E3 CJK UNIFIED IDEOGRAPH:'F2D4:62164:&#x85DC CJK UNIFIED IDEOGRAPH:'F2D5:62165:&#x85D1 CJK UNIFIED IDEOGRAPH:'F2D6:62166:&#x85F0 CJK UNIFIED IDEOGRAPH:'F2D7:62167:&#x85E6 CJK UNIFIED IDEOGRAPH:'F2D8:62168:&#x85EF CJK UNIFIED IDEOGRAPH:'F2D9:62169:&#x85DE CJK UNIFIED IDEOGRAPH:'F2DA:62170:&#x85E2 CJK UNIFIED IDEOGRAPH:'F2DB:62171:&#x8800 CJK UNIFIED IDEOGRAPH:'F2DC:62172:&#x87FA CJK UNIFIED IDEOGRAPH:'F2DD:62173:&#x8803 CJK UNIFIED IDEOGRAPH:'F2DE:62174:&#x87F6 CJK UNIFIED IDEOGRAPH:'F2DF:62175:&#x87F7 CJK UNIFIED IDEOGRAPH:'F2E0:62176:&#x8809 CJK UNIFIED IDEOGRAPH:'F2E1:62177:&#x880C CJK UNIFIED IDEOGRAPH:'F2E2:62178:&#x880B CJK UNIFIED IDEOGRAPH:'F2E3:62179:&#x8806 CJK UNIFIED IDEOGRAPH:'F2E4:62180:&#x87FC CJK UNIFIED IDEOGRAPH:'F2E5:62181:&#x8808 CJK UNIFIED IDEOGRAPH:'F2E6:62182:&#x87FF CJK UNIFIED IDEOGRAPH:'F2E7:62183:&#x880A CJK UNIFIED IDEOGRAPH:'F2E8:62184:&#x8802 CJK UNIFIED IDEOGRAPH:'F2E9:62185:&#x8962 CJK UNIFIED IDEOGRAPH:'F2EA:62186:&#x895A CJK UNIFIED IDEOGRAPH:'F2EB:62187:&#x895B CJK UNIFIED IDEOGRAPH:'F2EC:62188:&#x8957 CJK UNIFIED IDEOGRAPH:'F2ED:62189:&#x8961 CJK UNIFIED IDEOGRAPH:'F2EE:62190:&#x895C CJK UNIFIED IDEOGRAPH:'F2EF:62191:&#x8958 CJK UNIFIED IDEOGRAPH:'F2F0:62192:&#x895D CJK UNIFIED IDEOGRAPH:'F2F1:62193:&#x8959 CJK UNIFIED IDEOGRAPH:'F2F2:62194:&#x8988 CJK UNIFIED IDEOGRAPH:'F2F3:62195:&#x89B7 CJK UNIFIED IDEOGRAPH:'F2F4:62196:&#x89B6 CJK UNIFIED IDEOGRAPH:'F2F5:62197:&#x89F6 CJK UNIFIED IDEOGRAPH:'F2F6:62198:&#x8B50 CJK UNIFIED IDEOGRAPH:'F2F7:62199:&#x8B48 CJK UNIFIED IDEOGRAPH:'F2F8:62200:&#x8B4A CJK UNIFIED IDEOGRAPH:'F2F9:62201:&#x8B40 CJK UNIFIED IDEOGRAPH:'F2FA:62202:&#x8B53 CJK UNIFIED IDEOGRAPH:'F2FB:62203:&#x8B56 CJK UNIFIED IDEOGRAPH:'F2FC:62204:&#x8B54 CJK UNIFIED IDEOGRAPH:'F2FD:62205:&#x8B4B CJK UNIFIED IDEOGRAPH:'F2FE:62206:&#x8B55 CJK UNIFIED IDEOGRAPH:'F340:62272:&#x8B51 CJK UNIFIED IDEOGRAPH:'F341:62273:&#x8B42 CJK UNIFIED IDEOGRAPH:'F342:62274:&#x8B52 CJK UNIFIED IDEOGRAPH:'F343:62275:&#x8B57 CJK UNIFIED IDEOGRAPH:'F344:62276:&#x8C43 CJK UNIFIED IDEOGRAPH:'F345:62277:&#x8C77 CJK UNIFIED IDEOGRAPH:'F346:62278:&#x8C76 CJK UNIFIED IDEOGRAPH:'F347:62279:&#x8C9A CJK UNIFIED IDEOGRAPH:'F348:62280:&#x8D06 CJK UNIFIED IDEOGRAPH:'F349:62281:&#x8D07 CJK UNIFIED IDEOGRAPH:'F34A:62282:&#x8D09 CJK UNIFIED IDEOGRAPH:'F34B:62283:&#x8DAC CJK UNIFIED IDEOGRAPH:'F34C:62284:&#x8DAA CJK UNIFIED IDEOGRAPH:'F34D:62285:&#x8DAD CJK UNIFIED IDEOGRAPH:'F34E:62286:&#x8DAB CJK UNIFIED IDEOGRAPH:'F34F:62287:&#x8E6D CJK UNIFIED IDEOGRAPH:'F350:62288:&#x8E78 CJK UNIFIED IDEOGRAPH:'F351:62289:&#x8E73 CJK UNIFIED IDEOGRAPH:'F352:62290:&#x8E6A CJK UNIFIED IDEOGRAPH:'F353:62291:&#x8E6F CJK UNIFIED IDEOGRAPH:'F354:62292:&#x8E7B CJK UNIFIED IDEOGRAPH:'F355:62293:&#x8EC2 CJK UNIFIED IDEOGRAPH:'F356:62294:&#x8F52 CJK UNIFIED IDEOGRAPH:'F357:62295:&#x8F51 CJK UNIFIED IDEOGRAPH:'F358:62296:&#x8F4F CJK UNIFIED IDEOGRAPH:'F359:62297:&#x8F50 CJK UNIFIED IDEOGRAPH:'F35A:62298:&#x8F53 CJK UNIFIED IDEOGRAPH:'F35B:62299:&#x8FB4 CJK UNIFIED IDEOGRAPH:'F35C:62300:&#x9140 CJK UNIFIED IDEOGRAPH:'F35D:62301:&#x913F CJK UNIFIED IDEOGRAPH:'F35E:62302:&#x91B0 CJK UNIFIED IDEOGRAPH:'F35F:62303:&#x91AD CJK UNIFIED IDEOGRAPH:'F360:62304:&#x93DE CJK UNIFIED IDEOGRAPH:'F361:62305:&#x93C7 CJK UNIFIED IDEOGRAPH:'F362:62306:&#x93CF CJK UNIFIED IDEOGRAPH:'F363:62307:&#x93C2 CJK UNIFIED IDEOGRAPH:'F364:62308:&#x93DA CJK UNIFIED IDEOGRAPH:'F365:62309:&#x93D0 CJK UNIFIED IDEOGRAPH:'F366:62310:&#x93F9 CJK UNIFIED IDEOGRAPH:'F367:62311:&#x93EC CJK UNIFIED IDEOGRAPH:'F368:62312:&#x93CC CJK UNIFIED IDEOGRAPH:'F369:62313:&#x93D9 CJK UNIFIED IDEOGRAPH:'F36A:62314:&#x93A9 CJK UNIFIED IDEOGRAPH:'F36B:62315:&#x93E6 CJK UNIFIED IDEOGRAPH:'F36C:62316:&#x93CA CJK UNIFIED IDEOGRAPH:'F36D:62317:&#x93D4 CJK UNIFIED IDEOGRAPH:'F36E:62318:&#x93EE CJK UNIFIED IDEOGRAPH:'F36F:62319:&#x93E3 CJK UNIFIED IDEOGRAPH:'F370:62320:&#x93D5 CJK UNIFIED IDEOGRAPH:'F371:62321:&#x93C4 CJK UNIFIED IDEOGRAPH:'F372:62322:&#x93CE CJK UNIFIED IDEOGRAPH:'F373:62323:&#x93C0 CJK UNIFIED IDEOGRAPH:'F374:62324:&#x93D2 CJK UNIFIED IDEOGRAPH:'F375:62325:&#x93E7 CJK UNIFIED IDEOGRAPH:'F376:62326:&#x957D CJK UNIFIED IDEOGRAPH:'F377:62327:&#x95DA CJK UNIFIED IDEOGRAPH:'F378:62328:&#x95DB CJK UNIFIED IDEOGRAPH:'F379:62329:&#x96E1 CJK UNIFIED IDEOGRAPH:'F37A:62330:&#x9729 CJK UNIFIED IDEOGRAPH:'F37B:62331:&#x972B CJK UNIFIED IDEOGRAPH:'F37C:62332:&#x972C CJK UNIFIED IDEOGRAPH:'F37D:62333:&#x9728 CJK UNIFIED IDEOGRAPH:'F37E:62334:&#x9726 CJK UNIFIED IDEOGRAPH:'F3A1:62369:&#x97B3 CJK UNIFIED IDEOGRAPH:'F3A2:62370:&#x97B7 CJK UNIFIED IDEOGRAPH:'F3A3:62371:&#x97B6 CJK UNIFIED IDEOGRAPH:'F3A4:62372:&#x97DD CJK UNIFIED IDEOGRAPH:'F3A5:62373:&#x97DE CJK UNIFIED IDEOGRAPH:'F3A6:62374:&#x97DF CJK UNIFIED IDEOGRAPH:'F3A7:62375:&#x985C CJK UNIFIED IDEOGRAPH:'F3A8:62376:&#x9859 CJK UNIFIED IDEOGRAPH:'F3A9:62377:&#x985D CJK UNIFIED IDEOGRAPH:'F3AA:62378:&#x9857 CJK UNIFIED IDEOGRAPH:'F3AB:62379:&#x98BF CJK UNIFIED IDEOGRAPH:'F3AC:62380:&#x98BD CJK UNIFIED IDEOGRAPH:'F3AD:62381:&#x98BB CJK UNIFIED IDEOGRAPH:'F3AE:62382:&#x98BE CJK UNIFIED IDEOGRAPH:'F3AF:62383:&#x9948 CJK UNIFIED IDEOGRAPH:'F3B0:62384:&#x9947 CJK UNIFIED IDEOGRAPH:'F3B1:62385:&#x9943 CJK UNIFIED IDEOGRAPH:'F3B2:62386:&#x99A6 CJK UNIFIED IDEOGRAPH:'F3B3:62387:&#x99A7 CJK UNIFIED IDEOGRAPH:'F3B4:62388:&#x9A1A CJK UNIFIED IDEOGRAPH:'F3B5:62389:&#x9A15 CJK UNIFIED IDEOGRAPH:'F3B6:62390:&#x9A25 CJK UNIFIED IDEOGRAPH:'F3B7:62391:&#x9A1D CJK UNIFIED IDEOGRAPH:'F3B8:62392:&#x9A24 CJK UNIFIED IDEOGRAPH:'F3B9:62393:&#x9A1B CJK UNIFIED IDEOGRAPH:'F3BA:62394:&#x9A22 CJK UNIFIED IDEOGRAPH:'F3BB:62395:&#x9A20 CJK UNIFIED IDEOGRAPH:'F3BC:62396:&#x9A27 CJK UNIFIED IDEOGRAPH:'F3BD:62397:&#x9A23 CJK UNIFIED IDEOGRAPH:'F3BE:62398:&#x9A1E CJK UNIFIED IDEOGRAPH:'F3BF:62399:&#x9A1C CJK UNIFIED IDEOGRAPH:'F3C0:62400:&#x9A14 CJK UNIFIED IDEOGRAPH:'F3C1:62401:&#x9AC2 CJK UNIFIED IDEOGRAPH:'F3C2:62402:&#x9B0B CJK UNIFIED IDEOGRAPH:'F3C3:62403:&#x9B0A CJK UNIFIED IDEOGRAPH:'F3C4:62404:&#x9B0E CJK UNIFIED IDEOGRAPH:'F3C5:62405:&#x9B0C CJK UNIFIED IDEOGRAPH:'F3C6:62406:&#x9B37 CJK UNIFIED IDEOGRAPH:'F3C7:62407:&#x9BEA CJK UNIFIED IDEOGRAPH:'F3C8:62408:&#x9BEB CJK UNIFIED IDEOGRAPH:'F3C9:62409:&#x9BE0 CJK UNIFIED IDEOGRAPH:'F3CA:62410:&#x9BDE CJK UNIFIED IDEOGRAPH:'F3CB:62411:&#x9BE4 CJK UNIFIED IDEOGRAPH:'F3CC:62412:&#x9BE6 CJK UNIFIED IDEOGRAPH:'F3CD:62413:&#x9BE2 CJK UNIFIED IDEOGRAPH:'F3CE:62414:&#x9BF0 CJK UNIFIED IDEOGRAPH:'F3CF:62415:&#x9BD4 CJK UNIFIED IDEOGRAPH:'F3D0:62416:&#x9BD7 CJK UNIFIED IDEOGRAPH:'F3D1:62417:&#x9BEC CJK UNIFIED IDEOGRAPH:'F3D2:62418:&#x9BDC CJK UNIFIED IDEOGRAPH:'F3D3:62419:&#x9BD9 CJK UNIFIED IDEOGRAPH:'F3D4:62420:&#x9BE5 CJK UNIFIED IDEOGRAPH:'F3D5:62421:&#x9BD5 CJK UNIFIED IDEOGRAPH:'F3D6:62422:&#x9BE1 CJK UNIFIED IDEOGRAPH:'F3D7:62423:&#x9BDA CJK UNIFIED IDEOGRAPH:'F3D8:62424:&#x9D77 CJK UNIFIED IDEOGRAPH:'F3D9:62425:&#x9D81 CJK UNIFIED IDEOGRAPH:'F3DA:62426:&#x9D8A CJK UNIFIED IDEOGRAPH:'F3DB:62427:&#x9D84 CJK UNIFIED IDEOGRAPH:'F3DC:62428:&#x9D88 CJK UNIFIED IDEOGRAPH:'F3DD:62429:&#x9D71 CJK UNIFIED IDEOGRAPH:'F3DE:62430:&#x9D80 CJK UNIFIED IDEOGRAPH:'F3DF:62431:&#x9D78 CJK UNIFIED IDEOGRAPH:'F3E0:62432:&#x9D86 CJK UNIFIED IDEOGRAPH:'F3E1:62433:&#x9D8B CJK UNIFIED IDEOGRAPH:'F3E2:62434:&#x9D8C CJK UNIFIED IDEOGRAPH:'F3E3:62435:&#x9D7D CJK UNIFIED IDEOGRAPH:'F3E4:62436:&#x9D6B CJK UNIFIED IDEOGRAPH:'F3E5:62437:&#x9D74 CJK UNIFIED IDEOGRAPH:'F3E6:62438:&#x9D75 CJK UNIFIED IDEOGRAPH:'F3E7:62439:&#x9D70 CJK UNIFIED IDEOGRAPH:'F3E8:62440:&#x9D69 CJK UNIFIED IDEOGRAPH:'F3E9:62441:&#x9D85 CJK UNIFIED IDEOGRAPH:'F3EA:62442:&#x9D73 CJK UNIFIED IDEOGRAPH:'F3EB:62443:&#x9D7B CJK UNIFIED IDEOGRAPH:'F3EC:62444:&#x9D82 CJK UNIFIED IDEOGRAPH:'F3ED:62445:&#x9D6F CJK UNIFIED IDEOGRAPH:'F3EE:62446:&#x9D79 CJK UNIFIED IDEOGRAPH:'F3EF:62447:&#x9D7F CJK UNIFIED IDEOGRAPH:'F3F0:62448:&#x9D87 CJK UNIFIED IDEOGRAPH:'F3F1:62449:&#x9D68 CJK UNIFIED IDEOGRAPH:'F3F2:62450:&#x9E94 CJK UNIFIED IDEOGRAPH:'F3F3:62451:&#x9E91 CJK UNIFIED IDEOGRAPH:'F3F4:62452:&#x9EC0 CJK UNIFIED IDEOGRAPH:'F3F5:62453:&#x9EFC CJK UNIFIED IDEOGRAPH:'F3F6:62454:&#x9F2D CJK UNIFIED IDEOGRAPH:'F3F7:62455:&#x9F40 CJK UNIFIED IDEOGRAPH:'F3F8:62456:&#x9F41 CJK UNIFIED IDEOGRAPH:'F3F9:62457:&#x9F4D CJK UNIFIED IDEOGRAPH:'F3FA:62458:&#x9F56 CJK UNIFIED IDEOGRAPH:'F3FB:62459:&#x9F57 CJK UNIFIED IDEOGRAPH:'F3FC:62460:&#x9F58 CJK UNIFIED IDEOGRAPH:'F3FD:62461:&#x5337 CJK UNIFIED IDEOGRAPH:'F3FE:62462:&#x56B2 CJK UNIFIED IDEOGRAPH:'F440:62528:&#x56B5 CJK UNIFIED IDEOGRAPH:'F441:62529:&#x56B3 CJK UNIFIED IDEOGRAPH:'F442:62530:&#x58E3 CJK UNIFIED IDEOGRAPH:'F443:62531:&#x5B45 CJK UNIFIED IDEOGRAPH:'F444:62532:&#x5DC6 CJK UNIFIED IDEOGRAPH:'F445:62533:&#x5DC7 CJK UNIFIED IDEOGRAPH:'F446:62534:&#x5EEE CJK UNIFIED IDEOGRAPH:'F447:62535:&#x5EEF CJK UNIFIED IDEOGRAPH:'F448:62536:&#x5FC0 CJK UNIFIED IDEOGRAPH:'F449:62537:&#x5FC1 CJK UNIFIED IDEOGRAPH:'F44A:62538:&#x61F9 CJK UNIFIED IDEOGRAPH:'F44B:62539:&#x6517 CJK UNIFIED IDEOGRAPH:'F44C:62540:&#x6516 CJK UNIFIED IDEOGRAPH:'F44D:62541:&#x6515 CJK UNIFIED IDEOGRAPH:'F44E:62542:&#x6513 CJK UNIFIED IDEOGRAPH:'F44F:62543:&#x65DF CJK UNIFIED IDEOGRAPH:'F450:62544:&#x66E8 CJK UNIFIED IDEOGRAPH:'F451:62545:&#x66E3 CJK UNIFIED IDEOGRAPH:'F452:62546:&#x66E4 CJK UNIFIED IDEOGRAPH:'F453:62547:&#x6AF3 CJK UNIFIED IDEOGRAPH:'F454:62548:&#x6AF0 CJK UNIFIED IDEOGRAPH:'F455:62549:&#x6AEA CJK UNIFIED IDEOGRAPH:'F456:62550:&#x6AE8 CJK UNIFIED IDEOGRAPH:'F457:62551:&#x6AF9 CJK UNIFIED IDEOGRAPH:'F458:62552:&#x6AF1 CJK UNIFIED IDEOGRAPH:'F459:62553:&#x6AEE CJK UNIFIED IDEOGRAPH:'F45A:62554:&#x6AEF CJK UNIFIED IDEOGRAPH:'F45B:62555:&#x703C CJK UNIFIED IDEOGRAPH:'F45C:62556:&#x7035 CJK UNIFIED IDEOGRAPH:'F45D:62557:&#x702F CJK UNIFIED IDEOGRAPH:'F45E:62558:&#x7037 CJK UNIFIED IDEOGRAPH:'F45F:62559:&#x7034 CJK UNIFIED IDEOGRAPH:'F460:62560:&#x7031 CJK UNIFIED IDEOGRAPH:'F461:62561:&#x7042 CJK UNIFIED IDEOGRAPH:'F462:62562:&#x7038 CJK UNIFIED IDEOGRAPH:'F463:62563:&#x703F CJK UNIFIED IDEOGRAPH:'F464:62564:&#x703A CJK UNIFIED IDEOGRAPH:'F465:62565:&#x7039 CJK UNIFIED IDEOGRAPH:'F466:62566:&#x7040 CJK UNIFIED IDEOGRAPH:'F467:62567:&#x703B CJK UNIFIED IDEOGRAPH:'F468:62568:&#x7033 CJK UNIFIED IDEOGRAPH:'F469:62569:&#x7041 CJK UNIFIED IDEOGRAPH:'F46A:62570:&#x7213 CJK UNIFIED IDEOGRAPH:'F46B:62571:&#x7214 CJK UNIFIED IDEOGRAPH:'F46C:62572:&#x72A8 CJK UNIFIED IDEOGRAPH:'F46D:62573:&#x737D CJK UNIFIED IDEOGRAPH:'F46E:62574:&#x737C CJK UNIFIED IDEOGRAPH:'F46F:62575:&#x74BA CJK UNIFIED IDEOGRAPH:'F470:62576:&#x76AB CJK UNIFIED IDEOGRAPH:'F471:62577:&#x76AA CJK UNIFIED IDEOGRAPH:'F472:62578:&#x76BE CJK UNIFIED IDEOGRAPH:'F473:62579:&#x76ED CJK UNIFIED IDEOGRAPH:'F474:62580:&#x77CC CJK UNIFIED IDEOGRAPH:'F475:62581:&#x77CE CJK UNIFIED IDEOGRAPH:'F476:62582:&#x77CF CJK UNIFIED IDEOGRAPH:'F477:62583:&#x77CD CJK UNIFIED IDEOGRAPH:'F478:62584:&#x77F2 CJK UNIFIED IDEOGRAPH:'F479:62585:&#x7925 CJK UNIFIED IDEOGRAPH:'F47A:62586:&#x7923 CJK UNIFIED IDEOGRAPH:'F47B:62587:&#x7927 CJK UNIFIED IDEOGRAPH:'F47C:62588:&#x7928 CJK UNIFIED IDEOGRAPH:'F47D:62589:&#x7924 CJK UNIFIED IDEOGRAPH:'F47E:62590:&#x7929 CJK UNIFIED IDEOGRAPH:'F4A1:62625:&#x79B2 CJK UNIFIED IDEOGRAPH:'F4A2:62626:&#x7A6E CJK UNIFIED IDEOGRAPH:'F4A3:62627:&#x7A6C CJK UNIFIED IDEOGRAPH:'F4A4:62628:&#x7A6D CJK UNIFIED IDEOGRAPH:'F4A5:62629:&#x7AF7 CJK UNIFIED IDEOGRAPH:'F4A6:62630:&#x7C49 CJK UNIFIED IDEOGRAPH:'F4A7:62631:&#x7C48 CJK UNIFIED IDEOGRAPH:'F4A8:62632:&#x7C4A CJK UNIFIED IDEOGRAPH:'F4A9:62633:&#x7C47 CJK UNIFIED IDEOGRAPH:'F4AA:62634:&#x7C45 CJK UNIFIED IDEOGRAPH:'F4AB:62635:&#x7CEE CJK UNIFIED IDEOGRAPH:'F4AC:62636:&#x7E7B CJK UNIFIED IDEOGRAPH:'F4AD:62637:&#x7E7E CJK UNIFIED IDEOGRAPH:'F4AE:62638:&#x7E81 CJK UNIFIED IDEOGRAPH:'F4AF:62639:&#x7E80 CJK UNIFIED IDEOGRAPH:'F4B0:62640:&#x7FBA CJK UNIFIED IDEOGRAPH:'F4B1:62641:&#x7FFF CJK UNIFIED IDEOGRAPH:'F4B2:62642:&#x8079 CJK UNIFIED IDEOGRAPH:'F4B3:62643:&#x81DB CJK UNIFIED IDEOGRAPH:'F4B4:62644:&#x81D9 CJK UNIFIED IDEOGRAPH:'F4B5:62645:&#x820B CJK UNIFIED IDEOGRAPH:'F4B6:62646:&#x8268 CJK UNIFIED IDEOGRAPH:'F4B7:62647:&#x8269 CJK UNIFIED IDEOGRAPH:'F4B8:62648:&#x8622 CJK UNIFIED IDEOGRAPH:'F4B9:62649:&#x85FF CJK UNIFIED IDEOGRAPH:'F4BA:62650:&#x8601 CJK UNIFIED IDEOGRAPH:'F4BB:62651:&#x85FE CJK UNIFIED IDEOGRAPH:'F4BC:62652:&#x861B CJK UNIFIED IDEOGRAPH:'F4BD:62653:&#x8600 CJK UNIFIED IDEOGRAPH:'F4BE:62654:&#x85F6 CJK UNIFIED IDEOGRAPH:'F4BF:62655:&#x8604 CJK UNIFIED IDEOGRAPH:'F4C0:62656:&#x8609 CJK UNIFIED IDEOGRAPH:'F4C1:62657:&#x8605 CJK UNIFIED IDEOGRAPH:'F4C2:62658:&#x860C CJK UNIFIED IDEOGRAPH:'F4C3:62659:&#x85FD CJK UNIFIED IDEOGRAPH:'F4C4:62660:&#x8819 CJK UNIFIED IDEOGRAPH:'F4C5:62661:&#x8810 CJK UNIFIED IDEOGRAPH:'F4C6:62662:&#x8811 CJK UNIFIED IDEOGRAPH:'F4C7:62663:&#x8817 CJK UNIFIED IDEOGRAPH:'F4C8:62664:&#x8813 CJK UNIFIED IDEOGRAPH:'F4C9:62665:&#x8816 CJK UNIFIED IDEOGRAPH:'F4CA:62666:&#x8963 CJK UNIFIED IDEOGRAPH:'F4CB:62667:&#x8966 CJK UNIFIED IDEOGRAPH:'F4CC:62668:&#x89B9 CJK UNIFIED IDEOGRAPH:'F4CD:62669:&#x89F7 CJK UNIFIED IDEOGRAPH:'F4CE:62670:&#x8B60 CJK UNIFIED IDEOGRAPH:'F4CF:62671:&#x8B6A CJK UNIFIED IDEOGRAPH:'F4D0:62672:&#x8B5D CJK UNIFIED IDEOGRAPH:'F4D1:62673:&#x8B68 CJK UNIFIED IDEOGRAPH:'F4D2:62674:&#x8B63 CJK UNIFIED IDEOGRAPH:'F4D3:62675:&#x8B65 CJK UNIFIED IDEOGRAPH:'F4D4:62676:&#x8B67 CJK UNIFIED IDEOGRAPH:'F4D5:62677:&#x8B6D CJK UNIFIED IDEOGRAPH:'F4D6:62678:&#x8DAE CJK UNIFIED IDEOGRAPH:'F4D7:62679:&#x8E86 CJK UNIFIED IDEOGRAPH:'F4D8:62680:&#x8E88 CJK UNIFIED IDEOGRAPH:'F4D9:62681:&#x8E84 CJK UNIFIED IDEOGRAPH:'F4DA:62682:&#x8F59 CJK UNIFIED IDEOGRAPH:'F4DB:62683:&#x8F56 CJK UNIFIED IDEOGRAPH:'F4DC:62684:&#x8F57 CJK UNIFIED IDEOGRAPH:'F4DD:62685:&#x8F55 CJK UNIFIED IDEOGRAPH:'F4DE:62686:&#x8F58 CJK UNIFIED IDEOGRAPH:'F4DF:62687:&#x8F5A CJK UNIFIED IDEOGRAPH:'F4E0:62688:&#x908D CJK UNIFIED IDEOGRAPH:'F4E1:62689:&#x9143 CJK UNIFIED IDEOGRAPH:'F4E2:62690:&#x9141 CJK UNIFIED IDEOGRAPH:'F4E3:62691:&#x91B7 CJK UNIFIED IDEOGRAPH:'F4E4:62692:&#x91B5 CJK UNIFIED IDEOGRAPH:'F4E5:62693:&#x91B2 CJK UNIFIED IDEOGRAPH:'F4E6:62694:&#x91B3 CJK UNIFIED IDEOGRAPH:'F4E7:62695:&#x940B CJK UNIFIED IDEOGRAPH:'F4E8:62696:&#x9413 CJK UNIFIED IDEOGRAPH:'F4E9:62697:&#x93FB CJK UNIFIED IDEOGRAPH:'F4EA:62698:&#x9420 CJK UNIFIED IDEOGRAPH:'F4EB:62699:&#x940F CJK UNIFIED IDEOGRAPH:'F4EC:62700:&#x9414 CJK UNIFIED IDEOGRAPH:'F4ED:62701:&#x93FE CJK UNIFIED IDEOGRAPH:'F4EE:62702:&#x9415 CJK UNIFIED IDEOGRAPH:'F4EF:62703:&#x9410 CJK UNIFIED IDEOGRAPH:'F4F0:62704:&#x9428 CJK UNIFIED IDEOGRAPH:'F4F1:62705:&#x9419 CJK UNIFIED IDEOGRAPH:'F4F2:62706:&#x940D CJK UNIFIED IDEOGRAPH:'F4F3:62707:&#x93F5 CJK UNIFIED IDEOGRAPH:'F4F4:62708:&#x9400 CJK UNIFIED IDEOGRAPH:'F4F5:62709:&#x93F7 CJK UNIFIED IDEOGRAPH:'F4F6:62710:&#x9407 CJK UNIFIED IDEOGRAPH:'F4F7:62711:&#x940E CJK UNIFIED IDEOGRAPH:'F4F8:62712:&#x9416 CJK UNIFIED IDEOGRAPH:'F4F9:62713:&#x9412 CJK UNIFIED IDEOGRAPH:'F4FA:62714:&#x93FA CJK UNIFIED IDEOGRAPH:'F4FB:62715:&#x9409 CJK UNIFIED IDEOGRAPH:'F4FC:62716:&#x93F8 CJK UNIFIED IDEOGRAPH:'F4FD:62717:&#x940A CJK UNIFIED IDEOGRAPH:'F4FE:62718:&#x93FF CJK UNIFIED IDEOGRAPH:'F540:62784:&#x93FC CJK UNIFIED IDEOGRAPH:'F541:62785:&#x940C CJK UNIFIED IDEOGRAPH:'F542:62786:&#x93F6 CJK UNIFIED IDEOGRAPH:'F543:62787:&#x9411 CJK UNIFIED IDEOGRAPH:'F544:62788:&#x9406 CJK UNIFIED IDEOGRAPH:'F545:62789:&#x95DE CJK UNIFIED IDEOGRAPH:'F546:62790:&#x95E0 CJK UNIFIED IDEOGRAPH:'F547:62791:&#x95DF CJK UNIFIED IDEOGRAPH:'F548:62792:&#x972E CJK UNIFIED IDEOGRAPH:'F549:62793:&#x972F CJK UNIFIED IDEOGRAPH:'F54A:62794:&#x97B9 CJK UNIFIED IDEOGRAPH:'F54B:62795:&#x97BB CJK UNIFIED IDEOGRAPH:'F54C:62796:&#x97FD CJK UNIFIED IDEOGRAPH:'F54D:62797:&#x97FE CJK UNIFIED IDEOGRAPH:'F54E:62798:&#x9860 CJK UNIFIED IDEOGRAPH:'F54F:62799:&#x9862 CJK UNIFIED IDEOGRAPH:'F550:62800:&#x9863 CJK UNIFIED IDEOGRAPH:'F551:62801:&#x985F CJK UNIFIED IDEOGRAPH:'F552:62802:&#x98C1 CJK UNIFIED IDEOGRAPH:'F553:62803:&#x98C2 CJK UNIFIED IDEOGRAPH:'F554:62804:&#x9950 CJK UNIFIED IDEOGRAPH:'F555:62805:&#x994E CJK UNIFIED IDEOGRAPH:'F556:62806:&#x9959 CJK UNIFIED IDEOGRAPH:'F557:62807:&#x994C CJK UNIFIED IDEOGRAPH:'F558:62808:&#x994B CJK UNIFIED IDEOGRAPH:'F559:62809:&#x9953 CJK UNIFIED IDEOGRAPH:'F55A:62810:&#x9A32 CJK UNIFIED IDEOGRAPH:'F55B:62811:&#x9A34 CJK UNIFIED IDEOGRAPH:'F55C:62812:&#x9A31 CJK UNIFIED IDEOGRAPH:'F55D:62813:&#x9A2C CJK UNIFIED IDEOGRAPH:'F55E:62814:&#x9A2A CJK UNIFIED IDEOGRAPH:'F55F:62815:&#x9A36 CJK UNIFIED IDEOGRAPH:'F560:62816:&#x9A29 CJK UNIFIED IDEOGRAPH:'F561:62817:&#x9A2E CJK UNIFIED IDEOGRAPH:'F562:62818:&#x9A38 CJK UNIFIED IDEOGRAPH:'F563:62819:&#x9A2D CJK UNIFIED IDEOGRAPH:'F564:62820:&#x9AC7 CJK UNIFIED IDEOGRAPH:'F565:62821:&#x9ACA CJK UNIFIED IDEOGRAPH:'F566:62822:&#x9AC6 CJK UNIFIED IDEOGRAPH:'F567:62823:&#x9B10 CJK UNIFIED IDEOGRAPH:'F568:62824:&#x9B12 CJK UNIFIED IDEOGRAPH:'F569:62825:&#x9B11 CJK UNIFIED IDEOGRAPH:'F56A:62826:&#x9C0B CJK UNIFIED IDEOGRAPH:'F56B:62827:&#x9C08 CJK UNIFIED IDEOGRAPH:'F56C:62828:&#x9BF7 CJK UNIFIED IDEOGRAPH:'F56D:62829:&#x9C05 CJK UNIFIED IDEOGRAPH:'F56E:62830:&#x9C12 CJK UNIFIED IDEOGRAPH:'F56F:62831:&#x9BF8 CJK UNIFIED IDEOGRAPH:'F570:62832:&#x9C40 CJK UNIFIED IDEOGRAPH:'F571:62833:&#x9C07 CJK UNIFIED IDEOGRAPH:'F572:62834:&#x9C0E CJK UNIFIED IDEOGRAPH:'F573:62835:&#x9C06 CJK UNIFIED IDEOGRAPH:'F574:62836:&#x9C17 CJK UNIFIED IDEOGRAPH:'F575:62837:&#x9C14 CJK UNIFIED IDEOGRAPH:'F576:62838:&#x9C09 CJK UNIFIED IDEOGRAPH:'F577:62839:&#x9D9F CJK UNIFIED IDEOGRAPH:'F578:62840:&#x9D99 CJK UNIFIED IDEOGRAPH:'F579:62841:&#x9DA4 CJK UNIFIED IDEOGRAPH:'F57A:62842:&#x9D9D CJK UNIFIED IDEOGRAPH:'F57B:62843:&#x9D92 CJK UNIFIED IDEOGRAPH:'F57C:62844:&#x9D98 CJK UNIFIED IDEOGRAPH:'F57D:62845:&#x9D90 CJK UNIFIED IDEOGRAPH:'F57E:62846:&#x9D9B CJK UNIFIED IDEOGRAPH:'F5A1:62881:&#x9DA0 CJK UNIFIED IDEOGRAPH:'F5A2:62882:&#x9D94 CJK UNIFIED IDEOGRAPH:'F5A3:62883:&#x9D9C CJK UNIFIED IDEOGRAPH:'F5A4:62884:&#x9DAA CJK UNIFIED IDEOGRAPH:'F5A5:62885:&#x9D97 CJK UNIFIED IDEOGRAPH:'F5A6:62886:&#x9DA1 CJK UNIFIED IDEOGRAPH:'F5A7:62887:&#x9D9A CJK UNIFIED IDEOGRAPH:'F5A8:62888:&#x9DA2 CJK UNIFIED IDEOGRAPH:'F5A9:62889:&#x9DA8 CJK UNIFIED IDEOGRAPH:'F5AA:62890:&#x9D9E CJK UNIFIED IDEOGRAPH:'F5AB:62891:&#x9DA3 CJK UNIFIED IDEOGRAPH:'F5AC:62892:&#x9DBF CJK UNIFIED IDEOGRAPH:'F5AD:62893:&#x9DA9 CJK UNIFIED IDEOGRAPH:'F5AE:62894:&#x9D96 CJK UNIFIED IDEOGRAPH:'F5AF:62895:&#x9DA6 CJK UNIFIED IDEOGRAPH:'F5B0:62896:&#x9DA7 CJK UNIFIED IDEOGRAPH:'F5B1:62897:&#x9E99 CJK UNIFIED IDEOGRAPH:'F5B2:62898:&#x9E9B CJK UNIFIED IDEOGRAPH:'F5B3:62899:&#x9E9A CJK UNIFIED IDEOGRAPH:'F5B4:62900:&#x9EE5 CJK UNIFIED IDEOGRAPH:'F5B5:62901:&#x9EE4 CJK UNIFIED IDEOGRAPH:'F5B6:62902:&#x9EE7 CJK UNIFIED IDEOGRAPH:'F5B7:62903:&#x9EE6 CJK UNIFIED IDEOGRAPH:'F5B8:62904:&#x9F30 CJK UNIFIED IDEOGRAPH:'F5B9:62905:&#x9F2E CJK UNIFIED IDEOGRAPH:'F5BA:62906:&#x9F5B CJK UNIFIED IDEOGRAPH:'F5BB:62907:&#x9F60 CJK UNIFIED IDEOGRAPH:'F5BC:62908:&#x9F5E CJK UNIFIED IDEOGRAPH:'F5BD:62909:&#x9F5D CJK UNIFIED IDEOGRAPH:'F5BE:62910:&#x9F59 CJK UNIFIED IDEOGRAPH:'F5BF:62911:&#x9F91 CJK UNIFIED IDEOGRAPH:'F5C0:62912:&#x513A CJK UNIFIED IDEOGRAPH:'F5C1:62913:&#x5139 CJK UNIFIED IDEOGRAPH:'F5C2:62914:&#x5298 CJK UNIFIED IDEOGRAPH:'F5C3:62915:&#x5297 CJK UNIFIED IDEOGRAPH:'F5C4:62916:&#x56C3 CJK UNIFIED IDEOGRAPH:'F5C5:62917:&#x56BD CJK UNIFIED IDEOGRAPH:'F5C6:62918:&#x56BE CJK UNIFIED IDEOGRAPH:'F5C7:62919:&#x5B48 CJK UNIFIED IDEOGRAPH:'F5C8:62920:&#x5B47 CJK UNIFIED IDEOGRAPH:'F5C9:62921:&#x5DCB CJK UNIFIED IDEOGRAPH:'F5CA:62922:&#x5DCF CJK UNIFIED IDEOGRAPH:'F5CB:62923:&#x5EF1 CJK UNIFIED IDEOGRAPH:'F5CC:62924:&#x61FD CJK UNIFIED IDEOGRAPH:'F5CD:62925:&#x651B CJK UNIFIED IDEOGRAPH:'F5CE:62926:&#x6B02 CJK UNIFIED IDEOGRAPH:'F5CF:62927:&#x6AFC CJK UNIFIED IDEOGRAPH:'F5D0:62928:&#x6B03 CJK UNIFIED IDEOGRAPH:'F5D1:62929:&#x6AF8 CJK UNIFIED IDEOGRAPH:'F5D2:62930:&#x6B00 CJK UNIFIED IDEOGRAPH:'F5D3:62931:&#x7043 CJK UNIFIED IDEOGRAPH:'F5D4:62932:&#x7044 CJK UNIFIED IDEOGRAPH:'F5D5:62933:&#x704A CJK UNIFIED IDEOGRAPH:'F5D6:62934:&#x7048 CJK UNIFIED IDEOGRAPH:'F5D7:62935:&#x7049 CJK UNIFIED IDEOGRAPH:'F5D8:62936:&#x7045 CJK UNIFIED IDEOGRAPH:'F5D9:62937:&#x7046 CJK UNIFIED IDEOGRAPH:'F5DA:62938:&#x721D CJK UNIFIED IDEOGRAPH:'F5DB:62939:&#x721A CJK UNIFIED IDEOGRAPH:'F5DC:62940:&#x7219 CJK UNIFIED IDEOGRAPH:'F5DD:62941:&#x737E CJK UNIFIED IDEOGRAPH:'F5DE:62942:&#x7517 CJK UNIFIED IDEOGRAPH:'F5DF:62943:&#x766A CJK UNIFIED IDEOGRAPH:'F5E0:62944:&#x77D0 CJK UNIFIED IDEOGRAPH:'F5E1:62945:&#x792D CJK UNIFIED IDEOGRAPH:'F5E2:62946:&#x7931 CJK UNIFIED IDEOGRAPH:'F5E3:62947:&#x792F CJK UNIFIED IDEOGRAPH:'F5E4:62948:&#x7C54 CJK UNIFIED IDEOGRAPH:'F5E5:62949:&#x7C53 CJK UNIFIED IDEOGRAPH:'F5E6:62950:&#x7CF2 CJK UNIFIED IDEOGRAPH:'F5E7:62951:&#x7E8A CJK UNIFIED IDEOGRAPH:'F5E8:62952:&#x7E87 CJK UNIFIED IDEOGRAPH:'F5E9:62953:&#x7E88 CJK UNIFIED IDEOGRAPH:'F5EA:62954:&#x7E8B CJK UNIFIED IDEOGRAPH:'F5EB:62955:&#x7E86 CJK UNIFIED IDEOGRAPH:'F5EC:62956:&#x7E8D CJK UNIFIED IDEOGRAPH:'F5ED:62957:&#x7F4D CJK UNIFIED IDEOGRAPH:'F5EE:62958:&#x7FBB CJK UNIFIED IDEOGRAPH:'F5EF:62959:&#x8030 CJK UNIFIED IDEOGRAPH:'F5F0:62960:&#x81DD CJK UNIFIED IDEOGRAPH:'F5F1:62961:&#x8618 CJK UNIFIED IDEOGRAPH:'F5F2:62962:&#x862A CJK UNIFIED IDEOGRAPH:'F5F3:62963:&#x8626 CJK UNIFIED IDEOGRAPH:'F5F4:62964:&#x861F CJK UNIFIED IDEOGRAPH:'F5F5:62965:&#x8623 CJK UNIFIED IDEOGRAPH:'F5F6:62966:&#x861C CJK UNIFIED IDEOGRAPH:'F5F7:62967:&#x8619 CJK UNIFIED IDEOGRAPH:'F5F8:62968:&#x8627 CJK UNIFIED IDEOGRAPH:'F5F9:62969:&#x862E CJK UNIFIED IDEOGRAPH:'F5FA:62970:&#x8621 CJK UNIFIED IDEOGRAPH:'F5FB:62971:&#x8620 CJK UNIFIED IDEOGRAPH:'F5FC:62972:&#x8629 CJK UNIFIED IDEOGRAPH:'F5FD:62973:&#x861E CJK UNIFIED IDEOGRAPH:'F5FE:62974:&#x8625 CJK UNIFIED IDEOGRAPH:'F640:63040:&#x8829 CJK UNIFIED IDEOGRAPH:'F641:63041:&#x881D CJK UNIFIED IDEOGRAPH:'F642:63042:&#x881B CJK UNIFIED IDEOGRAPH:'F643:63043:&#x8820 CJK UNIFIED IDEOGRAPH:'F644:63044:&#x8824 CJK UNIFIED IDEOGRAPH:'F645:63045:&#x881C CJK UNIFIED IDEOGRAPH:'F646:63046:&#x882B CJK UNIFIED IDEOGRAPH:'F647:63047:&#x884A CJK UNIFIED IDEOGRAPH:'F648:63048:&#x896D CJK UNIFIED IDEOGRAPH:'F649:63049:&#x8969 CJK UNIFIED IDEOGRAPH:'F64A:63050:&#x896E CJK UNIFIED IDEOGRAPH:'F64B:63051:&#x896B CJK UNIFIED IDEOGRAPH:'F64C:63052:&#x89FA CJK UNIFIED IDEOGRAPH:'F64D:63053:&#x8B79 CJK UNIFIED IDEOGRAPH:'F64E:63054:&#x8B78 CJK UNIFIED IDEOGRAPH:'F64F:63055:&#x8B45 CJK UNIFIED IDEOGRAPH:'F650:63056:&#x8B7A CJK UNIFIED IDEOGRAPH:'F651:63057:&#x8B7B CJK UNIFIED IDEOGRAPH:'F652:63058:&#x8D10 CJK UNIFIED IDEOGRAPH:'F653:63059:&#x8D14 CJK UNIFIED IDEOGRAPH:'F654:63060:&#x8DAF CJK UNIFIED IDEOGRAPH:'F655:63061:&#x8E8E CJK UNIFIED IDEOGRAPH:'F656:63062:&#x8E8C CJK UNIFIED IDEOGRAPH:'F657:63063:&#x8F5E CJK UNIFIED IDEOGRAPH:'F658:63064:&#x8F5B CJK UNIFIED IDEOGRAPH:'F659:63065:&#x8F5D CJK UNIFIED IDEOGRAPH:'F65A:63066:&#x9146 CJK UNIFIED IDEOGRAPH:'F65B:63067:&#x9144 CJK UNIFIED IDEOGRAPH:'F65C:63068:&#x9145 CJK UNIFIED IDEOGRAPH:'F65D:63069:&#x91B9 CJK UNIFIED IDEOGRAPH:'F65E:63070:&#x943F CJK UNIFIED IDEOGRAPH:'F65F:63071:&#x943B CJK UNIFIED IDEOGRAPH:'F660:63072:&#x9436 CJK UNIFIED IDEOGRAPH:'F661:63073:&#x9429 CJK UNIFIED IDEOGRAPH:'F662:63074:&#x943D CJK UNIFIED IDEOGRAPH:'F663:63075:&#x943C CJK UNIFIED IDEOGRAPH:'F664:63076:&#x9430 CJK UNIFIED IDEOGRAPH:'F665:63077:&#x9439 CJK UNIFIED IDEOGRAPH:'F666:63078:&#x942A CJK UNIFIED IDEOGRAPH:'F667:63079:&#x9437 CJK UNIFIED IDEOGRAPH:'F668:63080:&#x942C CJK UNIFIED IDEOGRAPH:'F669:63081:&#x9440 CJK UNIFIED IDEOGRAPH:'F66A:63082:&#x9431 CJK UNIFIED IDEOGRAPH:'F66B:63083:&#x95E5 CJK UNIFIED IDEOGRAPH:'F66C:63084:&#x95E4 CJK UNIFIED IDEOGRAPH:'F66D:63085:&#x95E3 CJK UNIFIED IDEOGRAPH:'F66E:63086:&#x9735 CJK UNIFIED IDEOGRAPH:'F66F:63087:&#x973A CJK UNIFIED IDEOGRAPH:'F670:63088:&#x97BF CJK UNIFIED IDEOGRAPH:'F671:63089:&#x97E1 CJK UNIFIED IDEOGRAPH:'F672:63090:&#x9864 CJK UNIFIED IDEOGRAPH:'F673:63091:&#x98C9 CJK UNIFIED IDEOGRAPH:'F674:63092:&#x98C6 CJK UNIFIED IDEOGRAPH:'F675:63093:&#x98C0 CJK UNIFIED IDEOGRAPH:'F676:63094:&#x9958 CJK UNIFIED IDEOGRAPH:'F677:63095:&#x9956 CJK UNIFIED IDEOGRAPH:'F678:63096:&#x9A39 CJK UNIFIED IDEOGRAPH:'F679:63097:&#x9A3D CJK UNIFIED IDEOGRAPH:'F67A:63098:&#x9A46 CJK UNIFIED IDEOGRAPH:'F67B:63099:&#x9A44 CJK UNIFIED IDEOGRAPH:'F67C:63100:&#x9A42 CJK UNIFIED IDEOGRAPH:'F67D:63101:&#x9A41 CJK UNIFIED IDEOGRAPH:'F67E:63102:&#x9A3A CJK UNIFIED IDEOGRAPH:'F6A1:63137:&#x9A3F CJK UNIFIED IDEOGRAPH:'F6A2:63138:&#x9ACD CJK UNIFIED IDEOGRAPH:'F6A3:63139:&#x9B15 CJK UNIFIED IDEOGRAPH:'F6A4:63140:&#x9B17 CJK UNIFIED IDEOGRAPH:'F6A5:63141:&#x9B18 CJK UNIFIED IDEOGRAPH:'F6A6:63142:&#x9B16 CJK UNIFIED IDEOGRAPH:'F6A7:63143:&#x9B3A CJK UNIFIED IDEOGRAPH:'F6A8:63144:&#x9B52 CJK UNIFIED IDEOGRAPH:'F6A9:63145:&#x9C2B CJK UNIFIED IDEOGRAPH:'F6AA:63146:&#x9C1D CJK UNIFIED IDEOGRAPH:'F6AB:63147:&#x9C1C CJK UNIFIED IDEOGRAPH:'F6AC:63148:&#x9C2C CJK UNIFIED IDEOGRAPH:'F6AD:63149:&#x9C23 CJK UNIFIED IDEOGRAPH:'F6AE:63150:&#x9C28 CJK UNIFIED IDEOGRAPH:'F6AF:63151:&#x9C29 CJK UNIFIED IDEOGRAPH:'F6B0:63152:&#x9C24 CJK UNIFIED IDEOGRAPH:'F6B1:63153:&#x9C21 CJK UNIFIED IDEOGRAPH:'F6B2:63154:&#x9DB7 CJK UNIFIED IDEOGRAPH:'F6B3:63155:&#x9DB6 CJK UNIFIED IDEOGRAPH:'F6B4:63156:&#x9DBC CJK UNIFIED IDEOGRAPH:'F6B5:63157:&#x9DC1 CJK UNIFIED IDEOGRAPH:'F6B6:63158:&#x9DC7 CJK UNIFIED IDEOGRAPH:'F6B7:63159:&#x9DCA CJK UNIFIED IDEOGRAPH:'F6B8:63160:&#x9DCF CJK UNIFIED IDEOGRAPH:'F6B9:63161:&#x9DBE CJK UNIFIED IDEOGRAPH:'F6BA:63162:&#x9DC5 CJK UNIFIED IDEOGRAPH:'F6BB:63163:&#x9DC3 CJK UNIFIED IDEOGRAPH:'F6BC:63164:&#x9DBB CJK UNIFIED IDEOGRAPH:'F6BD:63165:&#x9DB5 CJK UNIFIED IDEOGRAPH:'F6BE:63166:&#x9DCE CJK UNIFIED IDEOGRAPH:'F6BF:63167:&#x9DB9 CJK UNIFIED IDEOGRAPH:'F6C0:63168:&#x9DBA CJK UNIFIED IDEOGRAPH:'F6C1:63169:&#x9DAC CJK UNIFIED IDEOGRAPH:'F6C2:63170:&#x9DC8 CJK UNIFIED IDEOGRAPH:'F6C3:63171:&#x9DB1 CJK UNIFIED IDEOGRAPH:'F6C4:63172:&#x9DAD CJK UNIFIED IDEOGRAPH:'F6C5:63173:&#x9DCC CJK UNIFIED IDEOGRAPH:'F6C6:63174:&#x9DB3 CJK UNIFIED IDEOGRAPH:'F6C7:63175:&#x9DCD CJK UNIFIED IDEOGRAPH:'F6C8:63176:&#x9DB2 CJK UNIFIED IDEOGRAPH:'F6C9:63177:&#x9E7A CJK UNIFIED IDEOGRAPH:'F6CA:63178:&#x9E9C CJK UNIFIED IDEOGRAPH:'F6CB:63179:&#x9EEB CJK UNIFIED IDEOGRAPH:'F6CC:63180:&#x9EEE CJK UNIFIED IDEOGRAPH:'F6CD:63181:&#x9EED CJK UNIFIED IDEOGRAPH:'F6CE:63182:&#x9F1B CJK UNIFIED IDEOGRAPH:'F6CF:63183:&#x9F18 CJK UNIFIED IDEOGRAPH:'F6D0:63184:&#x9F1A CJK UNIFIED IDEOGRAPH:'F6D1:63185:&#x9F31 CJK UNIFIED IDEOGRAPH:'F6D2:63186:&#x9F4E CJK UNIFIED IDEOGRAPH:'F6D3:63187:&#x9F65 CJK UNIFIED IDEOGRAPH:'F6D4:63188:&#x9F64 CJK UNIFIED IDEOGRAPH:'F6D5:63189:&#x9F92 CJK UNIFIED IDEOGRAPH:'F6D6:63190:&#x4EB9 CJK UNIFIED IDEOGRAPH:'F6D7:63191:&#x56C6 CJK UNIFIED IDEOGRAPH:'F6D8:63192:&#x56C5 CJK UNIFIED IDEOGRAPH:'F6D9:63193:&#x56CB CJK UNIFIED IDEOGRAPH:'F6DA:63194:&#x5971 CJK UNIFIED IDEOGRAPH:'F6DB:63195:&#x5B4B CJK UNIFIED IDEOGRAPH:'F6DC:63196:&#x5B4C CJK UNIFIED IDEOGRAPH:'F6DD:63197:&#x5DD5 CJK UNIFIED IDEOGRAPH:'F6DE:63198:&#x5DD1 CJK UNIFIED IDEOGRAPH:'F6DF:63199:&#x5EF2 CJK UNIFIED IDEOGRAPH:'F6E0:63200:&#x6521 CJK UNIFIED IDEOGRAPH:'F6E1:63201:&#x6520 CJK UNIFIED IDEOGRAPH:'F6E2:63202:&#x6526 CJK UNIFIED IDEOGRAPH:'F6E3:63203:&#x6522 CJK UNIFIED IDEOGRAPH:'F6E4:63204:&#x6B0B CJK UNIFIED IDEOGRAPH:'F6E5:63205:&#x6B08 CJK UNIFIED IDEOGRAPH:'F6E6:63206:&#x6B09 CJK UNIFIED IDEOGRAPH:'F6E7:63207:&#x6C0D CJK UNIFIED IDEOGRAPH:'F6E8:63208:&#x7055 CJK UNIFIED IDEOGRAPH:'F6E9:63209:&#x7056 CJK UNIFIED IDEOGRAPH:'F6EA:63210:&#x7057 CJK UNIFIED IDEOGRAPH:'F6EB:63211:&#x7052 CJK UNIFIED IDEOGRAPH:'F6EC:63212:&#x721E CJK UNIFIED IDEOGRAPH:'F6ED:63213:&#x721F CJK UNIFIED IDEOGRAPH:'F6EE:63214:&#x72A9 CJK UNIFIED IDEOGRAPH:'F6EF:63215:&#x737F CJK UNIFIED IDEOGRAPH:'F6F0:63216:&#x74D8 CJK UNIFIED IDEOGRAPH:'F6F1:63217:&#x74D5 CJK UNIFIED IDEOGRAPH:'F6F2:63218:&#x74D9 CJK UNIFIED IDEOGRAPH:'F6F3:63219:&#x74D7 CJK UNIFIED IDEOGRAPH:'F6F4:63220:&#x766D CJK UNIFIED IDEOGRAPH:'F6F5:63221:&#x76AD CJK UNIFIED IDEOGRAPH:'F6F6:63222:&#x7935 CJK UNIFIED IDEOGRAPH:'F6F7:63223:&#x79B4 CJK UNIFIED IDEOGRAPH:'F6F8:63224:&#x7A70 CJK UNIFIED IDEOGRAPH:'F6F9:63225:&#x7A71 CJK UNIFIED IDEOGRAPH:'F6FA:63226:&#x7C57 CJK UNIFIED IDEOGRAPH:'F6FB:63227:&#x7C5C CJK UNIFIED IDEOGRAPH:'F6FC:63228:&#x7C59 CJK UNIFIED IDEOGRAPH:'F6FD:63229:&#x7C5B CJK UNIFIED IDEOGRAPH:'F6FE:63230:&#x7C5A CJK UNIFIED IDEOGRAPH:'F740:63296:&#x7CF4 CJK UNIFIED IDEOGRAPH:'F741:63297:&#x7CF1 CJK UNIFIED IDEOGRAPH:'F742:63298:&#x7E91 CJK UNIFIED IDEOGRAPH:'F743:63299:&#x7F4F CJK UNIFIED IDEOGRAPH:'F744:63300:&#x7F87 CJK UNIFIED IDEOGRAPH:'F745:63301:&#x81DE CJK UNIFIED IDEOGRAPH:'F746:63302:&#x826B CJK UNIFIED IDEOGRAPH:'F747:63303:&#x8634 CJK UNIFIED IDEOGRAPH:'F748:63304:&#x8635 CJK UNIFIED IDEOGRAPH:'F749:63305:&#x8633 CJK UNIFIED IDEOGRAPH:'F74A:63306:&#x862C CJK UNIFIED IDEOGRAPH:'F74B:63307:&#x8632 CJK UNIFIED IDEOGRAPH:'F74C:63308:&#x8636 CJK UNIFIED IDEOGRAPH:'F74D:63309:&#x882C CJK UNIFIED IDEOGRAPH:'F74E:63310:&#x8828 CJK UNIFIED IDEOGRAPH:'F74F:63311:&#x8826 CJK UNIFIED IDEOGRAPH:'F750:63312:&#x882A CJK UNIFIED IDEOGRAPH:'F751:63313:&#x8825 CJK UNIFIED IDEOGRAPH:'F752:63314:&#x8971 CJK UNIFIED IDEOGRAPH:'F753:63315:&#x89BF CJK UNIFIED IDEOGRAPH:'F754:63316:&#x89BE CJK UNIFIED IDEOGRAPH:'F755:63317:&#x89FB CJK UNIFIED IDEOGRAPH:'F756:63318:&#x8B7E CJK UNIFIED IDEOGRAPH:'F757:63319:&#x8B84 CJK UNIFIED IDEOGRAPH:'F758:63320:&#x8B82 CJK UNIFIED IDEOGRAPH:'F759:63321:&#x8B86 CJK UNIFIED IDEOGRAPH:'F75A:63322:&#x8B85 CJK UNIFIED IDEOGRAPH:'F75B:63323:&#x8B7F CJK UNIFIED IDEOGRAPH:'F75C:63324:&#x8D15 CJK UNIFIED IDEOGRAPH:'F75D:63325:&#x8E95 CJK UNIFIED IDEOGRAPH:'F75E:63326:&#x8E94 CJK UNIFIED IDEOGRAPH:'F75F:63327:&#x8E9A CJK UNIFIED IDEOGRAPH:'F760:63328:&#x8E92 CJK UNIFIED IDEOGRAPH:'F761:63329:&#x8E90 CJK UNIFIED IDEOGRAPH:'F762:63330:&#x8E96 CJK UNIFIED IDEOGRAPH:'F763:63331:&#x8E97 CJK UNIFIED IDEOGRAPH:'F764:63332:&#x8F60 CJK UNIFIED IDEOGRAPH:'F765:63333:&#x8F62 CJK UNIFIED IDEOGRAPH:'F766:63334:&#x9147 CJK UNIFIED IDEOGRAPH:'F767:63335:&#x944C CJK UNIFIED IDEOGRAPH:'F768:63336:&#x9450 CJK UNIFIED IDEOGRAPH:'F769:63337:&#x944A CJK UNIFIED IDEOGRAPH:'F76A:63338:&#x944B CJK UNIFIED IDEOGRAPH:'F76B:63339:&#x944F CJK UNIFIED IDEOGRAPH:'F76C:63340:&#x9447 CJK UNIFIED IDEOGRAPH:'F76D:63341:&#x9445 CJK UNIFIED IDEOGRAPH:'F76E:63342:&#x9448 CJK UNIFIED IDEOGRAPH:'F76F:63343:&#x9449 CJK UNIFIED IDEOGRAPH:'F770:63344:&#x9446 CJK UNIFIED IDEOGRAPH:'F771:63345:&#x973F CJK UNIFIED IDEOGRAPH:'F772:63346:&#x97E3 CJK UNIFIED IDEOGRAPH:'F773:63347:&#x986A CJK UNIFIED IDEOGRAPH:'F774:63348:&#x9869 CJK UNIFIED IDEOGRAPH:'F775:63349:&#x98CB CJK UNIFIED IDEOGRAPH:'F776:63350:&#x9954 CJK UNIFIED IDEOGRAPH:'F777:63351:&#x995B CJK UNIFIED IDEOGRAPH:'F778:63352:&#x9A4E CJK UNIFIED IDEOGRAPH:'F779:63353:&#x9A53 CJK UNIFIED IDEOGRAPH:'F77A:63354:&#x9A54 CJK UNIFIED IDEOGRAPH:'F77B:63355:&#x9A4C CJK UNIFIED IDEOGRAPH:'F77C:63356:&#x9A4F CJK UNIFIED IDEOGRAPH:'F77D:63357:&#x9A48 CJK UNIFIED IDEOGRAPH:'F77E:63358:&#x9A4A CJK UNIFIED IDEOGRAPH:'F7A1:63393:&#x9A49 CJK UNIFIED IDEOGRAPH:'F7A2:63394:&#x9A52 CJK UNIFIED IDEOGRAPH:'F7A3:63395:&#x9A50 CJK UNIFIED IDEOGRAPH:'F7A4:63396:&#x9AD0 CJK UNIFIED IDEOGRAPH:'F7A5:63397:&#x9B19 CJK UNIFIED IDEOGRAPH:'F7A6:63398:&#x9B2B CJK UNIFIED IDEOGRAPH:'F7A7:63399:&#x9B3B CJK UNIFIED IDEOGRAPH:'F7A8:63400:&#x9B56 CJK UNIFIED IDEOGRAPH:'F7A9:63401:&#x9B55 CJK UNIFIED IDEOGRAPH:'F7AA:63402:&#x9C46 CJK UNIFIED IDEOGRAPH:'F7AB:63403:&#x9C48 CJK UNIFIED IDEOGRAPH:'F7AC:63404:&#x9C3F CJK UNIFIED IDEOGRAPH:'F7AD:63405:&#x9C44 CJK UNIFIED IDEOGRAPH:'F7AE:63406:&#x9C39 CJK UNIFIED IDEOGRAPH:'F7AF:63407:&#x9C33 CJK UNIFIED IDEOGRAPH:'F7B0:63408:&#x9C41 CJK UNIFIED IDEOGRAPH:'F7B1:63409:&#x9C3C CJK UNIFIED IDEOGRAPH:'F7B2:63410:&#x9C37 CJK UNIFIED IDEOGRAPH:'F7B3:63411:&#x9C34 CJK UNIFIED IDEOGRAPH:'F7B4:63412:&#x9C32 CJK UNIFIED IDEOGRAPH:'F7B5:63413:&#x9C3D CJK UNIFIED IDEOGRAPH:'F7B6:63414:&#x9C36 CJK UNIFIED IDEOGRAPH:'F7B7:63415:&#x9DDB CJK UNIFIED IDEOGRAPH:'F7B8:63416:&#x9DD2 CJK UNIFIED IDEOGRAPH:'F7B9:63417:&#x9DDE CJK UNIFIED IDEOGRAPH:'F7BA:63418:&#x9DDA CJK UNIFIED IDEOGRAPH:'F7BB:63419:&#x9DCB CJK UNIFIED IDEOGRAPH:'F7BC:63420:&#x9DD0 CJK UNIFIED IDEOGRAPH:'F7BD:63421:&#x9DDC CJK UNIFIED IDEOGRAPH:'F7BE:63422:&#x9DD1 CJK UNIFIED IDEOGRAPH:'F7BF:63423:&#x9DDF CJK UNIFIED IDEOGRAPH:'F7C0:63424:&#x9DE9 CJK UNIFIED IDEOGRAPH:'F7C1:63425:&#x9DD9 CJK UNIFIED IDEOGRAPH:'F7C2:63426:&#x9DD8 CJK UNIFIED IDEOGRAPH:'F7C3:63427:&#x9DD6 CJK UNIFIED IDEOGRAPH:'F7C4:63428:&#x9DF5 CJK UNIFIED IDEOGRAPH:'F7C5:63429:&#x9DD5 CJK UNIFIED IDEOGRAPH:'F7C6:63430:&#x9DDD CJK UNIFIED IDEOGRAPH:'F7C7:63431:&#x9EB6 CJK UNIFIED IDEOGRAPH:'F7C8:63432:&#x9EF0 CJK UNIFIED IDEOGRAPH:'F7C9:63433:&#x9F35 CJK UNIFIED IDEOGRAPH:'F7CA:63434:&#x9F33 CJK UNIFIED IDEOGRAPH:'F7CB:63435:&#x9F32 CJK UNIFIED IDEOGRAPH:'F7CC:63436:&#x9F42 CJK UNIFIED IDEOGRAPH:'F7CD:63437:&#x9F6B CJK UNIFIED IDEOGRAPH:'F7CE:63438:&#x9F95 CJK UNIFIED IDEOGRAPH:'F7CF:63439:&#x9FA2 CJK UNIFIED IDEOGRAPH:'F7D0:63440:&#x513D CJK UNIFIED IDEOGRAPH:'F7D1:63441:&#x5299 CJK UNIFIED IDEOGRAPH:'F7D2:63442:&#x58E8 CJK UNIFIED IDEOGRAPH:'F7D3:63443:&#x58E7 CJK UNIFIED IDEOGRAPH:'F7D4:63444:&#x5972 CJK UNIFIED IDEOGRAPH:'F7D5:63445:&#x5B4D CJK UNIFIED IDEOGRAPH:'F7D6:63446:&#x5DD8 CJK UNIFIED IDEOGRAPH:'F7D7:63447:&#x882F CJK UNIFIED IDEOGRAPH:'F7D8:63448:&#x5F4F CJK UNIFIED IDEOGRAPH:'F7D9:63449:&#x6201 CJK UNIFIED IDEOGRAPH:'F7DA:63450:&#x6203 CJK UNIFIED IDEOGRAPH:'F7DB:63451:&#x6204 CJK UNIFIED IDEOGRAPH:'F7DC:63452:&#x6529 CJK UNIFIED IDEOGRAPH:'F7DD:63453:&#x6525 CJK UNIFIED IDEOGRAPH:'F7DE:63454:&#x6596 CJK UNIFIED IDEOGRAPH:'F7DF:63455:&#x66EB CJK UNIFIED IDEOGRAPH:'F7E0:63456:&#x6B11 CJK UNIFIED IDEOGRAPH:'F7E1:63457:&#x6B12 CJK UNIFIED IDEOGRAPH:'F7E2:63458:&#x6B0F CJK UNIFIED IDEOGRAPH:'F7E3:63459:&#x6BCA CJK UNIFIED IDEOGRAPH:'F7E4:63460:&#x705B CJK UNIFIED IDEOGRAPH:'F7E5:63461:&#x705A CJK UNIFIED IDEOGRAPH:'F7E6:63462:&#x7222 CJK UNIFIED IDEOGRAPH:'F7E7:63463:&#x7382 CJK UNIFIED IDEOGRAPH:'F7E8:63464:&#x7381 CJK UNIFIED IDEOGRAPH:'F7E9:63465:&#x7383 CJK UNIFIED IDEOGRAPH:'F7EA:63466:&#x7670 CJK UNIFIED IDEOGRAPH:'F7EB:63467:&#x77D4 CJK UNIFIED IDEOGRAPH:'F7EC:63468:&#x7C67 CJK UNIFIED IDEOGRAPH:'F7ED:63469:&#x7C66 CJK UNIFIED IDEOGRAPH:'F7EE:63470:&#x7E95 CJK UNIFIED IDEOGRAPH:'F7EF:63471:&#x826C CJK UNIFIED IDEOGRAPH:'F7F0:63472:&#x863A CJK UNIFIED IDEOGRAPH:'F7F1:63473:&#x8640 CJK UNIFIED IDEOGRAPH:'F7F2:63474:&#x8639 CJK UNIFIED IDEOGRAPH:'F7F3:63475:&#x863C CJK UNIFIED IDEOGRAPH:'F7F4:63476:&#x8631 CJK UNIFIED IDEOGRAPH:'F7F5:63477:&#x863B CJK UNIFIED IDEOGRAPH:'F7F6:63478:&#x863E CJK UNIFIED IDEOGRAPH:'F7F7:63479:&#x8830 CJK UNIFIED IDEOGRAPH:'F7F8:63480:&#x8832 CJK UNIFIED IDEOGRAPH:'F7F9:63481:&#x882E CJK UNIFIED IDEOGRAPH:'F7FA:63482:&#x8833 CJK UNIFIED IDEOGRAPH:'F7FB:63483:&#x8976 CJK UNIFIED IDEOGRAPH:'F7FC:63484:&#x8974 CJK UNIFIED IDEOGRAPH:'F7FD:63485:&#x8973 CJK UNIFIED IDEOGRAPH:'F7FE:63486:&#x89FE CJK UNIFIED IDEOGRAPH:'F840:63552:&#x8B8C CJK UNIFIED IDEOGRAPH:'F841:63553:&#x8B8E CJK UNIFIED IDEOGRAPH:'F842:63554:&#x8B8B CJK UNIFIED IDEOGRAPH:'F843:63555:&#x8B88 CJK UNIFIED IDEOGRAPH:'F844:63556:&#x8C45 CJK UNIFIED IDEOGRAPH:'F845:63557:&#x8D19 CJK UNIFIED IDEOGRAPH:'F846:63558:&#x8E98 CJK UNIFIED IDEOGRAPH:'F847:63559:&#x8F64 CJK UNIFIED IDEOGRAPH:'F848:63560:&#x8F63 CJK UNIFIED IDEOGRAPH:'F849:63561:&#x91BC CJK UNIFIED IDEOGRAPH:'F84A:63562:&#x9462 CJK UNIFIED IDEOGRAPH:'F84B:63563:&#x9455 CJK UNIFIED IDEOGRAPH:'F84C:63564:&#x945D CJK UNIFIED IDEOGRAPH:'F84D:63565:&#x9457 CJK UNIFIED IDEOGRAPH:'F84E:63566:&#x945E CJK UNIFIED IDEOGRAPH:'F84F:63567:&#x97C4 CJK UNIFIED IDEOGRAPH:'F850:63568:&#x97C5 CJK UNIFIED IDEOGRAPH:'F851:63569:&#x9800 CJK UNIFIED IDEOGRAPH:'F852:63570:&#x9A56 CJK UNIFIED IDEOGRAPH:'F853:63571:&#x9A59 CJK UNIFIED IDEOGRAPH:'F854:63572:&#x9B1E CJK UNIFIED IDEOGRAPH:'F855:63573:&#x9B1F CJK UNIFIED IDEOGRAPH:'F856:63574:&#x9B20 CJK UNIFIED IDEOGRAPH:'F857:63575:&#x9C52 CJK UNIFIED IDEOGRAPH:'F858:63576:&#x9C58 CJK UNIFIED IDEOGRAPH:'F859:63577:&#x9C50 CJK UNIFIED IDEOGRAPH:'F85A:63578:&#x9C4A CJK UNIFIED IDEOGRAPH:'F85B:63579:&#x9C4D CJK UNIFIED IDEOGRAPH:'F85C:63580:&#x9C4B CJK UNIFIED IDEOGRAPH:'F85D:63581:&#x9C55 CJK UNIFIED IDEOGRAPH:'F85E:63582:&#x9C59 CJK UNIFIED IDEOGRAPH:'F85F:63583:&#x9C4C CJK UNIFIED IDEOGRAPH:'F860:63584:&#x9C4E CJK UNIFIED IDEOGRAPH:'F861:63585:&#x9DFB CJK UNIFIED IDEOGRAPH:'F862:63586:&#x9DF7 CJK UNIFIED IDEOGRAPH:'F863:63587:&#x9DEF CJK UNIFIED IDEOGRAPH:'F864:63588:&#x9DE3 CJK UNIFIED IDEOGRAPH:'F865:63589:&#x9DEB CJK UNIFIED IDEOGRAPH:'F866:63590:&#x9DF8 CJK UNIFIED IDEOGRAPH:'F867:63591:&#x9DE4 CJK UNIFIED IDEOGRAPH:'F868:63592:&#x9DF6 CJK UNIFIED IDEOGRAPH:'F869:63593:&#x9DE1 CJK UNIFIED IDEOGRAPH:'F86A:63594:&#x9DEE CJK UNIFIED IDEOGRAPH:'F86B:63595:&#x9DE6 CJK UNIFIED IDEOGRAPH:'F86C:63596:&#x9DF2 CJK UNIFIED IDEOGRAPH:'F86D:63597:&#x9DF0 CJK UNIFIED IDEOGRAPH:'F86E:63598:&#x9DE2 CJK UNIFIED IDEOGRAPH:'F86F:63599:&#x9DEC CJK UNIFIED IDEOGRAPH:'F870:63600:&#x9DF4 CJK UNIFIED IDEOGRAPH:'F871:63601:&#x9DF3 CJK UNIFIED IDEOGRAPH:'F872:63602:&#x9DE8 CJK UNIFIED IDEOGRAPH:'F873:63603:&#x9DED CJK UNIFIED IDEOGRAPH:'F874:63604:&#x9EC2 CJK UNIFIED IDEOGRAPH:'F875:63605:&#x9ED0 CJK UNIFIED IDEOGRAPH:'F876:63606:&#x9EF2 CJK UNIFIED IDEOGRAPH:'F877:63607:&#x9EF3 CJK UNIFIED IDEOGRAPH:'F878:63608:&#x9F06 CJK UNIFIED IDEOGRAPH:'F879:63609:&#x9F1C CJK UNIFIED IDEOGRAPH:'F87A:63610:&#x9F38 CJK UNIFIED IDEOGRAPH:'F87B:63611:&#x9F37 CJK UNIFIED IDEOGRAPH:'F87C:63612:&#x9F36 CJK UNIFIED IDEOGRAPH:'F87D:63613:&#x9F43 CJK UNIFIED IDEOGRAPH:'F87E:63614:&#x9F4F CJK UNIFIED IDEOGRAPH:'F8A1:63649:&#x9F71 CJK UNIFIED IDEOGRAPH:'F8A2:63650:&#x9F70 CJK UNIFIED IDEOGRAPH:'F8A3:63651:&#x9F6E CJK UNIFIED IDEOGRAPH:'F8A4:63652:&#x9F6F CJK UNIFIED IDEOGRAPH:'F8A5:63653:&#x56D3 CJK UNIFIED IDEOGRAPH:'F8A6:63654:&#x56CD CJK UNIFIED IDEOGRAPH:'F8A7:63655:&#x5B4E CJK UNIFIED IDEOGRAPH:'F8A8:63656:&#x5C6D CJK UNIFIED IDEOGRAPH:'F8A9:63657:&#x652D CJK UNIFIED IDEOGRAPH:'F8AA:63658:&#x66ED CJK UNIFIED IDEOGRAPH:'F8AB:63659:&#x66EE CJK UNIFIED IDEOGRAPH:'F8AC:63660:&#x6B13 CJK UNIFIED IDEOGRAPH:'F8AD:63661:&#x705F CJK UNIFIED IDEOGRAPH:'F8AE:63662:&#x7061 CJK UNIFIED IDEOGRAPH:'F8AF:63663:&#x705D CJK UNIFIED IDEOGRAPH:'F8B0:63664:&#x7060 CJK UNIFIED IDEOGRAPH:'F8B1:63665:&#x7223 CJK UNIFIED IDEOGRAPH:'F8B2:63666:&#x74DB CJK UNIFIED IDEOGRAPH:'F8B3:63667:&#x74E5 CJK UNIFIED IDEOGRAPH:'F8B4:63668:&#x77D5 CJK UNIFIED IDEOGRAPH:'F8B5:63669:&#x7938 CJK UNIFIED IDEOGRAPH:'F8B6:63670:&#x79B7 CJK UNIFIED IDEOGRAPH:'F8B7:63671:&#x79B6 CJK UNIFIED IDEOGRAPH:'F8B8:63672:&#x7C6A CJK UNIFIED IDEOGRAPH:'F8B9:63673:&#x7E97 CJK UNIFIED IDEOGRAPH:'F8BA:63674:&#x7F89 CJK UNIFIED IDEOGRAPH:'F8BB:63675:&#x826D CJK UNIFIED IDEOGRAPH:'F8BC:63676:&#x8643 CJK UNIFIED IDEOGRAPH:'F8BD:63677:&#x8838 CJK UNIFIED IDEOGRAPH:'F8BE:63678:&#x8837 CJK UNIFIED IDEOGRAPH:'F8BF:63679:&#x8835 CJK UNIFIED IDEOGRAPH:'F8C0:63680:&#x884B CJK UNIFIED IDEOGRAPH:'F8C1:63681:&#x8B94 CJK UNIFIED IDEOGRAPH:'F8C2:63682:&#x8B95 CJK UNIFIED IDEOGRAPH:'F8C3:63683:&#x8E9E CJK UNIFIED IDEOGRAPH:'F8C4:63684:&#x8E9F CJK UNIFIED IDEOGRAPH:'F8C5:63685:&#x8EA0 CJK UNIFIED IDEOGRAPH:'F8C6:63686:&#x8E9D CJK UNIFIED IDEOGRAPH:'F8C7:63687:&#x91BE CJK UNIFIED IDEOGRAPH:'F8C8:63688:&#x91BD CJK UNIFIED IDEOGRAPH:'F8C9:63689:&#x91C2 CJK UNIFIED IDEOGRAPH:'F8CA:63690:&#x946B CJK UNIFIED IDEOGRAPH:'F8CB:63691:&#x9468 CJK UNIFIED IDEOGRAPH:'F8CC:63692:&#x9469 CJK UNIFIED IDEOGRAPH:'F8CD:63693:&#x96E5 CJK UNIFIED IDEOGRAPH:'F8CE:63694:&#x9746 CJK UNIFIED IDEOGRAPH:'F8CF:63695:&#x9743 CJK UNIFIED IDEOGRAPH:'F8D0:63696:&#x9747 CJK UNIFIED IDEOGRAPH:'F8D1:63697:&#x97C7 CJK UNIFIED IDEOGRAPH:'F8D2:63698:&#x97E5 CJK UNIFIED IDEOGRAPH:'F8D3:63699:&#x9A5E CJK UNIFIED IDEOGRAPH:'F8D4:63700:&#x9AD5 CJK UNIFIED IDEOGRAPH:'F8D5:63701:&#x9B59 CJK UNIFIED IDEOGRAPH:'F8D6:63702:&#x9C63 CJK UNIFIED IDEOGRAPH:'F8D7:63703:&#x9C67 CJK UNIFIED IDEOGRAPH:'F8D8:63704:&#x9C66 CJK UNIFIED IDEOGRAPH:'F8D9:63705:&#x9C62 CJK UNIFIED IDEOGRAPH:'F8DA:63706:&#x9C5E CJK UNIFIED IDEOGRAPH:'F8DB:63707:&#x9C60 CJK UNIFIED IDEOGRAPH:'F8DC:63708:&#x9E02 CJK UNIFIED IDEOGRAPH:'F8DD:63709:&#x9DFE CJK UNIFIED IDEOGRAPH:'F8DE:63710:&#x9E07 CJK UNIFIED IDEOGRAPH:'F8DF:63711:&#x9E03 CJK UNIFIED IDEOGRAPH:'F8E0:63712:&#x9E06 CJK UNIFIED IDEOGRAPH:'F8E1:63713:&#x9E05 CJK UNIFIED IDEOGRAPH:'F8E2:63714:&#x9E00 CJK UNIFIED IDEOGRAPH:'F8E3:63715:&#x9E01 CJK UNIFIED IDEOGRAPH:'F8E4:63716:&#x9E09 CJK UNIFIED IDEOGRAPH:'F8E5:63717:&#x9DFF CJK UNIFIED IDEOGRAPH:'F8E6:63718:&#x9DFD CJK UNIFIED IDEOGRAPH:'F8E7:63719:&#x9E04 CJK UNIFIED IDEOGRAPH:'F8E8:63720:&#x9EA0 CJK UNIFIED IDEOGRAPH:'F8E9:63721:&#x9F1E CJK UNIFIED IDEOGRAPH:'F8EA:63722:&#x9F46 CJK UNIFIED IDEOGRAPH:'F8EB:63723:&#x9F74 CJK UNIFIED IDEOGRAPH:'F8EC:63724:&#x9F75 CJK UNIFIED IDEOGRAPH:'F8ED:63725:&#x9F76 CJK UNIFIED IDEOGRAPH:'F8EE:63726:&#x56D4 CJK UNIFIED IDEOGRAPH:'F8EF:63727:&#x652E CJK UNIFIED IDEOGRAPH:'F8F0:63728:&#x65B8 CJK UNIFIED IDEOGRAPH:'F8F1:63729:&#x6B18 CJK UNIFIED IDEOGRAPH:'F8F2:63730:&#x6B19 CJK UNIFIED IDEOGRAPH:'F8F3:63731:&#x6B17 CJK UNIFIED IDEOGRAPH:'F8F4:63732:&#x6B1A CJK UNIFIED IDEOGRAPH:'F8F5:63733:&#x7062 CJK UNIFIED IDEOGRAPH:'F8F6:63734:&#x7226 CJK UNIFIED IDEOGRAPH:'F8F7:63735:&#x72AA CJK UNIFIED IDEOGRAPH:'F8F8:63736:&#x77D8 CJK UNIFIED IDEOGRAPH:'F8F9:63737:&#x77D9 CJK UNIFIED IDEOGRAPH:'F8FA:63738:&#x7939 CJK UNIFIED IDEOGRAPH:'F8FB:63739:&#x7C69 CJK UNIFIED IDEOGRAPH:'F8FC:63740:&#x7C6B CJK UNIFIED IDEOGRAPH:'F8FD:63741:&#x7CF6 CJK UNIFIED IDEOGRAPH:'F8FE:63742:&#x7E9A CJK UNIFIED IDEOGRAPH:'F940:63808:&#x7E98 CJK UNIFIED IDEOGRAPH:'F941:63809:&#x7E9B CJK UNIFIED IDEOGRAPH:'F942:63810:&#x7E99 CJK UNIFIED IDEOGRAPH:'F943:63811:&#x81E0 CJK UNIFIED IDEOGRAPH:'F944:63812:&#x81E1 CJK UNIFIED IDEOGRAPH:'F945:63813:&#x8646 CJK UNIFIED IDEOGRAPH:'F946:63814:&#x8647 CJK UNIFIED IDEOGRAPH:'F947:63815:&#x8648 CJK UNIFIED IDEOGRAPH:'F948:63816:&#x8979 CJK UNIFIED IDEOGRAPH:'F949:63817:&#x897A CJK UNIFIED IDEOGRAPH:'F94A:63818:&#x897C CJK UNIFIED IDEOGRAPH:'F94B:63819:&#x897B CJK UNIFIED IDEOGRAPH:'F94C:63820:&#x89FF CJK UNIFIED IDEOGRAPH:'F94D:63821:&#x8B98 CJK UNIFIED IDEOGRAPH:'F94E:63822:&#x8B99 CJK UNIFIED IDEOGRAPH:'F94F:63823:&#x8EA5 CJK UNIFIED IDEOGRAPH:'F950:63824:&#x8EA4 CJK UNIFIED IDEOGRAPH:'F951:63825:&#x8EA3 CJK UNIFIED IDEOGRAPH:'F952:63826:&#x946E CJK UNIFIED IDEOGRAPH:'F953:63827:&#x946D CJK UNIFIED IDEOGRAPH:'F954:63828:&#x946F CJK UNIFIED IDEOGRAPH:'F955:63829:&#x9471 CJK UNIFIED IDEOGRAPH:'F956:63830:&#x9473 CJK UNIFIED IDEOGRAPH:'F957:63831:&#x9749 CJK UNIFIED IDEOGRAPH:'F958:63832:&#x9872 CJK UNIFIED IDEOGRAPH:'F959:63833:&#x995F CJK UNIFIED IDEOGRAPH:'F95A:63834:&#x9C68 CJK UNIFIED IDEOGRAPH:'F95B:63835:&#x9C6E CJK UNIFIED IDEOGRAPH:'F95C:63836:&#x9C6D CJK UNIFIED IDEOGRAPH:'F95D:63837:&#x9E0B CJK UNIFIED IDEOGRAPH:'F95E:63838:&#x9E0D CJK UNIFIED IDEOGRAPH:'F95F:63839:&#x9E10 CJK UNIFIED IDEOGRAPH:'F960:63840:&#x9E0F CJK UNIFIED IDEOGRAPH:'F961:63841:&#x9E12 CJK UNIFIED IDEOGRAPH:'F962:63842:&#x9E11 CJK UNIFIED IDEOGRAPH:'F963:63843:&#x9EA1 CJK UNIFIED IDEOGRAPH:'F964:63844:&#x9EF5 CJK UNIFIED IDEOGRAPH:'F965:63845:&#x9F09 CJK UNIFIED IDEOGRAPH:'F966:63846:&#x9F47 CJK UNIFIED IDEOGRAPH:'F967:63847:&#x9F78 CJK UNIFIED IDEOGRAPH:'F968:63848:&#x9F7B CJK UNIFIED IDEOGRAPH:'F969:63849:&#x9F7A CJK UNIFIED IDEOGRAPH:'F96A:63850:&#x9F79 CJK UNIFIED IDEOGRAPH:'F96B:63851:&#x571E CJK UNIFIED IDEOGRAPH:'F96C:63852:&#x7066 CJK UNIFIED IDEOGRAPH:'F96D:63853:&#x7C6F CJK UNIFIED IDEOGRAPH:'F96E:63854:&#x883C CJK UNIFIED IDEOGRAPH:'F96F:63855:&#x8DB2 CJK UNIFIED IDEOGRAPH:'F970:63856:&#x8EA6 CJK UNIFIED IDEOGRAPH:'F971:63857:&#x91C3 CJK UNIFIED IDEOGRAPH:'F972:63858:&#x9474 CJK UNIFIED IDEOGRAPH:'F973:63859:&#x9478 CJK UNIFIED IDEOGRAPH:'F974:63860:&#x9476 CJK UNIFIED IDEOGRAPH:'F975:63861:&#x9475 CJK UNIFIED IDEOGRAPH:'F976:63862:&#x9A60 CJK UNIFIED IDEOGRAPH:'F977:63863:&#x9C74 CJK UNIFIED IDEOGRAPH:'F978:63864:&#x9C73 CJK UNIFIED IDEOGRAPH:'F979:63865:&#x9C71 CJK UNIFIED IDEOGRAPH:'F97A:63866:&#x9C75 CJK UNIFIED IDEOGRAPH:'F97B:63867:&#x9E14 CJK UNIFIED IDEOGRAPH:'F97C:63868:&#x9E13 CJK UNIFIED IDEOGRAPH:'F97D:63869:&#x9EF6 CJK UNIFIED IDEOGRAPH:'F97E:63870:&#x9F0A CJK UNIFIED IDEOGRAPH:'F9A1:63905:&#x9FA4 CJK UNIFIED IDEOGRAPH:'F9A2:63906:&#x7068 CJK UNIFIED IDEOGRAPH:'F9A3:63907:&#x7065 CJK UNIFIED IDEOGRAPH:'F9A4:63908:&#x7CF7 CJK UNIFIED IDEOGRAPH:'F9A5:63909:&#x866A CJK UNIFIED IDEOGRAPH:'F9A6:63910:&#x883E CJK UNIFIED IDEOGRAPH:'F9A7:63911:&#x883D CJK UNIFIED IDEOGRAPH:'F9A8:63912:&#x883F CJK UNIFIED IDEOGRAPH:'F9A9:63913:&#x8B9E CJK UNIFIED IDEOGRAPH:'F9AA:63914:&#x8C9C CJK UNIFIED IDEOGRAPH:'F9AB:63915:&#x8EA9 CJK UNIFIED IDEOGRAPH:'F9AC:63916:&#x8EC9 CJK UNIFIED IDEOGRAPH:'F9AD:63917:&#x974B CJK UNIFIED IDEOGRAPH:'F9AE:63918:&#x9873 CJK UNIFIED IDEOGRAPH:'F9AF:63919:&#x9874 CJK UNIFIED IDEOGRAPH:'F9B0:63920:&#x98CC CJK UNIFIED IDEOGRAPH:'F9B1:63921:&#x9961 CJK UNIFIED IDEOGRAPH:'F9B2:63922:&#x99AB CJK UNIFIED IDEOGRAPH:'F9B3:63923:&#x9A64 CJK UNIFIED IDEOGRAPH:'F9B4:63924:&#x9A66 CJK UNIFIED IDEOGRAPH:'F9B5:63925:&#x9A67 CJK UNIFIED IDEOGRAPH:'F9B6:63926:&#x9B24 CJK UNIFIED IDEOGRAPH:'F9B7:63927:&#x9E15 CJK UNIFIED IDEOGRAPH:'F9B8:63928:&#x9E17 CJK UNIFIED IDEOGRAPH:'F9B9:63929:&#x9F48 CJK UNIFIED IDEOGRAPH:'F9BA:63930:&#x6207 CJK UNIFIED IDEOGRAPH:'F9BB:63931:&#x6B1E CJK UNIFIED IDEOGRAPH:'F9BC:63932:&#x7227 CJK UNIFIED IDEOGRAPH:'F9BD:63933:&#x864C CJK UNIFIED IDEOGRAPH:'F9BE:63934:&#x8EA8 CJK UNIFIED IDEOGRAPH:'F9BF:63935:&#x9482 CJK UNIFIED IDEOGRAPH:'F9C0:63936:&#x9480 CJK UNIFIED IDEOGRAPH:'F9C1:63937:&#x9481 CJK UNIFIED IDEOGRAPH:'F9C2:63938:&#x9A69 CJK UNIFIED IDEOGRAPH:'F9C3:63939:&#x9A68 CJK UNIFIED IDEOGRAPH:'F9C4:63940:&#x9B2E CJK UNIFIED IDEOGRAPH:'F9C5:63941:&#x9E19 CJK UNIFIED IDEOGRAPH:'F9C6:63942:&#x7229 CJK UNIFIED IDEOGRAPH:'F9C7:63943:&#x864B CJK UNIFIED IDEOGRAPH:'F9C8:63944:&#x8B9F CJK UNIFIED IDEOGRAPH:'F9C9:63945:&#x9483 CJK UNIFIED IDEOGRAPH:'F9CA:63946:&#x9C79 CJK UNIFIED IDEOGRAPH:'F9CB:63947:&#x9EB7 CJK UNIFIED IDEOGRAPH:'F9CC:63948:&#x7675 CJK UNIFIED IDEOGRAPH:'F9CD:63949:&#x9A6B CJK UNIFIED IDEOGRAPH:'F9CE:63950:&#x9C7A CJK UNIFIED IDEOGRAPH:'F9CF:63951:&#x9E1D CJK UNIFIED IDEOGRAPH:'F9D0:63952:&#x7069 CJK UNIFIED IDEOGRAPH:'F9D1:63953:&#x706A CJK UNIFIED IDEOGRAPH:'F9D2:63954:&#x9EA4 CJK UNIFIED IDEOGRAPH:'F9D3:63955:&#x9F7E CJK UNIFIED IDEOGRAPH:'F9D4:63956:&#x9F49 CJK UNIFIED IDEOGRAPH:'F9D5:63957:&#x9F98 CJK UNIFIED IDEOGRAPH:'F9D6:63958:&#x7881 CJK UNIFIED IDEOGRAPH:'F9D7:63959:&#x92B9 CJK UNIFIED IDEOGRAPH:'F9D8:63960:&#x88CF CJK UNIFIED IDEOGRAPH:'F9D9:63961:&#x58BB CJK UNIFIED IDEOGRAPH:'F9DA:63962:&#x6052 CJK UNIFIED IDEOGRAPH:'F9DB:63963:&#x7CA7 CJK UNIFIED IDEOGRAPH:'F9DC:63964:&#x5AFA BOX DRAWINGS DOUBLE DOWN AND RIGHT:'F9DD:63965:&#x2554 BOX DRAWINGS DOUBLE DOWN AND HORIZONTAL:'F9DE:63966:&#x2566 BOX DRAWINGS DOUBLE DOWN AND LEFT:'F9DF:63967:&#x2557 BOX DRAWINGS DOUBLE VERTICAL AND RIGHT:'F9E0:63968:&#x2560 BOX DRAWINGS DOUBLE VERTICAL AND HORIZONTAL:'F9E1:63969:&#x256C BOX DRAWINGS DOUBLE VERTICAL AND LEFT:'F9E2:63970:&#x2563 BOX DRAWINGS DOUBLE UP AND RIGHT:'F9E3:63971:&#x255A BOX DRAWINGS DOUBLE UP AND HORIZONTAL:'F9E4:63972:&#x2569 BOX DRAWINGS DOUBLE UP AND LEFT:'F9E5:63973:&#x255D BOX DRAWINGS DOWN SINGLE AND RIGHT DOUBLE:'F9E6:63974:&#x2552 BOX DRAWINGS DOWN SINGLE AND HORIZONTAL DOUBLE:'F9E7:63975:&#x2564 BOX DRAWINGS DOWN SINGLE AND LEFT DOUBLE:'F9E8:63976:&#x2555 BOX DRAWINGS VERTICAL SINGLE AND RIGHT DOUBLE:'F9E9:63977:&#x255E BOX DRAWINGS VERTICAL SINGLE AND HORIZONTAL DOUBLE:'F9EA:63978:&#x256A BOX DRAWINGS VERTICAL SINGLE AND LEFT DOUBLE:'F9EB:63979:&#x2561 BOX DRAWINGS UP SINGLE AND RIGHT DOUBLE:'F9EC:63980:&#x2558 BOX DRAWINGS UP SINGLE AND HORIZONTAL DOUBLE:'F9ED:63981:&#x2567 BOX DRAWINGS UP SINGLE AND LEFT DOUBLE:'F9EE:63982:&#x255B BOX DRAWINGS DOWN DOUBLE AND RIGHT SINGLE:'F9EF:63983:&#x2553 BOX DRAWINGS DOWN DOUBLE AND HORIZONTAL SINGLE:'F9F0:63984:&#x2565 BOX DRAWINGS DOWN DOUBLE AND LEFT SINGLE:'F9F1:63985:&#x2556 BOX DRAWINGS VERTICAL DOUBLE AND RIGHT SINGLE:'F9F2:63986:&#x255F BOX DRAWINGS VERTICAL DOUBLE AND HORIZONTAL SINGLE:'F9F3:63987:&#x256B BOX DRAWINGS VERTICAL DOUBLE AND LEFT SINGLE:'F9F4:63988:&#x2562 BOX DRAWINGS UP DOUBLE AND RIGHT SINGLE:'F9F5:63989:&#x2559 BOX DRAWINGS UP DOUBLE AND HORIZONTAL SINGLE:'F9F6:63990:&#x2568 BOX DRAWINGS UP DOUBLE AND LEFT SINGLE:'F9F7:63991:&#x255C BOX DRAWINGS DOUBLE VERTICAL:'F9F8:63992:&#x2551 BOX DRAWINGS DOUBLE HORIZONTAL:'F9F9:63993:&#x2550 BOX DRAWINGS LIGHT ARC DOWN AND RIGHT:'F9FA:63994:&#x256D BOX DRAWINGS LIGHT ARC DOWN AND LEFT:'F9FB:63995:&#x256E BOX DRAWINGS LIGHT ARC UP AND RIGHT:'F9FC:63996:&#x2570 BOX DRAWINGS LIGHT ARC UP AND LEFT:'F9FD:63997:&#x256F DARK SHADE:'F9FE:63998:&#x2593 </ansicpg950> <ansicpg1250> SINGLE LOW-9 QUOTATION MARK:'82:8218:&#x201A; DOUBLE LOW-9 QUOTATION MARK:'84:8222:&#x201E; HORIZONTAL ELLIPSIS:'85:8230:&#x2026; SINGLE LOW-9 QUOTATION MARK:'82:8218:&#x201A; DOUBLE LOW-9 QUOTATION MARK:'84:8222:&#x201E; HORIZONTAL ELLIPSIS:'85:8230:&#x2026; DAGGER:'86:8224:&#x2020; DOUBLE DAGGER:'87:8225:&#x2021; PER MILLE SIGN:'89:8240:&#x2030; LATIN CAPITAL LETTER S WITH CARON:'8A:352:&#x0160; SINGLE LEFT-POINTING ANGLE QUOTATION MARK:'8B:8249:&#x2039; LATIN CAPITAL LETTER S WITH ACUTE:'8C:346:&#x015A; LATIN CAPITAL LETTER T WITH CARON:'8D:356:&#x0164; LATIN CAPITAL LETTER Z WITH CARON:'8E:381:&#x017D; LATIN CAPITAL LETTER Z WITH ACUTE:'8F:377:&#x0179; LEFT SINGLE QUOTATION MARK:'91:8216:&#x2018; RIGHT SINGLE QUOTATION MARK:'92:8217:&#x2019; LEFT DOUBLE QUOTATION MARK:'93:8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:'94:8221:&#x201D; BULLET:'95:8226:&#x2022; EN DASH:'96:8211:&#x2013; EM DASH:'97:8212:&#x2014; TRADE MARK SIGN:'99:8482:&#x2122; LATIN SMALL LETTER S WITH CARON:'9A:353:&#x0161; SINGLE RIGHT-POINTING ANGLE QUOTATION MARK:'9B:8250:&#x203A; LATIN SMALL LETTER S WITH ACUTE:'9C:347:&#x015B; LATIN SMALL LETTER T WITH CARON:'9D:357:&#x0165; LATIN SMALL LETTER Z WITH CARON:'9E:382:&#x017E; LATIN SMALL LETTER Z WITH ACUTE:'9F:378:&#x017A; NO-BREAK SPACE:'A0:160:&#x00A0; CARON (MANDARIN CHINESE THIRD TONE):'A1:711:&#x02C7; BREVE:'A2:728:&#x02D8; LATIN CAPITAL LETTER L WITH STROKE:'A3:321:&#x0141; CURRENCY SIGN:'A4:164:&#x00A4; LATIN CAPITAL LETTER A WITH OGONEK:'A5:260:&#x0104; BROKEN BAR:'A6:166:&#x00A6; SECTION SIGN:'A7:167:&#x00A7; DIAERESIS:'A8:168:&#x00A8; COPYRIGHT SIGN:'A9:169:&#x00A9; LATIN CAPITAL LETTER S WITH CEDILLA:'AA:350:&#x015E; LEFT-POINTING DOUBLE ANGLE QUOTATION MARK:'AB:171:&#x00AB; NOT SIGN:'AC:172:&#x00AC; SOFT HYPHEN:'AD:173:&#x00AD; REGISTERED SIGN:'AE:174:&#x00AE; LATIN CAPITAL LETTER Z WITH DOT ABOVE:'AF:379:&#x017B; DEGREE SIGN:'B0:176:&#x00B0; PLUS-MINUS SIGN:'B1:177:&#x00B1; OGONEK:'B2:731:&#x02DB; LATIN SMALL LETTER L WITH STROKE:'B3:322:&#x0142; ACUTE ACCENT:'B4:180:&#x00B4; MICRO SIGN:'B5:181:&#x00B5; PILCROW SIGN:'B6:182:&#x00B6; MIDDLE DOT:'B7:183:&#x00B7; CEDILLA:'B8:184:&#x00B8; LATIN SMALL LETTER A WITH OGONEK:'B9:261:&#x0105; LATIN SMALL LETTER S WITH CEDILLA:'BA:351:&#x015F; RIGHT-POINTING DOUBLE ANGLE QUOTATION MARK:'BB:187:&#x00BB; LATIN CAPITAL LETTER L WITH CARON:'BC:317:&#x013D; DOUBLE ACUTE ACCENT:'BD:733:&#x02DD; LATIN SMALL LETTER L WITH CARON:'BE:318:&#x013E; LATIN SMALL LETTER Z WITH DOT ABOVE:'BF:380:&#x017C; LATIN CAPITAL LETTER R WITH ACUTE:'C0:340:&#x0154; LATIN CAPITAL LETTER A WITH ACUTE:'C1:193:&#x00C1; LATIN CAPITAL LETTER A WITH CIRCUMFLEX:'C2:194:&#x00C2; LATIN CAPITAL LETTER A WITH BREVE:'C3:258:&#x0102; LATIN CAPITAL LETTER A WITH DIAERESIS:'C4:196:&#x00C4; LATIN CAPITAL LETTER L WITH ACUTE:'C5:313:&#x0139; LATIN CAPITAL LETTER C WITH ACUTE:'C6:262:&#x0106; LATIN CAPITAL LETTER C WITH CEDILLA:'C7:199:&#x00C7; LATIN CAPITAL LETTER C WITH CARON:'C8:268:&#x010C; LATIN CAPITAL LETTER E WITH ACUTE:'C9:201:&#x00C9; LATIN CAPITAL LETTER E WITH OGONEK:'CA:280:&#x0118; LATIN CAPITAL LETTER E WITH DIAERESIS:'CB:203:&#x00CB; LATIN CAPITAL LETTER E WITH CARON:'CC:282:&#x011A; LATIN CAPITAL LETTER I WITH ACUTE:'CD:205:&#x00CD; LATIN CAPITAL LETTER I WITH CIRCUMFLEX:'CE:206:&#x00CE; LATIN CAPITAL LETTER D WITH CARON:'CF:270:&#x010E; LATIN CAPITAL LETTER D WITH STROKE:'D0:272:&#x0110; LATIN CAPITAL LETTER N WITH ACUTE:'D1:323:&#x0143; LATIN CAPITAL LETTER N WITH CARON:'D2:327:&#x0147; LATIN CAPITAL LETTER O WITH ACUTE:'D3:211:&#x00D3; LATIN CAPITAL LETTER O WITH CIRCUMFLEX:'D4:212:&#x00D4; LATIN CAPITAL LETTER O WITH DOUBLE ACUTE:'D5:336:&#x0150; LATIN CAPITAL LETTER O WITH DIAERESIS:'D6:214:&#x00D6; MULTIPLICATION SIGN:'D7:215:&#x00D7; LATIN CAPITAL LETTER R WITH CARON:'D8:344:&#x0158; LATIN CAPITAL LETTER U WITH RING ABOVE:'D9:366:&#x016E; LATIN CAPITAL LETTER U WITH ACUTE:'DA:218:&#x00DA; LATIN CAPITAL LETTER U WITH DOUBLE ACUTE:'DB:368:&#x0170; LATIN CAPITAL LETTER U WITH DIAERESIS:'DC:220:&#x00DC; LATIN CAPITAL LETTER Y WITH ACUTE:'DD:221:&#x00DD; LATIN CAPITAL LETTER T WITH CEDILLA:'DE:354:&#x0162; LATIN SMALL LETTER SHARP S (GERMAN):'DF:223:&#x00DF; LATIN SMALL LETTER R WITH ACUTE:'E0:341:&#x0155; LATIN SMALL LETTER A WITH ACUTE:'E1:225:&#x00E1; LATIN SMALL LETTER A WITH CIRCUMFLEX:'E2:226:&#x00E2; LATIN SMALL LETTER A WITH BREVE:'E3:259:&#x0103; LATIN SMALL LETTER A WITH DIAERESIS:'E4:228:&#x00E4; LATIN SMALL LETTER L WITH ACUTE:'E5:314:&#x013A; LATIN SMALL LETTER C WITH ACUTE:'E6:263:&#x0107; LATIN SMALL LETTER C WITH CEDILLA:'E7:231:&#x00E7; LATIN SMALL LETTER C WITH CARON:'E8:269:&#x010D; LATIN SMALL LETTER E WITH ACUTE:'E9:233:&#x00E9; LATIN SMALL LETTER E WITH OGONEK:'EA:281:&#x0119; LATIN SMALL LETTER E WITH DIAERESIS:'EB:235:&#x00EB; LATIN SMALL LETTER E WITH CARON:'EC:283:&#x011B; LATIN SMALL LETTER I WITH ACUTE:'ED:237:&#x00ED; LATIN SMALL LETTER I WITH CIRCUMFLEX:'EE:238:&#x00EE; LATIN SMALL LETTER D WITH CARON:'EF:271:&#x010F; LATIN SMALL LETTER D WITH STROKE:'F0:273:&#x0111; LATIN SMALL LETTER N WITH ACUTE:'F1:324:&#x0144; LATIN SMALL LETTER N WITH CARON:'F2:328:&#x0148; LATIN SMALL LETTER O WITH ACUTE:'F3:243:&#x00F3; LATIN SMALL LETTER O WITH CIRCUMFLEX:'F4:244:&#x00F4; LATIN SMALL LETTER O WITH DOUBLE ACUTE:'F5:337:&#x0151; LATIN SMALL LETTER O WITH DIAERESIS:'F6:246:&#x00F6; DIVISION SIGN:'F7:247:&#x00F7; LATIN SMALL LETTER R WITH CARON:'F8:345:&#x0159; LATIN SMALL LETTER U WITH RING ABOVE:'F9:367:&#x016F; LATIN SMALL LETTER U WITH ACUTE:'FA:250:&#x00FA; LATIN SMALL LETTER U WITH DOUBLE ACUTE:'FB:369:&#x0171; LATIN SMALL LETTER U WITH DIAERESIS:'FC:252:&#x00FC; LATIN SMALL LETTER Y WITH ACUTE:'FD:253:&#x00FD; LATIN SMALL LETTER T WITH CEDILLA:'FE:355:&#x0163; DOT ABOVE (MANDARIN CHINESE LIGHT TONE):'FF:729:&#x02D9; </ansicpg1250> <ansicpg1251> CYRILLIC CAPITAL LETTER DJE (SERBOCROATIAN):'80:1026:&#x0402; CYRILLIC CAPITAL LETTER GJE:'81:1027:&#x0403; SINGLE LOW-9 QUOTATION MARK:'82:8218:&#x201A; CYRILLIC SMALL LETTER GJE:'83:1107:&#x0453; DOUBLE LOW-9 QUOTATION MARK:'84:8222:&#x201E; HORIZONTAL ELLIPSIS:'85:8230:&#x2026; DAGGER:'86:8224:&#x2020; DOUBLE DAGGER:'87:8225:&#x2021; PER MILLE SIGN:'89:8240:&#x2030; CYRILLIC CAPITAL LETTER LJE:'8A:1033:&#x0409; SINGLE LEFT-POINTING ANGLE QUOTATION MARK:'8B:8249:&#x2039; CYRILLIC CAPITAL LETTER NJE:'8C:1034:&#x040A; CYRILLIC CAPITAL LETTER KJE:'8D:1036:&#x040C; CYRILLIC CAPITAL LETTER TSHE (SERBOCROATIAN):'8E:1035:&#x040B; CYRILLIC CAPITAL LETTER DZHE:'8F:1039:&#x040F; CYRILLIC SMALL LETTER DJE (SERBOCROATIAN):'90:1106:&#x0452; LEFT SINGLE QUOTATION MARK:'91:8216:&#x2018; RIGHT SINGLE QUOTATION MARK:'92:8217:&#x2019; LEFT DOUBLE QUOTATION MARK:'93:8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:'94:8221:&#x201D; BULLET:'95:8226:&#x2022; EN DASH:'96:8211:&#x2013; EM DASH:'97:8212:&#x2014; TRADE MARK SIGN:'99:8482:&#x2122; CYRILLIC SMALL LETTER LJE:'9A:1113:&#x0459; SINGLE RIGHT-POINTING ANGLE QUOTATION MARK:'9B:8250:&#x203A; CYRILLIC SMALL LETTER NJE:'9C:1114:&#x045A; CYRILLIC SMALL LETTER KJE:'9D:1116:&#x045C; CYRILLIC SMALL LETTER TSHE (SERBOCROATIAN):'9E:1115:&#x045B; CYRILLIC SMALL LETTER DZHE:'9F:1119:&#x045F; NO-BREAK SPACE:'A0:160:&#x00A0; CYRILLIC CAPITAL LETTER SHORT U (BYELORUSSIAN):'A1:1038:&#x040E; CYRILLIC SMALL LETTER SHORT U (BYELORUSSIAN):'A2:1118:&#x045E; CYRILLIC CAPITAL LETTER JE:'A3:1032:&#x0408; CURRENCY SIGN:'A4:164:&#x00A4; CYRILLIC CAPITAL LETTER GHE WITH UPTURN:'A5:1168:&#x0490; BROKEN BAR:'A6:166:&#x00A6; SECTION SIGN:'A7:167:&#x00A7; CYRILLIC CAPITAL LETTER IO:'A8:1025:&#x0401; COPYRIGHT SIGN:'A9:169:&#x00A9; CYRILLIC CAPITAL LETTER UKRAINIAN IE:'AA:1028:&#x0404; LEFT-POINTING DOUBLE ANGLE QUOTATION MARK:'AB:171:&#x00AB; NOT SIGN:'AC:172:&#x00AC; SOFT HYPHEN:'AD:173:&#x00AD; REGISTERED SIGN:'AE:174:&#x00AE; CYRILLIC CAPITAL LETTER YI (UKRAINIAN):'AF:1031:&#x0407; DEGREE SIGN:'B0:176:&#x00B0; PLUS-MINUS SIGN:'B1:177:&#x00B1; CYRILLIC CAPITAL LETTER BYELORUSSIAN-UKRAINIAN I:'B2:1030:&#x0406; CYRILLIC SMALL LETTER BYELORUSSIAN-UKRAINIAN I:'B3:1110:&#x0456; CYRILLIC SMALL LETTER GHE WITH UPTURN:'B4:1169:&#x0491; MICRO SIGN:'B5:181:&#x00B5; PILCROW SIGN:'B6:182:&#x00B6; MIDDLE DOT:'B7:183:&#x00B7; CYRILLIC SMALL LETTER IO:'B8:1105:&#x0451; NUMERO SIGN:'B9:8470:&#x2116; CYRILLIC SMALL LETTER UKRAINIAN IE:'BA:1108:&#x0454; RIGHT-POINTING DOUBLE ANGLE QUOTATION MARK:'BB:187:&#x00BB; CYRILLIC SMALL LETTER JE:'BC:1112:&#x0458; CYRILLIC CAPITAL LETTER DZE:'BD:1029:&#x0405; CYRILLIC SMALL LETTER DZE:'BE:1109:&#x0455; CYRILLIC SMALL LETTER YI (UKRAINIAN):'BF:1111:&#x0457; CYRILLIC CAPITAL LETTER A:'C0:1040:&#x0410; CYRILLIC CAPITAL LETTER BE:'C1:1041:&#x0411; CYRILLIC CAPITAL LETTER VE:'C2:1042:&#x0412; CYRILLIC CAPITAL LETTER GHE:'C3:1043:&#x0413; CYRILLIC CAPITAL LETTER DE:'C4:1044:&#x0414; CYRILLIC CAPITAL LETTER IE:'C5:1045:&#x0415; CYRILLIC CAPITAL LETTER ZHE:'C6:1046:&#x0416; CYRILLIC CAPITAL LETTER ZE:'C7:1047:&#x0417; CYRILLIC CAPITAL LETTER I:'C8:1048:&#x0418; CYRILLIC CAPITAL LETTER SHORT I:'C9:1049:&#x0419; CYRILLIC CAPITAL LETTER KA:'CA:1050:&#x041A; CYRILLIC CAPITAL LETTER EL:'CB:1051:&#x041B; CYRILLIC CAPITAL LETTER EM:'CC:1052:&#x041C; CYRILLIC CAPITAL LETTER EN:'CD:1053:&#x041D; CYRILLIC CAPITAL LETTER O:'CE:1054:&#x041E; CYRILLIC CAPITAL LETTER PE:'CF:1055:&#x041F; CYRILLIC CAPITAL LETTER ER:'D0:1056:&#x0420; CYRILLIC CAPITAL LETTER ES:'D1:1057:&#x0421; CYRILLIC CAPITAL LETTER TE:'D2:1058:&#x0422; CYRILLIC CAPITAL LETTER U:'D3:1059:&#x0423; CYRILLIC CAPITAL LETTER EF:'D4:1060:&#x0424; CYRILLIC CAPITAL LETTER HA:'D5:1061:&#x0425; CYRILLIC CAPITAL LETTER TSE:'D6:1062:&#x0426; CYRILLIC CAPITAL LETTER CHE:'D7:1063:&#x0427; CYRILLIC CAPITAL LETTER SHA:'D8:1064:&#x0428; CYRILLIC CAPITAL LETTER SHCHA:'D9:1065:&#x0429; CYRILLIC CAPITAL LETTER HARD SIGN:'DA:1066:&#x042A; CYRILLIC CAPITAL LETTER YERU:'DB:1067:&#x042B; CYRILLIC CAPITAL LETTER SOFT SIGN:'DC:1068:&#x042C; CYRILLIC CAPITAL LETTER E:'DD:1069:&#x042D; CYRILLIC CAPITAL LETTER YU:'DE:1070:&#x042E; CYRILLIC CAPITAL LETTER YA:'DF:1071:&#x042F; CYRILLIC SMALL LETTER A:'E0:1072:&#x0430; CYRILLIC SMALL LETTER BE:'E1:1073:&#x0431; CYRILLIC SMALL LETTER VE:'E2:1074:&#x0432; CYRILLIC SMALL LETTER GHE:'E3:1075:&#x0433; CYRILLIC SMALL LETTER DE:'E4:1076:&#x0434; CYRILLIC SMALL LETTER IE:'E5:1077:&#x0435; CYRILLIC SMALL LETTER ZHE:'E6:1078:&#x0436; CYRILLIC SMALL LETTER ZE:'E7:1079:&#x0437; CYRILLIC SMALL LETTER I:'E8:1080:&#x0438; CYRILLIC SMALL LETTER SHORT I:'E9:1081:&#x0439; CYRILLIC SMALL LETTER KA:'EA:1082:&#x043A; CYRILLIC SMALL LETTER EL:'EB:1083:&#x043B; CYRILLIC SMALL LETTER EM:'EC:1084:&#x043C; CYRILLIC SMALL LETTER EN:'ED:1085:&#x043D; CYRILLIC SMALL LETTER O:'EE:1086:&#x043E; CYRILLIC SMALL LETTER PE:'EF:1087:&#x043F; CYRILLIC SMALL LETTER ER:'F0:1088:&#x0440; CYRILLIC SMALL LETTER ES:'F1:1089:&#x0441; CYRILLIC SMALL LETTER TE:'F2:1090:&#x0442; CYRILLIC SMALL LETTER U:'F3:1091:&#x0443; CYRILLIC SMALL LETTER EF:'F4:1092:&#x0444; CYRILLIC SMALL LETTER HA:'F5:1093:&#x0445; CYRILLIC SMALL LETTER TSE:'F6:1094:&#x0446; CYRILLIC SMALL LETTER CHE:'F7:1095:&#x0447; CYRILLIC SMALL LETTER SHA:'F8:1096:&#x0448; CYRILLIC SMALL LETTER SHCHA:'F9:1097:&#x0449; CYRILLIC SMALL LETTER HARD SIGN:'FA:1098:&#x044A; CYRILLIC SMALL LETTER YERU:'FB:1099:&#x044B; CYRILLIC SMALL LETTER SOFT SIGN:'FC:1100:&#x044C; CYRILLIC SMALL LETTER E:'FD:1101:&#x044D; CYRILLIC SMALL LETTER YU:'FE:1102:&#x044E; CYRILLIC SMALL LETTER YA:'FF:1103:&#x044F; </ansicpg1251> <ansicpg1252> LATIN SMALL LETTER Y WITH DIAERESIS:'00:00:&#x00FF; EURO SIGN:'80:8364:&#x20ac; SINGLE LOW-9 QUOTATION MARK:'82:8218:&#x201A; LATIN SMALL LETTER F WITH HOOK:'83:402:&#x0192; DOUBLE LOW-9 QUOTATION MARK:'84:8222:&#x201E; HORIZONTAL ELLIPSIS:'85:8230:&#x2026; DAGGER:'86:8224:&#x2020; DOUBLE DAGGER:'87:8225:&#x2021; MODIFIER LETTER CIRCUMFLEX ACCENT:'88:710:&#x02C6; PER MILLE SIGN:'89:8240:&#x2030; LATIN CAPITAL LETTER S WITH CARON:'8A:352:&#x0160; SINGLE LEFT-POINTING ANGLE QUOTATION MARK:'8B:8249:&#x2039; LATIN CAPITAL LIGATURE OE:'8C:338:&#x0152; LEFT SINGLE QUOTATION MARK:'91:8216:&#x2018; RIGHT SINGLE QUOTATION MARK:'92:8217:&#x2019; LEFT DOUBLE QUOTATION MARK:'93:8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:'94:8221:&#x201D; BULLET:'95:8226:&#x2022; EN DASH:'96:8211:&#x2013; EM DASH:'97:8212:&#x2014; SMALL TILDE:'98:732:&#x02DC; TRADE MARK SIGN:'99:8482:&#x2122; LATIN SMALL LETTER S WITH CARON:'9A:353:&#x0161; SINGLE RIGHT-POINTING ANGLE QUOTATION MARK:'9B:8250:&#x203A; LATIN SMALL LIGATURE OE:'9C:339:&#x0153; LATIN CAPITAL LETTER Y WITH DIAERESIS:'9F:376:&#x0178; NO-BREAK SPACE:'A0:160:&#x00A0; INVERTED EXCLAMATION MARK:'A1:161:&#x00A1; CENT SIGN:'A2:162:&#x00A2; POUND SIGN:'A3:163:&#x00A3; CURRENCY SIGN:'A4:164:&#x00A4; YEN SIGN:'A5:165:&#x00A5; BROKEN BAR:'A6:166:&#x00A6; SECTION SIGN:'A7:167:&#x00A7; DIAERESIS:'A8:168:&#x00A8; COPYRIGHT SIGN:'A9:169:&#x00A9; FEMININE ORDINAL INDICATOR:'AA:170:&#x00AA; LEFT-POINTING DOUBLE ANGLE QUOTATION MARK:'AB:171:&#x00AB; NOT SIGN:'AC:172:&#x00AC; SOFT HYPHEN:'AD:173:&#x00AD; REGISTERED SIGN:'AE:174:&#x00AE; MACRON:'AF:175:&#x00AF; DEGREE SIGN:'B0:176:&#x00B0; PLUS-MINUS SIGN:'B1:177:&#x00B1; SUPERSCRIPT TWO:'B2:178:&#x00B2; SUPERSCRIPT THREE:'B3:179:&#x00B3; ACUTE ACCENT:'B4:180:&#x00B4; MICRO SIGN:'B5:181:&#x00B5; PILCROW SIGN:'B6:182:&#x00B6; MIDDLE DOT:'B7:183:&#x00B7; CEDILLA:'B8:184:&#x00B8; SUPERSCRIPT ONE:'B9:185:&#x00B9; MASCULINE ORDINAL INDICATOR:'BA:186:&#x00BA; RIGHT-POINTING DOUBLE ANGLE QUOTATION MARK:'BB:187:&#x00BB; VULGAR FRACTION ONE QUARTER:'BC:188:&#x00BC; VULGAR FRACTION ONE HALF:'BD:189:&#x00BD; VULGAR FRACTION THREE QUARTERS:'BE:190:&#x00BE; INVERTED QUESTION MARK:'BF:191:&#x00BF; LATIN CAPITAL LETTER A WITH GRAVE:'C0:192:&#x00C0; LATIN CAPITAL LETTER A WITH ACUTE:'C1:193:&#x00C1; LATIN CAPITAL LETTER A WITH CIRCUMFLEX:'C2:194:&#x00C2; LATIN CAPITAL LETTER A WITH TILDE:'C3:195:&#x00C3; LATIN CAPITAL LETTER A WITH DIAERESIS:'C4:196:&#x00C4; LATIN CAPITAL LETTER A WITH RING ABOVE:'C5:197:&#x00C5; LATIN CAPITAL LETTER AE:'C6:198:&#x00C6; LATIN CAPITAL LETTER C WITH CEDILLA:'C7:199:&#x00C7; LATIN CAPITAL LETTER E WITH GRAVE:'C8:200:&#x00C8; LATIN CAPITAL LETTER E WITH ACUTE:'C9:201:&#x00C9; LATIN CAPITAL LETTER E WITH CIRCUMFLEX:'CA:202:&#x00CA; LATIN CAPITAL LETTER E WITH DIAERESIS:'CB:203:&#x00CB; LATIN CAPITAL LETTER I WITH GRAVE:'CC:204:&#x00CC; LATIN CAPITAL LETTER I WITH ACUTE:'CD:205:&#x00CD; LATIN CAPITAL LETTER I WITH CIRCUMFLEX:'CE:206:&#x00CE; LATIN CAPITAL LETTER I WITH DIAERESIS:'CF:207:&#x00CF; LATIN CAPITAL LETTER ETH (ICELANDIC):'D0:208:&#x00D0; LATIN CAPITAL LETTER N WITH TILDE:'D1:209:&#x00D1; LATIN CAPITAL LETTER O WITH GRAVE:'D2:210:&#x00D2; LATIN CAPITAL LETTER O WITH ACUTE:'D3:211:&#x00D3; LATIN CAPITAL LETTER O WITH CIRCUMFLEX:'D4:212:&#x00D4; LATIN CAPITAL LETTER O WITH TILDE:'D5:213:&#x00D5; LATIN CAPITAL LETTER O WITH DIAERESIS:'D6:214:&#x00D6; MULTIPLICATION SIGN:'D7:215:&#x00D7; LATIN CAPITAL LETTER O WITH STROKE:'D8:216:&#x00D8; LATIN CAPITAL LETTER U WITH GRAVE:'D9:217:&#x00D9; LATIN CAPITAL LETTER U WITH ACUTE:'DA:218:&#x00DA; LATIN CAPITAL LETTER U WITH CIRCUMFLEX:'DB:219:&#x00DB; LATIN CAPITAL LETTER U WITH DIAERESIS:'DC:220:&#x00DC; LATIN CAPITAL LETTER Y WITH ACUTE:'DD:221:&#x00DD; LATIN CAPITAL LETTER THORN (ICELANDIC):'DE:222:&#x00DE; LATIN SMALL LETTER SHARP S (GERMAN):'DF:223:&#x00DF; LATIN SMALL LETTER A WITH GRAVE:'E0:224:&#x00E0; LATIN SMALL LETTER A WITH ACUTE:'E1:225:&#x00E1; LATIN SMALL LETTER A WITH CIRCUMFLEX:'E2:226:&#x00E2; LATIN SMALL LETTER A WITH TILDE:'E3:227:&#x00E3; LATIN SMALL LETTER A WITH DIAERESIS:'E4:228:&#x00E4; LATIN SMALL LETTER A WITH RING ABOVE:'E5:229:&#x00E5; LATIN SMALL LETTER AE:'E6:230:&#x00E6; LATIN SMALL LETTER C WITH CEDILLA:'E7:231:&#x00E7; LATIN SMALL LETTER E WITH GRAVE:'E8:232:&#x00E8; LATIN SMALL LETTER E WITH ACUTE:'E9:233:&#x00E9; LATIN SMALL LETTER E WITH CIRCUMFLEX:'EA:234:&#x00EA; LATIN SMALL LETTER E WITH DIAERESIS:'EB:235:&#x00EB; LATIN SMALL LETTER I WITH GRAVE:'EC:236:&#x00EC; LATIN SMALL LETTER I WITH ACUTE:'ED:237:&#x00ED; LATIN SMALL LETTER I WITH CIRCUMFLEX:'EE:238:&#x00EE; LATIN SMALL LETTER I WITH DIAERESIS:'EF:239:&#x00EF; LATIN SMALL LETTER ETH (ICELANDIC):'F0:240:&#x00F0; LATIN SMALL LETTER N WITH TILDE:'F1:241:&#x00F1; LATIN SMALL LETTER O WITH GRAVE:'F2:242:&#x00F2; LATIN SMALL LETTER O WITH ACUTE:'F3:243:&#x00F3; LATIN SMALL LETTER O WITH CIRCUMFLEX:'F4:244:&#x00F4; LATIN SMALL LETTER O WITH TILDE:'F5:245:&#x00F5; LATIN SMALL LETTER O WITH DIAERESIS:'F6:246:&#x00F6; DIVISION SIGN:'F7:247:&#x00F7; LATIN SMALL LETTER O WITH STROKE:'F8:248:&#x00F8; LATIN SMALL LETTER U WITH GRAVE:'F9:249:&#x00F9; LATIN SMALL LETTER U WITH ACUTE:'FA:250:&#x00FA; LATIN SMALL LETTER U WITH CIRCUMFLEX:'FB:251:&#x00FB; LATIN SMALL LETTER U WITH DIAERESIS:'FC:252:&#x00FC; LATIN SMALL LETTER Y WITH ACUTE:'FD:253:&#x00FD; LATIN SMALL LETTER THORN (ICELANDIC):'FE:254:&#x00FE; LATIN SMALL LETTER Y WITH DIAERESIS:'FF:255:&#x00FF; MY UNDEFINED SYMBOL:\'8D:141:<udef_symbol num="141"/> MY UNDEFINED SYMBOL:\'8E:142:<udef_symbol num="142"/> MY UNDEFINED SYMBOL:\'8F:143:<udef_symbol num="143"/> MY UNDEFINED SYMBOL:\'90:144:<udef_symbol num="144"/> MY UNDEFINED SYMBOL:\'9D:157:<udef_symbol num="157"/> MY UNDEFINED SYMBOL:\'9E:158:<udef_symbol num="158"/> </ansicpg1252> <ansicpg1253> SINGLE LOW-9 QUOTATION MARK:'82:8218:&#x201A; LATIN SMALL LETTER F WITH HOOK:'83:402:&#x0192; DOUBLE LOW-9 QUOTATION MARK:'84:8222:&#x201E; HORIZONTAL ELLIPSIS:'85:8230:&#x2026; DAGGER:'86:8224:&#x2020; DOUBLE DAGGER:'87:8225:&#x2021; PER MILLE SIGN:'89:8240:&#x2030; SINGLE LEFT-POINTING ANGLE QUOTATION MARK:'8B:8249:&#x2039; LEFT SINGLE QUOTATION MARK:'91:8216:&#x2018; RIGHT SINGLE QUOTATION MARK:'92:8217:&#x2019; LEFT DOUBLE QUOTATION MARK:'93:8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:'94:8221:&#x201D; BULLET:'95:8226:&#x2022; EN DASH:'96:8211:&#x2013; EM DASH:'97:8212:&#x2014; TRADE MARK SIGN:'99:8482:&#x2122; SINGLE RIGHT-POINTING ANGLE QUOTATION MARK:'9B:8250:&#x203A; NO-BREAK SPACE:'A0:160:&#x00A0; GREEK DIALYTIKA TONOS:'A1:901:&#x0385; GREEK CAPITAL LETTER ALPHA WITH TONOS:'A2:902:&#x0386; POUND SIGN:'A3:163:&#x00A3; CURRENCY SIGN:'A4:164:&#x00A4; YEN SIGN:'A5:165:&#x00A5; BROKEN BAR:'A6:166:&#x00A6; SECTION SIGN:'A7:167:&#x00A7; DIAERESIS:'A8:168:&#x00A8; COPYRIGHT SIGN:'A9:169:&#x00A9; LEFT-POINTING DOUBLE ANGLE QUOTATION MARK:'AB:171:&#x00AB; NOT SIGN:'AC:172:&#x00AC; SOFT HYPHEN:'AD:173:&#x00AD; REGISTERED SIGN:'AE:174:&#x00AE; HORIZONTAL BAR:'AF:8213:&#x2015; DEGREE SIGN:'B0:176:&#x00B0; PLUS-MINUS SIGN:'B1:177:&#x00B1; SUPERSCRIPT TWO:'B2:178:&#x00B2; SUPERSCRIPT THREE:'B3:179:&#x00B3; GREEK TONOS:'B4:900:&#x0384; MICRO SIGN:'B5:181:&#x00B5; PILCROW SIGN:'B6:182:&#x00B6; MIDDLE DOT:'B7:183:&#x00B7; GREEK CAPITAL LETTER EPSILON WITH TONOS:'B8:904:&#x0388; GREEK CAPITAL LETTER ETA WITH TONOS:'B9:905:&#x0389; GREEK CAPITAL LETTER IOTA WITH TONOS:'BA:906:&#x038A; RIGHT-POINTING DOUBLE ANGLE QUOTATION MARK:'BB:187:&#x00BB; GREEK CAPITAL LETTER OMICRON WITH TONOS:'BC:908:&#x038C; VULGAR FRACTION ONE HALF:'BD:189:&#x00BD; GREEK CAPITAL LETTER UPSILON WITH TONOS:'BE:910:&#x038E; GREEK CAPITAL LETTER OMEGA WITH TONOS:'BF:911:&#x038F; GREEK SMALL LETTER IOTA WITH DIALYTIKA AND TONOS:'C0:912:&#x0390; GREEK CAPITAL LETTER ALPHA:'C1:913:&#x0391; GREEK CAPITAL LETTER BETA:'C2:914:&#x0392; GREEK CAPITAL LETTER GAMMA:'C3:915:&#x0393; GREEK CAPITAL LETTER DELTA:'C4:916:&#x0394; GREEK CAPITAL LETTER EPSILON:'C5:917:&#x0395; GREEK CAPITAL LETTER ZETA:'C6:918:&#x0396; GREEK CAPITAL LETTER ETA:'C7:919:&#x0397; GREEK CAPITAL LETTER THETA:'C8:920:&#x0398; GREEK CAPITAL LETTER IOTA:'C9:921:&#x0399; GREEK CAPITAL LETTER KAPPA:'CA:922:&#x039A; GREEK CAPITAL LETTER LAMDA:'CB:923:&#x039B; GREEK CAPITAL LETTER MU:'CC:924:&#x039C; GREEK CAPITAL LETTER NU:'CD:925:&#x039D; GREEK CAPITAL LETTER XI:'CE:926:&#x039E; GREEK CAPITAL LETTER OMICRON:'CF:927:&#x039F; GREEK CAPITAL LETTER PI:'D0:928:&#x03A0; GREEK CAPITAL LETTER RHO:'D1:929:&#x03A1; GREEK CAPITAL LETTER SIGMA:'D3:931:&#x03A3; GREEK CAPITAL LETTER TAU:'D4:932:&#x03A4; GREEK CAPITAL LETTER UPSILON:'D5:933:&#x03A5; GREEK CAPITAL LETTER PHI:'D6:934:&#x03A6; GREEK CAPITAL LETTER CHI:'D7:935:&#x03A7; GREEK CAPITAL LETTER PSI:'D8:936:&#x03A8; GREEK CAPITAL LETTER OMEGA:'D9:937:&#x03A9; GREEK CAPITAL LETTER IOTA WITH DIALYTIKA:'DA:938:&#x03AA; GREEK CAPITAL LETTER UPSILON WITH DIALYTIKA:'DB:939:&#x03AB; GREEK SMALL LETTER ALPHA WITH TONOS:'DC:940:&#x03AC; GREEK SMALL LETTER EPSILON WITH TONOS:'DD:941:&#x03AD; GREEK SMALL LETTER ETA WITH TONOS:'DE:942:&#x03AE; GREEK SMALL LETTER IOTA WITH TONOS:'DF:943:&#x03AF; GREEK SMALL LETTER UPSILON WITH DIALYTIKA AND TONOS:'E0:944:&#x03B0; GREEK SMALL LETTER ALPHA:'E1:945:&#x03B1; GREEK SMALL LETTER BETA:'E2:946:&#x03B2; GREEK SMALL LETTER GAMMA:'E3:947:&#x03B3; GREEK SMALL LETTER DELTA:'E4:948:&#x03B4; GREEK SMALL LETTER EPSILON:'E5:949:&#x03B5; GREEK SMALL LETTER ZETA:'E6:950:&#x03B6; GREEK SMALL LETTER ETA:'E7:951:&#x03B7; GREEK SMALL LETTER THETA:'E8:952:&#x03B8; GREEK SMALL LETTER IOTA:'E9:953:&#x03B9; GREEK SMALL LETTER KAPPA:'EA:954:&#x03BA; GREEK SMALL LETTER LAMDA:'EB:955:&#x03BB; GREEK SMALL LETTER MU:'EC:956:&#x03BC; GREEK SMALL LETTER NU:'ED:957:&#x03BD; GREEK SMALL LETTER XI:'EE:958:&#x03BE; GREEK SMALL LETTER OMICRON:'EF:959:&#x03BF; GREEK SMALL LETTER PI:'F0:960:&#x03C0; GREEK SMALL LETTER RHO:'F1:961:&#x03C1; GREEK SMALL LETTER FINAL SIGMA:'F2:962:&#x03C2; GREEK SMALL LETTER SIGMA:'F3:963:&#x03C3; GREEK SMALL LETTER TAU:'F4:964:&#x03C4; GREEK SMALL LETTER UPSILON:'F5:965:&#x03C5; GREEK SMALL LETTER PHI:'F6:966:&#x03C6; GREEK SMALL LETTER CHI:'F7:967:&#x03C7; GREEK SMALL LETTER PSI:'F8:968:&#x03C8; GREEK SMALL LETTER OMEGA:'F9:969:&#x03C9; GREEK SMALL LETTER IOTA WITH DIALYTIKA:'FA:970:&#x03CA; GREEK SMALL LETTER UPSILON WITH DIALYTIKA:'FB:971:&#x03CB; GREEK SMALL LETTER OMICRON WITH TONOS:'FC:972:&#x03CC; GREEK SMALL LETTER UPSILON WITH TONOS:'FD:973:&#x03CD; GREEK SMALL LETTER OMEGA WITH TONOS:'FE:974:&#x03CE; </ansicpg1253> <ansicpg1254> SINGLE LOW-9 QUOTATION MARK:'82:8218:&#x201A; LATIN SMALL LETTER F WITH HOOK:'83:402:&#x0192; DOUBLE LOW-9 QUOTATION MARK:'84:8222:&#x201E; HORIZONTAL ELLIPSIS:'85:8230:&#x2026; DAGGER:'86:8224:&#x2020; DOUBLE DAGGER:'87:8225:&#x2021; MODIFIER LETTER CIRCUMFLEX ACCENT:'88:710:&#x02C6; PER MILLE SIGN:'89:8240:&#x2030; LATIN CAPITAL LETTER S WITH CARON:'8A:352:&#x0160; SINGLE LEFT-POINTING ANGLE QUOTATION MARK:'8B:8249:&#x2039; LATIN CAPITAL LIGATURE OE:'8C:338:&#x0152; LEFT SINGLE QUOTATION MARK:'91:8216:&#x2018; RIGHT SINGLE QUOTATION MARK:'92:8217:&#x2019; LEFT DOUBLE QUOTATION MARK:'93:8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:'94:8221:&#x201D; BULLET:'95:8226:&#x2022; EN DASH:'96:8211:&#x2013; EM DASH:'97:8212:&#x2014; SMALL TILDE:'98:732:&#x02DC; TRADE MARK SIGN:'99:8482:&#x2122; LATIN SMALL LETTER S WITH CARON:'9A:353:&#x0161; SINGLE RIGHT-POINTING ANGLE QUOTATION MARK:'9B:8250:&#x203A; LATIN SMALL LIGATURE OE:'9C:339:&#x0153; LATIN CAPITAL LETTER Y WITH DIAERESIS:'9F:376:&#x0178; NO-BREAK SPACE:'A0:160:&#x00A0; INVERTED EXCLAMATION MARK:'A1:161:&#x00A1; CENT SIGN:'A2:162:&#x00A2; POUND SIGN:'A3:163:&#x00A3; CURRENCY SIGN:'A4:164:&#x00A4; YEN SIGN:'A5:165:&#x00A5; BROKEN BAR:'A6:166:&#x00A6; SECTION SIGN:'A7:167:&#x00A7; DIAERESIS:'A8:168:&#x00A8; COPYRIGHT SIGN:'A9:169:&#x00A9; FEMININE ORDINAL INDICATOR:'AA:170:&#x00AA; LEFT-POINTING DOUBLE ANGLE QUOTATION MARK:'AB:171:&#x00AB; NOT SIGN:'AC:172:&#x00AC; SOFT HYPHEN:'AD:173:&#x00AD; REGISTERED SIGN:'AE:174:&#x00AE; MACRON:'AF:175:&#x00AF; DEGREE SIGN:'B0:176:&#x00B0; PLUS-MINUS SIGN:'B1:177:&#x00B1; SUPERSCRIPT TWO:'B2:178:&#x00B2; SUPERSCRIPT THREE:'B3:179:&#x00B3; ACUTE ACCENT:'B4:180:&#x00B4; MICRO SIGN:'B5:181:&#x00B5; PILCROW SIGN:'B6:182:&#x00B6; MIDDLE DOT:'B7:183:&#x00B7; CEDILLA:'B8:184:&#x00B8; SUPERSCRIPT ONE:'B9:185:&#x00B9; MASCULINE ORDINAL INDICATOR:'BA:186:&#x00BA; RIGHT-POINTING DOUBLE ANGLE QUOTATION MARK:'BB:187:&#x00BB; VULGAR FRACTION ONE QUARTER:'BC:188:&#x00BC; VULGAR FRACTION ONE HALF:'BD:189:&#x00BD; VULGAR FRACTION THREE QUARTERS:'BE:190:&#x00BE; INVERTED QUESTION MARK:'BF:191:&#x00BF; LATIN CAPITAL LETTER A WITH GRAVE:'C0:192:&#x00C0; LATIN CAPITAL LETTER A WITH ACUTE:'C1:193:&#x00C1; LATIN CAPITAL LETTER A WITH CIRCUMFLEX:'C2:194:&#x00C2; LATIN CAPITAL LETTER A WITH TILDE:'C3:195:&#x00C3; LATIN CAPITAL LETTER A WITH DIAERESIS:'C4:196:&#x00C4; LATIN CAPITAL LETTER A WITH RING ABOVE:'C5:197:&#x00C5; LATIN CAPITAL LETTER AE:'C6:198:&#x00C6; LATIN CAPITAL LETTER C WITH CEDILLA:'C7:199:&#x00C7; LATIN CAPITAL LETTER E WITH GRAVE:'C8:200:&#x00C8; LATIN CAPITAL LETTER E WITH ACUTE:'C9:201:&#x00C9; LATIN CAPITAL LETTER E WITH CIRCUMFLEX:'CA:202:&#x00CA; LATIN CAPITAL LETTER E WITH DIAERESIS:'CB:203:&#x00CB; LATIN CAPITAL LETTER I WITH GRAVE:'CC:204:&#x00CC; LATIN CAPITAL LETTER I WITH ACUTE:'CD:205:&#x00CD; LATIN CAPITAL LETTER I WITH CIRCUMFLEX:'CE:206:&#x00CE; LATIN CAPITAL LETTER I WITH DIAERESIS:'CF:207:&#x00CF; LATIN CAPITAL LETTER G WITH BREVE:'D0:286:&#x011E; LATIN CAPITAL LETTER N WITH TILDE:'D1:209:&#x00D1; LATIN CAPITAL LETTER O WITH GRAVE:'D2:210:&#x00D2; LATIN CAPITAL LETTER O WITH ACUTE:'D3:211:&#x00D3; LATIN CAPITAL LETTER O WITH CIRCUMFLEX:'D4:212:&#x00D4; LATIN CAPITAL LETTER O WITH TILDE:'D5:213:&#x00D5; LATIN CAPITAL LETTER O WITH DIAERESIS:'D6:214:&#x00D6; MULTIPLICATION SIGN:'D7:215:&#x00D7; LATIN CAPITAL LETTER O WITH STROKE:'D8:216:&#x00D8; LATIN CAPITAL LETTER U WITH GRAVE:'D9:217:&#x00D9; LATIN CAPITAL LETTER U WITH ACUTE:'DA:218:&#x00DA; LATIN CAPITAL LETTER U WITH CIRCUMFLEX:'DB:219:&#x00DB; LATIN CAPITAL LETTER U WITH DIAERESIS:'DC:220:&#x00DC; LATIN CAPITAL LETTER I WITH DOT ABOVE:'DD:304:&#x0130; LATIN CAPITAL LETTER S WITH CEDILLA:'DE:350:&#x015E; LATIN SMALL LETTER SHARP S (GERMAN):'DF:223:&#x00DF; LATIN SMALL LETTER A WITH GRAVE:'E0:224:&#x00E0; LATIN SMALL LETTER A WITH ACUTE:'E1:225:&#x00E1; LATIN SMALL LETTER A WITH CIRCUMFLEX:'E2:226:&#x00E2; LATIN SMALL LETTER A WITH TILDE:'E3:227:&#x00E3; LATIN SMALL LETTER A WITH DIAERESIS:'E4:228:&#x00E4; LATIN SMALL LETTER A WITH RING ABOVE:'E5:229:&#x00E5; LATIN SMALL LETTER AE:'E6:230:&#x00E6; LATIN SMALL LETTER C WITH CEDILLA:'E7:231:&#x00E7; LATIN SMALL LETTER E WITH GRAVE:'E8:232:&#x00E8; LATIN SMALL LETTER E WITH ACUTE:'E9:233:&#x00E9; LATIN SMALL LETTER E WITH OGONEK:'EA:281:&#x0119; LATIN SMALL LETTER E WITH DIAERESIS:'EB:235:&#x00EB; LATIN SMALL LETTER E WITH DOT ABOVE:'EC:279:&#x0117; LATIN SMALL LETTER I WITH ACUTE:'ED:237:&#x00ED; LATIN SMALL LETTER I WITH CIRCUMFLEX:'EE:238:&#x00EE; LATIN SMALL LETTER I WITH MACRON:'EF:299:&#x012B; LATIN SMALL LETTER G WITH BREVE:'F0:287:&#x011F; LATIN SMALL LETTER N WITH TILDE:'F1:241:&#x00F1; LATIN SMALL LETTER O WITH GRAVE:'F2:242:&#x00F2; LATIN SMALL LETTER O WITH ACUTE:'F3:243:&#x00F3; LATIN SMALL LETTER O WITH CIRCUMFLEX:'F4:244:&#x00F4; LATIN SMALL LETTER O WITH TILDE:'F5:245:&#x00F5; LATIN SMALL LETTER O WITH DIAERESIS:'F6:246:&#x00F6; DIVISION SIGN:'F7:247:&#x00F7; LATIN SMALL LETTER O WITH STROKE:'F8:248:&#x00F8; LATIN SMALL LETTER U WITH GRAVE:'F9:249:&#x00F9; LATIN SMALL LETTER U WITH ACUTE:'FA:250:&#x00FA; LATIN SMALL LETTER U WITH CIRCUMFLEX:'FB:251:&#x00FB; LATIN SMALL LETTER U WITH DIAERESIS:'FC:252:&#x00FC; LATIN SMALL LETTER DOTLESS I:'FD:305:&#x0131; LATIN SMALL LETTER S WITH CEDILLA:'FE:351:&#x015F; LATIN SMALL LETTER Y WITH DIAERESIS:'FF:255:&#x00FF; </ansicpg1254> <ansicpg1255> SINGLE LOW-9 QUOTATION MARK:'82:8218:&#x201A; LATIN SMALL LETTER F WITH HOOK:'83:402:&#x0192; DOUBLE LOW-9 QUOTATION MARK:'84:8222:&#x201E; HORIZONTAL ELLIPSIS:'85:8230:&#x2026; DAGGER:'86:8224:&#x2020; DOUBLE DAGGER:'87:8225:&#x2021; PER MILLE SIGN:'89:8240:&#x2030; SINGLE LEFT-POINTING ANGLE QUOTATION MARK:'8B:8249:&#x2039; LEFT SINGLE QUOTATION MARK:'91:8216:&#x2018; RIGHT SINGLE QUOTATION MARK:'92:8217:&#x2019; LEFT DOUBLE QUOTATION MARK:'93:8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:'94:8221:&#x201D; BULLET:'95:8226:&#x2022; EN DASH:'96:8211:&#x2013; EM DASH:'97:8212:&#x2014; TRADE MARK SIGN:'99:8482:&#x2122; SINGLE RIGHT-POINTING ANGLE QUOTATION MARK:'9B:8250:&#x203A; NO-BREAK SPACE:'A0:160:&#x00A0; CENT SIGN:'A2:162:&#x00A2; POUND SIGN:'A3:163:&#x00A3; CURRENCY SIGN:'A4:164:&#x00A4; YEN SIGN:'A5:165:&#x00A5; BROKEN BAR:'A6:166:&#x00A6; SECTION SIGN:'A7:167:&#x00A7; DIAERESIS:'A8:168:&#x00A8; COPYRIGHT SIGN:'A9:169:&#x00A9; MULTIPLICATION SIGN:'AA:215:&#x00D7; LEFT-POINTING DOUBLE ANGLE QUOTATION MARK:'AB:171:&#x00AB; NOT SIGN:'AC:172:&#x00AC; SOFT HYPHEN:'AD:173:&#x00AD; REGISTERED SIGN:'AE:174:&#x00AE; OVERLINE:'AF:8254:&#x203E; DEGREE SIGN:'B0:176:&#x00B0; PLUS-MINUS SIGN:'B1:177:&#x00B1; SUPERSCRIPT TWO:'B2:178:&#x00B2; SUPERSCRIPT THREE:'B3:179:&#x00B3; ACUTE ACCENT:'B4:180:&#x00B4; MICRO SIGN:'B5:181:&#x00B5; PILCROW SIGN:'B6:182:&#x00B6; MIDDLE DOT:'B7:183:&#x00B7; CEDILLA:'B8:184:&#x00B8; SUPERSCRIPT ONE:'B9:185:&#x00B9; DIVISION SIGN:'BA:247:&#x00F7; RIGHT-POINTING DOUBLE ANGLE QUOTATION MARK:'BB:187:&#x00BB; VULGAR FRACTION ONE QUARTER:'BC:188:&#x00BC; VULGAR FRACTION ONE HALF:'BD:189:&#x00BD; VULGAR FRACTION THREE QUARTERS:'BE:190:&#x00BE; DOUBLE LOW LINE:'DF:8215:&#x2017; HEBREW LETTER ALEF:'E0:1488:&#x05D0; HEBREW LETTER BET:'E1:1489:&#x05D1; HEBREW LETTER GIMEL:'E2:1490:&#x05D2; HEBREW LETTER DALET:'E3:1491:&#x05D3; HEBREW LETTER HE:'E4:1492:&#x05D4; HEBREW LETTER VAV:'E5:1493:&#x05D5; HEBREW LETTER ZAYIN:'E6:1494:&#x05D6; HEBREW LETTER HET:'E7:1495:&#x05D7; HEBREW LETTER TET:'E8:1496:&#x05D8; HEBREW LETTER YOD:'E9:1497:&#x05D9; HEBREW LETTER FINAL KAF:'EA:1498:&#x05DA; HEBREW LETTER KAF:'EB:1499:&#x05DB; HEBREW LETTER LAMED:'EC:1500:&#x05DC; HEBREW LETTER FINAL MEM:'ED:1501:&#x05DD; HEBREW LETTER MEM:'EE:1502:&#x05DE; HEBREW LETTER FINAL NUN:'EF:1503:&#x05DF; HEBREW LETTER NUN:'F0:1504:&#x05E0; HEBREW LETTER SAMEKH:'F1:1505:&#x05E1; HEBREW LETTER AYIN:'F2:1506:&#x05E2; HEBREW LETTER FINAL PE:'F3:1507:&#x05E3; HEBREW LETTER PE:'F4:1508:&#x05E4; HEBREW LETTER FINAL TSADI:'F5:1509:&#x05E5; HEBREW LETTER TSADI:'F6:1510:&#x05E6; HEBREW LETTER QOF:'F7:1511:&#x05E7; HEBREW LETTER RESH:'F8:1512:&#x05E8; HEBREW LETTER SHIN:'F9:1513:&#x05E9; HEBREW LETTER TAV:'FA:1514:&#x05EA; LEFT-TO-RIGHT MARK:'FD:8206:&#x200E; RIGHT-TO-LEFT MARK:'FE:8207:&#x200F; NUL:'00:0:&#x0000; </ansicpg1255> <ansicpg1256> ARABIC COMMA:'80:1548:&#x060C; ARABIC-INDIC DIGIT ZERO:'81:1632:&#x0660; SINGLE LOW-9 QUOTATION MARK:'82:8218:&#x201A; ARABIC-INDIC DIGIT ONE:'83:1633:&#x0661; DOUBLE LOW-9 QUOTATION MARK:'84:8222:&#x201E; HORIZONTAL ELLIPSIS:'85:8230:&#x2026; DAGGER:'86:8224:&#x2020; DOUBLE DAGGER:'87:8225:&#x2021; ARABIC-INDIC DIGIT TWO:'88:1634:&#x0662; ARABIC-INDIC DIGIT THREE:'89:1635:&#x0663; ARABIC-INDIC DIGIT FOUR:'8A:1636:&#x0664; SINGLE LEFT-POINTING ANGLE QUOTATION MARK:'8B:8249:&#x2039; ARABIC-INDIC DIGIT FIVE:'8C:1637:&#x0665; ARABIC-INDIC DIGIT SIX:'8D:1638:&#x0666; ARABIC-INDIC DIGIT SEVEN:'8E:1639:&#x0667; ARABIC-INDIC DIGIT EIGHT:'8F:1640:&#x0668; ARABIC-INDIC DIGIT NINE:'90:1641:&#x0669; LEFT SINGLE QUOTATION MARK:'91:8216:&#x2018; RIGHT SINGLE QUOTATION MARK:'92:8217:&#x2019; LEFT DOUBLE QUOTATION MARK:'93:8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:'94:8221:&#x201D; BULLET:'95:8226:&#x2022; EN DASH:'96:8211:&#x2013; EM DASH:'97:8212:&#x2014; ARABIC SEMICOLON:'98:1563:&#x061B; TRADE MARK SIGN:'99:8482:&#x2122; ARABIC QUESTION MARK:'9A:1567:&#x061F; SINGLE RIGHT-POINTING ANGLE QUOTATION MARK:'9B:8250:&#x203A; ARABIC LETTER HAMZA:'9C:1569:&#x0621; ARABIC LETTER ALEF WITH MADDA ABOVE:'9D:1570:&#x0622; ARABIC LETTER ALEF WITH HAMZA ABOVE:'9E:1571:&#x0623; LATIN CAPITAL LETTER Y WITH DIAERESIS:'9F:376:&#x0178; NO-BREAK SPACE:'A0:160:&#x00A0; ARABIC LETTER WAW WITH HAMZA ABOVE:'A1:1572:&#x0624; ARABIC LETTER ALEF WITH HAMZA BELOW:'A2:1573:&#x0625; POUND SIGN:'A3:163:&#x00A3; CURRENCY SIGN:'A4:164:&#x00A4; ARABIC LETTER YEH WITH HAMZA ABOVE:'A5:1574:&#x0626; BROKEN BAR:'A6:166:&#x00A6; SECTION SIGN:'A7:167:&#x00A7; ARABIC LETTER ALEF:'A8:1575:&#x0627; COPYRIGHT SIGN:'A9:169:&#x00A9; ARABIC LETTER BEH:'AA:1576:&#x0628; LEFT-POINTING DOUBLE ANGLE QUOTATION MARK:'AB:171:&#x00AB; NOT SIGN:'AC:172:&#x00AC; SOFT HYPHEN:'AD:173:&#x00AD; REGISTERED SIGN:'AE:174:&#x00AE; ARABIC LETTER PEH:'AF:1662:&#x067E; DEGREE SIGN:'B0:176:&#x00B0; PLUS-MINUS SIGN:'B1:177:&#x00B1; ARABIC LETTER TEH MARBUTA:'B2:1577:&#x0629; ARABIC LETTER TEH:'B3:1578:&#x062A; ARABIC LETTER THEH:'B4:1579:&#x062B; MICRO SIGN:'B5:181:&#x00B5; PILCROW SIGN:'B6:182:&#x00B6; MIDDLE DOT:'B7:183:&#x00B7; ARABIC LETTER JEEM:'B8:1580:&#x062C; ARABIC LETTER TCHEH:'B9:1670:&#x0686; ARABIC LETTER HAH:'BA:1581:&#x062D; RIGHT-POINTING DOUBLE ANGLE QUOTATION MARK:'BB:187:&#x00BB; ARABIC LETTER KHAH:'BC:1582:&#x062E; ARABIC LETTER DAL:'BD:1583:&#x062F; ARABIC LETTER THAL:'BE:1584:&#x0630; ARABIC LETTER REH:'BF:1585:&#x0631; LATIN CAPITAL LETTER A WITH GRAVE:'C0:192:&#x00C0; ARABIC LETTER ZAIN:'C1:1586:&#x0632; LATIN CAPITAL LETTER A WITH CIRCUMFLEX:'C2:194:&#x00C2; ARABIC LETTER JEH:'C3:1688:&#x0698; ARABIC LETTER SEEN:'C4:1587:&#x0633; ARABIC LETTER SHEEN:'C5:1588:&#x0634; ARABIC LETTER SAD:'C6:1589:&#x0635; LATIN CAPITAL LETTER C WITH CEDILLA:'C7:199:&#x00C7; LATIN CAPITAL LETTER E WITH GRAVE:'C8:200:&#x00C8; LATIN CAPITAL LETTER E WITH ACUTE:'C9:201:&#x00C9; LATIN CAPITAL LETTER E WITH CIRCUMFLEX:'CA:202:&#x00CA; LATIN CAPITAL LETTER E WITH DIAERESIS:'CB:203:&#x00CB; ARABIC LETTER DAD:'CC:1590:&#x0636; ARABIC LETTER TAH:'CD:1591:&#x0637; LATIN CAPITAL LETTER I WITH CIRCUMFLEX:'CE:206:&#x00CE; LATIN CAPITAL LETTER I WITH DIAERESIS:'CF:207:&#x00CF; BOPOMOFO LETTER ZH:'D0:12563:&#x3113; ARABIC LETTER AIN:'D1:1593:&#x0639; ARABIC LETTER GHAIN:'D2:1594:&#x063A; ARABIC TATWEEL:'D3:1600:&#x0640; LATIN CAPITAL LETTER O WITH CIRCUMFLEX:'D4:212:&#x00D4; ARABIC LETTER FEH:'D5:1601:&#x0641; ARABIC LETTER QAF:'D6:1602:&#x0642; MULTIPLICATION SIGN:'D7:215:&#x00D7; ARABIC LETTER KAF:'D8:1603:&#x0643; LATIN CAPITAL LETTER U WITH GRAVE:'D9:217:&#x00D9; ARABIC LETTER GAF:'DA:1711:&#x06AF; LATIN CAPITAL LETTER U WITH CIRCUMFLEX:'DB:219:&#x00DB; LATIN CAPITAL LETTER U WITH DIAERESIS:'DC:220:&#x00DC; ARABIC LETTER LAM:'DD:1604:&#x0644; ARABIC LETTER MEEM:'DE:1605:&#x0645; ARABIC LETTER NOON:'DF:1606:&#x0646; LATIN SMALL LETTER A WITH GRAVE:'E0:224:&#x00E0; ARABIC LETTER HEH:'E1:1607:&#x0647; LATIN SMALL LETTER A WITH CIRCUMFLEX:'E2:226:&#x00E2; ARABIC LETTER HAH WITH HAMZA ABOVE:'E3:1665:&#x0681; ARABIC LETTER WAW:'E4:1608:&#x0648; ARABIC LETTER ALEF MAKSURA:'E5:1609:&#x0649; ARABIC LETTER YEH:'E6:1610:&#x064A; LATIN SMALL LETTER C WITH CEDILLA:'E7:231:&#x00E7; LATIN SMALL LETTER E WITH GRAVE:'E8:232:&#x00E8; LATIN SMALL LETTER E WITH ACUTE:'E9:233:&#x00E9; LATIN SMALL LETTER E WITH CIRCUMFLEX:'EA:234:&#x00EA; LATIN SMALL LETTER E WITH DIAERESIS:'EB:235:&#x00EB; ARABIC FATHATAN:'EC:1611:&#x064B; ARABIC DAMMATAN:'ED:1612:&#x064C; LATIN SMALL LETTER I WITH CIRCUMFLEX:'EE:238:&#x00EE; LATIN SMALL LETTER I WITH DIAERESIS:'EF:239:&#x00EF; ARABIC KASRATAN:'F0:1613:&#x064D; ARABIC FATHA:'F1:1614:&#x064E; ARABIC DAMMA:'F2:1615:&#x064F; ARABIC KASRA:'F3:1616:&#x0650; LATIN SMALL LETTER O WITH CIRCUMFLEX:'F4:244:&#x00F4; ARABIC SHADDA:'F5:1617:&#x0651; ARABIC SUKUN:'F6:1618:&#x0652; DIVISION SIGN:'F7:247:&#x00F7; LATIN SMALL LETTER U WITH GRAVE:'F9:249:&#x00F9; LATIN SMALL LETTER U WITH CIRCUMFLEX:'FB:251:&#x00FB; LATIN SMALL LETTER U WITH DIAERESIS:'FC:252:&#x00FC; LEFT-TO-RIGHT MARK:'FD:8206:&#x200E; RIGHT-TO-LEFT MARK:'FE:8207:&#x200F; LATIN SMALL LETTER Y WITH DIAERESIS:'FF:255:&#x00FF; </ansicpg1256> <ansicpg1257> SINGLE LOW-9 QUOTATION MARK:'82:8218:&#x201A; DOUBLE LOW-9 QUOTATION MARK:'84:8222:&#x201E; HORIZONTAL ELLIPSIS:'85:8230:&#x2026; DAGGER:'86:8224:&#x2020; DOUBLE DAGGER:'87:8225:&#x2021; PER MILLE SIGN:'89:8240:&#x2030; SINGLE LEFT-POINTING ANGLE QUOTATION MARK:'8B:8249:&#x2039; LEFT SINGLE QUOTATION MARK:'91:8216:&#x2018; RIGHT SINGLE QUOTATION MARK:'92:8217:&#x2019; LEFT DOUBLE QUOTATION MARK:'93:8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:'94:8221:&#x201D; BULLET:'95:8226:&#x2022; EN DASH:'96:8211:&#x2013; EM DASH:'97:8212:&#x2014; TRADE MARK SIGN:'99:8482:&#x2122; SINGLE RIGHT-POINTING ANGLE QUOTATION MARK:'9B:8250:&#x203A; NO-BREAK SPACE:'A0:160:&#x00A0; CENT SIGN:'A2:162:&#x00A2; POUND SIGN:'A3:163:&#x00A3; CURRENCY SIGN:'A4:164:&#x00A4; BROKEN BAR:'A6:166:&#x00A6; SECTION SIGN:'A7:167:&#x00A7; LATIN CAPITAL LETTER O WITH STROKE:'A8:216:&#x00D8; COPYRIGHT SIGN:'A9:169:&#x00A9; LATIN CAPITAL LETTER R WITH CEDILLA:'AA:342:&#x0156; LEFT-POINTING DOUBLE ANGLE QUOTATION MARK:'AB:171:&#x00AB; NOT SIGN:'AC:172:&#x00AC; SOFT HYPHEN:'AD:173:&#x00AD; REGISTERED SIGN:'AE:174:&#x00AE; LATIN CAPITAL LETTER AE:'AF:198:&#x00C6; DEGREE SIGN:'B0:176:&#x00B0; PLUS-MINUS SIGN:'B1:177:&#x00B1; SUPERSCRIPT TWO:'B2:178:&#x00B2; SUPERSCRIPT THREE:'B3:179:&#x00B3; MICRO SIGN:'B5:181:&#x00B5; PILCROW SIGN:'B6:182:&#x00B6; MIDDLE DOT:'B7:183:&#x00B7; LATIN SMALL LETTER O WITH STROKE:'B8:248:&#x00F8; SUPERSCRIPT ONE:'B9:185:&#x00B9; LATIN SMALL LETTER R WITH CEDILLA:'BA:343:&#x0157; RIGHT-POINTING DOUBLE ANGLE QUOTATION MARK:'BB:187:&#x00BB; VULGAR FRACTION ONE QUARTER:'BC:188:&#x00BC; VULGAR FRACTION ONE HALF:'BD:189:&#x00BD; VULGAR FRACTION THREE QUARTERS:'BE:190:&#x00BE; LATIN SMALL LETTER AE:'BF:230:&#x00E6; LATIN CAPITAL LETTER A WITH OGONEK:'C0:260:&#x0104; LATIN CAPITAL LETTER I WITH OGONEK:'C1:302:&#x012E; LATIN CAPITAL LETTER A WITH MACRON:'C2:256:&#x0100; LATIN CAPITAL LETTER C WITH ACUTE:'C3:262:&#x0106; LATIN CAPITAL LETTER A WITH DIAERESIS:'C4:196:&#x00C4; LATIN CAPITAL LETTER A WITH RING ABOVE:'C5:197:&#x00C5; LATIN CAPITAL LETTER E WITH OGONEK:'C6:280:&#x0118; LATIN CAPITAL LETTER E WITH MACRON:'C7:274:&#x0112; LATIN CAPITAL LETTER C WITH CARON:'C8:268:&#x010C; LATIN CAPITAL LETTER E WITH ACUTE:'C9:201:&#x00C9; LATIN CAPITAL LETTER Z WITH ACUTE:'CA:377:&#x0179; LATIN CAPITAL LETTER E WITH DOT ABOVE:'CB:278:&#x0116; LATIN CAPITAL LETTER G WITH CEDILLA:'CC:290:&#x0122; LATIN CAPITAL LETTER K WITH CEDILLA:'CD:310:&#x0136; LATIN CAPITAL LETTER I WITH MACRON:'CE:298:&#x012A; LATIN CAPITAL LETTER L WITH CEDILLA:'CF:315:&#x013B; LATIN CAPITAL LETTER S WITH CARON:'D0:352:&#x0160; LATIN CAPITAL LETTER N WITH ACUTE:'D1:323:&#x0143; LATIN CAPITAL LETTER N WITH CEDILLA:'D2:325:&#x0145; LATIN CAPITAL LETTER O WITH ACUTE:'D3:211:&#x00D3; LATIN CAPITAL LETTER O WITH MACRON:'D4:332:&#x014C; LATIN CAPITAL LETTER O WITH TILDE:'D5:213:&#x00D5; LATIN CAPITAL LETTER O WITH DIAERESIS:'D6:214:&#x00D6; MULTIPLICATION SIGN:'D7:215:&#x00D7; LATIN CAPITAL LETTER U WITH OGONEK:'D8:370:&#x0172; LATIN CAPITAL LETTER L WITH STROKE:'D9:321:&#x0141; LATIN CAPITAL LETTER S WITH ACUTE:'DA:346:&#x015A; LATIN CAPITAL LETTER U WITH MACRON:'DB:362:&#x016A; LATIN CAPITAL LETTER U WITH DIAERESIS:'DC:220:&#x00DC; LATIN CAPITAL LETTER Z WITH DOT ABOVE:'DD:379:&#x017B; LATIN CAPITAL LETTER Z WITH CARON:'DE:381:&#x017D; LATIN SMALL LETTER SHARP S (GERMAN):'DF:223:&#x00DF; LATIN SMALL LETTER A WITH OGONEK:'E0:261:&#x0105; LATIN SMALL LETTER I WITH OGONEK:'E1:303:&#x012F; LATIN SMALL LETTER A WITH MACRON:'E2:257:&#x0101; LATIN SMALL LETTER C WITH ACUTE:'E3:263:&#x0107; LATIN SMALL LETTER A WITH DIAERESIS:'E4:228:&#x00E4; LATIN SMALL LETTER A WITH RING ABOVE:'E5:229:&#x00E5; LATIN SMALL LETTER E WITH OGONEK:'E6:281:&#x0119; LATIN SMALL LETTER E WITH MACRON:'E7:275:&#x0113; LATIN SMALL LETTER C WITH CARON:'E8:269:&#x010D; LATIN SMALL LETTER E WITH ACUTE:'E9:233:&#x00E9; LATIN SMALL LETTER Z WITH ACUTE:'EA:378:&#x017A; LATIN SMALL LETTER E WITH DOT ABOVE:'EB:279:&#x0117; LATIN SMALL LETTER G WITH CEDILLA:'EC:291:&#x0123; LATIN SMALL LETTER K WITH CEDILLA:'ED:311:&#x0137; LATIN SMALL LETTER I WITH MACRON:'EE:299:&#x012B; LATIN SMALL LETTER L WITH CEDILLA:'EF:316:&#x013C; LATIN SMALL LETTER S WITH CARON:'F0:353:&#x0161; LATIN SMALL LETTER N WITH ACUTE:'F1:324:&#x0144; LATIN SMALL LETTER N WITH CEDILLA:'F2:326:&#x0146; LATIN SMALL LETTER O WITH ACUTE:'F3:243:&#x00F3; LATIN SMALL LETTER O WITH MACRON:'F4:333:&#x014D; LATIN SMALL LETTER O WITH TILDE:'F5:245:&#x00F5; LATIN SMALL LETTER O WITH DIAERESIS:'F6:246:&#x00F6; DIVISION SIGN:'F7:247:&#x00F7; LATIN SMALL LETTER U WITH OGONEK:'F8:371:&#x0173; LATIN SMALL LETTER L WITH STROKE:'F9:322:&#x0142; LATIN SMALL LETTER S WITH ACUTE:'FA:347:&#x015B; LATIN SMALL LETTER U WITH MACRON:'FB:363:&#x016B; LATIN SMALL LETTER U WITH DIAERESIS:'FC:252:&#x00FC; LATIN SMALL LETTER Z WITH DOT ABOVE:'FD:380:&#x017C; LATIN SMALL LETTER Z WITH CARON:'FE:382:&#x017E; </ansicpg1257> #mac_roman <ansicpg10000> LATIN CAPITAL LETTER A WITH DIAERESIS:'80:196:&#x00C4; LATIN CAPITAL LETTER A WITH RING ABOVE:'81:197:&#x00C5; LATIN CAPITAL LETTER C WITH CEDILLA:'82:199:&#x00C7; LATIN CAPITAL LETTER E WITH ACUTE:'83:201:&#x00C9; LATIN CAPITAL LETTER N WITH TILDE:'84:209:&#x00D1; LATIN CAPITAL LETTER O WITH DIAERESIS:'85:214:&#x00D6; LATIN CAPITAL LETTER U WITH DIAERESIS:'86:220:&#x00DC; LATIN SMALL LETTER A WITH ACUTE:'87:225:&#x00E1; LATIN SMALL LETTER A WITH GRAVE:'88:224:&#x00E0; LATIN SMALL LETTER A WITH CIRCUMFLEX:'89:226:&#x00E2; LATIN SMALL LETTER A WITH DIAERESIS:'8A:228:&#x00E4; LATIN SMALL LETTER A WITH TILDE:'8B:227:&#x00E3; LATIN SMALL LETTER A WITH RING ABOVE:'8C:229:&#x00E5; LATIN SMALL LETTER C WITH CEDILLA:'8D:231:&#x00E7; LATIN SMALL LETTER E WITH ACUTE:'8E:233:&#x00E9; LATIN SMALL LETTER E WITH GRAVE:'8F:232:&#x00E8; LATIN SMALL LETTER E WITH CIRCUMFLEX:'90:234:&#x00EA; LATIN SMALL LETTER E WITH DIAERESIS:'91:235:&#x00EB; LATIN SMALL LETTER I WITH ACUTE:'92:237:&#x00ED; LATIN SMALL LETTER I WITH GRAVE:'93:236:&#x00EC; LATIN SMALL LETTER I WITH CIRCUMFLEX:'94:238:&#x00EE; LATIN SMALL LETTER I WITH DIAERESIS:'95:239:&#x00EF; LATIN SMALL LETTER N WITH TILDE:'96:241:&#x00F1; LATIN SMALL LETTER O WITH ACUTE:'97:243:&#x00F3; LATIN SMALL LETTER O WITH GRAVE:'98:242:&#x00F2; LATIN SMALL LETTER O WITH CIRCUMFLEX:'99:244:&#x00F4; LATIN SMALL LETTER O WITH DIAERESIS:'9A:246:&#x00F6; LATIN SMALL LETTER O WITH TILDE:'9B:245:&#x00F5; LATIN SMALL LETTER U WITH ACUTE:'9C:250:&#x00FA; LATIN SMALL LETTER U WITH GRAVE:'9D:249:&#x00F9; LATIN SMALL LETTER U WITH CIRCUMFLEX:'9E:251:&#x00FB; LATIN SMALL LETTER U WITH DIAERESIS:'9F:252:&#x00FC; DAGGER:'A0:8224:&#x2020; DEGREE SIGN:'A1:176:&#x00B0; CENT SIGN:'A2:162:&#x00A2; POUND SIGN:'A3:163:&#x00A3; SECTION SIGN:'A4:167:&#x00A7; BULLET:'A5:8226:&#x2022; PILCROW SIGN:'A6:182:&#x00B6; LATIN SMALL LETTER SHARP S:'A7:223:&#x00DF; REGISTERED SIGN:'A8:174:&#x00AE; COPYRIGHT SIGN:'A9:169:&#x00A9; TRADE MARK SIGN:'AA:8482:&#x2122; ACUTE ACCENT:'AB:180:&#x00B4; DIAERESIS:'AC:168:&#x00A8; NOT EQUAL TO:'AD:8800:&#x2260; LATIN CAPITAL LETTER AE:'AE:198:&#x00C6; LATIN CAPITAL LETTER O WITH STROKE:'AF:216:&#x00D8; INFINITY:'B0:8734:&#x221E; PLUS-MINUS SIGN:'B1:177:&#x00B1; LESS-THAN OR EQUAL TO:'B2:8804:&#x2264; GREATER-THAN OR EQUAL TO:'B3:8805:&#x2265; YEN SIGN:'B4:165:&#x00A5; MICRO SIGN:'B5:181:&#x00B5; PARTIAL DIFFERENTIAL:'B6:8706:&#x2202; BULLET:'B7:8226:&#x2022; N-ARY PRODUCT:'B8:8719:&#x220F; GREEK SMALL LETTER PI:'B9:960:&#x03C0; INTEGRAL:'BA:8747:&#x222B; FEMININE ORDINAL INDICATOR:'BB:170:&#x00AA; MASCULINE ORDINAL INDICATOR:'BC:186:&#x00BA; GREEK CAPITAL LETTER OMEGA:'BD:937:&#x03A9; LATIN SMALL LETTER AE:'BE:230:&#x00E6; LATIN SMALL LETTER O WITH STROKE:'BF:248:&#x00F8; INVERTED QUESTION MARK:'C0:191:&#x00BF; INVERTED EXCLAMATION MARK:'C1:161:&#x00A1; NOT SIGN:'C2:172:&#x00AC; SQUARE ROOT:'C3:8730:&#x221A; LATIN SMALL LETTER F WITH HOOK:'C4:402:&#x0192; ALMOST EQUAL TO:'C5:8776:&#x2248; INCREMENT:'C6:8710:&#x2206; LEFT-POINTING DOUBLE ANGLE QUOTATION MARK:'C7:171:&#x00AB; RIGHT-POINTING DOUBLE ANGLE QUOTATION MARK:'C8:187:&#x00BB; HORIZONTAL ELLIPSIS:'C9:8230:&#x2026; NO-BREAK SPACE:'CA:160:&#x00A0; LATIN CAPITAL LETTER A WITH GRAVE:'CB:192:&#x00C0; LATIN CAPITAL LETTER A WITH TILDE:'CC:195:&#x00C3; LATIN CAPITAL LETTER O WITH TILDE:'CD:213:&#x00D5; LATIN CAPITAL LIGATURE OE:'CE:338:&#x0152; LATIN SMALL LIGATURE OE:'CF:339:&#x0153; EN DASH:'D0:8211:&#x2013; EM DASH:'D1:8212:&#x2014; LEFT DOUBLE QUOTATION MARK:'D2:8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:'D3:8221:&#x201D; LEFT SINGLE QUOTATION MARK:'D4:8216:&#x2018; RIGHT SINGLE QUOTATION MARK:'D5:8217:&#x2019; DIVISION SIGN:'D6:247:&#x00F7; LOZENGE:'D7:9674:&#x25CA; LATIN SMALL LETTER Y WITH DIAERESIS:'D8:255:&#x00FF; LATIN CAPITAL LETTER Y WITH DIAERESIS:'D9:376:&#x0178; FRACTION SLASH:'DA:8260:&#x2044; EURO SIGN:'DB:8364:&#x20AC; SINGLE LEFT-POINTING ANGLE QUOTATION MARK:'DC:8249:&#x2039; SINGLE RIGHT-POINTING ANGLE QUOTATION MARK:'DD:8250:&#x203A; LATIN SMALL LIGATURE FI:'DE:64257:&#xFB01; LATIN SMALL LIGATURE FL:'DF:64258:&#xFB02; DOUBLE DAGGER:'E0:8225:&#x2021; MIDDLE DOT:'E1:183:&#x00B7; SINGLE LOW-9 QUOTATION MARK:'E2:8218:&#x201A; DOUBLE LOW-9 QUOTATION MARK:'E3:8222:&#x201E; PER MILLE SIGN:'E4:8240:&#x2030; LATIN CAPITAL LETTER A WITH CIRCUMFLEX:'E5:194:&#x00C2; LATIN CAPITAL LETTER E WITH CIRCUMFLEX:'E6:202:&#x00CA; LATIN CAPITAL LETTER A WITH ACUTE:'E7:193:&#x00C1; LATIN CAPITAL LETTER E WITH DIAERESIS:'E8:203:&#x00CB; LATIN CAPITAL LETTER E WITH GRAVE:'E9:200:&#x00C8; LATIN CAPITAL LETTER I WITH ACUTE:'EA:205:&#x00CD; LATIN CAPITAL LETTER I WITH CIRCUMFLEX:'EB:206:&#x00CE; LATIN CAPITAL LETTER I WITH DIAERESIS:'EC:207:&#x00CF; LATIN CAPITAL LETTER I WITH GRAVE:'ED:204:&#x00CC; LATIN CAPITAL LETTER O WITH ACUTE:'EE:211:&#x00D3; LATIN CAPITAL LETTER O WITH CIRCUMFLEX:'EF:212:&#x00D4; APPLE LOGO:'F0:63743:&#xF8FF; LATIN CAPITAL LETTER O WITH GRAVE:'F1:210:&#x00D2; LATIN CAPITAL LETTER U WITH ACUTE:'F2:218:&#x00DA; LATIN CAPITAL LETTER U WITH CIRCUMFLEX:'F3:219:&#x00DB; LATIN CAPITAL LETTER U WITH GRAVE:'F4:217:&#x00D9; LATIN SMALL LETTER DOTLESS I:'F5:305:&#x0131; MODIFIER LETTER CIRCUMFLEX ACCENT:'F6:710:&#x02C6; SMALL TILDE:'F7:732:&#x02DC; MACRON:'F8:175:&#x00AF; BREVE:'F9:728:&#x02D8; DOT ABOVE:'FA:729:&#x02D9; RING ABOVE:'FB:730:&#x02DA; CEDILLA:'FC:184:&#x00B8; DOUBLE ACUTE ACCENT:'FD:733:&#x02DD; OGONEK:'FE:731:&#x02DB; CARON:'FF:711:&#x02C7; </ansicpg10000> <caps_hex> LATIN SMALL LETTER A:'61:97:'41 LATIN SMALL LETTER B:'62:98:'42 LATIN SMALL LETTER C:'63:99:'43 LATIN SMALL LETTER D:'64:100:'44 LATIN SMALL LETTER E:'65:101:'45 LATIN SMALL LETTER F:'66:102:'46 LATIN SMALL LETTER G:'67:103:'47 LATIN SMALL LETTER H:'68:104:48 LATIN SMALL LETTER I:'69:105:'49 LATIN SMALL LETTER J:'6A:106:'4a LATIN SMALL LETTER K:'6B:107:'4b LATIN SMALL LETTER L:'6C:108:'4c LATIN SMALL LETTER M:'6D:109:'4d LATIN SMALL LETTER N:'6E:110:'4e LATIN SMALL LETTER O:'6F:111:'4f LATIN SMALL LETTER P:'70:112:'50 LATIN SMALL LETTER Q:'71:113:'51 LATIN SMALL LETTER R:'72:114:'52 LATIN SMALL LETTER S:'73:115:'53 LATIN SMALL LETTER T:'74:116:'54 LATIN SMALL LETTER U:'75:117:'55 LATIN SMALL LETTER V:'76:118:'56 LATIN SMALL LETTER W:'77:119:'57 LATIN SMALL LETTER X:'78:120:'58 LATIN SMALL LETTER Y:'79:121:'59 LATIN SMALL LETTER Z:'7A:122:'5a NO UNICODE VALUE:'87:135:\'E7 NO UNICODE VALUE:'8E:142:\'83 NO UNICODE VALUE:'EA:234:\'92 NO UNICODE VALUE:'97:151:\'EE NO UNICODE VALUE:'9C:156:\'F2 NO UNICODE VALUE:'88:136:\'CB NO UNICODE VALUE:'8F:143:\'E9 NO UNICODE VALUE:'93:147:\'ED NO UNICODE VALUE:'98:152:\'F1 NO UNICODE VALUE:'9D:157:\'F4 NO UNICODE VALUE:'89:137:\'D5 NO UNICODE VALUE:'90:144:\'E6 NO UNICODE VALUE:'94:148:\'EB NO UNICODE VALUE:'99:153:\'EF NO UNICODE VALUE:'9E:158:\'F3 NO UNICODE VALUE:'BF:191:\'AF NO UNICODE VALUE:'96:150:\'84 NO UNICODE VALUE:'9B:155:\'CD NO UNICODE VALUE:'8B:139:\'CC NO UNICODE VALUE:'8A:138:\'80 NO UNICODE VALUE:'91:145:\'E8 NO UNICODE VALUE:'95:149:\'EC NO UNICODE VALUE:'9A:154:\'85 NO UNICODE VALUE:'9F:159:\'86 NO UNICODE VALUE:'8D:141:\'82 NO UNICODE VALUE:'8C:140:\'81 </caps_hex> <caps_letters> LATIN SMALL LETTER A:a:97:A LATIN SMALL LETTER B:b:98:B LATIN SMALL LETTER C:c:99:C LATIN SMALL LETTER D:d:100:D LATIN SMALL LETTER E:e:101:E LATIN SMALL LETTER F:f:102:F LATIN SMALL LETTER G:g:103:G LATIN SMALL LETTER H:h:104:H LATIN SMALL LETTER I:i:105:I LATIN SMALL LETTER J:j:106:J LATIN SMALL LETTER K:k:107:K LATIN SMALL LETTER L:l:108:L LATIN SMALL LETTER M:m:109:M LATIN SMALL LETTER N:n:110:N LATIN SMALL LETTER O:o:111:O LATIN SMALL LETTER P:p:112:P LATIN SMALL LETTER Q:q:113:Q LATIN SMALL LETTER R:r:114:R LATIN SMALL LETTER S:s:115:S LATIN SMALL LETTER T:t:116:T LATIN SMALL LETTER U:u:117:U LATIN SMALL LETTER V:v:118:V LATIN SMALL LETTER W:w:119:W LATIN SMALL LETTER X:x:120:X LATIN SMALL LETTER Y:y:121:Y LATIN SMALL LETTER Z:z:122:Z </caps_letters> <SYMBOL> MY UNDEFINED SYMBOL:'C3:00:<udef_symbol num="195"/> SPACE:'20:32: EXCLAMATION MARK:'21:33:! FOR ALL:'22:8704:&#x2200; NUMBER SIGN:'23:35:# THERE EXISTS:'24:8707:&#x2203; PERCENTAGE SIGN:'25:37:% AMPERSAND:'26:38:&#x0026; CONTAINS AS A MEMBER:'27:8715:&#x220B; LEFT PARENTHESIS:'28:40:( RIGHT PERENTHESIS:'29:41:) ASTERISK OPERATOR:'2A:8727:&#x2217; PLUS SIGN:'2B:43:+ COMMA:'2C:44:, MINUS SIGN:'2D:8722:&#x2212; FULL STOP:'2E:46:. DIVISION SLASH:'2F:8725:&#x2215; DIGIT ZERO:'30:48:0 DIGIT ONE:'31:49:1 DIGIT TWO:'32:50:2 DIGIT THREE:'33:51:3 DIGIT FOUR:'34:52:4 DIGIT FIVE:'35:53:5 DIGIT SIX:'36:54:6 DIGIT SEVEN:'37:55:7 DIGIT EIGHT:'38:56:8 DIGIT NINE:'39:57:9 RATIO:'3A:8758:&#x2236; SEMICOLON:'3B:59:; LESS-THAN SIGN:'3C:60:&lt; EQUALS SIGN TO:'3D:61:= GREATER-THAN SIGN:'3E:62:&gt; QUESTION MARK:'3F:63:? APPROXTIMATELY EQUAL TO:'40:8773:&#x2245; GREEK CAPITOL LETTER ALPHA:'41:913:&#x0391; GREEK CAPAITOL LETTER BETA:'42:914:&#x0392; GREEK CAPITOL LETTER CHI:'43:935:&#x03A7; GREEK CAPITOL LETTER DELTA:'44:916:&#x0394; GREEK CAPITOL LETTER EPSILON:'45:917:&#x0395; GREEK CAPITOL LETTER PHI:'46:934:&#x03A6; GREEK CAPITOL LETTER GAMMA:'47:915:&#x0393; GREEK CAPITOL LETTER ETA:'48:919:&#x0397; GREEK CAPITOL LETTER ITOA:'49:913:&#x0391; GREEK THETA SYMBOL:'4A:977:&#x03D1; GREEK CAPITOL LETTER KAPPA:'4B:922:&#x039A; GREEK CAPITOL LETTER LAMBDA:'4C:923:&#x039B; GREEK CAPITOL LETTER MU:'4D:924:&#x039C; GREEK CAPITOL LETTER NU:'4E:925:&#x039D; GREEK CAPITOL LETTER OMICRON:'4F:927:&#x039F; GREEK CAPITAL LETTER PI:'50:928:&#x03A0; GREEK CAPITOL LETTER THETA:'51:920:&#x0398; GREEK CAPITOL LETTER RHO:'52:929:&#x03A1; GREEK CAPITOL LETTER SIGMA:'53:931:&#x03A3; GREEK CAPITOL LETTER TAU:'54:932:&#x03A4; GREEK CAPITOL LETTER UPSILON:'55:933:&#x03A5; GREEK LETTER STIGMA:'56:986:&#x03DA; GREEK CAPITOL LETTER OMEGA:'57:937:&#x03A9; GREEK CAPITOL LETTER XI:'58:926:&#x039E; GREEK CAPITOL LETTER PSI:'59:936:&#x03A8; GREEK CAPITOL LETTER ZETA:'5A:918:&#x0396; LEFT SQUARE BRACKET:'5B:91:&#x005B; THEREFORE:'5C:8756:&#x2234; RIGHT SQUARE BRACKET:'5D:93:&#x005D; UP TACK:'5E:8869:&#x22A5; MODIFIER LETTER LOW MACRON:'5F:717:&#x02CD; MODIFIER LETTER MACRON:'60:713:&#x02C9; GREEK SMALL LETTER ALPHA:'61:945:&#x03B1; GREEK SMALL LETTER BETA:'62:946:&#x03B2; GREEK SMALL LETTER CHI:'63:967:&#x03C7; GREEK SMALL LETTER DELTA:'64:948:&#x03B4; GREEK SMALL LETTER EPSILON:'65:949:&#x03B5; GREEK PHI SYMBOL:'66:981:&#x03D5; GREEK MSALL LETTER DELTA:'67:947:&#x03B3; GREEK SMALL LETTER ETA:'68:951:&#x03B7; GREEK SMALL LETTER IOTA:'69:953:&#x03B9; GREEK SMALL LETTER PHI:'6A:966:&#x03C6; GREEK SMALL LETTER KAPPA:'6B:954:&#x03BA; GREEK SMALL LETTER LAMDA:'6C:955:&#x03BB; GREEK SMALL LETTER MU:'6D:956:&#x03BC; GREEK SMALL LETTER NU:'6E:957:&#x03BD; GREEK SMALL LETTER OMICRON:'6F:959:&#x03BF; GREEK SMALL LETTER PI:'70:960:&#x03C0; GREEK SMALL LETTER THETA:'71:952:&#x03B8; GREEK SMALL LETTER RHO:'72:961:&#x03C1; GREEK SMALL LETTER SIGMA:'73:963:&#x03C3; GREEK SMALL LETTER TAU:'74:964:&#x03C4; GREEK SMALL LETTER UPSILON:'75:965:&#x03C5; GREEK PI SYMBOL:'76:982:&#x03D6; GREEK SMALL LETTER OMEGA:'77:969:&#x03C9; GREEK SMALL LETTER XI:'78:958:&#x03BE; GREEK SMALL LETTER PHI:'79:966:&#x03C6; GREEK SMALL LETTER ZETA:'7A:950:&#x03B6; LEFT CURLY BRACKET:'7B:123:{ DIVIDES:'7C:8739:&#x2223; RIGHT CURLY BRACKET:'7D:125:} TILDE OPERATOR:'7E:8764:&#x223C; GREEK UPSILON WITH HOOK SYMBOL:'A1:978:&#x03D2; COMBINING ACUTE TONE MARK:'A2:833:&#x0341; LESS THAN OR EQUAL TO:'A3:8804:&#x2264; DIVISION SLASH:'A4:8725:&#x2215; INFINITY:'A5:8734:&#x221E; LATIN SMALL LETTER F WITH HOOK:'A6:402:&#x0192; BLACK CLUB SUIT:'A7:9827:&#x2663; BLACK DIAMOND SUIT:'A8:9830:&#x2666; BLACK HEART SUIT:'A9:9829:&#x2665; BLACK SPADE SUIT:'AA:9824:&#x2660; LEFT RIGHT ARROW:'AB:8596:&#x2194; LEFTWARDS ARROW:'AC:8592:&#x2190; UPWARDS ARROW:'AD:8593:&#x2191; RIGHTWARDS ARROW:'AE:8594:&#x2192; DOWNWARDS ARROW:'AF:8595:&#x2193; DEGREE SIGN:'B0:176:&#x00B0; PLUS OR MINUS SIGN:'B1:177:&#x00B1; DOUBLE ACUTE ACCENT:'B2:733:&#x02DD; GREATER THAN OR EQUAL TO:'B3:8805:&#x2265; MULTIPLICATION SIGN:'B4:215:&#x00D7; DON'T KNOW:'B5:8733:&#x221D; PARTIAL DIFFERENTIAL:'B6:8706:&#x2202; BULLET:'B7:183:&#x00B7; DIVISION:'B8:247:&#x00F7; NOT EQUAL TO:'B9:8800:&#x2260; IDENTICAL TO:'BA:8801:&#x2261; ALMOST EQUAL TO:'BB:8776:&#x2248; MIDLINE HORIZONTAL ELLIPSES:'BC:8943:&#x22EF; DIVIDES:'BD:8739:&#x2223; BOX DRAWINGS LIGHT HORIZONTAL:'BE:9472:&#x2500; DOWNWARDS ARROW WITH TIP LEFTWARDS:'BF:8626:&#x21B2; CIRCLED TIMES:'C4:8855:&#x2297; CIRCLED PLUS:'C5:8853:&#x2295; EMPTY SET:'C6:8709:&#x2205; INTERSECTION:'C7:8745:&#x2229; UNION:'C8:8746:&#x222A; SUPERSET OF:'C9:8835:&#x2283; SUPERSET OF OR EQUAL TO:'CA:8839:&#x2287; NIETHER A SUBSET OR EQUAL TO:'CB:8836:&#x2284; SUBSET OF:'CC:8834:&#x2282; SUBSET OR EQUAL TO:'CD:8838:&#x2286; ELEMENT OF:'CE:8712:&#x2208; NOT AN ELEMENT OF:'CF:8713:&#x2209; ANGLE:'D0:8736:&#x2220; WHITE DOWN POINTING TRIANBLE:'D1:9661:&#x25BD; REGISTERED SIGN:'D2:174:&#x00AE; COPYRIGHT:'D3:169:&#x00A9; TRADEMARK SYMBOL:'D4:8482:&#x2122; NARY OPERATOR:'D5:8719:&#x220F; SQUARE ROOT:'D6:8730:&#x221A; BULLET OPERATOR:'D7:8729:&#x2219; NOT SIGN:'D8:172:&#x00AC; LOGICAL AND:'D9:8743:&#x2227; LOGICAL OR:'DA:8744:&#x2228; LEFT RIGHT DOUBLE ARROW:'DB:8660:&#x21D4; LEFTWARDS DOUBLE ARROW:'DC:8656:&#x21D0; UPWARDS DOUBLE ARROW:'DD:8657:&#x21D1; RIGHTWARDS DOUBLE ARROW:'DE:8658:&#x21D2; DOWNWARDS DOUBLE ARROW:'DF:8659:&#x21D3; BETWEEN:'E0:8812:&#x226C; MATHEMATICAL LEFT ANGELBRACKET:'E1:10216:&#x27E8; REGISTERED SIGN:'E2:174:&#x00AE; COPYRIGHT:'E3:169:&#x00A9; TRADEMARK SYMBOL:'E4:8482:&#x2122; N-ARY SUMMATION:'E5:8721:&#x2211; LARGE LEFT PARENTHESIS PART1:'E6:0:<udef_symbol num="0xE6" description="left_paraenthesis part 1"/> LARGE LEFT PARENTHESIS PART2:'E7:0:<udef_symbol num="0xE7" description="left_parenthesis part 2"/> LARGE LEFT PARENTHESIS PART3:'E8:0:<udef_symbol num="0xE8" description="left_paranethesis part 3"/> LARGE LEFT SQUARE BRACKET PART1:'E9:0:<udef_symbol num="0xE9" description="left_square_bracket part 1"/> LARGE LEFT SQUARE BRACKET PART2:'EA:0:<udef_symbol num="0xEA" description="left_square_bracket part 2"/> LARGE LEFT SQUARE BRACKET PART3:'EB:0:<udef_symbol num="0xEF" description="left_square_bracket part 3"/> LARGE LEFT BRACKET PART1:'EC:0:<udef_symbol num="0xEC" description="right_bracket part 1"/> LARGE LEFT BRACKET PART2:'ED:0:<udef_symbol num="0xED" description="right_bracke tpart 2"/> LARGE LEFT BRACKET PART3:'EE:0:<udef_symbol num="0xEE" description="right_bracket part 3"/> DIVIDES:'EF:8739:&#x2223; MATHEMATICAL RIGHT ANGLE BRACKET:'F1:10217:&#x27E9; INTEGRAL:'F2:8747:&#x222B; LARGE INTEGRAL PART 1:'F3:0:<udef_symbol num="0xF3" description="integral part 1"/> LARGE INTEGRAL PART 2:'F4:0:<udef_symbol num="0xF4" description="integral part 2"/> LARGE INTEGRAL PART 3:'F5:0:<udef_symbol num="0xF5" description="integral part 3"/> LARGE RIGHT PARENTHESIS PART1:'F6:0:<udef_symbol num="0xF6" description="right_parenthesis part 1"/> LARGE RIGHT PARENTHESIS PART2:'F7:0:<udef_symbol num="0xF7" description="right_parenthesis part 2"/> LARGE RIGHT PARENTHESIS PART3:'F8:0:<udef_symbol num="0xF8" description="right_parenthesis part 3"/> LARGE RIGHT SQUARE BRACKET PART1:'F9:0:<udef_symbol num="0xF9" description="right_square_bracket part 1"/> LARGE RIGHT SQUARE BRACKET PART2:'FA:0:<udef_symbol num="0xFA" description="right_square_bracket part 2"/> LARGE RIGHT SQUARE BRACKETPART3:'FB:0:<udef_symbol num="0xFB" description="right_square_bracket part 3"/> LARGE RIGHT BRACKET PART1:'FC:0:<udef_symbol num="0xFC" description="right_bracket part 1"/> LARGE RIGHT BRACKETPART2:'FD:0:<udef_symbol num="0xFD" description="right_bracket part 2"/> LARGE RIGHT BRACKETPART3:'FE:0:<udef_symbol num="0xFE" description="right_bracket part 3"/> DOUBLE ACUTE ACCENT:'B2:733:&#x02DD; MY UNDEFINED SYMBOL:'7F:127:<udef_symbol num="0x7f"/> MY UNDEFINED SYMBOL:'80:128:<udef_symbol num="0x80"/> MY UNDEFINED SYMBOL:'81:129:<udef_symbol num="0x81"/> MY UNDEFINED SYMBOL:'82:130:<udef_symbol num="130"/> MY UNDEFINED SYMBOL:'83:131:<udef_symbol num="131"/> MY UNDEFINED SYMBOL:'84:132:<udef_symbol num="132"/> MY UNDEFINED SYMBOL:'85:133:<udef_symbol num="133"/> MY UNDEFINED SYMBOL:'86:134:<udef_symbol num="134"/> MY UNDEFINED SYMBOL:'87:135:<udef_symbol num="135"/> MY UNDEFINED SYMBOL:'88:136:<udef_symbol num="136"/> MY UNDEFINED SYMBOL:'89:137:<udef_symbol num="137"/> MY UNDEFINED SYMBOL:'8A:138:<udef_symbol num="138"/> MY UNDEFINED SYMBOL:'8B:139:<udef_symbol num="139"/> MY UNDEFINED SYMBOL:'8C:140:<udef_symbol num="140"/> MY UNDEFINED SYMBOL:'8D:141:<udef_symbol num="141"/> MY UNDEFINED SYMBOL:'8E:142:<udef_symbol num="142"/> MY UNDEFINED SYMBOL:'8F:143:<udef_symbol num="143"/> MY UNDEFINED SYMBOL:'90:144:<udef_symbol num="144"/> MY UNDEFINED SYMBOL:'91:145:<udef_symbol num="145"/> MY UNDEFINED SYMBOL:'92:146:<udef_symbol num="146"/> MY UNDEFINED SYMBOL:'93:147:<udef_symbol num="147"/> MY UNDEFINED SYMBOL:'94:148:<udef_symbol num="148"/> MY UNDEFINED SYMBOL:'95:149:<udef_symbol num="149"/> MY UNDEFINED SYMBOL:'96:150:<udef_symbol num="150"/> MY UNDEFINED SYMBOL:'97:151:<udef_symbol num="151"/> MY UNDEFINED SYMBOL:'98:152:<udef_symbol num="152"/> MY UNDEFINED SYMBOL:'99:153:<udef_symbol num="153"/> MY UNDEFINED SYMBOL:'9A:154:<udef_symbol num="154"/> MY UNDEFINED SYMBOL:'9B:155:<udef_symbol num="155"/> MY UNDEFINED SYMBOL:'9C:156:<udef_symbol num="156"/> MY UNDEFINED SYMBOL:'9D:157:<udef_symbol num="157"/> MY UNDEFINED SYMBOL:'9E:158:<udef_symbol num="158"/> MY UNDEFINED SYMBOL:'9F:159:<udef_symbol num="159"/> MY UNDEFINED SYMBOL:'A0:160:<udef_symbol num="160"/> MY UNDEFINED SYMBOL:'F0:160:<udef_symbol num="240"/> </SYMBOL> <ascii_to_hex> SPACE: :32:\'20 EXCLAMATION MARK:!:33:\'21 QUOTATION MARK:":34:\'22 NUMBER SIGN:#:35:\'23 DOLLAR SIGN:$:36:\'24 PERCENT SIGN:%:37:\'25 AMPERSAND:&amp;:38:\'26 APOSTROPHE:':39:\'27 LEFT PARENTHESIS:(:40:\'28 RIGHT PARENTHESIS:):41:\'29 ASTERISK:*:42:\'2A PLUS SIGN:+:43:\'2B COMMA:,:44:\'2C HYPHEN-MINUS:-:45:\'2D FULL STOP:.:46:\'2E SOLIDUS:/:47:\'2F DIGIT ZERO:0:48:\'30 DIGIT ONE:1:49:\'31 DIGIT TWO:2:50:\'32 DIGIT THREE:3:51:\'33 DIGIT FOUR:4:52:\'34 DIGIT FIVE:5:53:\'35 DIGIT SIX:6:54:\'36 DIGIT SEVEN:7:55:\'37 DIGIT EIGHT:8:56:\'38 DIGIT NINE:9:57:\'39 COLON:\\colon:58:\'3A SEMICOLON:;:59:\'3B EQUALS SIGN:=:61:\'3D QUESTION MARK:?:63:\'3F LATIN CAPITAL LETTER A:A:65:\'41 LATIN CAPITAL LETTER B:B:66:\'42 LATIN CAPITAL LETTER C:C:67:\'43 LATIN CAPITAL LETTER D:D:68:\'44 LATIN CAPITAL LETTER E:E:69:\'45 LATIN CAPITAL LETTER F:F:70:\'46 LATIN CAPITAL LETTER G:G:71:\'47 LATIN CAPITAL LETTER H:H:72:\'48 LATIN CAPITAL LETTER I:I:73:\'49 LATIN CAPITAL LETTER J:J:74:\'4A LATIN CAPITAL LETTER K:K:75:\'4B LATIN CAPITAL LETTER L:L:76:\'4C LATIN CAPITAL LETTER M:M:77:\'4D LATIN CAPITAL LETTER N:N:78:\'4E LATIN CAPITAL LETTER O:O:79:\'4F LATIN CAPITAL LETTER P:P:80:\'50 LATIN CAPITAL LETTER Q:Q:81:\'51 LATIN CAPITAL LETTER R:R:82:\'52 LATIN CAPITAL LETTER S:S:83:\'53 LATIN CAPITAL LETTER T:T:84:\'54 LATIN CAPITAL LETTER U:U:85:\'55 LATIN CAPITAL LETTER V:V:86:\'56 LATIN CAPITAL LETTER W:W:87:\'57 LATIN CAPITAL LETTER X:X:88:\'58 LATIN CAPITAL LETTER Y:Y:89:\'59 LATIN CAPITAL LETTER Z:Z:90:\'5A LEFT SQUARE BRACKET:[:91:\'5B REVERSE SOLIDUS:\\:92:\'5C RIGHT SQUARE BRACKET:]:93:\'5D LATIN SMALL LETTER A:a:97:\'61 LATIN SMALL LETTER B:b:98:\'62 LATIN SMALL LETTER C:c:99:\'63 LATIN SMALL LETTER D:d:100:\'64 LATIN SMALL LETTER E:e:101:\'65 LATIN SMALL LETTER F:f:102:\'66 LATIN SMALL LETTER G:g:103:\'67 LATIN SMALL LETTER H:h:104:\'68 LATIN SMALL LETTER I:i:105:\'69 LATIN SMALL LETTER J:j:106:\'6A LATIN SMALL LETTER K:k:107:\'6B LATIN SMALL LETTER L:l:108:\'6C LATIN SMALL LETTER M:m:109:\'6D LATIN SMALL LETTER N:n:110:\'6E LATIN SMALL LETTER O:o:111:\'6F LATIN SMALL LETTER P:p:112:\'70 LATIN SMALL LETTER Q:q:113:\'71 LATIN SMALL LETTER R:r:114:\'72 LATIN SMALL LETTER S:s:115:\'73 LATIN SMALL LETTER T:t:116:\'74 LATIN SMALL LETTER U:u:117:\'75 LATIN SMALL LETTER V:v:118:\'76 LATIN SMALL LETTER W:w:119:\'77 LATIN SMALL LETTER X:x:120:\'78 LATIN SMALL LETTER Y:y:121:\'79 LATIN SMALL LETTER Z:z:122:\'7A LEFT CURLY BRACKET:{:123:\'7B VERTICAL LINE:|:124:\'7C RIGHT CURLY BRACKET:}:125:\'7D TILDE:~:126:\'7E </ascii_to_hex> <wingdings> SPACE:'20:32:&#x0020; LOWER RIGHT PENCIL:'21:9998:&#x270E; BLACK SCISSORS:'22:9986:&#x2702; UPPER BLADE SCISSORS:'23:9985:&#x2701; PROPOSE "LOWER LEFT SPECTACLES":'24:none:<udef_symbol num="0x24" description="lower_left_spectacles"/> PROPOSE "BELL":'25:none:<udef_symbol num="0x25" description="bell"/> PROPOSE "OPEN BOOK":'26:none:<udef_symbol num="0x26" description="open_book"/> PROPOSE "LIGHTED CANDLE":'27:none:<udef_symbol num="0x27" description="lighted_candle"/> BLACK TELEPHONE:'28:9742:&#x260E; TELEPHONE LOCATION SIGN:'29:9990:&#x2706; ENVELOPE:'2A:9993:&#x2709; ENVELOPE:'2B:9993:&#x2709; PROPOSE "MAIL FLAG DOWN":'2C:none:<udef_symbol num="0x2C" description="mail_flag_down"/> PROPOSE "MAIL FLAG UP":'2D:none:<udef_symbol num="0x2D" description="mail_flag_up"/> PROPOSE "MAIL FULL":'2E:none:<udef_symbol num="0x2E" description="mail_full"/> PROPOSE "MAIL EMPTY":'2F:none:<udef_symbol num="0x2F" description="mail_empty"/> PROPOSE "FOLDER CLOSE":'30:none:<udef_symbol num="0x30" description="folder_close"/> PROPOSE "FOLDER OPEN":'31:none:<udef_symbol num="0x31" description="folder_open"/> PROPOSE "DOCUMENT FOLDED":'32:none:<udef_symbol num="0x32" description="document_folded"/> PROPOSE "DOCUMENT":'33:none:<udef_symbol num="0x33" description="document"/> PROPOSE "MULTIPLE DOCUMENTS":'34:none:<udef_symbol num="0x34" description="multiple_documents"/> PROPOSE "FILE CABINET":'35:none:<udef_symbol num="0x35" description="file_cabinet"/> HOURGLASS:'36:8987:&#x231B; KEYBOARD:'37:9000:&#x2328; PROPOSE "MOUSE":'38:none:<udef_symbol num="0x38" description="mouse"/> PROPOSE "QUICKCAM CAMERA":'39:none:<udef_symbol num="0x39" description="quickcam_camera"/> PROPOSE "COMPUTER":'3A:none:<udef_symbol num="0x3A" description="computer"/> PROPOSE "HARD DRIVE":'3B:none:<udef_symbol num="3B" description="hard_drive"/> PROPOSE "THREE AND A HALF FLOPPY":'3C:none:<udef_symbol num="0x3c" description = "three_and_a_half_floppy"/> PROPOSE "FIVE AND A QUARTER FLOPPY":'3D:none:<udef_symbol num="0x3D" description="five_and_a_quarter_floppy"/> TAPE DRIVE:'3E:9991:&#x2707; WRITING HAND:'3F:9997:&#x270D; WRITING HAND:'40:9997:&#x270D; VICTORY HAND:'41:9996:&#x270C; PROPOSE "PICKING HAND(OR OMMAT)":'42:none:<udef_symbol num="0x42" description="picking_hand_or_ommat"/> PROPOSE "WHITE UP POINTING THUMB":'43:none:<udef_symbol num="0x43" description="white_up_pointing_thumb"/> PROPOSE "WHITE DOWN POINTING THUMB":'44:none:<udef_symbol num="0x44" description="white_down_pointing_thumb"/> WHITE LEFT POINTING INDEX:'45:9756:&#x261C; WHITE RIGHT POINTING INDEX:'46:9758:&#x261E; WHITE UP POINTING INDEX:'47:9757:&#x261D; WHITE DOWN POINTING INDEX:'48:9759:&#x261F; PROPOSE "WHITE PALM":'49:none:<udef_symbol num="0x49" description="white_palm"/> WHITE SMILING FACE:'4A:9786:&#x263A; WHITE SMILING FACE":'4B:9786:&#x263A; WHITE FROWNING FACE:'4C:9785:&#x2639; PROPOSE "BLACK BOMB WITH FUSE":'4D:none:<udef_symbol num="0x4D" description="black_bomb_with_fuse"/> SKULL AND CROSSBONES:'4E:9760:&#x2620; PROPOSE "WHITE BILLOWING SQUARE FLAG":'4F:none:<udef_symbol num="0x4F" description="white_billowing_square_flag"/> PROPOSE "WHITE BILLOWING TRIANGLE FLAG":'50:none:<udef_symbol num="0x50" description="white_billowing_triangle_flag"/> AIRPLANE:'51:9992:&#x2708; WHITE SUN WITH RAYS:'52:9788:&#x263C; PROPOSE "INK BLOT":'53:none:<udef_symbol num="0x53" description="ink_blot"/> SNOWFLAKE:'54:10052:&#x2744; SHADOWED WHITE LATIN CROSS:'55:10014:&#x271E; SHADOWED WHITE LATIN CROSS:'56:10014:&#x271E; LATIN CROSS:'57:10013:&#x271D; MALTESE CROSS:'58:10016:&#x2720; STAR OF DAVID:'59:10017:&#x2721; STAR AND CRESCENT:'5A:9770:&#x262A; YIN YANG:'5B:9775:&#x262F; DEVANGARI OM CORRECT:'5C:2384:&#x0950; WHEEL OF DHARMA:'5D:9784:&#x2638; ARIES:'5E:9800:&#x2648; TAURUS:'5F:9801:&#x2649; GEMINI:'60:9802:&#x264A; CANCER:'61:9803:&#x264B; LEO:'62:9804:&#x264C; VIRGO:'63:9805:&#x264D; LIBRA:'64:9806:&#x264E; SCORPIUS:'65:9807:&#x264F; SAGITTARIUS:'66:9808:&#x2650; CAPRICORN:'67:9809:&#x2651; AQUARIUS:'68:9810:&#x2652; PISCES:'69:9811:&#x2653; AMPERSAND:'6A:38:&#x0026; AMPERSAND:'6B:38:&#x0026; BLACK CIRCLE:'6C:9679:&#x25CF; SHADOWED WHITE CIRCLE:'6D:10061:&#x274D; BLACK SQUARE:'6E:9632:&#x25A0; WHITE SQUARE:'6F:9633:&#x25A1; WHITE SQUARE:'70:9633:&#x25A1; LOWER RIGHT SHADOWED WHITE SQUARE:'71:10065:&#x2751; UPPER RIGHT SHADOWED WHITE SQUARE:'72:10066:&#x2752; LOZENGE:'73:9674:&#x25CA; LOZENGE:'74:9674:&#x25CA; BLACK DIAMOND:'75:9670:&#x25C6; BLACK DIAMOND MINUS WHITE X:'76:10070:&#x2756; BLACK DIAMOND:'77:9670:&#x25C6; X IN A RECTANGLE BOX:'78:8999:&#x2327; APL FUNCTIONAL SYMBOL QUAD UP CARET:'79:9043:&#x2353; PLACE OF INTEREST SIGN:'7A:8984:&#x2318; WHITE FLORETTE:'7B:10048:&#x2740; BLACK FLORETTE:'7C:10047:&#x273F; HEAVY DOUBLE TURNED COMMA QUOTATION MARK ORNAMENT:'7D:10077:&#x275D; HEAVY DOUBLE COMMA QUOTATION MARK ORNAMENT:'7E:10078:&#x275E; "UNUSED":'7F:none:udef_symbol/> CIRCLED DIGIT ZERO:'80:9450:&#x24EA; CIRCLED DIGIT ONE:'81:9312:&#x2460; CIRCLED DIGIT TWO:'82:9313:&#x2461; CIRCLED DIGIT THREE:'83:9314:&#x2462; CIRCLED DIGIT FOUR:'84:9315:&#x2463; CIRCLED DIGIT FIVE:'85:9316:&#x2464; CIRCLED DIGIT SIX:'86:9317:&#x2465; CIRCLED DIGIT SEVEN:'87:9318:&#x2466; CIRCLED DIGIT EIGHT:'88:9319:&#x2467; CIRCLED DIGIT NINE:'89:9320:&#x2468; CIRCLED NUMBER TEN:'8A:9321:&#x2469; PROPOSE "DINGBAT NEGATIVE CIRCLED DIGIT ZERO":'8B:none:<udef_symbol num="0x8B" description="dingbat_negative_circled_digit_zero"/> DINGBAT NEGATIVE CIRCLED DIGIT ONE:'8C:10102:&#x2776; DINGBAT NEGATIVE CIRCLED DIGIT TWO:'8D:10103:&#x2777; DINGBAT NEGATIVE CIRCLED DIGIT THREE:'8E:10104:&#x2778; DINGBAT NEGATIVE CIRCLED DIGIT FOUR:'8F:10105:&#x2779; DINGBAT NEGATIVE CIRCLED DIGIT FIVE:'90:10106:&#x277A; DINGBAT NEGATIVE CIRCLED DIGIT SIX:'91:10107:&#x277B; DINGBAT NEGATIVE CIRCLED DIGIT SEVEN:'92:10108:&#x277C; DINGBAT NEGATIVE CIRCLED DIGIT EIGHT:'93:10109:&#x277D; DINGBAT NEGATIVE CIRCLED DIGIT NINE:'94:10110:&#x277E; DINGBAT NEGATIVE CIRCLED NUMBER TEN:'95:10111:&#x277F; ROTATED FLORAL HEART BULLET:'96:10087:&#x2767; REVERSED ROTATED FLORAL HEART BULLET:'97:9753:&#x2619; REVERSED ROTATED FLORAL HEART BULLET:'98:9753:&#x2619; ROTATED FLORAL HEART BULLET:'99:10087:&#x2767; ROTATED FLORAL HEART BULLET:'9A:10087:&#x2767; REVERSED ROTATED FLORAL HEART BULLET:'9B:9753:&#x2619; REVERSED ROTATED FLORAL HEART BULLET:'9C:9753:&#x2619; ROTATED FLORAL HEART BULLET:'9D:10087:&#x2767; BULLET:'9E:8226:&#x2022; BLACK CIRCLE:'9F:9679:&#x25CF; DON'T KNOW:'A0:160:&#x00A0; WHITE CIRCLE:'A1:9675:&#x25CB; WHITE CIRCLE:'A2:9675:&#x25CB; WHITE CIRCLE:'A3:9675:&#x25CB; SUN:'A4:9737:&#x2609; SUN:'A5:9737:&#x2609; SHADOWED WHITE CIRCLE:'A6:10061:&#x274D; BLACK SMALL SQUARE:'A7:9642:&#x25AA; WHITE SQUARE:'A8:9633:&#x25A1; PROPOSE "THEE MIGHT BE IN THERE SOMEWHERE":'A9:none:<udef_symbol num="0xA8" description="thee_might_be_in_there_somewhere"/> BLACK FOUR POINTED STAR MAYBE:'AA:10022:&#x2726; BLACK STAR:'AB:9733:&#x2605; SIX POINTED BLACK STAR:'AC:10038:&#x2736; EIGHT POINTED RECTILINEAR BLACK STAR:'AD:10039:&#x2737; TWELVE POINTED BLACK STAR:'AE:10040:&#x2738; EIGHT POINTED PINWHEEL STAR:'AF:10037:&#x2735; PROPOSE "CROSSHAIR SQUARE":'B0:none:<udef_symbol num="0xB0" description="crosshair_square"/> PROPOSE "CROSSHAIR CIRCLE":'B1:none:<udef_symbol num="0xB1" description="crosshair_circle"/> WHITE FOUR POINTED STAR:'B2:10023:&#x2727; PROPOSE "THIS HAS TO BE A KNOWN SYMBOL":'B3:none:<udef_symbol num="0xB3" description="this_has_to_be_a_known_symbol"/> REPLACEMENT CHARACTER:'B4:65533:&#xFFFD; CIRCLED WHITE STAR:'B5:10026:&#x272A; SHADOWED WHITE STAR:'B6:10032:&#x2730; PROPOSE "1 OCLOCK":'B7:none:<udef_symbol num="0xB7" description="one_oclock"/> PROPOSE "2 OCLOCK":'B8:none:<udef_symbol num="0xB8" description="two_oclock"/> PROPOSE "3 OCLOCK":'B9:none:<udef_symbol num="0xB9" description="three_oclock"/> PROPOSE "4 OCLOCK":'BA:none:<udef_symbol num="0xBA" description="four_oclock"/> PROPOSE "5 OCLOCK":'BB:none:<udef_symbol num="0xBB" description="five_oclock"/> PROPOSE "6 OCLOCK":'BC:none:<udef_symbol num="0xBC" description="six_oclock"/> PROPOSE "7 OCLOCK":'BD:none:<udef_symbol num="0xBD" description="seven_oclock"/> PROPOSE "8 OCLOCK":'BE:none:<udef_symbol num="0xBE" description="eight_oclock"/> PROPOSE "9 OCLOCK":'BF:none:<udef_symbol num="0xBF" description="nine_oclock"/> PROPOSE "10 OCLOCK":'C0:none:<udef_symbol num="0xC0" description="ten_oclock"/> PROPOSE "11 OCLOCK":'C1:none:<udef_symbol num="0xC1" description="eleven_oclock"/> PROPOSE "12 OCLOCK":'C2:none:<udef_symbol num="0xC2" description="twelve_oclock"/> PROPOSE "NOTCHED DOWNWARDS DOUBLE ARROW WITH TIP LEFTWARDS":'C3:none:<udef_symbol num="0xC3" description="notched_downwards_double_arrow_with_tip_leftwards"/> PROPOSE "NOTCHED DOWNWARDS DOUBLE ARROW WITH TIP RIGHTWARDS":'C4:none:<udef_symbol num="0xC4" description="notched_downwards_double_arrow_with_tip_rightwards"/> PROPOSE "NOTCHED UPWARDS DOUBLE ARROW WITH TIP LEFTWARDS":'C5:none:<udef_symbol num="0xC5" description="notched_upwards_double_arrow_with_tip_leftwards"/> PROPOSE "NOTCHED UPWARDS DOUBLE ARROW WITH TIP RIGHTWARDS":'C6:none:<udef_symbol num="0xC6" description="notched_upwards_double_arrow_with_tip_rightwards"/> PROPOSE "NOTCHED LEFTWARDS DOUBLE ARROW WITH TIP UPWARDS":'C7:none:<udef_symbol num="0xC7" description="notched_leftwards_double_arrow_with_tip_upwards"/> PROPOSE "NOTCHED RIGHTWARDS DOUBLE ARROW WITH TIP UPWARDS":'C8:none:<udef_symbol num="0xC8" description="notched_rightwards_double_arrow_with_tip_upwards"/> PROPOSE "NOTCHED LEFTWARDS DOUBLE ARROW WITH TIP DOWNWARDS":'C9:none:<udef_symbol num="0xC0" description="notched_leftwards_double_arrow_with_tip_downwards"/> PROPOSE "NOTCHED RIGHTWARDS DOUBLE ARROW WITH TIP DOWNWARDS":'CA:none:<udef_symbol num="0xCA" description="notched_rightwards_double_arrow_with_tip_downwards"/> PROPOSE "NO IDEA":'CB:none:<udef_symbol num="0xCB" description="no_idea"/> PROPOSE "REVERSE OF ABOVE":'CC:none:<udef_symbol num="0xCC" description="reverse_of_above"/> PROPOSE "HEDERA LOWER LEFT":'CD:none:<udef_symbol num="0xCD" description="hedera_lower_left"/> PROPOSE "HEDERA UPPER LEFT REVERSED":'CE:none:<udef_symbol num="0xCE" description="hedera_upper_left_reversed"/> PROPOSE "HEDERA LOWER RIGHT REVERSED":'CF:none:<udef_symbol num="0xCF" description="hedera_lower_right_reversed"/> PROPOSE "HEDERA UPPER RIGHT":'D0:none:<udef_symbol num="0xD0" description="hedera_upper_right"/> PROPOSE "HEDERA UPPER LEFT":'D1:none:<udef_symbol num="0xD1" description="hedera_upper_left"/> PROPOSE "HEDERA LOWER LEFT REVERSED":'D2:none:<udef_symbol num="0xD2" description="hedera_lower_left_reversed"/> PROPOSE "HEDERA UPPER RIGHT REVERSED":'D3:none:<udef_symbol num="0xD3" description="hedera_upper_right_reversed"/> PROPOSE "HEDERA LOWER RIGHT":'D4:none:<udef_symbol num="0xD4" description="hedera_lower_right"/> ERASE TO THE LEFT:'D5:9003:&#x232B; ERASE TO THE RIGHT:'D6:8998:&#x2326; PROPOSE "THREE-D TOP-LIGHTED LEFTWARDS ARROWHEAD":'D7:none:<udef_symbol num="0xD7" description="three-d_top-lighted_leftwards_arrowhead"/> THREE-D TOP-LIGHTED RIGHTWARDS ARROWHEAD:'D8:10146:&#x27A2; PROPOSE "THREE-D RIGHT-LIGHTED UPWARDS ARROWHEAD":'D9:none:<udef_symbol num="0xD0" description="three-d_right-lighted_upwards_arrowhead"/> PROPOSE "THREE-D LEFT-LIGHTED DOWNWARDS ARROWHEAD":'DA:none:<udef_symbol num="0xDA" description="three-d_left-lighted_downwards_arrowhead"/> PROPOSE "CIRCLED HEAVY WHITE LEFTWARDS ARROW":'DB:none:<udef_symbol num="0xDB" description="circled_heavy_white_leftwards_arrow"/> CIRCLED HEAVY WHITE RIGHTWARDS ARROW:'DC:10162:&#x27B2; PROPOSE "CIRCLED HEAVY WHITE UPWARDS ARROW":'DD:none:<udef_symbol num="0xDD" description="circled_heavy_white_upwards_arrow"/> PROPOSE "CIRCLED HEAVY WHITE DOWNWARDS ARROW":'DE:none:<udef_symbol num="0xDE" description="circled_heavy_white_downwards_arrow"/> PROPOSE "WIDE-HEADED LEFTWARDS ARROW":'DF:none:<udef_symbol num="0xDF" description="wide-headed_leftwards_arrow"/> PROPOSE "WIDE-HEADED RIGHTWARDS ARROW":'E0:none:<udef_symbol num="0xE0" description="wide-headed_rightwards_arrow"/> PROPOSE "WIDE-HEADED UPWARDS ARROW":'E1:none:<udef_symbol num="0xE1" description="wide-headed_upwards_arrow"/> PROPOSE "WIDE-HEADED DOWNWARDS ARROW":'E2:none:<udef_symbol num="0xE2" description="wide-headed_downwards_arrow"/> PROPOSE "WIDE-HEADED NORTHWEST-WARDS ARROW":'E3:none:<udef_symbol num="0xE3" description="wide-headed_northwest-wards_arrow"/> PROPOSE "WIDE-HEADED NORTHEAST-WARDS ARROW":'E4:none:<udef_symbol num="0xE4" description="wide-headed_northeast-wards_arrow"/> PROPOSE "WIDE-HEADED SOUTHWEST-WARDS ARROW":'E5:none:<udef_symbol num="0xE5" description="wide-headed_southwest-wards_arrow"/> PROPOSE "WIDE-HEADED SOUTHEAST-WARDS ARROW":'E6:none:<udef_symbol num="0xE6" description="wide-headed_southeast-wards_arrow"/> PROPOSE "HEAVY WIDE-HEADED LEFTWARDS ARROW":'E7:none:<udef_symbol num="0xE7" description="heavy_wide-headed_leftwards_arrow"/> HEAVY WIDE-HEADED RIGHTWARDS ARROW:'E8:10132:&#x2794; PROPOSE "HEAVY WIDE-HEADED UPWARDS ARROW":'E9:none:<udef_symbol num="0xE9" description="heavy_wide-headed_upwards_arrow"/> PROPOSE "HEAVY WIDE-HEADED DOWNWARDS ARROW":'EA:none:<udef_symbol num="0xEA" description="heavy_wide-headed_downwards_arrow"/> PROPOSE "HEAVY WIDE-HEADED NORTHWEST-WARDS ARROW":'EB:none:<udef_symbol num="0xEB" description="heavy_wide-headed_northwest-wards_arrow"/> PROPOSE "HEAVY WIDE-HEADED NORTHEAST-WARDS ARROW":'EC:none:<udef_symbol num="0xEC" description="heavy_wide-headed_northeast-wards_arrow"/> PROPOSE "HEAVY WIDE-HEADED SOUTHWEST-WARDS ARROW":'ED:none:<udef_symbol num="0xED" description="heavy_wide-headed_southwest-wards_arrow"/> PROPOSE "HEAVY WIDE-HEADED SOUTHEAST-WARDS ARROW":'EE:none:<udef_symbol num="EE" description="heavy_wide-headed_southeast-wards_arrow"/> LEFTWARDS WHITE ARROW:'EF:8678:&#x21E6; RIGHTWARDS WHITE ARROW:'F0:8680:&#x21E8; UPWARDS WHITE ARROW:'F1:8679:&#x21E7; DOWNWARDS WHITE ARROW:'F2:8681:&#x21E9; LEFT RIGHT DOUBLE ARROW:'F3:8660:&#x21D4; UP DOWN DOUBLE ARROW:'F4:8661:&#x21D5; NORTH WEST DOUBLE ARROW:'F5:8662:&#x21D6; NORTH EAST DOUBLE ARROW:'F6:8663:&#x21D7; SOUTH WEST DOUBLE ARROW:'F7:8665:&#x21D9; SOUTH EAST DOUBLE ARROW:'F8:8664:&#x21D8; "NO IDEA":'F9:none:<udef_symbol num="0xF9" description="no_idea"/> "NO IDEA":'FA:none:<udef_symbol num="0xFA" description="no_idea"/> BALLOT X:'FB:10007:&#x2717; CHECK MARK:'FC:10003:&#x2713; BALLOT BOX WITH X:'FD:9746:&#x2612; BALLOT BOX WITH CHECK:'FE:9745:&#x2611; PROPOSE "MICROSOFT WINDOWS LOGO":'FF:none:<udef_symbol num="0xFF" description="microsoft_windows_logo"/> </wingdings> <dingbats> SPACE:'20:32: UPPER BLADE SCISSORS:'21:9985:&#x2701; BLACK SCISSORS:'22:9986:&#x2702; LOWER BLADE SCISSORS:'23:9987:&#x2703; WHITE SCISSORS:'24:9988:&#x2704; BLACK TELEPHONE:'25:9742:&#x260E; TELEPHONE LOCATION SIGN:'26:9990:&#x2706; TAPE DRIVE:'27:9991:&#x2707; AIRPLANE:'28:9992:&#x2708; ENVELOPE:'29:9993:&#x2709; BLACK RIGHT POINTING INDEX:'2A:9755:&#x261B; WHITE RIGHT POINTING INDEX:'2B:9758:&#x261E; VICTORY HAND:'2C:9996:&#x270C; WRITING HAND:'2D:9997:&#x270D; LOWER RIGHT PENCIL:'2E:9998:&#x270E; PENCIL:'2F:9999:&#x270F; UPPER RIGHT PENCIL:'30:10000:&#x2710; WHITE NIB:'31:10001:&#x2711; BLACK NIB:'32:10002:&#x2712; CHECKMARK:'33:10003:&#x2713; HEAVY CHECKMARK:'34:10004:&#x2714; MULTIPLICATION X:'35:10005:&#x2715; HEAVY MULTIPLICATION X:'36:10006:&#x2716; BALLOT X:'37:10007:&#x2717; HEAVY BALLOT X:'38:10008:&#x2718; OUTLINED GREEK CROSS:'39:10009:&#x2719; HEAVY GREK CROSS:'3A:10010:&#x271A; OPEN CENTRE CROSS:'3B:10011:&#x271B; HEAVY OPEN CENTRE CROSS:'3C:10011:&#x271B; LATIN CROSS:'3D:10013:&#x271D; SHADOWED WHITE LATIN CROSS:'3E:10014:&#x271E; OUTLINED LATIN CROSS:'3F:10015:&#x271F; MALTESE CROSS:'40:10016:&#x2720; STAR OF DAVID:'41:10017:&#x2721; FOUR TEARDROP-SPOKED ASTERISK:'42:10018:&#x2722; FOUR BALLOON-SPOKED ASTERISK:'43:10019:&#x2723; 10019:'43:10019:&#x2723; HEAVY FOUR BALLOON-SPOKED ASTERISK:'44:10020:&#x2724; FOUR CLUB-SPOKED ASTERISK:'45:10021:&#x2725; BLACK FOUR POINTED STAR:'46:10022:&#x2726; WHITE FOUR POINTED STAR:'47:10023:&#x2727; BLACK STAR:'48:9989:&#x2705; STRESS OUTLINED WHITE STAR:'49:10025:&#x2729; CIRCLED WHITE STAR:'4A:10026:&#x272A; OPEN CENTRE BLACK STAR:'4B:10027:&#x272B; BLACK CENTRE WHITE STAR:'4C:10028:&#x272C; OUTLINED BLACK STAR:'4D:10029:&#x272D; HEAVY OUTLINED BLACK STAR:'4E:10030:&#x272E; PINWHEEL STAR:'4F:10031:&#x272F; SHADOWED WHITE STAR:'50:10032:&#x2730; HEAVY ASTERISK:'51:10033:&#x2731; OPEN CENTRE ASTERISK:'52:10034:&#x2732; EIGHT SPOKED ASTERISK:'53:10035:&#x2733; EIGHT POINTED BLACK STAR:'54:10036:&#x2734; EIGHT POINTED PINWHEEL STAR:'55:10037:&#x2735; SIX POINTED BLACK STAR:'56:10038:&#x2736; EIGHT POINTED RECTILINEAR BLACK STAR:'57:10039:&#x2737; HEAVY EIGHT POINTED RECTILINEAR BLACK STAR:'58:10040:&#x2738; TWELVE POINTED BLACK STAR:'59:10041:&#x2739; SIXTEEN POINTED ASTERISK:'5A:10042:&#x273A; TEARDROP-SPOKED ASTERISK:'5B:10043:&#x273B; OPEN CENTRE TEARDROP-SPOKED ASTERISK:'5C:10044:&#x273C; HEAVY TEARDROP-SPOKED ASTERISK:'5D:10045:&#x273D; SIX PETALLED BLACK AND WHITE FLORETTE:'5E:10046:&#x273E; BLACK FLORETTE:'5F:10047:&#x273F; WHITE FLORETTE:'60:10048:&#x2740; EIGHT PETALLED OUTLINED BLACK FLORETTE:'61:10049:&#x2741; CIRCLED OPEN CENTRE EIGHT POINTED STAR:'62:10050:&#x2742; HEAVY TEARDROP-SPOKED PINWHEEL ASTERISK:'63:10051:&#x2743; SNOWFLAKE:'64:10052:&#x2744; TIGHT TRIFOLIATE SNOWFLAKE:'65:10053:&#x2745; HEAVY CHEVRON SNOWFLAKE:'66:10054:&#x2746; SPARKLE:'67:10055:&#x2747; HEAVY SPARKLE:'68:10056:&#x2748; BALLOON-SPOKED ASTERISK:'69:10057:&#x2749; TEARDROP-SPOKED ASTERISK:'6A:10043:&#x273B; HEAVY TEARDROP-SPOKED ASTERISK:'6B:10045:&#x273D; BLACK CIRCLE:'6C:9679:&#x25CF; SHADOWED WHITE CIRCLE:'6D:10061:&#x274D; BLACK SQUARE:'6E:9632:&#x25A0; LOWER RIGHT DROP-SHADOWED SQUARE:'6F:10063:&#x274F; UPPER RIGHT DROP-SHADOWED WHITE SQUARE:'70:10064:&#x2750; LOWER RIGHT SHADOWED SQUARE:'71:10065:&#x2751; UPPER RIGHT SHADOWED WHITE SQUARE:'72:10066:&#x2752; BLACK UP-POINTING TRIANGLE:'73:9660:&#x25B2; BLACK DOWN-POINTING TRIANGLE:'74:9651:&#x25BC; BLACK DIAMOND:'75:9670:&#x25C6; BLACK DIAMOND MINUS WHITE X:'76:10070:&#x2756; RIGHT HALF BLACK CIRCLE:'77:9479:&#x2507; LIGHT VERTICAL BAR:'78:10072:&#x2758; MEDIUM VERTICAL BAR:'79:10073:&#x2759; HEAVY VERTICAL BAR:'7A:10074:&#x275A; HEAVY SINGLE TURNED COMMA QUOTATION MARK ORNAMENT:'7B:10075:&#x275B; HEAVY SINGLE COMMA QUOTATION MARK ORNAMENT:'7C:10076:&#x275C; HEAVY DOUBLE TURNED COMMA QUOTATION MARK ORNAMENT:'7D:10077:&#x275D; HEAVY DOUBLE COMMA QUOTATION MARK ORNAMENT:'7E:10078:&#x275E; UNUSED:'7F:none:udef_symbol num="7F"/> MEDIUM LEFT PARENTHESIS ORNAMENT:'80:10088:&#x2768; MEDIUM RIGHT PARENTHESIS ORNAMENT:'81:10089:&#x2769; MEDIUM FLATTENED LEFT PARENTHESIS ORNAMENT:'82:10090:&#x276A; MEDIUM FLATTENED RIGHT PARENTHESIS ORNAMENT:'83:10091:&#x276B; MEDIUM LEFT-POINTING ANGLE BRACKET ORNAMENT:'84:10092:&#x276C; MEDIUM RIGHT-POINTING ANGLE BRACKET ORNAMENT:'85:10093:&#x276D; HEAVY LEFT-POINTING ANGLE QUOTATION MARK ORNAMENT:'86:10094:&#x276E; HEAVY RIGHT-POITING ANGLE QUOTATION MARK ORNAMENT:'87:10095:&#x276F; HEAVY LEFT-POINTING ANGLE BRACKET ORNAMENT:'88:10096:&#x2770; HEAVY RIGHT-POTING ANGLE BRACKET ORNAMENT:'89:10097:&#x2771; LIGHT LEFT TORTOISE SHELL BRACKET ORNAMENT:'8A:10098:&#x2772; LIGHT RIGHT TORTOISE SHELL BRACKET ORNAMENT:'8B:10099:&#x2773; MEDIUM LEFT CURLY BRACKET ORNAMENT:'8C:10100:&#x2774; MEDIUM RIGHT CURLY BRACKET ORNAMENT:'8D:10101:&#x2775; UNUSED:'8E:none:<udef_symbol num="8E"/> UNUSED:'8F:none:udef_symbol num="8F"/> UNUSED:'90:none:udef_symbol num="90"/> UNUSED:'91:none:udef_symbol num="91"/> UNUSED:'92:none:udef_symbol num="92"/> UNUSED:'93:none:udef_symbol num="93"/> UNUSED:'94:none:udef_symbol num="94"/> UNUSED:'95:none:udef_symbol num="95"/> UNUSED:'96:none:udef_symbol num="96"/> UNUSED:'97:none:udef_symbol num="97"/> UNUSED:'98:none:udef_symbol num="98"/> UNUSED:'99:none:udef_symbol num="99"/> UNUSED:'9A:none:udef_symbol num="9A"/> UNUSED:'9B:none:udef_symbol num="9B"/> UNUSED:'9C:none:udef_symbol num="9C"/> UNUSED:'9D:none:udef_symbol num="9D"/> UNUSED:'9E:none:udef_symbol num="9E"/> UNUSED:'9F:none:udef_symbol num="9F"/> UNUSED:'A0:none:udef_symbol num="A0"/> CURVED STEM PARAGRAPH SIGN ORNAMENT:'A1:10081:&#x2761; HEAVY EXCLAMATION MARK ORNAMENT:'A2:10082:&#x2762; HEAVY HEART EXCLAMATION MARK ORNAMENT:'A3:10083:&#x2763; HEAVY BLACK HEART:'A4:10084:&#x2764; ROTATED HEAVY BLACK HEART BULLET:'A5:10085:&#x2765; FLORAL HEART:'A6:10086:&#x2766; ROTATED FLORAL HEART BULLET:'A7:10087:&#x2767; BLACK CLUB SUIT:'A8:9827:&#x2663; BLACK DIAMOND SUIT:'A9:9830:&#x2666; BLACK HEART SUIT:'AA:9829:&#x2665; BLACK SPADE SUIT:'AB:9824:&#x2660; DINGBAT CIRCLED SANS SERIF DIGIT ONE:'AC:10112:&#x2780; DINGBAT CIRCLED SANS SERIF DIGIT TWO:'AD:10113:&#x2781; DINGBAT CIRCLED SANS SERIF DIGIT THREE:'AE:10114:&#x2782; DINGBAT CIRCLED SANS SERIF DIGIT FOUR:'AF:10115:&#x2783; DINGBAT CIRCLED SANS SERIF DIGIT FIVE:'B0:10116:&#x2784; DINGBAT CIRCLED SANS SERIF DIGIT SIX:'B1:10117:&#x2785; DINGBAT CIRCLED SANS SERIF DIGIT SEVEN:'B2:10118:&#x2786; DINGBAT CIRCLED SANS SERIF DIGIT EIGHT:'B3:10119:&#x2787; DINGBAT CIRCLED SANS SERIF DIGIT NINE:'B4:10120:&#x2788; DINGBAT CIRCLED SANS SERIF DIGIT TEN:'B5:10121:&#x2789; DINGBAT NEGATIVE CIRCLED DIGIT ONE:'B6:10102:&#x2776; DINGBAT NEGATIVE CIRCLED DIGIT TWO:'B7:10103:&#x2777; DINGBAT NEGATIVE CIRCLED DIGIT THREE:'B8:10104:&#x2778; DINGBAT NEGATIVE CIRCLED DIGIT FOUR:'B9:10105:&#x2779; DINGBAT NEGATIVE CIRCLED DIGIT FIVE:'BA:10106:&#x277A; DINGBAT NEGATIVE CIRCLED DIGIT SIX:'BB:10107:&#x277B; DINGBAT NEGATIVE CIRCLED DIGIT SEVEN:'BC:10108:&#x277C; DINGBAT NEGATIVE CIRCLED DIGIT EIGHT:'BD:10109:&#x277D; DINGBAT NEGATIVE CIRCLED DIGIT:'BE:10110:&#x277E; DINGBAT NEGATIVE CIRCLED DIGIT:'BF:10111:&#x277F; DINGBAT CIRCLED SANS-SERIF DIGIT ONE:'C0:10112:&#x2780; DINGBAT CIRCLED SANS-SERIF DIGIT TWO:'C1:10113:&#x2781; DINGBAT CIRCLED SANS-SERIF DIGIT THREE:'C2:10114:&#x2782; DINGBAT CIRCLED SANS-SERIF DIGIT FOUR:'C3:10115:&#x2783; DINGBAT CIRCLED SANS-SERIF DIGIT FIVE:'C4:10116:&#x2784; DINGBAT CIRCLED SANS-SERIF DIGIT SIX:'C5:10117:&#x2785; DINGBAT CIRCLED SANS-SERIF DIGIT SEVEN:'C6:10118:&#x2786; DINGBAT CIRCLED SANS-SERIF DIGIT EIGHT:'C7:10119:&#x2787; DINGBAT CIRCLED SANS-SERIF DIGIT NINE:'C8:10120:&#x2788; DINGBAT CIRCLED SANS-SERIF DIGIT TEN:'C9:10121:&#x2789; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT ONE:'CA:10122:&#x278A; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT TWO:'CB:10123:&#x278B; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT THREE:'CC:10124:&#x278C; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT FOUR:'CD:10125:&#x278D; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT FIVE:'CE:10126:&#x278E; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT SIX:'CF:10127:&#x278F; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT SEVEN:'D0:10128:&#x2790; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT EIGHT:'D1:10129:&#x2791; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT NINE:'D2:10130:&#x2792; DINGBAT NEGATIVE CIRCLED SANS-SERIF DIGIT TEN:'D3:10131:&#x2793; HEAVY WIDE-HEADED RIGHTWARDS ARROW:'D4:10132:&#x2794; RIGHTWARDS ARROW:'D5:8594:&#x2192; LEFT RIGHT ARROW:'D6:8596:&#x2194; UP DOWN ARROW:'D7:8597:&#x2195; HEAVY SOUTH EAST ARROW:'D8:10136:&#x2798; HEAVY RIGHTWARDS ARROW:'D9:10137:&#x2799; HEAVY NORTHEAST ARROW:'DA:10138:&#x279A; DRAFTING POINT RIGHTWARDS ARROW:'DB:10139:&#x279B; HEAVY ROUND-TIPPED RIGHTWARDS ARROW:'DC:10140:&#x279C; TRIANGLE-HEADED RIGHTWARDS ARROW:'DD:10141:&#x279D; HEAVY TRIANGLE-HEADED RIGHTWARDS ARROW:'DE:10142:&#x279E; DASHED TRIANGLE-HEADED RIGHTWARDS ARROW:'DF:10143:&#x279F; HEAVY DASHED TRIANGLE-HEADED RIGHTWARS ARROW:'E0:10144:&#x27A0; BLACK RIGHTWARDS ARROW:'E1:10145:&#x27A1; THREE-D TOP-LIGHTED RIGHTWARDS ARROWHEAD:'E2:10146:&#x27A2; THREE-D BOTTOM-LIGHTED RIGHTWARDS ARROWHEAD:'E3:10147:&#x27A3; BLACK RIGHTWARDS ARROWHEAD:'E4:10148:&#x27A4; HEAVY BLACK CURVED DOWNWARDS AND RIGHTWARDS ARROW:'E5:10149:&#x27A5; HEAVY BLACK CURVED UPWARDS AND RIGHTWARDS ARROW:'E6:10150:&#x27A6; SQUAT BLACK RIGHTWARDS ARROW:'E7:10151:&#x27A7; HEAVY CONCAVE-POINTED BLACK RIGHTWARDS ARROW:'E8:10152:&#x27A8; RIGHT-SHADED WHITE RIGHTWARDS ARROW:'E9:10153:&#x27A9; LEFT-SHADED WHITE RIGHTWARDS ARROW:'EA:10154:&#x27AA; BACK-TILTED SHADOWED WHITE RIGHTWARDS ARROW:'EB:10155:&#x27AB; FRONT-TILTED SHADOWED WHITE RIGHWARDS ARROW:'EC:10156:&#x27AC; HEAVY LOWER RIGHT-SHADOWED WHITE RIGHTWARDS ARROW:'ED:10157:&#x27AD; HEAVY UPPER RIGHT-SHADOWED WHITE RIGHTWARDS ARROW:'EE:10157:&#x27AD; NOTCHED LOWER RIGHT-SHADOWED WHITE RIGHTWARDS ARROW:'EF:10158:&#x27AE; UNUSED:'F0:none:udef_symbol num="F0"/> NOTCHED UPPER RIGHT-SHADOWED WHITE RIGHTWARDS ARROW:'F1:10161:&#x27B1; CIRCLED HEAVY WHITE RIGHTWARDS ARROW:'F2:10162:&#x27B2; WHITE-FEATHERED RIGHTWARDS ARROW:'F3:10163:&#x27B3; BLACK-FEATHERED SOUTH EAST ARROW:'F4:10164:&#x27B4; BLACK-FEATHERED RIGHTWARDS ARROW:'F5:10165:&#x27B5; BLACK-FEATHERED NORTH EAST ARROW:'F6:10166:&#x27B6; HEAVY BLACK-FEATHERED SOUTH EAST ARROW:'F7:10167:&#x27B7; HEAVY BLACK-FEATHERED RIGHTWARDS ARROW:'F8:10168:&#x27B8; HEAVY BLACK-FEATHERED NORTH EAST ARROW:'F9:10169:&#x27B9; TEARDROP-BARBED RITGHTWARDS ARROW:'FA:10170:&#x27BA; HEAVY TEARDROP-SHANKED RIGHTWARDS ARROW:'FB:10171:&#x27BB; WEDGE-TAILED RIGHTWARDS ARROW:'FC:10172:&#x27BC; HEAVY WEDGED-TAILED RIGHTWARDS ARROW:'FD:10173:&#x27BD; OPEN-OUTLINED RIGHTWARDS ARROW:'FE:10174:&#x27BE; UNUSED:'FF:none:udef_symbol num="FF"/> </dingbats> <caps_uni> LATIN CAPITAL LETTER S WITH CARON:&#x0161;:352:&#x0160; LATIN CAPITAL LETTER S WITH ACUTE:&#x015B;:346:&#x015A; LATIN CAPITAL LETTER T WITH CARON:&#x0165;:356:&#x0164; LATIN CAPITAL LETTER Z WITH CARON:&#x017E;:381:&#x017D; LATIN CAPITAL LETTER Z WITH ACUTE:&#x017A;:377:&#x0179; LATIN CAPITAL LETTER L WITH STROKE:&#x0142;:321:&#x0141; LATIN CAPITAL LETTER A WITH OGONEK:&#x0105;:260:&#x0104; LATIN CAPITAL LETTER S WITH CEDILLA:&#x015F;:350:&#x015E; LATIN CAPITAL LETTER Z WITH DOT ABOVE:&#x017C;:379:&#x017B; LATIN CAPITAL LETTER L WITH CARON:&#x013E;:317:&#x013D; LATIN CAPITAL LETTER R WITH ACUTE:&#x0155;:340:&#x0154; LATIN CAPITAL LETTER A WITH ACUTE:&#x00E1;:193:&#x00C1; LATIN CAPITAL LETTER A WITH CIRCUMFLEX:&#x00E2;:194:&#x00C2; LATIN CAPITAL LETTER A WITH BREVE:&#x0103;:258:&#x0102; LATIN CAPITAL LETTER A WITH DIAERESIS:&#x00E4;:196:&#x00C4; LATIN CAPITAL LETTER L WITH ACUTE:&#x013A;:313:&#x0139; LATIN CAPITAL LETTER C WITH ACUTE:&#x0107;:262:&#x0106; LATIN CAPITAL LETTER C WITH CEDILLA:&#x00E7;:199:&#x00C7; LATIN CAPITAL LETTER C WITH CARON:&#x010D;:268:&#x010C; LATIN CAPITAL LETTER E WITH ACUTE:&#x00E9;:201:&#x00C9; LATIN CAPITAL LETTER E WITH OGONEK:&#x0119;:280:&#x0118; LATIN CAPITAL LETTER E WITH DIAERESIS:&#x00EB;:203:&#x00CB; LATIN CAPITAL LETTER E WITH CARON:&#x011B;:282:&#x011A; LATIN CAPITAL LETTER I WITH ACUTE:&#x00ED;:205:&#x00CD; LATIN CAPITAL LETTER I WITH CIRCUMFLEX:&#x00EE;:206:&#x00CE; LATIN CAPITAL LETTER D WITH CARON:&#x010F;:270:&#x010E; LATIN CAPITAL LETTER D WITH STROKE:&#x0111;:272:&#x0110; LATIN CAPITAL LETTER N WITH ACUTE:&#x0144;:323:&#x0143; LATIN CAPITAL LETTER N WITH CARON:&#x0148;:327:&#x0147; LATIN CAPITAL LETTER O WITH ACUTE:&#x00F3;:211:&#x00D3; LATIN CAPITAL LETTER O WITH CIRCUMFLEX:&#x00F4;:212:&#x00D4; LATIN CAPITAL LETTER O WITH DOUBLE ACUTE:&#x0151;:336:&#x0150; LATIN CAPITAL LETTER O WITH DIAERESIS:&#x00F6;:214:&#x00D6; LATIN CAPITAL LETTER R WITH CARON:&#x0159;:344:&#x0158; LATIN CAPITAL LETTER U WITH RING ABOVE:&#x016F;:366:&#x016E; LATIN CAPITAL LETTER U WITH ACUTE:&#x00FA;:218:&#x00DA; LATIN CAPITAL LETTER U WITH DOUBLE ACUTE:&#x0171;:368:&#x0170; LATIN CAPITAL LETTER U WITH DIAERESIS:&#x00FC;:220:&#x00DC; LATIN CAPITAL LETTER Y WITH ACUTE:&#x00FD;:221:&#x00DD; LATIN CAPITAL LETTER T WITH CEDILLA:&#x0163;:354:&#x0162; CYRILLIC CAPITAL LETTER DJE (SERBOCROATIAN):&#x0452;:1026:&#x0402; CYRILLIC CAPITAL LETTER GJE:&#x0453;:1027:&#x0403; CYRILLIC CAPITAL LETTER LJE:&#x0459;:1033:&#x0409; CYRILLIC CAPITAL LETTER NJE:&#x045A;:1034:&#x040A; CYRILLIC CAPITAL LETTER KJE:&#x045C;:1036:&#x040C; CYRILLIC CAPITAL LETTER TSHE (SERBOCROATIAN):&#x045B;:1035:&#x040B; CYRILLIC CAPITAL LETTER DZHE:&#x045F;:1039:&#x040F; CYRILLIC CAPITAL LETTER SHORT U (BYELORUSSIAN):&#x045E;:1038:&#x040E; CYRILLIC CAPITAL LETTER JE:&#x0458;:1032:&#x0408; CYRILLIC CAPITAL LETTER GHE WITH UPTURN:&#x0491;:1168:&#x0490; CYRILLIC CAPITAL LETTER IO:&#x0451;:1025:&#x0401; CYRILLIC CAPITAL LETTER UKRAINIAN IE:&#x0454;:1028:&#x0404; CYRILLIC CAPITAL LETTER YI (UKRAINIAN):&#x0457;:1031:&#x0407; CYRILLIC CAPITAL LETTER BYELORUSSIAN-UKRAINIAN I:&#x0456;:1030:&#x0406; CYRILLIC CAPITAL LETTER DZE:&#x0455;:1029:&#x0405; CYRILLIC CAPITAL LETTER A:&#x0430;:1040:&#x0410; CYRILLIC CAPITAL LETTER BE:&#x0431;:1041:&#x0411; CYRILLIC CAPITAL LETTER VE:&#x0432;:1042:&#x0412; CYRILLIC CAPITAL LETTER GHE:&#x0433;:1043:&#x0413; CYRILLIC CAPITAL LETTER DE:&#x0434;:1044:&#x0414; CYRILLIC CAPITAL LETTER IE:&#x0435;:1045:&#x0415; CYRILLIC CAPITAL LETTER ZHE:&#x0436;:1046:&#x0416; CYRILLIC CAPITAL LETTER ZE:&#x0437;:1047:&#x0417; CYRILLIC CAPITAL LETTER I:&#x0438;:1048:&#x0418; CYRILLIC CAPITAL LETTER SHORT I:&#x0439;:1049:&#x0419; CYRILLIC CAPITAL LETTER KA:&#x043A;:1050:&#x041A; CYRILLIC CAPITAL LETTER EL:&#x043B;:1051:&#x041B; CYRILLIC CAPITAL LETTER EM:&#x043C;:1052:&#x041C; CYRILLIC CAPITAL LETTER EN:&#x043D;:1053:&#x041D; CYRILLIC CAPITAL LETTER O:&#x043E;:1054:&#x041E; CYRILLIC CAPITAL LETTER PE:&#x043F;:1055:&#x041F; CYRILLIC CAPITAL LETTER ER:&#x0440;:1056:&#x0420; CYRILLIC CAPITAL LETTER ES:&#x0441;:1057:&#x0421; CYRILLIC CAPITAL LETTER TE:&#x0442;:1058:&#x0422; CYRILLIC CAPITAL LETTER U:&#x0443;:1059:&#x0423; CYRILLIC CAPITAL LETTER EF:&#x0444;:1060:&#x0424; CYRILLIC CAPITAL LETTER HA:&#x0445;:1061:&#x0425; CYRILLIC CAPITAL LETTER TSE:&#x0446;:1062:&#x0426; CYRILLIC CAPITAL LETTER CHE:&#x0447;:1063:&#x0427; CYRILLIC CAPITAL LETTER SHA:&#x0448;:1064:&#x0428; CYRILLIC CAPITAL LETTER SHCHA:&#x0449;:1065:&#x0429; CYRILLIC CAPITAL LETTER YERU:&#x044B;:1067:&#x042B; CYRILLIC CAPITAL LETTER SOFT SIGN:&#x044C;:1068:&#x042C; CYRILLIC CAPITAL LETTER E:&#x044D;:1069:&#x042D; CYRILLIC CAPITAL LETTER YU:&#x044E;:1070:&#x042E; CYRILLIC CAPITAL LETTER YA:&#x044F;:1071:&#x042F; CYRILLIC CAPITAL LETTER HARD SIGN:&#x044A;:1066:&#x042A; LATIN CAPITAL LIGATURE OE:&#x0153;:338:&#x0152; LATIN CAPITAL LETTER Y WITH DIAERESIS:&#x00FF;:376:&#x0178; LATIN CAPITAL LETTER A WITH GRAVE:&#x00E0;:192:&#x00C0; LATIN CAPITAL LETTER A WITH TILDE:&#x00E3;:195:&#x00C3; LATIN CAPITAL LETTER A WITH RING ABOVE:&#x00E5;:197:&#x00C5; LATIN CAPITAL LETTER AE:&#x00E6;:198:&#x00C6; LATIN CAPITAL LETTER E WITH GRAVE:&#x00E8;:200:&#x00C8; LATIN CAPITAL LETTER E WITH CIRCUMFLEX:&#x00EA;:202:&#x00CA; LATIN CAPITAL LETTER I WITH GRAVE:&#x00EC;:204:&#x00CC; LATIN CAPITAL LETTER I WITH DIAERESIS:&#x00EF;:207:&#x00CF; LATIN CAPITAL LETTER ETH (ICELANDIC):&#x00F0;:208:&#x00D0; LATIN CAPITAL LETTER N WITH TILDE:&#x00F1;:209:&#x00D1; LATIN CAPITAL LETTER O WITH GRAVE:&#x00F2;:210:&#x00D2; LATIN CAPITAL LETTER O WITH TILDE:&#x00F5;:213:&#x00D5; LATIN CAPITAL LETTER O WITH STROKE:&#x00F8;:216:&#x00D8; LATIN CAPITAL LETTER U WITH GRAVE:&#x00F9;:217:&#x00D9; LATIN CAPITAL LETTER U WITH CIRCUMFLEX:&#x00FB;:219:&#x00DB; LATIN CAPITAL LETTER THORN (ICELANDIC):&#x00FE;:222:&#x00DE; GREEK CAPITAL LETTER EPSILON WITH TONOS:&#x03AD;:904:&#x0388; GREEK CAPITAL LETTER ETA WITH TONOS:&#x03AE;:905:&#x0389; GREEK CAPITAL LETTER IOTA WITH TONOS:&#x03AF;:906:&#x038A; GREEK CAPITAL LETTER OMICRON WITH TONOS:&#x03CC;:908:&#x038C; GREEK CAPITAL LETTER UPSILON WITH TONOS:&#x03CD;:910:&#x038E; GREEK CAPITAL LETTER OMEGA WITH TONOS:&#x03CE;:911:&#x038F; GREEK CAPITAL LETTER IOTA WITH DIALYTIKA:&#x03AA;:938:&#x03AA; GREEK CAPITAL LETTER ALPHA:&#x03B1;:913:&#x0391; GREEK CAPITAL LETTER BETA:&#x03B2;:914:&#x0392; GREEK CAPITAL LETTER GAMMA:&#x03B3;:915:&#x0393; GREEK CAPITAL LETTER DELTA:&#x03B4;:916:&#x0394; GREEK CAPITAL LETTER EPSILON:&#x03B5;:917:&#x0395; GREEK CAPITAL LETTER ZETA:&#x03B6;:918:&#x0396; GREEK CAPITAL LETTER ETA:&#x03B7;:919:&#x0397; GREEK CAPITAL LETTER THETA:&#x03B8;:920:&#x0398; GREEK CAPITAL LETTER IOTA:&#x03B9;:921:&#x0399; GREEK CAPITAL LETTER KAPPA:&#x03BA;:922:&#x039A; GREEK CAPITAL LETTER LAMDA:&#x03BB;:923:&#x039B; GREEK CAPITAL LETTER MU:&#x03BC;:924:&#x039C; GREEK CAPITAL LETTER NU:&#x03BD;:925:&#x039D; GREEK CAPITAL LETTER XI:&#x03BE;:926:&#x039E; GREEK CAPITAL LETTER OMICRON:&#x03BF;:927:&#x039F; GREEK CAPITAL LETTER PI:&#x03C0;:928:&#x03A0; GREEK CAPITAL LETTER RHO:&#x03C1;:929:&#x03A1; GREEK CAPITAL LETTER SIGMA:&#x03C3;:931:&#x03A3; GREEK CAPITAL LETTER TAU:&#x03C4;:932:&#x03A4; GREEK CAPITAL LETTER UPSILON:&#x03C5;:933:&#x03A5; GREEK CAPITAL LETTER PHI:&#x03C6;:934:&#x03A6; GREEK CAPITAL LETTER CHI:&#x03C7;:935:&#x03A7; GREEK CAPITAL LETTER OMEGA:&#x03C9;:937:&#x03A9; GREEK CAPITAL LETTER ALPHA WITH TONOS:&#x03AC;:902:&#x0386; GREEK CAPITAL LETTER UPSILON WITH DIALYTIKA:&#x03CB;:939:&#x03AB; GREEK CAPITAL LETTER PSI:&#x03C8;:936:&#x03A8; GREEK CAPITAL LETTER IOTA WITH DIALYTIKA:&#x03CA;:938:&#x03AA; LATIN CAPITAL LETTER G WITH BREVE:&#x011F;:286:&#x011E; LATIN CAPITAL LETTER E WITH DOT ABOVE:&#x0117;:278:&#x0116; LATIN CAPITAL LETTER R WITH CEDILLA:&#x0157;:342:&#x0156; LATIN CAPITAL LETTER I WITH OGONEK:&#x012B;:302:&#x012E; LATIN CAPITAL LETTER A WITH MACRON:&#x0101;:256:&#x0100; LATIN CAPITAL LETTER E WITH MACRON:&#x0113;:274:&#x0112; LATIN CAPITAL LETTER G WITH CEDILLA:&#x0123;:290:&#x0122; LATIN CAPITAL LETTER K WITH CEDILLA:&#x0137;:310:&#x0136; LATIN CAPITAL LETTER I WITH MACRON:&#x012B;:298:&#x012A; LATIN CAPITAL LETTER L WITH CEDILLA:&#x013C;:315:&#x013B; LATIN CAPITAL LETTER N WITH CEDILLA:&#x0146;:325:&#x0145; LATIN CAPITAL LETTER O WITH MACRON:&#x014D;:332:&#x014C; LATIN CAPITAL LETTER U WITH OGONEK:&#x0173;:370:&#x0172; LATIN CAPITAL LETTER U WITH MACRON:&#x016B;:362:&#x016A; </caps_uni> #unused character maps <unused> <caps_to_lower> LATIN CAPITAL LETTER A:'41:65:'61 LATIN CAPITAL LETTER B:'42:66:'62 LATIN CAPITAL LETTER C:'43:67:'63 LATIN CAPITAL LETTER D:'44:68:'64 LATIN CAPITAL LETTER E:'45:69:'65 LATIN CAPITAL LETTER F:'46:70:'66 LATIN CAPITAL LETTER G:'47:71:'67 LATIN CAPITAL LETTER H:'48:72:'68 LATIN CAPITAL LETTER I:'49:73:'69 LATIN CAPITAL LETTER J:'4A:74:'6a LATIN CAPITAL LETTER K:'4B:75:'6b LATIN CAPITAL LETTER L:'4C:76:'6c LATIN CAPITAL LETTER M:'4D:77:'6d LATIN CAPITAL LETTER N:'4E:78:'6e LATIN CAPITAL LETTER O:'4F:79:'6f LATIN CAPITAL LETTER P:'50:80:'70 LATIN CAPITAL LETTER Q:'51:81:'71 LATIN CAPITAL LETTER R:'52:82:'72 LATIN CAPITAL LETTER S:'53:83:'73 LATIN CAPITAL LETTER T:'54:84:'74 LATIN CAPITAL LETTER U:'55:85:'75 LATIN CAPITAL LETTER V:'56:86:'76 LATIN CAPITAL LETTER W:'57:87:'77 LATIN CAPITAL LETTER X:'58:88:'78 LATIN CAPITAL LETTER Y:'59:89:'79 LATIN CAPITAL LETTER Z:'5A:90:'7a LATIN CAPITAL LETTER A:A:65:a LATIN CAPITAL LETTER B:B:66:b LATIN CAPITAL LETTER C:C:67:c LATIN CAPITAL LETTER D:D:68:d LATIN CAPITAL LETTER E:E:69:e LATIN CAPITAL LETTER F:F:70:f LATIN CAPITAL LETTER G:G:71:g LATIN CAPITAL LETTER H:H:72:h LATIN CAPITAL LETTER I:I:73:i LATIN CAPITAL LETTER J:J:74:j LATIN CAPITAL LETTER K:K:75:K LATIN CAPITAL LETTER L:L:76:l LATIN CAPITAL LETTER M:M:77:m LATIN CAPITAL LETTER N:N:78:n LATIN CAPITAL LETTER O:O:79:o LATIN CAPITAL LETTER P:P:80:p LATIN CAPITAL LETTER Q:Q:81:q LATIN CAPITAL LETTER R:R:82:r LATIN CAPITAL LETTER S:S:83:s LATIN CAPITAL LETTER T:T:84:t LATIN CAPITAL LETTER U:U:85:u LATIN CAPITAL LETTER V:V:86:v LATIN CAPITAL LETTER W:W:87:x LATIN CAPITAL LETTER X:X:88:x LATIN CAPITAL LETTER Y:Y:89:y LATIN CAPITAL LETTER Z:Z:90:z NO UNICODE VALUE:'E7:231:\'87 NO UNICODE VALUE:'83:131:\'8E NO UNICODE VALUE:'92:146:\'EA NO UNICODE VALUE:'EE:238:\'97 NO UNICODE VALUE:'F2:242:\'9C NO UNICODE VALUE:'CB:203:\'88 NO UNICODE VALUE:'E9:233:\'8F NO UNICODE VALUE:'ED:237:\'93 NO UNICODE VALUE:'F1:241:\'98 NO UNICODE VALUE:'F4:244:\'9D NO UNICODE VALUE:'E5:229:\'89 NO UNICODE VALUE:'E6:230:\'90 NO UNICODE VALUE:'EB:235:\'94 NO UNICODE VALUE:'EF:239:\'99 NO UNICODE VALUE:'F3:243:\'9E NO UNICODE VALUE:'AF:175:\'BF NO UNICODE VALUE:'84:132:\'96 NO UNICODE VALUE:'CD:205:\'9B NO UNICODE VALUE:'CC:204:\'8B NO UNICODE VALUE:'80:128:\'8A NO UNICODE VALUE:'E8:232:\'91 NO UNICODE VALUE:'EC:236:\'95 NO UNICODE VALUE:'85:133:\'9A NO UNICODE VALUE:'86:134:\'9F NO UNICODE VALUE:'82:130:\'8D NO UNICODE VALUE:'81:129:\'8C NO UNICODE VALUE:'E1:129:\'C1 </caps_to_lower> <wingdings_old> CANCER:a:9803:&#x264B; LEO:b:9804:&#x264C; VIRGO:c:9805:&#x264D; LIBRA:d:9806:&#x264E; SCORPIOUS:e:9807:&#x264F; SAGITARRIUS:f:9808:&#x2650; CAPRICON:g:9809:&#x2651; AQUARIUS:h:9810:&#x2652; PISCES:i:9811:&#x2653; MY LOOPY ET:j:0:<fancy_et/> AMPERSAND:k:38:&#x0026; BLACK CIRCLE:l:9679:&#x25CF; SHADOWED WHITE CIRCLE:m:10061:&#x274D; BLACK SQUARE:n:9632:&#x25A0; WHITE SQUARE:o:9633:&#x25A1; WHITE SQUARE:p:9633:&#x25A1; LOWER RIGHT SHADOWED SQUARE:q:10065:&#x2751; UPPER RIGHT SHADOWED WHITE SQUARE:r:10066:&#x2752; BLACK DIAMOND:s:9670:&#x25C6; BLACK DIAMOND:t:9670:&#x25C6; BLACK DIAMOND:u:9670:&#x25C6; BLACK DIAMOND MINUS WHITE X:v:10070:&#x2756; BLACK DIAMOND MINUS WHITE X:w:10070:&#x2756; BALLOT BOX WITH X:x:9746:&#x2612; MY COMPUTER KEY:y:0:<on_key/> MY APPLE KEY:z:0:<apple_key/> VICTORY HAND:A:9996:&#x270C; OKAY HAND:B:0:<okay_hand/> MY THUMBS UP:C:0:<thumbs_up/> MY THUMBS DOWN:D:0:<thumbs_down/> WHITE LEFT POINTING INDEX:E:9756:&#x261C; WHITE RIGHT POINTING INDEX:F:9758:&#x261E; WHITE POINTING UP INDEX:G:9757:&#x261D; WHITE POINTING DOWN INDEX:H:9759:&#x261F; MY OPEN HAND:I:0:<open_hand/> WHITE SMILING FACE:J:9786:&#x263A; MY STRAIGHT FACE:K:0:<straight_face/> WHITE FROWNING FACE:L:9785:&#x2639; MY BOMB:M:0:<bomb/> SKULL AND CROSSBONES:N:9760:&#x2620; MY FLAG:O:0:<flag/> MY PENNANT:P:0:<pennant/> AIRPLANE:Q:9992:&#x2708; CIRCLED OPEN CENTRE EIGHT POINTED STAR:R:9794:&#x2642; MY TEARDROP:S:0:<teardrop/> SNOWFLAKE:T:10052:&#x2744; SHADOWED WHITE LATIN CROSS:U:10014:&#x271E; SHADOWED WHITE LATIN CROSS:V:10014:&#x271E; MY CELTIC CROSS:W:0:<celtic_cross/> MALTESE CROSS:X:10016:&#x2720; STAR OF DAVID:Y:10017:&#x2721; STAR AND CRESCENT:Z:9770:&#x262A; MY FOLDER:0:0:<folder/> MY OPEN FOLDER:1:0:<open_folder/> MY DOG-EARED DOCUMENT:2:0:<dog_eared_doc/> MY DOCUMENT:3:0:<document/> MY PAGES:4:0:<pages/> MY FILE CABINETS:5:0:<file_cabinets/> MY HOUR GLASS:6:0:<hour_glass/> MY KEYBOARD:7:0:<keyboard/> MY MOUSE:8:0:<mouse/> MY BOTTOM OF MOUSE:9:0:<bottom_mouse/> LOWER RIGHT PENCIL:!:9998:&#x270E; WRITING HAND:@:9996:&#x270C; UPPER BLADE SCISSORS:#:9985:&#x2701; MY GLASSES:$:0:<glasses/> MY BELL:%:0:<bell/> ARIES:^:9800:&#x2648; MY BOOK:&:0:<book/> ENVELOPE:*:9993:&#x2709; BLACK TELEPHONE:(:9742:&#x260E; TELEPHONE LOCATION SIGN:):9990:&#x2706; MY MAILBOX:-:0:<mailbox/> TAURUS:_:9801:&#x2649; MY BLACK FLOPPY DISK:=:0:<black_floppy_disk/> ENVELOPE:+:9993:&#x2709; HEAVY DOUBLE COMMA QUOTATION MARK ORNAMENT:~:10078:&#x275E; GEMINI:`:9802:&#x264A; MY WHITE FLOPPY DISK:<:0:<white_floppy_disk/> MY TAPE REEL:>:0:<tape_reel/> MY OPEN MAILBOX:.:0:<open_mailbox/> WRITING HAND:?:9996:&#x270C; EIGHT PETALLED OUTLINED BLACK FLORETTE:|:10049:&#x2741; MY OPEN MAILBOX:/:0:<open_mailbox/> MY COMPUETR:\\colon:0:<computer/> MY DOWNWARD LEAF:" :0:<downward_leaf/> MY UPWARD LEAF:" :0:<upward_leaf/> </wingdings_old> <SYMBOL_decimal> EXCLAMATION MARK:33:33:! FOR ALL:34:8704:&#x2200; NUMBER SIGN:35:35:# THERE EXISTS:36:8707:&#x2203; PERCENTAGE SIGN:37:37:% AMPERSAND:38:38:&#x0026; CONTAINS AS A MEMBER:39:8715:&#x220B; LEFT PARENTHESIS:40:40:( RIGHT PERENTHESIS:41:41:) ASTERISK OPERATOR:42:8727:&#x2217; PLUS SIGN:43:43:+ COMMA:44:44:, MINUS SIGN:45:8722:&#x2212; FULL STOP:46:46:. DIVISION SLASH:47:8725:&#x2215; DIGIT ZERO:48:48:0 DIGIT ONE:49:49:1 DIGIT TWO:50:50:2 DIGIT THREE:51:51:3 DIGIT FOUR:52:52:4 DIGIT FIVE:53:53:5 DIGIT SIX:54:54:6 DIGIT SEVEN:55:55:7 DIGIT EIGHT:56:56:8 DIGIT NINE:57:57:9 RATIO:58:8758:&#x2236; SEMICOLON:59:59:; LESS-THAN SIGN:60:60:&lt; EQUALS SIGN TO:61:61:= GREATER-THAN SIGN:62:62:&gt; QUESTION MARK:63:63:? APPROXTIMATELY EQUAL TO:64:8773:&#x2245; GREEK CAPITOL LETTER ALPHA:65:913:&#x0391; GREEK CAPAITOL LETTER BETA:66:914:&#x0392; GREEK CAPITOL LETTER CHI:67:935:&#x03A7; GREEK CAPITOL LETTER DELTA:68:916:&#x0394; GREEK CAPITOL LETTER EPSILON:69:917:&#x0395; GREEK CAPITOL LETTER PHI:70:934:&#x03A6; GREEK CAPITOL LETTER GAMMA:71:915:&#x0393; GREEK CAPITOL LETTER ETA:72:919:&#x0397; GREEK CAPITOL LETTER ITOA:73:913:&#x0391; GREEK THETA SYMBOL:74:977:&#x03D1; GREEK CAPITOL LETTER KAPPA:75:922:&#x039A; GREEK CAPITOL LETTER LAMBDA:76:923:&#x039B; GREEK CAPITOL LETTER MU:77:924:&#x039C; GREEK CAPITOL LETTER NU:78:925:&#x039D; GREEK CAPITOL LETTER OMICRON:79:927:&#x039F; GREEK CAPITAL LETTER PI:80:928:&#x03A0; GREEK CAPITOL LETTER THETA:81:920:&#x0398; GREEK CAPITOL LETTER RHO:82:929:&#x03A1; GREEK CAPITOL LETTER SIGMA:83:931:&#x03A3; GREEK CAPITOL LETTER TAU:84:932:&#x03A4; GREEK CAPITOL LETTER UPSILON:85:933:&#x03A5; GREEK LETTER STIGMA:86:986:&#x03DA; GREEK CAPITOL LETTER OMEGA:87:937:&#x03A9; GREEK CAPITOL LETTER XI:88:926:&#x039E; GREEK CAPITOL LETTER PSI:89:936:&#x03A8; GREEK CAPITOL LETTER ZETA:90:918:&#x0396; LEFT SQUARE BRACKET:91:91:&#x005B; THEREFORE:92:8756:&#x2234; RIGHT SQUARE BRACKET:93:93:&#x005D; UP TACK:94:8869:&#x22A5; MODIFIER LETTER LOW MACRON:95:717:&#x02CD; MODIFIER LETTER MACRON:96:713:&#x02C9; GREEK SMALL LETTER ALPHA:97:945:&#x03B1; GREEK SMALL LETTER BETA:98:946:&#x03B2; GREEK SMALL LETTER CHI:99:967:&#x03C7; GREEK SMALL LETTER DELTA:100:948:&#x03B4; GREEK SMALL LETTER EPSILON:101:949:&#x03B5; GREEK PHI SYMBOL:102:981:&#x03D5; GREEK MSALL LETTER DELTA:103:947:&#x03B3; GREEK SMALL LETTER ETA:104:951:&#x03B7; GREEK SMALL LETTER IOTA:105:953:&#x03B9; GREEK SMALL LETTER PHI:106:966:&#x03C6; GREEK SMALL LETTER KAPPA:107:954:&#x03BA; GREEK SMALL LETTER LAMDA:108:955:&#x03BB; GREEK SMALL LETTER MU:109:956:&#x03BC; GREEK SMALL LETTER NU:110:957:&#x03BD; GREEK SMALL LETTER OMICRON:111:959:&#x03BF; GREEK SMALL LETTER PI:112:960:&#x03C0; GREEK SMALL LETTER THETA:113:952:&#x03B8; GREEK SMALL LETTER RHO:114:961:&#x03C1; GREEK SMALL LETTER SIGMA:115:963:&#x03C3; GREEK SMALL LETTER TAU:116:964:&#x03C4; GREEK SMALL LETTER UPSILON:117:965:&#x03C5; GREEK PI SYMBOL:118:982:&#x03D6; GREEK SMALL LETTER OMEGA:119:969:&#x03C9; GREEK SMALL LETTER XI:120:958:&#x03BE; GREEK SMALL LETTER PHI:121:966:&#x03C6; GREEK SMALL LETTER ZETA:122:950:&#x03B6; LEFT CURLY BRACKET:123:123:{ DIVIDES:124:8739:&#x2223; RIGHT CURLY BRACKET:125:125:} TILDE OPERATOR:126:8764:&#x223C; GREEK UPSILON WITH HOOK SYMBOL:161:978:&#x03D2; COMBINING ACUTE TONE MARK:162:833:&#x0341; LESS THAN OR EQUAL TO:163:8804:&#x2264; DIVISION SLASH:164:8725:&#x2215; INFINITY:165:8734:&#x221E; SMALL LETTER F:166:15:f BLACK CLUB SUIT:167:9827:&#x2663; BLACK DIAMOND SUIT:168:9830:&#x2666; BLACK HEART SUIT:169:9829:&#x2665; BLACK SPADE SUIT:170:9824:&#x2660; LEFT RIGHT ARROW:171:8596:&#x2194; LEFTWARDS ARROW:172:8592:&#x2190; UPWARDS ARROW:173:8593:&#x2191; RIGHTWARDS ARROW:174:8594:&#x2192; DOWNWARDS ARROW:175:8595:&#x2193; DEGREE SIGN:176:176:&#x00B0; PLUS OR MINUS SIGN:177:177:&#x00B1; DOUBLE ACUTE ACCENT:178:733:&#x02DD; GREATER THAN OR EQUAL TO:179:8805:&#x2265; MULTIPLICATION SIGN:180:215:&#x00D7; DON'T KNOW:181:8733:&#x221D; PARTIAL DIFFERENTIAL:182:8706:&#x2202; BULLET:183:183:&#x00B7; DIVISION:184:247:&#x00F7; NOT EQUAL TO:185:8800:&#x2260; IDENTICAL TO:186:8801:&#x2261; ALMOST EQUAL TO:187:8776:&#x2248; MIDLINE HORIZONTAL ELLIPSES:188:8943:&#x22EF; DIVIDES:189:8739:&#x2223; BOX DRAWINGS LIGHT HORIZONTAL:190:9472:&#x2500; DOWNWARDS ARROW WITH TIP LEFTWARDS:191:8626:&#x21B2; CIRCLED TIMES:196:8855:&#x2297; CIRCLED PLUS:197:8853:&#x2295; EMPTY SET:198:8709:&#x2205; INTERSECTION:199:8745:&#x2229; UNION:200:8746:&#x222A; SUPERSET OF:201:8835:&#x2283; SUPERSET OF OR EQUAL TO:202:8839:&#x2287; NIETHER A SUBSET OR EQUAL TO:203:8836:&#x2284; SUBSET OF:204:8834:&#x2282; SUBSET OR EQUAL TO:205:8838:&#x2286; ELEMENT OF:206:8712:&#x2208; NOT AN ELEMENT OF:207:8713:&#x2209; ANGLE:208:8736:&#x2220; WHITE DOWN POINTING TRIANBLE:209:9661:&#x25BD; REGISTERED SIGN:210:174:&#x00AE; COPYRIGHT:211:169:&#x00A9; TRADEMARK SYMBOL:212:8482:&#x2122; NARY OPERATOR:213:8719:&#x220F; SQUARE ROOT:214:8730:&#x221A; BULLET OPERATOR:215:8729:&#x2219; NOT SIGN:216:172:&#x00AC; LOGICAL AND:217:8743:&#x2227; LOGICAL OR:218:8744:&#x2228; LEFT RIGHT DOUBLE ARROW:219:8660:&#x21D4; LEFTWARDS DOUBLE ARROW:220:8656:&#x21D0; UPWARDS DOUBLE ARROW:221:8657:&#x21D1; RIGHTWARDS DOUBLE ARROW:222:8658:&#x21D2; DOWNWARDS DOUBLE ARROW:223:8659:&#x21D3; BETWEEN:224:8812:&#x226C; MATHEMATICAL LEFT ANGELBRACKET:225:10216:&#x27E8; REGISTERED SIGN:226:174:&#x00AE; COPYRIGHT:227:169:&#x00A9; TRADEMARK SYMBOL:228:8482:&#x2122; N-ARY SUMMATION:229:8721:&#x2211; LARGE LEFT PARENTHESIS PART1:230:0:<udef_symbol num="0x230" description="left_paraenthesis part 1"/> LARGE LEFT PARENTHESIS PART2:231:0:<udef_symbol num="0x231" description="left_parenthesis part 2"/> LARGE LEFT PARENTHESIS PART3:232:0:<udef_symbol num="0x232" description="left_paranethesis part 3"/> LARGE LEFT SQUARE BRACKET PART1:233:0:<udef_symbol num="0x233" description="left_square_bracket part 1"/> LARGE LEFT SQUARE BRACKET PART2:234:0:<udef_symbol num="0x234" description="left_square_bracket part 2"/> LARGE LEFT SQUARE BRACKET PART3:235:0:<udef_symbol num="0x235" description="left_square_bracket part 3"/> LARGE LEFT BRACKET PART1:236:0:<udef_symbol num="0x236" description="right_bracket part 1"/> LARGE LEFT BRACKET PART2:237:0:<udef_symbol num="0x237" description="right_bracket part 2"/> LARGE LEFT BRACKET PART3:238:0:<udef_symbol num="0x238" description="right_bracket part 3"/> DIVIDES:239:8739:&#x2223; MATHEMATICAL RIGHT ANGLE BRACKET:241:10217:&#x27E9; INTEGRAL:242:8747:&#x222B; LARGE INTEGRAL PART 1:243:0:<udef_symbol num="0x243" description="integral part 1"/> LARGE INTEGRAL PART 2:244:0:<udef_symbol num="0x244" description="integral part 2"/> LARGE INTEGRAL PART 3:245:0:<udef_symbol num="0x245" description="integral part 3"/> LARGE RIGHT PARENTHESIS PART1:246:0:<udef_symbol num="0x246" description="right_parenthesis part 1"/> LARGE RIGHT PARENTHESIS PART2:247:0:<udef_symbol num="0x247" description="right_parenthesis part 2"/> LARGE RIGHT PARENTHESIS PART3:248:0:<udef_symbol num="0x248" description="right_parenthesis part 3"/> LARGE RIGHT SQUARE BRACKET PART1:249:0:<udef_symbol num="0x249" description="right_square_bracket part 1"/> LARGE RIGHT SQUARE BRACKET PART2:250:0:<udef_symbol num="0x250" description="right_square_bracket part 2"/> LARGE RIGHT SQUARE BRACKETPART3:251:0:<udef_symbol num="0x251" description="right_square_bracket part 3"/> LARGE RIGHT BRACKET PART1:252:0:<udef_symbol num="0x252" description="right_bracket part 1"/> LARGE RIGHT BRACKETPART2:253:0:<udef_symbol num="0x253" description="right_bracket part 2"/> LARGE RIGHT BRACKETPART3:254:0:<udef_symbol num="0x254" description="right_bracket part 3"/> DOUBLE ACUTE ACCENT:178:733:&#x02DD; </SYMBOL_decimal> <SYMBOL_old> EXCLMATION POINT:33:unknown:! FOR ALL:34:8704:&#x2200; POUND SIGN:35:unknown:# THERE EXISTS:36:8707:&#x2203; PERCENTAGE SIGN:37:unknown:% AMPERSAND:38:38:&#x0026; CONTAINS AS A MEMBER:39:unknown:&#x220B; LEFT PARENTHESIS:40:unknown:( RIGHT PERENTHESIS:41:unknown:) ASTERISK OPERATOR:42:8727:&#x2217; PLUS:43:unknown:+ COMMA:44:unknown:, MINUS SIGN:45:8722:&#x2212; PERIOD:46:unknown:. DIVISION SLASH:47:8725:&#x2215; ZERO:48:0:0 ONE:49:1:1 TWO:50:2:2 THREE:51:3:3 FOUR:52:4:4 FIVE:53:5:5 SIX:54:6:6 SEVEN:55:7:7 EIGHT:56:8:8 NINE:57:9:9 RATIO:58:8758:&#x2236; SEMICOLON:59:unknown:; LESS THAN:60:unknown:&lt; EQAULS TO:61:unknown:= GREATER THAN:62:unknown:&gt; QUESTION MARK:63:unknown:? APPROXTIMATELY EQUAL TO:64:8773:&#x2245; GREEK CAPITOL LETTER ALPHA:65:913:&#x0391; GREEK CAPAITOL LETTER BETA:66:914:&#x0392; GREEK CAPITOL LETTER CHI:67:unknown:&#x03A7; GREEK CAPITOL LETTER DELTA:68:916:&#x0394; GREEK CAPITOL LETTER EPSILON:69:917:&#x0395; GREEK CAPITOL LETTER PHI:70:unknown:&#x03A6; GREEK CAPITOL LETTER GAMMA:71:915:&#x0393; GREEK CAPITOL LETTER ETA:72:919:&#x0397; GREEK CAPITOL LETTER ITOA:73:913:&#x0391; GREEK THETA SYMBOL:74:unknown:&#x03D1; GREEK CAPITOL LETTER KAPPA:75:unknown:&#x039A; GREEK CAPITOL LETTER LAMBDA:76:unknown:&#x039B; GREEK CAPITOL LETTER MU:77:unknown:&#x039C; GREEK CAPITOL LETTER NU:78:unknown:&#x039D; GREEK CAPITOL LETTER OMICRON:79:unknown:&#x039F; GREEK CAPITAL LETTER PI:80:unknown:&#x03A0; GREEK CAPITOL LETTER THETA:81:920:&#x0398; GREEK CAPITOL LETTER RHO:82:unknown:&#x03A1; GREEK CAPITOL LETTER SIGMA:83:unknown:&#x03A3; GREEK CAPITOL LETTER TAU:84:unknown:&#x03A4; GREEK CAPITOL LETTER UPSILON:85:unknown:&#x03A5; GREEK LETTER STIGMA:86:unknown:&#x03DA; GREEK CAPITOL LETTEROMEGA:87:unknown:&#x03A9; GREEK CAPITOL LETTER XI:88:unknown:&#x039E; GREEK CAPITOL LETTER PSI:89:unknown:&#x03A8; GREEK CAPITOL LETTER ZETA:90:918:&#x0396; LEFT BRACKET:91:unknown:[ THEREFORE:92:8756:&#x2234; LEFT BRACKET:93:unknown:[ UP TACK:94:unknown:&#x22A5; MODIFIER LETTER LOW MACRON:95:unknown:&#x02CD; MODIFIER LETTER MACRON:96:unknown:&#x02C9; GREEK SMALL LETTER ALPHA:97:unknown:&#x03B1; GREEK SMALL LETTER BETA:98:unknown:&#x03B2; GREEK SMALL LETTER CHI:99:unknown:&#x03C7; GREEK SMALL LETTER DELTA:100:unknown:&#x03B4; GREEK SMALL LETTER EPSILON:101:unknown:&#x03B5; GREEK PHI SYMBOL:102:unknown:&#x03D5; GREEK MSALL LETTER DELTA:103:unknown:&#x03B3; GREEK SMALL LETTER ETA:104:unknown:&#x03B7; GREEK SMALL LETTER IOTA:105:unknown:&#x03B9; GREEK SMALL LETTER PHI:106:unknown:&#x03C6; GREEK SMALL LETTER KAPPA:107:unknown:&#x03BA; GREEK SMALL LETTER LAMDA:108:unknown:&#x03BB; GREEK SMALL LETTER MU:109:unknown:&#x03BC; GREEK SMALL LETTER NU:110:unknown:&#x03BD; GREEK SMALL LETTER OMICRON:111:unknown:&#x03BF; GREEK SMALL LETTER PI:112:unknown:&#x03C0; GREEK SMALL LETTER THETA:113:unknown:&#x03B8; GREEK SMALL LETTER RHO:114:unknown:&#x03C1; GREEK SMALL LETTER SIGMA:115:unknown:&#x03C3; GREEK SMALL LETTER TAU:116:unknown:&#x03C4; GREEK SMALL LETTER UPSILON:117:unknown:&#x03C5; GREEK PI SYMBOL:118:unknown:&#x03D6; GREEK SMALL LETTER OMEGA:119:unknown:&#x03C9; GREEK SMALL LETTER XI:120:unknown:&#x03BE; GREEK SMALL LETTER PHI:121:unknown:&#x03C6; GREEK SMALL LETTER ZETA:122:unknown:&#x03B6; RIGHT BRACKET:123:unknown:{ DIVIDES:124:8739:&#x2223; LEFT BRACKET:125:unknown:} TILDE OPERATOR:126:unknown:&#x223C; GREEK UPSILON WITH HOOK SYMBOL:161:unknown:&#x03D2; COMBINING ACUTE TONE MARK:162:833:&#x0341; LESS THAN OR EQUAL TO:163:8804:&#x2264; DIVISION SLASH:164:8725:&#x2215; INFINITY:165:unknown:&#x221E; SMALL LETTER F:166:unknown:f BLACK CLUB SUIT:167:9827:&#x2663; BLACK DIAMOND SUIT:168:9830:&#x2666; BLACK HEART SUIT:169:9829:&#x2665; BLACK SPADE SUIT:170:9824:&#x2660; LEFT RIGHT ARROW:171:8596:&#x2194; LEFTWARDS ARROW:172:8592:&#x2190; UPWARDS ARROW:173:8593:&#x2191; RIGHTWARDS ARROW:174:8594:&#x2192; DOWNWARDS ARROW:175:8595:&#x2193; DEGREE SIGN:176:unknown:&#x00B0; PLUS OR MINUS SIGN:177:unknown:&#x00B1; DOUBLE ACUTE ACCENT:178:unknown:&#x02DD; GREATER THAN OR EQUAL TO:179:8805:&#x2265; MULTIPLICATION SIGN:180:unknown:&#x00D7; DON' T KNOW:181:unknown:&#x221D; PARTIAL DIFFERENTIAL:182:8706:&#x2202; BULLET?:183:unknown:&#x00B7; DIVISION:184:unknown:&#x00F7; NOT EQUAL TO:185:8800:&#x2260; IDENTICAL TO:186:8801:&#x2261; ALMOST EQUAL TO:187:8776:&#x2248; MIDLINE HORIZONTAL ELLIPSES:188:unknown:&#x22EF; DIVIDES:189:8739:&#x2223; BOX DRAWINGS LIGHT HORIZONTAL:190:9472:&#x2500; DOWNWARDS ARROW WITH TIP LEFTWARDS:191:unknown:&#x21B2; CIRCLED TIMES:196:8855:&#x2297; CIRCLED PLUS:197:8853:&#x2295; EMPTY SET:198:8709:&#x2205; INTERSECTION:199:8745:&#x2229; UNION:200:unknown:&#x222A; SUPERSET OF:201:8835:&#x2283; SUPERSET OF OR EQUAL TO:202:8839:&#x2287; NIETHER A SUBSET OR EQUAL TO:203:8836:&#x2284; SUBSET OF:204:8834:&#x2282; SUBSET OR EQUAL TO:205:8838:&#x2286; ELEMENT OF:206:8712:&#x2208; NOT AN ELEMENT OF:207:8713:&#x2209; ANGLE:208:8736:&#x2220; WHITE DOWN POINTING TRIANBLE:209:unknown:&#x25BD; REGISTERED SIGN:210:unknown:&#x00AE; COPYRIGHT:211:unknown:&#x00A9; NARY OPERATOR:213:unknown:&#x220F; SQUARE ROOT:214:unknown:&#x221A; BULLET OPERATOR:215:8729:&#x2219; NOT SIGN:216:unknown:&#x00AC; LOGICAL AND:217:8743:&#x2227; LOGICAL OR:218:8744:&#x2228; LEFT RIGHT DOUBLE ARROW:219:unknown:&#x21D4; LEFTWARDS DOUBLE ARROW:220:unknown:&#x21D0; UPWARDS DOUBLE ARROW:221:unknown:&#x21D1; RIGHTWARDS DOUBLE ARROW:222:unknown:&#x21D2; DOWNWARDS DOUBLE ARROW:223:unknown:&#x21D3; BETWEEN:224:unknown:&#x226C; MATHEMATICAL LEFT ANGELBRACKET:225:unknown:&#x27E8; REGISTERED SIGN:226:unknown:&#x00AE; COPYRIGHT:227:unknown:&#x00A9; N-ARY SUMMATION:229:8721:&#x2211; LARGE LEFT PARENTHESIS PART1:230:unknown:<udef_symbol num="0x230" description="left_paraenthesis part 1"/> LARGE LEFT PARENTHESIS PART2:231:unknown:<udef_symbol num="0x231" description="left_parenthesis part 2"/> LARGE LEFT PARENTHESIS PART3:232:unknown:<udef_symbol num="0x232" description="left_paranethesis part 3"/> LARGE LEFT SQUARE BRACKET PART1:233:unknown:<udef_symbol num="0x233" description="right_square_bracket part 1"/> LARGE LEFT SQUARE BRACKET PART2:234:unknown:<udef_symbol num="0x234" description="right_square_bracket part 2"/> LARGE LEFT SQUARE BRACKET PART3:235:unknown:<udef_symbol num="0x235" description="right_square_bracket part 3"/> LARGE LEFT BRACKET PART1:236:unknown:<udef_symbol num="0x236" description="right_bracket part 1"/> LARGE LEFT BRACKET PART2:237:unknown:<udef_symbol num="0x237" description="right_bracket part 2"/> LARGE LEFT BRACKET PART3:238:unknown:<udef_symbol num="0x238" description="right_bracket part 3"/> DIVIDES:239:8739:&#x2223; MATHEMATICAL RIGHT ANGLE BRACKET:241:unknown:27E9 INTEGRAL:242:unknown:&#x222B; LARGE INTEGRAL PART 1:243:unknown:<integral part="1"/> LARGE INTEGRAL PART 2:244:unknown:<integral part="2"/> LARGE INTEGRAL PART 3:245:unknown:<integral part="3"/> LARGE RIGHT PARENTHESIS PART1:246:unknown:<right_parenthesis part="1"/> LARGE RIGHT PARENTHESIS PART2:247:unknown:<right_parenthesis part="2"/> LARGE RIGHT PARENTHESIS PART3:248:unknown:<right_parenthesis part="3"/> LARGE RIGHT SQUARE BRACKET PART1:249:unknown:<right_square_bracket part="1"/> LARGE RIGHT SQUARE BRACKET PART2:250:unknown:<right_square_bracket part="2"/> LARGE RIGHT SQUARE BRACKETPART3:251:unknown:<right_square_bracket part="3"/> LARGE RIGHT BRACKET PART1:252:unknown:<right_bracket part="1"/> LARGE RIGHT BRACKETPART2:253:unknown:<right_bracket part="2"/> LARGE RIGHT BRACKETPART3:254:unknown:<right_bracket part="3"/> DOUBLE ACUTE ACCENT:178:unknown:02DD TRADEMARK SYMBOL:212:unknown:&#x2122; TRADEMARK SYMBOL:228:unknown:&#x2122; </SYMBOL_old> <greek> GREEK CAPITAL LETTER ALPHA:A:65:&#x0391; GREEK CAPITAL LETTER BETA:B:66:&#x0392; GREEK CAPITAL LETTER CHI:C:67:&#x03A7; GREEK CAPITAL LETTER DELTA:D:68:&#x0394; GREEK CAPITAL LETTER EPSILON:E:69:&#x0395; GREEK CAPITAL LETTER PHI:F:70:&#x03A6; GREEK CAPITAL LETTER GAMMA:G:71:&#x0393; GREEK CAPITAL LETTER ETA:H:72:&#x0397; GREEK CAPITAL LETTER IOTA:I:73:&#x0399; GREEK THETA SYMBOL:J:74:&#x03D1; GREEK CAPITAL LETTER KAPPA:K:75:&#x039A; GREEK CAPITAL LETTER LAMDA:L:76:&#x039B; GREEK CAPITAL LETTER MU:M:77:&#x039C; GREEK CAPITAL LETTER NU:N:78:&#x039D; GREEK CAPITAL LETTER OMICRON:O:79:&#x039F; GREEK CAPITAL LETTER PI:P:80:&#x03A0; GREEK CAPITAL LETTER THETA:T:81:&#x0398; GREEK CAPITAL LETTER RHO:R:82:&#x03A1; GREEK CAPITAL LETTER SIGMA:S:83:&#x03A3; GREEK CAPITAL LETTER TAU:T:84:&#x03A4; GREEK CAPITAL LETTER UPSILON:U:85:&#x03A5; GREEK SMALL LETTER FINAL SIGMA:V:86:&#x03DA; GREEK CAPITAL LETTER OMEGA:W:87:&#x03A9; GREEK CAPITAL LETTER XI:X:88:&#x039E; GREEK CAPITAL LETTER PSI:Y:89:&#x03A8; GREEK CAPITAL LETTER ZETA:Z:90:&#x0396; GREEK SMALL LETTER ALPHA:a:97:&#x03B1; GREEK SMALL LETTER BETA:b:98:&#x03B2; GREEK SMALL LETTER CHI:c:99:&#x03C7; GREEK SMALL LETTER DELTA:d:100:&#x03B4; GREEK SMALL LETTER EPSILON:e:101:&#x03B5; GREEK SMALL LETTER PHI:f:102:&#x03C6; GREEK SMALL LETTER GAMMA:g:103:&#x03B3; GREEK SMALL LETTER ETA:h:104:&#x03B7; GREEK SMALL LETTER IOTA:i:105:&#x03B9; GREEK PHI SYMBOL:j:106:&#x03C6; GREEK SMALL LETTER KAPPA:k:107:&#x03BA; GREEK SMALL LETTER LAMDA:l:108:&#x03BB; GREEK SMALL LETTER MU:m:109:&#x03BC; GREEK SMALL LETTER NU:n:110:&#x03BD; GREEK SMALL LETTER OMICRON:o:111:&#x03BF; GREEK SMALL LETTER PI:p:112:&#x03C0; GREEK SMALL LETTER THETA:q:113:&#x03B8; GREEK SMALL LETTER RHO:r:114:&#x03C1; GREEK SMALL LETTER SIGMA:s:115:&#x03C3; GREEK SMALL LETTER TAU:t:116:&#x03C4; GREEK SMALL LETTER UPSILON:u:117:&#x03C5; GREEK PI SYMBOL:v:118:&#x03D6; GREEK SMALL LETTER OMEGA:w:119:&#x03C9; GREEK SMALL LETTER XI:x:120:&#x03BE; GREEK SMALL LETTER PSI:y:121:&#x03C8; GREEK SMALL LETTER ZETA:z:122:&#x03B6; APROXTIMATELY EQUAL TO:@:unknown:&#x2245; THERE EXISTS:$:unknown:2203 UP TACK:^:unknown:&#x22A5; </greek> <dingbats_old> STAR OF DAVID:A:10017:&#x2721; FOUR TEARDROP-SPOKED ASTERISK:B:10018:&#x2722; FOUR BALLOON-SPOKED ASTERISK:C:10019:&#x2723; HEAVY FOUR BALLOON-SPOKED ASTERISK:D:10020:&#x2724; FOUR CLUB-SPOKED ASTERISK:E:10021:&#x2725; BLACK FOUR POINTED STAR:F:10022:&#x2726; WHITE FOUR POINTED STAR:G:10023:&#x2727; BLACK STAR:H:9989:&#x2705; STRESS OUTLINED WHITE STAR:I:10025:&#x2729; CIRCLED WHITE STAR:J:10026:&#x272A; OPEN CENTRE BLACK STAR:K:10027:&#x272B; BLACK CENTRE WHITE STAR:L:10028:&#x272C; OUTLINED BLACK STAR:M:10029:&#x272D; HEAVY OUTLINED BLACK STAR:N:10030:&#x272E; PINWHEEL STAR:O:10031:&#x272F; SHADOWED WHITE STAR:P:10032:&#x2730; HEAVY ASTERISK:Q:10033:&#x2731; OPEN CENTRE ASTERISK:R:10034:&#x2732; EIGHT SPOKED ASTERISK:S:10035:&#x2733; EIGHT POINTED BLACK STAR:T:10036:&#x2734; EIGHT POINTED PINWHEEL STAR:U:10037:&#x2735; SIX POINTED BLACK STAR:V:10038:&#x2736; EIGHT POINTED RECTILINEAR BLACK STAR:W:10039:&#x2737; HEAVY EIGHT POINTED RECTILINEAR BLACK STAR:X:10040:&#x2738; TWELVE POINTED BLACK STAR:Y:10041:&#x2739; SIXTEEN POINTED ASTERISK:Z:10042:&#x273A; EIGHT PETALLED OUTLINED BLACK FLORETTE:a:10049:&#x2741; CIRCLED OPEN CENTRE EIGHT POINTED STAR:b:10050:&#x2742; HEAVY TEARDROP-SPOKED PINWHEEL ASTERISK:c:10051:&#x2743; SNOWFLAKE:d:10052:&#x2744; TIGHT TRIFOLIATE SNOWFLAKE:e:10053:&#x2745; HEAVY CHEVRON SNOWFLAKE:f:10054:&#x2746; SPARKLE:g:10055:&#x2747; HEAVY SPARKLE:h:10056:&#x2748; BALLOON-SPOKED ASTERISK:i:10057:&#x2749; TEARDROP-SPOKED ASTERISK:j:10043:&#x273B; HEAVY TEARDROP-SPOKED ASTERISK:k:10045:&#x273D; BLACK CIRCLE:l:9679:&#x25CF; SHADOWED WHITE CIRCLE:m:10061:&#x274D; BLACK SQUARE:n:9632:&#x25A0; LOWER RIGHT DROP-SHADOWED SQUARE:o:10063:&#x274F; UPPER RIGHT DROP-SHADOWED WHITE SQUARE:p:10064:&#x2750; LOWER RIGHT SHADOWED SQUARE:q:10065:&#x2751; UPPER RIGHT SHADOWED WHITE SQUARE:r:10066:&#x2752; BLACK UP-POINTING TRIANGLE:s:9650:&#x25B2; BLACK DOWN-POINTING TRIANGLE:t:9660:&#x25BC; BLACK DIAMOND:u:9670:&#x25C6; BLACK DIAMOND MINUS WHITE X:v:10070:&#x2756; RIGHT HALF BLACK CIRCLE:w:9479:&#x2507; LIGHT VERTICAL BAR:x:10072:&#x2758; MEDIUM VERTICAL BAR:y:10073:&#x2759; HEAVY VERTICAL BAR:z:10074:&#x275A; WHITE NIB:1:10001:&#x2711; BLACK NIB:2:10002:&#x2712; CHECKMARK:3:10003:&#x2713; HEAVY CHECKMARK:4:10004:&#x2714; MULTIPLICATION X:5:10005:&#x2715; HEAVY MULTIPLICATION X:6:10006:&#x2716; BALLOT X:7:10007:&#x2717; HEAVY BALLOT X:8:10008:&#x2718; OUTLINED GREEK CROSS:9:10009:&#x2719; UPPER RIGHT PENCIL:0:10000:&#x2710; UPPER BLADE SCISSORS:!:9985:&#x2701; MALTESE CROSS:@:10016:&#x2720; LOWER BLADE SCISSORS:#:9987:&#x2703; WHITE SCISSORS:$:9988:&#x2704; BLACK TELEPHONE:%:9742:&#x260E; SIX PETALLED BLACK AND WHITE FLORETTE:^:10046:&#x273E; TELEPHONE LOCATION SIGN:&:9990:&#x2706; BLACK RIGHT POINTING INDEX:*:9755:&#x261B; AIRPLANE:(:9992:&#x2708; ENVELOPE:):9993:&#x2709; HEAVY GREK CROSS:\\colon:10010:&#x271A; OUTLINED LATIN CROSS:?:10015:&#x271F; PENCIL:/:9999:&#x270F; OPEN CENTRE TEARDROP-SPOKED ASTERISK:\\:10044:&#x273C; WHITE RIGHT POINTING INDEX:+:9758:&#x261E; WRITING HAND:-:9997:&#x270D; LATIN CROSS:=:10013:&#x271D; HEAVY DOUBLE COMMA QUOTATION MARK ORNAMENT:~:10078:&#x275E; </dingbats_old> <ms_set_old> LEFT DOUBLE QUOTATION MARK:LDBLQUOTE :8220:&#x201C; RIGHT DOUBLE QUOTATION MARK:RDBLQUOTE :8221:&#x201D; RIGHT SINGLE QUOTATION MARK:RQUOTE :8217:&#x2019; LEFT SINGLE QUOTATION MARK:LQUOTE :8216:&#x2018; EM DASH:EMDASH :8212:&#x2014; EN DASH:ENDASH :8211:&#x2013; MIDDLE DOT:BULLET :183:&#x00B7; NO-BREAK SPACE:~ :167:&#x00A7; HORIZONTAL TABULATION:TAB :9:&#x0009; </ms_set_old> <single_set> NULL:\xef:0:&#xnull; </single_set> </unused> """
705,807
Python
.py
16,708
41.243656
160
0.795456
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,313
fields_large.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/fields_large.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### import os import sys from calibre.ebooks.rtf2xml import copy, field_strings from calibre.ptempfile import better_mktemp from . import open_for_read, open_for_write class FieldsLarge: r""" ========================= Logic ========================= Make tags for fields. -Fields reflect text that Microsoft Word automatically generates. -Each file contains (or should contain) an inner group called field instructions. -Fields can be nested. -------------- Logic -------------- 1. As soon as a field is found, make a new text string by appending an empty text string to the field list. Collect all the lines in this string until the field instructions are found. 2. Collect all the tokens and text in the field instructions. When the end of the field instructions is found, process the string of text with the field_strings module. Append the processed string to the field instructins list. 3. Continue collecting tokens. Check for paragraphs or sections. If either is found, add to the paragraph or section list. 4. Continue collecting tokens and text either the beginning of a new field is found, or the end of this field is found. 5. If a new field is found, repeat steps 1-3. 6. If the end of the field is found, process the last text string of the field list. 7. If the field list is empty (after removing the last text string), there are no more fields. Print out the final string. If the list contains other strings, add the processed string to the last string in the field list. ============================ Examples ============================ This line of RTF: {\field{\*\fldinst { CREATEDATE \\* MERGEFORMAT }}{\fldrslt { \lang1024 1/11/03 10:34 PM}}} Becomes: <field type = "insert-time"> 10:34 PM </field> The simple field in the above example contains no paragraph or sections breaks. This line of RTF: {{\field{\*\fldinst SYMBOL 97 \\f "Symbol" \\s 12}{\fldrslt\f3\fs24}}} Becomes: <para><inline font-size="18"><inline font-style="Symbol">&#x03A7;</inline></inline></para> The RTF in the example above should be represented as UTF-8 rather than a field. This RTF: {\field\fldedit{\*\fldinst { TOC \\o "1-3" }}{\fldrslt {\lang1024 Heading one\tab }{\field{\*\fldinst {\lang1024 PAGEREF _Toc440880424 \\h }{\lang1024 {\*\datafield {\lang1024 1}}}{\lang1024 \par }\pard\plain \s18\li240\widctlpar\tqr\tldot\tx8630\aspalpha\aspnum\faauto\adjustright\rin0\lin240\itap0 \f4\lang1033\cgrid {\lang1024 Heading 2\tab }{\field{\*\fldinst {\lang1024 PAGEREF _Toc440880425 \\h }{\lang1024 {\*\datafield {\lang1024 1}}}{\lang1024 \par }\pard\plain \widctlpar\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0 \f4\lang1033\cgrid }}\pard\plain \widctlpar\aspalpha\aspnum\faauto\adjustright\rin0\lin0\itap0 \f4\lang1033\cgrid {\fs28 \\u214\'85 \par }{\fs36 {\field{\*\fldinst SYMBOL 67 \\f "Symbol" \\s 18}{\fldrslt\f3\fs36}}} Becomes: <field-block type="table-of-contents"> <paragraph-definition language="1033" nest-level="0" font-style="Times" name="toc 1" adjust-right="true" widow-control="true"> <para><inline language="1024">Heading one&#x009;</inline><field type="reference-to-page" ref="_Toc440880424"><inline language="1024">1</inline></field></para> </paragraph-definition> <paragraph-definition language="1033" nest-level="0" left-indent="12" font-style="Times" name="toc 2" adjust-right="true" widow-control="true"> <para><inline language="1024">Heading 2&#x009;</inline><field type="reference-to-page" ref="_Toc440880425"><inline language="1024">1</inline></field></para> </paragraph-definition> </field-block> """ def __init__(self, in_file, bug_handler, copy=None, run_level=1, ): """ Required: 'file'--file to parse Optional: 'copy'-- whether to make a copy of result for debugging 'temp_dir' --where to output temporary results (default is directory from which the script is run.) Returns: nothing """ self.__file = in_file self.__bug_handler = bug_handler self.__copy = copy self.__run_level = run_level self.__write_to = better_mktemp() def __initiate_values(self): """ Initiate all values. """ self.__text_string = '' self.__field_instruction_string = '' self.__marker = 'mi<mk<inline-fld\n' self.__state = 'before_body' self.__string_obj = field_strings.FieldStrings(run_level=self.__run_level, bug_handler=self.__bug_handler,) self.__state_dict = { 'before_body' : self.__before_body_func, 'in_body' : self.__in_body_func, 'field' : self.__in_field_func, 'field_instruction' : self.__field_instruction_func, } self.__in_body_dict = { 'cw<fd<field_____' : self.__found_field_func, } self.__field_dict = { 'cw<fd<field-inst' : self.__found_field_instruction_func, 'cw<fd<field_____' : self.__found_field_func, 'cw<pf<par-end___' : self.__par_in_field_func, 'cw<sc<section___' : self.__sec_in_field_func, } self.__field_count = [] # keep track of the brackets self.__field_instruction = [] # field instruction strings self.__symbol = 0 # whether or not the field is really UTF-8 # (these fields cannot be nested.) self.__field_instruction_string = '' # string that collects field instruction self.__par_in_field = [] # paragraphs in field? self.__sec_in_field = [] # sections in field? self.__field_string = [] # list of field strings def __before_body_func(self, line): """ Required: line --line ro parse Returns: nothing (changes an instant and writes a line) Logic: Check for the beginninf of the body. If found, changed the state. Always write out the line. """ if self.__token_info == 'mi<mk<body-open_': self.__state = 'in_body' self.__write_obj.write(line) def __in_body_func(self, line): """ Required: line --line to parse Returns: nothing. (Writes a line to the output file, or performs other actions.) Logic: Check of the beginning of a field. Always output the line. """ action = self.__in_body_dict.get(self.__token_info) if action: action(line) self.__write_obj.write(line) def __found_field_func(self, line): """ Requires: line --line to parse Returns: nothing Logic: Set the values for parsing the field. Four lists have to have items appended to them. """ self.__state = 'field' self.__cb_count = 0 ob_count = self.__ob_count self.__field_string.append('') self.__field_count.append(ob_count) self.__sec_in_field.append(0) self.__par_in_field.append(0) def __in_field_func(self, line): """ Requires: line --line to parse Returns: nothing. Logic: Check for the end of the field; a paragraph break; a section break; the beginning of another field; or the beginning of the field instruction. """ if self.__cb_count == self.__field_count[-1]: self.__field_string[-1] += line self.__end_field_func() else: action = self.__field_dict.get(self.__token_info) if action: action(line) else: self.__field_string[-1] += line def __par_in_field_func(self, line): """ Requires: line --line to parse Returns: nothing Logic: Write the line to the output file and set the last item in the paragraph in field list to true. """ self.__field_string[-1] += line self.__par_in_field[-1] = 1 def __sec_in_field_func(self, line): """ Requires: line --line to parse Returns: nothing Logic: Write the line to the output file and set the last item in the section in field list to true. """ self.__field_string[-1] += line self.__sec_in_field[-1] = 1 def __found_field_instruction_func(self, line): """ Requires: line -- line to parse Returns: nothing Change the state to field instruction. Set the open bracket count of the beginning of this field so you know when it ends. Set the closed bracket count to 0 so you don't prematureley exit this state. """ self.__state = 'field_instruction' self.__field_instruction_count = self.__ob_count self.__cb_count = 0 def __field_instruction_func(self, line): """ Requires: line --line to parse Returns: nothing Logic: Collect all the lines until the end of the field is reached. Process these lines with the module rtr.field_strings. Check if the field instruction is 'Symbol' (really UTF-8). """ if self.__cb_count == self.__field_instruction_count: # The closing bracket should be written, since the opening bracket # was written self.__field_string[-1] += line my_list = self.__string_obj.process_string( self.__field_instruction_string, 'field_instruction') instruction = my_list[2] self.__field_instruction.append(instruction) if my_list[0] == 'Symbol': self.__symbol = 1 self.__state = 'field' self.__field_instruction_string = '' else: self.__field_instruction_string += line def __end_field_func(self): """ Requires: nothing Returns: Nothing Logic: Pop the last values in the instructions list, the fields list, the paragraph list, and the section list. If the field is a symbol, do not write the tags <field></field>, since this field is really just UTF-8. If the field contains paragraph or section breaks, it is a field-block rather than just a field. Write the paragraph or section markers for later parsing of the file. If the filed list contains more strings, add the latest (processed) string to the last string in the list. Otherwise, write the string to the output file. """ last_bracket = self.__field_count.pop() instruction = self.__field_instruction.pop() inner_field_string = self.__field_string.pop() sec_in_field = self.__sec_in_field.pop() par_in_field = self.__par_in_field.pop() # add a closing bracket, since the closing bracket is not included in # the field string if self.__symbol: inner_field_string = '%scb<nu<clos-brack<%s\n' % \ (instruction, last_bracket) elif sec_in_field or par_in_field: inner_field_string = \ 'mi<mk<fldbkstart\n'\ 'mi<tg<open-att__<field-block<type>%s\n%s'\ 'mi<mk<fldbk-end_\n' \ 'mi<tg<close_____<field-block\n'\ 'mi<mk<fld-bk-end\n' \ % (instruction, inner_field_string) # write a marker to show an inline field for later parsing else: inner_field_string = \ '%s' \ 'mi<tg<open-att__<field<type>%s\n%s'\ 'mi<tg<close_____<field\n'\ % (self.__marker, instruction, inner_field_string) if sec_in_field: inner_field_string = 'mi<mk<sec-fd-beg\n' + inner_field_string + \ 'mi<mk<sec-fd-end\n' if par_in_field: inner_field_string = 'mi<mk<par-in-fld\n' + inner_field_string if len(self.__field_string) == 0: self.__write_field_string(inner_field_string) else: self.__field_string[-1] += inner_field_string self.__symbol = 0 def __write_field_string(self, the_string): self.__state = 'in_body' self.__write_obj.write(the_string) def fix_fields(self): """ Requires: nothing Returns: nothing (changes the original file) Logic: Read one line in at a time. Determine what action to take based on the state. If the state is before the body, look for the beginning of the body. If the state is body, send the line to the body method. """ self.__initiate_values() read_obj = open_for_read(self.__file) self.__write_obj = open_for_write(self.__write_to) line_to_read = 1 while line_to_read: line_to_read = read_obj.readline() line = line_to_read self.__token_info = line[:16] if self.__token_info == 'ob<nu<open-brack': self.__ob_count = line[-5:-1] if self.__token_info == 'cb<nu<clos-brack': self.__cb_count = line[-5:-1] action = self.__state_dict.get(self.__state) if action is None: sys.stderr.write('no no matching state in module styles.py\n') sys.stderr.write(self.__state + '\n') action(line) read_obj.close() self.__write_obj.close() copy_obj = copy.Copy(bug_handler=self.__bug_handler) if self.__copy: copy_obj.copy_file(self.__write_to, "fields_large.data") copy_obj.rename(self.__write_to, self.__file) os.remove(self.__write_to)
15,246
Python
.py
363
32.809917
122
0.556505
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,314
override_table.py
kovidgoyal_calibre/src/calibre/ebooks/rtf2xml/override_table.py
######################################################################### # # # # # copyright 2002 Paul Henry Tremblay # # # # This program is distributed in the hope that it will be useful, # # but WITHOUT ANY WARRANTY; without even the implied warranty of # # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # # General Public License for more details. # # # # # ######################################################################### class OverrideTable: """ Parse a line of text to make the override table. Return a string (which will convert to XML) and the dictionary containing all the information about the lists. This dictionary is the result of the dictionary that is first passed to this module. This module modifies the dictionary, assigning lists numbers to each list. """ def __init__( self, list_of_lists, run_level=1, ): self.__list_of_lists = list_of_lists self.__initiate_values() self.__run_level = run_level def __initiate_values(self): self.__override_table_final = '' self.__state = 'default' self.__override_list = [] self.__state_dict = { 'default' : self.__default_func, 'override' : self.__override_func, 'unsure_ob' : self.__after_bracket_func, } self.__override_dict = { 'cw<ls<lis-tbl-id' : 'list-table-id', 'cw<ls<list-id___' : 'list-id', } def __override_func(self, line): """ Requires: line -- line to parse Returns: nothing Logic: The group {\\override has been found. Check for the end of the group. Otherwise, add appropriate tokens to the override dictionary. """ if self.__token_info == 'cb<nu<clos-brack' and\ self.__cb_count == self.__override_ob_count: self.__state = 'default' self.__parse_override_dict() else: att = self.__override_dict.get(self.__token_info) if att: value = line[20:] self.__override_list[-1][att] = value def __parse_override_dict(self): """ Requires: nothing Returns: nothing Logic: The list of all information about RTF lists has been passed to this module. As of this point, this python list has no id number, which is needed later to identify which lists in the body should be assigned which formatting commands from the list-table. In order to get an id, I have to check to see when the list-table-id from the override_dict (generated in this module) matches the list-table-id in list_of_lists (generated in the list_table.py module). When a match is found, append the lists numbers to the self.__list_of_lists dictionary that contains the empty lists: [[{list-id:[HERE!],[{}]] This is a list, since one list in the table in the preamble of RTF can apply to multiple lists in the body. """ override_dict = self.__override_list[-1] list_id = override_dict.get('list-id') if list_id is None and self.__level > 3: msg = 'This override does not appear to have a list-id\n' raise self.__bug_handler(msg) current_table_id = override_dict.get('list-table-id') if current_table_id is None and self.__run_level > 3: msg = 'This override does not appear to have a list-table-id\n' raise self.__bug_handler(msg) counter = 0 for list in self.__list_of_lists: info_dict = list[0] old_table_id = info_dict.get('list-table-id') if old_table_id == current_table_id: self.__list_of_lists[counter][0]['list-id'].append(list_id) break counter += 1 def __parse_lines(self, line): """ Requires: line --ine to parse Returns: nothing Logic: Break the into tokens by splitting it on the newline. Call on the method according to the state. """ lines = line.split('\n') self.__ob_count = 0 self.__ob_group = 0 for line in lines: self.__token_info = line[:16] if self.__token_info == 'ob<nu<open-brack': self.__ob_count = line[-4:] self.__ob_group += 1 if self.__token_info == 'cb<nu<clos-brack': self.__cb_count = line[-4:] self.__ob_group -= 1 action = self.__state_dict.get(self.__state) if action is None: print(self.__state) action(line) self.__write_final_string() # self.__add_to_final_line() def __default_func(self, line): """ Requires: line -- line to parse Return: nothing Logic: Look for an open bracket and change states when found. """ if self.__token_info == 'ob<nu<open-brack': self.__state = 'unsure_ob' def __after_bracket_func(self, line): """ Requires: line -- line to parse Returns: nothing Logic: The last token was an open bracket. You need to determine the group based on the token after. WARNING: this could cause problems. If no group is found, the state will remain unsure_ob, which means no other text will be parsed. I should do states by a list and simply pop this unsure_ob state to get the previous state. """ if self.__token_info == 'cw<ls<lis-overid': self.__state = 'override' self.__override_ob_count = self.__ob_count the_dict = {} self.__override_list.append(the_dict) elif self.__run_level > 3: msg = 'No matching token after open bracket\n' msg += 'token is "%s\n"' % (line) raise self.__bug_handler(msg) def __write_final_string(self): """ Requires: line -- line to parse Returns: nothing Logic: First write out the override-table tag. Iteratere through the dictionaries in the main override_list. For each dictionary, write an empty tag "override-list". Add the attributes and values of the tag from the dictionary. """ self.__override_table_final = 'mi<mk<over_beg_\n' self.__override_table_final += 'mi<tg<open______<override-table\n' + \ 'mi<mk<overbeg__\n' + self.__override_table_final for the_dict in self.__override_list: self.__override_table_final += 'mi<tg<empty-att_<override-list' the_keys = the_dict.keys() for the_key in the_keys: self.__override_table_final += \ f'<{the_key}>{the_dict[the_key]}' self.__override_table_final += '\n' self.__override_table_final += '\n' self.__override_table_final += \ 'mi<mk<overri-end\n' + 'mi<tg<close_____<override-table\n' self.__override_table_final += 'mi<mk<overribend_\n' def parse_override_table(self, line): """ Requires: line -- line with border definition in it Returns: A string that will be converted to XML, and a dictionary of all the properties of the RTF lists. Logic: """ self.__parse_lines(line) return self.__override_table_final, self.__list_of_lists
8,339
Python
.py
196
32.081633
92
0.514019
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,315
input.py
kovidgoyal_calibre/src/calibre/ebooks/rtf/input.py
__license__ = 'GPL v3' __copyright__ = '2008, Kovid Goyal <kovid at kovidgoyal.net>' from lxml import etree class InlineClass(etree.XSLTExtension): FMTS = ('italics', 'bold', 'strike-through', 'small-caps') def __init__(self, log): etree.XSLTExtension.__init__(self) self.log = log self.font_sizes = [] self.colors = [] def execute(self, context, self_node, input_node, output_parent): classes = ['none'] for x in self.FMTS: if input_node.get(x, None) == 'true': classes.append(x) # underlined is special if input_node.get('underlined', 'false') != 'false': classes.append('underlined') fs = input_node.get('font-size', False) if fs: if fs not in self.font_sizes: self.font_sizes.append(fs) classes.append('fs%d'%self.font_sizes.index(fs)) fc = input_node.get('font-color', False) if fc: if fc not in self.colors: self.colors.append(fc) classes.append('col%d'%self.colors.index(fc)) output_parent.text = ' '.join(classes)
1,168
Python
.py
29
30.862069
69
0.571176
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,316
preprocess.py
kovidgoyal_calibre/src/calibre/ebooks/rtf/preprocess.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2010, Gerendi Sandor Attila' __docformat__ = 'restructuredtext en' """ RTF tokenizer and token parser. v.1.0 (1/17/2010) Author: Gerendi Sandor Attila At this point this will tokenize a RTF file then rebuild it from the tokens. In the process the UTF8 tokens are altered to be supported by the RTF2XML and also remain RTF specification compliant. """ class tokenDelimitatorStart(): def __init__(self): pass def toRTF(self): return '{' def __repr__(self): return '{' class tokenDelimitatorEnd(): def __init__(self): pass def toRTF(self): return '}' def __repr__(self): return '}' class tokenControlWord(): def __init__(self, name, separator=''): self.name = name self.separator = separator def toRTF(self): return self.name + self.separator def __repr__(self): return self.name + self.separator class tokenControlWordWithNumericArgument(): def __init__(self, name, argument, separator=''): self.name = name self.argument = argument self.separator = separator def toRTF(self): return self.name + repr(self.argument) + self.separator def __repr__(self): return self.name + repr(self.argument) + self.separator class tokenControlSymbol(): def __init__(self, name): self.name = name def toRTF(self): return self.name def __repr__(self): return self.name class tokenData(): def __init__(self, data): self.data = data def toRTF(self): return self.data def __repr__(self): return self.data class tokenBinN(): def __init__(self, data, separator=''): self.data = data self.separator = separator def toRTF(self): return "\\bin" + repr(len(self.data)) + self.separator + self.data def __repr__(self): return "\\bin" + repr(len(self.data)) + self.separator + self.data class token8bitChar(): def __init__(self, data): self.data = data def toRTF(self): return "\\'" + self.data def __repr__(self): return "\\'" + self.data class tokenUnicode(): def __init__(self, data, separator='', current_ucn=1, eqList=[]): self.data = data self.separator = separator self.current_ucn = current_ucn self.eqList = eqList def toRTF(self): result = '\\u' + repr(self.data) + ' ' ucn = self.current_ucn if len(self.eqList) < ucn: ucn = len(self.eqList) result = tokenControlWordWithNumericArgument('\\uc', ucn).toRTF() + result i = 0 for eq in self.eqList: if i >= ucn: break result = result + eq.toRTF() return result def __repr__(self): return '\\u' + repr(self.data) def isAsciiLetter(value): return ((value >= 'a') and (value <= 'z')) or ((value >= 'A') and (value <= 'Z')) def isDigit(value): return (value >= '0') and (value <= '9') def isChar(value, char): return value == char def isString(buffer, string): return buffer == string class RtfTokenParser(): def __init__(self, tokens): self.tokens = tokens self.process() self.processUnicode() def process(self): i = 0 newTokens = [] while i < len(self.tokens): if isinstance(self.tokens[i], tokenControlSymbol): if isString(self.tokens[i].name, "\\'"): i = i + 1 if not isinstance(self.tokens[i], tokenData): raise Exception('Error: token8bitChar without data.') if len(self.tokens[i].data) < 2: raise Exception('Error: token8bitChar without data.') newTokens.append(token8bitChar(self.tokens[i].data[0:2])) if len(self.tokens[i].data) > 2: newTokens.append(tokenData(self.tokens[i].data[2:])) i = i + 1 continue newTokens.append(self.tokens[i]) i = i + 1 self.tokens = list(newTokens) def processUnicode(self): i = 0 newTokens = [] ucNbStack = [1] while i < len(self.tokens): if isinstance(self.tokens[i], tokenDelimitatorStart): ucNbStack.append(ucNbStack[len(ucNbStack) - 1]) newTokens.append(self.tokens[i]) i = i + 1 continue if isinstance(self.tokens[i], tokenDelimitatorEnd): ucNbStack.pop() newTokens.append(self.tokens[i]) i = i + 1 continue if isinstance(self.tokens[i], tokenControlWordWithNumericArgument): if isString(self.tokens[i].name, '\\uc'): ucNbStack[len(ucNbStack) - 1] = self.tokens[i].argument newTokens.append(self.tokens[i]) i = i + 1 continue if isString(self.tokens[i].name, '\\u'): x = i j = 0 i = i + 1 replace = [] partialData = None ucn = ucNbStack[len(ucNbStack) - 1] while (i < len(self.tokens)) and (j < ucn): if isinstance(self.tokens[i], tokenDelimitatorStart): break if isinstance(self.tokens[i], tokenDelimitatorEnd): break if isinstance(self.tokens[i], tokenData): if len(self.tokens[i].data) >= ucn - j: replace.append(tokenData(self.tokens[i].data[0 : ucn - j])) if len(self.tokens[i].data) > ucn - j: partialData = tokenData(self.tokens[i].data[ucn - j:]) i = i + 1 break else: replace.append(self.tokens[i]) j = j + len(self.tokens[i].data) i = i + 1 continue if isinstance(self.tokens[i], token8bitChar) or isinstance(self.tokens[i], tokenBinN): replace.append(self.tokens[i]) i = i + 1 j = j + 1 continue raise Exception('Error: incorrect utf replacement.') # calibre rtf2xml does not support utfreplace replace = [] newTokens.append(tokenUnicode(self.tokens[x].argument, self.tokens[x].separator, ucNbStack[len(ucNbStack) - 1], replace)) if partialData is not None: newTokens.append(partialData) continue newTokens.append(self.tokens[i]) i = i + 1 self.tokens = list(newTokens) def toRTF(self): result = [] for token in self.tokens: result.append(token.toRTF()) return "".join(result) class RtfTokenizer(): def __init__(self, rtfData): self.rtfData = [] self.tokens = [] self.rtfData = rtfData self.tokenize() def tokenize(self): i = 0 lastDataStart = -1 while i < len(self.rtfData): if isChar(self.rtfData[i], '{'): if lastDataStart > -1: self.tokens.append(tokenData(self.rtfData[lastDataStart : i])) lastDataStart = -1 self.tokens.append(tokenDelimitatorStart()) i = i + 1 continue if isChar(self.rtfData[i], '}'): if lastDataStart > -1: self.tokens.append(tokenData(self.rtfData[lastDataStart : i])) lastDataStart = -1 self.tokens.append(tokenDelimitatorEnd()) i = i + 1 continue if isChar(self.rtfData[i], '\\'): if i + 1 >= len(self.rtfData): raise Exception('Error: Control character found at the end of the document.') if lastDataStart > -1: self.tokens.append(tokenData(self.rtfData[lastDataStart : i])) lastDataStart = -1 tokenStart = i i = i + 1 # Control Words if isAsciiLetter(self.rtfData[i]): # consume <ASCII Letter Sequence> consumed = False while i < len(self.rtfData): if not isAsciiLetter(self.rtfData[i]): tokenEnd = i consumed = True break i = i + 1 if not consumed: raise Exception('Error (at:%d): Control Word without end.'%(tokenStart)) # we have numeric argument before delimiter if isChar(self.rtfData[i], '-') or isDigit(self.rtfData[i]): # consume the numeric argument consumed = False l = 0 while i < len(self.rtfData): if not isDigit(self.rtfData[i]): consumed = True break l = l + 1 i = i + 1 if l > 10 : raise Exception('Error (at:%d): Too many digits in control word numeric argument.'%[tokenStart]) if not consumed: raise Exception('Error (at:%d): Control Word without numeric argument end.'%[tokenStart]) separator = '' if isChar(self.rtfData[i], ' '): separator = ' ' controlWord = self.rtfData[tokenStart: tokenEnd] if tokenEnd < i: value = int(self.rtfData[tokenEnd: i]) if isString(controlWord, "\\bin"): i = i + value self.tokens.append(tokenBinN(self.rtfData[tokenStart:i], separator)) else: self.tokens.append(tokenControlWordWithNumericArgument(controlWord, value, separator)) else: self.tokens.append(tokenControlWord(controlWord, separator)) # space delimiter, we should discard it if self.rtfData[i] == ' ': i = i + 1 # Control Symbol else: self.tokens.append(tokenControlSymbol(self.rtfData[tokenStart : i + 1])) i = i + 1 continue if lastDataStart < 0: lastDataStart = i i = i + 1 def toRTF(self): result = [] for token in self.tokens: result.append(token.toRTF()) return "".join(result) if __name__ == "__main__": import sys if len(sys.argv) < 2: print("Usage %prog rtfFileToConvert") sys.exit() with open(sys.argv[1], 'rb') as f: data = f.read() tokenizer = RtfTokenizer(data) parsedTokens = RtfTokenParser(tokenizer.tokens) data = parsedTokens.toRTF() with open(sys.argv[1], 'w') as f: f.write(data)
11,884
Python
.py
287
26.832753
141
0.493698
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,317
rtfml.py
kovidgoyal_calibre/src/calibre/ebooks/rtf/rtfml.py
__license__ = 'GPL 3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' ''' Transform OEB content into RTF markup ''' import io import os import re from binascii import hexlify from lxml import etree from calibre.ebooks.metadata import authors_to_string from calibre.utils.img import save_cover_data_to from calibre.utils.imghdr import identify from polyglot.builtins import string_or_bytes TAGS = { 'b': '\\b', 'del': '\\deleted', 'h1': '\\s1 \\afs32', 'h2': '\\s2 \\afs28', 'h3': '\\s3 \\afs28', 'h4': '\\s4 \\afs23', 'h5': '\\s5 \\afs23', 'h6': '\\s6 \\afs21', 'i': '\\i', 'li': '\t', 'p': '\t', 'sub': '\\sub', 'sup': '\\super', 'u': '\\ul', } SINGLE_TAGS = { 'br': '\n{\\line }\n', } STYLES = [ ('font-weight', {'bold': '\\b', 'bolder': '\\b'}), ('font-style', {'italic': '\\i'}), ('text-align', {'center': '\\qc', 'left': '\\ql', 'right': '\\qr'}), ('text-decoration', {'line-through': '\\strike', 'underline': '\\ul'}), ] BLOCK_TAGS = [ 'div', 'p', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'li', ] BLOCK_STYLES = [ 'block' ] ''' TODO: * Tables * Fonts ''' def txt2rtf(text): # Escape { and } in the text. text = text.replace('{', r'\'7b') text = text.replace('}', r'\'7d') text = text.replace('\\', r'\'5c') if not isinstance(text, str): return text buf = io.StringIO() for x in text: val = ord(x) if val == 160: buf.write(r'\~') elif val <= 127: buf.write(x) else: # python2 and ur'\u' does not work c = f'\\u{val:d}?' buf.write(c) return buf.getvalue() class RTFMLizer: def __init__(self, log): self.log = log def extract_content(self, oeb_book, opts): self.log.info('Converting XHTML to RTF markup...') self.oeb_book = oeb_book self.opts = opts return self.mlize_spine() def mlize_spine(self): from calibre.ebooks.oeb.base import XHTML from calibre.ebooks.oeb.stylizer import Stylizer from calibre.utils.xml_parse import safe_xml_fromstring output = self.header() if 'titlepage' in self.oeb_book.guide: href = self.oeb_book.guide['titlepage'].href item = self.oeb_book.manifest.hrefs[href] if item.spine_position is None: stylizer = Stylizer(item.data, item.href, self.oeb_book, self.opts, self.opts.output_profile) self.currently_dumping_item = item output += self.dump_text(item.data.find(XHTML('body')), stylizer) output += r'{\page }' for item in self.oeb_book.spine: self.log.debug('Converting %s to RTF markup...' % item.href) # Removing comments is needed as comments with -- inside them can # cause fromstring() to fail content = re.sub('<!--.*?-->', '', etree.tostring(item.data, encoding='unicode'), flags=re.DOTALL) content = self.remove_newlines(content) content = self.remove_tabs(content) content = safe_xml_fromstring(content) stylizer = Stylizer(content, item.href, self.oeb_book, self.opts, self.opts.output_profile) self.currently_dumping_item = item output += self.dump_text(content.find(XHTML('body')), stylizer) output += r'{\page }' output += self.footer() output = self.insert_images(output) output = self.clean_text(output) return output def remove_newlines(self, text): self.log.debug('\tRemove newlines for processing...') text = text.replace('\r\n', ' ') text = text.replace('\n', ' ') text = text.replace('\r', ' ') return text def remove_tabs(self, text): self.log.debug('Replace tabs with space for processing...') text = text.replace('\t', ' ') return text def header(self): header = '{{\\rtf1{{\\info{{\\title {}}}{{\\author {}}}}}\\ansi\\ansicpg1252\\deff0\\deflang1033\n'.format( self.oeb_book.metadata.title[0].value, authors_to_string([x.value for x in self.oeb_book.metadata.creator])) return header + ( '{\\fonttbl{\\f0\\froman\\fprq2\\fcharset128 Times New Roman;}{\\f1\\froman\\fprq2\\fcharset128 Times New Roman;}{\\f2\\fswiss\\fprq2\\fcharset128 Arial;}{\\f3\\fnil\\fprq2\\fcharset128 Arial;}{\\f4\\fnil\\fprq2\\fcharset128 MS Mincho;}{\\f5\\fnil\\fprq2\\fcharset128 Tahoma;}{\\f6\\fnil\\fprq0\\fcharset128 Tahoma;}}\n' # noqa '{\\stylesheet{\\ql \\li0\\ri0\\nowidctlpar\\wrapdefault\\faauto\\rin0\\lin0\\itap0 \\rtlch\\fcs1 \\af25\\afs24\\alang1033 \\ltrch\\fcs0 \\fs24\\lang1033\\langfe255\\cgrid\\langnp1033\\langfenp255 \\snext0 Normal;}\n' # noqa '{\\s1\\ql \\li0\\ri0\\sb240\\sa120\\keepn\\nowidctlpar\\wrapdefault\\faauto\\outlinelevel0\\rin0\\lin0\\itap0 \\rtlch\\fcs1 \\ab\\af0\\afs32\\alang1033 \\ltrch\\fcs0 \\b\\fs32\\lang1033\\langfe255\\loch\\f1\\hich\\af1\\dbch\\af26\\cgrid\\langnp1033\\langfenp255 \\sbasedon15 \\snext16 \\slink21 heading 1;}\n' # noqa '{\\s2\\ql \\li0\\ri0\\sb240\\sa120\\keepn\\nowidctlpar\\wrapdefault\\faauto\\outlinelevel1\\rin0\\lin0\\itap0 \\rtlch\\fcs1 \\ab\\ai\\af0\\afs28\\alang1033 \\ltrch\\fcs0 \\b\\i\\fs28\\lang1033\\langfe255\\loch\\f1\\hich\\af1\\dbch\\af26\\cgrid\\langnp1033\\langfenp255 \\sbasedon15 \\snext16 \\slink22 heading 2;}\n' # noqa '{\\s3\\ql \\li0\\ri0\\sb240\\sa120\\keepn\\nowidctlpar\\wrapdefault\\faauto\\outlinelevel2\\rin0\\lin0\\itap0 \\rtlch\\fcs1 \\ab\\af0\\afs28\\alang1033 \\ltrch\\fcs0 \\b\\fs28\\lang1033\\langfe255\\loch\\f1\\hich\\af1\\dbch\\af26\\cgrid\\langnp1033\\langfenp255 \\sbasedon15 \\snext16 \\slink23 heading 3;}\n' # noqa '{\\s4\\ql \\li0\\ri0\\sb240\\sa120\\keepn\\nowidctlpar\\wrapdefault\\faauto\\outlinelevel3\\rin0\\lin0\\itap0 \\rtlch\\fcs1 \\ab\\ai\\af0\\afs23\\alang1033 \\ltrch\\fcs0\\b\\i\\fs23\\lang1033\\langfe255\\loch\\f1\\hich\\af1\\dbch\\af26\\cgrid\\langnp1033\\langfenp255 \\sbasedon15 \\snext16 \\slink24 heading 4;}\n' # noqa '{\\s5\\ql \\li0\\ri0\\sb240\\sa120\\keepn\\nowidctlpar\\wrapdefault\\faauto\\outlinelevel4\\rin0\\lin0\\itap0 \\rtlch\\fcs1 \\ab\\af0\\afs23\\alang1033 \\ltrch\\fcs0 \\b\\fs23\\lang1033\\langfe255\\loch\\f1\\hich\\af1\\dbch\\af26\\cgrid\\langnp1033\\langfenp255 \\sbasedon15 \\snext16 \\slink25 heading 5;}\n' # noqa '{\\s6\\ql \\li0\\ri0\\sb240\\sa120\\keepn\\nowidctlpar\\wrapdefault\\faauto\\outlinelevel5\\rin0\\lin0\\itap0 \\rtlch\\fcs1 \\ab\\af0\\afs21\\alang1033 \\ltrch\\fcs0 \\b\\fs21\\lang1033\\langfe255\\loch\\f1\\hich\\af1\\dbch\\af26\\cgrid\\langnp1033\\langfenp255 \\sbasedon15 \\snext16 \\slink26 heading 6;}}\n' # noqa ) def footer(self): return ' }' def insert_images(self, text): from calibre.ebooks.oeb.base import OEB_RASTER_IMAGES for item in self.oeb_book.manifest: if item.media_type in OEB_RASTER_IMAGES: src = item.href try: data, width, height = self.image_to_hexstring(item.data) except Exception: self.log.exception('Image %s is corrupted, ignoring'%item.href) repl = '\n\n' else: repl = '\n\n{\\*\\shppict{\\pict\\jpegblip\\picw%i\\pich%i \n%s\n}}\n\n' % (width, height, data) text = text.replace('SPECIAL_IMAGE-%s-REPLACE_ME' % src, repl) return text def image_to_hexstring(self, data): # Images must be hex-encoded in 128 character lines data = save_cover_data_to(data) width, height = identify(data)[1:] lines = [] v = memoryview(data) for i in range(0, len(data), 64): lines.append(hexlify(v[i:i+64])) hex_string = b'\n'.join(lines).decode('ascii') return hex_string, width, height def clean_text(self, text): # Remove excessive newlines text = re.sub('%s{3,}' % os.linesep, f'{os.linesep}{os.linesep}', text) # Remove excessive spaces text = re.sub('[ ]{2,}', ' ', text) text = re.sub('\t{2,}', '\t', text) text = re.sub('\t ', '\t', text) # Remove excessive line breaks text = re.sub(r'(\{\\line \}\s*){3,}', r'{\\line }{\\line }', text) # Remove non-breaking spaces text = text.replace('\xa0', ' ') text = text.replace('\n\r', '\n') return text def dump_text(self, elem, stylizer, tag_stack=[]): from calibre.ebooks.oeb.base import XHTML_NS, barename, namespace, urlnormalize if not isinstance(elem.tag, string_or_bytes) \ or namespace(elem.tag) != XHTML_NS: p = elem.getparent() if p is not None and isinstance(p.tag, string_or_bytes) and namespace(p.tag) == XHTML_NS \ and elem.tail: return elem.tail return '' text = '' style = stylizer.style(elem) if style['display'] in ('none', 'oeb-page-head', 'oeb-page-foot') \ or style['visibility'] == 'hidden': if hasattr(elem, 'tail') and elem.tail: return elem.tail return '' tag = barename(elem.tag) tag_count = 0 # Are we in a paragraph block? if tag in BLOCK_TAGS or style['display'] in BLOCK_STYLES: if 'block' not in tag_stack: tag_count += 1 tag_stack.append('block') # Process tags that need special processing and that do not have inner # text. Usually these require an argument if tag == 'img': src = elem.get('src') if src: src = urlnormalize(self.currently_dumping_item.abshref(src)) block_start = '' block_end = '' if 'block' not in tag_stack: block_start = r'{\par\pard\hyphpar ' block_end = '}' text += f'{block_start} SPECIAL_IMAGE-{src}-REPLACE_ME {block_end}' single_tag = SINGLE_TAGS.get(tag, None) if single_tag: text += single_tag rtf_tag = TAGS.get(tag, None) if rtf_tag and rtf_tag not in tag_stack: tag_count += 1 text += '{%s\n' % rtf_tag tag_stack.append(rtf_tag) # Processes style information for s in STYLES: style_tag = s[1].get(style[s[0]], None) if style_tag and style_tag not in tag_stack: tag_count += 1 text += '{%s\n' % style_tag tag_stack.append(style_tag) # Process tags that contain text. if hasattr(elem, 'text') and elem.text: text += txt2rtf(elem.text) for item in elem: text += self.dump_text(item, stylizer, tag_stack) for i in range(0, tag_count): end_tag = tag_stack.pop() if end_tag != 'block': if tag in BLOCK_TAGS: text += r'\par\pard\plain\hyphpar}' else: text += '}' if hasattr(elem, 'tail') and elem.tail: if 'block' in tag_stack: text += '%s' % txt2rtf(elem.tail) else: text += r'{\par\pard\hyphpar %s}' % txt2rtf(elem.tail) return text
11,622
Python
.py
246
37.678862
340
0.569701
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,318
metadata.py
kovidgoyal_calibre/src/calibre/ebooks/chm/metadata.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2010, Kovid Goyal <kovid@kovidgoyal.net>' __docformat__ = 'restructuredtext en' import codecs import re from calibre import force_unicode from calibre.ebooks.BeautifulSoup import BeautifulSoup from calibre.ebooks.chardet import xml_to_unicode from calibre.ebooks.metadata import MetaInformation, string_to_authors from calibre.ptempfile import TemporaryFile from calibre.utils.logging import default_log from polyglot.builtins import iterkeys def _clean(s): return s.replace('\u00a0', ' ') def _detag(tag): ans = "" if tag is None: return ans for elem in tag: if hasattr(elem, "contents"): ans += _detag(elem) else: ans += _clean(elem) return ans def _metadata_from_table(soup, searchfor): td = soup.find('td', text=re.compile(searchfor, flags=re.I)) if td is None: return None td = td.parent # there appears to be multiple ways of structuring the metadata # on the home page. cue some nasty special-case hacks... if re.match(r'^\s*'+searchfor+r'\s*$', td.decode_contents(), flags=re.I): meta = _detag(td.findNextSibling('td')) return re.sub('^:', '', meta).strip() else: meta = _detag(td) return re.sub(r'^[^:]+:', '', meta).strip() def _metadata_from_span(soup, searchfor): span = soup.find('span', {'class': re.compile(searchfor, flags=re.I)}) if span is None: return None # this metadata might need some cleaning up still :/ return _detag(span.decode_contents().strip()) def _get_authors(soup): aut = (_metadata_from_span(soup, r'author') or _metadata_from_table(soup, r'^\s*by\s*:?\s+')) ans = [_('Unknown')] if aut is not None: ans = string_to_authors(aut) return ans def _get_publisher(soup): return (_metadata_from_span(soup, 'imprint') or _metadata_from_table(soup, 'publisher')) def _get_isbn(soup): return (_metadata_from_span(soup, 'isbn') or _metadata_from_table(soup, 'isbn')) def _get_comments(soup): date = (_metadata_from_span(soup, 'cwdate') or _metadata_from_table(soup, 'pub date')) pages = (_metadata_from_span(soup, 'pages') or _metadata_from_table(soup, 'pages')) try: # date span can have copyright symbols in it... date = date.replace('\u00a9', '').strip() # and pages often comes as '(\d+ pages)' pages = re.search(r'\d+', pages).group(0) return f'Published {date}, {pages} pages.' except: pass return None def _get_cover(soup, rdr): ans = None try: ans = soup.find('img', alt=re.compile('cover', flags=re.I))['src'] except TypeError: # meeehh, no handy alt-tag goodness, try some hackery # the basic idea behind this is that in general, the cover image # has a height:width ratio of ~1.25, whereas most of the nav # buttons are decidedly less than that. # what we do in this is work out that ratio, take 1.25 off it and # save the absolute value when we sort by this value, the smallest # one is most likely to be the cover image, hopefully. r = {} for img in soup('img'): try: r[abs(float(re.search(r'[0-9.]+', img['height']).group())/float(re.search(r'[0-9.]+', img['width']).group())-1.25)] = img['src'] except KeyError: # interestingly, occasionally the only image without height # or width attrs is the cover... r[0] = img['src'] except: # Probably invalid width, height aattributes, ignore continue if r: l = sorted(iterkeys(r)) ans = r[l[0]] # this link comes from the internal html, which is in a subdir if ans is not None: try: ans = rdr.GetFile(ans) except: ans = rdr.root + "/" + ans try: ans = rdr.GetFile(ans) except: ans = None if ans is not None: import io from PIL import Image buf = io.BytesIO() try: Image.open(io.BytesIO(ans)).convert('RGB').save(buf, 'JPEG') ans = buf.getvalue() except: ans = None return ans def get_metadata_from_reader(rdr): raw = rdr.get_home() home = BeautifulSoup(xml_to_unicode(raw, strip_encoding_pats=True, resolve_entities=True)[0]) title = rdr.title try: x = rdr.GetEncoding() codecs.lookup(x) enc = x except: enc = 'cp1252' title = force_unicode(title, enc) authors = _get_authors(home) mi = MetaInformation(title, authors) publisher = _get_publisher(home) if publisher: mi.publisher = publisher isbn = _get_isbn(home) if isbn: mi.isbn = isbn comments = _get_comments(home) if comments: mi.comments = comments cdata = _get_cover(home, rdr) if cdata is not None: mi.cover_data = ('jpg', cdata) return mi def get_metadata(stream): with TemporaryFile('_chm_metadata.chm') as fname: with open(fname, 'wb') as f: f.write(stream.read()) from calibre.ebooks.chm.reader import CHMReader rdr = CHMReader(fname, default_log) return get_metadata_from_reader(rdr)
5,494
Python
.py
148
29.351351
97
0.600828
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,319
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/chm/__init__.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2008, Kovid Goyal kovid@kovidgoyal.net' __docformat__ = 'restructuredtext en' ''' Used for chm input '''
172
Python
.py
7
23.142857
56
0.679012
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,320
reader.py
kovidgoyal_calibre/src/calibre/ebooks/chm/reader.py
''' CHM File decoding support ''' __license__ = 'GPL v3' __copyright__ = '2008, Kovid Goyal <kovid at kovidgoyal.net>,' \ ' and Alex Bramley <a.bramley at gmail.com>.' import codecs import os import re import struct from chm.chm import CHMFile, chmlib from calibre import guess_type as guess_mimetype from calibre.constants import filesystem_encoding, iswindows from calibre.ebooks.BeautifulSoup import BeautifulSoup, NavigableString from calibre.ebooks.chardet import xml_to_unicode from calibre.ebooks.metadata.toc import TOC from polyglot.builtins import as_unicode def match_string(s1, s2_already_lowered): if s1 is not None and s2_already_lowered is not None: if s1.lower()==s2_already_lowered: return True return False def check_all_prev_empty(tag): if tag is None: return True if tag.__class__ == NavigableString and not check_empty(tag): return False return check_all_prev_empty(tag.previousSibling) def check_empty(s, rex=re.compile(r'\S')): return rex.search(s) is None class CHMError(Exception): pass class CHMReader(CHMFile): def __init__(self, input, log, input_encoding=None): CHMFile.__init__(self) if isinstance(input, str): enc = 'mbcs' if iswindows else filesystem_encoding try: input = input.encode(enc) except UnicodeEncodeError: from calibre.ptempfile import PersistentTemporaryFile with PersistentTemporaryFile(suffix='.chm') as t: t.write(open(input, 'rb').read()) input = t.name if not self.LoadCHM(input): raise CHMError("Unable to open CHM file '%s'"%(input,)) self.log = log self.input_encoding = input_encoding self._sourcechm = input self._contents = None self._playorder = 0 self._metadata = False self._extracted = False self.re_encoded_files = set() self.get_encodings() if self.home: self.home = self.decode_hhp_filename(self.home) if self.topics: self.topics = self.decode_hhp_filename(self.topics) # location of '.hhc' file, which is the CHM TOC. base = self.topics or self.home self.root = os.path.splitext(base.lstrip('/'))[0] self.hhc_path = self.root + ".hhc" def relpath_to_first_html_file(self): # See https://www.nongnu.org/chmspec/latest/Internal.html#SYSTEM data = self.GetFile('/#SYSTEM') pos = 4 while pos < len(data): code, length_of_data = struct.unpack_from('<HH', data, pos) pos += 4 if code == 2: default_topic = data[pos:pos+length_of_data].rstrip(b'\0') break pos += length_of_data else: raise CHMError('No default topic found in CHM file that has no HHC ToC either') default_topic = self.decode_hhp_filename(b'/' + default_topic) return default_topic[1:] def decode_hhp_filename(self, path): if isinstance(path, str): return path for enc in (self.encoding_from_system_file, self.encoding_from_lcid, 'cp1252', 'cp1251', 'latin1', 'utf-8'): if enc: try: q = path.decode(enc) except UnicodeDecodeError: continue res, ui = self.ResolveObject(q) if res == chmlib.CHM_RESOLVE_SUCCESS: return q def get_encodings(self): self.encoding_from_system_file = self.encoding_from_lcid = None q = self.GetEncoding() if q: try: if isinstance(q, bytes): q = q.decode('ascii') codecs.lookup(q) self.encoding_from_system_file = q except Exception: pass lcid = self.GetLCID() if lcid is not None: q = lcid[0] if q: try: if isinstance(q, bytes): q = q.decode('ascii') codecs.lookup(q) self.encoding_from_lcid = q except Exception: pass def get_encoding(self): return self.encoding_from_system_file or self.encoding_from_lcid or 'cp1252' def _parse_toc(self, ul, basedir=os.getcwd()): toc = TOC(play_order=self._playorder, base_path=basedir, text='') self._playorder += 1 for li in ul('li', recursive=False): href = li.object('param', {'name': 'Local'})[0]['value'] if href.count('#'): href, frag = href.split('#') else: frag = None name = self._deentity(li.object('param', {'name': 'Name'})[0]['value']) # print "========>", name toc.add_item(href, frag, name, play_order=self._playorder) self._playorder += 1 if li.ul: child = self._parse_toc(li.ul) child.parent = toc toc.append(child) # print toc return toc def ResolveObject(self, path): # filenames are utf-8 encoded in the chm index as far as I can # determine, see https://tika.apache.org/1.11/api/org/apache/tika/parser/chm/accessor/ChmPmgiHeader.html if not isinstance(path, bytes): path = path.encode('utf-8') return CHMFile.ResolveObject(self, path) def file_exists(self, path): res, ui = self.ResolveObject(path) return res == chmlib.CHM_RESOLVE_SUCCESS def GetFile(self, path): # have to have abs paths for ResolveObject, but Contents() deliberately # makes them relative. So we don't have to worry, re-add the leading /. # note this path refers to the internal CHM structure if path[0] != '/': path = '/' + path res, ui = self.ResolveObject(path) if res != chmlib.CHM_RESOLVE_SUCCESS: raise CHMError(f"Unable to locate {path!r} within CHM file {self.filename!r}") size, data = self.RetrieveObject(ui) if size == 0: raise CHMError(f"{path!r} is zero bytes in length!") return data def get_home(self): return self.GetFile(self.home) def ExtractFiles(self, output_dir=os.getcwd(), debug_dump=False): html_files = set() for path in self.Contents(): fpath = path lpath = os.path.join(output_dir, fpath) self._ensure_dir(lpath) try: data = self.GetFile(path) except: self.log.exception('Failed to extract %s from CHM, ignoring'%path) continue if lpath.find(';') != -1: # fix file names with ";<junk>" at the end, see _reformat() lpath = lpath.split(';')[0] try: with open(lpath, 'wb') as f: f.write(data) try: if 'html' in guess_mimetype(path)[0]: html_files.add(lpath) except: pass except: if iswindows and len(lpath) > 250: self.log.warn('%r filename too long, skipping'%path) continue raise if debug_dump: import shutil shutil.copytree(output_dir, os.path.join(debug_dump, 'debug_dump')) for lpath in html_files: with open(lpath, 'r+b') as f: data = f.read() data = self._reformat(data, lpath) if isinstance(data, str): data = data.encode('utf-8') f.seek(0) f.truncate() f.write(data) self._extracted = True files = [y for y in os.listdir(output_dir) if os.path.isfile(os.path.join(output_dir, y))] if self.hhc_path not in files: for f in files: if f.lower() == self.hhc_path.lower(): self.hhc_path = f break if self.hhc_path not in files and files: for f in files: if f.partition('.')[-1].lower() in {'html', 'htm', 'xhtm', 'xhtml'}: self.hhc_path = f break if self.hhc_path == '.hhc' and self.hhc_path not in files: from calibre import walk for x in walk(output_dir): if os.path.basename(x).lower() in ('index.htm', 'index.html', 'contents.htm', 'contents.html'): self.hhc_path = os.path.relpath(x, output_dir) break if self.hhc_path not in files and files: self.hhc_path = files[0] def _reformat(self, data, htmlpath): if self.input_encoding: data = data.decode(self.input_encoding) try: data = xml_to_unicode(data, strip_encoding_pats=True)[0] soup = BeautifulSoup(data) except ValueError: # hit some strange encoding problems... self.log.exception("Unable to parse html for cleaning, leaving it") return data # nuke javascript... [s.extract() for s in soup('script')] # See if everything is inside a <head> tag # https://bugs.launchpad.net/bugs/1273512 body = soup.find('body') if body is not None and body.parent.name == 'head': html = soup.find('html') html.insert(len(html), body) # remove forward and back nav bars from the top/bottom of each page # cos they really fuck with the flow of things and generally waste space # since we can't use [a,b] syntax to select arbitrary items from a list # we'll have to do this manually... # only remove the tables, if they have an image with an alt attribute # containing prev, next or team t = soup('table') if t: if (t[0].previousSibling is None or t[0].previousSibling.previousSibling is None): try: alt = t[0].img['alt'].lower() if alt.find('prev') != -1 or alt.find('next') != -1 or alt.find('team') != -1: t[0].extract() except: pass if (t[-1].nextSibling is None or t[-1].nextSibling.nextSibling is None): try: alt = t[-1].img['alt'].lower() if alt.find('prev') != -1 or alt.find('next') != -1 or alt.find('team') != -1: t[-1].extract() except: pass # for some very odd reason each page's content appears to be in a table # too. and this table has sub-tables for random asides... grr. # remove br at top of page if present after nav bars removed br = soup('br') if br: if check_all_prev_empty(br[0].previousSibling): br[0].extract() # some images seem to be broken in some chm's :/ base = os.path.dirname(htmlpath) for img in soup('img', src=True): src = img['src'] ipath = os.path.join(base, *src.split('/')) if os.path.exists(ipath): continue src = src.split(';')[0] if not src: continue ipath = os.path.join(base, *src.split('/')) if not os.path.exists(ipath): while src.startswith('../'): src = src[3:] img['src'] = src try: # if there is only a single table with a single element # in the body, replace it by the contents of this single element tables = soup.body.findAll('table', recursive=False) if tables and len(tables) == 1: trs = tables[0].findAll('tr', recursive=False) if trs and len(trs) == 1: tds = trs[0].findAll('td', recursive=False) if tds and len(tds) == 1: tdContents = tds[0].contents tableIdx = soup.body.contents.index(tables[0]) tables[0].extract() while tdContents: soup.body.insert(tableIdx, tdContents.pop()) except: pass # do not prettify, it would reformat the <pre> tags! try: ans = soup.decode_contents() self.re_encoded_files.add(os.path.abspath(htmlpath)) return ans except RuntimeError: return data def Contents(self): if self._contents is not None: return self._contents paths = [] def get_paths(chm, ui, ctx): # these are supposed to be UTF-8 in CHM as best as I can determine # see https://tika.apache.org/1.11/api/org/apache/tika/parser/chm/accessor/ChmPmgiHeader.html path = as_unicode(ui.path, 'utf-8') # skip directories # note this path refers to the internal CHM structure if path[-1] != '/': # and make paths relative paths.append(path.lstrip('/')) chmlib.chm_enumerate(self.file, chmlib.CHM_ENUMERATE_NORMAL, get_paths, None) self._contents = paths return self._contents def _ensure_dir(self, path): dir = os.path.dirname(path) if not os.path.isdir(dir): os.makedirs(dir) def extract_content(self, output_dir=os.getcwd(), debug_dump=False): self.ExtractFiles(output_dir=output_dir, debug_dump=debug_dump)
13,908
Python
.py
324
30.484568
116
0.542669
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,321
formatwriter.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/formatwriter.py
''' Interface defining the necessary public functions for a pdb format writer. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' class FormatWriter: def __init__(self, opts, log): raise NotImplementedError() def write_content(self, oeb_book, output_stream, metadata=None): raise NotImplementedError()
408
Python
.py
11
33.454545
74
0.709184
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,322
header.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/header.py
''' Read the header data from a pdb file. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import re import struct import time from polyglot.builtins import long_type class PdbHeaderReader: def __init__(self, stream): self.stream = stream self.ident = self.identity() self.num_sections = self.section_count() self.title = self.name() def identity(self): self.stream.seek(60) ident = self.stream.read(8) return ident.decode('utf-8') def section_count(self): self.stream.seek(76) return struct.unpack('>H', self.stream.read(2))[0] def name(self): self.stream.seek(0) return re.sub(b'[^-A-Za-z0-9 ]+', b'_', self.stream.read(32).replace(b'\x00', b'')) def full_section_info(self, number): if not (0 <= number < self.num_sections): raise ValueError('Not a valid section number %i' % number) self.stream.seek(78 + number * 8) offset, a1, a2, a3, a4 = struct.unpack('>LBBBB', self.stream.read(8))[0] flags, val = a1, a2 << 16 | a3 << 8 | a4 return (offset, flags, val) def section_offset(self, number): if not (0 <= number < self.num_sections): raise ValueError('Not a valid section number %i' % number) self.stream.seek(78 + number * 8) return struct.unpack('>LBBBB', self.stream.read(8))[0] def section_data(self, number): if not (0 <= number < self.num_sections): raise ValueError('Not a valid section number %i' % number) start = self.section_offset(number) if number == self.num_sections -1: self.stream.seek(0, 2) end = self.stream.tell() else: end = self.section_offset(number + 1) self.stream.seek(start) return self.stream.read(end - start) class PdbHeaderBuilder: def __init__(self, identity, title): self.identity = identity.ljust(3, '\x00')[:8].encode('utf-8') if isinstance(title, str): title = title.encode('ascii', 'replace') self.title = b'%s\x00' % re.sub(b'[^-A-Za-z0-9 ]+', b'_', title).ljust(31, b'\x00')[:31] def build_header(self, section_lengths, out_stream): ''' section_lengths = Length of each section in file. ''' now = int(time.time()) nrecords = len(section_lengths) out_stream.write(self.title + struct.pack('>HHIIIIII', 0, 0, now, now, 0, 0, 0, 0)) out_stream.write(self.identity + struct.pack('>IIH', nrecords, 0, nrecords)) offset = 78 + (8 * nrecords) + 2 for id, record in enumerate(section_lengths): out_stream.write(struct.pack('>LBBBB', long_type(offset), 0, 0, 0, 0)) offset += record out_stream.write(b'\x00\x00')
2,897
Python
.py
68
34.691176
96
0.597435
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,323
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/__init__.py
__license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' class PDBError(Exception): pass FORMAT_READERS = None def _import_readers(): global FORMAT_READERS from calibre.ebooks.pdb.ereader.reader import Reader as ereader_reader from calibre.ebooks.pdb.haodoo.reader import Reader as haodoo_reader from calibre.ebooks.pdb.palmdoc.reader import Reader as palmdoc_reader from calibre.ebooks.pdb.pdf.reader import Reader as pdf_reader from calibre.ebooks.pdb.plucker.reader import Reader as plucker_reader from calibre.ebooks.pdb.ztxt.reader import Reader as ztxt_reader FORMAT_READERS = { 'PNPdPPrs': ereader_reader, 'PNRdPPrs': ereader_reader, 'zTXTGPlm': ztxt_reader, 'TEXtREAd': palmdoc_reader, '.pdfADBE': pdf_reader, 'DataPlkr': plucker_reader, 'BOOKMTIT': haodoo_reader, 'BOOKMTIU': haodoo_reader, } ALL_FORMAT_WRITERS = 'doc', 'ereader', 'ztxt' # keep sorted alphabetically FORMAT_WRITERS = None def _import_writers(): global FORMAT_WRITERS from calibre.ebooks.pdb.ereader.writer import Writer as ereader_writer from calibre.ebooks.pdb.palmdoc.writer import Writer as palmdoc_writer from calibre.ebooks.pdb.ztxt.writer import Writer as ztxt_writer FORMAT_WRITERS = { 'doc': palmdoc_writer, 'ztxt': ztxt_writer, 'ereader': ereader_writer, } IDENTITY_TO_NAME = { 'PNPdPPrs': 'eReader', 'PNRdPPrs': 'eReader', 'zTXTGPlm': 'zTXT', 'TEXtREAd': 'PalmDOC', '.pdfADBE': 'Adobe Reader', 'DataPlkr': 'Plucker', 'BOOKMTIT': 'Haodoo.net', 'BOOKMTIU': 'Haodoo.net', 'BVokBDIC': 'BDicty', 'DB99DBOS': 'DB (Database program)', 'vIMGView': 'FireViewer (ImageViewer)', 'PmDBPmDB': 'HanDBase', 'InfoINDB': 'InfoView', 'ToGoToGo': 'iSilo', 'SDocSilX': 'iSilo 3', 'JbDbJBas': 'JFile', 'JfDbJFil': 'JFile Pro', 'DATALSdb': 'LIST', 'Mdb1Mdb1': 'MobileDB', 'BOOKMOBI': 'MobiPocket', 'DataSprd': 'QuickSheet', 'SM01SMem': 'SuperMemo', 'TEXtTlDc': 'TealDoc', 'InfoTlIf': 'TealInfo', 'DataTlMl': 'TealMeal', 'DataTlPt': 'TealPaint', 'dataTDBP': 'ThinkDB', 'TdatTide': 'Tides', 'ToRaTRPW': 'TomeRaider', 'BDOCWrdS': 'WordSmith', } def get_reader(identity): ''' Returns None if no reader is found for the identity. ''' global FORMAT_READERS if FORMAT_READERS is None: _import_readers() return FORMAT_READERS.get(identity, None) def get_writer(extension): ''' Returns None if no writer is found for extension. ''' global FORMAT_WRITERS if FORMAT_WRITERS is None: _import_writers() return FORMAT_WRITERS.get(extension, None)
2,821
Python
.py
84
28.357143
75
0.668874
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,324
formatreader.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/formatreader.py
''' Interface defining the necessary public functions for a pdb format reader. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' class FormatReader: def __init__(self, header, stream, log, options): raise NotImplementedError() def extract_content(self, output_dir): raise NotImplementedError()
401
Python
.py
11
32.818182
74
0.709091
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,325
reader.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/plucker/reader.py
__license__ = 'GPL v3' __copyright__ = '20011, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import os import struct import zlib from collections import OrderedDict from calibre import CurrentDir from calibre.ebooks.compression.palmdoc import decompress_doc from calibre.ebooks.pdb.formatreader import FormatReader from calibre.utils.img import Canvas, image_from_data, save_cover_data_to from calibre.utils.imghdr import identify from polyglot.builtins import codepoint_to_chr DATATYPE_PHTML = 0 DATATYPE_PHTML_COMPRESSED = 1 DATATYPE_TBMP = 2 DATATYPE_TBMP_COMPRESSED = 3 DATATYPE_MAILTO = 4 DATATYPE_LINK_INDEX = 5 DATATYPE_LINKS = 6 DATATYPE_LINKS_COMPRESSED = 7 DATATYPE_BOOKMARKS = 8 DATATYPE_CATEGORY = 9 DATATYPE_METADATA = 10 DATATYPE_STYLE_SHEET = 11 DATATYPE_FONT_PAGE = 12 DATATYPE_TABLE = 13 DATATYPE_TABLE_COMPRESSED = 14 DATATYPE_COMPOSITE_IMAGE = 15 DATATYPE_PAGELIST_METADATA = 16 DATATYPE_SORTED_URL_INDEX = 17 DATATYPE_SORTED_URL = 18 DATATYPE_SORTED_URL_COMPRESSED = 19 DATATYPE_EXT_ANCHOR_INDEX = 20 DATATYPE_EXT_ANCHOR = 21 DATATYPE_EXT_ANCHOR_COMPRESSED = 22 # IETF IANA MIBenum value for the character set. # See the http://www.iana.org/assignments/character-sets for valid values. # Not all character sets are handled by Python. This is a small subset that # the MIBenum maps to Python standard encodings # from http://docs.python.org/library/codecs.html#standard-encodings MIBNUM_TO_NAME = { 3: 'ascii', 4: 'latin_1', 5: 'iso8859_2', 6: 'iso8859_3', 7: 'iso8859_4', 8: 'iso8859_5', 9: 'iso8859_6', 10: 'iso8859_7', 11: 'iso8859_8', 12: 'iso8859_9', 13: 'iso8859_10', 17: 'shift_jis', 18: 'euc_jp', 27: 'utf_7', 36: 'euc_kr', 37: 'iso2022_kr', 38: 'euc_kr', 39: 'iso2022_jp', 40: 'iso2022_jp_2', 106: 'utf-8', 109: 'iso8859_13', 110: 'iso8859_14', 111: 'iso8859_15', 112: 'iso8859_16', 1013: 'utf_16_be', 1014: 'utf_16_le', 1015: 'utf_16', 2009: 'cp850', 2010: 'cp852', 2011: 'cp437', 2013: 'cp862', 2025: 'gb2312', 2026: 'big5', 2028: 'cp037', 2043: 'cp424', 2044: 'cp500', 2046: 'cp855', 2047: 'cp857', 2048: 'cp860', 2049: 'cp861', 2050: 'cp863', 2051: 'cp864', 2052: 'cp865', 2054: 'cp869', 2063: 'cp1026', 2085: 'hz', 2086: 'cp866', 2087: 'cp775', 2089: 'cp858', 2091: 'cp1140', 2102: 'big5hkscs', 2250: 'cp1250', 2251: 'cp1251', 2252: 'cp1252', 2253: 'cp1253', 2254: 'cp1254', 2255: 'cp1255', 2256: 'cp1256', 2257: 'cp1257', 2258: 'cp1258', } class HeaderRecord: ''' Plucker header. PDB record 0. ''' def __init__(self, raw): self.uid, = struct.unpack('>H', raw[0:2]) # This is labeled version in the spec. # 2 is ZLIB compressed, # 1 is DOC compressed self.compression, = struct.unpack('>H', raw[2:4]) self.records, = struct.unpack('>H', raw[4:6]) # uid of the first html file. This should link # to other files which in turn may link to others. self.home_html = None self.reserved = {} for i in range(self.records): adv = 4*i name, = struct.unpack('>H', raw[6+adv:8+adv]) id, = struct.unpack('>H', raw[8+adv:10+adv]) self.reserved[id] = name if name == 0: self.home_html = id class SectionHeader: ''' Every sections (record) has this header. It gives details about the section such as it's uid. ''' def __init__(self, raw): self.uid, = struct.unpack('>H', raw[0:2]) self.paragraphs, = struct.unpack('>H', raw[2:4]) self.size, = struct.unpack('>H', raw[4:6]) self.type, = struct.unpack('>B', raw[6:7]) self.flags, = struct.unpack('>B', raw[7:8]) class SectionHeaderText: ''' Sub header for text records. ''' def __init__(self, section_header, raw): # The uncompressed size of each paragraph. self.sizes = [] # uncompressed offset of each paragraph starting # at the beginning of the PHTML. self.paragraph_offsets = [] # Paragraph attributes. self.attributes = [] for i in range(section_header.paragraphs): adv = 4*i self.sizes.append(struct.unpack('>H', raw[adv:2+adv])[0]) self.attributes.append(struct.unpack('>H', raw[2+adv:4+adv])[0]) running_offset = 0 for size in self.sizes: running_offset += size self.paragraph_offsets.append(running_offset) class SectionMetadata: ''' Metadata. This does not store metadata such as title, or author. That metadata would be best retrieved with the PDB (plucker) metadata reader. This stores document specific information such as the text encoding. Note: There is a default encoding but each text section can be assigned a different encoding. ''' def __init__(self, raw): self.default_encoding = 'latin-1' self.exceptional_uid_encodings = {} self.owner_id = None record_count, = struct.unpack('>H', raw[0:2]) adv = 0 for i in range(record_count): try: type, length = struct.unpack_from('>HH', raw, 2 + adv) except struct.error: break # CharSet if type == 1: val, = struct.unpack('>H', raw[6+adv:8+adv]) self.default_encoding = MIBNUM_TO_NAME.get(val, 'latin-1') # ExceptionalCharSets elif type == 2: ii_adv = 0 for ii in range(length // 2): uid, = struct.unpack('>H', raw[6+adv+ii_adv:8+adv+ii_adv]) mib, = struct.unpack('>H', raw[8+adv+ii_adv:10+adv+ii_adv]) self.exceptional_uid_encodings[uid] = MIBNUM_TO_NAME.get(mib, 'latin-1') ii_adv += 4 # OwnerID elif type == 3: self.owner_id = struct.unpack('>I', raw[6+adv:10+adv]) # Author, Title, PubDate # Ignored here. The metadata reader plugin # will get this info because if it's missing # the metadata reader plugin will use fall # back data from elsewhere in the file. elif type in (4, 5, 6): pass # Linked Documents elif type == 7: pass adv += 2*length class SectionText: ''' Text data. Stores a text section header and the PHTML. ''' def __init__(self, section_header, raw): self.header = SectionHeaderText(section_header, raw) self.data = raw[section_header.paragraphs * 4:] class SectionCompositeImage: ''' A composite image consists of a 2D array of rows and columns. The entries in the array are uid's. ''' def __init__(self, raw): self.columns, = struct.unpack('>H', raw[0:2]) self.rows, = struct.unpack('>H', raw[2:4]) # [ # [uid, uid, uid, ...], # [uid, uid, uid, ...], # ... # ] # # Each item in the layout is in it's # correct position in the final # composite. # # Each item in the layout is a uid # to an image record. self.layout = [] offset = 4 for i in range(self.rows): col = [] for j in range(self.columns): col.append(struct.unpack('>H', raw[offset:offset+2])[0]) offset += 2 self.layout.append(col) class Reader(FormatReader): ''' Convert a plucker archive into HTML. TODO: * UTF 16 and 32 characters. * Margins. * Alignment. * Font color. * DATATYPE_MAILTO * DATATYPE_TABLE(_COMPRESSED) * DATATYPE_EXT_ANCHOR_INDEX * DATATYPE_EXT_ANCHOR(_COMPRESSED) ''' def __init__(self, header, stream, log, options): self.stream = stream self.log = log self.options = options # Mapping of section uid to our internal # list of sections. self.uid_section_number = OrderedDict() self.uid_text_secion_number = OrderedDict() self.uid_text_secion_encoding = {} self.uid_image_section_number = {} self.uid_composite_image_section_number = {} self.metadata_section_number = None self.default_encoding = 'latin-1' self.owner_id = None self.sections = [] # The Plucker record0 header self.header_record = HeaderRecord(header.section_data(0)) for i in range(1, header.num_sections): section_number = len(self.sections) # The length of the section header. # Where the actual data in the section starts. start = 8 section = None raw_data = header.section_data(i) # Every sections has a section header. section_header = SectionHeader(raw_data) # Store sections we care able. if section_header.type in (DATATYPE_PHTML, DATATYPE_PHTML_COMPRESSED): self.uid_text_secion_number[section_header.uid] = section_number section = SectionText(section_header, raw_data[start:]) elif section_header.type in (DATATYPE_TBMP, DATATYPE_TBMP_COMPRESSED): self.uid_image_section_number[section_header.uid] = section_number section = raw_data[start:] elif section_header.type == DATATYPE_METADATA: self.metadata_section_number = section_number section = SectionMetadata(raw_data[start:]) elif section_header.type == DATATYPE_COMPOSITE_IMAGE: self.uid_composite_image_section_number[section_header.uid] = section_number section = SectionCompositeImage(raw_data[start:]) # Store the section. if section: self.uid_section_number[section_header.uid] = section_number self.sections.append((section_header, section)) # Store useful information from the metadata section locally # to make access easier. if self.metadata_section_number: mdata_section = self.sections[self.metadata_section_number][1] for k, v in mdata_section.exceptional_uid_encodings.items(): self.uid_text_secion_encoding[k] = v self.default_encoding = mdata_section.default_encoding self.owner_id = mdata_section.owner_id # Get the metadata (tile, author, ...) with the metadata reader. from calibre.ebooks.metadata.pdb import get_metadata self.mi = get_metadata(stream, False) def extract_content(self, output_dir): # Each text record is independent (unless the continuation # value is set in the previous record). Put each converted # text recorded into a separate file. We will reference the # home.html file as the first file and let the HTML input # plugin assemble the order based on hyperlinks. with CurrentDir(output_dir): for uid, num in self.uid_text_secion_number.items(): self.log.debug(f'Writing record with uid: {uid} as {uid}.html') with open('%s.html' % uid, 'wb') as htmlf: html = '<html><body>' section_header, section_data = self.sections[num] if section_header.type == DATATYPE_PHTML: html += self.process_phtml(section_data.data, section_data.header.paragraph_offsets) elif section_header.type == DATATYPE_PHTML_COMPRESSED: d = self.decompress_phtml(section_data.data) html += self.process_phtml(d, section_data.header.paragraph_offsets) html += '</body></html>' htmlf.write(html.encode('utf-8')) # Images. # Cache the image sizes in case they are used by a composite image. images = set() if not os.path.exists(os.path.join(output_dir, 'images/')): os.makedirs(os.path.join(output_dir, 'images/')) with CurrentDir(os.path.join(output_dir, 'images/')): # Single images. for uid, num in self.uid_image_section_number.items(): section_header, section_data = self.sections[num] if section_data: idata = None if section_header.type == DATATYPE_TBMP: idata = section_data elif section_header.type == DATATYPE_TBMP_COMPRESSED: if self.header_record.compression == 1: idata = decompress_doc(section_data) elif self.header_record.compression == 2: idata = zlib.decompress(section_data) try: save_cover_data_to(idata, '%s.jpg' % uid, compression_quality=70) images.add(uid) self.log.debug(f'Wrote image with uid {uid} to images/{uid}.jpg') except Exception as e: self.log.error(f'Failed to write image with uid {uid}: {e}') else: self.log.error('Failed to write image with uid %s: No data.' % uid) # Composite images. # We're going to use the already compressed .jpg images here. for uid, num in self.uid_composite_image_section_number.items(): try: section_header, section_data = self.sections[num] # Get the final width and height. width = 0 height = 0 for row in section_data.layout: row_width = 0 col_height = 0 for col in row: if col not in images: raise Exception('Image with uid: %s missing.' % col) w, h = identify(open('%s.jpg' % col, 'rb'))[1:] row_width += w if col_height < h: col_height = h if width < row_width: width = row_width height += col_height # Create a new image the total size of all image # parts. Put the parts into the new image. with Canvas(width, height) as canvas: y_off = 0 for row in section_data.layout: x_off = 0 largest_height = 0 for col in row: im = image_from_data(open('%s.jpg' % col, 'rb').read()) canvas.compose(im, x_off, y_off) w, h = im.width(), im.height() x_off += w if largest_height < h: largest_height = h y_off += largest_height with open('%s.jpg' % uid) as out: out.write(canvas.export(compression_quality=70)) self.log.debug(f'Wrote composite image with uid {uid} to images/{uid}.jpg') except Exception as e: self.log.error(f'Failed to write composite image with uid {uid}: {e}') # Run the HTML through the html processing plugin. from calibre.customize.ui import plugin_for_input_format html_input = plugin_for_input_format('html') for opt in html_input.options: setattr(self.options, opt.option.name, opt.recommended_value) self.options.input_encoding = 'utf-8' odi = self.options.debug_pipeline self.options.debug_pipeline = None # Determine the home.html record uid. This should be set in the # reserved values in the metadata recorded. home.html is the first # text record (should have hyper link references to other records) # in the document. try: home_html = self.header_record.home_html if not home_html: home_html = self.uid_text_secion_number.items()[0][0] except: raise Exception('Could not determine home.html') # Generate oeb from html conversion. oeb = html_input.convert(open('%s.html' % home_html, 'rb'), self.options, 'html', self.log, {}) self.options.debug_pipeline = odi return oeb def decompress_phtml(self, data): if self.header_record.compression == 2: if self.owner_id: raise NotImplementedError return zlib.decompress(data) elif self.header_record.compression == 1: from calibre.ebooks.compression.palmdoc import decompress_doc return decompress_doc(data) def process_phtml(self, d, paragraph_offsets=()): html = '<p id="p0">' offset = 0 paragraph_open = True link_open = False need_set_p_id = False p_num = 1 font_specifier_close = '' while offset < len(d): if not paragraph_open: if need_set_p_id: html += '<p id="p%s">' % p_num p_num += 1 need_set_p_id = False else: html += '<p>' paragraph_open = True c = ord(d[offset:offset+1]) # PHTML "functions" if c == 0x0: offset += 1 c = ord(d[offset:offset+1]) # Page link begins # 2 Bytes # record ID if c == 0x0a: offset += 1 id = struct.unpack('>H', d[offset:offset+2])[0] if id in self.uid_text_secion_number: html += '<a href="%s.html">' % id link_open = True offset += 1 # Targeted page link begins # 3 Bytes # record ID, target elif c == 0x0b: offset += 3 # Paragraph link begins # 4 Bytes # record ID, paragraph number elif c == 0x0c: offset += 1 id = struct.unpack('>H', d[offset:offset+2])[0] offset += 2 pid = struct.unpack('>H', d[offset:offset+2])[0] if id in self.uid_text_secion_number: html += f'<a href="{id}.html#p{pid}">' link_open = True offset += 1 # Targeted paragraph link begins # 5 Bytes # record ID, paragraph number, target elif c == 0x0d: offset += 5 # Link ends # 0 Bytes elif c == 0x08: if link_open: html += '</a>' link_open = False # Set font # 1 Bytes # font specifier elif c == 0x11: offset += 1 specifier = d[offset] html += font_specifier_close # Regular text if specifier == 0: font_specifier_close = '' # h1 elif specifier == 1: html += '<h1>' font_specifier_close = '</h1>' # h2 elif specifier == 2: html += '<h2>' font_specifier_close = '</h2>' # h3 elif specifier == 3: html += '<h13>' font_specifier_close = '</h3>' # h4 elif specifier == 4: html += '<h4>' font_specifier_close = '</h4>' # h5 elif specifier == 5: html += '<h5>' font_specifier_close = '</h5>' # h6 elif specifier == 6: html += '<h6>' font_specifier_close = '</h6>' # Bold elif specifier == 7: html += '<b>' font_specifier_close = '</b>' # Fixed-width elif specifier == 8: html += '<tt>' font_specifier_close = '</tt>' # Small elif specifier == 9: html += '<small>' font_specifier_close = '</small>' # Subscript elif specifier == 10: html += '<sub>' font_specifier_close = '</sub>' # Superscript elif specifier == 11: html += '<sup>' font_specifier_close = '</sup>' # Embedded image # 2 Bytes # image record ID elif c == 0x1a: offset += 1 uid = struct.unpack('>H', d[offset:offset+2])[0] html += '<img src="images/%s.jpg" />' % uid offset += 1 # Set margin # 2 Bytes # left margin, right margin elif c == 0x22: offset += 2 # Alignment of text # 1 Bytes # alignment elif c == 0x29: offset += 1 # Horizontal rule # 3 Bytes # 8-bit height, 8-bit width (pixels), 8-bit width (%, 1-100) elif c == 0x33: offset += 3 if paragraph_open: html += '</p>' paragraph_open = False html += '<hr />' # New line # 0 Bytes elif c == 0x38: if paragraph_open: html += '</p>\n' paragraph_open = False # Italic text begins # 0 Bytes elif c == 0x40: html += '<i>' # Italic text ends # 0 Bytes elif c == 0x48: html += '</i>' # Set text color # 3 Bytes # 8-bit red, 8-bit green, 8-bit blue elif c == 0x53: offset += 3 # Multiple embedded image # 4 Bytes # alternate image record ID, image record ID elif c == 0x5c: offset += 3 uid = struct.unpack('>H', d[offset:offset+2])[0] html += '<img src="images/%s.jpg" />' % uid offset += 1 # Underline text begins # 0 Bytes elif c == 0x60: html += '<u>' # Underline text ends # 0 Bytes elif c == 0x68: html += '</u>' # Strike-through text begins # 0 Bytes elif c == 0x70: html += '<s>' # Strike-through text ends # 0 Bytes elif c == 0x78: html += '</s>' # 16-bit Unicode character # 3 Bytes # alternate text length, 16-bit unicode character elif c == 0x83: offset += 3 # 32-bit Unicode character # 5 Bytes # alternate text length, 32-bit unicode character elif c == 0x85: offset += 5 # Begin custom font span # 6 Bytes # font page record ID, X page position, Y page position elif c == 0x8e: offset += 6 # Adjust custom font glyph position # 4 Bytes # X page position, Y page position elif c == 0x8c: offset += 4 # Change font page # 2 Bytes # font record ID elif c == 0x8a: offset += 2 # End custom font span # 0 Bytes elif c == 0x88: pass # Begin new table row # 0 Bytes elif c == 0x90: pass # Insert table (or table link) # 2 Bytes # table record ID elif c == 0x92: offset += 2 # Table cell data # 7 Bytes # 8-bit alignment, 16-bit image record ID, 8-bit columns, 8-bit rows, 16-bit text length elif c == 0x97: offset += 7 # Exact link modifier # 2 Bytes # Paragraph Offset (The Exact Link Modifier modifies a Paragraph Link or # Targeted Paragraph Link function to specify an exact byte offset within # the paragraph. This function must be followed immediately by the # function it modifies). elif c == 0x9a: offset += 2 elif c == 0xa0: html += '&nbsp;' else: html += codepoint_to_chr(c) offset += 1 if offset in paragraph_offsets: need_set_p_id = True if paragraph_open: html += '</p>\n' paragraph_open = False if paragraph_open: html += '</p>' return html
26,725
Python
.py
671
26.007452
108
0.491134
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,326
reader.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/pdf/reader.py
''' Read content from palmdoc pdb file. ''' __license__ = 'GPL v3' __copyright__ = '2010, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' from calibre.ebooks.pdb.formatreader import FormatReader from calibre.ptempfile import PersistentTemporaryFile class Reader(FormatReader): def __init__(self, header, stream, log, options): self.header = header self.stream = stream self.log = log self.options = options def extract_content(self, output_dir): self.log.info('Extracting PDF...') pdf = PersistentTemporaryFile('.pdf') pdf.close() pdf = open(pdf, 'wb') for x in range(self.header.section_count()): pdf.write(self.header.section_data(x)) pdf.close() from calibre.customize.ui import plugin_for_input_format pdf_plugin = plugin_for_input_format('pdf') for opt in pdf_plugin.options: if not hasattr(self.options, opt.option.name): setattr(self.options, opt.option.name, opt.recommended_value) return pdf_plugin.convert(open(pdf, 'rb'), self.options, 'pdf', self.log, {})
1,169
Python
.py
28
34.642857
85
0.656637
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,327
writer.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/palmdoc/writer.py
''' Writer content to palmdoc pdb file. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import struct from calibre.ebooks.pdb.formatwriter import FormatWriter from calibre.ebooks.pdb.header import PdbHeaderBuilder from calibre.ebooks.txt.newlines import TxtNewlines, specified_newlines from calibre.ebooks.txt.txtml import TXTMLizer MAX_RECORD_SIZE = 4096 class Writer(FormatWriter): def __init__(self, opts, log): self.opts = opts self.log = log def write_content(self, oeb_book, out_stream, metadata=None): from calibre.ebooks.compression.palmdoc import compress_doc title = self.opts.title if self.opts.title else oeb_book.metadata.title[0].value if oeb_book.metadata.title != [] else _('Unknown') txt_records, txt_length = self._generate_text(oeb_book) header_record = self._header_record(txt_length, len(txt_records)) section_lengths = [len(header_record)] self.log.info('Compessing data...') for i in range(0, len(txt_records)): self.log.debug('\tCompressing record %i' % i) txt_records[i] = compress_doc(txt_records[i]) section_lengths.append(len(txt_records[i])) out_stream.seek(0) hb = PdbHeaderBuilder('TEXtREAd', title) hb.build_header(section_lengths, out_stream) for record in [header_record] + txt_records: out_stream.write(record) def _generate_text(self, oeb_book): writer = TXTMLizer(self.log) txt = writer.extract_content(oeb_book, self.opts) self.log.debug('\tReplacing newlines with selected type...') txt = specified_newlines(TxtNewlines('windows').newline, txt).encode(self.opts.pdb_output_encoding, 'replace') txt_length = len(txt) txt_records = [] for i in range(0, (len(txt) // MAX_RECORD_SIZE) + 1): txt_records.append(txt[i * MAX_RECORD_SIZE: (i * MAX_RECORD_SIZE) + MAX_RECORD_SIZE]) return txt_records, txt_length def _header_record(self, txt_length, record_count): record = b'' record += struct.pack('>H', 2) # [0:2], PalmDoc compression. (1 = No compression). record += struct.pack('>H', 0) # [2:4], Always 0. record += struct.pack('>L', txt_length) # [4:8], Uncompressed length of the entire text of the book. record += struct.pack('>H', record_count) # [8:10], Number of PDB records used for the text of the book. record += struct.pack('>H', MAX_RECORD_SIZE) # [10-12], Maximum size of each record containing text, always 4096. record += struct.pack('>L', 0) # [12-16], Current reading position, as an offset into the uncompressed text. return record
2,884
Python
.py
52
47.826923
139
0.639986
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,328
reader.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/palmdoc/reader.py
''' Read content from palmdoc pdb file. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import io import struct from calibre.ebooks.pdb.formatreader import FormatReader class HeaderRecord: ''' The first record in the file is always the header record. It holds information related to the location of text, images, and so on in the file. This is used in conjunction with the sections defined in the file header. ''' def __init__(self, raw): self.compression, = struct.unpack('>H', raw[0:2]) self.num_records, = struct.unpack('>H', raw[8:10]) class Reader(FormatReader): def __init__(self, header, stream, log, options): self.stream = stream self.log = log self.options = options self.sections = [] for i in range(header.num_sections): self.sections.append(header.section_data(i)) self.header_record = HeaderRecord(self.section_data(0)) def section_data(self, number): return self.sections[number] def decompress_text(self, number): if self.header_record.compression == 1: return self.section_data(number) if self.header_record.compression == 2 or self.header_record.compression == 258: from calibre.ebooks.compression.palmdoc import decompress_doc return decompress_doc(self.section_data(number)) return b'' def extract_content(self, output_dir): raw_txt = b'' self.log.info('Decompressing text...') for i in range(1, self.header_record.num_records + 1): self.log.debug('\tDecompressing text section %i' % i) raw_txt += self.decompress_text(i) self.log.info('Converting text to OEB...') stream = io.BytesIO(raw_txt) from calibre.customize.ui import plugin_for_input_format txt_plugin = plugin_for_input_format('txt') for opt in txt_plugin.options: if not hasattr(self.options, opt.option.name): setattr(self.options, opt.option.name, opt.recommended_value) stream.seek(0) return txt_plugin.convert(stream, self.options, 'txt', self.log, {})
2,258
Python
.py
52
35.903846
88
0.655693
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,329
writer.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/ztxt/writer.py
''' Writer content to ztxt pdb file. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import struct import zlib from calibre.ebooks.pdb.formatwriter import FormatWriter from calibre.ebooks.pdb.header import PdbHeaderBuilder from calibre.ebooks.txt.newlines import TxtNewlines, specified_newlines from calibre.ebooks.txt.txtml import TXTMLizer MAX_RECORD_SIZE = 8192 class Writer(FormatWriter): def __init__(self, opts, log): self.opts = opts self.log = log def write_content(self, oeb_book, out_stream, metadata=None): title = self.opts.title if self.opts.title else oeb_book.metadata.title[0].value if oeb_book.metadata.title != [] else _('Unknown') txt_records, txt_length = self._generate_text(oeb_book) crc32 = 0 section_lengths = [] compressor = zlib.compressobj(9) self.log.info('Compressing data...') for i in range(0, len(txt_records)): self.log.debug('\tCompressing record %i' % i) txt_records[i] = compressor.compress(txt_records[i]) txt_records[i] = txt_records[i] + compressor.flush(zlib.Z_FULL_FLUSH) section_lengths.append(len(txt_records[i])) crc32 = zlib.crc32(txt_records[i], crc32) & 0xffffffff header_record = self._header_record(txt_length, len(txt_records), crc32) section_lengths.insert(0, len(header_record)) out_stream.seek(0) hb = PdbHeaderBuilder('zTXTGPlm', title) hb.build_header(section_lengths, out_stream) for record in [header_record]+txt_records: out_stream.write(record) def _generate_text(self, oeb_book): writer = TXTMLizer(self.log) txt = writer.extract_content(oeb_book, self.opts) self.log.debug('\tReplacing newlines with selected type...') txt = specified_newlines(TxtNewlines('windows').newline, txt).encode(self.opts.pdb_output_encoding, 'replace') txt_length = len(txt) txt_records = [] for i in range(0, (len(txt) / MAX_RECORD_SIZE) + 1): txt_records.append(txt[i * MAX_RECORD_SIZE : (i * MAX_RECORD_SIZE) + MAX_RECORD_SIZE]) return txt_records, txt_length def _header_record(self, txt_length, record_count, crc32): record = b'' record += struct.pack('>H', 0x012c) # [0:2], version. 0x012c = 1.44 record += struct.pack('>H', record_count) # [2:4], Number of PDB records used for the text of the book. record += struct.pack('>L', txt_length) # [4:8], Uncompressed length of the entire text of the book. record += struct.pack('>H', MAX_RECORD_SIZE) # [8:10], Maximum size of each record containing text record += struct.pack('>H', 0) # [10:12], Number of bookmarks. record += struct.pack('>H', 0) # [12:14], Bookmark record. 0 if there are no bookmarks. record += struct.pack('>H', 0) # [14:16], Number of annotations. record += struct.pack('>H', 0) # [16:18], Annotation record. 0 if there are no annotations. record += struct.pack('>B', 1) # [18:19], Flags. Bitmask, 0x01 = Random Access. 0x02 = Non-Uniform text block size. record += struct.pack('>B', 0) # [19:20], Reserved. record += struct.pack('>L', crc32) # [20:24], crc32 record += struct.pack('>LL', 0, 0) # [24:32], padding return record
3,611
Python
.py
63
49.444444
140
0.611851
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,330
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/ztxt/__init__.py
__license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' class zTXTError(Exception): pass
163
Python
.py
5
30.4
60
0.698718
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,331
reader.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/ztxt/reader.py
''' Read content from ztxt pdb file. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import io import struct import zlib from calibre.ebooks.pdb.formatreader import FormatReader from calibre.ebooks.pdb.ztxt import zTXTError SUPPORTED_VERSION = (1, 40) class HeaderRecord: ''' The first record in the file is always the header record. It holds information related to the location of text, images, and so on in the file. This is used in conjunction with the sections defined in the file header. ''' def __init__(self, raw): self.version, = struct.unpack('>H', raw[0:2]) self.num_records, = struct.unpack('>H', raw[2:4]) self.size, = struct.unpack('>L', raw[4:8]) self.record_size, = struct.unpack('>H', raw[8:10]) self.flags, = struct.unpack('>B', raw[18:19]) class Reader(FormatReader): def __init__(self, header, stream, log, options): self.stream = stream self.log = log self.options = options self.sections = [] for i in range(header.num_sections): self.sections.append(header.section_data(i)) self.header_record = HeaderRecord(self.section_data(0)) vmajor = (self.header_record.version & 0x0000FF00) >> 8 vminor = self.header_record.version & 0x000000FF if vmajor < 1 or (vmajor == 1 and vminor < 40): raise zTXTError('Unsupported ztxt version (%i.%i). Only versions newer than %i.%i are supported.' % (vmajor, vminor, SUPPORTED_VERSION[0], SUPPORTED_VERSION[1])) if (self.header_record.flags & 0x01) == 0: raise zTXTError('Only compression method 1 (random access) is supported') self.log.debug('Foud ztxt version: %i.%i' % (vmajor, vminor)) # Initialize the decompressor self.uncompressor = zlib.decompressobj() self.uncompressor.decompress(self.section_data(1)) def section_data(self, number): return self.sections[number] def decompress_text(self, number): if number == 1: self.uncompressor = zlib.decompressobj() return self.uncompressor.decompress(self.section_data(number)) def extract_content(self, output_dir): raw_txt = b'' self.log.info('Decompressing text...') for i in range(1, self.header_record.num_records + 1): self.log.debug('\tDecompressing text section %i' % i) raw_txt += self.decompress_text(i) self.log.info('Converting text to OEB...') stream = io.BytesIO(raw_txt) from calibre.customize.ui import plugin_for_input_format txt_plugin = plugin_for_input_format('txt') for opt in txt_plugin.options: if not hasattr(self.options, opt.option.name): setattr(self.options, opt.option.name, opt.recommended_value) stream.seek(0) return txt_plugin.convert(stream, self.options, 'txt', self.log, {})
3,049
Python
.py
66
38.348485
111
0.646164
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,332
inspector.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/ereader/inspector.py
''' Inspect the header of ereader files. This is primarily used for debugging. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import struct import sys from calibre.ebooks.pdb.ereader import EreaderError from calibre.ebooks.pdb.header import PdbHeaderReader def ereader_header_info(header): h0 = header.section_data(0) print('Header Size: %s' % len(h0)) if len(h0) == 132: print('Header Type: Dropbook compatible') print('') ereader_header_info132(h0) elif len(h0) == 202: print('Header Type: Makebook compatible') print('') ereader_header_info202(h0) else: raise EreaderError('Size mismatch. eReader header record size %i KB is not supported.' % len(h0)) def pdb_header_info(header): print('PDB Header Info:') print('') print('Identity: %s' % header.ident) print('Total Sections: %s' % header.num_sections) print('Title: %s' % header.title) print('') def ereader_header_info132(h0): print('Ereader Record 0 (Header) Info:') print('') print('0-2 Version: %i' % struct.unpack('>H', h0[0:2])[0]) print('2-4: %i' % struct.unpack('>H', h0[2:4])[0]) print('4-6: %i' % struct.unpack('>H', h0[4:6])[0]) print('6-8 Codepage: %i' % struct.unpack('>H', h0[6:8])[0]) print('8-10: %i' % struct.unpack('>H', h0[8:10])[0]) print('10-12: %i' % struct.unpack('>H', h0[10:12])[0]) print('12-14 Non-Text offset: %i' % struct.unpack('>H', h0[12:14])[0]) print('14-16: %i' % struct.unpack('>H', h0[14:16])[0]) print('16-18: %i' % struct.unpack('>H', h0[16:18])[0]) print('18-20: %i' % struct.unpack('>H', h0[18:20])[0]) print('20-22 Image Count: %i' % struct.unpack('>H', h0[20:22])[0]) print('22-24: %i' % struct.unpack('>H', h0[22:24])[0]) print('24-26 Has Metadata?: %i' % struct.unpack('>H', h0[24:26])[0]) print('26-28: %i' % struct.unpack('>H', h0[26:28])[0]) print('28-30 Footnote Count: %i' % struct.unpack('>H', h0[28:30])[0]) print('30-32 Sidebar Count: %i' % struct.unpack('>H', h0[30:32])[0]) print('32-34 Bookmark Offset: %i' % struct.unpack('>H', h0[32:34])[0]) print('34-36 MAGIC: %i' % struct.unpack('>H', h0[34:36])[0]) print('36-38: %i' % struct.unpack('>H', h0[36:38])[0]) print('38-40: %i' % struct.unpack('>H', h0[38:40])[0]) print('40-42 Image Data Offset: %i' % struct.unpack('>H', h0[40:42])[0]) print('42-44: %i' % struct.unpack('>H', h0[42:44])[0]) print('44-46 Metadata Offset: %i' % struct.unpack('>H', h0[44:46])[0]) print('46-48: %i' % struct.unpack('>H', h0[46:48])[0]) print('48-50 Footnote Offset: %i' % struct.unpack('>H', h0[48:50])[0]) print('50-52 Sidebar Offset: %i' % struct.unpack('>H', h0[50:52])[0]) print('52-54 Last Data Offset: %i' % struct.unpack('>H', h0[52:54])[0]) for i in range(54, 131, 2): print('%i-%i: %i' % (i, i+2, struct.unpack('>H', h0[i:i+2])[0])) print('') def ereader_header_info202(h0): print('Ereader Record 0 (Header) Info:') print('') print('0-2 Version: %i' % struct.unpack('>H', h0[0:2])[0]) print('2-4 Garbage: %i' % struct.unpack('>H', h0[2:4])[0]) print('4-6 Garbage: %i' % struct.unpack('>H', h0[4:6])[0]) print('6-8 Garbage: %i' % struct.unpack('>H', h0[6:8])[0]) print('8-10 Non-Text Offset: %i' % struct.unpack('>H', h0[8:10])[0]) print('10-12: %i' % struct.unpack('>H', h0[10:12])[0]) print('12-14: %i' % struct.unpack('>H', h0[12:14])[0]) print('14-16 Garbage: %i' % struct.unpack('>H', h0[14:16])[0]) print('16-18 Garbage: %i' % struct.unpack('>H', h0[16:18])[0]) print('18-20 Garbage: %i' % struct.unpack('>H', h0[18:20])[0]) print('20-22 Garbage: %i' % struct.unpack('>H', h0[20:22])[0]) print('22-24 Garbage: %i' % struct.unpack('>H', h0[22:24])[0]) print('24-26: %i' % struct.unpack('>H', h0[24:26])[0]) print('26-28: %i' % struct.unpack('>H', h0[26:28])[0]) for i in range(28, 98, 2): print('%i-%i Garbage: %i' % (i, i+2, struct.unpack('>H', h0[i:i+2])[0])) print('98-100: %i' % struct.unpack('>H', h0[98:100])[0]) for i in range(100, 110, 2): print('%i-%i Garbage: %i' % (i, i+2, struct.unpack('>H', h0[i:i+2])[0])) print('110-112: %i' % struct.unpack('>H', h0[110:112])[0]) print('112-114: %i' % struct.unpack('>H', h0[112:114])[0]) print('114-116 Garbage: %i' % struct.unpack('>H', h0[114:116])[0]) for i in range(116, 202, 2): print('%i-%i: %i' % (i, i+2, struct.unpack('>H', h0[i:i+2])[0])) print('') print('* Garbage: Random values.') print('') def section_lengths(header): print('Section Sizes') print('') for i in range(0, header.section_count()): size = len(header.section_data(i)) if size > 65505: message = '<--- Over!' else: message = '' print('Section %i: %i %s' % (i, size, message)) def main(args=sys.argv): if len(args) < 2: print('Error: requires input file.') return 1 f = open(sys.argv[1], 'rb') pheader = PdbHeaderReader(f) pdb_header_info(pheader) ereader_header_info(pheader) section_lengths(pheader) return 0 if __name__ == '__main__': sys.exit(main())
5,941
Python
.py
115
46.269565
105
0.511126
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,333
writer.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/ereader/writer.py
''' Write content to ereader pdb file. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import io import re import struct import zlib from PIL import Image from calibre.ebooks.pdb.formatwriter import FormatWriter from calibre.ebooks.pdb.header import PdbHeaderBuilder from calibre.ebooks.pml.pmlml import PMLMLizer from polyglot.builtins import as_bytes IDENTITY = 'PNRdPPrs' # This is an arbitrary number that is small enough to work. The actual maximum # record size is unknown. MAX_RECORD_SIZE = 8192 class Writer(FormatWriter): def __init__(self, opts, log): self.opts = opts self.log = log def write_content(self, oeb_book, out_stream, metadata=None): pmlmlizer = PMLMLizer(self.log) pml = str(pmlmlizer.extract_content(oeb_book, self.opts)).encode('cp1252', 'replace') text, text_sizes = self._text(pml) chapter_index = self._index_item(br'(?s)\\C(?P<val>[0-4])="(?P<text>.+?)"', pml) chapter_index += self._index_item(br'(?s)\\X(?P<val>[0-4])(?P<text>.+?)\\X[0-4]', pml) chapter_index += self._index_item(br'(?s)\\x(?P<text>.+?)\\x', pml) link_index = self._index_item(br'(?s)\\Q="(?P<text>.+?)"', pml) images = self._images(oeb_book.manifest, pmlmlizer.image_hrefs) metadata = [self._metadata(metadata)] hr = [self._header_record(len(text), len(chapter_index), len(link_index), len(images))] ''' Record order as generated by Dropbook. 1. eReader Header 2. Compressed text 3. Small font page index 4. Large font page index 5. Chapter index 6. Links index 7. Images 8. (Extrapolation: there should be one more record type here though yet uncovered what it might be). 9. Metadata 10. Sidebar records 11. Footnote records 12. Text block size record 13. "MeTaInFo\x00" word record ''' sections = hr+text+chapter_index+link_index+images+metadata+[text_sizes]+[b'MeTaInFo\x00'] lengths = [len(i) if i not in images else len(i[0]) + len(i[1]) for i in sections] pdbHeaderBuilder = PdbHeaderBuilder(IDENTITY, metadata[0].partition(b'\x00')[0]) pdbHeaderBuilder.build_header(lengths, out_stream) for item in sections: if item in images: out_stream.write(item[0]) out_stream.write(item[1]) else: out_stream.write(item) def _text(self, pml): pml_pages = [] text_sizes = b'' index = 0 while index < len(pml): ''' Split on the space character closest to MAX_RECORD_SIZE when possible. ''' split = pml.rfind(b' ', index, MAX_RECORD_SIZE) if split == -1: len_end = len(pml[index:]) if len_end > MAX_RECORD_SIZE: split = MAX_RECORD_SIZE else: split = len_end if split == 0: split = 1 pml_pages.append(zlib.compress(pml[index:index+split])) text_sizes += struct.pack('>H', split) index += split return pml_pages, text_sizes def _index_item(self, regex, pml): index = [] for mo in re.finditer(regex, pml): item = b'' if 'text' in mo.groupdict().keys(): item += struct.pack('>L', mo.start()) text = mo.group('text') # Strip all PML tags from text text = re.sub(br'\\U[0-9a-z]{4}', b'', text) text = re.sub(br'\\a\d{3}', b'', text) text = re.sub(br'\\.', b'', text) # Add appropriate spacing to denote the various levels of headings if 'val' in mo.groupdict().keys(): text = b'%s%s' % (b' ' * 4 * int(mo.group('val')), text) item += text item += b'\x00' if item: index.append(item) return index def _images(self, manifest, image_hrefs): ''' Image format. 0-4 : 'PNG '. There must be a space after PNG. 4-36 : Image name. Must be exactly 32 bytes long. Pad with \x00 for names shorter than 32 bytes 36-58 : Unknown. 58-60 : Width. 60-62 : Height. 62-...: Raw image data in 8 bit PNG format. ''' images = [] from calibre.ebooks.oeb.base import OEB_RASTER_IMAGES for item in manifest: if item.media_type in OEB_RASTER_IMAGES and item.href in image_hrefs.keys(): try: im = Image.open(io.BytesIO(item.data)).convert('P') im.thumbnail((300,300), Image.Resampling.LANCZOS) data = io.BytesIO() im.save(data, 'PNG') data = data.getvalue() href = as_bytes(image_hrefs[item.href]) header = b'PNG ' header += href.ljust(32, b'\x00')[:32] header = header.ljust(58, b'\x00') header += struct.pack('>HH', im.size[0], im.size[1]) header = header.ljust(62, b'\x00') if len(data) + len(header) < 65505: images.append((header, data)) except Exception as e: self.log.error('Error: Could not include file %s because ' '%s.' % (item.href, e)) return images def _metadata(self, metadata): ''' Metadata takes the form: title\x00 author\x00 copyright\x00 publisher\x00 isbn\x00 ''' title = _('Unknown') author = _('Unknown') copyright = '' publisher = '' isbn = '' if metadata: if len(metadata.title) >= 1: title = metadata.title[0].value if len(metadata.creator) >= 1: from calibre.ebooks.metadata import authors_to_string author = authors_to_string([x.value for x in metadata.creator]) if len(metadata.rights) >= 1: copyright = metadata.rights[0].value if len(metadata.publisher) >= 1: publisher = metadata.publisher[0].value return as_bytes(f'{title}\x00{author}\x00{copyright}\x00{publisher}\x00{isbn}\x00') def _header_record(self, text_count, chapter_count, link_count, image_count): ''' text_count = the number of text pages image_count = the number of images ''' compression = 10 # zlib compression. non_text_offset = text_count + 1 chapter_offset = non_text_offset link_offset = chapter_offset + chapter_count if image_count > 0: image_data_offset = link_offset + link_count meta_data_offset = image_data_offset + image_count last_data_offset = meta_data_offset + 1 else: meta_data_offset = link_offset + link_count last_data_offset = meta_data_offset + 1 image_data_offset = last_data_offset if chapter_count == 0: chapter_offset = last_data_offset if link_count == 0: link_offset = last_data_offset record = b'' record += struct.pack('>H', compression) # [0:2] # Compression. Specifies compression and drm. 2 = palmdoc, 10 = zlib. 260 and 272 = DRM record += struct.pack('>H', 0) # [2:4] # Unknown. record += struct.pack('>H', 0) # [4:6] # Unknown. record += struct.pack('>H', 25152) # [6:8] # 25152 is MAGIC. Somehow represents the cp1252 encoding of the text record += struct.pack('>H', 0) # [8:10] # Number of small font pages. 0 if page index is not built. record += struct.pack('>H', 0) # [10:12] # Number of large font pages. 0 if page index is not built. record += struct.pack('>H', non_text_offset) # [12:14] # Non-Text record start. record += struct.pack('>H', chapter_count) # [14:16] # Number of chapter index records. record += struct.pack('>H', 0) # [16:18] # Number of small font page index records. record += struct.pack('>H', 0) # [18:20] # Number of large font page index records. record += struct.pack('>H', image_count) # [20:22] # Number of images. record += struct.pack('>H', link_count) # [22:24] # Number of links. record += struct.pack('>H', 1) # [24:26] # 1 if has metadata, 0 if not. record += struct.pack('>H', 0) # [26:28] # Unknown. record += struct.pack('>H', 0) # [28:30] # Number of Footnotes. record += struct.pack('>H', 0) # [30:32] # Number of Sidebars. record += struct.pack('>H', chapter_offset) # [32:34] # Chapter index offset. record += struct.pack('>H', 2560) # [34:36] # 2560 is MAGIC. record += struct.pack('>H', last_data_offset) # [36:38] # Small font page offset. This will be the last data offset if there are none. record += struct.pack('>H', last_data_offset) # [38:40] # Large font page offset. This will be the last data offset if there are none. record += struct.pack('>H', image_data_offset) # [40:42] # Image offset. This will be the last data offset if there are none. record += struct.pack('>H', link_offset) # [42:44] # Links offset. This will be the last data offset if there are none. record += struct.pack('>H', meta_data_offset) # [44:46] # Metadata offset. This will be the last data offset if there are none. record += struct.pack('>H', 0) # [46:48] # Unknown. record += struct.pack('>H', last_data_offset) # [48:50] # Footnote offset. This will be the last data offset if there are none. record += struct.pack('>H', last_data_offset) # [50:52] # Sidebar offset. This will be the last data offset if there are none. record += struct.pack('>H', last_data_offset) # [52:54] # Last data offset. for i in range(54, 132, 2): record += struct.pack('>H', 0) # [54:132] return record
10,729
Python
.py
209
40.263158
158
0.539254
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,334
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/ereader/__init__.py
__license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import os class EreaderError(Exception): pass def image_name(name, taken_names=()): name = os.path.basename(name) if len(name) > 32: cut = len(name) - 32 names = name[:10] namee = name[10+cut:] name = f'{names}{namee}.png' i = 0 base_name, ext = os.path.splitext(name) while name in taken_names: i += 1 name = f'{base_name}{i}{ext}' return name.ljust(32, '\x00')[:32]
576
Python
.py
19
24.894737
60
0.595628
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,335
reader132.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/ereader/reader132.py
''' Read content from ereader pdb file with a 132 byte header created by Dropbook. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import os import re import struct import zlib from calibre import CurrentDir from calibre.ebooks import DRMError from calibre.ebooks.metadata.opf2 import OPFCreator from calibre.ebooks.pdb.ereader import EreaderError from calibre.ebooks.pdb.formatreader import FormatReader class HeaderRecord: ''' The first record in the file is always the header record. It holds information related to the location of text, images, and so on in the file. This is used in conjunction with the sections defined in the file header. ''' def __init__(self, raw): self.compression, = struct.unpack('>H', raw[0:2]) self.non_text_offset, = struct.unpack('>H', raw[12:14]) self.chapter_count, = struct.unpack('>H', raw[14:16]) self.image_count, = struct.unpack('>H', raw[20:22]) self.link_count, = struct.unpack('>H', raw[22:24]) self.has_metadata, = struct.unpack('>H', raw[24:26]) self.footnote_count, = struct.unpack('>H', raw[28:30]) self.sidebar_count, = struct.unpack('>H', raw[30:32]) self.chapter_offset, = struct.unpack('>H', raw[32:34]) self.small_font_page_offset, = struct.unpack('>H', raw[36:38]) self.large_font_page_offset, = struct.unpack('>H', raw[38:40]) self.image_data_offset, = struct.unpack('>H', raw[40:42]) self.link_offset, = struct.unpack('>H', raw[42:44]) self.metadata_offset, = struct.unpack('>H', raw[44:46]) self.footnote_offset, = struct.unpack('>H', raw[48:50]) self.sidebar_offset, = struct.unpack('>H', raw[50:52]) self.last_data_offset, = struct.unpack('>H', raw[52:54]) self.num_text_pages = self.non_text_offset - 1 self.num_image_pages = self.metadata_offset - self.image_data_offset class Reader132(FormatReader): def __init__(self, header, stream, log, options): self.log = log self.encoding = options.input_encoding self.log.debug('132 byte header version found.') self.sections = [] for i in range(header.num_sections): self.sections.append(header.section_data(i)) self.header_record = HeaderRecord(self.section_data(0)) if self.header_record.compression not in (2, 10): if self.header_record.compression in (260, 272): raise DRMError('eReader DRM is not supported.') else: raise EreaderError('Unknown book compression %i.' % self.header_record.compression) from calibre.ebooks.metadata.pdb import get_metadata self.mi = get_metadata(stream, False) def section_data(self, number): return self.sections[number] def decompress_text(self, number): if self.header_record.compression == 2: from calibre.ebooks.compression.palmdoc import decompress_doc return decompress_doc(self.section_data(number)).decode('cp1252' if self.encoding is None else self.encoding, 'replace') if self.header_record.compression == 10: return zlib.decompress(self.section_data(number)).decode('cp1252' if self.encoding is None else self.encoding, 'replace') def get_image(self, number): if number < self.header_record.image_data_offset or number > self.header_record.image_data_offset + self.header_record.num_image_pages - 1: return 'empty', b'' data = self.section_data(number) name = data[4:4 + 32].strip(b'\x00').decode(self.encoding or 'cp1252') img = data[62:] return name, img def get_text_page(self, number): ''' Only palmdoc and zlib compressed are supported. The text is assumed to be encoded as Windows-1252. The encoding is part of the eReader file spec and should always be this encoding. ''' if not (1 <= number <= self.header_record.num_text_pages): return '' return self.decompress_text(number) def extract_content(self, output_dir): from calibre.ebooks.pml.pmlconverter import PML_HTMLizer, footnote_to_html, sidebar_to_html output_dir = os.path.abspath(output_dir) if not os.path.exists(output_dir): os.makedirs(output_dir) title = self.mi.title if not isinstance(title, str): title = title.decode('utf-8', 'replace') html = '<html><head><title>%s</title></head><body>' % title pml = '' for i in range(1, self.header_record.num_text_pages + 1): self.log.debug('Extracting text page %i' % i) pml += self.get_text_page(i) hizer = PML_HTMLizer() html += hizer.parse_pml(pml, 'index.html') toc = hizer.get_toc() if self.header_record.footnote_count > 0: html += '<br /><h1>%s</h1>' % _('Footnotes') footnoteids = re.findall( '\\w+(?=\x00)', self.section_data(self.header_record.footnote_offset).decode('cp1252' if self.encoding is None else self.encoding)) for fid, i in enumerate(range(self.header_record.footnote_offset + 1, self.header_record.footnote_offset + self.header_record.footnote_count)): self.log.debug('Extracting footnote page %i' % i) if fid < len(footnoteids): fid = footnoteids[fid] else: fid = '' html += footnote_to_html(fid, self.decompress_text(i)) if self.header_record.sidebar_count > 0: html += '<br /><h1>%s</h1>' % _('Sidebar') sidebarids = re.findall( '\\w+(?=\x00)', self.section_data(self.header_record.sidebar_offset).decode('cp1252' if self.encoding is None else self.encoding)) for sid, i in enumerate(range(self.header_record.sidebar_offset + 1, self.header_record.sidebar_offset + self.header_record.sidebar_count)): self.log.debug('Extracting sidebar page %i' % i) if sid < len(sidebarids): sid = sidebarids[sid] else: sid = '' html += sidebar_to_html(sid, self.decompress_text(i)) html += '</body></html>' with CurrentDir(output_dir): with open('index.html', 'wb') as index: self.log.debug('Writing text to index.html') index.write(html.encode('utf-8')) if not os.path.exists(os.path.join(output_dir, 'images/')): os.makedirs(os.path.join(output_dir, 'images/')) images = [] with CurrentDir(os.path.join(output_dir, 'images/')): for i in range(0, self.header_record.num_image_pages): name, img = self.get_image(self.header_record.image_data_offset + i) images.append(name) with open(name, 'wb') as imgf: self.log.debug('Writing image %s to images/' % name) imgf.write(img) opf_path = self.create_opf(output_dir, images, toc) return opf_path def create_opf(self, output_dir, images, toc): with CurrentDir(output_dir): if 'cover.png' in images: self.mi.cover = os.path.join('images', 'cover.png') opf = OPFCreator(output_dir, self.mi) manifest = [('index.html', None)] for i in images: manifest.append((os.path.join('images', i), None)) opf.create_manifest(manifest) opf.create_spine(['index.html']) opf.set_toc(toc) with open('metadata.opf', 'wb') as opffile: with open('toc.ncx', 'wb') as tocfile: opf.render(opffile, tocfile, 'toc.ncx') return os.path.join(output_dir, 'metadata.opf') def dump_pml(self): ''' This is primarily used for debugging and 3rd party tools to get the plm markup that comprises the text in the file. ''' pml = '' for i in range(1, self.header_record.num_text_pages + 1): pml += self.get_text_page(i) return pml def dump_images(self, output_dir): ''' This is primarily used for debugging and 3rd party tools to get the images in the file. ''' if not os.path.exists(output_dir): os.makedirs(output_dir) with CurrentDir(output_dir): for i in range(0, self.header_record.num_image_pages): name, img = self.get_image(self.header_record.image_data_offset + i) with open(name, 'wb') as imgf: imgf.write(img)
8,809
Python
.py
173
40.514451
155
0.608169
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,336
reader.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/ereader/reader.py
''' Read content from ereader pdb file. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' from calibre.ebooks.pdb.ereader import EreaderError from calibre.ebooks.pdb.ereader.reader132 import Reader132 from calibre.ebooks.pdb.ereader.reader202 import Reader202 from calibre.ebooks.pdb.formatreader import FormatReader class Reader(FormatReader): def __init__(self, header, stream, log, options): record0_size = len(header.section_data(0)) if record0_size == 132: self.reader = Reader132(header, stream, log, options) elif record0_size in (116, 202): self.reader = Reader202(header, stream, log, options) else: raise EreaderError('Size mismatch. eReader header record size %s KB is not supported.' % record0_size) def extract_content(self, output_dir): return self.reader.extract_content(output_dir) def dump_pml(self): return self.reader.dump_pml() def dump_images(self, out_dir): return self.reader.dump_images(out_dir)
1,115
Python
.py
25
38.92
114
0.704903
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,337
reader202.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/ereader/reader202.py
''' Read content from ereader pdb file with a 116 and 202 byte header created by Makebook. ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import os import struct from calibre import CurrentDir from calibre.ebooks.metadata.opf2 import OPFCreator from calibre.ebooks.pdb.ereader import EreaderError from calibre.ebooks.pdb.formatreader import FormatReader from polyglot.builtins import as_unicode class HeaderRecord: ''' The first record in the file is always the header record. It holds information related to the location of text, images, and so on in the file. This is used in conjunction with the sections defined in the file header. ''' def __init__(self, raw): self.version, = struct.unpack('>H', raw[0:2]) self.non_text_offset, = struct.unpack('>H', raw[8:10]) self.num_text_pages = self.non_text_offset - 1 class Reader202(FormatReader): def __init__(self, header, stream, log, options): self.log = log self.encoding = options.input_encoding self.log.debug('202 byte header version found.') self.sections = [] for i in range(header.num_sections): self.sections.append(header.section_data(i)) self.header_record = HeaderRecord(self.section_data(0)) if self.header_record.version not in (2, 4): raise EreaderError('Unknown book version %i.' % self.header_record.version) from calibre.ebooks.metadata.pdb import get_metadata self.mi = get_metadata(stream, False) def section_data(self, number): return self.sections[number] def decompress_text(self, number): from calibre.ebooks.compression.palmdoc import decompress_doc data = bytearray(self.section_data(number)) data = bytes(bytearray(x ^ 0xA5 for x in data)) return decompress_doc(data).decode(self.encoding or 'cp1252', 'replace') def get_image(self, number): name = None img = None data = self.section_data(number) if data.startswith(b'PNG'): name = data[4:4 + 32].strip(b'\x00') img = data[62:] return name, img def get_text_page(self, number): ''' Only palmdoc compression is supported. The text is xored with 0xA5 and assumed to be encoded as Windows-1252. The encoding is part of the eReader file spec and should always be this encoding. ''' if not (1 <= number <= self.header_record.num_text_pages): return '' return self.decompress_text(number) def extract_content(self, output_dir): from calibre.ebooks.pml.pmlconverter import pml_to_html output_dir = os.path.abspath(output_dir) if not os.path.exists(output_dir): os.makedirs(output_dir) pml = '' for i in range(1, self.header_record.num_text_pages + 1): self.log.debug('Extracting text page %i' % i) pml += self.get_text_page(i) title = self.mi.title if not isinstance(title, str): title = title.decode('utf-8', 'replace') html = '<html><head><title>%s</title></head><body>%s</body></html>' % \ (title, pml_to_html(pml)) with CurrentDir(output_dir): with open('index.html', 'wb') as index: self.log.debug('Writing text to index.html') index.write(html.encode('utf-8')) if not os.path.exists(os.path.join(output_dir, 'images/')): os.makedirs(os.path.join(output_dir, 'images/')) images = [] with CurrentDir(os.path.join(output_dir, 'images/')): for i in range(self.header_record.non_text_offset, len(self.sections)): name, img = self.get_image(i) if name: name = as_unicode(name) images.append(name) with open(name, 'wb') as imgf: self.log.debug('Writing image %s to images/' % name) imgf.write(img) opf_path = self.create_opf(output_dir, images) return opf_path def create_opf(self, output_dir, images): with CurrentDir(output_dir): opf = OPFCreator(output_dir, self.mi) manifest = [('index.html', None)] for i in images: manifest.append((os.path.join('images/', i), None)) opf.create_manifest(manifest) opf.create_spine(['index.html']) with open('metadata.opf', 'wb') as opffile: opf.render(opffile) return os.path.join(output_dir, 'metadata.opf') def dump_pml(self): ''' This is primarily used for debugging and 3rd party tools to get the plm markup that comprises the text in the file. ''' pml = '' for i in range(1, self.header_record.num_text_pages + 1): pml += self.get_text_page(i) return pml def dump_images(self, output_dir): ''' This is primarily used for debugging and 3rd party tools to get the images in the file. ''' if not os.path.exists(output_dir): os.makedirs(output_dir) with CurrentDir(output_dir): for i in range(0, self.header_record.num_image_pages): name, img = self.get_image(self.header_record.image_data_offset + i) with open(name, 'wb') as imgf: imgf.write(img)
5,578
Python
.py
125
34.912
87
0.61105
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,338
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/haodoo/__init__.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2012, Kovid Goyal <kovid@kovidgoyal.net>' __docformat__ = 'restructuredtext en'
149
Python
.py
4
35
58
0.678571
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,339
reader.py
kovidgoyal_calibre/src/calibre/ebooks/pdb/haodoo/reader.py
''' Read content from Haodoo.net pdb file. ''' __license__ = 'GPL v3' __copyright__ = '2012, Kan-Ru Chen <kanru@kanru.info>' __docformat__ = 'restructuredtext en' import os import struct from calibre import prepare_string_for_xml from calibre.ebooks.metadata import MetaInformation from calibre.ebooks.pdb.formatreader import FormatReader from calibre.ebooks.txt.processor import HTML_TEMPLATE, opf_writer BPDB_IDENT = 'BOOKMTIT' UPDB_IDENT = 'BOOKMTIU' punct_table = { "︵": "(", "︶": ")", "︷": "{", "︸": "}", "︹": "〔", "︺": "〕", "︻": "【", "︼": "】", "︗": "〖", "︘": "〗", "﹇": "[]", "﹈": "[]", "︽": "《", "︾": "》", "︿": "〈", "﹀": "〉", "﹁": "「", "﹂": "」", "﹃": "『", "﹄": "』", "|": "—", "︙": "…", "ⸯ": "~", "│": "…", "¦": "…", " ": " ", } def fix_punct(line): for (key, value) in punct_table.items(): line = line.replace(key, value) return line class LegacyHeaderRecord: def __init__(self, raw): fields = raw.lstrip().replace(b'\x1b\x1b\x1b', b'\x1b').split(b'\x1b') self.title = fix_punct(fields[0].decode('cp950', 'replace')) self.num_records = int(fields[1]) self.chapter_titles = list(map( lambda x: fix_punct(x.decode('cp950', 'replace').rstrip('\x00')), fields[2:])) class UnicodeHeaderRecord: def __init__(self, raw): fields = raw.lstrip().replace(b'\x1b\x00\x1b\x00\x1b\x00', b'\x1b\x00').split(b'\x1b\x00') self.title = fix_punct(fields[0].decode('utf_16_le', 'ignore')) self.num_records = int(fields[1]) self.chapter_titles = list(map( lambda x: fix_punct(x.decode('utf_16_le', 'replace').rstrip('\x00')), fields[2].split(b'\r\x00\n\x00'))) class Reader(FormatReader): def __init__(self, header, stream, log, options): self.stream = stream self.log = log self.sections = [] for i in range(header.num_sections): self.sections.append(header.section_data(i)) if header.ident == BPDB_IDENT: self.header_record = LegacyHeaderRecord(self.section_data(0)) self.encoding = 'cp950' else: self.header_record = UnicodeHeaderRecord(self.section_data(0)) self.encoding = 'utf_16_le' def author(self): self.stream.seek(35) version = struct.unpack('>b', self.stream.read(1))[0] if version == 2: self.stream.seek(0) author = self.stream.read(35).rstrip(b'\x00').decode(self.encoding, 'replace') return author else: return 'Unknown' def get_metadata(self): mi = MetaInformation(self.header_record.title, [self.author()]) mi.language = 'zh-tw' return mi def section_data(self, number): return self.sections[number] def decompress_text(self, number): return self.section_data(number).decode(self.encoding, 'replace').rstrip('\x00') def extract_content(self, output_dir): txt = '' self.log.info('Decompressing text...') for i in range(1, self.header_record.num_records + 1): self.log.debug('\tDecompressing text section %i' % i) title = self.header_record.chapter_titles[i-1] lines = [] title_added = False for line in self.decompress_text(i).splitlines(): line = fix_punct(line) line = line.strip() if not title_added and title in line: line = '<h1 class="chapter">' + line + '</h1>\n' title_added = True else: line = prepare_string_for_xml(line) lines.append('<p>%s</p>' % line) if not title_added: lines.insert(0, '<h1 class="chapter">' + title + '</h1>\n') txt += '\n'.join(lines) self.log.info('Converting text to OEB...') html = HTML_TEMPLATE % (self.header_record.title, txt) with open(os.path.join(output_dir, 'index.html'), 'wb') as index: index.write(html.encode('utf-8')) mi = self.get_metadata() manifest = [('index.html', None)] spine = ['index.html'] opf_writer(output_dir, 'metadata.opf', manifest, spine, mi) return os.path.join(output_dir, 'metadata.opf')
4,593
Python
.py
124
27.717742
90
0.541071
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,340
reader.py
kovidgoyal_calibre/src/calibre/ebooks/azw4/reader.py
''' Read content from azw4 file. azw4 is essentially a PDF stuffed into a MOBI container. ''' __license__ = 'GPL v3' __copyright__ = '2011, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import os import re from calibre.ebooks.pdb.formatreader import FormatReader def unwrap(stream, output_path): raw_data = stream.read() m = re.search(br'%PDF.+%%EOF', raw_data, flags=re.DOTALL) if m is None: raise ValueError('No embedded PDF found in AZW4 file') with open(output_path, 'wb') as f: f.write(m.group()) class Reader(FormatReader): def __init__(self, header, stream, log, options): self.header = header self.stream = stream self.log = log self.options = options def extract_content(self, output_dir): self.log.info('Extracting PDF from AZW4 Container...') self.stream.seek(0) raw_data = self.stream.read() data = b'' mo = re.search(br'%PDF.+%%EOF', raw_data, flags=re.DOTALL) if mo: data = mo.group() pdf_n = os.path.join(os.getcwd(), 'tmp.pdf') with open(pdf_n, 'wb') as pdf: pdf.write(data) from calibre.customize.ui import plugin_for_input_format pdf_plugin = plugin_for_input_format('pdf') for opt in pdf_plugin.options: if not hasattr(self.options, opt.option.name): setattr(self.options, opt.option.name, opt.recommended_value) return pdf_plugin.convert(open(pdf_n, 'rb'), self.options, 'pdf', self.log, {})
1,579
Python
.py
40
32.6
87
0.633858
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,341
pmlml.py
kovidgoyal_calibre/src/calibre/ebooks/pml/pmlml.py
__license__ = 'GPL 3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' ''' Transform OEB content into PML markup ''' import re from lxml import etree from calibre.ebooks.pdb.ereader import image_name from calibre.ebooks.pml import unipmlcode from calibre.utils.xml_parse import safe_xml_fromstring from polyglot.builtins import string_or_bytes TAG_MAP = { 'b' : 'B', 'strong' : 'B', 'i' : 'i', 'small' : 'k', 'sub' : 'Sb', 'sup' : 'Sp', 'big' : 'l', 'del' : 'o', 'h1' : 'x', 'h2' : 'X0', 'h3' : 'X1', 'h4' : 'X2', 'h5' : 'X3', 'h6' : 'X4', '!--' : 'v', } STYLES = [ ('font-weight', {'bold' : 'B', 'bolder' : 'B'}), ('font-style', {'italic' : 'i'}), ('text-decoration', {'underline' : 'u'}), ('text-align', {'right' : 'r', 'center' : 'c'}), ] BLOCK_TAGS = [ 'p', 'div', ] BLOCK_STYLES = [ 'block', ] LINK_TAGS = [ 'a', ] IMAGE_TAGS = [ 'img', ] SEPARATE_TAGS = [ 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'hr', 'img', 'li', 'tr', ] class PMLMLizer: def __init__(self, log): self.log = log self.image_hrefs = {} self.link_hrefs = {} def extract_content(self, oeb_book, opts): self.log.info('Converting XHTML to PML markup...') self.oeb_book = oeb_book self.opts = opts # This is used for adding \CX tags chapter markers. This is separate # from the optional inline toc. self.toc = {} self.create_flat_toc(self.oeb_book.toc) return self.pmlmlize_spine() def create_flat_toc(self, nodes, level=0): for item in nodes: href, mid, id = item.href.partition('#') self.get_anchor_id(href, id) if not self.toc.get(href, None): self.toc[href] = {} self.toc[href][id] = (item.title, level) self.create_flat_toc(item.nodes, level + 1) def pmlmlize_spine(self): self.image_hrefs = {} self.link_hrefs = {} output = [''] output.append(self.get_cover_page()) output.append(self.get_text()) output = ''.join(output) output = self.clean_text(output) return output def get_cover_page(self): from calibre.ebooks.oeb.base import XHTML from calibre.ebooks.oeb.stylizer import Stylizer output = '' if 'cover' in self.oeb_book.guide: output += '\\m="cover.png"\n' self.image_hrefs[self.oeb_book.guide['cover'].href] = 'cover.png' if 'titlepage' in self.oeb_book.guide: self.log.debug('Generating title page...') href = self.oeb_book.guide['titlepage'].href item = self.oeb_book.manifest.hrefs[href] if item.spine_position is None: stylizer = Stylizer(item.data, item.href, self.oeb_book, self.opts, self.opts.output_profile) output += ''.join(self.dump_text(item.data.find(XHTML('body')), stylizer, item)) return output def get_text(self): from calibre.ebooks.oeb.base import XHTML from calibre.ebooks.oeb.stylizer import Stylizer text = [''] for item in self.oeb_book.spine: self.log.debug('Converting %s to PML markup...' % item.href) content = etree.tostring(item.data, encoding='unicode') content = self.prepare_text(content) content = safe_xml_fromstring(content) stylizer = Stylizer(content, item.href, self.oeb_book, self.opts, self.opts.output_profile) text.append(self.add_page_anchor(item)) text += self.dump_text(content.find(XHTML('body')), stylizer, item) return ''.join(text) def add_page_anchor(self, page): return self.get_anchor(page, '') def get_anchor_id(self, href, aid): aid = f'{href}#{aid}' if aid not in self.link_hrefs.keys(): self.link_hrefs[aid] = 'calibre_link-%s' % len(self.link_hrefs.keys()) aid = self.link_hrefs[aid] return aid def get_anchor(self, page, aid): aid = self.get_anchor_id(page.href, aid) return r'\Q="%s"' % aid def remove_newlines(self, text): text = text.replace('\r\n', ' ') text = text.replace('\n', ' ') text = text.replace('\r', ' ') return text def prepare_string_for_pml(self, text): text = self.remove_newlines(text) # Replace \ with \\ so \ in the text is not interpreted as # a pml code. text = text.replace('\\', '\\\\') # Replace sequences of \\c \\c with pml sequences denoting # empty lines. text = text.replace('\\\\c \\\\c', '\\c \n\\c\n') return text def prepare_text(self, text): # Replace empty paragraphs with \c pml codes used to denote empty lines. text = re.sub(r'(?<=</p>)\s*<p[^>]*>[\xc2\xa0\s]*</p>', r'\\c\n\\c', text) return text def clean_text(self, text): # Remove excessive \p tags text = re.sub(r'\\p\s*\\p', '', text) # Remove anchors that do not have links anchors = set(re.findall(r'(?<=\\Q=").+?(?=")', text)) links = set(re.findall(r'(?<=\\q="#).+?(?=")', text)) for unused in anchors.difference(links): text = text.replace(r'\Q="%s"' % unused, '') # Remove \Cn tags that are within \x and \Xn tags text = re.sub(r'(?msu)(?P<t>\\(x|X[0-4]))(?P<a>.*?)(?P<c>\\C[0-4]\s*=\s*"[^"]*")(?P<b>.*?)(?P=t)', r'\g<t>\g<a>\g<b>\g<t>', text) # Replace bad characters. text = text.replace('\xc2', '') text = text.replace('\xa0', ' ') # Turn all characters that cannot be represented by themself into their # PML code equivalent text = re.sub('[^\x00-\x7f]', lambda x: unipmlcode(x.group()), text) # Remove excess spaces at beginning and end of lines text = re.sub('(?m)^[ ]+', '', text) text = re.sub('(?m)[ ]+$', '', text) # Remove excessive spaces text = re.sub('[ ]{2,}', ' ', text) # Condense excessive \c empty line sequences. text = re.sub(r'(\\c\s*\\c\s*){2,}', r'\\c \n\\c\n', text) # Remove excessive newlines. text = re.sub('\n[ ]+\n', '\n\n', text) if self.opts.remove_paragraph_spacing: text = re.sub('\n{2,}', '\n', text) # Only indent lines that don't have special formatting text = re.sub('(?imu)^(?P<text>.+)$', lambda mo: mo.group('text') if re.search(r'\\[XxCmrctTp]', mo.group('text')) else ' %s' % mo.group('text'), text) else: text = re.sub('\n{3,}', '\n\n', text) return text def dump_text(self, elem, stylizer, page, tag_stack=[]): from calibre.ebooks.oeb.base import XHTML_NS, barename, namespace if not isinstance(elem.tag, string_or_bytes) or namespace(elem.tag) != XHTML_NS: p = elem.getparent() if p is not None and isinstance(p.tag, string_or_bytes) and namespace(p.tag) == XHTML_NS \ and elem.tail: return [elem.tail] return [] text = [] tags = [] style = stylizer.style(elem) if style['display'] in ('none', 'oeb-page-head', 'oeb-page-foot') \ or style['visibility'] == 'hidden': if hasattr(elem, 'tail') and elem.tail: return [elem.tail] return [] tag = barename(elem.tag) # Are we in a paragraph block? if tag in BLOCK_TAGS or style['display'] in BLOCK_STYLES: tags.append('block') # Process tags that need special processing and that do not have inner # text. Usually these require an argument. if tag in IMAGE_TAGS: if elem.attrib.get('src', None): if page.abshref(elem.attrib['src']) not in self.image_hrefs.keys(): if len(self.image_hrefs.keys()) == 0: self.image_hrefs[page.abshref(elem.attrib['src'])] = 'cover.png' else: self.image_hrefs[page.abshref(elem.attrib['src'])] = image_name( '%s.png' % len(self.image_hrefs.keys()), self.image_hrefs.keys()).strip('\x00') text.append('\\m="%s"' % self.image_hrefs[page.abshref(elem.attrib['src'])]) elif tag == 'hr': w = r'\w' width = elem.get('width') if width: if not width.endswith('%'): width += '%' w += '="%s"' % width else: w += '="50%"' text.append(w) elif tag == 'br': text.append('\n\\c \n\\c\n') # TOC markers. toc_name = elem.attrib.get('name', None) toc_id = elem.attrib.get('id', None) # Only write the TOC marker if the tag isn't a heading and we aren't in one. if (toc_id or toc_name) and tag not in ('h1', 'h2','h3','h4','h5','h6') and \ 'x' not in tag_stack+tags and 'X0' not in tag_stack+tags and \ 'X1' not in tag_stack+tags and 'X2' not in tag_stack+tags and \ 'X3' not in tag_stack+tags and 'X4' not in tag_stack+tags: toc_page = page.href if self.toc.get(toc_page, None): for toc_x in (toc_name, toc_id): toc_title, toc_depth = self.toc[toc_page].get(toc_x, (None, 0)) if toc_title: toc_depth = max(min(toc_depth, 4), 0) text.append(fr'\C{toc_depth}="{toc_title}"') # Process style information that needs holds a single tag. # Commented out because every page in an OEB book starts with this style. if style['page-break-before'] == 'always': text.append(r'\p') # Process basic PML tags. pml_tag = TAG_MAP.get(tag, None) if pml_tag and pml_tag not in tag_stack+tags: text.append(r'\%s' % pml_tag) tags.append(pml_tag) # Special processing of tags that require an argument. # Anchors links if tag in LINK_TAGS and 'q' not in tag_stack+tags: href = elem.get('href') if href: href = page.abshref(href) if '://' not in href: if '#' not in href: href += '#' if href not in self.link_hrefs.keys(): self.link_hrefs[href] = 'calibre_link-%s' % len(self.link_hrefs.keys()) href = '#%s' % self.link_hrefs[href] text.append(r'\q="%s"' % href) tags.append('q') # Anchor ids id_name = elem.get('id') name_name = elem.get('name') for name_x in (id_name, name_name): if name_x: text.append(self.get_anchor(page, name_x)) # Processes style information for s in STYLES: style_tag = s[1].get(style[s[0]], None) if style_tag and style_tag not in tag_stack+tags: text.append(r'\%s' % style_tag) tags.append(style_tag) # margin left try: mms = int(float(style['margin-left']) * 100 / style.height) if mms: text.append(r'\T="%s%%"' % mms) except: pass # Soft scene breaks. try: ems = int(round((float(style.marginTop) / style.fontSize) - 1)) if ems >= 1: text.append('\n\\c \n\\c\n') except: pass # Process text within this tag. if hasattr(elem, 'text') and elem.text: text.append(self.prepare_string_for_pml(elem.text)) # Process inner tags for item in elem: text += self.dump_text(item, stylizer, page, tag_stack+tags) # Close opened tags. tags.reverse() text += self.close_tags(tags) # if tag in SEPARATE_TAGS: # text.append('\n\n') if style['page-break-after'] == 'always': text.append(r'\p') # Process text after this tag but not within another. if hasattr(elem, 'tail') and elem.tail: text.append(self.prepare_string_for_pml(elem.tail)) return text def close_tags(self, tags): text = [] for tag in tags: # block isn't a real tag we just use # it to determine when we need to start # a new text block. if tag == 'block': text.append('\n\n') else: # closing \c and \r need to be placed # on the next line per PML spec. if tag in ('c', 'r'): text.append('\n\\%s' % tag) else: text.append(r'\%s' % tag) return text
13,145
Python
.py
322
30.568323
137
0.522806
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,342
pmlconverter.py
kovidgoyal_calibre/src/calibre/ebooks/pml/pmlconverter.py
''' Convert pml markup to and from html ''' __license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import io import os import re from copy import deepcopy from calibre import my_unichr, prepare_string_for_xml from calibre.ebooks.metadata.toc import TOC class PML_HTMLizer: STATES = [ 'i', 'u', 'd', 'b', 'sp', 'sb', 'h1', 'h1c', 'h2', 'h3', 'h4', 'h5', 'h6', 'a', 'ra', 'c', 'r', 's', 'l', 'k', 'FN', 'SB', ] STATES_VALUE_REQ = [ 'a', 'FN', 'SB', ] STATES_VALUE_REQ_2 = [ 'ra', ] STATES_CLOSE_VALUE_REQ = [ 'FN', 'SB', ] STATES_TAGS = { 'h1': ('<h1 style="page-break-before: always;">', '</h1>'), 'h1c': ('<h1>', '</h1>'), 'h2': ('<h2>', '</h2>'), 'h3': ('<h3>', '</h3>'), 'h4': ('<h4>', '</h4>'), 'h5': ('<h5>', '</h5>'), 'h6': ('<h6>', '</h6>'), 'sp': ('<sup>', '</sup>'), 'sb': ('<sub>', '</sub>'), 'a': ('<a href="#%s">', '</a>'), 'ra': ('<span id="r%s"></span><a href="#%s">', '</a>'), 'c': ('<div style="text-align: center; margin: auto;">', '</div>'), 'r': ('<div style="text-align: right;">', '</div>'), 't': ('<div style="margin-left: 5%;">', '</div>'), 'T': ('<div style="text-indent: %s;">', '</div>'), 'i': ('<span style="font-style: italic;">', '</span>'), 'u': ('<span style="text-decoration: underline;">', '</span>'), 'd': ('<span style="text-decoration: line-through;">', '</span>'), 'b': ('<span style="font-weight: bold;">', '</span>'), 'l': ('<span style="font-size: 150%;">', '</span>'), 'k': ('<span style="font-size: 75%; font-variant: small-caps;">', '</span>'), 'FN': ('<br /><br style="page-break-after: always;" /><div id="fn-%s"><p>', '</p><small><a href="#rfn-%s">return</a></small></div>'), 'SB': ('<br /><br style="page-break-after: always;" /><div id="sb-%s"><p>', '</p><small><a href="#rsb-%s">return</a></small></div>'), } CODE_STATES = { 'q': 'a', 'x': 'h1', 'X0': 'h2', 'X1': 'h3', 'X2': 'h4', 'X3': 'h5', 'X4': 'h6', 'Sp': 'sp', 'Sb': 'sb', 'c': 'c', 'r': 'r', 'i': 'i', 'I': 'i', 'u': 'u', 'o': 'd', 'b': 'b', 'B': 'b', 'l': 'l', 'k': 'k', 'Fn': 'ra', 'Sd': 'ra', 'FN': 'FN', 'SB': 'SB', } LINK_STATES = [ 'a', 'ra', ] BLOCK_STATES = [ 'a', 'ra', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'sb', 'sp', ] DIV_STATES = [ 'c', 'r', 'FN', 'SB', ] SPAN_STATES = [ 'l', 'k', 'i', 'u', 'd', 'b', ] NEW_LINE_EXCHANGE_STATES = { 'h1': 'h1c', } def __init__(self): self.state = {} # toc consists of a tuple # (level, (href, id, text)) self.toc = [] self.file_name = '' def prepare_pml(self, pml): # Give Chapters the form \\*='text'text\\*. This is used for generating # the TOC later. pml = re.sub(r'(?msu)(?P<c>\\x)(?P<text>.*?)(?P=c)', lambda match: '%s="%s"%s%s' % (match.group('c'), self.strip_pml(match.group('text')), match.group('text'), match.group('c')), pml) pml = re.sub(r'(?msu)(?P<c>\\X[0-4])(?P<text>.*?)(?P=c)', lambda match: '%s="%s"%s%s' % (match.group('c'), self.strip_pml(match.group('text')), match.group('text'), match.group('c')), pml) # Remove comments pml = re.sub(r'(?mus)\\v(?P<text>.*?)\\v', '', pml) # Remove extra white spaces. pml = re.sub(r'(?mus)[ ]{2,}', ' ', pml) pml = re.sub(r'(?mus)^[ ]*(?=.)', '', pml) pml = re.sub(r'(?mus)(?<=.)[ ]*$', '', pml) pml = re.sub(r'(?mus)^[ ]*$', '', pml) # Footnotes and Sidebars. pml = re.sub(r'(?mus)<footnote\s+id="(?P<target>.+?)">\s*(?P<text>.*?)\s*</footnote>', lambda match: '\\FN="%s"%s\\FN' % (match.group('target'), match.group('text')) if match.group('text') else '', pml) pml = re.sub(r'(?mus)<sidebar\s+id="(?P<target>.+?)">\s*(?P<text>.*?)\s*</sidebar>', lambda match: '\\SB="%s"%s\\SB' % (match.group('target'), match.group('text')) if match.group('text') else '', pml) # Convert &'s into entities so &amp; in the text doesn't get turned into # &. It will display as &amp; pml = pml.replace('&', '&amp;') # Replace \\a and \\U with either the unicode character or the entity. pml = re.sub(r'\\a(?P<num>\d{3})', lambda match: '&#%s;' % match.group('num'), pml) pml = re.sub(r'\\U(?P<num>[0-9a-f]{4})', lambda match: '%s' % my_unichr(int(match.group('num'), 16)), pml) pml = prepare_string_for_xml(pml) return pml def strip_pml(self, pml): pml = re.sub(r'\\C\d=".*"', '', pml) pml = re.sub(r'\\Fn=".*"', '', pml) pml = re.sub(r'\\Sd=".*"', '', pml) pml = re.sub(r'\\.=".*"', '', pml) pml = re.sub(r'\\X\d', '', pml) pml = re.sub(r'\\S[pbd]', '', pml) pml = re.sub(r'\\Fn', '', pml) pml = re.sub(r'\\a\d\d\d', '', pml) pml = re.sub(r'\\U\d\d\d\d', '', pml) pml = re.sub(r'\\.', '', pml) pml = pml.replace('\r\n', ' ') pml = pml.replace('\n', ' ') pml = pml.replace('\r', ' ') pml = pml.strip() return pml def cleanup_html(self, html): old = html html = self.cleanup_html_remove_redundant(html) while html != old: old = html html = self.cleanup_html_remove_redundant(html) html = re.sub(r'(?imu)^\s*', '', html) return html def cleanup_html_remove_redundant(self, html): for key in self.STATES_TAGS: open, close = self.STATES_TAGS[key] if key in self.STATES_VALUE_REQ: html = re.sub(r'(?u){}\s*{}'.format(open % '.*?', close), '', html) else: html = re.sub(fr'(?u){open}\s*{close}', '', html) html = re.sub(r'(?imu)<p>\s*</p>', '', html) return html def start_line(self): start = '' state = deepcopy(self.state) div = [] span = [] other = [] for key, val in state.items(): if key in self.NEW_LINE_EXCHANGE_STATES and val[0]: state[self.NEW_LINE_EXCHANGE_STATES[key]] = val state[key] = [False, ''] for key, val in state.items(): if val[0]: if key in self.DIV_STATES: div.append((key, val[1])) elif key in self.SPAN_STATES: span.append((key, val[1])) else: other.append((key, val[1])) for key, val in other+div+span: if key in self.STATES_VALUE_REQ: start += self.STATES_TAGS[key][0] % val elif key in self.STATES_VALUE_REQ_2: start += self.STATES_TAGS[key][0] % (val, val) else: start += self.STATES_TAGS[key][0] return '<p>%s' % start def end_line(self): end = '' div = [] span = [] other = [] for key, val in self.state.items(): if val[0]: if key in self.DIV_STATES: div.append(key) elif key in self.SPAN_STATES: span.append(key) else: other.append(key) for key in span+div+other: if key in self.STATES_CLOSE_VALUE_REQ: end += self.STATES_TAGS[key][1] % self.state[key][1] else: end += self.STATES_TAGS[key][1] return '%s</p>' % end def process_code(self, code, stream, pre=''): text = '' code = self.CODE_STATES.get(code, None) if not code: return text if code in self.DIV_STATES: # Ignore multilple T's on the same line. They do not have a closing # code. They get closed at the end of the line. if code == 'T' and self.state['T'][0]: self.code_value(stream) return text text = self.process_code_div(code, stream) elif code in self.SPAN_STATES: text = self.process_code_span(code, stream) elif code in self.BLOCK_STATES: text = self.process_code_block(code, stream, pre) else: text = self.process_code_simple(code, stream) self.state[code][0] = not self.state[code][0] return text def process_code_simple(self, code, stream): text = '' if self.state[code][0]: if code in self.STATES_CLOSE_VALUE_REQ: text = self.STATES_TAGS[code][1] % self.state[code][1] else: text = self.STATES_TAGS[code][1] else: if code in self.STATES_VALUE_REQ or code in self.STATES_VALUE_REQ_2: val = self.code_value(stream) if code in self.STATES_VALUE_REQ: text = self.STATES_TAGS[code][0] % val else: text = self.STATES_TAGS[code][0] % (val, val) self.state[code][1] = val else: text = self.STATES_TAGS[code][0] return text def process_code_div(self, code, stream): text = '' # Close code. if self.state[code][0]: # Close all. for c in self.SPAN_STATES+self.DIV_STATES: if self.state[c][0]: if c in self.STATES_CLOSE_VALUE_REQ: text += self.STATES_TAGS[c][1] % self.state[c][1] else: text += self.STATES_TAGS[c][1] # Reopen the based on state. for c in self.DIV_STATES+self.SPAN_STATES: if code == c: continue if self.state[c][0]: if c in self.STATES_VALUE_REQ: text += self.STATES_TAGS[self.CODE_STATES[c]][0] % self.state[c][1] elif c in self.STATES_VALUE_REQ_2: text += self.STATES_TAGS[self.CODE_STATES[c]][0] % (self.state[c][1], self.state[c][1]) else: text += self.STATES_TAGS[c][0] # Open code. else: # Close all spans. for c in self.SPAN_STATES: if self.state[c][0]: if c in self.STATES_CLOSE_VALUE_REQ: text += self.STATES_TAGS[c][1] % self.state[c][1] else: text += self.STATES_TAGS[c][1] # Process the code if code in self.STATES_VALUE_REQ or code in self.STATES_VALUE_REQ_2: val = self.code_value(stream) if code in self.STATES_VALUE_REQ: text += self.STATES_TAGS[code][0] % val else: text += self.STATES_TAGS[code][0] % (val, val) self.state[code][1] = val else: text += self.STATES_TAGS[code][0] # Re-open all spans based on state for c in self.SPAN_STATES: if self.state[c][0]: if c in self.STATES_VALUE_REQ: text += self.STATES_TAGS[self.CODE_STATES[c]][0] % self.state[c][1] elif c in self.STATES_VALUE_REQ_2: text += self.STATES_TAGS[self.CODE_STATES[c]][0] % (self.state[c][1], self.state[c][1]) else: text += self.STATES_TAGS[c][0] return text def process_code_span(self, code, stream): text = '' # Close code. if self.state[code][0]: # Close all spans for c in self.SPAN_STATES: if self.state[c][0]: if c in self.STATES_CLOSE_VALUE_REQ: text += self.STATES_TAGS[c][1] % self.state[c][1] else: text += self.STATES_TAGS[c][1] # Re-open the spans based on state except for code which will be # left closed. for c in self.SPAN_STATES: if code == c: continue if self.state[c][0]: if c in self.STATES_VALUE_REQ: text += self.STATES_TAGS[code][0] % self.state[c][1] elif c in self.STATES_VALUE_REQ_2: text += self.STATES_TAGS[code][0] % (self.state[c][1], self.state[c][1]) else: text += self.STATES_TAGS[c][0] # Open code. else: if code in self.STATES_VALUE_REQ or code in self.STATES_VALUE_REQ_2: val = self.code_value(stream) if code in self.STATES_VALUE_REQ: text += self.STATES_TAGS[code][0] % val else: text += self.STATES_TAGS[code][0] % (val, val) self.state[code][1] = val else: text += self.STATES_TAGS[code][0] return text def process_code_block(self, code, stream, pre=''): text = '' # Close all spans for c in self.SPAN_STATES: if self.state[c][0]: if c in self.STATES_CLOSE_VALUE_REQ: text += self.STATES_TAGS[c][1] % self.state[c][1] else: text += self.STATES_TAGS[c][1] # Process the code if self.state[code][0]: # Close tag if code in self.STATES_CLOSE_VALUE_REQ: text += self.STATES_TAGS[code][1] % self.state[code][1] else: text += self.STATES_TAGS[code][1] else: # Open tag if code in self.STATES_VALUE_REQ or code in self.STATES_VALUE_REQ_2: val = self.code_value(stream) if code in self.LINK_STATES: val = val.lstrip('#') if pre: val = f'{pre}-{val}' if code in self.STATES_VALUE_REQ: text += self.STATES_TAGS[code][0] % val else: text += self.STATES_TAGS[code][0] % (val, val) self.state[code][1] = val else: text += self.STATES_TAGS[code][0] # Re-open all spans if code was a div based on state for c in self.SPAN_STATES: if self.state[c][0]: if c in self.STATES_VALUE_REQ: text += self.STATES_TAGS[code][0] % self.state[c][1] elif c in self.STATES_VALUE_REQ_2: text += self.STATES_TAGS[code][0] % (self.state[c][1], self.state[c][1]) else: text += self.STATES_TAGS[c][0] return text def code_value(self, stream): value = '' # state 0 is before = # state 1 is before the first " # state 2 is before the second " # state 3 is after the second " state = 0 loc = stream.tell() c = stream.read(1) while c != '': if state == 0: if c == '=': state = 1 elif c != ' ': # A code that requires an argument should have = after the # code but sometimes has spaces. If it has anything other # than a space or = after the code then we can assume the # markup is invalid. We will stop looking for the value # and continue to hopefully not lose any data. break elif state == 1: if c == '"': state = 2 elif c != ' ': # " should always follow = but we will allow for blank # space after the =. break elif state == 2: if c == '"': state = 3 break else: value += c c = stream.read(1) if state != 3: # Unable to complete the sequence to reterieve the value. Reset # the stream to the location it started. stream.seek(loc) value = '' return value.strip() def parse_pml(self, pml, file_name=''): pml = self.prepare_pml(pml) output = [] self.state = {} self.toc = [] self.file_name = file_name # t: Are we in an open \t tag set? # T: Are we in an open \T? # st: Did the \t start the line? # sT: Did the \T start the line? # et: Did the \t end the line? indent_state = {'t': False, 'T': False, 'st': False, 'sT': False, 'et': False} basic_indent = False adv_indent_val = '' # Keep track of the number of empty lines # between paragraphs. When we reach a set number # we assume it's a soft scene break. empty_count = 0 for s in self.STATES: self.state[s] = [False, ''] for line in pml.splitlines(): parsed = [] empty = True basic_indent = indent_state['t'] indent_state['T'] = False # Determine if the \t starts the line or if we are # in an open \t block. if line.lstrip().startswith('\\t') or basic_indent: basic_indent = True indent_state['st'] = True else: indent_state['st'] = False # Determine if the \T starts the line. if line.lstrip().startswith('\\T'): indent_state['sT'] = True else: indent_state['sT'] = False # Determine if the \t ends the line. if line.rstrip().endswith('\\t'): indent_state['et'] = True else: indent_state['et'] = False if isinstance(line, bytes): line = line.decode('utf-8') line = io.StringIO(line) parsed.append(self.start_line()) c = line.read(1) while c != '': text = '' if c == '\\': c = line.read(1) if c in 'qcriIuobBlk': text = self.process_code(c, line) elif c in 'FS': l = line.read(1) if f'{c}{l}' == 'Fn': text = self.process_code('Fn', line, 'fn') elif f'{c}{l}' == 'FN': text = self.process_code('FN', line) elif f'{c}{l}' == 'SB': text = self.process_code('SB', line) elif f'{c}{l}' == 'Sd': text = self.process_code('Sd', line, 'sb') elif c in 'xXC': empty = False # The PML was modified eariler so x and X put the text # inside of ="" so we don't have do special processing # for C. t = '' level = 0 if c in 'XC': level = line.read(1) id = 'pml_toc-%s' % len(self.toc) value = self.code_value(line) if c == 'x': t = self.process_code(c, line) elif c == 'X': t = self.process_code(f'{c}{level}', line) if not value or value == '': text = t else: self.toc.append((level, (os.path.basename(self.file_name), id, value))) text = f'{t}<span id="{id}"></span>' elif c == 'm': empty = False src = self.code_value(line) text = '<img src="images/%s" />' % src elif c == 'Q': empty = False id = self.code_value(line) text = '<span id="%s"></span>' % id elif c == 'p': empty = False text = '<br /><br style="page-break-after: always;" />' elif c == 'n': pass elif c == 'w': empty = False text = '<hr style="width: %s" />' % self.code_value(line) elif c == 't': indent_state['t'] = not indent_state['t'] elif c == 'T': # Ensure we only store the value on the first T set for the line. if not indent_state['T']: adv_indent_val = self.code_value(line) else: # We detected a T previously on this line. # Don't replace the first detected value. self.code_value(line) indent_state['T'] = True elif c == '-': empty = False text = '&shy;' elif c == '\\': empty = False text = '\\' else: if c != ' ': empty = False text = c parsed.append(text) c = line.read(1) if empty: empty_count += 1 if empty_count == 2: output.append('<p>&nbsp;</p>') else: empty_count = 0 text = self.end_line() parsed.append(text) # Basic indent will be set if the \t starts the line or # if we are in a continuing \t block. if basic_indent: # if the \t started the line and either it ended the line or the \t # block is still open use a left margin. if indent_state['st'] and (indent_state['et'] or indent_state['t']): parsed.insert(0, self.STATES_TAGS['t'][0]) parsed.append(self.STATES_TAGS['t'][1]) # Use a text indent instead of a margin. # This handles cases such as: # \tO\tne upon a time... else: parsed.insert(0, self.STATES_TAGS['T'][0] % '5%') parsed.append(self.STATES_TAGS['T'][1]) # \t will override \T's on the line. # We only handle \T's that started the line. elif indent_state['T'] and indent_state['sT']: parsed.insert(0, self.STATES_TAGS['T'][0] % adv_indent_val) parsed.append(self.STATES_TAGS['T'][1]) indent_state['T'] = False adv_indent_val = '' output.append(''.join(parsed)) line.close() output = self.cleanup_html('\n'.join(output)) return output def get_toc(self): ''' Toc can have up to 5 levels, 0 - 4 inclusive. This function will add items to their appropriate depth in the TOC tree. If the specified depth is invalid (item would not have a valid parent) add it to the next valid level above the specified level. ''' # Base toc object all items will be added to. n_toc = TOC() # Used to track nodes in the toc so we can add # sub items to the appropriate place in tree. t_l0 = None t_l1 = None t_l2 = None t_l3 = None for level, (href, id, text) in self.toc: if level == '0': t_l0 = n_toc.add_item(href, id, text) t_l1 = None t_l2 = None t_l3 = None elif level == '1': if t_l0 is None: t_l0 = n_toc t_l1 = t_l0.add_item(href, id, text) t_l2 = None t_l3 = None elif level == '2': if t_l1 is None: if t_l0 is None: t_l1 = n_toc else: t_l1 = t_l0 t_l2 = t_l1.add_item(href, id, text) t_l3 = None elif level == '3': if t_l2 is None: if t_l1 is None: if t_l0 is None: t_l2 = n_toc else: t_l2 = t_l0 else: t_l2 = t_l1 t_l3 = t_l2.add_item(href, id, text) # Level 4. # Anything above 4 is invalid but we will count # it as level 4. else: if t_l3 is None: if t_l2 is None: if t_l1 is None: if t_l0 is None: t_l3 = n_toc else: t_l3 = t_l0 else: t_l3 = t_l1 else: t_l3 = t_l2 t_l3.add_item(href, id, text) return n_toc def pml_to_html(pml): hizer = PML_HTMLizer() return hizer.parse_pml(pml) def footnote_sidebar_to_html(pre_id, id, pml): id = id.strip('\x01') if id.strip(): html = '<br /><br style="page-break-after: always;" /><div id="{}-{}">{}<small><a href="#r{}-{}">return</a></small></div>'.format( pre_id, id, pml_to_html(pml), pre_id, id) else: html = '<br /><br style="page-break-after: always;" /><div>%s</div>' % pml_to_html(pml) return html def footnote_to_html(id, pml): return footnote_sidebar_to_html('fn', id, pml) def sidebar_to_html(id, pml): return footnote_sidebar_to_html('sb', id, pml)
27,092
Python
.py
682
25.539589
141
0.430856
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,343
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/pml/__init__.py
__license__ = 'GPL v3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' def r(*a): return list(range(*a)) # Uncommon Characters supported by PML. \\a tag codes A_CHARS = r(160, 256) + r(130, 136) + r(138, 141) + \ r(145, 152) + r(153, 157) + [159] # Extended Unicode characters supported by PML Latin_ExtendedA = r(0x0100, 0x0104) + [0x0105, 0x0107, 0x010C, 0x010D, 0x0112, 0x0113, 0x0115, 0x0117, 0x0119, 0x011B, 0x011D, 0x011F, 0x012A, 0x012B, 0x012D, 0x012F, 0x0131, 0x0141, 0x0142, 0x0144, 0x0148] + \ r(0x014B, 0x014E) + [0x014F, 0x0151, 0x0155] + r(0x0159, 0x015C) + \ [0x015F, 0x0163, 0x0169, 0x016B, 0x016D, 0x0177, 0x017A, 0x017D, 0x017E] Latin_ExtendedB = [0x01BF, 0x01CE, 0x01D0, 0x01D2, 0x01D4, 0x01E1, 0x01E3, 0x01E7, 0x01EB, 0x01F0, 0x0207, 0x021D, 0x0227, 0x022F, 0x0233] IPA_Extensions = [0x0251, 0x0251, 0x0254, 0x0259, 0x025C, 0x0265, 0x026A, 0x0272, 0x0283, 0x0289, 0x028A, 0x028C, 0x028F, 0x0292, 0x0294, 0x029C] Spacing_Modifier_Letters = [0x02BE, 0x02BF, 0x02C7, 0x02C8, 0x02CC, 0x02D0, 0x02D8, 0x02D9] Greek_and_Coptic = r(0x0391, 0x03A2) + r(0x03A3, 0x03AA) + \ r(0x03B1, 0x03CA) + [0x03D1, 0x03DD] Hebrew = r(0x05D0, 0x05EB) Latin_Extended_Additional = [0x1E0B, 0x1E0D, 0x1E17, 0x1E22, 0x1E24, 0x1E25, 0x1E2B, 0x1E33, 0x1E37, 0x1E41, 0x1E43, 0x1E45, 0x1E47, 0x1E53] + \ r(0x1E59, 0x1E5C) + [0x1E61, 0x1E63, 0x1E6B, 0x1E6D, 0x1E6F, 0x1E91, 0x1E93, 0x1E96, 0x1EA1, 0x1ECD, 0x1EF9] General_Punctuation = [0x2011, 0x2038, 0x203D, 0x2042] Arrows = [0x2190, 0x2192] Mathematical_Operators = [0x2202, 0x221A, 0x221E, 0x2225, 0x222B, 0x2260, 0x2294, 0x2295, 0x22EE] Enclosed_Alphanumerics = [0x24CA] Miscellaneous_Symbols = r(0x261C, 0x2641) + r(0x2642, 0x2648) + \ r(0x2660, 0x2664) + r(0x266D, 0x2670) Dingbats = [0x2713, 0x2720] Private_Use_Area = r(0xE000, 0xE01D) + r(0xE01E, 0xE029) + \ r(0xE02A, 0xE052) Alphabetic_Presentation_Forms = [0xFB02, 0xFB2A, 0xFB2B] # \\U tag codes. U_CHARS = Latin_ExtendedA + Latin_ExtendedB + IPA_Extensions + \ Spacing_Modifier_Letters + Greek_and_Coptic + Hebrew + \ Latin_Extended_Additional + General_Punctuation + Arrows + \ Mathematical_Operators + Enclosed_Alphanumerics + Miscellaneous_Symbols + \ Dingbats + Private_Use_Area + Alphabetic_Presentation_Forms def unipmlcode(char): try: val = ord(char.encode('cp1252')) if val in A_CHARS: return '\\a%i' % val except Exception: pass val = ord(char) if val in U_CHARS: return '\\U%04x'.upper() % val else: return '?'
2,639
Python
.py
56
43.267857
79
0.68932
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,344
input.py
kovidgoyal_calibre/src/calibre/ebooks/comic/input.py
__license__ = 'GPL v3' __copyright__ = '2008, Kovid Goyal kovid@kovidgoyal.net' __docformat__ = 'restructuredtext en' ''' Based on ideas from comiclrf created by FangornUK. ''' import os import time import traceback from calibre import extract, prints, walk from calibre.constants import filesystem_encoding from calibre.ptempfile import PersistentTemporaryDirectory from calibre.utils.cleantext import clean_ascii_chars from calibre.utils.icu import numeric_sort_key from calibre.utils.ipc.job import ParallelJob from calibre.utils.ipc.server import Server from polyglot.queue import Empty # If the specified screen has either dimension larger than this value, no image # rescaling is done (we assume that it is a tablet output profile) MAX_SCREEN_SIZE = 3000 def extract_comic(path_to_comic_file): ''' Un-archive the comic file. ''' tdir = PersistentTemporaryDirectory(suffix='_comic_extract') if not isinstance(tdir, str): # Needed in case the zip file has wrongly encoded unicode file/dir # names tdir = tdir.decode(filesystem_encoding) extract(path_to_comic_file, tdir) for x in walk(tdir): bn = os.path.basename(x) nbn = clean_ascii_chars(bn.replace('#', '_')) if nbn and nbn != bn: os.rename(x, os.path.join(os.path.dirname(x), nbn)) return tdir def generate_entries_from_dir(path): from functools import partial from calibre import walk ans = {} for x in walk(path): x = os.path.abspath(x) ans[x] = partial(os.path.getmtime, x) return ans def find_pages(dir_or_items, sort_on_mtime=False, verbose=False): ''' Find valid comic pages in a previously un-archived comic. :param dir_or_items: Directory in which extracted comic lives or a dict of paths to function getting mtime :param sort_on_mtime: If True sort pages based on their last modified time. Otherwise, sort alphabetically. ''' from calibre.libunzip import comic_exts items = generate_entries_from_dir(dir_or_items) if isinstance(dir_or_items, str) else dir_or_items sep_counts = set() pages = [] for path in items: if '__MACOSX' in path: continue ext = path.rpartition('.')[2].lower() if ext in comic_exts: sep_counts.add(path.replace('\\', '/').count('/')) pages.append(path) # Use the full path to sort unless the files are in folders of different # levels, in which case simply use the filenames. basename = os.path.basename if len(sep_counts) > 1 else lambda x: x if sort_on_mtime: def key(x): return items[x]() else: def key(x): return numeric_sort_key(basename(x)) pages.sort(key=key) if verbose: prints('Found comic pages...') try: base = os.path.commonpath(pages) except ValueError: pass else: prints('\t'+'\n\t'.join([os.path.relpath(p, base) for p in pages])) return pages class PageProcessor(list): # {{{ ''' Contains the actual image rendering logic. See :method:`render` and :method:`process_pages`. ''' def __init__(self, path_to_page, dest, opts, num): list.__init__(self) self.path_to_page = path_to_page self.opts = opts self.num = num self.dest = dest self.rotate = False self.src_img_was_grayscale = False self.src_img_format = None self.render() def render(self): from qt.core import QImage from calibre.utils.filenames import make_long_path_useable from calibre.utils.img import crop_image, image_from_data, scale_image with open(make_long_path_useable(self.path_to_page), 'rb') as f: img = image_from_data(f.read()) width, height = img.width(), img.height() if self.num == 0: # First image so create a thumbnail from it with open(os.path.join(self.dest, 'thumbnail.png'), 'wb') as f: f.write(scale_image(img, as_png=True)[-1]) self.src_img_format = img.format() self.src_img_was_grayscale = self.src_img_format in (QImage.Format.Format_Grayscale8, QImage.Format.Format_Grayscale16) or ( img.format() == QImage.Format.Format_Indexed8 and img.allGray()) self.pages = [img] if width > height: if self.opts.landscape: self.rotate = True else: half = width // 2 split1 = crop_image(img, 0, 0, half, height) split2 = crop_image(img, half, 0, width - half, height) self.pages = [split2, split1] if self.opts.right2left else [split1, split2] self.process_pages() def process_pages(self): from qt.core import QImage from calibre.utils.img import ( add_borders_to_image, despeckle_image, gaussian_sharpen_image, image_to_data, normalize_image, quantize_image, remove_borders_from_image, resize_image, rotate_image, ) for i, img in enumerate(self.pages): if self.rotate: img = rotate_image(img, -90) if not self.opts.disable_trim: img = remove_borders_from_image(img) # Do the Photoshop "Auto Levels" equivalent if not self.opts.dont_normalize: img = normalize_image(img) sizex, sizey = img.width(), img.height() SCRWIDTH, SCRHEIGHT = self.opts.output_profile.comic_screen_size try: if self.opts.comic_image_size: SCRWIDTH, SCRHEIGHT = map(int, [x.strip() for x in self.opts.comic_image_size.split('x')]) except: pass # Ignore if self.opts.keep_aspect_ratio: # Preserve the aspect ratio by adding border aspect = float(sizex) / float(sizey) if aspect <= (float(SCRWIDTH) / float(SCRHEIGHT)): newsizey = SCRHEIGHT newsizex = int(newsizey * aspect) deltax = (SCRWIDTH - newsizex) // 2 deltay = 0 else: newsizex = SCRWIDTH newsizey = int(newsizex // aspect) deltax = 0 deltay = (SCRHEIGHT - newsizey) // 2 if newsizex < MAX_SCREEN_SIZE and newsizey < MAX_SCREEN_SIZE: # Too large and resizing fails, so better # to leave it as original size img = resize_image(img, newsizex, newsizey) img = add_borders_to_image(img, left=deltax, right=deltax, top=deltay, bottom=deltay) elif self.opts.wide: # Keep aspect and Use device height as scaled image width so landscape mode is clean aspect = float(sizex) / float(sizey) screen_aspect = float(SCRWIDTH) / float(SCRHEIGHT) # Get dimensions of the landscape mode screen # Add 25px back to height for the battery bar. wscreenx = SCRHEIGHT + 25 wscreeny = int(wscreenx // screen_aspect) if aspect <= screen_aspect: newsizey = wscreeny newsizex = int(newsizey * aspect) deltax = (wscreenx - newsizex) // 2 deltay = 0 else: newsizex = wscreenx newsizey = int(newsizex // aspect) deltax = 0 deltay = (wscreeny - newsizey) // 2 if newsizex < MAX_SCREEN_SIZE and newsizey < MAX_SCREEN_SIZE: # Too large and resizing fails, so better # to leave it as original size img = resize_image(img, newsizex, newsizey) img = add_borders_to_image(img, left=deltax, right=deltax, top=deltay, bottom=deltay) else: if SCRWIDTH < MAX_SCREEN_SIZE and SCRHEIGHT < MAX_SCREEN_SIZE: img = resize_image(img, SCRWIDTH, SCRHEIGHT) if not self.opts.dont_sharpen: img = gaussian_sharpen_image(img, 0.0, 1.0) if self.opts.despeckle: img = despeckle_image(img) img_is_grayscale = self.src_img_was_grayscale if not self.opts.dont_grayscale: img = img.convertToFormat(QImage.Format.Format_Grayscale16) img_is_grayscale = True if self.opts.output_format.lower() == 'png': if self.opts.colors: img = quantize_image(img, max_colors=min(256, self.opts.colors)) elif img_is_grayscale: uses_256_colors = self.src_img_format in (QImage.Format.Format_Indexed8, QImage.Format.Format_Grayscale8) final_fmt = QImage.Format.Format_Indexed8 if uses_256_colors else QImage.Format.Format_Grayscale16 if img.format() != final_fmt: img = img.convertToFormat(final_fmt) dest = '%d_%d.%s'%(self.num, i, self.opts.output_format) dest = os.path.join(self.dest, dest) with open(dest, 'wb') as f: f.write(image_to_data(img, fmt=self.opts.output_format)) self.append(dest) # }}} def render_pages(tasks, dest, opts, notification=lambda x, y: x): ''' Entry point for the job server. ''' failures, pages = [], [] for num, path in tasks: try: pages.extend(PageProcessor(path, dest, opts, num)) msg = _('Rendered %s')%path except: failures.append(path) msg = _('Failed %s')%path if opts.verbose: msg += '\n' + traceback.format_exc() prints(msg) notification(0.5, msg) return pages, failures class Progress: def __init__(self, total, update): self.total = total self.update = update self.done = 0 def __call__(self, percent, msg=''): self.done += 1 # msg = msg%os.path.basename(job.args[0]) self.update(float(self.done)/self.total, msg) def process_pages(pages, opts, update, tdir): ''' Render all identified comic pages. ''' progress = Progress(len(pages), update) server = Server() jobs = [] tasks = [(p, os.path.join(tdir, os.path.basename(p))) for p in pages] tasks = server.split(pages) for task in tasks: jobs.append(ParallelJob('render_pages', '', progress, args=[task, tdir, opts])) server.add_job(jobs[-1]) while True: time.sleep(1) running = False for job in jobs: while True: try: x = job.notifications.get_nowait() progress(*x) except Empty: break job.update() if not job.is_finished: running = True if not running: break server.close() ans, failures = [], [] for job in jobs: if job.failed or job.result is None: raise Exception(_('Failed to process comic: \n\n%s')% job.log_file.read()) pages, failures_ = job.result ans += pages failures += failures_ return ans, failures
11,674
Python
.py
278
30.928058
132
0.57168
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,345
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/comic/__init__.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2008, Kovid Goyal kovid@kovidgoyal.net' __docformat__ = 'restructuredtext en' ''' Convert CBR/CBZ files to LRF. ''' import sys def main(args=sys.argv): return 0 if __name__ == '__main__': sys.exit(main())
285
Python
.py
12
21.416667
56
0.65283
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,346
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/tcr/__init__.py
__license__ = 'GPL 3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en'
121
Python
.py
3
39.333333
60
0.686441
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,347
djvubzzdec.py
kovidgoyal_calibre/src/calibre/ebooks/djvu/djvubzzdec.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2011, Anthon van der Neut <A.van.der.Neut@ruamel.eu>' # Copyright (C) 2011 Anthon van der Neut, Ruamel bvba # Adapted from Leon Bottou's djvulibre C++ code, # ( ZPCodec.{cpp,h} and BSByteStream.{cpp,h} ) # that code was first converted to C removing any dependencies on the DJVU libre # framework for ByteStream, making it into a ctypes callable shared object # then to python, and remade into a class original_copyright_notice = ''' //C- ------------------------------------------------------------------- //C- DjVuLibre-3.5 //C- Copyright (c) 2002 Leon Bottou and Yann Le Cun. //C- Copyright (c) 2001 AT&T //C- //C- This software is subject to, and may be distributed under, the //C- GNU General Public License, either Version 2 of the license, //C- or (at your option) any later version. The license should have //C- accompanied the software or you may obtain a copy of the license //C- from the Free Software Foundation at http://www.fsf.org . //C- //C- This program is distributed in the hope that it will be useful, //C- but WITHOUT ANY WARRANTY; without even the implied warranty of //C- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the //C- GNU General Public License for more details. //C- //C- DjVuLibre-3.5 is derived from the DjVu(r) Reference Library from //C- Lizardtech Software. Lizardtech Software has authorized us to //C- replace the original DjVu(r) Reference Library notice by the following //C- text (see doc/lizard2002.djvu and doc/lizardtech2007.djvu): //C- //C- ------------------------------------------------------------------ //C- | DjVu (r) Reference Library (v. 3.5) //C- | Copyright (c) 1999-2001 LizardTech, Inc. All Rights Reserved. //C- | The DjVu Reference Library is protected by U.S. Pat. No. //C- | 6,058,214 and patents pending. //C- | //C- | This software is subject to, and may be distributed under, the //C- | GNU General Public License, either Version 2 of the license, //C- | or (at your option) any later version. The license should have //C- | accompanied the software or you may obtain a copy of the license //C- | from the Free Software Foundation at http://www.fsf.org . //C- | //C- | The computer code originally released by LizardTech under this //C- | license and unmodified by other parties is deemed "the LIZARDTECH //C- | ORIGINAL CODE." Subject to any third party intellectual property //C- | claims, LizardTech grants recipient a worldwide, royalty-free, //C- | non-exclusive license to make, use, sell, or otherwise dispose of //C- | the LIZARDTECH ORIGINAL CODE or of programs derived from the //C- | LIZARDTECH ORIGINAL CODE in compliance with the terms of the GNU //C- | General Public License. This grant only confers the right to //C- | infringe patent claims underlying the LIZARDTECH ORIGINAL CODE to //C- | the extent such infringement is reasonably necessary to enable //C- | recipient to make, have made, practice, sell, or otherwise dispose //C- | of the LIZARDTECH ORIGINAL CODE (or portions thereof) and not to //C- | any greater extent that may be necessary to utilize further //C- | modifications or combinations. //C- | //C- | The LIZARDTECH ORIGINAL CODE is provided "AS IS" WITHOUT WARRANTY //C- | OF ANY KIND, EITHER EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED //C- | TO ANY WARRANTY OF NON-INFRINGEMENT, OR ANY IMPLIED WARRANTY OF //C- | MERCHANTABILITY OR FITNESS FOR A PARTICULAR PURPOSE. //C- +------------------------------------------------------------------ // // $Id: BSByteStream.cpp,v 1.9 2007/03/25 20:48:29 leonb Exp $ // $Name: release_3_5_23 $ ''' MAXBLOCK = 4096 FREQMAX = 4 CTXIDS = 3 MAXLEN = 1024 ** 2 # Exception classes used by this module. class BZZDecoderError(Exception): """This exception is raised when BZZDecode runs into trouble """ def __init__(self, msg): self.msg = msg def __str__(self): return "BZZDecoderError: %s" % (self.msg) # This table has been designed for the ZPCoder # * by running the following command in file 'zptable.sn': # * (fast-crude (steady-mat 0.0035 0.0002) 260))) default_ztable = [ # {{{ (0x8000, 0x0000, 84, 145), # 000: p=0.500000 ( 0, 0) (0x8000, 0x0000, 3, 4), # 001: p=0.500000 ( 0, 0) (0x8000, 0x0000, 4, 3), # 002: p=0.500000 ( 0, 0) (0x6bbd, 0x10a5, 5, 1), # 003: p=0.465226 ( 0, 0) (0x6bbd, 0x10a5, 6, 2), # 004: p=0.465226 ( 0, 0) (0x5d45, 0x1f28, 7, 3), # 005: p=0.430708 ( 0, 0) (0x5d45, 0x1f28, 8, 4), # 006: p=0.430708 ( 0, 0) (0x51b9, 0x2bd3, 9, 5), # 007: p=0.396718 ( 0, 0) (0x51b9, 0x2bd3, 10, 6), # 008: p=0.396718 ( 0, 0) (0x4813, 0x36e3, 11, 7), # 009: p=0.363535 ( 0, 0) (0x4813, 0x36e3, 12, 8), # 010: p=0.363535 ( 0, 0) (0x3fd5, 0x408c, 13, 9), # 011: p=0.331418 ( 0, 0) (0x3fd5, 0x408c, 14, 10), # 012: p=0.331418 ( 0, 0) (0x38b1, 0x48fd, 15, 11), # 013: p=0.300585 ( 0, 0) (0x38b1, 0x48fd, 16, 12), # 014: p=0.300585 ( 0, 0) (0x3275, 0x505d, 17, 13), # 015: p=0.271213 ( 0, 0) (0x3275, 0x505d, 18, 14), # 016: p=0.271213 ( 0, 0) (0x2cfd, 0x56d0, 19, 15), # 017: p=0.243438 ( 0, 0) (0x2cfd, 0x56d0, 20, 16), # 018: p=0.243438 ( 0, 0) (0x2825, 0x5c71, 21, 17), # 019: p=0.217391 ( 0, 0) (0x2825, 0x5c71, 22, 18), # 020: p=0.217391 ( 0, 0) (0x23ab, 0x615b, 23, 19), # 021: p=0.193150 ( 0, 0) (0x23ab, 0x615b, 24, 20), # 022: p=0.193150 ( 0, 0) (0x1f87, 0x65a5, 25, 21), # 023: p=0.170728 ( 0, 0) (0x1f87, 0x65a5, 26, 22), # 024: p=0.170728 ( 0, 0) (0x1bbb, 0x6962, 27, 23), # 025: p=0.150158 ( 0, 0) (0x1bbb, 0x6962, 28, 24), # 026: p=0.150158 ( 0, 0) (0x1845, 0x6ca2, 29, 25), # 027: p=0.131418 ( 0, 0) (0x1845, 0x6ca2, 30, 26), # 028: p=0.131418 ( 0, 0) (0x1523, 0x6f74, 31, 27), # 029: p=0.114460 ( 0, 0) (0x1523, 0x6f74, 32, 28), # 030: p=0.114460 ( 0, 0) (0x1253, 0x71e6, 33, 29), # 031: p=0.099230 ( 0, 0) (0x1253, 0x71e6, 34, 30), # 032: p=0.099230 ( 0, 0) (0x0fcf, 0x7404, 35, 31), # 033: p=0.085611 ( 0, 0) (0x0fcf, 0x7404, 36, 32), # 034: p=0.085611 ( 0, 0) (0x0d95, 0x75d6, 37, 33), # 035: p=0.073550 ( 0, 0) (0x0d95, 0x75d6, 38, 34), # 036: p=0.073550 ( 0, 0) (0x0b9d, 0x7768, 39, 35), # 037: p=0.062888 ( 0, 0) (0x0b9d, 0x7768, 40, 36), # 038: p=0.062888 ( 0, 0) (0x09e3, 0x78c2, 41, 37), # 039: p=0.053539 ( 0, 0) (0x09e3, 0x78c2, 42, 38), # 040: p=0.053539 ( 0, 0) (0x0861, 0x79ea, 43, 39), # 041: p=0.045365 ( 0, 0) (0x0861, 0x79ea, 44, 40), # 042: p=0.045365 ( 0, 0) (0x0711, 0x7ae7, 45, 41), # 043: p=0.038272 ( 0, 0) (0x0711, 0x7ae7, 46, 42), # 044: p=0.038272 ( 0, 0) (0x05f1, 0x7bbe, 47, 43), # 045: p=0.032174 ( 0, 0) (0x05f1, 0x7bbe, 48, 44), # 046: p=0.032174 ( 0, 0) (0x04f9, 0x7c75, 49, 45), # 047: p=0.026928 ( 0, 0) (0x04f9, 0x7c75, 50, 46), # 048: p=0.026928 ( 0, 0) (0x0425, 0x7d0f, 51, 47), # 049: p=0.022444 ( 0, 0) (0x0425, 0x7d0f, 52, 48), # 050: p=0.022444 ( 0, 0) (0x0371, 0x7d91, 53, 49), # 051: p=0.018636 ( 0, 0) (0x0371, 0x7d91, 54, 50), # 052: p=0.018636 ( 0, 0) (0x02d9, 0x7dfe, 55, 51), # 053: p=0.015421 ( 0, 0) (0x02d9, 0x7dfe, 56, 52), # 054: p=0.015421 ( 0, 0) (0x0259, 0x7e5a, 57, 53), # 055: p=0.012713 ( 0, 0) (0x0259, 0x7e5a, 58, 54), # 056: p=0.012713 ( 0, 0) (0x01ed, 0x7ea6, 59, 55), # 057: p=0.010419 ( 0, 0) (0x01ed, 0x7ea6, 60, 56), # 058: p=0.010419 ( 0, 0) (0x0193, 0x7ee6, 61, 57), # 059: p=0.008525 ( 0, 0) (0x0193, 0x7ee6, 62, 58), # 060: p=0.008525 ( 0, 0) (0x0149, 0x7f1a, 63, 59), # 061: p=0.006959 ( 0, 0) (0x0149, 0x7f1a, 64, 60), # 062: p=0.006959 ( 0, 0) (0x010b, 0x7f45, 65, 61), # 063: p=0.005648 ( 0, 0) (0x010b, 0x7f45, 66, 62), # 064: p=0.005648 ( 0, 0) (0x00d5, 0x7f6b, 67, 63), # 065: p=0.004506 ( 0, 0) (0x00d5, 0x7f6b, 68, 64), # 066: p=0.004506 ( 0, 0) (0x00a5, 0x7f8d, 69, 65), # 067: p=0.003480 ( 0, 0) (0x00a5, 0x7f8d, 70, 66), # 068: p=0.003480 ( 0, 0) (0x007b, 0x7faa, 71, 67), # 069: p=0.002602 ( 0, 0) (0x007b, 0x7faa, 72, 68), # 070: p=0.002602 ( 0, 0) (0x0057, 0x7fc3, 73, 69), # 071: p=0.001843 ( 0, 0) (0x0057, 0x7fc3, 74, 70), # 072: p=0.001843 ( 0, 0) (0x003b, 0x7fd7, 75, 71), # 073: p=0.001248 ( 0, 0) (0x003b, 0x7fd7, 76, 72), # 074: p=0.001248 ( 0, 0) (0x0023, 0x7fe7, 77, 73), # 075: p=0.000749 ( 0, 0) (0x0023, 0x7fe7, 78, 74), # 076: p=0.000749 ( 0, 0) (0x0013, 0x7ff2, 79, 75), # 077: p=0.000402 ( 0, 0) (0x0013, 0x7ff2, 80, 76), # 078: p=0.000402 ( 0, 0) (0x0007, 0x7ffa, 81, 77), # 079: p=0.000153 ( 0, 0) (0x0007, 0x7ffa, 82, 78), # 080: p=0.000153 ( 0, 0) (0x0001, 0x7fff, 81, 79), # 081: p=0.000027 ( 0, 0) (0x0001, 0x7fff, 82, 80), # 082: p=0.000027 ( 0, 0) (0x5695, 0x0000, 9, 85), # 083: p=0.411764 ( 2, 3) (0x24ee, 0x0000, 86, 226), # 084: p=0.199988 ( 1, 0) (0x8000, 0x0000, 5, 6), # 085: p=0.500000 ( 3, 3) (0x0d30, 0x0000, 88, 176), # 086: p=0.071422 ( 4, 0) (0x481a, 0x0000, 89, 143), # 087: p=0.363634 ( 1, 2) (0x0481, 0x0000, 90, 138), # 088: p=0.024388 ( 13, 0) (0x3579, 0x0000, 91, 141), # 089: p=0.285711 ( 1, 3) (0x017a, 0x0000, 92, 112), # 090: p=0.007999 ( 41, 0) (0x24ef, 0x0000, 93, 135), # 091: p=0.199997 ( 1, 5) (0x007b, 0x0000, 94, 104), # 092: p=0.002611 ( 127, 0) (0x1978, 0x0000, 95, 133), # 093: p=0.137929 ( 1, 8) (0x0028, 0x0000, 96, 100), # 094: p=0.000849 ( 392, 0) (0x10ca, 0x0000, 97, 129), # 095: p=0.090907 ( 1, 13) (0x000d, 0x0000, 82, 98), # 096: p=0.000276 ( 1208, 0) (0x0b5d, 0x0000, 99, 127), # 097: p=0.061537 ( 1, 20) (0x0034, 0x0000, 76, 72), # 098: p=0.001102 ( 1208, 1) (0x078a, 0x0000, 101, 125), # 099: p=0.040815 ( 1, 31) (0x00a0, 0x0000, 70, 102), # 100: p=0.003387 ( 392, 1) (0x050f, 0x0000, 103, 123), # 101: p=0.027397 ( 1, 47) (0x0117, 0x0000, 66, 60), # 102: p=0.005912 ( 392, 2) (0x0358, 0x0000, 105, 121), # 103: p=0.018099 ( 1, 72) (0x01ea, 0x0000, 106, 110), # 104: p=0.010362 ( 127, 1) (0x0234, 0x0000, 107, 119), # 105: p=0.011940 ( 1, 110) (0x0144, 0x0000, 66, 108), # 106: p=0.006849 ( 193, 1) (0x0173, 0x0000, 109, 117), # 107: p=0.007858 ( 1, 168) (0x0234, 0x0000, 60, 54), # 108: p=0.011925 ( 193, 2) (0x00f5, 0x0000, 111, 115), # 109: p=0.005175 ( 1, 256) (0x0353, 0x0000, 56, 48), # 110: p=0.017995 ( 127, 2) (0x00a1, 0x0000, 69, 113), # 111: p=0.003413 ( 1, 389) (0x05c5, 0x0000, 114, 134), # 112: p=0.031249 ( 41, 1) (0x011a, 0x0000, 65, 59), # 113: p=0.005957 ( 2, 389) (0x03cf, 0x0000, 116, 132), # 114: p=0.020618 ( 63, 1) (0x01aa, 0x0000, 61, 55), # 115: p=0.009020 ( 2, 256) (0x0285, 0x0000, 118, 130), # 116: p=0.013652 ( 96, 1) (0x0286, 0x0000, 57, 51), # 117: p=0.013672 ( 2, 168) (0x01ab, 0x0000, 120, 128), # 118: p=0.009029 ( 146, 1) (0x03d3, 0x0000, 53, 47), # 119: p=0.020710 ( 2, 110) (0x011a, 0x0000, 122, 126), # 120: p=0.005961 ( 222, 1) (0x05c5, 0x0000, 49, 41), # 121: p=0.031250 ( 2, 72) (0x00ba, 0x0000, 124, 62), # 122: p=0.003925 ( 338, 1) (0x08ad, 0x0000, 43, 37), # 123: p=0.046979 ( 2, 47) (0x007a, 0x0000, 72, 66), # 124: p=0.002586 ( 514, 1) (0x0ccc, 0x0000, 39, 31), # 125: p=0.069306 ( 2, 31) (0x01eb, 0x0000, 60, 54), # 126: p=0.010386 ( 222, 2) (0x1302, 0x0000, 33, 25), # 127: p=0.102940 ( 2, 20) (0x02e6, 0x0000, 56, 50), # 128: p=0.015695 ( 146, 2) (0x1b81, 0x0000, 29, 131), # 129: p=0.148935 ( 2, 13) (0x045e, 0x0000, 52, 46), # 130: p=0.023648 ( 96, 2) (0x24ef, 0x0000, 23, 17), # 131: p=0.199999 ( 3, 13) (0x0690, 0x0000, 48, 40), # 132: p=0.035533 ( 63, 2) (0x2865, 0x0000, 23, 15), # 133: p=0.218748 ( 2, 8) (0x09de, 0x0000, 42, 136), # 134: p=0.053434 ( 41, 2) (0x3987, 0x0000, 137, 7), # 135: p=0.304346 ( 2, 5) (0x0dc8, 0x0000, 38, 32), # 136: p=0.074626 ( 41, 3) (0x2c99, 0x0000, 21, 139), # 137: p=0.241378 ( 2, 7) (0x10ca, 0x0000, 140, 172), # 138: p=0.090907 ( 13, 1) (0x3b5f, 0x0000, 15, 9), # 139: p=0.312499 ( 3, 7) (0x0b5d, 0x0000, 142, 170), # 140: p=0.061537 ( 20, 1) (0x5695, 0x0000, 9, 85), # 141: p=0.411764 ( 2, 3) (0x078a, 0x0000, 144, 168), # 142: p=0.040815 ( 31, 1) (0x8000, 0x0000, 141, 248), # 143: p=0.500000 ( 2, 2) (0x050f, 0x0000, 146, 166), # 144: p=0.027397 ( 47, 1) (0x24ee, 0x0000, 147, 247), # 145: p=0.199988 ( 0, 1) (0x0358, 0x0000, 148, 164), # 146: p=0.018099 ( 72, 1) (0x0d30, 0x0000, 149, 197), # 147: p=0.071422 ( 0, 4) (0x0234, 0x0000, 150, 162), # 148: p=0.011940 ( 110, 1) (0x0481, 0x0000, 151, 95), # 149: p=0.024388 ( 0, 13) (0x0173, 0x0000, 152, 160), # 150: p=0.007858 ( 168, 1) (0x017a, 0x0000, 153, 173), # 151: p=0.007999 ( 0, 41) (0x00f5, 0x0000, 154, 158), # 152: p=0.005175 ( 256, 1) (0x007b, 0x0000, 155, 165), # 153: p=0.002611 ( 0, 127) (0x00a1, 0x0000, 70, 156), # 154: p=0.003413 ( 389, 1) (0x0028, 0x0000, 157, 161), # 155: p=0.000849 ( 0, 392) (0x011a, 0x0000, 66, 60), # 156: p=0.005957 ( 389, 2) (0x000d, 0x0000, 81, 159), # 157: p=0.000276 ( 0, 1208) (0x01aa, 0x0000, 62, 56), # 158: p=0.009020 ( 256, 2) (0x0034, 0x0000, 75, 71), # 159: p=0.001102 ( 1, 1208) (0x0286, 0x0000, 58, 52), # 160: p=0.013672 ( 168, 2) (0x00a0, 0x0000, 69, 163), # 161: p=0.003387 ( 1, 392) (0x03d3, 0x0000, 54, 48), # 162: p=0.020710 ( 110, 2) (0x0117, 0x0000, 65, 59), # 163: p=0.005912 ( 2, 392) (0x05c5, 0x0000, 50, 42), # 164: p=0.031250 ( 72, 2) (0x01ea, 0x0000, 167, 171), # 165: p=0.010362 ( 1, 127) (0x08ad, 0x0000, 44, 38), # 166: p=0.046979 ( 47, 2) (0x0144, 0x0000, 65, 169), # 167: p=0.006849 ( 1, 193) (0x0ccc, 0x0000, 40, 32), # 168: p=0.069306 ( 31, 2) (0x0234, 0x0000, 59, 53), # 169: p=0.011925 ( 2, 193) (0x1302, 0x0000, 34, 26), # 170: p=0.102940 ( 20, 2) (0x0353, 0x0000, 55, 47), # 171: p=0.017995 ( 2, 127) (0x1b81, 0x0000, 30, 174), # 172: p=0.148935 ( 13, 2) (0x05c5, 0x0000, 175, 193), # 173: p=0.031249 ( 1, 41) (0x24ef, 0x0000, 24, 18), # 174: p=0.199999 ( 13, 3) (0x03cf, 0x0000, 177, 191), # 175: p=0.020618 ( 1, 63) (0x2b74, 0x0000, 178, 222), # 176: p=0.235291 ( 4, 1) (0x0285, 0x0000, 179, 189), # 177: p=0.013652 ( 1, 96) (0x201d, 0x0000, 180, 218), # 178: p=0.173910 ( 6, 1) (0x01ab, 0x0000, 181, 187), # 179: p=0.009029 ( 1, 146) (0x1715, 0x0000, 182, 216), # 180: p=0.124998 ( 9, 1) (0x011a, 0x0000, 183, 185), # 181: p=0.005961 ( 1, 222) (0x0fb7, 0x0000, 184, 214), # 182: p=0.085105 ( 14, 1) (0x00ba, 0x0000, 69, 61), # 183: p=0.003925 ( 1, 338) (0x0a67, 0x0000, 186, 212), # 184: p=0.056337 ( 22, 1) (0x01eb, 0x0000, 59, 53), # 185: p=0.010386 ( 2, 222) (0x06e7, 0x0000, 188, 210), # 186: p=0.037382 ( 34, 1) (0x02e6, 0x0000, 55, 49), # 187: p=0.015695 ( 2, 146) (0x0496, 0x0000, 190, 208), # 188: p=0.024844 ( 52, 1) (0x045e, 0x0000, 51, 45), # 189: p=0.023648 ( 2, 96) (0x030d, 0x0000, 192, 206), # 190: p=0.016529 ( 79, 1) (0x0690, 0x0000, 47, 39), # 191: p=0.035533 ( 2, 63) (0x0206, 0x0000, 194, 204), # 192: p=0.010959 ( 120, 1) (0x09de, 0x0000, 41, 195), # 193: p=0.053434 ( 2, 41) (0x0155, 0x0000, 196, 202), # 194: p=0.007220 ( 183, 1) (0x0dc8, 0x0000, 37, 31), # 195: p=0.074626 ( 3, 41) (0x00e1, 0x0000, 198, 200), # 196: p=0.004750 ( 279, 1) (0x2b74, 0x0000, 199, 243), # 197: p=0.235291 ( 1, 4) (0x0094, 0x0000, 72, 64), # 198: p=0.003132 ( 424, 1) (0x201d, 0x0000, 201, 239), # 199: p=0.173910 ( 1, 6) (0x0188, 0x0000, 62, 56), # 200: p=0.008284 ( 279, 2) (0x1715, 0x0000, 203, 237), # 201: p=0.124998 ( 1, 9) (0x0252, 0x0000, 58, 52), # 202: p=0.012567 ( 183, 2) (0x0fb7, 0x0000, 205, 235), # 203: p=0.085105 ( 1, 14) (0x0383, 0x0000, 54, 48), # 204: p=0.019021 ( 120, 2) (0x0a67, 0x0000, 207, 233), # 205: p=0.056337 ( 1, 22) (0x0547, 0x0000, 50, 44), # 206: p=0.028571 ( 79, 2) (0x06e7, 0x0000, 209, 231), # 207: p=0.037382 ( 1, 34) (0x07e2, 0x0000, 46, 38), # 208: p=0.042682 ( 52, 2) (0x0496, 0x0000, 211, 229), # 209: p=0.024844 ( 1, 52) (0x0bc0, 0x0000, 40, 34), # 210: p=0.063636 ( 34, 2) (0x030d, 0x0000, 213, 227), # 211: p=0.016529 ( 1, 79) (0x1178, 0x0000, 36, 28), # 212: p=0.094593 ( 22, 2) (0x0206, 0x0000, 215, 225), # 213: p=0.010959 ( 1, 120) (0x19da, 0x0000, 30, 22), # 214: p=0.139999 ( 14, 2) (0x0155, 0x0000, 217, 223), # 215: p=0.007220 ( 1, 183) (0x24ef, 0x0000, 26, 16), # 216: p=0.199998 ( 9, 2) (0x00e1, 0x0000, 219, 221), # 217: p=0.004750 ( 1, 279) (0x320e, 0x0000, 20, 220), # 218: p=0.269229 ( 6, 2) (0x0094, 0x0000, 71, 63), # 219: p=0.003132 ( 1, 424) (0x432a, 0x0000, 14, 8), # 220: p=0.344827 ( 6, 3) (0x0188, 0x0000, 61, 55), # 221: p=0.008284 ( 2, 279) (0x447d, 0x0000, 14, 224), # 222: p=0.349998 ( 4, 2) (0x0252, 0x0000, 57, 51), # 223: p=0.012567 ( 2, 183) (0x5ece, 0x0000, 8, 2), # 224: p=0.434782 ( 4, 3) (0x0383, 0x0000, 53, 47), # 225: p=0.019021 ( 2, 120) (0x8000, 0x0000, 228, 87), # 226: p=0.500000 ( 1, 1) (0x0547, 0x0000, 49, 43), # 227: p=0.028571 ( 2, 79) (0x481a, 0x0000, 230, 246), # 228: p=0.363634 ( 2, 1) (0x07e2, 0x0000, 45, 37), # 229: p=0.042682 ( 2, 52) (0x3579, 0x0000, 232, 244), # 230: p=0.285711 ( 3, 1) (0x0bc0, 0x0000, 39, 33), # 231: p=0.063636 ( 2, 34) (0x24ef, 0x0000, 234, 238), # 232: p=0.199997 ( 5, 1) (0x1178, 0x0000, 35, 27), # 233: p=0.094593 ( 2, 22) (0x1978, 0x0000, 138, 236), # 234: p=0.137929 ( 8, 1) (0x19da, 0x0000, 29, 21), # 235: p=0.139999 ( 2, 14) (0x2865, 0x0000, 24, 16), # 236: p=0.218748 ( 8, 2) (0x24ef, 0x0000, 25, 15), # 237: p=0.199998 ( 2, 9) (0x3987, 0x0000, 240, 8), # 238: p=0.304346 ( 5, 2) (0x320e, 0x0000, 19, 241), # 239: p=0.269229 ( 2, 6) (0x2c99, 0x0000, 22, 242), # 240: p=0.241378 ( 7, 2) (0x432a, 0x0000, 13, 7), # 241: p=0.344827 ( 3, 6) (0x3b5f, 0x0000, 16, 10), # 242: p=0.312499 ( 7, 3) (0x447d, 0x0000, 13, 245), # 243: p=0.349998 ( 2, 4) (0x5695, 0x0000, 10, 2), # 244: p=0.411764 ( 3, 2) (0x5ece, 0x0000, 7, 1), # 245: p=0.434782 ( 3, 4) (0x8000, 0x0000, 244, 83), # 246: p=0.500000 ( 2, 2) (0x8000, 0x0000, 249, 250), # 247: p=0.500000 ( 1, 1) (0x5695, 0x0000, 10, 2), # 248: p=0.411764 ( 3, 2) (0x481a, 0x0000, 89, 143), # 249: p=0.363634 ( 1, 2) (0x481a, 0x0000, 230, 246), # 250: p=0.363634 ( 2, 1) (0, 0, 0, 0), (0, 0, 0, 0), (0, 0, 0, 0), (0, 0, 0, 0), (0, 0, 0, 0), ] xmtf = ( 0x00, 0x01, 0x02, 0x03, 0x04, 0x05, 0x06, 0x07, 0x08, 0x09, 0x0A, 0x0B, 0x0C, 0x0D, 0x0E, 0x0F, 0x10, 0x11, 0x12, 0x13, 0x14, 0x15, 0x16, 0x17, 0x18, 0x19, 0x1A, 0x1B, 0x1C, 0x1D, 0x1E, 0x1F, 0x20, 0x21, 0x22, 0x23, 0x24, 0x25, 0x26, 0x27, 0x28, 0x29, 0x2A, 0x2B, 0x2C, 0x2D, 0x2E, 0x2F, 0x30, 0x31, 0x32, 0x33, 0x34, 0x35, 0x36, 0x37, 0x38, 0x39, 0x3A, 0x3B, 0x3C, 0x3D, 0x3E, 0x3F, 0x40, 0x41, 0x42, 0x43, 0x44, 0x45, 0x46, 0x47, 0x48, 0x49, 0x4A, 0x4B, 0x4C, 0x4D, 0x4E, 0x4F, 0x50, 0x51, 0x52, 0x53, 0x54, 0x55, 0x56, 0x57, 0x58, 0x59, 0x5A, 0x5B, 0x5C, 0x5D, 0x5E, 0x5F, 0x60, 0x61, 0x62, 0x63, 0x64, 0x65, 0x66, 0x67, 0x68, 0x69, 0x6A, 0x6B, 0x6C, 0x6D, 0x6E, 0x6F, 0x70, 0x71, 0x72, 0x73, 0x74, 0x75, 0x76, 0x77, 0x78, 0x79, 0x7A, 0x7B, 0x7C, 0x7D, 0x7E, 0x7F, 0x80, 0x81, 0x82, 0x83, 0x84, 0x85, 0x86, 0x87, 0x88, 0x89, 0x8A, 0x8B, 0x8C, 0x8D, 0x8E, 0x8F, 0x90, 0x91, 0x92, 0x93, 0x94, 0x95, 0x96, 0x97, 0x98, 0x99, 0x9A, 0x9B, 0x9C, 0x9D, 0x9E, 0x9F, 0xA0, 0xA1, 0xA2, 0xA3, 0xA4, 0xA5, 0xA6, 0xA7, 0xA8, 0xA9, 0xAA, 0xAB, 0xAC, 0xAD, 0xAE, 0xAF, 0xB0, 0xB1, 0xB2, 0xB3, 0xB4, 0xB5, 0xB6, 0xB7, 0xB8, 0xB9, 0xBA, 0xBB, 0xBC, 0xBD, 0xBE, 0xBF, 0xC0, 0xC1, 0xC2, 0xC3, 0xC4, 0xC5, 0xC6, 0xC7, 0xC8, 0xC9, 0xCA, 0xCB, 0xCC, 0xCD, 0xCE, 0xCF, 0xD0, 0xD1, 0xD2, 0xD3, 0xD4, 0xD5, 0xD6, 0xD7, 0xD8, 0xD9, 0xDA, 0xDB, 0xDC, 0xDD, 0xDE, 0xDF, 0xE0, 0xE1, 0xE2, 0xE3, 0xE4, 0xE5, 0xE6, 0xE7, 0xE8, 0xE9, 0xEA, 0xEB, 0xEC, 0xED, 0xEE, 0xEF, 0xF0, 0xF1, 0xF2, 0xF3, 0xF4, 0xF5, 0xF6, 0xF7, 0xF8, 0xF9, 0xFA, 0xFB, 0xFC, 0xFD, 0xFE, 0xFF ) # }}} class BZZDecoder(): def __init__(self, infile, outfile): self.instream = infile self.inptr = 0 self.outf = outfile self.ieof = False self.bptr = None self.xsize = None self.outbuf = [0] * (MAXBLOCK * 1024) self.byte = None self.scount = 0 self.delay = 25 self.a = 0 self.code = 0 self.bufint = 0 self.ctx = [0] * 300 # table self.p = [0] * 256 self.m = [0] * 256 self.up = [0] * 256 self.dn = [0] * 256 # machine independent ffz self.ffzt = [0] * 256 # Create machine independent ffz table for i in range(256): j = i while(j & 0x80): self.ffzt[i] += 1 j <<= 1 # Initialize table self.newtable(default_ztable) # Codebit counter # Read first 16 bits of code if not self.read_byte(): self.byte = 0xff self.code = (self.byte << 8) if not self.read_byte(): self.byte = 0xff self.code = self.code | self.byte # Preload buffer self.preload() # Compute initial fence self.fence = self.code if self.code >= 0x8000: self.fence = 0x7fff def convert(self, sz): if self.ieof: return 0 copied = 0 while sz > 0 and not self.ieof: # Decode if needed if not self.xsize: self.bptr = 0 if not self.decode(): # input block size set in decode self.xsize = 1 self.ieof = True self.xsize -= 1 # Compute remaining remaining = min(sz, self.xsize) # Transfer if remaining > 0: self.outf.extend(self.outbuf[self.bptr:self.bptr + remaining]) self.xsize -= remaining self.bptr += remaining sz -= remaining copied += remaining # offset += bytes; // for tell() return copied def preload(self): while self.scount <= 24: if not self.read_byte(): self.byte = 0xff self.delay -= 1 if self.delay < 1: raise BZZDecoderError("BiteStream EOF") self.bufint = (self.bufint << 8) | self.byte self.scount += 8 def newtable(self, table): for i in range(256): self.p[i] = table[i][0] self.m[i] = table[i][1] self.up[i] = table[i][2] self.dn[i] = table[i][3] def decode(self): outbuf = self.outbuf # Decode block size self.xsize = self.decode_raw(24) if not self.xsize: return 0 if self.xsize > MAXBLOCK * 1024: # 4MB (4096 * 1024) is max block raise BZZDecoderError("BiteStream.corrupt") # Dec11ode Estimation Speed fshift = 0 if self.zpcodec_decoder(): fshift += 1 if self.zpcodec_decoder(): fshift += 1 # Prepare Quasi MTF mtf = list(xmtf) # unsigned chars freq = [0] * FREQMAX fadd = 4 # Decode mtfno = 3 markerpos = -1 def zc(i): return self.zpcodec_decode(self.ctx, i) def dc(i, bits): return self.decode_binary(self.ctx, i, bits) for i in range(self.xsize): ctxid = CTXIDS - 1 if ctxid > mtfno: ctxid = mtfno if zc(ctxid): mtfno = 0 outbuf[i] = mtf[mtfno] elif zc(ctxid + CTXIDS): mtfno = 1 outbuf[i] = mtf[mtfno] elif zc(2*CTXIDS): mtfno = 2 + dc(2*CTXIDS + 1, 1) outbuf[i] = mtf[mtfno] elif zc(2*CTXIDS+2): mtfno = 4 + dc(2*CTXIDS+2 + 1, 2) outbuf[i] = mtf[mtfno] elif zc(2*CTXIDS + 6): mtfno = 8 + dc(2*CTXIDS + 6 + 1, 3) outbuf[i] = mtf[mtfno] elif zc(2*CTXIDS + 14): mtfno = 16 + dc(2*CTXIDS + 14 + 1, 4) outbuf[i] = mtf[mtfno] elif zc(2*CTXIDS + 30): mtfno = 32 + dc(2*CTXIDS + 30 + 1, 5) outbuf[i] = mtf[mtfno] elif zc(2*CTXIDS + 62): mtfno = 64 + dc(2*CTXIDS + 62 + 1, 6) outbuf[i] = mtf[mtfno] elif zc(2*CTXIDS + 126): mtfno = 128 + dc(2*CTXIDS + 126 + 1, 7) outbuf[i] = mtf[mtfno] else: mtfno = 256 # EOB outbuf[i] = 0 markerpos = i continue # Rotate mtf according to empirical frequencies (new!) # :rotate label # Adjust frequencies for overflow fadd = fadd + (fadd >> fshift) if fadd > 0x10000000: fadd >>= 24 freq[0] >>= 24 freq[1] >>= 24 freq[2] >>= 24 freq[3] >>= 24 for k in range(4, FREQMAX): freq[k] = freq[k] >> 24 # Relocate new char according to new freq fc = fadd if mtfno < FREQMAX: fc += freq[mtfno] k = mtfno while (k >= FREQMAX): mtf[k] = mtf[k - 1] k -= 1 while (k > 0 and fc >= freq[k - 1]): mtf[k] = mtf[k - 1] freq[k] = freq[k - 1] k -= 1 mtf[k] = outbuf[i] freq[k] = fc # /////////////////////////////// # //////// Reconstruct the string if markerpos < 1 or markerpos >= self.xsize: raise BZZDecoderError("BiteStream.corrupt") # Allocate pointers posn = [0] * self.xsize # Prepare count buffer count = [0] * 256 # Fill count buffer for i in range(markerpos): c = outbuf[i] posn[i] = (c << 24) | (count[c] & 0xffffff) count[c] += 1 for i in range(markerpos + 1, self.xsize): c = outbuf[i] posn[i] = (c << 24) | (count[c] & 0xffffff) count[c] += 1 # Compute sorted char positions last = 1 for i in range(256): tmp = count[i] count[i] = last last += tmp # Undo the sort transform i = 0 last = self.xsize - 1 while last > 0: n = posn[i] c = (posn[i] >> 24) last -= 1 outbuf[last] = c i = count[c] + (n & 0xffffff) # Free and check if i != markerpos: raise BZZDecoderError("BiteStream.corrupt") return self.xsize def decode_raw(self, bits): n = 1 m = (1 << bits) while n < m: b = self.zpcodec_decoder() n = (n << 1) | b return n - m def decode_binary(self, ctx, index, bits): n = 1 m = (1 << bits) while n < m: b = self.zpcodec_decode(ctx, index + n - 1) n = (n << 1) | b return n - m def zpcodec_decoder(self): return self.decode_sub_simple(0, 0x8000 + (self.a >> 1)) def decode_sub_simple(self, mps, z): # Test MPS/LPS if z > self.code: # LPS branch z = 0x10000 - z self.a += +z self.code = self.code + z # LPS renormalization shift = self.ffz() self.scount -= shift self.a = self.a << shift self.a &= 0xffff self.code = (self.code << shift) | ((self.bufint >> self.scount) & ((1 << shift) - 1)) self.code &= 0xffff if self.scount < 16: self.preload() # Adjust fence self.fence = self.code if self.code >= 0x8000: self.fence = 0x7fff result = mps ^ 1 else: # MPS renormalization self.scount -= 1 self.a = (z << 1) & 0xffff self.code = ((self.code << 1) | ((self.bufint >> self.scount) & 1)) self.code &= 0xffff if self.scount < 16: self.preload() # Adjust fence self.fence = self.code if self.code >= 0x8000: self.fence = 0x7fff result = mps return result def decode_sub(self, ctx, index, z): # Save bit bit = (ctx[index] & 1) # Avoid interval reversion d = 0x6000 + ((z + self.a) >> 2) if z > d: z = d # Test MPS/LPS if z > self.code: # LPS branch z = 0x10000 - z self.a += +z self.code = self.code + z # LPS adaptation ctx[index] = self.dn[ctx[index]] # LPS renormalization shift = self.ffz() self.scount -= shift self.a = (self.a << shift) & 0xffff self.code = ((self.code << shift) | ((self.bufint >> self.scount) & ((1 << shift) - 1))) & 0xffff if self.scount < 16: self.preload() # Adjust fence self.fence = self.code if self.code >= 0x8000: self.fence = 0x7fff return bit ^ 1 else: # MPS adaptation if self.a >= self.m[ctx[index]]: ctx[index] = self.up[ctx[index]] # MPS renormalization self.scount -= 1 self.a = z << 1 & 0xffff self.code = ((self.code << 1) | ((self.bufint >> self.scount) & 1)) & 0xffff if self.scount < 16: self.preload() # Adjust fence self.fence = self.code if self.code >= 0x8000: self.fence = 0x7fff return bit def zpcodec_decode(self, ctx, index): z = self.a + self.p[ctx[index]] if z <= self.fence: self.a = z res = (ctx[index] & 1) else: res = self.decode_sub(ctx, index, z) return res def read_byte(self): try: self.byte = self.instream[self.inptr] self.inptr += 1 return True except IndexError: return False def ffz(self): x = self.a if (x >= 0xff00): return (self.ffzt[x & 0xff] + 8) else: return (self.ffzt[(x >> 8) & 0xff]) # for testing def main(): import sys from calibre_extensions import bzzdec as d with open(sys.argv[1], "rb") as f: raw = f.read() print(d.decompress(raw)) if __name__ == "__main__": main()
32,859
Python
.py
704
39.694602
109
0.505558
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,348
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/djvu/__init__.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2011, Anthon van der Neut <anthon@mnt.org>' __docformat__ = 'restructuredtext en' ''' Used for DJVU input '''
178
Python
.py
7
23.857143
60
0.664671
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,349
djvu.py
kovidgoyal_calibre/src/calibre/ebooks/djvu/djvu.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2011, Anthon van der Neut <A.van.der.Neut@ruamel.eu>' # this code is based on: # Lizardtech DjVu Reference # DjVu v3 # November 2005 import struct import sys from calibre.ebooks.djvu.djvubzzdec import BZZDecoder class DjvuChunk: def __init__(self, buf, start, end, align=True, bigendian=True, inclheader=False, verbose=0): from calibre_extensions import bzzdec self.speedup = bzzdec self.subtype = None self._subchunks = [] self.buf = buf pos = start + 4 self.type = buf[start:pos] self.align = align # whether to align to word (2-byte) boundaries self.headersize = 0 if inclheader else 8 if bigendian: self.strflag = b'>' else: self.strflag = b'<' oldpos, pos = pos, pos+4 self.size = struct.unpack(self.strflag+b'L', buf[oldpos:pos])[0] self.dataend = pos + self.size - (8 if inclheader else 0) if self.type == b'FORM': oldpos, pos = pos, pos+4 # print oldpos, pos self.subtype = buf[oldpos:pos] # self.headersize += 4 self.datastart = pos if verbose > 0: print('found', self.type, self.subtype, pos, self.size) if self.type in b'FORM'.split(): if verbose > 0: print('processing substuff %d %d (%x)' % (pos, self.dataend, self.dataend)) numchunks = 0 while pos < self.dataend: x = DjvuChunk(buf, pos, start+self.size, verbose=verbose) numchunks += 1 self._subchunks.append(x) newpos = pos + x.size + x.headersize + (1 if (x.size % 2) else 0) if verbose > 0: print('newpos %d %d (%x, %x) %d' % (newpos, self.dataend, newpos, self.dataend, x.headersize)) pos = newpos if verbose > 0: print(' end of chunk %d (%x)' % (pos, pos)) def dump(self, verbose=0, indent=1, out=None, txtout=None, maxlevel=100): if out: out.write(b' ' * indent) out.write(b'%s%s [%d]\n' % (self.type, b':' + self.subtype if self.subtype else b'', self.size)) if txtout and self.type == b'TXTz': if True: # Use the C BZZ decode implementation txtout.write(self.speedup.decompress(self.buf[self.datastart:self.dataend])) else: inbuf = bytearray(self.buf[self.datastart: self.dataend]) outbuf = bytearray() decoder = BZZDecoder(inbuf, outbuf) while True: xxres = decoder.convert(1024 * 1024) if not xxres: break res = bytes(outbuf) if not res.strip(b'\0'): raise ValueError('TXTz block is completely null') l = 0 for x in bytearray(res[:3]): l <<= 8 l += x if verbose > 0 and out: print(l, file=out) txtout.write(res[3:3+l]) txtout.write(b'\037') if txtout and self.type == b'TXTa': res = self.buf[self.datastart: self.dataend] l = 0 for x in bytearray(res[:3]): l <<= 8 l += x if verbose > 0 and out: print(l, file=out) txtout.write(res[3:3+l]) txtout.write(b'\037') if indent >= maxlevel: return for schunk in self._subchunks: schunk.dump(verbose=verbose, indent=indent+1, out=out, txtout=txtout) class DJVUFile: def __init__(self, instream, verbose=0): self.instream = instream buf = self.instream.read(4) assert(buf == b'AT&T') buf = self.instream.read() self.dc = DjvuChunk(buf, 0, len(buf), verbose=verbose) def get_text(self, outfile=None): self.dc.dump(txtout=outfile) def dump(self, outfile=None, maxlevel=0): self.dc.dump(out=outfile, maxlevel=maxlevel) def main(): f = DJVUFile(open(sys.argv[-1], 'rb')) print(f.get_text(sys.stdout)) if __name__ == '__main__': main()
4,418
Python
.py
111
28.153153
92
0.521567
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,350
writer.py
kovidgoyal_calibre/src/calibre/ebooks/rb/writer.py
__license__ = 'GPL 3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import io import struct import zlib from PIL import Image from calibre.constants import __appname__, __version__ from calibre.ebooks.rb import HEADER, unique_name from calibre.ebooks.rb.rbml import RBMLizer TEXT_RECORD_SIZE = 4096 class TocItem: def __init__(self, name, size, flags): self.name = name self.size = size self.flags = flags class RBWriter: def __init__(self, opts, log): self.opts = opts self.log = log self.name_map = {} def write_content(self, oeb_book, out_stream, metadata=None): info = [('info.info', self._info_section(metadata))] images = self._images(oeb_book.manifest) text_size, chunks = self._text(oeb_book) chunck_sizes = [len(x) for x in chunks] text = [('index.html', chunks)] hidx = [('index.hidx', ' ')] toc_items = [] page_count = 0 for name, data in info+text+hidx+images: page_count += 1 size = len(data) if (name, data) in text: flags = 8 size = 0 for c in chunck_sizes: size += c size += 8 + (len(chunck_sizes) * 4) elif (name, data) in info: flags = 2 else: flags = 0 toc_items.append(TocItem(name.ljust(32, '\x00')[:32], size, flags)) self.log.debug('Writing file header...') out_stream.write(HEADER) out_stream.write(struct.pack('<I', 0)) out_stream.write(struct.pack('<IH', 0, 0)) out_stream.write(struct.pack('<I', 0x128)) out_stream.write(struct.pack('<I', 0)) for i in range(0x20, 0x128, 4): out_stream.write(struct.pack('<I', 0)) out_stream.write(struct.pack('<I', page_count)) offset = out_stream.tell() + (len(toc_items) * 44) for item in toc_items: out_stream.write(item.name.encode('utf-8')) out_stream.write(struct.pack('<I', item.size)) out_stream.write(struct.pack('<I', offset)) out_stream.write(struct.pack('<I', item.flags)) offset += item.size out_stream.write(info[0][1].encode('utf-8')) self.log.debug('Writing compressed RB HTHML...') # Compressed text with proper heading out_stream.write(struct.pack('<I', len(text[0][1]))) out_stream.write(struct.pack('<I', text_size)) for size in chunck_sizes: out_stream.write(struct.pack('<I', size)) for chunk in text[0][1]: out_stream.write(chunk) self.log.debug('Writing images...') for item in hidx+images: w = item[1] if not isinstance(w, bytes): w = w.encode('utf-8') out_stream.write(w) total_size = out_stream.tell() out_stream.seek(0x1c) out_stream.write(struct.pack('<I', total_size)) def _text(self, oeb_book): rbmlizer = RBMLizer(self.log, name_map=self.name_map) text = rbmlizer.extract_content(oeb_book, self.opts).encode('cp1252', 'xmlcharrefreplace') size = len(text) pages = [] for i in range(0, (len(text) + TEXT_RECORD_SIZE-1) // TEXT_RECORD_SIZE): zobj = zlib.compressobj(9, zlib.DEFLATED, 13, 8, 0) pages.append(zobj.compress(text[i * TEXT_RECORD_SIZE : (i * TEXT_RECORD_SIZE) + TEXT_RECORD_SIZE]) + zobj.flush()) return (size, pages) def _images(self, manifest): from calibre.ebooks.oeb.base import OEB_RASTER_IMAGES images = [] used_names = [] for item in manifest: if item.media_type in OEB_RASTER_IMAGES: try: data = b'' im = Image.open(io.BytesIO(item.data)).convert('L') data = io.BytesIO() im.save(data, 'PNG') data = data.getvalue() name = '%s.png' % len(used_names) name = unique_name(name, used_names) used_names.append(name) self.name_map[item.href] = name images.append((name, data)) except Exception as e: self.log.error('Error: Could not include file %s because ' '%s.' % (item.href, e)) return images def _info_section(self, metadata): text = 'TYPE=2\n' if metadata: if len(metadata.title) >= 1: text += 'TITLE=%s\n' % metadata.title[0].value if len(metadata.creator) >= 1: from calibre.ebooks.metadata import authors_to_string text += 'AUTHOR=%s\n' % authors_to_string([x.value for x in metadata.creator]) text += f'GENERATOR={__appname__} - {__version__}\n' text += 'PARSE=1\n' text += 'OUTPUT=1\n' text += 'BODY=index.html\n' return text
5,107
Python
.py
121
31.190083
126
0.545381
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,351
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/rb/__init__.py
__license__ = 'GPL 3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import os HEADER = b'\xb0\x0c\xb0\x0c\x02\x00NUVO\x00\x00\x00\x00' class RocketBookError(Exception): pass def unique_name(name, used_names): name = os.path.basename(name) if len(name) < 32 and name not in used_names: return name else: ext = os.path.splitext(name)[1][:3] base_name = name[:22] for i in range(0, 9999): name = '{}-{}.{}'.format(str(i).rjust('0', 4)[:4], base_name, ext) if name not in used_names: break return name
653
Python
.py
19
28
78
0.601911
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,352
reader.py
kovidgoyal_calibre/src/calibre/ebooks/rb/reader.py
__license__ = 'GPL 3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' import os import struct import zlib from calibre import CurrentDir from calibre.ebooks.metadata.opf2 import OPFCreator from calibre.ebooks.metadata.rb import get_metadata from calibre.ebooks.rb import HEADER, RocketBookError from polyglot.builtins import as_unicode from polyglot.urllib import unquote class RBToc(list): class Item: def __init__(self, name='', size=0, offset=0, flags=0): self.name = name self.size = size self.offset = offset self.flags = flags class Reader: def __init__(self, stream, log, encoding=None): self.stream = stream self.log = log self.encoding = encoding self.verify_file() self.mi = get_metadata(self.stream) self.toc = self.get_toc() def read_i32(self): return struct.unpack('<I', self.stream.read(4))[0] def verify_file(self): self.stream.seek(0) if self.stream.read(14) != HEADER: raise RocketBookError('Could not read file: %s. Does not contain a valid RocketBook Header.' % self.stream.name) self.stream.seek(28) size = self.read_i32() self.stream.seek(0, os.SEEK_END) real_size = self.stream.tell() if size != real_size: raise RocketBookError('File is corrupt. The file size recorded in the header does not match the actual file size.') def get_toc(self): self.stream.seek(24) toc_offset = self.read_i32() self.stream.seek(toc_offset) pages = self.read_i32() toc = RBToc() for i in range(pages): name = unquote(self.stream.read(32).strip(b'\x00')) size, offset, flags = self.read_i32(), self.read_i32(), self.read_i32() toc.append(RBToc.Item(name=name, size=size, offset=offset, flags=flags)) return toc def get_text(self, toc_item, output_dir): if toc_item.flags in (1, 2): return output = '' self.stream.seek(toc_item.offset) if toc_item.flags == 8: count = self.read_i32() self.read_i32() # Uncompressed size. chunck_sizes = [] for i in range(count): chunck_sizes.append(self.read_i32()) for size in chunck_sizes: cm_chunck = self.stream.read(size) output += zlib.decompress(cm_chunck).decode('cp1252' if self.encoding is None else self.encoding, 'replace') else: output += self.stream.read(toc_item.size).decode('cp1252' if self.encoding is None else self.encoding, 'replace') with open(os.path.join(output_dir, toc_item.name.decode('utf-8')), 'wb') as html: html.write(output.replace('<TITLE>', '<TITLE> ').encode('utf-8')) def get_image(self, toc_item, output_dir): if toc_item.flags != 0: return self.stream.seek(toc_item.offset) data = self.stream.read(toc_item.size) with open(os.path.join(output_dir, toc_item.name.decode('utf-8')), 'wb') as img: img.write(data) def extract_content(self, output_dir): self.log.debug('Extracting content from file...') html = [] images = [] for item in self.toc: iname = as_unicode(item.name) if iname.lower().endswith('html'): self.log.debug('HTML item %s found...' % iname) html.append(iname) self.get_text(item, output_dir) if iname.lower().endswith('png'): self.log.debug('PNG item %s found...' % iname) images.append(iname) self.get_image(item, output_dir) opf_path = self.create_opf(output_dir, html, images) return opf_path def create_opf(self, output_dir, pages, images): with CurrentDir(output_dir): opf = OPFCreator(output_dir, self.mi) manifest = [] for page in pages+images: manifest.append((page, None)) opf.create_manifest(manifest) opf.create_spine(pages) with open('metadata.opf', 'wb') as opffile: opf.render(opffile) return os.path.join(output_dir, 'metadata.opf')
4,388
Python
.py
102
33.176471
127
0.598071
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,353
rbml.py
kovidgoyal_calibre/src/calibre/ebooks/rb/rbml.py
__license__ = 'GPL 3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' ''' Transform OEB content into RB compatible markup. ''' import re from calibre import prepare_string_for_xml from calibre.ebooks.rb import unique_name from polyglot.builtins import string_or_bytes TAGS = [ 'b', 'big', 'blockquote', 'br', 'center', 'code', 'div', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'hr', 'i', 'li', 'ol', 'p', 'pre', 'small', 'sub', 'sup', 'ul', ] LINK_TAGS = [ 'a', ] IMAGE_TAGS = [ 'img', ] STYLES = [ ('font-weight', {'bold' : 'b', 'bolder' : 'b'}), ('font-style', {'italic' : 'i'}), ('text-align', {'center' : 'center'}), ] class RBMLizer: def __init__(self, log, name_map={}): self.log = log self.name_map = name_map self.link_hrefs = {} def extract_content(self, oeb_book, opts): self.log.info('Converting XHTML to RB markup...') self.oeb_book = oeb_book self.opts = opts return self.mlize_spine() def mlize_spine(self): self.link_hrefs = {} output = ['<HTML><HEAD><TITLE></TITLE></HEAD><BODY>'] output.append(self.get_cover_page()) output.append('ghji87yhjko0Caliblre-toc-placeholder-for-insertion-later8ujko0987yjk') output.append(self.get_text()) output.append('</BODY></HTML>') output = ''.join(output).replace('ghji87yhjko0Caliblre-toc-placeholder-for-insertion-later8ujko0987yjk', self.get_toc()) output = self.clean_text(output) return output def get_cover_page(self): from calibre.ebooks.oeb.base import XHTML from calibre.ebooks.oeb.stylizer import Stylizer output = '' if 'cover' in self.oeb_book.guide: if self.name_map.get(self.oeb_book.guide['cover'].href, None): output += '<IMG SRC="%s">' % self.name_map[self.oeb_book.guide['cover'].href] if 'titlepage' in self.oeb_book.guide: self.log.debug('Generating cover page...') href = self.oeb_book.guide['titlepage'].href item = self.oeb_book.manifest.hrefs[href] if item.spine_position is None: stylizer = Stylizer(item.data, item.href, self.oeb_book, self.opts, self.opts.output_profile) output += ''.join(self.dump_text(item.data.find(XHTML('body')), stylizer, item)) return output def get_toc(self): toc = [''] if self.opts.inline_toc: self.log.debug('Generating table of contents...') toc.append('<H1>%s</H1><UL>\n' % _('Table of Contents:')) for item in self.oeb_book.toc: if item.href in self.link_hrefs.keys(): toc.append(f'<LI><A HREF="#{self.link_hrefs[item.href]}">{item.title}</A></LI>\n') else: self.oeb.warn('Ignoring toc item: %s not found in document.' % item) toc.append('</UL>') return ''.join(toc) def get_text(self): from calibre.ebooks.oeb.base import XHTML from calibre.ebooks.oeb.stylizer import Stylizer output = [''] for item in self.oeb_book.spine: self.log.debug('Converting %s to RocketBook HTML...' % item.href) stylizer = Stylizer(item.data, item.href, self.oeb_book, self.opts, self.opts.output_profile) output.append(self.add_page_anchor(item)) output += self.dump_text(item.data.find(XHTML('body')), stylizer, item) return ''.join(output) def add_page_anchor(self, page): return self.get_anchor(page, '') def get_anchor(self, page, aid): aid = f'{page.href}#{aid}' if aid not in self.link_hrefs.keys(): self.link_hrefs[aid] = 'calibre_link-%s' % len(self.link_hrefs.keys()) aid = self.link_hrefs[aid] return '<A NAME="%s"></A>' % aid def clean_text(self, text): # Remove anchors that do not have links anchors = set(re.findall(r'(?<=<A NAME=").+?(?="></A>)', text)) links = set(re.findall(r'(?<=<A HREF="#).+?(?=">)', text)) for unused in anchors.difference(links): text = text.replace('<A NAME="%s"></A>' % unused, '') return text def dump_text(self, elem, stylizer, page, tag_stack=[]): from calibre.ebooks.oeb.base import XHTML_NS, barename, namespace if not isinstance(elem.tag, string_or_bytes) or namespace(elem.tag) != XHTML_NS: p = elem.getparent() if p is not None and isinstance(p.tag, string_or_bytes) and namespace(p.tag) == XHTML_NS \ and elem.tail: return [elem.tail] return [''] text = [''] style = stylizer.style(elem) if style['display'] in ('none', 'oeb-page-head', 'oeb-page-foot') \ or style['visibility'] == 'hidden': if hasattr(elem, 'tail') and elem.tail: return [elem.tail] return [''] tag = barename(elem.tag) tag_count = 0 # Process tags that need special processing and that do not have inner # text. Usually these require an argument if tag in IMAGE_TAGS: if elem.attrib.get('src', None): if page.abshref(elem.attrib['src']) not in self.name_map.keys(): self.name_map[page.abshref(elem.attrib['src'])] = unique_name('%s' % len(self.name_map.keys()), self.name_map.keys()) text.append('<IMG SRC="%s">' % self.name_map[page.abshref(elem.attrib['src'])]) rb_tag = tag.upper() if tag in TAGS else None if rb_tag: tag_count += 1 text.append('<%s>' % rb_tag) tag_stack.append(rb_tag) # Anchors links if tag in LINK_TAGS: href = elem.get('href') if href: href = page.abshref(href) if '://' not in href: if '#' not in href: href += '#' if href not in self.link_hrefs.keys(): self.link_hrefs[href] = 'calibre_link-%s' % len(self.link_hrefs.keys()) href = self.link_hrefs[href] text.append('<A HREF="#%s">' % href) tag_count += 1 tag_stack.append('A') # Anchor ids id_name = elem.get('id') if id_name: text.append(self.get_anchor(page, id_name)) # Processes style information for s in STYLES: style_tag = s[1].get(style[s[0]], None) if style_tag: style_tag = style_tag.upper() tag_count += 1 text.append('<%s>' % style_tag) tag_stack.append(style_tag) # Process tags that contain text. if hasattr(elem, 'text') and elem.text: text.append(prepare_string_for_xml(elem.text)) for item in elem: text += self.dump_text(item, stylizer, page, tag_stack) close_tag_list = [] for i in range(0, tag_count): close_tag_list.insert(0, tag_stack.pop()) text += self.close_tags(close_tag_list) if hasattr(elem, 'tail') and elem.tail: text.append(prepare_string_for_xml(elem.tail)) return text def close_tags(self, tags): text = [''] for i in range(0, len(tags)): tag = tags.pop() text.append('</%s>' % tag) return text
7,651
Python
.py
192
30.052083
137
0.55033
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,354
input.py
kovidgoyal_calibre/src/calibre/ebooks/odt/input.py
__license__ = 'GPL v3' __copyright__ = '2008, Kovid Goyal kovid@kovidgoyal.net' __docformat__ = 'restructuredtext en' ''' Convert an ODT file into a Open Ebook ''' import logging import os from css_parser import CSSParser from css_parser.css import CSSRule from lxml import etree from odf.draw import Frame as odFrame from odf.draw import Image as odImage from odf.namespaces import TEXTNS as odTEXTNS from odf.odf2xhtml import ODF2XHTML from odf.opendocument import load as odLoad from calibre import CurrentDir, walk from calibre.ebooks.oeb.base import _css_logger from calibre.utils.xml_parse import safe_xml_fromstring from polyglot.builtins import as_bytes, string_or_bytes class Extract(ODF2XHTML): def extract_pictures(self, zf): if not os.path.exists('Pictures'): os.makedirs('Pictures') for name in zf.namelist(): if name.startswith('Pictures') and name not in {'Pictures', 'Pictures/'}: data = zf.read(name) with open(name, 'wb') as f: f.write(data) def apply_list_starts(self, root, log): if not self.list_starts: return list_starts = frozenset(self.list_starts) for ol in root.xpath('//*[local-name() = "ol" and @class]'): classes = {'.' + x for x in ol.get('class', '').split()} found = classes & list_starts if found: val = self.list_starts[next(iter(found))] ol.set('start', val) def fix_markup(self, html, log): root = safe_xml_fromstring(html) self.filter_css(root, log) self.extract_css(root, log) self.epubify_markup(root, log) self.apply_list_starts(root, log) html = etree.tostring(root, encoding='utf-8', xml_declaration=True) return html def extract_css(self, root, log): ans = [] for s in root.xpath('//*[local-name() = "style" and @type="text/css"]'): ans.append(s.text) s.getparent().remove(s) head = root.xpath('//*[local-name() = "head"]') if head: head = head[0] ns = head.nsmap.get(None, '') if ns: ns = '{%s}'%ns etree.SubElement(head, ns+'link', {'type':'text/css', 'rel':'stylesheet', 'href':'odfpy.css'}) css = '\n\n'.join(ans) parser = CSSParser(loglevel=logging.WARNING, log=_css_logger) self.css = parser.parseString(css, validate=False) with open('odfpy.css', 'wb') as f: f.write(css.encode('utf-8')) def get_css_for_class(self, cls): if not cls: return None for rule in self.css.cssRules.rulesOfType(CSSRule.STYLE_RULE): for sel in rule.selectorList: q = sel.selectorText if q == '.' + cls: return rule def epubify_markup(self, root, log): from calibre.ebooks.oeb.base import XHTML, XPath # Fix empty title tags for t in XPath('//h:title')(root): if not t.text: t.text = ' ' # Fix <p><div> constructs as the asinine epubchecker complains # about them pdiv = XPath('//h:p/h:div') for div in pdiv(root): div.getparent().tag = XHTML('div') # Remove the position:relative as it causes problems with some epub # renderers. Remove display: block on an image inside a div as it is # redundant and prevents text-align:center from working in ADE # Also ensure that the img is contained in its containing div imgpath = XPath('//h:div/h:img[@style]') for img in imgpath(root): div = img.getparent() if len(div) == 1: style = div.attrib.get('style', '') if style and not style.endswith(';'): style = style + ';' style += 'position:static' # Ensures position of containing div is static # Ensure that the img is always contained in its frame div.attrib['style'] = style img.attrib['style'] = 'max-width: 100%; max-height: 100%' # Handle anchored images. The default markup + CSS produced by # odf2xhtml works with WebKit but not with ADE. So we convert the # common cases of left/right/center aligned block images to work on # both webkit and ADE. We detect the case of setting the side margins # to auto and map it to an appropriate text-align directive, which # works in both WebKit and ADE. # https://bugs.launchpad.net/bugs/1063207 # https://bugs.launchpad.net/calibre/+bug/859343 imgpath = XPath('descendant::h:div/h:div/h:img') for img in imgpath(root): div2 = img.getparent() div1 = div2.getparent() if (len(div1), len(div2)) != (1, 1): continue cls = div1.get('class', '') first_rules = list(filter(None, [self.get_css_for_class(x) for x in cls.split()])) has_align = False for r in first_rules: if r.style.getProperty('text-align') is not None: has_align = True ml = mr = None if not has_align: aval = None cls = div2.get('class', '') rules = list(filter(None, [self.get_css_for_class(x) for x in cls.split()])) for r in rules: ml = r.style.getPropertyCSSValue('margin-left') or ml mr = r.style.getPropertyCSSValue('margin-right') or mr ml = getattr(ml, 'value', None) mr = getattr(mr, 'value', None) if ml == mr == 'auto': aval = 'center' elif ml == 'auto' and mr != 'auto': aval = 'right' elif ml != 'auto' and mr == 'auto': aval = 'left' if aval is not None: style = div1.attrib.get('style', '').strip() if style and not style.endswith(';'): style = style + ';' style += 'text-align:%s'%aval has_align = True div1.attrib['style'] = style if has_align: # This is needed for ADE, without it the text-align has no # effect style = div2.attrib['style'] div2.attrib['style'] = 'display:inline;'+style def filter_css(self, root, log): style = root.xpath('//*[local-name() = "style" and @type="text/css"]') if style: style = style[0] css = style.text if css: css, sel_map = self.do_filter_css(css) if not isinstance(css, str): css = css.decode('utf-8', 'ignore') style.text = css for x in root.xpath('//*[@class]'): extra = [] orig = x.get('class') for cls in orig.split(): extra.extend(sel_map.get(cls, [])) if extra: x.set('class', orig + ' ' + ' '.join(extra)) def do_filter_css(self, css): from css_parser import parseString from css_parser.css import CSSRule sheet = parseString(css, validate=False) rules = list(sheet.cssRules.rulesOfType(CSSRule.STYLE_RULE)) sel_map = {} count = 0 for r in rules: # Check if we have only class selectors for this rule nc = [x for x in r.selectorList if not x.selectorText.startswith('.')] if len(r.selectorList) > 1 and not nc: # Replace all the class selectors with a single class selector # This will be added to the class attribute of all elements # that have one of these selectors. replace_name = 'c_odt%d'%count count += 1 for sel in r.selectorList: s = sel.selectorText[1:] if s not in sel_map: sel_map[s] = [] sel_map[s].append(replace_name) r.selectorText = '.'+replace_name return sheet.cssText, sel_map def search_page_img(self, mi, log): for frm in self.document.topnode.getElementsByType(odFrame): try: if frm.getAttrNS(odTEXTNS,'anchor-type') == 'page': log.warn('Document has Pictures anchored to Page, will all end up before first page!') break except ValueError: pass def filter_cover(self, mi, log): # filter the Element tree (remove the detected cover) if mi.cover and mi.odf_cover_frame: for frm in self.document.topnode.getElementsByType(odFrame): # search the right frame if frm.getAttribute('name') == mi.odf_cover_frame: img = frm.getElementsByType(odImage) # only one draw:image allowed in the draw:frame if len(img) == 1 and img[0].getAttribute('href') == mi.cover: # ok, this is the right frame with the right image # check if there are more children if len(frm.childNodes) != 1: break # check if the parent paragraph more children para = frm.parentNode if para.tagName != 'text:p' or len(para.childNodes) != 1: break # now it should be safe to remove the text:p parent = para.parentNode parent.removeChild(para) log("Removed cover image paragraph from document...") break def filter_load(self, odffile, mi, log): """ This is an adaption from ODF2XHTML. It adds a step between load and parse of the document where the Element tree can be modified. """ # first load the odf structure self.lines = [] self._wfunc = self._wlines if isinstance(odffile, string_or_bytes) \ or hasattr(odffile, 'read'): # Added by Kovid self.document = odLoad(odffile) else: self.document = odffile # filter stuff self.search_page_img(mi, log) try: self.filter_cover(mi, log) except: pass # parse the modified tree and generate xhtml self._walknode(self.document.topnode) def __call__(self, stream, odir, log): from calibre.ebooks.metadata.odt import get_metadata from calibre.ebooks.metadata.opf2 import OPFCreator from calibre.utils.zipfile import ZipFile if not os.path.exists(odir): os.makedirs(odir) with CurrentDir(odir): log('Extracting ODT file...') stream.seek(0) mi = get_metadata(stream, 'odt') if not mi.title: mi.title = _('Unknown') if not mi.authors: mi.authors = [_('Unknown')] self.filter_load(stream, mi, log) html = self.xhtml() # A blanket img specification like this causes problems # with EPUB output as the containing element often has # an absolute height and width set that is larger than # the available screen real estate html = html.replace('img { width: 100%; height: 100%; }', '') # odf2xhtml creates empty title tag html = html.replace('<title></title>','<title>%s</title>'%(mi.title,)) try: html = self.fix_markup(html, log) except: log.exception('Failed to filter CSS, conversion may be slow') with open('index.xhtml', 'wb') as f: f.write(as_bytes(html)) zf = ZipFile(stream, 'r') self.extract_pictures(zf) opf = OPFCreator(os.path.abspath(os.getcwd()), mi) opf.create_manifest([(os.path.abspath(f2), None) for f2 in walk(os.getcwd())]) opf.create_spine([os.path.abspath('index.xhtml')]) with open('metadata.opf', 'wb') as f: opf.render(f) return os.path.abspath('metadata.opf')
12,728
Python
.py
281
32.067616
106
0.5357
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,355
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/odt/__init__.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2008, Kovid Goyal kovid@kovidgoyal.net' __docformat__ = 'restructuredtext en' ''' Handle the Open Document Format '''
185
Python
.py
7
25
56
0.697143
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,356
fb2ml.py
kovidgoyal_calibre/src/calibre/ebooks/fb2/fb2ml.py
__license__ = 'GPL 3' __copyright__ = '2009, John Schember <john@nachtimwald.com>' __docformat__ = 'restructuredtext en' ''' Transform OEB content into FB2 markup ''' import re import textwrap import uuid from datetime import datetime from lxml import etree from calibre import prepare_string_for_xml from calibre.constants import __appname__, __version__ from calibre.ebooks.oeb.base import urlnormalize from calibre.utils.img import save_cover_data_to from calibre.utils.localization import lang_as_iso639_1 from calibre.utils.xml_parse import safe_xml_fromstring from polyglot.binary import as_base64_unicode from polyglot.builtins import string_or_bytes from polyglot.urllib import urlparse class FB2MLizer: ''' Todo: * Include more FB2 specific tags in the conversion. * Handle notes and anchor links. ''' def __init__(self, log): self.log = log self.reset_state() def reset_state(self): # Used to ensure text and tags are always within <p> and </p> self.in_p = False # Mapping of image names. OEB allows for images to have the same name but be stored # in different directories. FB2 images are all in a flat layout so we rename all images # into a sequential numbering system to ensure there are no collisions between image names. self.image_hrefs = {} # Mapping of toc items and their self.toc = {} # Used to see whether a new <section> needs to be opened self.section_level = 0 def extract_content(self, oeb_book, opts): self.log.info('Converting XHTML to FB2 markup...') self.oeb_book = oeb_book self.opts = opts self.reset_state() # Used for adding <section>s and <title>s to allow readers # to generate toc from the document. if self.opts.sectionize == 'toc': self.create_flat_toc(self.oeb_book.toc, 1) return self.fb2mlize_spine() def fb2mlize_spine(self): output = ( self.fb2_header(), self.get_text(), self.fb2mlize_images(), self.fb2_footer(), ) output = self.clean_text('\n'.join(output)) if self.opts.pretty_print: output = etree.tostring(safe_xml_fromstring(output), encoding='unicode', pretty_print=True) return '<?xml version="1.0" encoding="UTF-8"?>\n' + output def clean_text(self, text): # Remove pointless tags, but keep their contents. text = re.sub(r'(?mu)<(strong|emphasis|strikethrough|sub|sup)>(\s*)</\1>', r'\2', text) # Clean up paragraphs endings. text = re.sub(r'(?ma)\s+</p>', '</p>', text) # Condense empty paragraphs into a line break. text = re.sub(r'(?mu)(?:<p></p>\s*){3,}', '<empty-line/>', text) # Remove empty paragraphs. text = re.sub(r'(?mu)<p></p>\s*', '', text) # Put the paragraph following a paragraph on a separate line. text = re.sub(r'(?mu)</p>\s*<p>', '</p>\n<p>', text) if self.opts.insert_blank_line: text = re.sub(r'(?mu)</p>', '</p><empty-line/>', text) # Clean up title endings. text = re.sub(r'(?mu)\s+</title>', '</title>', text) # Remove empty title elements. text = re.sub(r'(?mu)<title></title>\s*', '', text) # Put the paragraph following a title on a separate line. text = re.sub(r'(?mu)</title>\s*<p>', '</title>\n<p>', text) # Put line breaks between paragraphs on a separate line. text = re.sub(r'(?mu)</(p|title)>\s*<empty-line/>', r'</\1>\n<empty-line/>', text) text = re.sub(r'(?mu)<empty-line/>\s*<p>', '<empty-line/>\n<p>', text) # Remove empty sections. text = re.sub(r'(?mu)<section>\s*</section>', '', text) # Clean up sections starts and ends. text = re.sub(r'(?mu)\s*<section>', '\n<section>', text) text = re.sub(r'(?mu)<section>\s*', '<section>\n', text) text = re.sub(r'(?mu)\s*</section>', '\n</section>', text) text = re.sub(r'(?mu)</section>\s*', '</section>\n', text) return text def fb2_header(self): from calibre.ebooks.oeb.base import OPF metadata = {} metadata['title'] = self.oeb_book.metadata.title[0].value metadata['appname'] = __appname__ metadata['version'] = __version__ metadata['date'] = '%i.%i.%i' % (datetime.now().day, datetime.now().month, datetime.now().year) if self.oeb_book.metadata.language: lc = lang_as_iso639_1(self.oeb_book.metadata.language[0].value) if not lc: lc = self.oeb_book.metadata.language[0].value metadata['lang'] = lc or 'en' else: metadata['lang'] = 'en' metadata['id'] = None metadata['cover'] = self.get_cover() metadata['genre'] = self.opts.fb2_genre metadata['author'] = '' for auth in self.oeb_book.metadata.creator: author_first = '' author_middle = '' author_last = '' author_parts = auth.value.split(' ') if len(author_parts) == 1: author_last = author_parts[0] elif len(author_parts) == 2: author_first = author_parts[0] author_last = author_parts[1] else: author_first = author_parts[0] author_middle = ' '.join(author_parts[1:-1]) author_last = author_parts[-1] metadata['author'] += '<author>' metadata['author'] += '<first-name>%s</first-name>' % prepare_string_for_xml(author_first) if author_middle: metadata['author'] += '<middle-name>%s</middle-name>' % prepare_string_for_xml(author_middle) metadata['author'] += '<last-name>%s</last-name>' % prepare_string_for_xml(author_last) metadata['author'] += '</author>' if not metadata['author']: metadata['author'] = '<author><first-name></first-name><last-name></last-name></author>' metadata['keywords'] = '' tags = list(map(str, self.oeb_book.metadata.subject)) if tags: tags = ', '.join(prepare_string_for_xml(x) for x in tags) metadata['keywords'] = '<keywords>%s</keywords>'%tags metadata['sequence'] = '' if self.oeb_book.metadata.series: index = '1' if self.oeb_book.metadata.series_index: index = self.oeb_book.metadata.series_index[0] metadata['sequence'] = '<sequence name="{}" number="{}"/>'.format(prepare_string_for_xml('%s' % self.oeb_book.metadata.series[0]), index) year = publisher = isbn = '' identifiers = self.oeb_book.metadata['identifier'] for x in identifiers: if x.get(OPF('scheme'), None).lower() == 'uuid' or str(x).startswith('urn:uuid:'): metadata['id'] = str(x).split(':')[-1] break if metadata['id'] is None: self.log.warn('No UUID identifier found') metadata['id'] = str(uuid.uuid4()) try: date = self.oeb_book.metadata['date'][0] except IndexError: pass else: year = '<year>%s</year>' % prepare_string_for_xml(date.value.partition('-')[0]) try: publisher = self.oeb_book.metadata['publisher'][0] except IndexError: pass else: publisher = '<publisher>%s</publisher>' % prepare_string_for_xml(publisher.value) for x in identifiers: if x.get(OPF('scheme'), None).lower() == 'isbn': isbn = '<isbn>%s</isbn>' % prepare_string_for_xml(x.value) metadata['year'], metadata['isbn'], metadata['publisher'] = year, isbn, publisher for key, value in metadata.items(): if key not in ('author', 'cover', 'sequence', 'keywords', 'year', 'publisher', 'isbn'): metadata[key] = prepare_string_for_xml(value) try: comments = self.oeb_book.metadata['description'][0] except Exception: metadata['comments'] = '' else: from calibre.utils.html2text import html2text metadata['comments'] = f'<annotation><p>{prepare_string_for_xml(html2text(comments.value).strip())}</p></annotation>' # Keep the indentation level of the description the same as the body. header = textwrap.dedent('''\ <FictionBook xmlns="http://www.gribuser.ru/xml/fictionbook/2.0" xmlns:l="http://www.w3.org/1999/xlink"> <description> <title-info> <genre>%(genre)s</genre> %(author)s <book-title>%(title)s</book-title> %(cover)s <lang>%(lang)s</lang> %(keywords)s %(sequence)s %(comments)s </title-info> <document-info> %(author)s <program-used>%(appname)s %(version)s</program-used> <date>%(date)s</date> <id>%(id)s</id> <version>1.0</version> </document-info> <publish-info> %(publisher)s %(year)s %(isbn)s </publish-info> </description>''') % metadata # Remove empty lines. return '\n'.join(filter(str.strip, header.splitlines())) def fb2_footer(self): return '</FictionBook>' def get_cover(self): from calibre.ebooks.oeb.base import OEB_RASTER_IMAGES cover_href = None # Get the raster cover if it's available. if self.oeb_book.metadata.cover and str(self.oeb_book.metadata.cover[0]) in self.oeb_book.manifest.ids: id = str(self.oeb_book.metadata.cover[0]) cover_item = self.oeb_book.manifest.ids[id] if cover_item.media_type in OEB_RASTER_IMAGES: cover_href = cover_item.href else: # Figure out if we have a title page or a cover page page_name = '' if 'titlepage' in self.oeb_book.guide: page_name = 'titlepage' elif 'cover' in self.oeb_book.guide: page_name = 'cover' if page_name: cover_item = self.oeb_book.manifest.hrefs[self.oeb_book.guide[page_name].href] # Get the first image in the page for img in cover_item.xpath('//img'): cover_href = cover_item.abshref(img.get('src')) break if cover_href: # Only write the image tag if it is in the manifest. if cover_href in self.oeb_book.manifest.hrefs and cover_href not in self.image_hrefs: self.image_hrefs[cover_href] = 'img_%s' % len(self.image_hrefs) return '<coverpage><image l:href="#%s"/></coverpage>' % self.image_hrefs[cover_href] return '' def get_text(self): from calibre.ebooks.oeb.base import XHTML from calibre.ebooks.oeb.stylizer import Stylizer text = ['<body>'] # Create main section if there are no others to create if self.opts.sectionize == 'nothing': text.append('<section>') self.section_level += 1 for item in self.oeb_book.spine: self.log.debug('Converting %s to FictionBook2 XML' % item.href) stylizer = Stylizer(item.data, item.href, self.oeb_book, self.opts, self.opts.output_profile) # Start a <section> if we must sectionize each file or if the TOC references this page page_section_open = False if self.opts.sectionize == 'files' or None in self.toc.get(item.href, ()): text.append('<section>') page_section_open = True self.section_level += 1 text += self.dump_text(item.data.find(XHTML('body')), stylizer, item) if page_section_open: text.append('</section>') self.section_level -= 1 # Close any open sections while self.section_level > 0: text.append('</section>') self.section_level -= 1 text.append('</body>') return ''.join(text) def fb2mlize_images(self): ''' This function uses the self.image_hrefs dictionary mapping. It is populated by the dump_text function. ''' from calibre.ebooks.oeb.base import OEB_RASTER_IMAGES images = [] for item in self.oeb_book.manifest: # Don't write the image if it's not referenced in the document's text. if item.href not in self.image_hrefs: continue if item.media_type in OEB_RASTER_IMAGES: try: if item.media_type not in ('image/jpeg', 'image/png'): imdata = save_cover_data_to(item.data, compression_quality=70) raw_data = as_base64_unicode(imdata) content_type = 'image/jpeg' else: raw_data = as_base64_unicode(item.data) content_type = item.media_type # Don't put the encoded image on a single line. step = 72 data = '\n'.join(raw_data[i:i+step] for i in range(0, len(raw_data), step)) images.append(f'<binary id="{self.image_hrefs[item.href]}" content-type="{content_type}">{data}</binary>') except Exception as e: self.log.error('Error: Could not include file %s because ' '%s.' % (item.href, e)) return '\n'.join(images) def create_flat_toc(self, nodes, level): for item in nodes: href, mid, id = item.href.partition('#') if not id: self.toc[href] = {None: 'page'} else: if not self.toc.get(href, None): self.toc[href] = {} self.toc[href][id] = level self.create_flat_toc(item.nodes, level + 1) def ensure_p(self): if self.in_p: return [], [] else: self.in_p = True return ['<p>'], ['p'] def close_open_p(self, tags): text = [''] added_p = False if self.in_p: # Close all up to p. Close p. Reopen all closed tags including p. closed_tags = [] tags.reverse() for t in tags: text.append('</%s>' % t) closed_tags.append(t) if t == 'p': break closed_tags.reverse() for t in closed_tags: text.append('<%s>' % t) else: text.append('<p>') added_p = True self.in_p = True return text, added_p def handle_simple_tag(self, tag, tags): s_out = [] s_tags = [] if tag not in tags: p_out, p_tags = self.ensure_p() s_out += p_out s_tags += p_tags s_out.append('<%s>' % tag) s_tags.append(tag) return s_out, s_tags def dump_text(self, elem_tree, stylizer, page, tag_stack=[]): ''' This function is intended to be used in a recursive manner. dump_text will run though all elements in the elem_tree and call itself on each element. self.image_hrefs will be populated by calling this function. @param elem_tree: etree representation of XHTML content to be transformed. @param stylizer: Used to track the style of elements within the tree. @param page: OEB page used to determine absolute urls. @param tag_stack: List of open FB2 tags to take into account. @return: List of string representing the XHTML converted to FB2 markup. ''' from calibre.ebooks.oeb.base import XHTML_NS, barename, namespace elem = elem_tree # Ensure what we are converting is not a string and that the fist tag is part of the XHTML namespace. if not isinstance(elem_tree.tag, string_or_bytes) or namespace(elem_tree.tag) != XHTML_NS: p = elem.getparent() if p is not None and isinstance(p.tag, string_or_bytes) and namespace(p.tag) == XHTML_NS \ and elem.tail: return [elem.tail] return [] style = stylizer.style(elem_tree) if style['display'] in ('none', 'oeb-page-head', 'oeb-page-foot') \ or style['visibility'] == 'hidden': if hasattr(elem, 'tail') and elem.tail: return [elem.tail] return [] # FB2 generated output. fb2_out = [] # FB2 tags in the order they are opened. This will be used to close the tags. tags = [] # First tag in tree tag = barename(elem_tree.tag) # Number of blank lines above tag try: ems = int(round((float(style.marginTop) / style.fontSize) - 1)) if ems < 0: ems = 0 except: ems = 0 # Convert TOC entries to <title>s and add <section>s if self.opts.sectionize == 'toc': # A section cannot be a child of any other element than another section, # so leave the tag alone if there are parents if not tag_stack: # There are two reasons to start a new section here: the TOC pointed to # this page (then we use the first non-<body> on the page as a <title>), or # the TOC pointed to a specific element newlevel = 0 toc_entry = self.toc.get(page.href, None) if toc_entry is not None: if None in toc_entry: if tag != 'body' and hasattr(elem_tree, 'text') and elem_tree.text: newlevel = 1 self.toc[page.href] = None if not newlevel and elem_tree.attrib.get('id', None) is not None: newlevel = toc_entry.get(elem_tree.attrib.get('id', None), None) # Start a new section if necessary if newlevel: while newlevel <= self.section_level: fb2_out.append('</section>') self.section_level -= 1 fb2_out.append('<section>') self.section_level += 1 fb2_out.append('<title>') tags.append('title') if self.section_level == 0: # If none of the prior processing made a section, make one now to be FB2 spec compliant fb2_out.append('<section>') self.section_level += 1 # Process the XHTML tag and styles. Converted to an FB2 tag. # Use individual if statement not if else. There can be # only one XHTML tag but it can have multiple styles. if tag == 'img' and elem_tree.attrib.get('src', None): # Only write the image tag if it is in the manifest. ihref = urlnormalize(page.abshref(elem_tree.attrib['src'])) if ihref in self.oeb_book.manifest.hrefs: if ihref not in self.image_hrefs: self.image_hrefs[ihref] = 'img_%s' % len(self.image_hrefs) p_txt, p_tag = self.ensure_p() fb2_out += p_txt tags += p_tag fb2_out.append('<image l:href="#%s"/>' % self.image_hrefs[ihref]) else: self.log.warn('Ignoring image not in manifest: %s' % ihref) if tag in ('br', 'hr') or ems >= 1: if ems < 1: multiplier = 1 else: multiplier = ems if self.in_p: closed_tags = [] open_tags = tag_stack+tags open_tags.reverse() for t in open_tags: fb2_out.append('</%s>' % t) closed_tags.append(t) if t == 'p': break fb2_out.append('<empty-line/>' * multiplier) closed_tags.reverse() for t in closed_tags: fb2_out.append('<%s>' % t) else: fb2_out.append('<empty-line/>' * multiplier) if tag in ('div', 'li', 'p'): p_text, added_p = self.close_open_p(tag_stack+tags) fb2_out += p_text if added_p: tags.append('p') if tag == 'a' and elem_tree.attrib.get('href', None): # Handle only external links for now if urlparse(elem_tree.attrib['href']).netloc: p_txt, p_tag = self.ensure_p() fb2_out += p_txt tags += p_tag fb2_out.append('<a l:href="%s">' % urlnormalize(elem_tree.attrib['href'])) tags.append('a') if tag == 'b' or style['font-weight'] in ('bold', 'bolder'): s_out, s_tags = self.handle_simple_tag('strong', tag_stack+tags) fb2_out += s_out tags += s_tags if tag == 'i' or style['font-style'] == 'italic': s_out, s_tags = self.handle_simple_tag('emphasis', tag_stack+tags) fb2_out += s_out tags += s_tags if tag in ('del', 'strike') or style['text-decoration'] == 'line-through': s_out, s_tags = self.handle_simple_tag('strikethrough', tag_stack+tags) fb2_out += s_out tags += s_tags if tag == 'sub': s_out, s_tags = self.handle_simple_tag('sub', tag_stack+tags) fb2_out += s_out tags += s_tags if tag == 'sup': s_out, s_tags = self.handle_simple_tag('sup', tag_stack+tags) fb2_out += s_out tags += s_tags # Process element text. if hasattr(elem_tree, 'text') and elem_tree.text: if not self.in_p: fb2_out.append('<p>') fb2_out.append(prepare_string_for_xml(elem_tree.text)) if not self.in_p: fb2_out.append('</p>') # Process sub-elements. for item in elem_tree: fb2_out += self.dump_text(item, stylizer, page, tag_stack+tags) # Close open FB2 tags. tags.reverse() fb2_out += self.close_tags(tags) # Process element text that comes after the close of the XHTML tag but before the next XHTML tag. if hasattr(elem_tree, 'tail') and elem_tree.tail: if not self.in_p: fb2_out.append('<p>') fb2_out.append(prepare_string_for_xml(elem_tree.tail)) if not self.in_p: fb2_out.append('</p>') return fb2_out def close_tags(self, tags): text = [] for tag in tags: text.append('</%s>' % tag) if tag == 'p': self.in_p = False return text
23,319
Python
.py
500
34.122
149
0.539963
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,357
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/fb2/__init__.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2012, Kovid Goyal <kovid@kovidgoyal.net>' __docformat__ = 'restructuredtext en' def base64_decode(raw): from io import BytesIO from polyglot.binary import from_base64_bytes # First try the python implementation as it is faster try: return from_base64_bytes(raw) except Exception: pass # Try a more robust version (adapted from FBReader sources) A, Z, a, z, zero, nine, plus, slash, equal = bytearray(b'AZaz09+/=') raw = bytearray(raw) out = BytesIO() pos = 0 while pos < len(raw): tot = 0 i = 0 while i < 4 and pos < len(raw): byt = raw[pos] pos += 1 num = 0 if A <= byt <= Z: num = byt - A elif a <= byt <= z: num = byt - a + 26 elif zero <= byt <= nine: num = byt - zero + 52 else: num = {plus:62, slash:63, equal:64}.get(byt, None) if num is None: # Ignore this byte continue tot += num << (6 * (3 - i)) i += 1 triple = bytearray(3) for j in (2, 1, 0): triple[j] = tot & 0xff tot >>= 8 out.write(bytes(triple)) return out.getvalue()
1,371
Python
.py
43
22.255814
72
0.494322
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,358
stylizer.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/stylizer.py
''' CSS property propagation class. ''' __license__ = 'GPL v3' __copyright__ = '2008, Marshall T. Vandegrift <llasram@gmail.com>' import copy import logging import numbers import os import re import unicodedata from operator import itemgetter from weakref import WeakKeyDictionary from xml.dom import SyntaxErr as CSSSyntaxError from css_parser import CSSParser, parseString, parseStyle, profiles, replaceUrls from css_parser import log as css_parser_log from css_parser import profile as cssprofiles from css_parser.css import CSSFontFaceRule, CSSPageRule, CSSStyleRule, cssproperties from css_selectors import INAPPROPRIATE_PSEUDO_CLASSES, Select, SelectorError from tinycss.media3 import CSSMedia3Parser from calibre import as_unicode, force_unicode from calibre.ebooks import unit_convert from calibre.ebooks.oeb.base import CSS_MIME, OEB_STYLES, SVG, XHTML, XHTML_NS, urlnormalize, xpath from calibre.ebooks.oeb.normalize_css import DEFAULTS, normalizers from calibre.utils.resources import get_path as P from polyglot.builtins import iteritems css_parser_log.setLevel(logging.WARN) _html_css_stylesheet = None def validate_color(col): return cssprofiles.validateWithProfile('color', col, profiles=[profiles.Profiles.CSS_LEVEL_2])[1] def html_css_stylesheet(): global _html_css_stylesheet if _html_css_stylesheet is None: with open(P('templates/html.css'), 'rb') as f: html_css = f.read().decode('utf-8') _html_css_stylesheet = parseString(html_css, validate=False) return _html_css_stylesheet INHERITED = { 'azimuth', 'border-collapse', 'border-spacing', 'caption-side', 'color', 'cursor', 'direction', 'elevation', 'empty-cells', 'font-family', 'font-size', 'font-style', 'font-variant', 'font-weight', 'letter-spacing', 'line-height', 'list-style-image', 'list-style-position', 'list-style-type', 'orphans', 'page-break-inside', 'pitch-range', 'pitch', 'quotes', 'richness', 'speak-header', 'speak-numeral', 'speak-punctuation', 'speak', 'speech-rate', 'stress', 'text-align', 'text-indent', 'text-transform', 'visibility', 'voice-family', 'volume', 'white-space', 'widows', 'word-spacing', 'text-shadow', } FONT_SIZE_NAMES = { 'xx-small', 'x-small', 'small', 'medium', 'large', 'x-large', 'xx-large' } ALLOWED_MEDIA_TYPES = frozenset({'screen', 'all', 'aural', 'amzn-kf8'}) IGNORED_MEDIA_FEATURES = frozenset('width min-width max-width height min-height max-height device-width min-device-width max-device-width device-height min-device-height max-device-height aspect-ratio min-aspect-ratio max-aspect-ratio device-aspect-ratio min-device-aspect-ratio max-device-aspect-ratio color min-color max-color color-index min-color-index max-color-index monochrome min-monochrome max-monochrome -webkit-min-device-pixel-ratio resolution min-resolution max-resolution scan grid'.split()) # noqa def media_ok(raw): if not raw: return True if raw == 'amzn-mobi': # Optimization for the common case return False def query_ok(mq): matched = True if mq.media_type not in ALLOWED_MEDIA_TYPES: matched = False # Media queries that test for device specific features always fail for media_feature, expr in mq.expressions: if media_feature in IGNORED_MEDIA_FEATURES: matched = False return mq.negated ^ matched try: for mq in CSSMedia3Parser().parse_stylesheet('@media %s {}' % raw).rules[0].media: if query_ok(mq): return True return False except Exception: pass return True def test_media_ok(): assert media_ok(None) assert media_ok('') assert not media_ok('amzn-mobi') assert media_ok('amzn-kf8') assert media_ok('screen') assert media_ok('only screen') assert not media_ok('not screen') assert not media_ok('(device-width:10px)') assert media_ok('screen, (device-width:10px)') assert not media_ok('screen and (device-width:10px)') class style_map(dict): def __init__(self): super().__init__() self.important_properties = set() class StylizerRules: def __init__(self, opts, profile, stylesheets): self.opts, self.profile, self.stylesheets = opts, profile, stylesheets index = 0 self.rules = [] self.page_rule = {} self.font_face_rules = [] for sheet_index, stylesheet in enumerate(stylesheets): href = stylesheet.href for rule in stylesheet.cssRules: if rule.type == rule.MEDIA_RULE: if media_ok(rule.media.mediaText): for subrule in rule.cssRules: self.rules.extend(self.flatten_rule(subrule, href, index, is_user_agent_sheet=sheet_index==0)) index += 1 else: self.rules.extend(self.flatten_rule(rule, href, index, is_user_agent_sheet=sheet_index==0)) index = index + 1 self.rules.sort(key=itemgetter(0)) # sort by specificity def flatten_rule(self, rule, href, index, is_user_agent_sheet=False): results = [] sheet_index = 0 if is_user_agent_sheet else 1 if isinstance(rule, CSSStyleRule): style = self.flatten_style(rule.style) for selector in rule.selectorList: specificity = (sheet_index,) + selector.specificity + (index,) text = selector.selectorText selector = list(selector.seq) results.append((specificity, selector, style, text, href)) elif isinstance(rule, CSSPageRule): style = self.flatten_style(rule.style) self.page_rule.update(style) elif isinstance(rule, CSSFontFaceRule): if rule.style.length > 1: # Ignore the meaningless font face rules generated by the # benighted MS Word that contain only a font-family declaration # and nothing else self.font_face_rules.append(rule) return results def flatten_style(self, cssstyle): style = style_map() for prop in cssstyle: name = prop.name normalizer = normalizers.get(name, None) is_important = prop.priority == 'important' if normalizer is not None: for name, val in normalizer(name, prop.propertyValue).items(): style[name] = val if is_important: style.important_properties.add(name) elif name == 'text-align': style['text-align'] = self._apply_text_align(prop.value) if is_important: style.important_properties.add(name) else: style[name] = prop.value if is_important: style.important_properties.add(name) if 'font-size' in style: size = style['font-size'] if size == 'normal': size = 'medium' if size == 'smallest': size = 'xx-small' if size in FONT_SIZE_NAMES: style['font-size'] = "%.1frem" % (self.profile.fnames[size] / float(self.profile.fbase)) if '-epub-writing-mode' in style: for x in ('-webkit-writing-mode', 'writing-mode'): style[x] = style.get(x, style['-epub-writing-mode']) return style def _apply_text_align(self, text): if text in ('left', 'justify') and self.opts.change_justification in ('left', 'justify'): text = self.opts.change_justification return text def same_rules(self, opts, profile, stylesheets): if self.opts != opts: # it's unlikely to happen, but better safe than sorry return False if self.profile != profile: return False if len(self.stylesheets) != len(stylesheets): return False for index, stylesheet in enumerate(self.stylesheets): if stylesheet != stylesheets[index]: return False return True class Stylizer: STYLESHEETS = WeakKeyDictionary() def __init__(self, tree, path, oeb, opts, profile=None, extra_css='', user_css='', base_css=''): self.oeb, self.opts = oeb, opts self.profile = profile if self.profile is None: # Use the default profile. This should really be using # opts.output_profile, but I don't want to risk changing it, as # doing so might well have hard to debug font size effects. from calibre.customize.ui import output_profiles for x in output_profiles(): if x.short_name == 'default': self.profile = x break if self.profile is None: # Just in case the default profile is removed in the future :) self.profile = opts.output_profile self.body_font_size = self.profile.fbase self.logger = oeb.logger item = oeb.manifest.hrefs[path] basename = os.path.basename(path) cssname = os.path.splitext(basename)[0] + '.css' stylesheets = [html_css_stylesheet()] if base_css: stylesheets.append(parseString(base_css, validate=False)) style_tags = xpath(tree, '//*[local-name()="style" or local-name()="link"]') # Add css_parser parsing profiles from output_profile for profile in self.opts.output_profile.extra_css_modules: cssprofiles.addProfile(profile['name'], profile['props'], profile['macros']) parser = CSSParser(fetcher=self._fetch_css_file, log=logging.getLogger('calibre.css')) for elem in style_tags: if (elem.tag in (XHTML('style'), SVG('style')) and elem.get('type', CSS_MIME) in OEB_STYLES and media_ok(elem.get('media'))): text = elem.text if elem.text else '' for x in elem: t = getattr(x, 'text', None) if t: text += '\n\n' + force_unicode(t, 'utf-8') t = getattr(x, 'tail', None) if t: text += '\n\n' + force_unicode(t, 'utf-8') if text: text = oeb.css_preprocessor(text) # We handle @import rules separately parser.setFetcher(lambda x: ('utf-8', b'')) stylesheet = parser.parseString(text, href=cssname, validate=False) parser.setFetcher(self._fetch_css_file) for rule in stylesheet.cssRules: if rule.type == rule.IMPORT_RULE: ihref = item.abshref(rule.href) if not media_ok(rule.media.mediaText): continue hrefs = self.oeb.manifest.hrefs if ihref not in hrefs: self.logger.warn('Ignoring missing stylesheet in @import rule:', rule.href) continue sitem = hrefs[ihref] if sitem.media_type not in OEB_STYLES: self.logger.warn('CSS @import of non-CSS file %r' % rule.href) continue stylesheets.append(sitem.data) # Make links to resources absolute, since these rules will # be folded into a stylesheet at the root replaceUrls(stylesheet, item.abshref, ignoreImportRules=True) stylesheets.append(stylesheet) elif (elem.tag == XHTML('link') and elem.get('href') and elem.get( 'rel', 'stylesheet').lower() == 'stylesheet' and elem.get( 'type', CSS_MIME).lower() in OEB_STYLES and media_ok(elem.get('media')) ): href = urlnormalize(elem.attrib['href']) path = item.abshref(href) sitem = oeb.manifest.hrefs.get(path, None) if sitem is None: self.logger.warn( 'Stylesheet %r referenced by file %r not in manifest' % (path, item.href)) continue if not hasattr(sitem.data, 'cssRules'): self.logger.warn( 'Stylesheet %r referenced by file %r is not CSS'%(path, item.href)) continue stylesheets.append(sitem.data) csses = {'extra_css':extra_css, 'user_css':user_css} for w, x in csses.items(): if x: try: text = x stylesheet = parser.parseString(text, href=cssname, validate=False) stylesheets.append(stylesheet) except Exception: self.logger.exception('Failed to parse %s, ignoring.'%w) self.logger.debug('Bad css: ') self.logger.debug(x) # using oeb to store the rules, page rule and font face rules # and generating them again if opts, profile or stylesheets are different if (not hasattr(self.oeb, 'stylizer_rules')) \ or not self.oeb.stylizer_rules.same_rules(self.opts, self.profile, stylesheets): self.oeb.stylizer_rules = StylizerRules(self.opts, self.profile, stylesheets) self.rules = self.oeb.stylizer_rules.rules self.page_rule = self.oeb.stylizer_rules.page_rule self.font_face_rules = self.oeb.stylizer_rules.font_face_rules self.flatten_style = self.oeb.stylizer_rules.flatten_style self._styles = {} pseudo_pat = re.compile(':{1,2}(%s)' % ('|'.join(INAPPROPRIATE_PSEUDO_CLASSES)), re.I) select = Select(tree, ignore_inappropriate_pseudo_classes=True) for _, _, cssdict, text, _ in self.rules: fl = pseudo_pat.search(text) try: matches = tuple(select(text)) except SelectorError as err: self.logger.error(f'Ignoring CSS rule with invalid selector: {text!r} ({as_unicode(err)})') continue if fl is not None: fl = fl.group(1) if fl == 'first-letter' and getattr(self.oeb, 'plumber_output_format', '').lower() in {'mobi', 'docx'}: # Fake first-letter for elem in matches: for x in elem.iter('*'): if x.text: punctuation_chars = [] text = str(x.text) while text: category = unicodedata.category(text[0]) if category[0] not in {'P', 'Z'}: break punctuation_chars.append(text[0]) text = text[1:] special_text = ''.join(punctuation_chars) + \ (text[0] if text else '') span = x.makeelement('{%s}span' % XHTML_NS) span.text = special_text span.set('data-fake-first-letter', '1') span.tail = text[1:] x.text = None x.insert(0, span) self.style(span)._update_cssdict(cssdict) break else: # Element pseudo-class for elem in matches: self.style(elem)._update_pseudo_class(fl, cssdict) else: for elem in matches: self.style(elem)._update_cssdict(cssdict) for elem in xpath(tree, '//h:*[@style]'): self.style(elem)._apply_style_attr(url_replacer=item.abshref) num_pat = re.compile(r'[0-9.]+$') for elem in xpath(tree, '//h:img[@width or @height]'): style = self.style(elem) # Check if either height or width is not default is_styled = style._style.get('width', 'auto') != 'auto' or \ style._style.get('height', 'auto') != 'auto' if not is_styled: # Update img style dimension using width and height upd = {} for prop in ('width', 'height'): val = elem.get(prop, '').strip() try: del elem.attrib[prop] except: pass if val: if num_pat.match(val) is not None: val += 'px' upd[prop] = val if upd: style._update_cssdict(upd) def _fetch_css_file(self, path): hrefs = self.oeb.manifest.hrefs if path not in hrefs: self.logger.warn('CSS import of missing file %r' % path) return (None, None) item = hrefs[path] if item.media_type not in OEB_STYLES: self.logger.warn('CSS import of non-CSS file %r' % path) return (None, None) data = item.data.cssText if not isinstance(data, bytes): data = data.encode('utf-8') return ('utf-8', data) def style(self, element): try: return self._styles[element] except KeyError: return Style(element, self) def stylesheet(self, name, font_scale=None): rules = [] for _, _, style, selector, href in self.rules: if href != name: continue if font_scale and 'font-size' in style and \ style['font-size'].endswith('pt'): style = copy.copy(style) size = float(style['font-size'][:-2]) style['font-size'] = "%.2fpt" % (size * font_scale) style = ';\n '.join(': '.join(item) for item in style.items()) rules.append(f'{selector} {{\n {style};\n}}') return '\n'.join(rules) no_important_properties = frozenset() svg_text_tags = tuple(map(SVG, ('text', 'textPath', 'tref', 'tspan'))) def is_only_number(x: str) -> bool: try: float(x) return True except Exception: return False def is_svg_text_tag(x): return getattr(x, 'tag', '') in svg_text_tags class Style: MS_PAT = re.compile(r'^\s*(mso-|panose-|text-underline|tab-interval)') viewport_relative_font_size: str = '' def __init__(self, element, stylizer): self._element = element self._profile = stylizer.profile self._stylizer = stylizer self._style = style_map() self._fontSize = None self._width = None self._height = None self._lineHeight = None self._bgcolor = None self._fgcolor = None self._pseudo_classes = {} stylizer._styles[element] = self def set(self, prop, val): self._style[prop] = val def drop(self, prop, default=None): return self._style.pop(prop, default) def _update_cssdict(self, cssdict): self._update_style(cssdict) def _update_style(self, cssdict): current_ip = getattr(self._style, 'important_properties', no_important_properties) if current_ip is no_important_properties: s = style_map() s.update(self._style) self._style = s current_ip = self._style.important_properties update_ip = getattr(cssdict, 'important_properties', no_important_properties) for name, val in cssdict.items(): override = False if name in update_ip: current_ip.add(name) override = True elif name not in current_ip: override = True if override: self._style[name] = val def _update_pseudo_class(self, name, cssdict): orig = self._pseudo_classes.get(name, {}) orig.update(cssdict) self._pseudo_classes[name] = orig def _apply_style_attr(self, url_replacer=None): attrib = self._element.attrib if 'style' not in attrib: return css = attrib['style'].split(';') css = filter(None, (x.strip() for x in css)) css = [y.strip() for y in css] css = [y for y in css if self.MS_PAT.match(y) is None] css = '; '.join(css) try: style = parseStyle(css, validate=False) except CSSSyntaxError: return if url_replacer is not None: replaceUrls(style, url_replacer, ignoreImportRules=True) self._update_style(self._stylizer.flatten_style(style)) def _has_parent(self): try: return self._element.getparent() is not None except AttributeError: return False # self._element is None def _get_parent(self): elem = self._element.getparent() if elem is None: return None return self._stylizer.style(elem) def __getitem__(self, name): domname = cssproperties._toDOMname(name) if hasattr(self, domname): return getattr(self, domname) return self._unit_convert(self._get(name)) def _get(self, name): result = self._style.get(name, None) if (result == 'inherit' or (result is None and name in INHERITED and self._has_parent())): stylizer = self._stylizer result = stylizer.style(self._element.getparent())._get(name) if result is None: result = DEFAULTS[name] return result def get(self, name, default=None): return self._style.get(name, default) def _unit_convert(self, value, base=None, font=None): 'Return value in pts' if base is None: base = self.width if not font and font != 0: font = self.fontSize return unit_convert(value, base, font, self._profile.dpi, body_font_size=self._stylizer.body_font_size) def pt_to_px(self, value): return (self._profile.dpi / 72) * value @property def color(self): if self._fgcolor is None: val = self._get('color') if val and validate_color(val): self._fgcolor = val else: self._fgcolor = DEFAULTS['color'] return self._fgcolor @property def backgroundColor(self): ''' Return the background color by parsing both the background-color and background shortcut properties. Note that inheritance/default values are not used. None is returned if no background color is set. ''' if self._bgcolor is None: col = None val = self._style.get('background-color', None) if val and validate_color(val): col = val else: val = self._style.get('background', None) if val is not None: try: style = parseStyle('background: '+val, validate=False) val = style.getProperty('background').propertyValue try: val = list(val) except: # val is CSSPrimitiveValue val = [val] for c in val: c = c.cssText if isinstance(c, bytes): c = c.decode('utf-8', 'replace') if validate_color(c): col = c break except: pass if col is None: self._bgcolor = False else: self._bgcolor = col return self._bgcolor if self._bgcolor else None @property def fontSize(self): def normalize_fontsize(value, base): value = value.replace('"', '').replace("'", '') result = None factor = None if value == 'inherit': value = base if value in FONT_SIZE_NAMES: result = self._profile.fnames[value] elif value == 'smaller': factor = 1.0/1.2 for _, _, size in self._profile.fsizes: if base <= size: break factor = None result = size elif value == 'larger': factor = 1.2 for _, _, size in reversed(self._profile.fsizes): if base >= size: break factor = None result = size else: result = self._unit_convert(value, base=base, font=base) if not isinstance(result, numbers.Number): return base if result < 0: result = normalize_fontsize("smaller", base) if factor: result = factor * base return result if self._fontSize is None: result = None parent = self._get_parent() if parent is not None: base = parent.fontSize else: base = self._profile.fbase if 'font-size' in self._style: size = self._style['font-size'] if is_svg_text_tag(self._element) and (size.endswith('px') or is_only_number(size)): self.viewport_relative_font_size = size result = normalize_fontsize(size, base) else: result = base self._fontSize = result return self._fontSize def img_dimension(self, attr, img_size): ans = None parent = self._get_parent() if parent is not None: base = getattr(parent, attr) else: base = getattr(self._profile, attr + '_pts') x = self._style.get(attr) if x is not None: if x == 'auto': ans = self._unit_convert(str(img_size) + 'px', base=base) else: x = self._unit_convert(x, base=base) if isinstance(x, numbers.Number): ans = x if ans is None: x = self._element.get(attr) if x is not None: x = self._unit_convert(x + 'px', base=base) if isinstance(x, numbers.Number): ans = x if ans is None: ans = self._unit_convert(str(img_size) + 'px', base=base) maa = self._style.get('max-' + attr) if maa is not None: x = self._unit_convert(maa, base=base) if isinstance(x, numbers.Number) and (ans is None or x < ans): ans = x return ans def img_size(self, width, height): ' Return the final size of an <img> given that it points to an image of size widthxheight ' w, h = self._get('width'), self._get('height') answ, ansh = self.img_dimension('width', width), self.img_dimension('height', height) if w == 'auto' and h != 'auto': answ = (float(width)/height) * ansh elif h == 'auto' and w != 'auto': ansh = (float(height)/width) * answ return answ, ansh @property def width(self): if self._width is None: width = None base = None parent = self._get_parent() if parent is not None: base = parent.width else: base = self._profile.width_pts if 'width' in self._element.attrib: width = self._element.attrib['width'] elif 'width' in self._style: width = self._style['width'] if not width or width == 'auto': result = base else: result = self._unit_convert(width, base=base) if isinstance(result, (str, bytes)): result = self._profile.width self._width = result if 'max-width' in self._style: result = self._unit_convert(self._style['max-width'], base=base) if isinstance(result, (str, bytes)): result = self._width if result < self._width: self._width = result return self._width @property def parent_width(self): parent = self._get_parent() if parent is None: return self.width return parent.width @property def height(self): if self._height is None: height = None base = None parent = self._get_parent() if parent is not None: base = parent.height else: base = self._profile.height_pts if 'height' in self._element.attrib: height = self._element.attrib['height'] elif 'height' in self._style: height = self._style['height'] if not height or height == 'auto': result = base else: result = self._unit_convert(height, base=base) if isinstance(result, (str, bytes)): result = self._profile.height self._height = result if 'max-height' in self._style: result = self._unit_convert(self._style['max-height'], base=base) if isinstance(result, (str, bytes)): result = self._height if result < self._height: self._height = result return self._height @property def lineHeight(self): if self._lineHeight is None: result = None parent = self._get_parent() if 'line-height' in self._style: lineh = self._style['line-height'] if lineh == 'normal': lineh = '1.2' try: result = float(lineh) * self.fontSize except ValueError: result = self._unit_convert(lineh, base=self.fontSize) elif parent is not None: # TODO: proper inheritance result = parent.lineHeight else: result = 1.2 * self.fontSize self._lineHeight = result return self._lineHeight @property def effective_text_decoration(self): ''' Browsers do this creepy thing with text-decoration where even though the property is not inherited, it looks like it is because containing blocks apply it. The actual algorithm is utterly ridiculous, see http://reference.sitepoint.com/css/text-decoration This matters for MOBI output, where text-decoration is mapped to <u> and <st> tags. Trying to implement the actual algorithm is too much work, so we just use a simple fake that should cover most cases. ''' css = self._style.get('text-decoration', None) pcss = None parent = self._get_parent() if parent is not None: pcss = parent._style.get('text-decoration', None) if css in ('none', None, 'inherit') and pcss not in (None, 'none'): return pcss return css @property def first_vertical_align(self): ''' For docx output where tags are not nested, we cannot directly simulate the HTML vertical-align rendering model. Instead use the approximation of considering the first non-default vertical-align ''' val = self['vertical-align'] if val != 'baseline': raw_val = self._get('vertical-align') if '%' in raw_val: val = self._unit_convert(raw_val, base=self['line-height']) return val parent = self._get_parent() if parent is not None and 'inline' in parent['display']: return parent.first_vertical_align @property def marginTop(self): return self._unit_convert( self._get('margin-top'), base=self.parent_width) @property def marginBottom(self): return self._unit_convert( self._get('margin-bottom'), base=self.parent_width) @property def marginLeft(self): return self._unit_convert( self._get('margin-left'), base=self.parent_width) @property def marginRight(self): return self._unit_convert( self._get('margin-right'), base=self.parent_width) @property def paddingTop(self): return self._unit_convert( self._get('padding-top'), base=self.parent_width) @property def paddingBottom(self): return self._unit_convert( self._get('padding-bottom'), base=self.parent_width) @property def paddingLeft(self): return self._unit_convert( self._get('padding-left'), base=self.parent_width) @property def paddingRight(self): return self._unit_convert( self._get('padding-right'), base=self.parent_width) def __str__(self): items = sorted(iteritems(self._style)) return '; '.join(f"{key}: {val}" for key, val in items) def cssdict(self): return dict(self._style) def pseudo_classes(self, filter_css): if filter_css: css = copy.deepcopy(self._pseudo_classes) for psel, cssdict in iteritems(css): for k in filter_css: cssdict.pop(k, None) else: css = self._pseudo_classes return {k:v for k, v in iteritems(css) if v} @property def is_hidden(self): return self._style.get('display') == 'none' or self._style.get('visibility') == 'hidden'
34,663
Python
.py
783
31.153257
513
0.543402
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,359
normalize_css.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/normalize_css.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' import numbers from functools import wraps from css_parser import CSSParser from css_parser import profile as cssprofiles from css_parser.css import PropertyValue from tinycss.fonts3 import parse_font, serialize_font_family from calibre.ebooks.oeb.base import css_text from polyglot.builtins import iteritems, string_or_bytes DEFAULTS = {'azimuth': 'center', 'background-attachment': 'scroll', # {{{ 'background-color': 'transparent', 'background-image': 'none', 'background-position': '0% 0%', 'background-repeat': 'repeat', 'border-bottom-color': 'currentColor', 'border-bottom-style': 'none', 'border-bottom-width': 'medium', 'border-collapse': 'separate', 'border-left-color': 'currentColor', 'border-left-style': 'none', 'border-left-width': 'medium', 'border-right-color': 'currentColor', 'border-right-style': 'none', 'border-right-width': 'medium', 'border-spacing': 0, 'border-top-color': 'currentColor', 'border-top-style': 'none', 'border-top-width': 'medium', 'bottom': 'auto', 'caption-side': 'top', 'clear': 'none', 'clip': 'auto', 'color': 'black', 'content': 'normal', 'counter-increment': 'none', 'counter-reset': 'none', 'cue-after': 'none', 'cue-before': 'none', 'cursor': 'auto', 'direction': 'ltr', 'display': 'inline', 'elevation': 'level', 'empty-cells': 'show', 'float': 'none', 'font-family': 'serif', 'font-size': 'medium', 'font-stretch': 'normal', 'font-style': 'normal', 'font-variant': 'normal', 'font-weight': 'normal', 'height': 'auto', 'left': 'auto', 'letter-spacing': 'normal', 'line-height': 'normal', 'list-style-image': 'none', 'list-style-position': 'outside', 'list-style-type': 'disc', 'margin-bottom': 0, 'margin-left': 0, 'margin-right': 0, 'margin-top': 0, 'max-height': 'none', 'max-width': 'none', 'min-height': 0, 'min-width': 0, 'orphans': '2', 'outline-color': 'invert', 'outline-style': 'none', 'outline-width': 'medium', 'overflow': 'visible', 'padding-bottom': 0, 'padding-left': 0, 'padding-right': 0, 'padding-top': 0, 'page-break-after': 'auto', 'page-break-before': 'auto', 'page-break-inside': 'auto', 'pause-after': 0, 'pause-before': 0, 'pitch': 'medium', 'pitch-range': '50', 'play-during': 'auto', 'position': 'static', 'quotes': "'“' '”' '‘' '’'", 'richness': '50', 'right': 'auto', 'speak': 'normal', 'speak-header': 'once', 'speak-numeral': 'continuous', 'speak-punctuation': 'none', 'speech-rate': 'medium', 'stress': '50', 'table-layout': 'auto', 'text-align': 'auto', 'text-decoration': 'none', 'text-indent': 0, 'text-shadow': 'none', 'text-transform': 'none', 'top': 'auto', 'unicode-bidi': 'normal', 'vertical-align': 'baseline', 'visibility': 'visible', 'voice-family': 'default', 'volume': 'medium', 'white-space': 'normal', 'widows': '2', 'width': 'auto', 'word-spacing': 'normal', 'z-index': 'auto'} # }}} EDGES = ('top', 'right', 'bottom', 'left') BORDER_PROPS = ('color', 'style', 'width') def normalize_edge(name, cssvalue): style = {} if isinstance(cssvalue, PropertyValue): primitives = [css_text(v) for v in cssvalue] else: primitives = [css_text(cssvalue)] if len(primitives) == 1: value, = primitives values = (value, value, value, value) elif len(primitives) == 2: vert, horiz = primitives values = (vert, horiz, vert, horiz) elif len(primitives) == 3: top, horiz, bottom = primitives values = (top, horiz, bottom, horiz) else: values = primitives[:4] if '-' in name: l, _, r = name.partition('-') for edge, value in zip(EDGES, values): style[f'{l}-{edge}-{r}'] = value else: for edge, value in zip(EDGES, values): style[f'{name}-{edge}'] = value return style def simple_normalizer(prefix, names, check_inherit=True): composition = tuple('%s-%s' %(prefix, n) for n in names) @wraps(normalize_simple_composition) def wrapper(name, cssvalue): return normalize_simple_composition(name, cssvalue, composition, check_inherit=check_inherit) return wrapper def normalize_simple_composition(name, cssvalue, composition, check_inherit=True): if check_inherit and css_text(cssvalue) == 'inherit': style = {k:'inherit' for k in composition} else: style = {k:DEFAULTS[k] for k in composition} try: primitives = [css_text(v) for v in cssvalue] except TypeError: primitives = [css_text(cssvalue)] while primitives: value = primitives.pop() for key in composition: if cssprofiles.validate(key, value): style[key] = value break return style font_composition = ('font-style', 'font-variant', 'font-weight', 'font-size', 'line-height', 'font-family') def normalize_font(cssvalue, font_family_as_list=False): # See https://developer.mozilla.org/en-US/docs/Web/CSS/font composition = font_composition val = css_text(cssvalue) if val == 'inherit': ans = {k:'inherit' for k in composition} elif val in {'caption', 'icon', 'menu', 'message-box', 'small-caption', 'status-bar'}: ans = {k:DEFAULTS[k] for k in composition} else: ans = {k:DEFAULTS[k] for k in composition} ans.update(parse_font(val)) if font_family_as_list: if isinstance(ans['font-family'], string_or_bytes): ans['font-family'] = [x.strip() for x in ans['font-family'].split(',')] else: if not isinstance(ans['font-family'], string_or_bytes): ans['font-family'] = serialize_font_family(ans['font-family']) return ans def normalize_border(name, cssvalue): style = normalizers['border-' + EDGES[0]]('border-' + EDGES[0], cssvalue) vals = style.copy() for edge in EDGES[1:]: style.update({k.replace(EDGES[0], edge):v for k, v in iteritems(vals)}) return style normalizers = { 'list-style': simple_normalizer('list-style', ('type', 'position', 'image')), 'font': lambda prop, v: normalize_font(v), 'border': normalize_border, } for x in ('margin', 'padding', 'border-style', 'border-width', 'border-color'): normalizers[x] = normalize_edge for x in EDGES: name = 'border-' + x normalizers[name] = simple_normalizer(name, BORDER_PROPS, check_inherit=False) SHORTHAND_DEFAULTS = { 'margin': '0', 'padding': '0', 'border-style': 'none', 'border-width': '0', 'border-color': 'currentColor', 'border':'none', 'border-left': 'none', 'border-right':'none', 'border-top': 'none', 'border-bottom': 'none', 'list-style': 'inherit', 'font': 'inherit', } _safe_parser = None def safe_parser(): global _safe_parser if _safe_parser is None: import logging _safe_parser = CSSParser(loglevel=logging.CRITICAL, validate=False) return _safe_parser def normalize_filter_css(props): ans = set() p = safe_parser() for prop in props: n = normalizers.get(prop, None) ans.add(prop) if n is not None and prop in SHORTHAND_DEFAULTS: dec = p.parseStyle(f'{prop}: {SHORTHAND_DEFAULTS[prop]}') cssvalue = dec.getPropertyCSSValue(dec.item(0)) ans |= set(n(prop, cssvalue)) return ans def condense_edge(vals): edges = {x.name.rpartition('-')[-1]:x.value for x in vals} if len(edges) != 4 or set(edges) != {'left', 'top', 'right', 'bottom'}: return ce = {} for (x, y) in [('left', 'right'), ('top', 'bottom')]: if edges[x] == edges[y]: ce[x] = edges[x] else: ce[x], ce[y] = edges[x], edges[y] if len(ce) == 4: return ' '.join(ce[x] for x in ('top', 'right', 'bottom', 'left')) if len(ce) == 3: if 'right' in ce: return ' '.join(ce[x] for x in ('top', 'right', 'top', 'left')) return ' '.join(ce[x] for x in ('top', 'left', 'bottom')) if len(ce) == 2: if ce['top'] == ce['left']: return ce['top'] return ' '.join(ce[x] for x in ('top', 'left')) def simple_condenser(prefix, func): @wraps(func) def condense_simple(style, props): cp = func(props) if cp is not None: for prop in props: style.removeProperty(prop.name) style.setProperty(prefix, cp) return condense_simple def condense_border(style, props): prop_map = {p.name:p for p in props} edge_vals = [] for edge in EDGES: name = 'border-%s' % edge vals = [] for prop in BORDER_PROPS: x = prop_map.get(f'{name}-{prop}', None) if x is not None: vals.append(x) if len(vals) == 3: for prop in vals: style.removeProperty(prop.name) style.setProperty(name, ' '.join(x.value for x in vals)) prop_map[name] = style.getProperty(name) x = prop_map.get(name, None) if x is not None: edge_vals.append(x) if len(edge_vals) == 4 and len({x.value for x in edge_vals}) == 1: for prop in edge_vals: style.removeProperty(prop.name) style.setProperty('border', edge_vals[0].value) condensers = {'margin': simple_condenser('margin', condense_edge), 'padding': simple_condenser('padding', condense_edge), 'border': condense_border} def condense_rule(style): expanded = {'margin-':[], 'padding-':[], 'border-':[]} for prop in style.getProperties(): for x in expanded: if prop.name and prop.name.startswith(x): expanded[x].append(prop) break for prefix, vals in iteritems(expanded): if len(vals) > 1 and {x.priority for x in vals} == {''}: condensers[prefix[:-1]](style, vals) def condense_sheet(sheet): for rule in sheet.cssRules: if rule.type == rule.STYLE_RULE: condense_rule(rule.style) def test_normalization(return_tests=False): # {{{ import unittest from itertools import product from css_parser import parseStyle class TestNormalization(unittest.TestCase): longMessage = True maxDiff = None def test_font_normalization(self): def font_dict(expected): ans = {k:DEFAULTS[k] for k in font_composition} if expected else {} ans.update(expected) return ans for raw, expected in iteritems({ 'some_font': {'font-family':'some_font'}, 'inherit':{k:'inherit' for k in font_composition}, '1.2pt/1.4 A_Font': {'font-family':'A_Font', 'font-size':'1.2pt', 'line-height':'1.4'}, 'bad font': {'font-family':'"bad font"'}, '10% serif': {'font-family':'serif', 'font-size':'10%'}, '12px "My Font", serif': {'font-family':'"My Font", serif', 'font-size': '12px'}, 'normal 0.6em/135% arial,sans-serif': {'font-family': 'arial, sans-serif', 'font-size': '0.6em', 'line-height':'135%', 'font-style':'normal'}, 'bold italic large serif': {'font-family':'serif', 'font-weight':'bold', 'font-style':'italic', 'font-size':'large'}, 'bold italic small-caps larger/normal serif': {'font-family':'serif', 'font-weight':'bold', 'font-style':'italic', 'font-size':'larger', 'line-height':'normal', 'font-variant':'small-caps'}, '2em A B': {'font-family': '"A B"', 'font-size': '2em'}, }): val = tuple(parseStyle('font: %s' % raw, validate=False))[0].propertyValue style = normalizers['font']('font', val) self.assertDictEqual(font_dict(expected), style, raw) def test_border_normalization(self): def border_edge_dict(expected, edge='right'): ans = {f'border-{edge}-{x}': DEFAULTS[f'border-{edge}-{x}'] for x in ('style', 'width', 'color')} for x, v in iteritems(expected): ans[f'border-{edge}-{x}'] = v return ans def border_dict(expected): ans = {} for edge in EDGES: ans.update(border_edge_dict(expected, edge)) return ans def border_val_dict(expected, val='color'): ans = {f'border-{edge}-{val}': DEFAULTS[f'border-{edge}-{val}'] for edge in EDGES} for edge in EDGES: ans[f'border-{edge}-{val}'] = expected return ans for raw, expected in iteritems({ 'solid 1px red': {'color':'red', 'width':'1px', 'style':'solid'}, '1px': {'width': '1px'}, '#aaa': {'color': '#aaa'}, '2em groove': {'width':'2em', 'style':'groove'}, }): for edge in EDGES: br = 'border-%s' % edge val = tuple(parseStyle(f'{br}: {raw}', validate=False))[0].propertyValue self.assertDictEqual(border_edge_dict(expected, edge), normalizers[br](br, val)) for raw, expected in iteritems({ 'solid 1px red': {'color':'red', 'width':'1px', 'style':'solid'}, '1px': {'width': '1px'}, '#aaa': {'color': '#aaa'}, 'thin groove': {'width':'thin', 'style':'groove'}, }): val = tuple(parseStyle('{}: {}'.format('border', raw), validate=False))[0].propertyValue self.assertDictEqual(border_dict(expected), normalizers['border']('border', val)) for name, val in iteritems({ 'width': '10%', 'color': 'rgb(0, 1, 1)', 'style': 'double', }): cval = tuple(parseStyle(f'border-{name}: {val}', validate=False))[0].propertyValue self.assertDictEqual(border_val_dict(val, name), normalizers['border-'+name]('border-'+name, cval)) def test_edge_normalization(self): def edge_dict(prefix, expected): return {f'{prefix}-{edge}' : x for edge, x in zip(EDGES, expected)} for raw, expected in iteritems({ '2px': ('2px', '2px', '2px', '2px'), '1em 2em': ('1em', '2em', '1em', '2em'), '1em 2em 3em': ('1em', '2em', '3em', '2em'), '1 2 3 4': ('1', '2', '3', '4'), }): for prefix in ('margin', 'padding'): cval = tuple(parseStyle(f'{prefix}: {raw}', validate=False))[0].propertyValue self.assertDictEqual(edge_dict(prefix, expected), normalizers[prefix](prefix, cval)) def test_list_style_normalization(self): def ls_dict(expected): ans = {'list-style-%s' % x : DEFAULTS['list-style-%s' % x] for x in ('type', 'image', 'position')} for k, v in iteritems(expected): ans['list-style-%s' % k] = v return ans for raw, expected in iteritems({ 'url(http://www.example.com/images/list.png)': {'image': 'url(http://www.example.com/images/list.png)'}, 'inside square': {'position':'inside', 'type':'square'}, 'upper-roman url(img) outside': {'position':'outside', 'type':'upper-roman', 'image':'url(img)'}, }): cval = tuple(parseStyle('list-style: %s' % raw, validate=False))[0].propertyValue self.assertDictEqual(ls_dict(expected), normalizers['list-style']('list-style', cval)) def test_filter_css_normalization(self): ae = self.assertEqual ae({'font'} | set(font_composition), normalize_filter_css({'font'})) for p in ('margin', 'padding'): ae({p} | {p + '-' + x for x in EDGES}, normalize_filter_css({p})) bvals = {f'border-{edge}-{x}' for edge in EDGES for x in BORDER_PROPS} ae(bvals | {'border'}, normalize_filter_css({'border'})) for x in BORDER_PROPS: sbvals = {f'border-{e}-{x}' for e in EDGES} ae(sbvals | {'border-%s' % x}, normalize_filter_css({'border-%s' % x})) for e in EDGES: sbvals = {f'border-{e}-{x}' for x in BORDER_PROPS} ae(sbvals | {'border-%s' % e}, normalize_filter_css({'border-%s' % e})) ae({'list-style', 'list-style-image', 'list-style-type', 'list-style-position'}, normalize_filter_css({'list-style'})) def test_edge_condensation(self): for s, v in iteritems({ (1, 1, 3) : None, (1, 2, 3, 4) : '2pt 3pt 4pt 1pt', (1, 2, 3, 2) : '2pt 3pt 2pt 1pt', (1, 2, 1, 3) : '2pt 1pt 3pt', (1, 2, 1, 2) : '2pt 1pt', (1, 1, 1, 1) : '1pt', ('2%', '2%', '2%', '2%') : '2%', tuple('0 0 0 0'.split()) : '0', }): for prefix in ('margin', 'padding'): css = {f'{prefix}-{x}' : str(y)+'pt' if isinstance(y, numbers.Number) else y for x, y in zip(('left', 'top', 'right', 'bottom'), s)} css = '; '.join((f'{k}:{v}' for k, v in iteritems(css))) style = parseStyle(css) condense_rule(style) val = getattr(style.getProperty(prefix), 'value', None) self.assertEqual(v, val) if val is not None: for edge in EDGES: self.assertFalse(getattr(style.getProperty(f'{prefix}-{edge}'), 'value', None)) def test_border_condensation(self): vals = 'red solid 5px' css = '; '.join(f'border-{edge}-{p}: {v}' for edge in EDGES for p, v in zip(BORDER_PROPS, vals.split())) style = parseStyle(css) condense_rule(style) for e, p in product(EDGES, BORDER_PROPS): self.assertFalse(style.getProperty(f'border-{e}-{p}')) self.assertFalse(style.getProperty('border-%s' % e)) self.assertFalse(style.getProperty('border-%s' % p)) self.assertEqual(style.getProperty('border').value, vals) css = '; '.join(f'border-{edge}-{p}: {v}' for edge in ('top',) for p, v in zip(BORDER_PROPS, vals.split())) style = parseStyle(css) condense_rule(style) self.assertEqual(css_text(style).rstrip(';'), 'border-top: %s' % vals) css += ';' + '; '.join(f'border-{edge}-{p}: {v}' for edge in ('right', 'left', 'bottom') for p, v in zip(BORDER_PROPS, vals.replace('red', 'green').split())) style = parseStyle(css) condense_rule(style) self.assertEqual(len(style.getProperties()), 4) self.assertEqual(style.getProperty('border-top').value, vals) self.assertEqual(style.getProperty('border-left').value, vals.replace('red', 'green')) tests = unittest.defaultTestLoader.loadTestsFromTestCase(TestNormalization) if return_tests: return tests unittest.TextTestRunner(verbosity=4).run(tests) # }}} if __name__ == '__main__': test_normalization()
19,739
Python
.py
377
41.257294
158
0.553235
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,360
writer.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/writer.py
''' Directory output OEBBook writer. ''' __license__ = 'GPL v3' __copyright__ = '2008, Marshall T. Vandegrift <llasram@gmail.com>' import os from calibre.ebooks.oeb.base import OPF_MIME, DirContainer, OEBError, xml2str __all__ = ['OEBWriter'] class OEBWriter: DEFAULT_PROFILE = 'PRS505' """Default renderer profile for content written with this Writer.""" TRANSFORMS = [] """List of transforms to apply to content written with this Writer.""" def __init__(self, version='2.0', page_map=False, pretty_print=False): self.version = version self.page_map = page_map self.pretty_print = pretty_print @classmethod def config(cls, cfg): """Add any book-writing options to the :class:`Config` object :param:`cfg`. """ oeb = cfg.add_group('oeb', _('OPF/NCX/etc. generation options.')) versions = ['1.2', '2.0'] oeb('opf_version', ['--opf-version'], default='2.0', choices=versions, help=_('OPF version to generate. Default is %default.')) oeb('adobe_page_map', ['--adobe-page-map'], default=False, help=_('Generate an Adobe "page-map" file if pagination ' 'information is available.')) return cfg @classmethod def generate(cls, opts): """Generate a Writer instance from command-line options.""" version = opts.opf_version page_map = opts.adobe_page_map pretty_print = opts.pretty_print return cls(version=version, page_map=page_map, pretty_print=pretty_print) def __call__(self, oeb, path): """ Write the book in the :class:`OEBBook` object :param:`oeb` to a folder at :param:`path`. """ version = int(self.version[0]) opfname = None if os.path.splitext(path)[1].lower() == '.opf': opfname = os.path.basename(path) path = os.path.dirname(path) if not os.path.isdir(path): os.mkdir(path) output = DirContainer(path, oeb.log) for item in oeb.manifest.values(): output.write(item.href, item.bytes_representation) if version == 1: metadata = oeb.to_opf1() elif version == 2: metadata = oeb.to_opf2(page_map=self.page_map) else: raise OEBError("Unrecognized OPF version %r" % self.version) pretty_print = self.pretty_print for mime, (href, data) in metadata.items(): if opfname and mime == OPF_MIME: href = opfname output.write(href, xml2str(data, pretty_print=pretty_print)) return
2,666
Python
.py
65
32.4
78
0.600077
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,361
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/__init__.py
__license__ = 'GPL v3' __copyright__ = '2008, Marshall T. Vandegrift <llasram@gmail.com>'
92
Python
.py
2
45
66
0.655556
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,362
base.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/base.py
''' Basic support for manipulating OEB 1.x/2.0 content and metadata. ''' __license__ = 'GPL v3' __copyright__ = '2008, Marshall T. Vandegrift <llasram@gmail.com>' __docformat__ = 'restructuredtext en' import logging import numbers import os import re import sys from collections import defaultdict from itertools import count from operator import attrgetter from typing import Optional from lxml import etree, html from calibre import as_unicode, force_unicode, get_types_map, isbytestring from calibre.constants import __version__, filesystem_encoding from calibre.ebooks.chardet import xml_to_unicode from calibre.ebooks.conversion.preprocess import CSSPreProcessor from calibre.ebooks.oeb.parse_utils import XHTML, XHTML_NS, NotHTML, barename, namespace, parse_html from calibre.translations.dynamic import translate from calibre.utils.cleantext import clean_xml_chars from calibre.utils.icu import numeric_sort_key from calibre.utils.icu import title_case as icu_title from calibre.utils.localization import __ from calibre.utils.short_uuid import uuid4 from calibre.utils.xml_parse import safe_xml_fromstring from polyglot.builtins import codepoint_to_chr, iteritems, itervalues, string_or_bytes from polyglot.urllib import unquote as urlunquote from polyglot.urllib import urldefrag, urljoin, urlparse, urlunparse XML_NS = 'http://www.w3.org/XML/1998/namespace' OEB_DOC_NS = 'http://openebook.org/namespaces/oeb-document/1.0/' OPF1_NS = 'http://openebook.org/namespaces/oeb-package/1.0/' OPF2_NS = 'http://www.idpf.org/2007/opf' OPF_NSES = {OPF1_NS, OPF2_NS} DC09_NS = 'http://purl.org/metadata/dublin_core' DC10_NS = 'http://purl.org/dc/elements/1.0/' DC11_NS = 'http://purl.org/dc/elements/1.1/' DC_NSES = {DC09_NS, DC10_NS, DC11_NS} XSI_NS = 'http://www.w3.org/2001/XMLSchema-instance' DCTERMS_NS = 'http://purl.org/dc/terms/' NCX_NS = 'http://www.daisy.org/z3986/2005/ncx/' SVG_NS = 'http://www.w3.org/2000/svg' XLINK_NS = 'http://www.w3.org/1999/xlink' CALIBRE_NS = 'http://calibre.kovidgoyal.net/2009/metadata' RE_NS = 'http://exslt.org/regular-expressions' MBP_NS = 'http://www.mobipocket.com' EPUB_NS = 'http://www.idpf.org/2007/ops' MATHML_NS = 'http://www.w3.org/1998/Math/MathML' SMIL_NS = 'http://www.w3.org/ns/SMIL' XPNSMAP = { 'h': XHTML_NS, 'o1': OPF1_NS, 'o2': OPF2_NS, 'd09': DC09_NS, 'd10': DC10_NS, 'd11': DC11_NS, 'xsi': XSI_NS, 'dt': DCTERMS_NS, 'ncx': NCX_NS, 'svg': SVG_NS, 'xl': XLINK_NS, 're': RE_NS, 'mathml': MATHML_NS, 'mbp': MBP_NS, 'calibre': CALIBRE_NS, 'epub':EPUB_NS, 'smil': SMIL_NS, } OPF1_NSMAP = {'dc': DC11_NS, 'oebpackage': OPF1_NS} OPF2_NSMAP = {'opf': OPF2_NS, 'dc': DC11_NS, 'dcterms': DCTERMS_NS, 'xsi': XSI_NS, 'calibre': CALIBRE_NS} def XML(name): return f'{{{XML_NS}}}{name}' def OPF(name): return f'{{{OPF2_NS}}}{name}' def DC(name): return f'{{{DC11_NS}}}{name}' def XSI(name): return f'{{{XSI_NS}}}{name}' def DCTERMS(name): return f'{{{DCTERMS_NS}}}{name}' def NCX(name): return f'{{{NCX_NS}}}{name}' def SVG(name): return f'{{{SVG_NS}}}{name}' def XLINK(name): return f'{{{XLINK_NS}}}{name}' def SMIL(name): return f'{{{SMIL_NS}}}{name}' def EPUB(name): return f'{{{EPUB_NS}}}{name}' def CALIBRE(name): return f'{{{CALIBRE_NS}}}{name}' _css_url_re = re.compile(r'url\s*\([\'"]{0,1}(.*?)[\'"]{0,1}\)', re.I) _css_import_re = re.compile(r'@import "(.*?)"') _archive_re = re.compile(r'[^ ]+') # Tags that should not be self closed in epub output self_closing_bad_tags = {'a', 'abbr', 'address', 'article', 'aside', 'audio', 'b', 'bdo', 'blockquote', 'body', 'button', 'cite', 'code', 'dd', 'del', 'details', 'dfn', 'div', 'dl', 'dt', 'em', 'fieldset', 'figcaption', 'figure', 'footer', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'header', 'hgroup', 'i', 'iframe', 'ins', 'kbd', 'label', 'legend', 'li', 'map', 'mark', 'meter', 'nav', 'ol', 'output', 'p', 'pre', 'progress', 'q', 'rp', 'rt', 'samp', 'section', 'select', 'small', 'span', 'strong', 'sub', 'summary', 'sup', 'textarea', 'time', 'ul', 'var', 'video', 'title', 'script', 'style'} def css_text(x): ans = x.cssText if isinstance(ans, bytes): ans = ans.decode('utf-8', 'replace') return ans def as_string_type(pat, for_unicode): if for_unicode: if isinstance(pat, bytes): pat = pat.decode('utf-8') else: if isinstance(pat, str): pat = pat.encode('utf-8') return pat def self_closing_pat(for_unicode): attr = 'unicode_ans' if for_unicode else 'bytes_ans' ans = getattr(self_closing_pat, attr, None) if ans is None: sub = '|'.join(self_closing_bad_tags) template = r'<(?P<tag>%s)(?=[\s/])(?P<arg>[^>]*)/>' pat = template % sub pat = as_string_type(pat, for_unicode) ans = re.compile(pat, flags=re.IGNORECASE) setattr(self_closing_pat, attr, ans) return ans def close_self_closing_tags(raw): for_unicode = isinstance(raw, str) repl = as_string_type(r'<\g<tag>\g<arg>></\g<tag>>', for_unicode) pat = self_closing_pat(for_unicode) return pat.sub(repl, raw) def uuid_id(): return 'u' + uuid4() def itercsslinks(raw): for match in _css_url_re.finditer(raw): yield match.group(1), match.start(1) for match in _css_import_re.finditer(raw): yield match.group(1), match.start(1) _link_attrs = set(html.defs.link_attrs) | {XLINK('href'), 'poster', 'altimg'} def iterlinks(root, find_links_in_css=True): ''' Iterate over all links in a OEB Document. :param root: A valid lxml.etree element. ''' assert etree.iselement(root) for el in root.iter('*'): try: tag = barename(el.tag).lower() except Exception: continue attribs = el.attrib if tag == 'object': codebase = None # <object> tags have attributes that are relative to # codebase if 'codebase' in attribs: codebase = el.get('codebase') yield (el, 'codebase', codebase, 0) for attrib in 'classid', 'data': if attrib in attribs: value = el.get(attrib) if codebase is not None: value = urljoin(codebase, value) yield (el, attrib, value, 0) if 'archive' in attribs: for match in _archive_re.finditer(el.get('archive')): value = match.group(0) if codebase is not None: value = urljoin(codebase, value) yield (el, 'archive', value, match.start()) else: for attr in attribs: if attr in _link_attrs: yield (el, attr, attribs[attr], 0) if not find_links_in_css: continue if tag == 'style' and el.text: for match in _css_url_re.finditer(el.text): yield (el, None, match.group(1), match.start(1)) for match in _css_import_re.finditer(el.text): yield (el, None, match.group(1), match.start(1)) if 'style' in attribs: for match in _css_url_re.finditer(attribs['style']): yield (el, 'style', match.group(1), match.start(1)) def make_links_absolute(root, base_url): ''' Make all links in the document absolute, given the ``base_url`` for the document (the full URL where the document came from) ''' def link_repl(href): return urljoin(base_url, href) rewrite_links(root, link_repl) def resolve_base_href(root): base_href = None basetags = root.xpath('//base[@href]|//h:base[@href]', namespaces=XPNSMAP) for b in basetags: base_href = b.get('href') b.drop_tree() if not base_href: return make_links_absolute(root, base_href, resolve_base_href=False) def rewrite_links(root, link_repl_func, resolve_base_href=False): ''' Rewrite all the links in the document. For each link ``link_repl_func(link)`` will be called, and the return value will replace the old link. Note that links may not be absolute (unless you first called ``make_links_absolute()``), and may be internal (e.g., ``'#anchor'``). They can also be values like ``'mailto:email'`` or ``'javascript:expr'``. If the ``link_repl_func`` returns None, the attribute or tag text will be removed completely. ''' from css_parser import CSSParser, log, replaceUrls log.setLevel(logging.WARN) log.raiseExceptions = False if resolve_base_href: resolve_base_href(root) for el, attrib, link, pos in iterlinks(root, find_links_in_css=False): new_link = link_repl_func(link.strip()) if new_link == link: continue if new_link is None: # Remove the attribute or element content if attrib is None: el.text = '' else: del el.attrib[attrib] continue if attrib is None: new = el.text[:pos] + new_link + el.text[pos+len(link):] el.text = new else: cur = el.attrib[attrib] if not pos and len(cur) == len(link): # Most common case el.attrib[attrib] = new_link else: new = cur[:pos] + new_link + cur[pos+len(link):] el.attrib[attrib] = new parser = CSSParser(raiseExceptions=False, log=_css_logger, fetcher=lambda x:(None, '')) for el in root.iter(etree.Element): try: tag = el.tag except UnicodeDecodeError: continue if tag in (XHTML('style'), SVG('style')) and el.text and \ (_css_url_re.search(el.text) is not None or '@import' in el.text): stylesheet = parser.parseString(el.text, validate=False) replaceUrls(stylesheet, link_repl_func) repl = css_text(stylesheet) el.text = '\n'+ clean_xml_chars(repl) + '\n' text = el.get('style') if text and _css_url_re.search(text) is not None: try: stext = parser.parseStyle(text, validate=False) except Exception: # Parsing errors are raised by css_parser continue replaceUrls(stext, link_repl_func) repl = css_text(stext).replace('\n', ' ').replace('\r', ' ') el.set('style', repl) types_map = get_types_map() EPUB_MIME = types_map['.epub'] XHTML_MIME = types_map['.xhtml'] CSS_MIME = types_map['.css'] NCX_MIME = types_map['.ncx'] OPF_MIME = types_map['.opf'] PAGE_MAP_MIME = 'application/oebps-page-map+xml' OEB_DOC_MIME = 'text/x-oeb1-document' OEB_CSS_MIME = 'text/x-oeb1-css' OPENTYPE_MIME = types_map['.otf'] GIF_MIME = types_map['.gif'] JPEG_MIME = types_map['.jpeg'] PNG_MIME = types_map['.png'] SVG_MIME = types_map['.svg'] WEBP_MIME = types_map['.webp'] BINARY_MIME = 'application/octet-stream' XHTML_CSS_NAMESPACE = '@namespace "%s";\n' % XHTML_NS OEB_STYLES = {CSS_MIME, OEB_CSS_MIME, 'text/x-oeb-css', 'xhtml/css'} OEB_DOCS = {XHTML_MIME, 'text/html', OEB_DOC_MIME, 'text/x-oeb-document'} OEB_RASTER_IMAGES = {GIF_MIME, JPEG_MIME, PNG_MIME, WEBP_MIME} OEB_IMAGES = {GIF_MIME, JPEG_MIME, PNG_MIME, SVG_MIME} MS_COVER_TYPE = 'other.ms-coverimage-standard' ENTITY_RE = re.compile(r'&([a-zA-Z_:][a-zA-Z0-9.-_:]+);') COLLAPSE_RE = re.compile(r'[ \t\r\n\v]+') QNAME_RE = re.compile(r'^[{][^{}]+[}][^{}]+$') PREFIXNAME_RE = re.compile(r'^[^:]+[:][^:]+') XMLDECL_RE = re.compile(r'^\s*<[?]xml.*?[?]>') CSSURL_RE = re.compile(r'''url[(](?P<q>["']?)(?P<url>[^)]+)(?P=q)[)]''') def element(parent, *args, **kwargs): if parent is not None: return etree.SubElement(parent, *args, **kwargs) return etree.Element(*args, **kwargs) def prefixname(name, nsrmap): if not isqname(name): return name ns = namespace(name) if ns not in nsrmap: return name prefix = nsrmap[ns] if not prefix: return barename(name) return ':'.join((prefix, barename(name))) def isprefixname(name): return name and PREFIXNAME_RE.match(name) is not None def qname(name, nsmap): if not isprefixname(name): return name prefix, local = name.split(':', 1) if prefix not in nsmap: return name return f'{{{nsmap[prefix]}}}{local}' def isqname(name): return name and QNAME_RE.match(name) is not None def XPath(expr): return etree.XPath(expr, namespaces=XPNSMAP) def xpath(elem, expr): return elem.xpath(expr, namespaces=XPNSMAP) def xml2str(root, pretty_print=False, strip_comments=False, with_tail=True): if not strip_comments: # -- in comments trips up adobe digital editions for x in root.iterdescendants(etree.Comment): if x.text and '--' in x.text: x.text = x.text.replace('--', '__') ans = etree.tostring(root, encoding='utf-8', xml_declaration=True, pretty_print=pretty_print, with_tail=with_tail) if strip_comments: ans = re.compile(br'<!--.*?-->', re.DOTALL).sub(b'', ans) return ans def xml2text(elem, pretty_print=False, method='text'): return etree.tostring(elem, method=method, encoding='unicode', with_tail=False, pretty_print=pretty_print) def escape_cdata(root): pat = re.compile(r'[<>&]') for elem in root.iterdescendants('{%s}style' % XHTML_NS, '{%s}script' % XHTML_NS): if elem.text and pat.search(elem.text) is not None: elem.text = etree.CDATA(elem.text.replace(']]>', r'\]\]\>')) def serialize(data, media_type, pretty_print=False): if isinstance(data, etree._Element): is_oeb_doc = media_type in OEB_DOCS if is_oeb_doc: escape_cdata(data) ans = xml2str(data, pretty_print=pretty_print) if is_oeb_doc: # Convert self closing div|span|a|video|audio|iframe|etc tags # to normally closed ones, as they are interpreted # incorrectly by some browser based renderers ans = close_self_closing_tags(ans) return ans if isinstance(data, str): return data.encode('utf-8') if hasattr(data, 'cssText'): from calibre.ebooks.oeb.polish.utils import setup_css_parser_serialization setup_css_parser_serialization() data = data.cssText if isinstance(data, str): data = data.encode('utf-8') return data + b'\n' return b'' if data is None else bytes(data) ASCII_CHARS = frozenset(codepoint_to_chr(x) for x in range(128)) UNIBYTE_CHARS = frozenset(x.encode('ascii') for x in ASCII_CHARS) USAFE = ('ABCDEFGHIJKLMNOPQRSTUVWXYZ' 'abcdefghijklmnopqrstuvwxyz' '0123456789' '_.-/~') URL_SAFE = frozenset(USAFE) URL_SAFE_BYTES = frozenset(USAFE.encode('ascii')) URL_UNSAFE = [ASCII_CHARS - URL_SAFE, UNIBYTE_CHARS - URL_SAFE_BYTES] del USAFE def urlquote(href): """ Quote URL-unsafe characters, allowing IRI-safe characters. That is, this function returns valid IRIs not valid URIs. In particular, IRIs can contain non-ascii characters. """ result = [] isbytes = isinstance(href, bytes) unsafe = URL_UNSAFE[int(isbytes)] esc, join = "%%%02x", '' if isbytes: esc, join = esc.encode('ascii'), b'' for char in href: if char in unsafe: char = esc % ord(char) result.append(char) return join.join(result) def urlnormalize(href): """Convert a URL into normalized form, with all and only URL-unsafe characters URL quoted. """ try: parts = urlparse(href) except ValueError as e: raise ValueError(f'Failed to parse the URL: {href!r} with underlying error: {as_unicode(e)}') if not parts.scheme or parts.scheme == 'file': path, frag = urldefrag(href) parts = ('', '', path, '', '', frag) parts = (part.replace('\\', '/') for part in parts) parts = (urlunquote(part) for part in parts) parts = (urlquote(part) for part in parts) return urlunparse(parts) def extract(elem): """ Removes this element from the tree, including its children and text. The tail text is joined to the previous element or parent. """ parent = elem.getparent() if parent is not None: if elem.tail: previous = elem.getprevious() if previous is None: parent.text = (parent.text or '') + elem.tail else: previous.tail = (previous.tail or '') + elem.tail parent.remove(elem) class DummyHandler(logging.Handler): def __init__(self): logging.Handler.__init__(self, logging.WARNING) self.setFormatter(logging.Formatter('%(message)s')) self.log = None def emit(self, record): if self.log is not None: msg = self.format(record) f = self.log.error if record.levelno >= logging.ERROR \ else self.log.warn f(msg) _css_logger = logging.getLogger('calibre.css') _css_logger.setLevel(logging.WARNING) _css_log_handler = DummyHandler() _css_logger.addHandler(_css_log_handler) class OEBError(Exception): """Generic OEB-processing error.""" pass class NullContainer: """An empty container. For use with book formats which do not support container-like access. """ def __init__(self, log): self.log = log def read(self, path): raise OEBError('Attempt to read from NullContainer') def write(self, path): raise OEBError('Attempt to write to NullContainer') def exists(self, path): return False def namelist(self): return [] class DirContainer: """Filesystem directory container.""" def __init__(self, path, log, ignore_opf=False): self.log = log if isbytestring(path): path = path.decode(filesystem_encoding) self.opfname = None ext = os.path.splitext(path)[1].lower() if ext == '.opf': self.opfname = os.path.basename(path) self.rootdir = os.path.dirname(path) return self.rootdir = path if not ignore_opf: for path in self.namelist(): ext = os.path.splitext(path)[1].lower() if ext == '.opf': self.opfname = path return def _unquote(self, path): # unquote must run on a bytestring and will return a bytestring # If it runs on a unicode object, it returns a double encoded unicode # string: unquote(u'%C3%A4') != unquote(b'%C3%A4').decode('utf-8') # and the latter is correct if isinstance(path, str): path = path.encode('utf-8') return urlunquote(path).decode('utf-8') def read(self, path): if path is None: path = self.opfname path = os.path.join(self.rootdir, self._unquote(path)) with open(path, 'rb') as f: return f.read() def write(self, path, data): path = os.path.join(self.rootdir, self._unquote(path)) dir = os.path.dirname(path) if not os.path.isdir(dir): os.makedirs(dir) with open(path, 'wb') as f: return f.write(data) def exists(self, path): if not path: return False try: path = os.path.join(self.rootdir, self._unquote(path)) except ValueError: # Happens if path contains quoted special chars return False try: return os.path.isfile(path) except UnicodeEncodeError: # On linux, if LANG is unset, the os.stat call tries to encode the # unicode path using ASCII # To replicate try: # LANG=en_US.ASCII python -c "import os; os.stat(u'Espa\xf1a')" return os.path.isfile(path.encode(filesystem_encoding)) def namelist(self): names = [] base = self.rootdir for root, dirs, files in os.walk(base): for fname in files: fname = os.path.join(root, fname) if isinstance(fname, bytes): try: fname = fname.decode(filesystem_encoding) except Exception: try: fname = fname.decode('utf-8') except Exception: continue fname = fname.replace('\\', '/') names.append(fname) return names class Metadata: """A collection of OEB data model metadata. Provides access to the list of items associated with a particular metadata term via the term's local name using either Python container or attribute syntax. Return an empty list for any terms with no currently associated metadata items. """ DC_TERMS = {'contributor', 'coverage', 'creator', 'date', 'description', 'format', 'identifier', 'language', 'publisher', 'relation', 'rights', 'source', 'subject', 'title', 'type'} CALIBRE_TERMS = {'series', 'series_index', 'rating', 'timestamp', 'publication_type', 'title_sort'} OPF_ATTRS = {'role': OPF('role'), 'file-as': OPF('file-as'), 'scheme': OPF('scheme'), 'event': OPF('event'), 'type': XSI('type'), 'lang': XML('lang'), 'id': 'id'} OPF1_NSMAP = {'dc': DC11_NS, 'oebpackage': OPF1_NS} OPF2_NSMAP = {'opf': OPF2_NS, 'dc': DC11_NS, 'dcterms': DCTERMS_NS, 'xsi': XSI_NS, 'calibre': CALIBRE_NS} class Item: """An item of OEB data model metadata. The metadata term or name may be accessed via the :attr:`term` or :attr:`name` attributes. The metadata value or content may be accessed via the :attr:`value` or :attr:`content` attributes, or via Unicode or string representations of the object. OEB data model metadata attributes may be accessed either via their fully-qualified names using the Python container access syntax, or via their local names using Python attribute syntax. Only attributes allowed by the OPF 2.0 specification are supported. """ class Attribute: """Smart accessor for allowed OEB metadata item attributes.""" def __init__(self, attr, allowed=None): if not callable(attr): attr_, attr = attr, lambda term: attr_ self.attr = attr self.allowed = allowed def term_attr(self, obj): term = obj.term if namespace(term) != DC11_NS: term = OPF('meta') allowed = self.allowed if allowed is not None and term not in allowed: raise AttributeError( 'attribute {!r} not valid for metadata term {!r}'.format( self.attr(term), barename(obj.term))) return self.attr(term) def __get__(self, obj, cls): if obj is None: return None return obj.attrib.get(self.term_attr(obj), '') def __set__(self, obj, value): obj.attrib[self.term_attr(obj)] = value def __init__(self, term, value, attrib={}, nsmap={}, **kwargs): self.attrib = attrib = dict(attrib) self.nsmap = nsmap = dict(nsmap) attrib.update(kwargs) if namespace(term) == OPF2_NS: term = barename(term) ns = namespace(term) local = barename(term).lower() if local in Metadata.DC_TERMS and (not ns or ns in DC_NSES): # Anything looking like Dublin Core is coerced term = DC(local) elif local in Metadata.CALIBRE_TERMS and ns in (CALIBRE_NS, ''): # Ditto for Calibre-specific metadata term = CALIBRE(local) self.term = term self.value = value for attr, value in tuple(iteritems(attrib)): if isprefixname(value): attrib[attr] = qname(value, nsmap) nsattr = Metadata.OPF_ATTRS.get(attr, attr) if nsattr == OPF('scheme') and namespace(term) != DC11_NS: # The opf:meta element takes @scheme, not @opf:scheme nsattr = 'scheme' if attr != nsattr: attrib[nsattr] = attrib.pop(attr) @property def name(self): return self.term @property def content(self): return self.value @content.setter def content(self, value): self.value = value scheme = Attribute(lambda term: 'scheme' if term == OPF('meta') else OPF('scheme'), [DC('identifier'), OPF('meta')]) file_as = Attribute(OPF('file-as'), [DC('creator'), DC('contributor'), DC('title')]) role = Attribute(OPF('role'), [DC('creator'), DC('contributor')]) event = Attribute(OPF('event'), [DC('date')]) id = Attribute('id') type = Attribute(XSI('type'), [DC('date'), DC('format'), DC('type')]) lang = Attribute(XML('lang'), [DC('contributor'), DC('coverage'), DC('creator'), DC('publisher'), DC('relation'), DC('rights'), DC('source'), DC('subject'), OPF('meta')]) def __getitem__(self, key): return self.attrib[key] def __setitem__(self, key, value): self.attrib[key] = value def __contains__(self, key): return key in self.attrib def get(self, key, default=None): return self.attrib.get(key, default) def __repr__(self): return 'Item(term=%r, value=%r, attrib=%r)' \ % (barename(self.term), self.value, self.attrib) def __str__(self): return as_unicode(self.value) def to_opf1(self, dcmeta=None, xmeta=None, nsrmap={}): attrib = {} for key, value in self.attrib.items(): if namespace(key) == OPF2_NS: key = barename(key) attrib[key] = prefixname(value, nsrmap) if namespace(self.term) == DC11_NS: name = DC(icu_title(barename(self.term))) elem = element(dcmeta, name, attrib=attrib) elem.text = self.value else: elem = element(xmeta, 'meta', attrib=attrib) elem.attrib['name'] = prefixname(self.term, nsrmap) elem.attrib['content'] = prefixname(self.value, nsrmap) return elem def to_opf2(self, parent=None, nsrmap={}): attrib = {} for key, value in self.attrib.items(): attrib[key] = prefixname(value, nsrmap) if namespace(self.term) == DC11_NS: elem = element(parent, self.term, attrib=attrib) try: elem.text = self.value except: elem.text = repr(self.value) else: elem = element(parent, OPF('meta'), attrib=attrib) elem.attrib['name'] = prefixname(self.term, nsrmap) elem.attrib['content'] = prefixname(self.value, nsrmap) return elem def __init__(self, oeb): self.oeb = oeb self.items = defaultdict(list) self.primary_writing_mode = None def add(self, term, value, attrib={}, nsmap={}, **kwargs): """Add a new metadata item.""" item = self.Item(term, value, attrib, nsmap, **kwargs) items = self.items[barename(item.term)] items.append(item) return item def iterkeys(self): yield from self.items __iter__ = iterkeys def clear(self, key): l = self.items[key] for x in list(l): l.remove(x) def filter(self, key, predicate): l = self.items[key] for x in list(l): if predicate(x): l.remove(x) def __getitem__(self, key): return self.items[key] def __contains__(self, key): return key in self.items def __getattr__(self, term): return self.items[term] @property def _nsmap(self): nsmap = {} for term in self.items: for item in self.items[term]: nsmap.update(item.nsmap) return nsmap @property def _opf1_nsmap(self): nsmap = self._nsmap for key, value in nsmap.items(): if value in OPF_NSES or value in DC_NSES: del nsmap[key] return nsmap @property def _opf2_nsmap(self): nsmap = self._nsmap nsmap.update(OPF2_NSMAP) return nsmap def to_opf1(self, parent=None): nsmap = self._opf1_nsmap nsrmap = {value: key for key, value in iteritems(nsmap)} elem = element(parent, 'metadata', nsmap=nsmap) dcmeta = element(elem, 'dc-metadata', nsmap=OPF1_NSMAP) xmeta = element(elem, 'x-metadata') for term in self.items: for item in self.items[term]: item.to_opf1(dcmeta, xmeta, nsrmap=nsrmap) if 'ms-chaptertour' not in self.items: chaptertour = self.Item('ms-chaptertour', 'chaptertour') chaptertour.to_opf1(dcmeta, xmeta, nsrmap=nsrmap) return elem def to_opf2(self, parent=None): nsmap = self._opf2_nsmap nsrmap = {value: key for key, value in iteritems(nsmap)} elem = element(parent, OPF('metadata'), nsmap=nsmap) for term in self.items: for item in self.items[term]: item.to_opf2(elem, nsrmap=nsrmap) if self.primary_writing_mode: elem.append(elem.makeelement(OPF('meta'), attrib={'name':'primary-writing-mode', 'content':self.primary_writing_mode})) return elem class Manifest: """Collection of files composing an OEB data model book. Provides access to the content of the files composing the book and attributes associated with those files, including their internal paths, unique identifiers, and MIME types. Itself acts as a :class:`set` of manifest items, and provides the following instance data member for dictionary-like access: :attr:`ids`: A dictionary in which the keys are the unique identifiers of the manifest items and the values are the items themselves. :attr:`hrefs`: A dictionary in which the keys are the internal paths of the manifest items and the values are the items themselves. """ class Item: """An OEB data model book content file. Provides the following data members for accessing the file content and metadata associated with this particular file. :attr:`id`: Unique identifier. :attr:`href`: Book-internal path. :attr:`media_type`: MIME type of the file content. :attr:`fallback`: Unique id of any fallback manifest item associated with this manifest item. :attr:`spine_position`: Display/reading order index for book textual content. `None` for manifest items which are not part of the book's textual content. :attr:`linear`: `True` for textual content items which are part of the primary linear reading order and `False` for textual content items which are not (such as footnotes). Meaningless for items which have a :attr:`spine_position` of `None`. """ def __init__(self, oeb, id, href, media_type, fallback=None, loader=str, data=None): if href: href = str(href) self.oeb = oeb self.id = id self.href = self.path = urlnormalize(href) self.media_type = media_type self.fallback = fallback self.override_css_fetch = None self.resolve_css_imports = True self.spine_position = None self.linear = True if loader is None and data is None: loader = oeb.container.read self._loader = loader self._data = data def __repr__(self): return 'Item(id=%r, href=%r, media_type=%r)' \ % (self.id, self.href, self.media_type) # Parsing {{{ def _parse_xml(self, data): if not data: return data = xml_to_unicode(data, strip_encoding_pats=True, assume_utf8=True, resolve_entities=True)[0] return safe_xml_fromstring(data) def _parse_xhtml(self, data): orig_data = data fname = urlunquote(self.href) self.oeb.log.debug('Parsing', fname, '...') self.oeb.html_preprocessor.current_href = self.href try: data = parse_html(data, log=self.oeb.log, decoder=self.oeb.decode, preprocessor=self.oeb.html_preprocessor, filename=fname, non_html_file_tags={'ncx'}) except NotHTML: return self._parse_xml(orig_data) return data def _parse_txt(self, data): has_html = '<html>' if isinstance(data, bytes): has_html = has_html.encode('ascii') if has_html in data: return self._parse_xhtml(data) self.oeb.log.debug('Converting', self.href, '...') from calibre.ebooks.txt.processor import convert_markdown title = self.oeb.metadata.title if title: title = str(title[0]) else: title = _('Unknown') return self._parse_xhtml(convert_markdown(data, title=title)) def _parse_css(self, data): from css_parser import CSSParser, log, resolveImports from css_parser.css import CSSRule log.setLevel(logging.WARN) log.raiseExceptions = False self.oeb.log.debug('Parsing', self.href, '...') data = self.oeb.decode(data) data = self.oeb.css_preprocessor(data, add_namespace=False) parser = CSSParser(loglevel=logging.WARNING, fetcher=self.override_css_fetch or self._fetch_css, log=_css_logger) data = parser.parseString(data, href=self.href, validate=False) if self.resolve_css_imports: data = resolveImports(data) for rule in tuple(data.cssRules.rulesOfType(CSSRule.PAGE_RULE)): data.cssRules.remove(rule) return data def _fetch_css(self, path): hrefs = self.oeb.manifest.hrefs if path not in hrefs: self.oeb.logger.warn('CSS import of missing file %r' % path) return (None, None) item = hrefs[path] if item.media_type not in OEB_STYLES: self.oeb.logger.warn('CSS import of non-CSS file %r' % path) return (None, None) data = item.data.cssText enc = None if isinstance(data, str) else 'utf-8' return (enc, data) # }}} @property def data_as_bytes_or_none(self) -> Optional[bytes]: if self._loader is None: return None return self._loader(getattr(self, 'html_input_href', self.href)) @property def data(self): """Provides MIME type sensitive access to the manifest entry's associated content. - XHTML, HTML, and variant content is parsed as necessary to convert and return as an lxml.etree element in the XHTML namespace. - XML content is parsed and returned as an lxml.etree element. - CSS and CSS-variant content is parsed and returned as a css_parser CSS DOM stylesheet. - All other content is returned as a :class:`str` or :class:`bytes` object with no special parsing. """ data = self._data if data is None: data = self.data_as_bytes_or_none try: mt = self.media_type.lower() except Exception: mt = 'application/octet-stream' if not isinstance(data, string_or_bytes): pass # already parsed elif mt in OEB_DOCS: data = self._parse_xhtml(data) elif mt[-4:] in ('+xml', '/xml'): data = self._parse_xml(data) elif mt in OEB_STYLES: data = self._parse_css(data) elif mt == 'text/plain': self.oeb.log.warn('%s contains data in TXT format'%self.href, 'converting to HTML') data = self._parse_txt(data) self.media_type = XHTML_MIME self._data = data return data @data.setter def data(self, value): self._data = value @data.deleter def data(self): self._data = None def reparse_css(self): self._data = self._parse_css(str(self)) def unload_data_from_memory(self, memory=None): if isinstance(self._data, bytes): if memory is None: from calibre.ptempfile import PersistentTemporaryFile pt = PersistentTemporaryFile(suffix='_oeb_base_mem_unloader.img') with pt: pt.write(self._data) self.oeb._temp_files.append(pt.name) def loader(*args): with open(pt.name, 'rb') as f: ans = f.read() os.remove(pt.name) return ans self._loader = loader else: def loader2(*args): with open(memory, 'rb') as f: ans = f.read() return ans self._loader = loader2 self._data = None @property def unicode_representation(self): data = self.data if isinstance(data, etree._Element): return xml2text(data, pretty_print=self.oeb.pretty_print) if isinstance(data, str): return data if hasattr(data, 'cssText'): return css_text(data) return str(data) @property def bytes_representation(self): return serialize(self.data, self.media_type, pretty_print=self.oeb.pretty_print) def __str__(self): return self.unicode_representation def __eq__(self, other): return self is other def __ne__(self, other): return self is not other def __hash__(self): return id(self) @property def sort_key(self): href = self.href if isinstance(href, bytes): href = force_unicode(href) sp = self.spine_position if isinstance(self.spine_position, numbers.Number) else sys.maxsize return sp, (self.media_type or '').lower(), numeric_sort_key(href), self.id def relhref(self, href): """Convert the URL provided in :param:`href` from a book-absolute reference to a reference relative to this manifest item. """ return rel_href(self.href, href) def abshref(self, href): """Convert the URL provided in :param:`href` from a reference relative to this manifest item to a book-absolute reference. """ try: purl = urlparse(href) except ValueError: return href scheme = purl.scheme if scheme and scheme != 'file': return href purl = list(purl) purl[0] = '' href = urlunparse(purl) path, frag = urldefrag(href) if not path: if frag: return '#'.join((self.href, frag)) else: return self.href if '/' not in self.href: return href dirname = os.path.dirname(self.href) href = os.path.join(dirname, href) href = os.path.normpath(href).replace('\\', '/') return href def __init__(self, oeb): self.oeb = oeb self.items = set() self.ids = {} self.hrefs = {} def add(self, id, href, media_type, fallback=None, loader=None, data=None): """Add a new item to the book manifest. The item's :param:`id`, :param:`href`, and :param:`media_type` are all required. A :param:`fallback` item-id is required for any items with a MIME type which is not one of the OPS core media types. Either the item's data itself may be provided with :param:`data`, or a loader function for the data may be provided with :param:`loader`, or the item's data may later be set manually via the :attr:`data` attribute. """ item = self.Item( self.oeb, id, href, media_type, fallback, loader, data) self.items.add(item) self.ids[item.id] = item self.hrefs[item.href] = item return item def remove(self, item): """Removes :param:`item` from the manifest.""" if item in self.ids: item = self.ids[item] del self.ids[item.id] if item.href in self.hrefs: del self.hrefs[item.href] self.items.remove(item) if item in self.oeb.spine: self.oeb.spine.remove(item) def remove_duplicate_item(self, item): if item in self.ids: item = self.ids[item] del self.ids[item.id] self.items.remove(item) def generate(self, id=None, href=None): """Generate a new unique identifier and/or internal path for use in creating a new manifest item, using the provided :param:`id` and/or :param:`href` as bases. Returns an two-tuple of the new id and path. If either :param:`id` or :param:`href` are `None` then the corresponding item in the return tuple will also be `None`. """ if id is not None: base = id index = 1 while id in self.ids: id = base + str(index) index += 1 if href is not None: href = urlnormalize(href) base, ext = os.path.splitext(href) index = 1 lhrefs = {x.lower() for x in self.hrefs} while href.lower() in lhrefs: href = base + str(index) + ext index += 1 return id, str(href) def __iter__(self): yield from self.items def __len__(self): return len(self.items) def values(self): return list(self.items) def __contains__(self, item): return item in self.items def to_opf1(self, parent=None): elem = element(parent, 'manifest') for item in self.items: media_type = item.media_type if media_type in OEB_DOCS: media_type = OEB_DOC_MIME elif media_type in OEB_STYLES: media_type = OEB_CSS_MIME attrib = {'id': item.id, 'href': urlunquote(item.href), 'media-type': media_type} if item.fallback: attrib['fallback'] = item.fallback element(elem, 'item', attrib=attrib) return elem def to_opf2(self, parent=None): elem = element(parent, OPF('manifest')) for item in sorted(self.items, key=attrgetter('sort_key')): media_type = item.media_type if media_type in OEB_DOCS: media_type = XHTML_MIME elif media_type in OEB_STYLES: media_type = CSS_MIME attrib = {'id': item.id, 'href': urlunquote(item.href), 'media-type': media_type} if item.fallback: attrib['fallback'] = item.fallback element(elem, OPF('item'), attrib=attrib) return elem @property def main_stylesheet(self): ans = getattr(self, '_main_stylesheet', None) if ans is None: for item in self: if item.media_type.lower() in OEB_STYLES: ans = item break return ans @main_stylesheet.setter def main_stylesheet(self, item): self._main_stylesheet = item class Spine: """Collection of manifest items composing an OEB data model book's main textual content. The spine manages which manifest items compose the book's main textual content and the sequence in which they appear. Provides Python container access as a list-like object. """ def __init__(self, oeb): self.oeb = oeb self.items = [] self.page_progression_direction = None def _linear(self, linear): if isinstance(linear, string_or_bytes): linear = linear.lower() if linear is None or linear in ('yes', 'true'): linear = True elif linear in ('no', 'false'): linear = False return linear def add(self, item, linear=None): """Append :param:`item` to the end of the `Spine`.""" item.linear = self._linear(linear) item.spine_position = len(self.items) self.items.append(item) return item def insert(self, index, item, linear): """Insert :param:`item` at position :param:`index` in the `Spine`.""" item.linear = self._linear(linear) item.spine_position = index self.items.insert(index, item) for i in range(index, len(self.items)): self.items[i].spine_position = i return item def remove(self, item): """Remove :param:`item` from the `Spine`.""" index = item.spine_position self.items.pop(index) for i in range(index, len(self.items)): self.items[i].spine_position = i item.spine_position = None def index(self, item): for i, x in enumerate(self): if item == x: return i return -1 def __iter__(self): yield from self.items def __getitem__(self, index): return self.items[index] def __len__(self): return len(self.items) def __contains__(self, item): return (item in self.items) def to_opf1(self, parent=None): elem = element(parent, 'spine') for item in self.items: if item.linear: element(elem, 'itemref', attrib={'idref': item.id}) return elem def to_opf2(self, parent=None): elem = element(parent, OPF('spine')) for item in self.items: attrib = {'idref': item.id} if not item.linear: attrib['linear'] = 'no' element(elem, OPF('itemref'), attrib=attrib) return elem class Guide: """Collection of references to standard frequently-occurring sections within an OEB data model book. Provides dictionary-like access, in which the keys are the OEB reference type identifiers and the values are `Reference` objects. """ class Reference: """Reference to a standard book section. Provides the following instance data members: :attr:`type`: Reference type identifier, as chosen from the list allowed in the OPF 2.0 specification. :attr:`title`: Human-readable section title. :attr:`href`: Book-internal URL of the referenced section. May include a fragment identifier. """ _TYPES_TITLES = [('cover', __('Cover')), ('title-page', __('Title page')), ('toc', __('Table of Contents')), ('index', __('Index')), ('glossary', __('Glossary')), ('acknowledgements', __('Acknowledgements')), ('bibliography', __('Bibliography')), ('colophon', __('Colophon')), ('copyright-page', __('Copyright')), ('dedication', __('Dedication')), ('epigraph', __('Epigraph')), ('foreword', __('Foreword')), ('loi', __('List of illustrations')), ('lot', __('List of tables')), ('notes', __('Notes')), ('preface', __('Preface')), ('text', __('Main text'))] TITLES = dict(_TYPES_TITLES) TYPES = frozenset(TITLES) ORDER = {t: i for i, (t, _) in enumerate(_TYPES_TITLES)} def __init__(self, oeb, type, title, href): self.oeb = oeb if type.lower() in self.TYPES: type = type.lower() elif type not in self.TYPES and \ not type.startswith('other.'): type = 'other.' + type if not title and type in self.TITLES: title = oeb.translate(self.TITLES[type]) self.type = type self.title = title self.href = urlnormalize(href) def __repr__(self): return 'Reference(type=%r, title=%r, href=%r)' \ % (self.type, self.title, self.href) @property def item(self): """The manifest item associated with this reference.""" path = urldefrag(self.href)[0] hrefs = self.oeb.manifest.hrefs return hrefs.get(path, None) def __init__(self, oeb): self.oeb = oeb self.refs = {} def add(self, type, title, href): """Add a new reference to the `Guide`.""" if href: href = str(href) ref = self.Reference(self.oeb, type, title, href) self.refs[type] = ref return ref def remove(self, type): return self.refs.pop(type, None) def remove_by_href(self, href): remove = [r for r, i in iteritems(self.refs) if i.href == href] for r in remove: self.remove(r) def iterkeys(self): yield from self.refs __iter__ = iterkeys def values(self): return sorted(itervalues(self.refs), key=lambda ref: ref.ORDER.get(ref.type, 10000)) def items(self): yield from self.refs.items() def __getitem__(self, key): return self.refs[key] def get(self, key): return self.refs.get(key) def __delitem__(self, key): del self.refs[key] def __contains__(self, key): return key in self.refs def __len__(self): return len(self.refs) def to_opf1(self, parent=None): elem = element(parent, 'guide') for ref in self.refs.values(): attrib = {'type': ref.type, 'href': urlunquote(ref.href)} if ref.title: attrib['title'] = ref.title element(elem, 'reference', attrib=attrib) return elem def to_opf2(self, parent=None): if not len(self): return elem = element(parent, OPF('guide')) for ref in self.refs.values(): attrib = {'type': ref.type, 'href': urlunquote(ref.href)} if ref.title: attrib['title'] = ref.title element(elem, OPF('reference'), attrib=attrib) return elem class TOC: """Represents a hierarchical table of contents or navigation tree for accessing arbitrary semantic sections within an OEB data model book. Acts as a node within the navigation tree. Provides list-like access to sub-nodes. Provides the follow node instance data attributes: :attr:`title`: The title of this navigation node. :attr:`href`: Book-internal URL referenced by this node. :attr:`klass`: Optional semantic class referenced by this node. :attr:`id`: Option unique identifier for this node. :attr:`author`: Optional author attribution for periodicals <mbp:> :attr:`description`: Optional description attribute for periodicals <mbp:> :attr:`toc_thumbnail`: Optional toc thumbnail image """ def __init__(self, title=None, href=None, klass=None, id=None, play_order=None, author=None, description=None, toc_thumbnail=None): self.title = title self.href = urlnormalize(href) if href else href self.klass = klass self.id = id self.nodes = [] self.play_order = 0 if play_order is None: play_order = self.next_play_order() self.play_order = play_order self.author = author self.description = description self.toc_thumbnail = toc_thumbnail def add(self, title, href, klass=None, id=None, play_order=0, author=None, description=None, toc_thumbnail=None): """Create and return a new sub-node of this node.""" node = TOC(title, href, klass, id, play_order, author, description, toc_thumbnail) self.nodes.append(node) return node def remove(self, node): for child in self.nodes: if child is node: self.nodes.remove(child) return True else: if child.remove(node): return True return False def iter(self): """Iterate over this node and all descendants in depth-first order.""" yield self for child in self.nodes: yield from child.iter() def count(self): return len(list(self.iter())) - 1 def next_play_order(self): entries = [x.play_order for x in self.iter()] base = max(entries) if entries else 0 return base+1 def has_href(self, href): for x in self.iter(): if x.href == href: return True return False def has_text(self, text): for x in self.iter(): if x.title and x.title.lower() == text.lower(): return True return False def iterdescendants(self, breadth_first=False): """Iterate over all descendant nodes in depth-first order.""" if breadth_first: for child in self.nodes: yield child for child in self.nodes: yield from child.iterdescendants(breadth_first=True) else: for child in self.nodes: yield from child.iter() def __iter__(self): """Iterate over all immediate child nodes.""" yield from self.nodes def __getitem__(self, index): return self.nodes[index] def autolayer(self): """Make sequences of children pointing to the same content file into children of the first node referencing that file. """ prev = None for node in list(self.nodes): if prev and urldefrag(prev.href)[0] == urldefrag(node.href)[0]: self.nodes.remove(node) prev.nodes.append(node) else: prev = node def depth(self): """The maximum depth of the navigation tree rooted at this node.""" try: return max(node.depth() for node in self.nodes) + 1 except ValueError: return 1 def get_lines(self, lvl=0): ans = [('\t'*lvl) + 'TOC: %s --> %s'%(self.title, self.href)] for child in self: ans.extend(child.get_lines(lvl+1)) return ans def __str__(self): return '\n'.join(self.get_lines()) def to_opf1(self, tour): for node in self.nodes: element(tour, 'site', attrib={ 'title': node.title, 'href': urlunquote(node.href)}) node.to_opf1(tour) return tour def to_ncx(self, parent=None): if parent is None: parent = etree.Element(NCX('navMap')) for node in self.nodes: id = node.id or uuid_id() po = node.play_order if po == 0: po = 1 attrib = {'id': id, 'playOrder': str(po)} if node.klass: attrib['class'] = node.klass point = element(parent, NCX('navPoint'), attrib=attrib) label = etree.SubElement(point, NCX('navLabel')) title = node.title if title: title = re.sub(r'\s+', ' ', title) element(label, NCX('text')).text = title # Do not unescape this URL as ADE requires it to be escaped to # handle semi colons and other special characters in the file names element(point, NCX('content'), src=node.href) node.to_ncx(point) return parent def rationalize_play_orders(self): ''' Ensure that all nodes with the same play_order have the same href and with different play_orders have different hrefs. ''' def po_node(n): for x in self.iter(): if x is n: return if x.play_order == n.play_order: return x def href_node(n): for x in self.iter(): if x is n: return if x.href == n.href: return x for x in self.iter(): y = po_node(x) if y is not None: if x.href != y.href: x.play_order = getattr(href_node(x), 'play_order', self.next_play_order()) y = href_node(x) if y is not None: x.play_order = y.play_order class PageList: """Collection of named "pages" to mapped positions within an OEB data model book's textual content. Provides list-like access to the pages. """ class Page: """Represents a mapping between a page name and a position within the book content. Provides the following instance data attributes: :attr:`name`: The name of this page. Generally a number. :attr:`href`: Book-internal URL at which point this page begins. :attr:`type`: Must be one of 'front' (for prefatory pages, as commonly labeled in print with small-case Roman numerals), 'normal' (for standard pages, as commonly labeled in print with Arabic numerals), or 'special' (for other pages, as commonly not labeled in any fashion in print, such as the cover and title pages). :attr:`klass`: Optional semantic class of this page. :attr:`id`: Optional unique identifier for this page. """ TYPES = {'front', 'normal', 'special'} def __init__(self, name, href, type='normal', klass=None, id=None): self.name = str(name) self.href = urlnormalize(href) self.type = type if type in self.TYPES else 'normal' self.id = id self.klass = klass def __init__(self): self.pages = [] def add(self, name, href, type='normal', klass=None, id=None): """Create a new page and add it to the `PageList`.""" page = self.Page(name, href, type, klass, id) self.pages.append(page) return page def __len__(self): return len(self.pages) def __iter__(self): yield from self.pages def __getitem__(self, index): return self.pages[index] def pop(self, index=-1): return self.pages.pop(index) def remove(self, page): return self.pages.remove(page) def to_ncx(self, parent=None): plist = element(parent, NCX('pageList'), id=uuid_id()) values = {t: count(1) for t in ('front', 'normal', 'special')} for page in self.pages: id = page.id or uuid_id() type = page.type value = str(next(values[type])) attrib = {'id': id, 'value': value, 'type': type, 'playOrder': '0'} if page.klass: attrib['class'] = page.klass ptarget = element(plist, NCX('pageTarget'), attrib=attrib) label = element(ptarget, NCX('navLabel')) element(label, NCX('text')).text = page.name element(ptarget, NCX('content'), src=page.href) return plist def to_page_map(self): pmap = etree.Element(OPF('page-map'), nsmap={None: OPF2_NS}) for page in self.pages: element(pmap, OPF('page'), name=page.name, href=page.href) return pmap class OEBBook: """Representation of a book in the IDPF OEB data model.""" COVER_SVG_XP = XPath('h:body//svg:svg[position() = 1]') COVER_OBJECT_XP = XPath('h:body//h:object[@data][position() = 1]') def __init__(self, logger, html_preprocessor, css_preprocessor=CSSPreProcessor(), encoding='utf-8', pretty_print=False, input_encoding='utf-8'): """Create empty book. Arguments: :param:`encoding`: Default encoding for textual content read from an external container. :param:`pretty_print`: Whether or not the canonical string form of XML markup is pretty-printed. :param html_preprocessor: A callable that takes a unicode object and returns a unicode object. Will be called on all html files before they are parsed. :param css_preprocessor: A callable that takes a unicode object and returns a unicode object. Will be called on all CSS files before they are parsed. :param:`logger`: A Log object to use for logging all messages related to the processing of this book. It is accessible via the instance data members :attr:`logger,log`. It provides the following public instance data members for accessing various parts of the OEB data model: :attr:`metadata`: Metadata such as title, author name(s), etc. :attr:`manifest`: Manifest of all files included in the book, including MIME types and fallback information. :attr:`spine`: In-order list of manifest items which compose the textual content of the book. :attr:`guide`: Collection of references to standard positions within the text, such as the cover, preface, etc. :attr:`toc`: Hierarchical table of contents. :attr:`pages`: List of "pages," such as indexed to a print edition of the same text. """ _css_log_handler.log = logger self.encoding = encoding self.input_encoding = input_encoding self.html_preprocessor = html_preprocessor self.css_preprocessor = css_preprocessor self.pretty_print = pretty_print self.logger = self.log = logger self.version = '2.0' self.container = NullContainer(self.log) self.metadata = Metadata(self) self.uid = None self.manifest = Manifest(self) self.spine = Spine(self) self.guide = Guide(self) self.toc = TOC() self.pages = PageList() self.auto_generated_toc = True self._temp_files = [] def clean_temp_files(self): for path in self._temp_files: try: os.remove(path) except: pass @classmethod def generate(cls, opts): """Generate an OEBBook instance from command-line options.""" encoding = opts.encoding pretty_print = opts.pretty_print return cls(encoding=encoding, pretty_print=pretty_print) def translate(self, text): """Translate :param:`text` into the book's primary language.""" lang = str(self.metadata.language[0]) lang = lang.split('-', 1)[0].lower() return translate(lang, text) def decode(self, data): """Automatically decode :param:`data` into a `unicode` object.""" def fix_data(d): return d.replace('\r\n', '\n').replace('\r', '\n') if isinstance(data, str): return fix_data(data) bom_enc = None if data[:4] in (b'\0\0\xfe\xff', b'\xff\xfe\0\0'): bom_enc = {b'\0\0\xfe\xff':'utf-32-be', b'\xff\xfe\0\0':'utf-32-le'}[data[:4]] data = data[4:] elif data[:2] in (b'\xff\xfe', b'\xfe\xff'): bom_enc = {b'\xff\xfe':'utf-16-le', 'b\xfe\xff':'utf-16-be'}[data[:2]] data = data[2:] elif data[:3] == b'\xef\xbb\xbf': bom_enc = 'utf-8' data = data[3:] if bom_enc is not None: try: return fix_data(data.decode(bom_enc)) except UnicodeDecodeError: pass if self.input_encoding: try: return fix_data(data.decode(self.input_encoding, 'replace')) except UnicodeDecodeError: pass try: return fix_data(data.decode('utf-8')) except UnicodeDecodeError: pass data, _ = xml_to_unicode(data) return fix_data(data) def to_opf1(self): """Produce OPF 1.2 representing the book's metadata and structure. Returns a dictionary in which the keys are MIME types and the values are tuples of (default) filenames and lxml.etree element structures. """ package = etree.Element('package', attrib={'unique-identifier': self.uid.id}) self.metadata.to_opf1(package) self.manifest.to_opf1(package) self.spine.to_opf1(package) tours = element(package, 'tours') tour = element(tours, 'tour', attrib={'id': 'chaptertour', 'title': 'Chapter Tour'}) self.toc.to_opf1(tour) self.guide.to_opf1(package) return {OPF_MIME: ('content.opf', package)} def _update_playorder(self, ncx): hrefs = set(map(urlnormalize, xpath(ncx, '//ncx:content/@src'))) playorder = {} next = 1 selector = XPath('h:body//*[@id or @name]') for item in self.spine: base = item.href if base in hrefs: playorder[base] = next next += 1 for elem in selector(item.data): added = False for attr in ('id', 'name'): id = elem.get(attr) if not id: continue href = '#'.join([base, id]) if href in hrefs: playorder[href] = next added = True if added: next += 1 selector = XPath('ncx:content/@src') for i, elem in enumerate(xpath(ncx, '//*[@playOrder and ./ncx:content[@src]]')): href = urlnormalize(selector(elem)[0]) order = playorder.get(href, i) elem.attrib['playOrder'] = str(order) return def _to_ncx(self): try: lang = str(self.metadata.language[0]) except IndexError: lang = 'en' lang = lang.replace('_', '-') ncx = etree.Element(NCX('ncx'), attrib={'version': '2005-1', XML('lang'): lang}, nsmap={None: NCX_NS}) head = etree.SubElement(ncx, NCX('head')) etree.SubElement(head, NCX('meta'), name='dtb:uid', content=str(self.uid)) etree.SubElement(head, NCX('meta'), name='dtb:depth', content=str(self.toc.depth())) generator = ''.join(['calibre (', __version__, ')']) etree.SubElement(head, NCX('meta'), name='dtb:generator', content=generator) etree.SubElement(head, NCX('meta'), name='dtb:totalPageCount', content=str(len(self.pages))) maxpnum = etree.SubElement(head, NCX('meta'), name='dtb:maxPageNumber', content='0') title = etree.SubElement(ncx, NCX('docTitle')) text = etree.SubElement(title, NCX('text')) text.text = str(self.metadata.title[0]) navmap = etree.SubElement(ncx, NCX('navMap')) self.toc.to_ncx(navmap) if len(self.pages) > 0: plist = self.pages.to_ncx(ncx) value = max(int(x) for x in xpath(plist, '//@value')) maxpnum.attrib['content'] = str(value) self._update_playorder(ncx) return ncx def to_opf2(self, page_map=False): """Produce OPF 2.0 representing the book's metadata and structure. Returns a dictionary in which the keys are MIME types and the values are tuples of (default) filenames and lxml.etree element structures. """ results = {} package = etree.Element(OPF('package'), attrib={'version': '2.0', 'unique-identifier': self.uid.id}, nsmap={None: OPF2_NS}) self.metadata.to_opf2(package) manifest = self.manifest.to_opf2(package) spine = self.spine.to_opf2(package) self.guide.to_opf2(package) results[OPF_MIME] = ('content.opf', package) id, href = self.manifest.generate('ncx', 'toc.ncx') etree.SubElement(manifest, OPF('item'), id=id, href=href, attrib={'media-type': NCX_MIME}) spine.attrib['toc'] = id results[NCX_MIME] = (href, self._to_ncx()) if page_map and len(self.pages) > 0: id, href = self.manifest.generate('page-map', 'page-map.xml') etree.SubElement(manifest, OPF('item'), id=id, href=href, attrib={'media-type': PAGE_MAP_MIME}) spine.attrib['page-map'] = id results[PAGE_MAP_MIME] = (href, self.pages.to_page_map()) if self.spine.page_progression_direction in {'ltr', 'rtl'}: spine.attrib['page-progression-direction'] = self.spine.page_progression_direction return results def rel_href(base_href, href): """Convert the URL provided in :param:`href` to a URL relative to the URL in :param:`base_href` """ if urlparse(href).scheme: return href if '/' not in base_href: return href base = list(filter(lambda x: x and x != '.', os.path.dirname(os.path.normpath(base_href)).replace(os.sep, '/').split('/'))) while True: try: idx = base.index('..') except ValueError: break if idx > 0: del base[idx-1:idx+1] else: break if not base: return href target, frag = urldefrag(href) target = target.split('/') index = 0 for index in range(min(len(base), len(target))): if base[index] != target[index]: break else: index += 1 relhref = (['..'] * (len(base) - index)) + target[index:] relhref = '/'.join(relhref) if frag: relhref = '#'.join((relhref, frag)) return relhref
72,281
Python
.py
1,710
31.711111
131
0.566475
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,363
reader.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/reader.py
""" Container-/OPF-based input OEBBook reader. """ __license__ = 'GPL v3' __copyright__ = '2008, Marshall T. Vandegrift <llasram@gmail.com>' import copy import io import os import re import sys import uuid from collections import defaultdict from lxml import etree from calibre import guess_type, xml_replace_entities from calibre.constants import __appname__, __version__ from calibre.ebooks.oeb.base import ( BINARY_MIME, COLLAPSE_RE, DC11_NS, DC_NSES, JPEG_MIME, MS_COVER_TYPE, NCX_MIME, OEB_DOCS, OEB_IMAGES, OEB_STYLES, OPF, OPF1_NS, OPF2_NS, OPF2_NSMAP, PAGE_MAP_MIME, SVG_MIME, XHTML_MIME, XMLDECL_RE, DirContainer, OEBBook, OEBError, XPath, barename, iterlinks, namespace, urlnormalize, xml2text, xpath, ) from calibre.ebooks.oeb.writer import OEBWriter from calibre.ptempfile import TemporaryDirectory from calibre.utils.cleantext import clean_xml_chars from calibre.utils.localization import __, get_lang from calibre.utils.xml_parse import safe_xml_fromstring from polyglot.urllib import unquote, urldefrag, urlparse __all__ = ['OEBReader'] class OEBReader: """Read an OEBPS 1.x or OPF/OPS 2.0 file collection.""" COVER_SVG_XP = XPath('h:body//svg:svg[position() = 1]') COVER_OBJECT_XP = XPath('h:body//h:object[@data][position() = 1]') Container = DirContainer """Container type used to access book files. Override in sub-classes.""" DEFAULT_PROFILE = 'PRS505' """Default renderer profile for content read with this Reader.""" TRANSFORMS = [] """List of transforms to apply to content read with this Reader.""" @classmethod def config(cls, cfg): """Add any book-reading options to the :class:`Config` object :param:`cfg`. """ return @classmethod def generate(cls, opts): """Generate a Reader instance from command-line options.""" return cls() def __call__(self, oeb, path): """Read the book at :param:`path` into the :class:`OEBBook` object :param:`oeb`. """ self.oeb = oeb self.logger = self.log = oeb.logger oeb.container = self.Container(path, self.logger) oeb.container.log = oeb.log opf = self._read_opf() self._all_from_opf(opf) return oeb def _clean_opf(self, opf): nsmap = {} for elem in opf.iter(tag=etree.Element): nsmap.update(elem.nsmap) for elem in opf.iter(tag=etree.Element): if namespace(elem.tag) in ('', OPF1_NS) and ':' not in barename(elem.tag): elem.tag = OPF(barename(elem.tag)) nsmap.update(OPF2_NSMAP) attrib = dict(opf.attrib) if xmlns := attrib.pop('xmlns:', None): attrib['xmlns'] = xmlns nroot = etree.Element(OPF('package'), nsmap={None: OPF2_NS}, attrib=attrib) metadata = etree.SubElement(nroot, OPF('metadata'), nsmap=nsmap) ignored = (OPF('dc-metadata'), OPF('x-metadata')) for elem in xpath(opf, 'o2:metadata//*'): if elem.tag in ignored: continue if namespace(elem.tag) in DC_NSES: tag = barename(elem.tag).lower() elem.tag = f'{{{DC11_NS}}}{tag}' if elem.tag.startswith('dc:'): tag = elem.tag.partition(':')[-1].lower() elem.tag = f'{{{DC11_NS}}}{tag}' metadata.append(elem) for element in xpath(opf, 'o2:metadata//o2:meta'): metadata.append(element) for tag in ('o2:manifest', 'o2:spine', 'o2:tours', 'o2:guide'): for element in xpath(opf, tag): nroot.append(element) return nroot def _read_opf(self): data = self.oeb.container.read(None) data = self.oeb.decode(data) data = XMLDECL_RE.sub('', data) data = re.sub(r'http://openebook.org/namespaces/oeb-package/1.0(/*)', OPF1_NS, data) try: opf = safe_xml_fromstring(data) except etree.XMLSyntaxError: data = xml_replace_entities(clean_xml_chars(data), encoding=None) try: opf = safe_xml_fromstring(data) self.logger.warn('OPF contains invalid HTML named entities') except etree.XMLSyntaxError: data = re.sub(r'(?is)<tours>.+</tours>', '', data) data = data.replace('<dc-metadata>', '<dc-metadata xmlns:dc="http://purl.org/metadata/dublin_core">') opf = safe_xml_fromstring(data) self.logger.warn('OPF contains invalid tours section') ns = namespace(opf.tag) if ns not in ('', OPF1_NS, OPF2_NS): raise OEBError('Invalid namespace %r for OPF document' % ns) opf = self._clean_opf(opf) return opf def _metadata_from_opf(self, opf): from calibre.ebooks.metadata.opf2 import OPF from calibre.ebooks.oeb.transforms.metadata import meta_info_to_oeb_metadata stream = io.BytesIO(etree.tostring(opf, xml_declaration=True, encoding='utf-8')) o = OPF(stream) pwm = o.primary_writing_mode if pwm: self.oeb.metadata.primary_writing_mode = pwm mi = o.to_book_metadata() if not mi.language: mi.language = get_lang().replace('_', '-') self.oeb.metadata.add('language', mi.language) if not mi.book_producer: mi.book_producer = '%(a)s (%(v)s) [http://%(a)s-ebook.com]'%\ dict(a=__appname__, v=__version__) meta_info_to_oeb_metadata(mi, self.oeb.metadata, self.logger) m = self.oeb.metadata m.add('identifier', str(uuid.uuid4()), id='uuid_id', scheme='uuid') self.oeb.uid = self.oeb.metadata.identifier[-1] if not m.title: m.add('title', self.oeb.translate(__('Unknown'))) has_aut = False for x in m.creator: if getattr(x, 'role', '').lower() in ('', 'aut'): has_aut = True break if not has_aut: m.add('creator', self.oeb.translate(__('Unknown')), role='aut') def _manifest_prune_invalid(self): ''' Remove items from manifest that contain invalid data. This prevents catastrophic conversion failure, when a few files contain corrupted data. ''' bad = [] check = OEB_DOCS.union(OEB_STYLES) for item in list(self.oeb.manifest.values()): if item.media_type in check: try: item.data except KeyboardInterrupt: raise except: self.logger.exception('Failed to parse content in %s'% item.href) bad.append(item) self.oeb.manifest.remove(item) return bad def _manifest_add_missing(self, invalid): import css_parser manifest = self.oeb.manifest known = set(manifest.hrefs) unchecked = set(manifest.values()) cdoc = OEB_DOCS|OEB_STYLES invalid = set() while unchecked: new = set() for item in unchecked: data = None if (item.media_type in cdoc or item.media_type[-4:] in ('/xml', '+xml')): try: data = item.data except: self.oeb.log.exception('Failed to read from manifest ' 'entry with id: %s, ignoring'%item.id) invalid.add(item) continue if data is None: continue if (item.media_type in OEB_DOCS or item.media_type[-4:] in ('/xml', '+xml')): hrefs = [r[2] for r in iterlinks(data)] for href in hrefs: if isinstance(href, bytes): href = href.decode('utf-8') href, _ = urldefrag(href) if not href: continue try: href = item.abshref(urlnormalize(href)) scheme = urlparse(href).scheme except: self.oeb.log.exception( 'Skipping invalid href: %r'%href) continue if not scheme and href not in known: new.add(href) elif item.media_type in OEB_STYLES: try: urls = list(css_parser.getUrls(data)) except: urls = [] for url in urls: href, _ = urldefrag(url) href = item.abshref(urlnormalize(href)) scheme = urlparse(href).scheme if not scheme and href not in known: new.add(href) unchecked.clear() warned = set() for href in new: known.add(href) is_invalid = False for item in invalid: if href == item.abshref(urlnormalize(href)): is_invalid = True break if is_invalid: continue if not self.oeb.container.exists(href): if href not in warned: self.logger.warn('Referenced file %r not found' % href) warned.add(href) continue if href not in warned: self.logger.warn('Referenced file %r not in manifest' % href) warned.add(href) id, _ = manifest.generate(id='added') guessed = guess_type(href)[0] media_type = guessed or BINARY_MIME added = manifest.add(id, href, media_type) unchecked.add(added) for item in invalid: self.oeb.manifest.remove(item) def _manifest_from_opf(self, opf): manifest = self.oeb.manifest for elem in xpath(opf, '/o2:package/o2:manifest/o2:item'): id = elem.get('id') href = elem.get('href') media_type = elem.get('media-type', None) if media_type is None: media_type = elem.get('mediatype', None) if not media_type or media_type == 'text/xml': guessed = guess_type(href)[0] media_type = guessed or media_type or BINARY_MIME if hasattr(media_type, 'lower'): media_type = media_type.lower() fallback = elem.get('fallback') if href in manifest.hrefs: self.logger.warn('Duplicate manifest entry for %r' % href) continue if not self.oeb.container.exists(href): self.logger.warn('Manifest item %r not found' % href) continue if id in manifest.ids: self.logger.warn('Duplicate manifest id %r' % id) id, href = manifest.generate(id, href) manifest.add(id, href, media_type, fallback) invalid = self._manifest_prune_invalid() self._manifest_add_missing(invalid) def _spine_add_extra(self): manifest = self.oeb.manifest spine = self.oeb.spine unchecked = set(spine) selector = XPath('h:body//h:a/@href') extras = set() while unchecked: new = set() for item in unchecked: if item.media_type not in OEB_DOCS: # TODO: handle fallback chains continue for href in selector(item.data): href, _ = urldefrag(href) if not href: continue try: href = item.abshref(urlnormalize(href)) except ValueError: # Malformed URL continue if href not in manifest.hrefs: continue found = manifest.hrefs[href] if found.media_type not in OEB_DOCS or \ found in spine or found in extras: continue new.add(found) extras.update(new) unchecked = new version = int(self.oeb.version[0]) removed_items_to_ignore = getattr(self.oeb, 'removed_items_to_ignore', ()) for item in extras: if item.href in removed_items_to_ignore: continue if version >= 2: self.logger.warn( 'Spine-referenced file %r not in spine' % item.href) spine.add(item, linear=False) def _spine_from_opf(self, opf): spine = self.oeb.spine manifest = self.oeb.manifest for elem in xpath(opf, '/o2:package/o2:spine/o2:itemref'): idref = elem.get('idref') if idref not in manifest.ids: self.logger.warn('Spine item %r not found' % idref) continue item = manifest.ids[idref] if item.media_type.lower() in OEB_DOCS and hasattr(item.data, 'xpath') and not getattr(item.data, 'tag', '').endswith('}ncx'): spine.add(item, elem.get('linear')) else: if hasattr(item.data, 'tag') and item.data.tag and item.data.tag.endswith('}html'): item.media_type = XHTML_MIME spine.add(item, elem.get('linear')) else: self.oeb.log.warn('The item %s is not a XML document.' ' Removing it from spine.'%item.href) if len(spine) == 0: raise OEBError("Spine is empty") self._spine_add_extra() for val in xpath(opf, '/o2:package/o2:spine/@page-progression-direction'): if val in {'ltr', 'rtl'}: spine.page_progression_direction = val def _guide_from_opf(self, opf): guide = self.oeb.guide manifest = self.oeb.manifest for elem in xpath(opf, '/o2:package/o2:guide/o2:reference'): ref_href = elem.get('href') path = urlnormalize(urldefrag(ref_href)[0]) if path not in manifest.hrefs: corrected_href = None for href in manifest.hrefs: if href.lower() == path.lower(): corrected_href = href break if corrected_href is None: self.logger.warn('Guide reference %r not found' % ref_href) continue ref_href = corrected_href typ = elem.get('type') if typ not in guide: guide.add(typ, elem.get('title'), ref_href) def _find_ncx(self, opf): result = xpath(opf, '/o2:package/o2:spine/@toc') if result: id = result[0] if id not in self.oeb.manifest.ids: return None item = self.oeb.manifest.ids[id] self.oeb.manifest.remove(item) return item for item in self.oeb.manifest.values(): if item.media_type == NCX_MIME: self.oeb.manifest.remove(item) return item return None def _toc_from_navpoint(self, item, toc, navpoint): children = xpath(navpoint, 'ncx:navPoint') for child in children: title = ''.join(xpath(child, 'ncx:navLabel/ncx:text/text()')) title = COLLAPSE_RE.sub(' ', title.strip()) href = xpath(child, 'ncx:content/@src') if not title: self._toc_from_navpoint(item, toc, child) continue if (not href or not href[0]) and not xpath(child, 'ncx:navPoint'): # This node is useless continue href = item.abshref(urlnormalize(href[0])) if href and href[0] else '' path, _ = urldefrag(href) if path and path not in self.oeb.manifest.hrefs: path = urlnormalize(path) if href and path not in self.oeb.manifest.hrefs: self.logger.warn('TOC reference %r not found' % href) gc = xpath(child, 'ncx:navPoint') if not gc: # This node is useless continue id = child.get('id') klass = child.get('class', 'chapter') try: po = int(child.get('playOrder', self.oeb.toc.next_play_order())) except: po = self.oeb.toc.next_play_order() authorElement = xpath(child, 'descendant::calibre:meta[@name = "author"]') if authorElement: author = authorElement[0].text else: author = None descriptionElement = xpath(child, 'descendant::calibre:meta[@name = "description"]') if descriptionElement: description = etree.tostring(descriptionElement[0], method='text', encoding='unicode').strip() if not description: description = None else: description = None index_image = xpath(child, 'descendant::calibre:meta[@name = "toc_thumbnail"]') toc_thumbnail = (index_image[0].text if index_image else None) if not toc_thumbnail or not toc_thumbnail.strip(): toc_thumbnail = None node = toc.add(title, href, id=id, klass=klass, play_order=po, description=description, author=author, toc_thumbnail=toc_thumbnail) self._toc_from_navpoint(item, node, child) def _toc_from_ncx(self, item): if (item is None) or (item.data is None): return False self.log.debug('Reading TOC from NCX...') ncx = item.data title = ''.join(xpath(ncx, 'ncx:docTitle/ncx:text/text()')) title = COLLAPSE_RE.sub(' ', title.strip()) title = title or str(self.oeb.metadata.title[0]) toc = self.oeb.toc toc.title = title navmaps = xpath(ncx, 'ncx:navMap') for navmap in navmaps: self._toc_from_navpoint(item, toc, navmap) return True def _toc_from_tour(self, opf): result = xpath(opf, 'o2:tours/o2:tour') if not result: return False self.log.debug('Reading TOC from tour...') tour = result[0] toc = self.oeb.toc toc.title = tour.get('title') sites = xpath(tour, 'o2:site') for site in sites: title = site.get('title') href = site.get('href') if not title or not href: continue path, _ = urldefrag(urlnormalize(href)) if path not in self.oeb.manifest.hrefs: self.logger.warn('TOC reference %r not found' % href) continue id = site.get('id') toc.add(title, href, id=id) return True def _toc_from_html(self, opf): if 'toc' not in self.oeb.guide: return False self.log.debug('Reading TOC from HTML...') itempath, frag = urldefrag(self.oeb.guide['toc'].href) item = self.oeb.manifest.hrefs[itempath] html = item.data if frag: elems = xpath(html, './/*[@id="%s"]' % frag) if not elems: elems = xpath(html, './/*[@name="%s"]' % frag) elem = elems[0] if elems else html while elem != html and not xpath(elem, './/h:a[@href]'): elem = elem.getparent() html = elem titles = defaultdict(list) order = [] for anchor in xpath(html, './/h:a[@href]'): href = anchor.attrib['href'] href = item.abshref(urlnormalize(href)) path, frag = urldefrag(href) if path not in self.oeb.manifest.hrefs: continue title = xml2text(anchor) title = COLLAPSE_RE.sub(' ', title.strip()) if href not in titles: order.append(href) titles[href].append(title) toc = self.oeb.toc for href in order: toc.add(' '.join(titles[href]), href) return True def _toc_from_spine(self, opf): self.log.warn('Generating default TOC from spine...') toc = self.oeb.toc titles = [] headers = [] for item in self.oeb.spine: if not item.linear: continue html = item.data title = ''.join(xpath(html, '/h:html/h:head/h:title/text()')) title = COLLAPSE_RE.sub(' ', title.strip()) if title: titles.append(title) headers.append('(unlabled)') for tag in ('h1', 'h2', 'h3', 'h4', 'h5', 'strong'): expr = '/h:html/h:body//h:%s[position()=1]/text()' header = ''.join(xpath(html, expr % tag)) header = COLLAPSE_RE.sub(' ', header.strip()) if header: headers[-1] = header break use = titles if len(titles) > len(set(titles)): use = headers for title, item in zip(use, self.oeb.spine): if not item.linear: continue toc.add(title, item.href) return True def _toc_from_opf(self, opf, item): self.oeb.auto_generated_toc = False if self._toc_from_ncx(item): return # Prefer HTML to tour based TOC, since several LIT files # have good HTML TOCs but bad tour based TOCs if self._toc_from_html(opf): return if self._toc_from_tour(opf): return self._toc_from_spine(opf) self.oeb.auto_generated_toc = True def _pages_from_ncx(self, opf, item): if item is None: return False ncx = item.data if ncx is None: return False ptargets = xpath(ncx, 'ncx:pageList/ncx:pageTarget') if not ptargets: return False pages = self.oeb.pages for ptarget in ptargets: name = ''.join(xpath(ptarget, 'ncx:navLabel/ncx:text/text()')) name = COLLAPSE_RE.sub(' ', name.strip()) href = xpath(ptarget, 'ncx:content/@src') if not href: continue href = item.abshref(urlnormalize(href[0])) id = ptarget.get('id') type = ptarget.get('type', 'normal') klass = ptarget.get('class') pages.add(name, href, type=type, id=id, klass=klass) return True def _find_page_map(self, opf): result = xpath(opf, '/o2:package/o2:spine/@page-map') if result: id = result[0] if id not in self.oeb.manifest.ids: return None item = self.oeb.manifest.ids[id] self.oeb.manifest.remove(item) return item for item in self.oeb.manifest.values(): if item.media_type == PAGE_MAP_MIME: self.oeb.manifest.remove(item) return item return None def _pages_from_page_map(self, opf): item = self._find_page_map(opf) if item is None: return False pmap = item.data pages = self.oeb.pages for page in xpath(pmap, 'o2:page'): name = page.get('name', '') href = page.get('href') if not href: continue name = COLLAPSE_RE.sub(' ', name.strip()) href = item.abshref(urlnormalize(href)) type = 'normal' if not name: type = 'special' elif name.lower().strip('ivxlcdm') == '': type = 'front' pages.add(name, href, type=type) return True def _pages_from_opf(self, opf, item): if self._pages_from_ncx(opf, item): return if self._pages_from_page_map(opf): return return def _cover_from_html(self, hcover): from calibre.ebooks import render_html_svg_workaround with TemporaryDirectory('_html_cover') as tdir: writer = OEBWriter() writer(self.oeb, tdir) path = os.path.join(tdir, unquote(hcover.href)) data = render_html_svg_workaround(path, self.logger, root=tdir) if not data: data = b'' id, href = self.oeb.manifest.generate('cover', 'cover.jpg') item = self.oeb.manifest.add(id, href, JPEG_MIME, data=data) return item def _locate_cover_image(self): if self.oeb.metadata.cover: id = str(self.oeb.metadata.cover[0]) item = self.oeb.manifest.ids.get(id, None) if item is not None and item.media_type in OEB_IMAGES: return item else: self.logger.warn('Invalid cover image @id %r' % id) hcover = self.oeb.spine[0] if 'cover' in self.oeb.guide: href = self.oeb.guide['cover'].href item = self.oeb.manifest.hrefs[href] media_type = item.media_type if media_type in OEB_IMAGES: return item elif media_type in OEB_DOCS: hcover = item html = hcover.data if MS_COVER_TYPE in self.oeb.guide: href = self.oeb.guide[MS_COVER_TYPE].href item = self.oeb.manifest.hrefs.get(href, None) if item is not None and item.media_type in OEB_IMAGES: return item if self.COVER_SVG_XP(html): svg = copy.deepcopy(self.COVER_SVG_XP(html)[0]) href = os.path.splitext(hcover.href)[0] + '.svg' id, href = self.oeb.manifest.generate(hcover.id, href) item = self.oeb.manifest.add(id, href, SVG_MIME, data=svg) return item if self.COVER_OBJECT_XP(html): object = self.COVER_OBJECT_XP(html)[0] href = hcover.abshref(object.get('data')) item = self.oeb.manifest.hrefs.get(href, None) if item is not None and item.media_type in OEB_IMAGES: return item return self._cover_from_html(hcover) def _ensure_cover_image(self): cover = self._locate_cover_image() if self.oeb.metadata.cover: self.oeb.metadata.cover[0].value = cover.id return self.oeb.metadata.add('cover', cover.id) def _manifest_remove_duplicates(self): seen = set() dups = set() for item in self.oeb.manifest: if item.href in seen: dups.add(item.href) seen.add(item.href) for href in dups: items = [x for x in self.oeb.manifest if x.href == href] for x in items: if x not in self.oeb.spine: self.oeb.log.warn('Removing duplicate manifest item with id:', x.id) self.oeb.manifest.remove_duplicate_item(x) def _all_from_opf(self, opf): self.oeb.version = opf.get('version', '1.2') self._metadata_from_opf(opf) self._manifest_from_opf(opf) self._spine_from_opf(opf) self._manifest_remove_duplicates() self._guide_from_opf(opf) item = self._find_ncx(opf) self._toc_from_opf(opf, item) self._pages_from_opf(opf, item) # self._ensure_cover_image() def main(argv=sys.argv): reader = OEBReader() for arg in argv[1:]: oeb = reader(OEBBook(), arg) for name, doc in oeb.to_opf1().values(): print(etree.tostring(doc, pretty_print=True)) for name, doc in oeb.to_opf2(page_map=True).values(): print(etree.tostring(doc, pretty_print=True)) return 0 if __name__ == '__main__': sys.exit(main())
28,491
Python
.py
693
28.510823
138
0.531034
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,364
parse_utils.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/parse_utils.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2011, Kovid Goyal <kovid@kovidgoyal.net>' __docformat__ = 'restructuredtext en' import re from lxml import etree, html from calibre import force_unicode, xml_replace_entities from calibre.constants import filesystem_encoding from calibre.ebooks.chardet import strip_encoding_declarations, xml_to_unicode from calibre.utils.xml_parse import safe_xml_fromstring from polyglot.builtins import iteritems, itervalues, string_or_bytes RECOVER_PARSER = etree.XMLParser(recover=True, no_network=True, resolve_entities=False) XHTML_NS = 'http://www.w3.org/1999/xhtml' XMLNS_NS = 'http://www.w3.org/2000/xmlns/' class NotHTML(Exception): def __init__(self, root_tag): Exception.__init__(self, 'Data is not HTML') self.root_tag = root_tag def barename(name): return name.rpartition('}')[-1] def namespace(name): return name.rpartition('}')[0][1:] def XHTML(name): return f'{{{XHTML_NS}}}{name}' def xpath(elem, expr): return elem.xpath(expr, namespaces={'h':XHTML_NS}) def XPath(expr): return etree.XPath(expr, namespaces={'h':XHTML_NS}) META_XP = XPath('/h:html/h:head/h:meta[@http-equiv="Content-Type"]') def merge_multiple_html_heads_and_bodies(root, log=None): heads, bodies = xpath(root, '//h:head'), xpath(root, '//h:body') if not (len(heads) > 1 or len(bodies) > 1): return root for child in root: root.remove(child) head = root.makeelement(XHTML('head')) body = root.makeelement(XHTML('body')) for h in heads: for x in h: head.append(x) for b in bodies: for x in b: body.append(x) for x in (head, body): root.append(x) if log is not None: log.warn('Merging multiple <head> and <body> sections') return root def clone_element(elem, nsmap={}, in_context=True): if in_context: maker = elem.getroottree().getroot().makeelement else: maker = etree.Element nelem = maker(elem.tag, attrib=elem.attrib, nsmap=nsmap) nelem.text, nelem.tail = elem.text, elem.tail nelem.extend(elem) return nelem def node_depth(node): ans = 0 p = node.getparent() while p is not None: ans += 1 p = p.getparent() return ans def html5_parse(data, max_nesting_depth=100): from html5_parser import parse from calibre.utils.cleantext import clean_xml_chars data = parse(clean_xml_chars(data), maybe_xhtml=True, keep_doctype=False, sanitize_names=True) # Check that the asinine HTML 5 algorithm did not result in a tree with # insane nesting depths for x in data.iterdescendants(): if isinstance(x.tag, string_or_bytes) and not len(x): # Leaf node depth = node_depth(x) if depth > max_nesting_depth: raise ValueError('HTML 5 parsing resulted in a tree with nesting' ' depth > %d'%max_nesting_depth) return data def _html4_parse(data): data = html.fromstring(data) data.attrib.pop('xmlns', None) for elem in data.iter(tag=etree.Comment): if elem.text: elem.text = elem.text.strip('-') data = etree.tostring(data, encoding='unicode') data = safe_xml_fromstring(data) return data def clean_word_doc(data, log): prefixes = [] for match in re.finditer(r'xmlns:(\S+?)=".*?microsoft.*?"', data): prefixes.append(match.group(1)) if prefixes: log.warn('Found microsoft markup, cleaning...') # Remove empty tags as they are not rendered by browsers # but can become renderable HTML tags like <p/> if the # document is parsed by an HTML parser pat = re.compile( r'<(%s):([a-zA-Z0-9]+)[^>/]*?></\1:\2>'%('|'.join(prefixes)), re.DOTALL) data = pat.sub('', data) pat = re.compile( r'<(%s):([a-zA-Z0-9]+)[^>/]*?/>'%('|'.join(prefixes))) data = pat.sub('', data) return data def ensure_namespace_prefixes(node, nsmap): namespace_uris = frozenset(itervalues(nsmap)) fnsmap = {k:v for k, v in iteritems(node.nsmap) if v not in namespace_uris} fnsmap.update(nsmap) if fnsmap != dict(node.nsmap): node = clone_element(node, nsmap=fnsmap, in_context=False) return node class HTML5Doc(ValueError): pass def check_for_html5(prefix, root): if re.search(r'<!DOCTYPE\s+html\s*>', prefix, re.IGNORECASE) is not None: if root.xpath('//svg'): raise HTML5Doc('This document appears to be un-namespaced HTML 5, should be parsed by the HTML 5 parser') def parse_html(data, log=None, decoder=None, preprocessor=None, filename='<string>', non_html_file_tags=frozenset()): if log is None: from calibre.utils.logging import default_log log = default_log filename = force_unicode(filename, enc=filesystem_encoding) if not isinstance(data, str): if decoder is not None: data = decoder(data) else: data = xml_to_unicode(data)[0] data = strip_encoding_declarations(data) # Remove DOCTYPE declaration as it messes up parsing # In particular, it causes tostring to insert xmlns # declarations, which messes up the coercing logic pre = '' idx = data.find('<html') if idx == -1: idx = data.find('<HTML') has_html4_doctype = False if idx > -1: pre = data[:idx] data = data[idx:] if '<!DOCTYPE' in pre: # Handle user defined entities # kindlegen produces invalid xhtml with uppercase attribute names # if fed HTML 4 with uppercase attribute names, so try to detect # and compensate for that. has_html4_doctype = re.search(r'<!DOCTYPE\s+[^>]+HTML\s+4.0[^.]+>', pre) is not None # Process private entities user_entities = {} for match in re.finditer(r'<!ENTITY\s+(\S+)\s+([^>]+)', pre): val = match.group(2) if val.startswith('"') and val.endswith('"'): val = val[1:-1] user_entities[match.group(1)] = val if user_entities: pat = re.compile(r'&(%s);'%('|'.join(list(user_entities.keys())))) data = pat.sub(lambda m:user_entities[m.group(1)], data) if preprocessor is not None: data = preprocessor(data) # There could be null bytes in data if it had &#0; entities in it data = data.replace('\0', '') data = raw = clean_word_doc(data, log) # Try with more & more drastic measures to parse try: data = safe_xml_fromstring(data, recover=False) check_for_html5(pre, data) except (HTML5Doc, etree.XMLSyntaxError): log.debug('Initial parse failed, using more' ' forgiving parsers') raw = data = xml_replace_entities(raw) try: data = safe_xml_fromstring(data, recover=False) check_for_html5(pre, data) except (HTML5Doc, etree.XMLSyntaxError): log.debug('Parsing %s as HTML' % filename) data = raw try: data = html5_parse(data) except Exception: log.exception( 'HTML 5 parsing failed, falling back to older parsers') data = _html4_parse(data) if has_html4_doctype or data.tag == 'HTML' or (len(data) and (data[-1].get('LANG') or data[-1].get('DIR'))): # Lower case all tag and attribute names data.tag = data.tag.lower() for x in data.iterdescendants(): try: x.tag = x.tag.lower() for key, val in list(iteritems(x.attrib)): del x.attrib[key] key = key.lower() x.attrib[key] = val except: pass if barename(data.tag) != 'html': if barename(data.tag) in non_html_file_tags: raise NotHTML(data.tag) log.warn('File %r does not appear to be (X)HTML'%filename) nroot = safe_xml_fromstring('<html></html>') has_body = False for child in list(data): if isinstance(child.tag, (str, bytes)) and barename(child.tag) == 'body': has_body = True break parent = nroot if not has_body: log.warn('File %r appears to be a HTML fragment'%filename) nroot = safe_xml_fromstring('<html><body/></html>') parent = nroot[0] for child in list(data.iter()): oparent = child.getparent() if oparent is not None: oparent.remove(child) parent.append(child) data = nroot # Force into the XHTML namespace if not namespace(data.tag): log.warn('Forcing', filename, 'into XHTML namespace') data.attrib['xmlns'] = XHTML_NS data = etree.tostring(data, encoding='unicode') try: data = safe_xml_fromstring(data, recover=False) except: data = data.replace(':=', '=').replace(':>', '>') data = data.replace('<http:/>', '') try: data = safe_xml_fromstring(data, recover=False) except etree.XMLSyntaxError: log.warn('Stripping comments from %s'% filename) data = re.compile(r'<!--.*?-->', re.DOTALL).sub('', data) data = data.replace( "<?xml version='1.0' encoding='utf-8'?><o:p></o:p>", '') data = data.replace("<?xml version='1.0' encoding='utf-8'??>", '') try: data = safe_xml_fromstring(data) except etree.XMLSyntaxError: log.warn('Stripping meta tags from %s'% filename) data = re.sub(r'<meta\s+[^>]+?>', '', data) data = safe_xml_fromstring(data) elif namespace(data.tag) != XHTML_NS: # OEB_DOC_NS, but possibly others ns = namespace(data.tag) attrib = dict(data.attrib) nroot = etree.Element(XHTML('html'), nsmap={None: XHTML_NS}, attrib=attrib) for elem in data.iterdescendants(): if isinstance(elem.tag, string_or_bytes) and \ namespace(elem.tag) == ns: elem.tag = XHTML(barename(elem.tag)) for elem in data: nroot.append(elem) data = nroot # Remove non default prefixes referring to the XHTML namespace data = ensure_namespace_prefixes(data, {None: XHTML_NS}) data = merge_multiple_html_heads_and_bodies(data, log) # Ensure has a <head/> head = xpath(data, '/h:html/h:head') head = head[0] if head else None if head is None: log.warn('File %s missing <head/> element' % filename) head = etree.Element(XHTML('head')) data.insert(0, head) title = etree.SubElement(head, XHTML('title')) title.text = _('Unknown') elif not xpath(data, '/h:html/h:head/h:title'): title = etree.SubElement(head, XHTML('title')) title.text = _('Unknown') # Ensure <title> is not empty title = xpath(data, '/h:html/h:head/h:title')[0] if not title.text or not title.text.strip(): title.text = _('Unknown') # Remove any encoding-specifying <meta/> elements for meta in META_XP(data): meta.getparent().remove(meta) meta = etree.SubElement(head, XHTML('meta'), attrib={'http-equiv': 'Content-Type'}) meta.set('content', 'text/html; charset=utf-8') # Ensure content is second attribute # Ensure has a <body/> if not xpath(data, '/h:html/h:body'): body = xpath(data, '//h:body') if body: body = body[0] body.getparent().remove(body) data.append(body) else: log.warn('File %s missing <body/> element' % filename) etree.SubElement(data, XHTML('body')) # Remove microsoft office markup r = [x for x in data.iterdescendants(etree.Element) if 'microsoft-com' in x.tag] for x in r: x.tag = XHTML('span') def remove_elem(a): p = a.getparent() idx = p.index(a) -1 p.remove(a) if a.tail: if idx < 0: if p.text is None: p.text = '' p.text += a.tail else: if p[idx].tail is None: p[idx].tail = '' p[idx].tail += a.tail # Remove hyperlinks with no content as they cause rendering # artifacts in browser based renderers # Also remove empty <b>, <u> and <i> tags for a in xpath(data, '//h:a[@href]|//h:i|//h:b|//h:u'): if a.get('id', None) is None and a.get('name', None) is None \ and len(a) == 0 and not a.text: remove_elem(a) # Convert <br>s with content into paragraphs as ADE can't handle # them for br in xpath(data, '//h:br'): if len(br) > 0 or br.text: br.tag = XHTML('div') # Remove any stray text in the <head> section and format it nicely data.text = '\n ' head = xpath(data, '//h:head') if head: head = head[0] head.text = '\n ' head.tail = '\n ' for child in head: child.tail = '\n ' child.tail = '\n ' return data
13,522
Python
.py
328
32.04878
117
0.581252
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,365
bookmarks.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/iterator/bookmarks.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2012, Kovid Goyal <kovid@kovidgoyal.net>' __docformat__ = 'restructuredtext en' import numbers import os from io import BytesIO from calibre.utils.zipfile import safe_replace from polyglot.builtins import as_unicode BM_FIELD_SEP = '*|!|?|*' BM_LEGACY_ESC = 'esc-text-%&*#%(){}ads19-end-esc' def parse_bookmarks(raw): raw = as_unicode(raw) for line in raw.splitlines(): if '^' in line: tokens = line.rpartition('^') title, ref = tokens[0], tokens[2] try: spine, _, pos = ref.partition('#') spine = int(spine.strip()) except Exception: continue yield {'type':'legacy', 'title':title, 'spine':spine, 'pos':pos} elif BM_FIELD_SEP in line: try: title, spine, pos = line.strip().split(BM_FIELD_SEP) spine = int(spine) except Exception: continue # Unescape from serialization pos = pos.replace(BM_LEGACY_ESC, '^') # Check for pos being a scroll fraction try: pos = float(pos) except Exception: pass yield {'type':'cfi', 'title':title, 'pos':pos, 'spine':spine} class BookmarksMixin: def __init__(self, copy_bookmarks_to_file=True): self.copy_bookmarks_to_file = copy_bookmarks_to_file def parse_bookmarks(self, raw): for bm in parse_bookmarks(raw): self.bookmarks.append(bm) def serialize_bookmarks(self, bookmarks): dat = [] for bm in bookmarks: if bm['type'] == 'legacy': rec = '%s^%d#%s'%(bm['title'], bm['spine'], bm['pos']) else: pos = bm['pos'] if isinstance(pos, numbers.Number): pos = str(pos) else: pos = pos.replace('^', BM_LEGACY_ESC) rec = BM_FIELD_SEP.join([bm['title'], str(bm['spine']), pos]) dat.append(rec) return ('\n'.join(dat) +'\n') def read_bookmarks(self): self.bookmarks = [] raw = self.config['bookmarks_'+self.pathtoebook] or '' if not raw: # Look for bookmarks saved inside the ebook bmfile = os.path.join(self.base, 'META-INF', 'calibre_bookmarks.txt') if os.path.exists(bmfile): with open(bmfile, 'rb') as f: raw = f.read() if isinstance(raw, bytes): raw = raw.decode('utf-8') self.parse_bookmarks(raw) def save_bookmarks(self, bookmarks=None, no_copy_to_file=False): if bookmarks is None: bookmarks = self.bookmarks dat = self.serialize_bookmarks(bookmarks) self.config['bookmarks_'+self.pathtoebook] = dat if not no_copy_to_file and self.copy_bookmarks_to_file and os.path.splitext( self.pathtoebook)[1].lower() == '.epub' and os.access(self.pathtoebook, os.W_OK): try: with open(self.pathtoebook, 'r+b') as zf: safe_replace(zf, 'META-INF/calibre_bookmarks.txt', BytesIO(dat.encode('utf-8')), add_missing=True) except OSError: return def add_bookmark(self, bm, no_copy_to_file=False): self.bookmarks = [x for x in self.bookmarks if x['title'] != bm['title']] self.bookmarks.append(bm) self.save_bookmarks(no_copy_to_file=no_copy_to_file) def set_bookmarks(self, bookmarks): self.bookmarks = bookmarks
3,713
Python
.py
90
29.988889
97
0.546437
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,366
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/iterator/__init__.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2012, Kovid Goyal <kovid@kovidgoyal.net>' __docformat__ = 'restructuredtext en' import os import re import sys from calibre.customize.ui import available_input_formats def is_supported(path): ext = os.path.splitext(path)[1].replace('.', '').lower() ext = re.sub(r'(x{0,1})htm(l{0,1})', 'html', ext) return ext in available_input_formats() or ext == 'kepub' class UnsupportedFormatError(Exception): def __init__(self, fmt): Exception.__init__(self, _('%s format books are not supported')%fmt.upper()) def EbookIterator(*args, **kwargs): 'For backwards compatibility' from calibre.ebooks.oeb.iterator.book import EbookIterator return EbookIterator(*args, **kwargs) def get_preprocess_html(path_to_ebook, output=None): from calibre.ebooks.conversion.plumber import Plumber, set_regex_wizard_callback from calibre.ptempfile import TemporaryDirectory from calibre.utils.logging import DevNull raw = {} set_regex_wizard_callback(raw.__setitem__) with TemporaryDirectory('_regex_wiz') as tdir: pl = Plumber(path_to_ebook, os.path.join(tdir, 'a.epub'), DevNull(), for_regex_wizard=True) pl.run() items = [raw[item.href] for item in pl.oeb.spine if item.href in raw] with (sys.stdout if output is None else open(output, 'wb')) as out: for html in items: out.write(html.encode('utf-8')) out.write(b'\n\n' + b'-'*80 + b'\n\n')
1,514
Python
.py
33
40.818182
99
0.683027
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,367
spine.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/iterator/spine.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2012, Kovid Goyal <kovid@kovidgoyal.net>' __docformat__ = 'restructuredtext en' import os import re from collections import namedtuple from functools import partial from operator import attrgetter from calibre import guess_type, replace_entities from calibre.ebooks.chardet import xml_to_unicode def character_count(html): ''' Return the number of "significant" text characters in a HTML string. ''' count = 0 strip_space = re.compile(r'\s+') for match in re.finditer(r'>[^<]+<', html): count += len(strip_space.sub(' ', match.group()))-2 return count def anchor_map(html): ''' Return map of all anchor names to their offsets in the html ''' ans = {} for match in re.finditer( r'''(?:id|name)\s*=\s*['"]([^'"]+)['"]''', html): anchor = match.group(1) ans[anchor] = ans.get(anchor, match.start()) return ans def all_links(html): ''' Return set of all links in the file ''' ans = set() for match in re.finditer( r'''<\s*[Aa]\s+.*?[hH][Rr][Ee][Ff]\s*=\s*(['"])(.+?)\1''', html, re.MULTILINE|re.DOTALL): ans.add(replace_entities(match.group(2))) return ans class SpineItem(str): def __new__(cls, path, mime_type=None, read_anchor_map=True, run_char_count=True, from_epub=False, read_links=True): ppath = path.partition('#')[0] if not os.path.exists(path) and os.path.exists(ppath): path = ppath obj = super().__new__(cls, path) with open(path, 'rb') as f: raw = f.read() if from_epub: # According to the spec, HTML in EPUB must be encoded in utf-8 or # utf-16. Furthermore, there exist epub files produced by the usual # incompetents that have utf-8 encoded HTML files that contain # incorrect encoding declarations. See # http://www.idpf.org/epub/20/spec/OPS_2.0.1_draft.htm#Section1.4.1.2 # http://www.idpf.org/epub/30/spec/epub30-publications.html#confreq-xml-enc # https://bugs.launchpad.net/bugs/1188843 # So we first decode with utf-8 and only if that fails we try xml_to_unicode. This # is the same algorithm as that used by the conversion pipeline (modulo # some BOM based detection). Sigh. try: raw, obj.encoding = raw.decode('utf-8'), 'utf-8' except UnicodeDecodeError: raw, obj.encoding = xml_to_unicode(raw) else: raw, obj.encoding = xml_to_unicode(raw) obj.character_count = character_count(raw) if run_char_count else 10000 obj.anchor_map = anchor_map(raw) if read_anchor_map else {} obj.all_links = all_links(raw) if read_links else set() obj.verified_links = set() obj.start_page = -1 obj.pages = -1 obj.max_page = -1 obj.index_entries = [] if mime_type is None: mime_type = guess_type(obj)[0] obj.mime_type = mime_type obj.is_single_page = None return obj class IndexEntry: def __init__(self, spine, toc_entry, num): self.num = num self.text = toc_entry.text or _('Unknown') self.key = toc_entry.abspath self.anchor = self.start_anchor = toc_entry.fragment or None try: self.spine_pos = spine.index(self.key) except ValueError: self.spine_pos = -1 self.anchor_pos = 0 if self.spine_pos > -1: self.anchor_pos = spine[self.spine_pos].anchor_map.get(self.anchor, 0) self.depth = 0 p = toc_entry.parent while p is not None: self.depth += 1 p = p.parent self.sort_key = (self.spine_pos, self.anchor_pos) self.spine_count = len(spine) def find_end(self, all_entries): potential_enders = [i for i in all_entries if i.depth <= self.depth and ( (i.spine_pos == self.spine_pos and i.anchor_pos > self.anchor_pos) or i.spine_pos > self.spine_pos )] if potential_enders: # potential_enders is sorted by (spine_pos, anchor_pos) end = potential_enders[0] self.end_spine_pos = end.spine_pos self.end_anchor = end.anchor else: self.end_spine_pos = self.spine_count - 1 self.end_anchor = None def create_indexing_data(spine, toc): if not toc: return f = partial(IndexEntry, spine) index_entries = list(map(f, (t for t in toc.flat() if t is not toc), (i-1 for i, t in enumerate(toc.flat()) if t is not toc) )) index_entries.sort(key=attrgetter('sort_key')) [i.find_end(index_entries) for i in index_entries] ie = namedtuple('IndexEntry', 'entry start_anchor end_anchor') for spine_pos, spine_item in enumerate(spine): for i in index_entries: if i.end_spine_pos < spine_pos or i.spine_pos > spine_pos: continue # Does not touch this file start = i.anchor if i.spine_pos == spine_pos else None end = i.end_anchor if i.spine_pos == spine_pos else None spine_item.index_entries.append(ie(i, start, end))
5,386
Python
.py
126
33.65873
101
0.591751
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,368
book.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/iterator/book.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2012, Kovid Goyal <kovid@kovidgoyal.net>' __docformat__ = 'restructuredtext en' ''' Iterate over the HTML files in an ebook. Useful for writing viewers. ''' import math import os import re from functools import partial from calibre import guess_type, prepare_string_for_xml from calibre.ebooks.metadata.opf2 import OPF from calibre.ebooks.oeb.base import urlparse, urlunquote from calibre.ebooks.oeb.iterator.bookmarks import BookmarksMixin from calibre.ebooks.oeb.iterator.spine import SpineItem, create_indexing_data from calibre.ebooks.oeb.transforms.cover import CoverManager from calibre.ptempfile import PersistentTemporaryDirectory, remove_dir from calibre.utils.config import DynamicConfig from calibre.utils.logging import default_log from calibre.utils.tdir_in_cache import tdir_in_cache TITLEPAGE = CoverManager.SVG_TEMPLATE.replace( '__ar__', 'none').replace('__viewbox__', '0 0 600 800' ).replace('__width__', '600').replace('__height__', '800') class FakeOpts: verbose = 0 breadth_first = False max_levels = 5 input_encoding = None def write_oebbook(oeb, path): from calibre import walk from calibre.ebooks.oeb.writer import OEBWriter w = OEBWriter() w(oeb, path) for f in walk(path): if f.endswith('.opf'): return f def extract_book(pathtoebook, tdir, log=None, view_kepub=False, processed=False, only_input_plugin=False): from calibre.ebooks.conversion.plumber import Plumber, create_oebbook from calibre.utils.logging import default_log log = log or default_log plumber = Plumber(pathtoebook, tdir, log, view_kepub=view_kepub) plumber.setup_options() if pathtoebook.lower().endswith('.opf'): plumber.opts.dont_package = True if hasattr(plumber.opts, 'no_process'): plumber.opts.no_process = True plumber.input_plugin.for_viewer = True with plumber.input_plugin, open(plumber.input, 'rb') as inf: pathtoopf = plumber.input_plugin(inf, plumber.opts, plumber.input_fmt, log, {}, tdir) if not only_input_plugin: # Run the HTML preprocess/parsing from the conversion pipeline as # well if (processed or plumber.input_fmt.lower() in {'pdb', 'pdf', 'rb'} and not hasattr(pathtoopf, 'manifest')): if hasattr(pathtoopf, 'manifest'): pathtoopf = write_oebbook(pathtoopf, tdir) pathtoopf = create_oebbook(log, pathtoopf, plumber.opts) if hasattr(pathtoopf, 'manifest'): pathtoopf = write_oebbook(pathtoopf, tdir) book_format = os.path.splitext(pathtoebook)[1][1:].upper() if getattr(plumber.input_plugin, 'is_kf8', False): fs = ':joint' if getattr(plumber.input_plugin, 'mobi_is_joint', False) else '' book_format = 'KF8' + fs return book_format, pathtoopf, plumber.input_fmt def run_extract_book(*args, **kwargs): from calibre.utils.ipc.simple_worker import fork_job ans = fork_job('calibre.ebooks.oeb.iterator.book', 'extract_book', args=args, kwargs=kwargs, timeout=3000, no_output=True) return ans['result'] class EbookIterator(BookmarksMixin): CHARACTERS_PER_PAGE = 1000 def __init__(self, pathtoebook, log=None, copy_bookmarks_to_file=True, use_tdir_in_cache=False): BookmarksMixin.__init__(self, copy_bookmarks_to_file=copy_bookmarks_to_file) self.use_tdir_in_cache = use_tdir_in_cache self.log = log or default_log pathtoebook = pathtoebook.strip() self.pathtoebook = os.path.abspath(pathtoebook) self.config = DynamicConfig(name='iterator') ext = os.path.splitext(pathtoebook)[1].replace('.', '').lower() ext = re.sub(r'(x{0,1})htm(l{0,1})', 'html', ext) self.ebook_ext = ext.replace('original_', '') def search(self, text, index, backwards=False): from calibre.ebooks.oeb.polish.parsing import parse pmap = [(i, path) for i, path in enumerate(self.spine)] if backwards: pmap.reverse() q = text.lower() for i, path in pmap: if (backwards and i < index) or (not backwards and i > index): with open(path, 'rb') as f: raw = f.read().decode(path.encoding) root = parse(raw) fragments = [] def serialize(elem): if elem.text: fragments.append(elem.text.lower()) if elem.tail: fragments.append(elem.tail.lower()) for child in elem.iterchildren(): if hasattr(getattr(child, 'tag', None), 'rpartition') and child.tag.rpartition('}')[-1] not in {'script', 'style', 'del'}: serialize(child) elif getattr(child, 'tail', None): fragments.append(child.tail.lower()) for body in root.xpath('//*[local-name() = "body"]'): body.tail = None serialize(body) if q in ''.join(fragments): return i def __enter__(self, processed=False, only_input_plugin=False, run_char_count=True, read_anchor_map=True, view_kepub=False, read_links=True): ''' Convert an ebook file into an exploded OEB book suitable for display in viewers/preprocessing etc. ''' self.delete_on_exit = [] if self.use_tdir_in_cache: self._tdir = tdir_in_cache('ev') else: self._tdir = PersistentTemporaryDirectory('_ebook_iter') self.base = os.path.realpath(self._tdir) self.book_format, self.pathtoopf, input_fmt = run_extract_book( self.pathtoebook, self.base, only_input_plugin=only_input_plugin, view_kepub=view_kepub, processed=processed) self.opf = OPF(self.pathtoopf, os.path.dirname(self.pathtoopf)) self.mi = self.opf.to_book_metadata() self.language = None if self.mi.languages: self.language = self.mi.languages[0].lower() self.spine = [] Spiny = partial(SpineItem, read_anchor_map=read_anchor_map, read_links=read_links, run_char_count=run_char_count, from_epub=self.book_format == 'EPUB') if input_fmt.lower() == 'htmlz': self.spine.append(Spiny(os.path.join(os.path.dirname(self.pathtoopf), 'index.html'), mime_type='text/html')) else: ordered = [i for i in self.opf.spine if i.is_linear] + \ [i for i in self.opf.spine if not i.is_linear] is_comic = input_fmt.lower() in {'cbc', 'cbz', 'cbr', 'cb7'} for i in ordered: spath = i.path mt = None if i.idref is not None: mt = self.opf.manifest.type_for_id(i.idref) if mt is None: mt = guess_type(spath)[0] try: self.spine.append(Spiny(spath, mime_type=mt)) if is_comic: self.spine[-1].is_single_page = True except: self.log.warn('Missing spine item:', repr(spath)) cover = self.opf.cover if cover and self.ebook_ext in {'lit', 'mobi', 'prc', 'opf', 'fb2', 'azw', 'azw3', 'docx', 'htmlz'}: cfile = os.path.join(self.base, 'calibre_iterator_cover.html') rcpath = os.path.relpath(cover, self.base).replace(os.sep, '/') chtml = (TITLEPAGE%prepare_string_for_xml(rcpath, True)).encode('utf-8') with open(cfile, 'wb') as f: f.write(chtml) self.spine[0:0] = [Spiny(cfile, mime_type='application/xhtml+xml')] self.delete_on_exit.append(cfile) if self.opf.path_to_html_toc is not None and \ self.opf.path_to_html_toc not in self.spine: try: self.spine.append(Spiny(self.opf.path_to_html_toc)) except: import traceback traceback.print_exc() sizes = [i.character_count for i in self.spine] self.pages = [math.ceil(i/float(self.CHARACTERS_PER_PAGE)) for i in sizes] for p, s in zip(self.pages, self.spine): s.pages = p start = 1 for s in self.spine: s.start_page = start start += s.pages s.max_page = s.start_page + s.pages - 1 self.toc = self.opf.toc if read_anchor_map: create_indexing_data(self.spine, self.toc) self.verify_links() self.read_bookmarks() return self def verify_links(self): spine_paths = {s:s for s in self.spine} for item in self.spine: base = os.path.dirname(item) for link in item.all_links: try: p = urlparse(urlunquote(link)) except Exception: continue if not p.scheme and not p.netloc: path = os.path.abspath(os.path.join(base, p.path)) if p.path else item try: path = spine_paths[path] except Exception: continue if not p.fragment or p.fragment in path.anchor_map: item.verified_links.add((path, p.fragment)) def __exit__(self, *args): remove_dir(self._tdir) for x in self.delete_on_exit: try: os.remove(x) except: pass
9,757
Python
.py
205
36.160976
146
0.588606
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,369
split.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/split.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' import copy import os import re from calibre.ebooks.oeb.base import OEB_DOCS, OPF, XHTML, XPNSMAP, XPath, barename from calibre.ebooks.oeb.polish.errors import MalformedMarkup from calibre.ebooks.oeb.polish.replace import LinkRebaser from calibre.ebooks.oeb.polish.toc import node_from_loc from polyglot.builtins import iteritems, string_or_bytes from polyglot.urllib import urlparse class AbortError(ValueError): pass def in_table(node): while node is not None: if node.tag.endswith('}table'): return True node = node.getparent() return False def adjust_split_point(split_point, log): ''' Move the split point up its ancestor chain if it has no content before it. This handles the common case: <div id="chapter1"><h2>Chapter 1</h2>...</div> with a page break on the h2. ''' sp = split_point while True: parent = sp.getparent() if ( parent is None or barename(parent.tag) in {'body', 'html'} or (parent.text and parent.text.strip()) or parent.index(sp) > 0 ): break sp = parent if sp is not split_point: log.debug('Adjusted split point to ancestor') return sp def get_body(root): return root.find('h:body', namespaces=XPNSMAP) def do_split(split_point, log, before=True): ''' Split tree into a *before* and an *after* tree at ``split_point``. :param split_point: The Element at which to split :param before: If True tree is split before split_point, otherwise after split_point :return: before_tree, after_tree ''' if before: # We cannot adjust for after since moving an after split point to a # parent will cause breakage if the parent contains any content # after the original split point split_point = adjust_split_point(split_point, log) tree = split_point.getroottree() path = tree.getpath(split_point) tree, tree2 = copy.deepcopy(tree), copy.deepcopy(tree) root, root2 = tree.getroot(), tree2.getroot() body, body2 = map(get_body, (root, root2)) split_point = root.xpath(path)[0] split_point2 = root2.xpath(path)[0] def nix_element(elem, top=True): # Remove elem unless top is False in which case replace elem by its # children parent = elem.getparent() if top: parent.remove(elem) else: index = parent.index(elem) parent[index:index+1] = list(elem.iterchildren()) # Tree 1 hit_split_point = False keep_descendants = False split_point_descendants = frozenset(split_point.iterdescendants()) for elem in tuple(body.iterdescendants()): if elem is split_point: hit_split_point = True if before: nix_element(elem) else: # We want to keep the descendants of the split point in # Tree 1 keep_descendants = True # We want the split point element, but not its tail elem.tail = '\n' continue if hit_split_point: if keep_descendants: if elem in split_point_descendants: # elem is a descendant keep it continue else: # We are out of split_point, so prevent further set # lookups of split_point_descendants keep_descendants = False nix_element(elem) # Tree 2 ancestors = frozenset(XPath('ancestor::*')(split_point2)) for elem in tuple(body2.iterdescendants()): if elem is split_point2: if not before: # Keep the split point element's tail, if it contains non-whitespace # text tail = elem.tail if tail and not tail.isspace(): parent = elem.getparent() idx = parent.index(elem) if idx == 0: parent.text = (parent.text or '') + tail else: sib = parent[idx-1] sib.tail = (sib.tail or '') + tail # Remove the element itself nix_element(elem) break if elem in ancestors: # We have to preserve the ancestors as they could have CSS # styles that are inherited/applicable, like font or # width. So we only remove the text, if any. elem.text = '\n' else: nix_element(elem, top=False) body2.text = '\n' return tree, tree2 class SplitLinkReplacer: def __init__(self, base, bottom_anchors, top_name, bottom_name, container): self.bottom_anchors, self.bottom_name = bottom_anchors, bottom_name self.container, self.top_name = container, top_name self.base = base self.replaced = False def __call__(self, url): if url and url.startswith('#'): return url name = self.container.href_to_name(url, self.base) if name != self.top_name: return url purl = urlparse(url) if purl.fragment and purl.fragment in self.bottom_anchors: url = self.container.name_to_href(self.bottom_name, self.base) + '#' + purl.fragment self.replaced = True return url def split(container, name, loc_or_xpath, before=True, totals=None): ''' Split the file specified by name at the position specified by loc_or_xpath. Splitting automatically migrates all links and references to the affected files. :param loc_or_xpath: Should be an XPath expression such as //h:div[@id="split_here"]. Can also be a *loc* which is used internally to implement splitting in the preview panel. :param before: If True the split occurs before the identified element otherwise after it. :param totals: Used internally ''' root = container.parsed(name) if isinstance(loc_or_xpath, str): split_point = root.xpath(loc_or_xpath)[0] else: try: split_point = node_from_loc(root, loc_or_xpath, totals=totals) except MalformedMarkup: # The webkit HTML parser and the container parser have yielded # different node counts, this can happen if the file is valid XML # but contains constructs like nested <p> tags. So force parse it # with the HTML 5 parser and try again. raw = container.raw_data(name) root = container.parse_xhtml(raw, fname=name, force_html5_parse=True) try: split_point = node_from_loc(root, loc_or_xpath, totals=totals) except MalformedMarkup: raise MalformedMarkup(_('The file %s has malformed markup. Try running the Fix HTML tool' ' before splitting') % name) container.replace(name, root) if in_table(split_point): raise AbortError('Cannot split inside tables') if split_point.tag.endswith('}body'): raise AbortError('Cannot split on the <body> tag') tree1, tree2 = do_split(split_point, container.log, before=before) root1, root2 = tree1.getroot(), tree2.getroot() anchors_in_top = frozenset(root1.xpath('//*/@id')) | frozenset(root1.xpath('//*/@name')) | {''} anchors_in_bottom = frozenset(root2.xpath('//*/@id')) | frozenset(root2.xpath('//*/@name')) base, ext = name.rpartition('.')[0::2] base = re.sub(r'_split\d+$', '', base) nname, s = None, 0 while not nname or container.exists(nname): s += 1 nname = '%s_split%d.%s' % (base, s, ext) manifest_item = container.generate_item(nname, media_type=container.mime_map[name]) bottom_name = container.href_to_name(manifest_item.get('href'), container.opf_name) # Fix links in the split trees for r in (root1, root2): for a in r.xpath('//*[@href]'): url = a.get('href') if url.startswith('#'): fname = name else: fname = container.href_to_name(url, name) if fname == name: purl = urlparse(url) if purl.fragment in anchors_in_top: if r is root2: a.set('href', f'{container.name_to_href(name, bottom_name)}#{purl.fragment}') else: a.set('href', '#' + purl.fragment) elif purl.fragment in anchors_in_bottom: if r is root1: a.set('href', f'{container.name_to_href(bottom_name, name)}#{purl.fragment}') else: a.set('href', '#' + purl.fragment) # Fix all links in the container that point to anchors in the bottom tree for fname, media_type in iteritems(container.mime_map): if fname not in {name, bottom_name}: repl = SplitLinkReplacer(fname, anchors_in_bottom, name, bottom_name, container) container.replace_links(fname, repl) container.replace(name, root1) container.replace(bottom_name, root2) spine = container.opf_xpath('//opf:spine')[0] for spine_item, spine_name, linear in container.spine_iter: if spine_name == name: break index = spine.index(spine_item) + 1 si = spine.makeelement(OPF('itemref'), idref=manifest_item.get('id')) if not linear: si.set('linear', 'no') container.insert_into_xml(spine, si, index=index) container.dirty(container.opf_name) return bottom_name def multisplit(container, name, xpath, before=True): ''' Split the specified file at multiple locations (all tags that match the specified XPath expression). See also: :func:`split`. Splitting automatically migrates all links and references to the affected files. :param before: If True the splits occur before the identified element otherwise after it. ''' root = container.parsed(name) nodes = root.xpath(xpath, namespaces=XPNSMAP) if not nodes: raise AbortError(_('The expression %s did not match any nodes') % xpath) for split_point in nodes: if in_table(split_point): raise AbortError('Cannot split inside tables') if split_point.tag.endswith('}body'): raise AbortError('Cannot split on the <body> tag') for i, tag in enumerate(nodes): tag.set('calibre-split-point', str(i)) current = name all_names = [name] for i in range(len(nodes)): current = split(container, current, '//*[@calibre-split-point="%d"]' % i, before=before) all_names.append(current) for x in all_names: for tag in container.parsed(x).xpath('//*[@calibre-split-point]'): tag.attrib.pop('calibre-split-point') container.dirty(x) return all_names[1:] class MergeLinkReplacer: def __init__(self, base, anchor_map, master, container): self.container, self.anchor_map = container, anchor_map self.master = master self.base = base self.replaced = False def __call__(self, url): if url and url.startswith('#'): return url name = self.container.href_to_name(url, self.base) amap = self.anchor_map.get(name, None) if amap is None: return url purl = urlparse(url) frag = purl.fragment or '' frag = amap.get(frag, frag) url = self.container.name_to_href(self.master, self.base) + '#' + frag self.replaced = True return url def add_text(body, text): if len(body) > 0: body[-1].tail = (body[-1].tail or '') + text else: body.text = (body.text or '') + text def all_anchors(root): return set(root.xpath('//*/@id')) | set(root.xpath('//*/@name')) def all_stylesheets(container, name): for link in XPath('//h:head/h:link[@href]')(container.parsed(name)): name = container.href_to_name(link.get('href'), name) typ = link.get('type', 'text/css') if typ == 'text/css': yield name def unique_anchor(seen_anchors, current): c = 0 ans = current while ans in seen_anchors: c += 1 ans = '%s_%d' % (current, c) return ans def remove_name_attributes(root): # Remove all name attributes, replacing them with id attributes for elem in root.xpath('//*[@id and @name]'): del elem.attrib['name'] for elem in root.xpath('//*[@name]'): elem.set('id', elem.attrib.pop('name')) def merge_html(container, names, master, insert_page_breaks=False): p = container.parsed root = p(master) # Ensure master has a <head> head = root.find('h:head', namespaces=XPNSMAP) if head is None: head = root.makeelement(XHTML('head')) container.insert_into_xml(root, head, 0) seen_anchors = all_anchors(root) seen_stylesheets = set(all_stylesheets(container, master)) master_body = p(master).findall('h:body', namespaces=XPNSMAP)[-1] master_base = os.path.dirname(master) anchor_map = {n:{} for n in names if n != master} first_anchor_map = {} for name in names: if name == master: continue # Insert new stylesheets into master for sheet in all_stylesheets(container, name): if sheet not in seen_stylesheets: seen_stylesheets.add(sheet) link = head.makeelement(XHTML('link'), rel='stylesheet', type='text/css', href=container.name_to_href(sheet, master)) container.insert_into_xml(head, link) # Rebase links if master is in a different directory if os.path.dirname(name) != master_base: container.replace_links(name, LinkRebaser(container, name, master)) root = p(name) children = [] for body in p(name).findall('h:body', namespaces=XPNSMAP): children.append(body.text if body.text and body.text.strip() else '\n\n') children.extend(body) first_child = '' for first_child in children: if not isinstance(first_child, string_or_bytes): break if isinstance(first_child, string_or_bytes): # body contained only text, no tags first_child = body.makeelement(XHTML('p')) first_child.text, children[0] = children[0], first_child amap = anchor_map[name] remove_name_attributes(root) for elem in root.xpath('//*[@id]'): val = elem.get('id') if not val: continue if val in seen_anchors: nval = unique_anchor(seen_anchors, val) elem.set('id', nval) amap[val] = nval else: seen_anchors.add(val) if 'id' not in first_child.attrib: first_child.set('id', unique_anchor(seen_anchors, 'top')) seen_anchors.add(first_child.get('id')) first_anchor_map[name] = first_child.get('id') if insert_page_breaks: first_child.set('style', first_child.get('style', '') + '; page-break-before: always') amap[''] = first_child.get('id') # Fix links that point to local changed anchors for a in XPath('//h:a[starts-with(@href, "#")]')(root): q = a.get('href')[1:] if q in amap: a.set('href', '#' + amap[q]) for child in children: if isinstance(child, string_or_bytes): add_text(master_body, child) else: master_body.append(copy.deepcopy(child)) container.remove_item(name, remove_from_guide=False) # Fix all links in the container that point to merged files for fname, media_type in iteritems(container.mime_map): repl = MergeLinkReplacer(fname, anchor_map, master, container) container.replace_links(fname, repl) return first_anchor_map def merge_css(container, names, master): p = container.parsed msheet = p(master) master_base = os.path.dirname(master) merged = set() for name in names: if name == master: continue # Rebase links if master is in a different directory if os.path.dirname(name) != master_base: container.replace_links(name, LinkRebaser(container, name, master)) sheet = p(name) # Remove charset rules cr = [r for r in sheet.cssRules if r.type == r.CHARSET_RULE] [sheet.deleteRule(sheet.cssRules.index(r)) for r in cr] for rule in sheet.cssRules: msheet.add(rule) container.remove_item(name) merged.add(name) # Remove links to merged stylesheets in the html files, replacing with a # link to the master sheet for name, mt in iteritems(container.mime_map): if mt in OEB_DOCS: removed = False root = p(name) for link in XPath('//h:link[@href]')(root): q = container.href_to_name(link.get('href'), name) if q in merged: container.remove_from_xml(link) removed = True if removed: container.dirty(name) if removed and master not in set(all_stylesheets(container, name)): head = root.find('h:head', namespaces=XPNSMAP) if head is not None: link = head.makeelement(XHTML('link'), type='text/css', rel='stylesheet', href=container.name_to_href(master, name)) container.insert_into_xml(head, link) def merge(container, category, names, master): ''' Merge the specified files into a single file, automatically migrating all links and references to the affected files. The file must all either be HTML or CSS files. :param category: Must be either ``'text'`` for HTML files or ``'styles'`` for CSS files :param names: The list of files to be merged :param master: Which of the merged files is the *master* file, that is, the file that will remain after merging. ''' if category not in {'text', 'styles'}: raise AbortError('Cannot merge files of type: %s' % category) if len(names) < 2: raise AbortError('Must specify at least two files to be merged') if master not in names: raise AbortError('The master file (%s) must be one of the files being merged' % master) if category == 'text': merge_html(container, names, master) elif category == 'styles': merge_css(container, names, master) container.dirty(master)
18,872
Python
.py
429
34.421911
136
0.606211
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,370
errors.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/errors.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' __docformat__ = 'restructuredtext en' from calibre.ebooks import DRMError as _DRMError class InvalidBook(ValueError): pass class DRMError(_DRMError): def __init__(self): super().__init__(_('This file is locked with DRM. It cannot be edited.')) class MalformedMarkup(ValueError): pass class UnsupportedContainerType(Exception): pass
477
Python
.py
14
30.5
81
0.718404
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,371
download.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/download.py
#!/usr/bin/env python # License: GPLv3 Copyright: 2016, Kovid Goyal <kovid at kovidgoyal.net> import mimetypes import os import posixpath import re import shutil from collections import defaultdict from contextlib import closing from functools import partial from io import BytesIO from multiprocessing.dummy import Pool from tempfile import NamedTemporaryFile from calibre import as_unicode, browser from calibre import sanitize_file_name as sanitize_file_name_base from calibre.constants import iswindows from calibre.ebooks.oeb.base import OEB_DOCS, OEB_STYLES, barename, iterlinks from calibre.ebooks.oeb.polish.utils import guess_type from calibre.ptempfile import TemporaryDirectory from calibre.web import get_download_filename_from_response from polyglot.binary import from_base64_bytes from polyglot.builtins import iteritems from polyglot.urllib import unquote, urlparse def is_external(url): try: purl = urlparse(url) except Exception: return False return purl.scheme in ('http', 'https', 'file', 'ftp', 'data') def iterhtmllinks(container, name): for el, attr, link, pos in iterlinks(container.parsed(name)): tag = barename(el.tag).lower() if tag != 'a' and is_external(link): yield el, attr, link def get_external_resources(container): ans = defaultdict(list) for name, media_type in iteritems(container.mime_map): if container.has_name(name) and container.exists(name): if media_type in OEB_DOCS: for el, attr, link in iterhtmllinks(container, name): ans[link].append(name) elif media_type in OEB_STYLES: for link in container.iterlinks(name, get_line_numbers=False): if is_external(link): ans[link].append(name) return dict(ans) def get_filename(original_url_parsed, response): ans = get_download_filename_from_response(response) or posixpath.basename(original_url_parsed.path) or 'unknown' headers = response.info() try: ct = headers.get_params()[0][0].lower() except Exception: ct = '' if ct: mt = guess_type(ans) if mt != ct: exts = mimetypes.guess_all_extensions(ct) if exts: ans += exts[0] return ans def get_content_length(response): cl = response.info().get('Content-Length') try: return int(cl) except Exception: return -1 class ProgressTracker: def __init__(self, fobj, url, sz, progress_report): self.fobj = fobj self.progress_report = progress_report self.url, self.sz = url, sz self.close, self.flush, self.name = fobj.close, fobj.flush, fobj.name def write(self, x): ret = self.fobj.write(x) try: self.progress_report(self.url, self.fobj.tell(), self.sz) except Exception: pass return ret def sanitize_file_name(x): from calibre.ebooks.oeb.polish.check.parsing import make_filename_safe x = sanitize_file_name_base(x) while '..' in x: x = x.replace('..', '.') return make_filename_safe(x) def download_one(tdir, timeout, progress_report, data_uri_map, url): try: purl = urlparse(url) data_url_key = None with NamedTemporaryFile(dir=tdir, delete=False) as df: if purl.scheme == 'file': path = unquote(purl.path) if iswindows and path.startswith('/'): path = path[1:] src = open(path, 'rb') filename = os.path.basename(path) sz = (src.seek(0, os.SEEK_END), src.tell(), src.seek(0))[1] elif purl.scheme == 'data': prefix, payload = purl.path.split(',', 1) parts = prefix.split(';') if parts and parts[-1].lower() == 'base64': payload = re.sub(r'\s+', '', payload) payload = from_base64_bytes(payload) else: payload = payload.encode('utf-8') seen_before = data_uri_map.get(payload) if seen_before is not None: return True, (url, filename, seen_before, guess_type(seen_before)) data_url_key = payload src = BytesIO(payload) sz = len(payload) ext = 'unknown' for x in parts: if '=' not in x and '/' in x: exts = mimetypes.guess_all_extensions(x) if exts: ext = exts[0] break filename = 'data-uri.' + ext else: src = browser().open(url, timeout=timeout) filename = get_filename(purl, src) sz = get_content_length(src) progress_report(url, 0, sz) dest = ProgressTracker(df, url, sz, progress_report) with closing(src): shutil.copyfileobj(src, dest) if data_url_key is not None: data_uri_map[data_url_key] = dest.name filename = sanitize_file_name(filename) mt = guess_type(filename) if mt in OEB_DOCS: raise ValueError(f'The external resource {url} looks like a HTML document ({filename})') if not mt or mt == 'application/octet-stream' or '.' not in filename: raise ValueError(f'The external resource {url} is not of a known type') return True, (url, filename, dest.name, mt) except Exception as err: return False, (url, as_unicode(err)) def download_external_resources(container, urls, timeout=60, progress_report=lambda url, done, total: None): failures = {} replacements = {} data_uri_map = {} with TemporaryDirectory('editor-download') as tdir: pool = Pool(10) with closing(pool): for ok, result in pool.imap_unordered(partial(download_one, tdir, timeout, progress_report, data_uri_map), urls): if ok: url, suggested_filename, downloaded_file, mt = result with open(downloaded_file, 'rb') as src: name = container.add_file(suggested_filename, src, mt, modify_name_if_needed=True) replacements[url] = name else: url, err = result failures[url] = err return replacements, failures def replacer(url_map): def replace(url): r = url_map.get(url) replace.replaced |= r != url return url if r is None else r replace.replaced = False return replace def replace_resources(container, urls, replacements): url_maps = defaultdict(dict) changed = False for url, names in iteritems(urls): replacement = replacements.get(url) if replacement is not None: for name in names: url_maps[name][url] = container.name_to_href(replacement, name) for name, url_map in iteritems(url_maps): r = replacer(url_map) container.replace_links(name, r) changed |= r.replaced return changed
7,272
Python
.py
175
31.462857
125
0.6
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,372
import_book.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/import_book.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2014, Kovid Goyal <kovid at kovidgoyal.net>' import os import sys from calibre.ebooks.conversion.plumber import Plumber from calibre.ebooks.epub import initialize_container from calibre.ebooks.oeb.polish.container import OEB_DOCS, OEB_STYLES, Container from calibre.ptempfile import TemporaryDirectory from calibre.utils.logging import default_log from polyglot.builtins import iteritems IMPORTABLE = {'htm', 'xhtml', 'html', 'xhtm', 'docx'} def auto_fill_manifest(container): manifest_id_map = container.manifest_id_map manifest_name_map = {v:k for k, v in iteritems(manifest_id_map)} for name, mt in iteritems(container.mime_map): if name not in manifest_name_map and not container.ok_to_be_unmanifested(name): mitem = container.generate_item(name, unique_href=False) gname = container.href_to_name(mitem.get('href'), container.opf_name) if gname != name: raise ValueError('This should never happen (gname={!r}, name={!r}, href={!r})'.format(gname, name, mitem.get('href'))) manifest_name_map[name] = mitem.get('id') manifest_id_map[mitem.get('id')] = name def import_book_as_epub(srcpath, destpath, log=default_log): if not destpath.lower().endswith('.epub'): raise ValueError('Can only import books into the EPUB format, not %s' % (os.path.basename(destpath))) with TemporaryDirectory('eei') as tdir: tdir = os.path.abspath(os.path.realpath(tdir)) # Needed to handle the multiple levels of symlinks for /tmp on OS X plumber = Plumber(srcpath, tdir, log) plumber.setup_options() if srcpath.lower().endswith('.opf'): plumber.opts.dont_package = True if hasattr(plumber.opts, 'no_process'): plumber.opts.no_process = True plumber.input_plugin.for_viewer = True with plumber.input_plugin, open(plumber.input, 'rb') as inf: pathtoopf = plumber.input_plugin(inf, plumber.opts, plumber.input_fmt, log, {}, tdir) if hasattr(pathtoopf, 'manifest'): from calibre.ebooks.oeb.iterator.book import write_oebbook pathtoopf = write_oebbook(pathtoopf, tdir) c = Container(tdir, pathtoopf, log) auto_fill_manifest(c) # Auto fix all HTML/CSS for name, mt in iteritems(c.mime_map): if mt in set(OEB_DOCS) | set(OEB_STYLES): c.parsed(name) c.dirty(name) c.commit() zf = initialize_container(destpath, opf_name=c.opf_name) with zf: for name in c.name_path_map: zf.writestr(name, c.raw_data(name, decode=False)) if __name__ == '__main__': import_book_as_epub(sys.argv[-2], sys.argv[-1])
2,814
Python
.py
54
44.037037
134
0.659141
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,373
spell.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/spell.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2014, Kovid Goyal <kovid at kovidgoyal.net>' import sys from collections import Counter, defaultdict from calibre import replace_entities from calibre.ebooks.oeb.base import barename from calibre.ebooks.oeb.polish.container import OPF_NAMESPACES, get_container from calibre.ebooks.oeb.polish.parsing import parse from calibre.ebooks.oeb.polish.toc import find_existing_nav_toc, find_existing_ncx_toc from calibre.spell.break_iterator import index_of, split_into_words from calibre.spell.dictionary import parse_lang_code from calibre.utils.icu import ord_string from polyglot.builtins import iteritems _patterns = None class Patterns: __slots__ = ('sanitize_invisible_pat', 'split_pat', 'digit_pat', 'fr_elision_pat') def __init__(self): import regex # Remove soft hyphens/zero width spaces/control codes self.sanitize_invisible_pat = regex.compile( r'[\u00ad\u200b\u200c\u200d\ufeff\0-\x08\x0b\x0c\x0e-\x1f\x7f]', regex.VERSION1 | regex.UNICODE) self.split_pat = regex.compile( r'\W+', flags=regex.VERSION1 | regex.WORD | regex.FULLCASE | regex.UNICODE) self.digit_pat = regex.compile( r'^\d+$', flags=regex.VERSION1 | regex.WORD | regex.UNICODE) # French words with prefixes are reduced to the stem word, so that the # words appear only once in the word list self.fr_elision_pat = regex.compile( "^(?:l|d|m|t|s|j|c|ç|lorsqu|puisqu|quoiqu|qu)['’]", flags=regex.UNICODE | regex.VERSION1 | regex.IGNORECASE) def patterns(): global _patterns if _patterns is None: _patterns = Patterns() return _patterns class CharCounter: def __init__(self): self.counter = Counter() self.chars = defaultdict(set) self.update = self.counter.update class Location: __slots__ = ('file_name', 'sourceline', 'original_word', 'location_node', 'node_item', 'elided_prefix') def __init__(self, file_name=None, elided_prefix='', original_word=None, location_node=None, node_item=(None, None)): self.file_name, self.elided_prefix, self.original_word = file_name, elided_prefix, original_word self.location_node, self.node_item, self.sourceline = location_node, node_item, location_node.sourceline def __repr__(self): return f'{self.original_word} @ {self.file_name}:{self.sourceline}' __str__ = __repr__ def replace(self, new_word): self.original_word = self.elided_prefix + new_word file_word_count = 0 def filter_words(word): if not word: return False p = patterns() if p.digit_pat.match(word) is not None: return False return True def get_words(text, lang): global file_word_count try: ans = split_into_words(str(text), lang) except (TypeError, ValueError): return () file_word_count += len(ans) return list(filter(filter_words, ans)) def add_words(text, node, words, file_name, locale, node_item): candidates = get_words(text, locale.langcode) if candidates: p = patterns() is_fr = locale.langcode == 'fra' for word in candidates: sword = p.sanitize_invisible_pat.sub('', word).strip() elided_prefix = '' if is_fr: m = p.fr_elision_pat.match(sword) if m is not None and len(sword) > len(elided_prefix): elided_prefix = m.group() sword = sword[len(elided_prefix):] loc = Location(file_name, elided_prefix, word, node, node_item) words[(sword, locale)].append(loc) words[None] += 1 def add_chars(text, counter, file_name): if text: if isinstance(text, bytes): text = text.decode('utf-8', 'ignore') counts = Counter(ord_string(text)) counter.update(counts) for codepoint in counts: counter.chars[codepoint].add(file_name) def add_words_from_attr(node, attr, words, file_name, locale): text = node.get(attr, None) if text: add_words(text, node, words, file_name, locale, (True, attr)) def count_chars_in_attr(node, attr, counter, file_name, locale): text = node.get(attr, None) if text: add_chars(text, counter, file_name) def add_words_from_text(node, attr, words, file_name, locale): add_words(getattr(node, attr), node, words, file_name, locale, (False, attr)) def count_chars_in_text(node, attr, counter, file_name, locale): add_chars(getattr(node, attr), counter, file_name) def add_words_from_escaped_html(text, words, file_name, node, attr, locale): text = replace_entities(text) root = parse('<html><body><div>%s</div></body></html>' % text, decoder=lambda x:x.decode('utf-8')) ewords = defaultdict(list) ewords[None] = 0 read_words_from_html(root, ewords, file_name, locale) words[None] += ewords.pop(None) for k, locs in iteritems(ewords): for loc in locs: loc.location_node, loc.node_item = node, (False, attr) words[k].extend(locs) def count_chars_in_escaped_html(text, counter, file_name, node, attr, locale): text = replace_entities(text) root = parse('<html><body><div>%s</div></body></html>' % text, decoder=lambda x:x.decode('utf-8')) count_chars_in_html(root, counter, file_name, locale) _opf_file_as = '{%s}file-as' % OPF_NAMESPACES['opf'] opf_spell_tags = {'title', 'creator', 'subject', 'description', 'publisher'} # We can only use barename() for tag names and simple attribute checks so that # this code matches up with the syntax highlighter base spell checking def read_words_from_opf(root, words, file_name, book_locale): for tag in root.iterdescendants('*'): if barename(tag.tag) in opf_spell_tags: if barename(tag.tag) == 'description': if tag.text: add_words_from_escaped_html(tag.text, words, file_name, tag, 'text', book_locale) for child in tag: if child.tail: add_words_from_escaped_html(child.tail, words, file_name, child, 'tail', book_locale) else: if tag.text: add_words_from_text(tag, 'text', words, file_name, book_locale) for child in tag: if child.tail: add_words_from_text(child, 'tail', words, file_name, book_locale) add_words_from_attr(tag, _opf_file_as, words, file_name, book_locale) def count_chars_in_opf(root, counter, file_name, book_locale): for tag in root.iterdescendants('*'): if barename(tag.tag) in opf_spell_tags: if barename(tag.tag) == 'description': if tag.text: count_chars_in_escaped_html(tag.text, counter, file_name, tag, 'text', book_locale) for child in tag: if child.tail: count_chars_in_escaped_html(child.tail, counter, file_name, tag, 'tail', book_locale) else: if tag.text: count_chars_in_text(tag, 'text', counter, file_name, book_locale) for child in tag: if child.tail: count_chars_in_text(tag, 'tail', counter, file_name, book_locale) count_chars_in_attr(tag, _opf_file_as, counter, file_name, book_locale) ncx_spell_tags = {'text'} xml_spell_tags = opf_spell_tags | ncx_spell_tags def read_words_from_ncx(root, words, file_name, book_locale): for tag in root.xpath('//*[local-name()="text"]'): if tag.text is not None: add_words_from_text(tag, 'text', words, file_name, book_locale) def count_chars_in_ncx(root, counter, file_name, book_locale): for tag in root.xpath('//*[local-name()="text"]'): if tag.text is not None: count_chars_in_text(tag, 'text', counter, file_name, book_locale) html_spell_tags = {'script', 'style', 'link'} def read_words_from_html_tag(tag, words, file_name, parent_locale, locale): if tag.text is not None and isinstance(tag.tag, str) and barename(tag.tag) not in html_spell_tags: add_words_from_text(tag, 'text', words, file_name, locale) for attr in {'alt', 'title'}: add_words_from_attr(tag, attr, words, file_name, locale) if tag.tail is not None and tag.getparent() is not None and barename(tag.getparent().tag) not in html_spell_tags: add_words_from_text(tag, 'tail', words, file_name, parent_locale) def count_chars_in_html_tag(tag, counter, file_name, parent_locale, locale): if tag.text is not None and isinstance(tag.tag, str) and barename(tag.tag) not in html_spell_tags: count_chars_in_text(tag, 'text', counter, file_name, locale) for attr in {'alt', 'title'}: count_chars_in_attr(tag, attr, counter, file_name, locale) if tag.tail is not None and tag.getparent() is not None and barename(tag.getparent().tag) not in html_spell_tags: count_chars_in_text(tag, 'tail', counter, file_name, parent_locale) def locale_from_tag(tag): a = tag.attrib if 'lang' in a: try: loc = parse_lang_code(tag.get('lang')) except ValueError: loc = None if loc is not None: return loc if '{http://www.w3.org/XML/1998/namespace}lang' in a: try: loc = parse_lang_code(tag.get('{http://www.w3.org/XML/1998/namespace}lang')) except ValueError: loc = None if loc is not None: return loc def read_words_from_html(root, words, file_name, book_locale): stack = [(root, book_locale)] while stack: parent, parent_locale = stack.pop() locale = locale_from_tag(parent) or parent_locale read_words_from_html_tag(parent, words, file_name, parent_locale, locale) stack.extend((tag, locale) for tag in parent) def count_chars_in_html(root, counter, file_name, book_locale): stack = [(root, book_locale)] while stack: parent, parent_locale = stack.pop() locale = locale_from_tag(parent) or parent_locale count_chars_in_html_tag(parent, counter, file_name, parent_locale, locale) stack.extend((tag, locale) for tag in parent) def group_sort(locations): order = {} for loc in locations: if loc.file_name not in order: order[loc.file_name] = len(order) return sorted(locations, key=lambda l:(order[l.file_name], l.sourceline or 0)) def get_checkable_file_names(container): file_names = [name for name, linear in container.spine_names] + [container.opf_name] ncx_toc = find_existing_ncx_toc(container) if ncx_toc is not None and container.exists(ncx_toc) and ncx_toc not in file_names: file_names.append(ncx_toc) else: ncx_toc = None toc = find_existing_nav_toc(container) if toc is not None and container.exists(toc) and toc not in file_names: file_names.append(toc) return file_names, ncx_toc def root_is_excluded_from_spell_check(root): for child in root: q = (getattr(child, 'text', '') or '').strip().lower() if q == 'calibre-no-spell-check': return True return False def get_all_words(container, book_locale, get_word_count=False, excluded_files=(), file_words_counts=None): global file_word_count if file_words_counts is None: file_words_counts = {} words = defaultdict(list) words[None] = 0 file_names, ncx_toc = get_checkable_file_names(container) for file_name in file_names: if not container.exists(file_name) or file_name in excluded_files: continue root = container.parsed(file_name) if root_is_excluded_from_spell_check(root): continue file_word_count = 0 if file_name == container.opf_name: read_words_from_opf(root, words, file_name, book_locale) elif file_name == ncx_toc: read_words_from_ncx(root, words, file_name, book_locale) elif hasattr(root, 'xpath'): read_words_from_html(root, words, file_name, book_locale) file_words_counts[file_name] = file_word_count file_word_count = 0 count = words.pop(None) ans = {k:group_sort(v) for k, v in iteritems(words)} if get_word_count: return count, ans return ans def count_all_chars(container, book_locale): ans = CharCounter() file_names, ncx_toc = get_checkable_file_names(container) for file_name in file_names: if not container.exists(file_name): continue root = container.parsed(file_name) if file_name == container.opf_name: count_chars_in_opf(root, ans, file_name, book_locale) elif file_name == ncx_toc: count_chars_in_ncx(root, ans, file_name, book_locale) elif hasattr(root, 'xpath'): count_chars_in_html(root, ans, file_name, book_locale) return ans def merge_locations(locs1, locs2): return group_sort(locs1 + locs2) def replace(text, original_word, new_word, lang): indices = [] original_word, new_word, text = str(original_word), str(new_word), str(text) q = text offset = 0 while True: idx = index_of(original_word, q, lang=lang) if idx == -1: break indices.append(offset + idx) offset += idx + len(original_word) q = text[offset:] for idx in reversed(indices): text = text[:idx] + new_word + text[idx+len(original_word):] return text, bool(indices) def replace_word(container, new_word, locations, locale, undo_cache=None): changed = set() for loc in locations: node = loc.location_node is_attr, attr = loc.node_item if is_attr: text = node.get(attr) else: text = getattr(node, attr) replacement = loc.elided_prefix + new_word rtext, replaced = replace(text, loc.original_word, replacement, locale.langcode) if replaced: if undo_cache is not None: undo_cache[(loc.file_name, node, is_attr, attr)] = text if is_attr: node.set(attr, rtext) else: setattr(node, attr, rtext) container.replace(loc.file_name, node.getroottree().getroot()) changed.add(loc.file_name) return changed def undo_replace_word(container, undo_cache): changed = set() for (file_name, node, is_attr, attr), text in iteritems(undo_cache): node.set(attr, text) if is_attr else setattr(node, attr, text) container.replace(file_name, node.getroottree().getroot()) changed.add(file_name) return changed if __name__ == '__main__': import pprint from calibre.gui2.tweak_book import dictionaries, set_book_locale container = get_container(sys.argv[-1], tweak_mode=True) set_book_locale(container.mi.language) pprint.pprint(get_all_words(container, dictionaries.default_locale))
15,116
Python
.py
323
38.718266
121
0.639301
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,374
images.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/images.py
#!/usr/bin/env python # License: GPLv3 Copyright: 2015, Kovid Goyal <kovid at kovidgoyal.net> import os from functools import partial from threading import Event, Thread from calibre import detect_ncpus, filesystem_encoding, force_unicode, human_readable from polyglot.builtins import iteritems from polyglot.queue import Empty, Queue class Worker(Thread): daemon = True def __init__(self, abort, name, queue, results, jpeg_quality, webp_quality, progress_callback): Thread.__init__(self, name=name) self.queue, self.results = queue, results self.progress_callback = progress_callback self.jpeg_quality = jpeg_quality self.webp_quality = webp_quality self.abort = abort self.start() def run(self): while not self.abort.is_set(): try: name, path, mt = self.queue.get_nowait() except Empty: break try: self.compress(name, path, mt) except Exception: import traceback self.results[name] = (False, traceback.format_exc()) finally: try: self.progress_callback(name) except Exception: import traceback traceback.print_exc() self.queue.task_done() def compress(self, name, path, mime_type): from calibre.utils.img import encode_jpeg, encode_webp, optimize_jpeg, optimize_png, optimize_webp if 'png' in mime_type: func = optimize_png elif 'webp' in mime_type: if self.webp_quality is None: func = optimize_webp else: func = partial(encode_webp, quality=self.jpeg_quality) elif self.jpeg_quality is None: func = optimize_jpeg else: func = partial(encode_jpeg, quality=self.jpeg_quality) before = os.path.getsize(path) with open(path, 'rb') as f: old_data = f.read() func(path) after = os.path.getsize(path) if after >= before: with open(path, 'wb') as f: f.write(old_data) after = before self.results[name] = (True, (before, after)) def get_compressible_images(container): mt_map = container.manifest_type_map images = set() for mt in 'png jpg jpeg webp'.split(): images |= set(mt_map.get('image/' + mt, ())) return images def compress_images(container, report=None, names=None, jpeg_quality=None, webp_quality=None, progress_callback=lambda n, t, name:True): images = get_compressible_images(container) if names is not None: images &= set(names) results = {} queue = Queue() abort = Event() seen = set() num_to_process = 0 for name in sorted(images): path = os.path.abspath(container.get_file_path_for_processing(name)) path_key = os.path.normcase(path) if path_key not in seen: num_to_process += 1 queue.put((name, path, container.mime_map[name])) seen.add(path_key) def pc(name): keep_going = progress_callback(len(results), num_to_process, name) if not keep_going: abort.set() progress_callback(0, num_to_process, '') [Worker(abort, 'CompressImage%d' % i, queue, results, jpeg_quality, webp_quality, pc) for i in range(min(detect_ncpus(), num_to_process))] queue.join() before_total = after_total = 0 processed_num = 0 changed = False for name, (ok, res) in iteritems(results): name = force_unicode(name, filesystem_encoding) if ok: before, after = res if before != after: changed = True processed_num += 1 before_total += before after_total += after if report: if before != after: report(_('{0} compressed from {1} to {2} bytes [{3:.1%} reduction]').format( name, human_readable(before), human_readable(after), (before - after)/before)) else: report(_('{0} could not be further compressed').format(name)) else: report(_('Failed to process {0} with error:').format(name)) report(res) if report: if changed: report('') report(_('Total image filesize reduced from {0} to {1} [{2:.1%} reduction, {3} images changed]').format( human_readable(before_total), human_readable(after_total), (before_total - after_total)/before_total, processed_num)) else: report(_('Images are already fully optimized')) return changed, results
4,784
Python
.py
117
30.74359
142
0.586933
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,375
container.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/container.py
#!/usr/bin/env python # License: GPLv3 Copyright: 2013, Kovid Goyal <kovid at kovidgoyal.net> import errno import hashlib import logging import os import re import shutil import sys import unicodedata import uuid from collections import defaultdict from io import BytesIO from itertools import count from css_parser import getUrls, replaceUrls from calibre import CurrentDir, walk from calibre.constants import iswindows from calibre.customize.ui import plugin_for_input_format, plugin_for_output_format from calibre.ebooks import escape_xpath_attr from calibre.ebooks.chardet import xml_to_unicode from calibre.ebooks.conversion.plugins.epub_input import ADOBE_OBFUSCATION, IDPF_OBFUSCATION, decrypt_font_data from calibre.ebooks.conversion.preprocess import CSSPreProcessor as cssp from calibre.ebooks.conversion.preprocess import HTMLPreProcessor from calibre.ebooks.metadata.opf3 import CALIBRE_PREFIX, ensure_prefix, items_with_property, read_prefixes from calibre.ebooks.metadata.utils import parse_opf_version from calibre.ebooks.mobi import MobiError from calibre.ebooks.mobi.reader.headers import MetadataHeader from calibre.ebooks.oeb.base import ( DC11_NS, OEB_DOCS, OEB_STYLES, OPF, OPF2_NS, Manifest, itercsslinks, iterlinks, rewrite_links, serialize, urlquote, urlunquote, ) from calibre.ebooks.oeb.parse_utils import NotHTML, parse_html from calibre.ebooks.oeb.polish.errors import DRMError, InvalidBook from calibre.ebooks.oeb.polish.parsing import parse as parse_html_tweak from calibre.ebooks.oeb.polish.utils import OEB_FONTS, CommentFinder, PositionFinder, adjust_mime_for_epub, guess_type, parse_css from calibre.ptempfile import PersistentTemporaryDirectory, PersistentTemporaryFile from calibre.utils.filenames import hardlink_file, nlinks_file, retry_on_fail from calibre.utils.ipc.simple_worker import WorkerError, fork_job from calibre.utils.logging import default_log from calibre.utils.xml_parse import safe_xml_fromstring from calibre.utils.zipfile import ZipFile from polyglot.builtins import iteritems from polyglot.urllib import urlparse exists, join, relpath = os.path.exists, os.path.join, os.path.relpath OPF_NAMESPACES = {'opf':OPF2_NS, 'dc':DC11_NS} null = object() OEB_FONTS # for plugin compat class CSSPreProcessor(cssp): def __call__(self, data): return self.MS_PAT.sub(self.ms_sub, data) def clone_dir(src, dest): ' Clone a folder using hard links for the files, dest must already exist ' for x in os.listdir(src): dpath = os.path.join(dest, x) spath = os.path.join(src, x) if os.path.isdir(spath): os.mkdir(dpath) clone_dir(spath, dpath) else: try: hardlink_file(spath, dpath) except: shutil.copy2(spath, dpath) def clone_container(container, dest_dir): ' Efficiently clone a container using hard links ' dest_dir = os.path.abspath(os.path.realpath(dest_dir)) clone_data = container.clone_data(dest_dir) cls = type(container) if cls is Container: return cls(None, None, container.log, clone_data=clone_data) return cls(None, container.log, clone_data=clone_data) def name_to_abspath(name, root): return os.path.abspath(join(root, *name.split('/'))) def abspath_to_name(path, root): return relpath(os.path.abspath(path), root).replace(os.sep, '/') def name_to_href(name, root, base=None, quote=urlquote): fullpath = name_to_abspath(name, root) basepath = root if base is None else os.path.dirname(name_to_abspath(base, root)) path = relpath(fullpath, basepath).replace(os.sep, '/') return quote(path) def href_to_name(href, root, base=None): base = root if base is None else os.path.dirname(name_to_abspath(base, root)) try: purl = urlparse(href) except ValueError: return None if purl.scheme or not purl.path: return None href = urlunquote(purl.path) if iswindows and ':' in href: # path manipulations on windows fail for paths with : in them, so we # assume all such paths are invalid/absolute paths. return None fullpath = os.path.join(base, *href.split('/')) try: return unicodedata.normalize('NFC', abspath_to_name(fullpath, root)) except ValueError: return None def seconds_to_timestamp(duration: float) -> str: seconds = int(duration) float_part = int((duration - seconds) * 1000) hours = seconds // 3600 minutes = (seconds % 3600) // 60 seconds = seconds % 60 ans = f'{hours:02d}:{minutes:02d}:{seconds:02d}' if float_part: ans += f'.{float_part}' return ans class ContainerBase: # {{{ ''' A base class that implements just the parsing methods. Useful to create virtual containers for testing. ''' #: The mode used to parse HTML and CSS (polishing uses tweak_mode=False and the editor uses tweak_mode=True) tweak_mode = False def __init__(self, log): self.log = log self.parsed_cache = {} self.mime_map = {} self.encoding_map = {} self.html_preprocessor = HTMLPreProcessor() self.css_preprocessor = CSSPreProcessor() def guess_type(self, name): ' Return the expected mimetype for the specified file name based on its extension. ' return adjust_mime_for_epub(filename=name, opf_version=self.opf_version_parsed) def decode(self, data, normalize_to_nfc=True): """ Automatically decode ``data`` into a ``unicode`` object. :param normalize_to_nfc: Normalize returned unicode to the NFC normal form as is required by both the EPUB and AZW3 formats. """ def fix_data(d): return d.replace('\r\n', '\n').replace('\r', '\n') if isinstance(data, str): return fix_data(data) bom_enc = None if data[:4] in {b'\0\0\xfe\xff', b'\xff\xfe\0\0'}: bom_enc = {b'\0\0\xfe\xff':'utf-32-be', b'\xff\xfe\0\0':'utf-32-le'}[data[:4]] data = data[4:] elif data[:2] in {b'\xff\xfe', b'\xfe\xff'}: bom_enc = {b'\xff\xfe':'utf-16-le', b'\xfe\xff':'utf-16-be'}[data[:2]] data = data[2:] elif data[:3] == b'\xef\xbb\xbf': bom_enc = 'utf-8' data = data[3:] if bom_enc is not None: try: self.used_encoding = bom_enc return fix_data(data.decode(bom_enc)) except UnicodeDecodeError: pass try: self.used_encoding = 'utf-8' return fix_data(data.decode('utf-8')) except UnicodeDecodeError: pass data, self.used_encoding = xml_to_unicode(data) if normalize_to_nfc: data = unicodedata.normalize('NFC', data) return fix_data(data) def parse_xml(self, data): data, self.used_encoding = xml_to_unicode( data, strip_encoding_pats=True, assume_utf8=True, resolve_entities=True) data = unicodedata.normalize('NFC', data) return safe_xml_fromstring(data) def parse_xhtml(self, data, fname='<string>', force_html5_parse=False): if self.tweak_mode: return parse_html_tweak(data, log=self.log, decoder=self.decode, force_html5_parse=force_html5_parse) else: try: return parse_html( data, log=self.log, decoder=self.decode, preprocessor=self.html_preprocessor, filename=fname, non_html_file_tags={'ncx'}) except NotHTML: return self.parse_xml(data) def parse_css(self, data, fname='<string>', is_declaration=False): return parse_css(data, fname=fname, is_declaration=is_declaration, decode=self.decode, log_level=logging.WARNING, css_preprocessor=(None if self.tweak_mode else self.css_preprocessor)) # }}} class Container(ContainerBase): # {{{ ''' A container represents an open e-book as a folder full of files and an OPF file. There are two important concepts: * The root folder. This is the base of the e-book. All the e-books files are inside this folder or in its sub-folders. * Names: These are paths to the books' files relative to the root folder. They always contain POSIX separators and are unquoted. They can be thought of as canonical identifiers for files in the book. Most methods on the container object work with names. Names are always in the NFC Unicode normal form. * Clones: the container object supports efficient on-disk cloning, which is used to implement checkpoints in the e-book editor. In order to make this work, you should never access files on the filesystem directly. Instead, use :meth:`raw_data` or :meth:`open` to read/write to component files in the book. When converting between hrefs and names use the methods provided by this class, they assume all hrefs are quoted. ''' #: The type of book (epub for EPUB files and azw3 for AZW3 files) book_type = 'oeb' #: If this container represents an unzipped book (a directory) is_dir = False SUPPORTS_TITLEPAGES = True SUPPORTS_FILENAMES = True @property def book_type_for_display(self): return self.book_type.upper() def __init__(self, rootpath, opfpath, log, clone_data=None): ContainerBase.__init__(self, log) self.root = clone_data['root'] if clone_data is not None else os.path.abspath(rootpath) self.name_path_map = {} self.dirtied = set() self.pretty_print = set() self.cloned = False self.cache_names = ('parsed_cache', 'mime_map', 'name_path_map', 'encoding_map', 'dirtied', 'pretty_print') self.href_to_name_cache = {} if clone_data is not None: self.cloned = True for x in ('name_path_map', 'opf_name', 'mime_map', 'pretty_print', 'encoding_map', 'tweak_mode'): setattr(self, x, clone_data[x]) self.opf_dir = os.path.dirname(self.name_path_map[self.opf_name]) return # Map of relative paths with '/' separators from root of unzipped ePub # to absolute paths on filesystem with os-specific separators opfpath = os.path.abspath(os.path.realpath(opfpath)) all_opf_files = [] for dirpath, _dirnames, filenames in os.walk(self.root): for f in filenames: path = join(dirpath, f) name = self.abspath_to_name(path) self.name_path_map[name] = path self.mime_map[name] = guess_type(path) # Special case if we have stumbled onto the opf if path == opfpath: self.opf_name = name self.opf_dir = os.path.dirname(path) self.mime_map[name] = guess_type('a.opf') if path.lower().endswith('.opf'): all_opf_files.append((name, os.path.dirname(path))) if not hasattr(self, 'opf_name') and all_opf_files: self.opf_name, self.opf_dir = all_opf_files[0] self.mime_map[self.opf_name] = guess_type('a.opf') if not hasattr(self, 'opf_name'): raise InvalidBook('Could not locate opf file: %r'%opfpath) # Update mime map with data from the OPF self.refresh_mime_map() def refresh_mime_map(self): for item in self.opf_xpath('//opf:manifest/opf:item[@href and @media-type]'): href = item.get('href') try: name = self.href_to_name(href, self.opf_name) except ValueError: continue # special filenames such as CON on windows cause relpath to fail mt = item.get('media-type') if name in self.mime_map and name != self.opf_name and mt: # some epubs include the opf in the manifest with an incorrect mime type self.mime_map[name] = mt def data_for_clone(self, dest_dir=None): dest_dir = dest_dir or self.root return { 'root': dest_dir, 'opf_name': self.opf_name, 'mime_map': self.mime_map.copy(), 'pretty_print': set(self.pretty_print), 'encoding_map': self.encoding_map.copy(), 'tweak_mode': self.tweak_mode, 'name_path_map': { name:os.path.join(dest_dir, os.path.relpath(path, self.root)) for name, path in iteritems(self.name_path_map)} } def clone_data(self, dest_dir): Container.commit(self, keep_parsed=False) self.cloned = True clone_dir(self.root, dest_dir) return self.data_for_clone(dest_dir) def add_name_to_manifest(self, name, process_manifest_item=None): ' Add an entry to the manifest for a file with the specified name. Returns the manifest id. ' all_ids = {x.get('id') for x in self.opf_xpath('//*[@id]')} c = 0 item_id = 'id' while item_id in all_ids: c += 1 item_id = 'id' + '%d'%c manifest = self.opf_xpath('//opf:manifest')[0] href = self.name_to_href(name, self.opf_name) item = manifest.makeelement(OPF('item'), id=item_id, href=href) item.set('media-type', self.mime_map[name]) self.insert_into_xml(manifest, item) if process_manifest_item is not None: process_manifest_item(item) self.dirty(self.opf_name) return item_id def manifest_has_name(self, name): ''' Return True if the manifest has an entry corresponding to name ''' all_names = {self.href_to_name(x.get('href'), self.opf_name) for x in self.opf_xpath('//opf:manifest/opf:item[@href]')} return name in all_names def make_name_unique(self, name): ''' Ensure that `name` does not already exist in this book. If it does, return a modified version that does not exist. ''' counter = count() while self.has_name_case_insensitive(name) or self.manifest_has_name(name): c = next(counter) + 1 base, ext = name.rpartition('.')[::2] if c > 1: base = base.rpartition('-')[0] name = '%s-%d.%s' % (base, c, ext) return name def add_file(self, name, data, media_type=None, spine_index=None, modify_name_if_needed=False, process_manifest_item=None): ''' Add a file to this container. Entries for the file are automatically created in the OPF manifest and spine (if the file is a text document) ''' if '..' in name: raise ValueError('Names are not allowed to have .. in them') href = self.name_to_href(name, self.opf_name) if self.has_name_case_insensitive(name) or self.manifest_has_name(name): if not modify_name_if_needed: raise ValueError(('A file with the name %s already exists' % name) if self.has_name_case_insensitive(name) else ('An item with the href %s already exists in the manifest' % href)) name = self.make_name_unique(name) href = self.name_to_href(name, self.opf_name) path = self.name_to_abspath(name) base = os.path.dirname(path) if not os.path.exists(base): os.makedirs(base) with open(path, 'wb') as f: if hasattr(data, 'read'): shutil.copyfileobj(data, f) else: f.write(data) mt = media_type or self.guess_type(name) self.name_path_map[name] = path self.mime_map[name] = mt if self.ok_to_be_unmanifested(name): return name item_id = self.add_name_to_manifest(name, process_manifest_item=process_manifest_item) if mt in OEB_DOCS: manifest = self.opf_xpath('//opf:manifest')[0] spine = self.opf_xpath('//opf:spine')[0] si = manifest.makeelement(OPF('itemref'), idref=item_id) self.insert_into_xml(spine, si, index=spine_index) return name def rename(self, current_name, new_name): ''' Renames a file from current_name to new_name. It automatically rebases all links inside the file if the folder the file is in changes. Note however, that links are not updated in the other files that could reference this file. This is for performance, such updates should be done once, in bulk. ''' if current_name in self.names_that_must_not_be_changed: raise ValueError('Renaming of %s is not allowed' % current_name) if self.exists(new_name) and (new_name == current_name or new_name.lower() != current_name.lower()): # The destination exists and does not differ from the current name only by case raise ValueError(f'Cannot rename {current_name} to {new_name} as {new_name} already exists') new_path = self.name_to_abspath(new_name) base = os.path.dirname(new_path) if os.path.isfile(base): raise ValueError(f'Cannot rename {current_name} to {new_name} as {base} is a file') if not os.path.exists(base): os.makedirs(base) old_path = parent_dir = self.name_to_abspath(current_name) self.commit_item(current_name) os.rename(old_path, new_path) # Remove empty directories while parent_dir: parent_dir = os.path.dirname(parent_dir) try: os.rmdir(parent_dir) except OSError: break for x in ('mime_map', 'encoding_map'): x = getattr(self, x) if current_name in x: x[new_name] = x[current_name] self.name_path_map[new_name] = new_path for x in self.cache_names: x = getattr(self, x) try: x.pop(current_name, None) except TypeError: x.discard(current_name) if current_name == self.opf_name: self.opf_name = new_name if os.path.dirname(old_path) != os.path.dirname(new_path): from calibre.ebooks.oeb.polish.replace import LinkRebaser repl = LinkRebaser(self, current_name, new_name) self.replace_links(new_name, repl) self.dirty(new_name) def replace_links(self, name, replace_func): ''' Replace all links in name using replace_func, which must be a callable that accepts a URL and returns the replaced URL. It must also have a 'replaced' attribute that is set to True if any actual replacement is done. Convenient ways of creating such callables are using the :class:`LinkReplacer` and :class:`LinkRebaser` classes. ''' media_type = self.mime_map.get(name, guess_type(name)) if name == self.opf_name: replace_func.file_type = 'opf' for elem in self.opf_xpath('//*[@href]'): elem.set('href', replace_func(elem.get('href'))) elif media_type.lower() in OEB_DOCS: replace_func.file_type = 'text' rewrite_links(self.parsed(name), replace_func) elif media_type.lower() in OEB_STYLES: replace_func.file_type = 'style' replaceUrls(self.parsed(name), replace_func) elif media_type.lower() == guess_type('toc.ncx'): replace_func.file_type = 'ncx' for elem in self.parsed(name).xpath('//*[@src]'): elem.set('src', replace_func(elem.get('src'))) if replace_func.replaced: self.dirty(name) return replace_func.replaced def iterlinks(self, name, get_line_numbers=True): ''' Iterate over all links in name. If get_line_numbers is True the yields results of the form (link, line_number, offset). Where line_number is the line_number at which the link occurs and offset is the number of characters from the start of the line. Note that offset could actually encompass several lines if not zero. ''' media_type = self.mime_map.get(name, guess_type(name)) if name == self.opf_name: for elem in self.opf_xpath('//*[@href]'): yield (elem.get('href'), elem.sourceline, 0) if get_line_numbers else elem.get('href') elif media_type.lower() in OEB_DOCS: for el, attr, link, pos in iterlinks(self.parsed(name)): yield (link, el.sourceline, pos) if get_line_numbers else link elif media_type.lower() in OEB_STYLES: if get_line_numbers: with self.open(name, 'rb') as f: raw = self.decode(f.read()).replace('\r\n', '\n').replace('\r', '\n') position = PositionFinder(raw) is_in_comment = CommentFinder(raw) for link, offset in itercsslinks(raw): if not is_in_comment(offset): lnum, col = position(offset) yield link, lnum, col else: for link in getUrls(self.parsed(name)): yield link elif media_type.lower() == guess_type('toc.ncx'): for elem in self.parsed(name).xpath('//*[@src]'): yield (elem.get('src'), elem.sourceline, 0) if get_line_numbers else elem.get('src') def abspath_to_name(self, fullpath, root=None): ''' Convert an absolute path to a canonical name relative to :attr:`root` :param root: The base folder. By default the root for this container object is used. ''' # OS X silently changes all file names to NFD form. The EPUB # spec requires all text including filenames to be in NFC form. # The proper fix is to implement a VFS that maps between # canonical names and their file system representation, however, # I dont have the time for that now. Note that the container # ensures that all text files are normalized to NFC when # decoding them anyway, so there should be no mismatch between # names in the text and NFC canonical file names. return unicodedata.normalize('NFC', abspath_to_name(fullpath, root or self.root)) def name_to_abspath(self, name): ' Convert a canonical name to an absolute OS dependent path ' return name_to_abspath(name, self.root) def exists(self, name): ''' True iff a file/folder corresponding to the canonical name exists. Note that this function suffers from the limitations of the underlying OS filesystem, in particular case (in)sensitivity. So on a case insensitive filesystem this will return True even if the case of name is different from the case of the underlying filesystem file. See also :meth:`has_name`''' return os.path.exists(self.name_to_abspath(name)) def href_to_name(self, href, base=None): ''' Convert an href (relative to base) to a name. base must be a name or None, in which case self.root is used. ''' key = href, base ans = self.href_to_name_cache.get(key, null) if ans is null: ans = self.href_to_name_cache[key] = href_to_name(href, self.root, base=base) return ans def name_to_href(self, name, base=None): '''Convert a name to a href relative to base, which must be a name or None in which case self.root is used as the base''' return name_to_href(name, self.root, base=base) def opf_xpath(self, expr): ' Convenience method to evaluate an XPath expression on the OPF file, has the opf: and dc: namespace prefixes pre-defined. ' return self.opf.xpath(expr, namespaces=OPF_NAMESPACES) def has_name(self, name): ''' Return True iff a file with the same canonical name as that specified exists. Unlike :meth:`exists` this method is always case-sensitive. ''' return name and name in self.name_path_map def has_name_and_is_not_empty(self, name): if not self.has_name(name): return False try: return os.path.getsize(self.name_path_map[name]) > 0 except OSError: return False def has_name_case_insensitive(self, name): if not name: return False name = name.lower() for q in self.name_path_map: if q.lower() == name: return True return False def relpath(self, path, base=None): '''Convert an absolute path (with os separators) to a path relative to base (defaults to self.root). The relative path is *not* a name. Use :meth:`abspath_to_name` for that.''' return relpath(path, base or self.root) def ok_to_be_unmanifested(self, name): return name in self.names_that_need_not_be_manifested @property def names_that_need_not_be_manifested(self): ' Set of names that are allowed to be missing from the manifest. Depends on the e-book file format. ' return {self.opf_name} @property def names_that_must_not_be_removed(self): ' Set of names that must never be deleted from the container. Depends on the e-book file format. ' return {self.opf_name} @property def names_that_must_not_be_changed(self): ' Set of names that must never be renamed. Depends on the e-book file format. ' return set() def parse(self, path, mime): with open(path, 'rb') as src: data = src.read() if mime in OEB_DOCS: data = self.parse_xhtml(data, self.relpath(path)) elif mime[-4:] in {'+xml', '/xml'}: data = self.parse_xml(data) elif mime in OEB_STYLES: data = self.parse_css(data, self.relpath(path)) return data def raw_data(self, name, decode=True, normalize_to_nfc=True): ''' Return the raw data corresponding to the file specified by name :param decode: If True and the file has a text based MIME type, decode it and return a unicode object instead of raw bytes. :param normalize_to_nfc: If True the returned unicode object is normalized to the NFC normal form as is required for the EPUB and AZW3 file formats. ''' with self.open(name) as nf: ans = nf.read() mime = self.mime_map.get(name, guess_type(name)) if decode and (mime in OEB_STYLES or mime in OEB_DOCS or mime == 'text/plain' or mime[-4:] in {'+xml', '/xml'}): ans = self.decode(ans, normalize_to_nfc=normalize_to_nfc) return ans def parsed(self, name): ''' Return a parsed representation of the file specified by name. For HTML and XML files an lxml tree is returned. For CSS files a css_parser stylesheet is returned. Note that parsed objects are cached for performance. If you make any changes to the parsed object, you must call :meth:`dirty` so that the container knows to update the cache. See also :meth:`replace`.''' ans = self.parsed_cache.get(name, None) if ans is None: self.used_encoding = None mime = self.mime_map.get(name, guess_type(name)) ans = self.parse(self.name_path_map[name], mime) self.parsed_cache[name] = ans self.encoding_map[name] = self.used_encoding return ans def replace(self, name, obj): ''' Replace the parsed object corresponding to name with obj, which must be a similar object, i.e. an lxml tree for HTML/XML or a css_parser stylesheet for a CSS file. ''' self.parsed_cache[name] = obj self.dirty(name) @property def opf(self): ' The parsed OPF file ' return self.parsed(self.opf_name) @property def mi(self): ''' The metadata of this book as a Metadata object. Note that this object is constructed on the fly every time this property is requested, so use it sparingly. ''' from calibre.ebooks.metadata.opf2 import OPF as O mi = self.serialize_item(self.opf_name) return O(BytesIO(mi), basedir=self.opf_dir, unquote_urls=False, populate_spine=False).to_book_metadata() @property def opf_version(self): ' The version set on the OPF\'s <package> element ' try: return self.opf_xpath('//opf:package/@version')[0] except IndexError: return '' @property def opf_version_parsed(self): ' The version set on the OPF\'s <package> element as a tuple of integers ' return parse_opf_version(self.opf_version) @property def manifest_items(self): return self.opf_xpath('//opf:manifest/opf:item[@href and @id]') @property def manifest_id_map(self): ' Mapping of manifest id to canonical names ' return {item.get('id'):self.href_to_name(item.get('href'), self.opf_name) for item in self.manifest_items} @property def manifest_type_map(self): ' Mapping of manifest media-type to list of canonical names of that media-type ' ans = defaultdict(list) for item in self.opf_xpath('//opf:manifest/opf:item[@href and @media-type]'): ans[item.get('media-type').lower()].append(self.href_to_name( item.get('href'), self.opf_name)) return {mt:tuple(v) for mt, v in iteritems(ans)} def manifest_items_with_property(self, property_name): ' All manifest items that have the specified property ' prefixes = read_prefixes(self.opf) for item in items_with_property(self.opf, property_name, prefixes): href = item.get('href') if href: yield self.href_to_name(item.get('href'), self.opf_name) def manifest_items_of_type(self, predicate): ''' The names of all manifest items whose media-type matches predicate. `predicate` can be a set, a list, a string or a function taking a single argument, which will be called with the media-type. ''' if isinstance(predicate, str): predicate = predicate.__eq__ elif hasattr(predicate, '__contains__'): predicate = predicate.__contains__ for mt, names in iteritems(self.manifest_type_map): if predicate(mt): yield from names def apply_unique_properties(self, name, *properties): ''' Ensure that the specified properties are set on only the manifest item identified by name. You can pass None as the name to remove the property from all items. ''' properties = frozenset(properties) removed_names, added_names = [], [] for p in properties: if p.startswith('calibre:'): ensure_prefix(self.opf, None, 'calibre', CALIBRE_PREFIX) break for item in self.opf_xpath('//opf:manifest/opf:item'): iname = self.href_to_name(item.get('href'), self.opf_name) props = (item.get('properties') or '').split() lprops = {p.lower() for p in props} for prop in properties: if prop.lower() in lprops: if name != iname: removed_names.append(iname) props = [p for p in props if p.lower() != prop] if props: item.set('properties', ' '.join(props)) else: del item.attrib['properties'] else: if name == iname: added_names.append(iname) props.append(prop) item.set('properties', ' '.join(props)) self.dirty(self.opf_name) return removed_names, added_names def add_properties(self, name, *properties): ''' Add the specified properties to the manifest item identified by name. ''' properties = frozenset(properties) if not properties: return True for p in properties: if p.startswith('calibre:'): ensure_prefix(self.opf, None, 'calibre', CALIBRE_PREFIX) break for item in self.opf_xpath('//opf:manifest/opf:item'): iname = self.href_to_name(item.get('href'), self.opf_name) if name == iname: props = frozenset((item.get('properties') or '').split()) | properties item.set('properties', ' '.join(props)) return True return False @property def guide_type_map(self): ' Mapping of guide type to canonical name ' return {item.get('type', ''):self.href_to_name(item.get('href'), self.opf_name) for item in self.opf_xpath('//opf:guide/opf:reference[@href and @type]')} @property def spine_iter(self): ''' An iterator that yields item, name is_linear for every item in the books' spine. item is the lxml element, name is the canonical file name and is_linear is True if the item is linear. See also: :attr:`spine_names` and :attr:`spine_items`. ''' manifest_id_map = self.manifest_id_map non_linear = [] for item in self.opf_xpath('//opf:spine/opf:itemref[@idref]'): idref = item.get('idref') name = manifest_id_map.get(idref, None) path = self.name_path_map.get(name, None) if path: if item.get('linear', 'yes') == 'yes': yield item, name, True else: non_linear.append((item, name)) for item, name in non_linear: yield item, name, False def index_in_spine(self, name): manifest_id_map = self.manifest_id_map for i, item in enumerate(self.opf_xpath('//opf:spine/opf:itemref[@idref]')): idref = item.get('idref') q = manifest_id_map.get(idref, None) if q == name: return i @property def spine_names(self): ''' An iterator yielding name and is_linear for every item in the books' spine. See also: :attr:`spine_iter` and :attr:`spine_items`. ''' for item, name, linear in self.spine_iter: yield name, linear @property def spine_items(self): ''' An iterator yielding the path for every item in the books' spine. See also: :attr:`spine_iter` and :attr:`spine_items`. ''' for name, linear in self.spine_names: yield self.name_path_map[name] def remove_from_spine(self, spine_items, remove_if_no_longer_in_spine=True): ''' Remove the specified items (by canonical name) from the spine. If ``remove_if_no_longer_in_spine`` is True, the items are also deleted from the book, not just from the spine. ''' nixed = set() for (name, remove), (item, xname, linear) in zip(spine_items, self.spine_iter): if remove and name == xname: self.remove_from_xml(item) nixed.add(name) if remove_if_no_longer_in_spine: # Remove from the book if no longer in spine nixed -= {name for name, linear in self.spine_names} for name in nixed: self.remove_item(name) def set_spine(self, spine_items): ''' Set the spine to be spine_items where spine_items is an iterable of the form (name, linear). Will raise an error if one of the names is not present in the manifest. ''' imap = self.manifest_id_map imap = {name:item_id for item_id, name in iteritems(imap)} items = [item for item, name, linear in self.spine_iter] tail, last_tail = (items[0].tail, items[-1].tail) if items else ('\n ', '\n ') for i in items: self.remove_from_xml(i) spine = self.opf_xpath('//opf:spine')[0] spine.text = tail for name, linear in spine_items: i = spine.makeelement('{%s}itemref' % OPF_NAMESPACES['opf'], nsmap={'opf':OPF_NAMESPACES['opf']}) i.tail = tail i.set('idref', imap[name]) spine.append(i) if not linear: i.set('linear', 'no') if len(spine) > 0: spine[-1].tail = last_tail self.dirty(self.opf_name) def remove_item(self, name, remove_from_guide=True): ''' Remove the item identified by name from this container. This removes all references to the item in the OPF manifest, guide and spine as well as from any internal caches. ''' removed = set() for elem in self.opf_xpath('//opf:manifest/opf:item[@href]'): if self.href_to_name(elem.get('href'), self.opf_name) == name: id_ = elem.get('id', None) if id_ is not None: removed.add(id_) self.remove_from_xml(elem) self.dirty(self.opf_name) if removed: for spine in self.opf_xpath('//opf:spine'): tocref = spine.attrib.get('toc', None) if tocref and tocref in removed: spine.attrib.pop('toc', None) self.dirty(self.opf_name) for item in self.opf_xpath('//opf:spine/opf:itemref[@idref]'): idref = item.get('idref') if idref in removed: self.remove_from_xml(item) self.dirty(self.opf_name) for meta in self.opf_xpath('//opf:meta[@name="cover" and @content]'): if meta.get('content') in removed: self.remove_from_xml(meta) self.dirty(self.opf_name) for meta in self.opf_xpath('//opf:meta[@refines]'): q = meta.get('refines') if q.startswith('#') and q[1:] in removed: self.remove_from_xml(meta) self.dirty(self.opf_name) if remove_from_guide: for item in self.opf_xpath('//opf:guide/opf:reference[@href]'): if self.href_to_name(item.get('href'), self.opf_name) == name: self.remove_from_xml(item) self.dirty(self.opf_name) path = self.name_path_map.pop(name, None) if path and os.path.exists(path): os.remove(path) self.mime_map.pop(name, None) self.parsed_cache.pop(name, None) self.dirtied.discard(name) def set_media_overlay_durations(self, duration_map=None): self.dirty(self.opf_name) for meta in self.opf_xpath('//opf:meta[@property="media:duration"]'): self.remove_from_xml(meta) metadata = self.opf_xpath('//opf:metadata')[0] total_duration = 0 for item_id, duration in (duration_map or {}).items(): meta = metadata.makeelement(OPF('meta'), property="media:duration", refines="#" + item_id) meta.text = seconds_to_timestamp(duration) self.insert_into_xml(metadata, meta) total_duration += duration if duration_map: meta = metadata.makeelement(OPF('meta'), property="media:duration") meta.text = seconds_to_timestamp(total_duration) self.insert_into_xml(metadata, meta) def dirty(self, name): ''' Mark the parsed object corresponding to name as dirty. See also: :meth:`parsed`. ''' self.dirtied.add(name) def remove_from_xml(self, item): 'Removes item from parent, fixing indentation (works only with self closing items)' parent = item.getparent() idx = parent.index(item) if idx == 0: # We are removing the first item - only care about adjusting # the tail if this was the only child if len(parent) == 1: parent.text = item.tail else: # Make sure the preceding item has this tail parent[idx-1].tail = item.tail parent.remove(item) return item def insert_into_xml(self, parent, item, index=None): '''Insert item into parent (or append if index is None), fixing indentation. Only works with self closing items.''' if index is None: parent.append(item) else: parent.insert(index, item) idx = parent.index(item) if idx == 0: item.tail = parent.text # If this is the only child of this parent element, we need a # little extra work as we have gone from a self-closing <foo /> # element to <foo><item /></foo> if len(parent) == 1: sibling = parent.getprevious() if sibling is None: # Give up! return parent.text = sibling.text item.tail = sibling.tail else: item.tail = parent[idx-1].tail if idx == len(parent)-1: parent[idx-1].tail = parent.text def opf_get_or_create(self, name): ''' Convenience method to either return the first XML element with the specified name or create it under the opf:package element and then return it, if it does not already exist. ''' ans = self.opf_xpath('//opf:'+name) if ans: return ans[0] self.dirty(self.opf_name) package = self.opf_xpath('//opf:package')[0] item = package.makeelement(OPF(name)) item.tail = '\n' package.append(item) return item def generate_item(self, name, id_prefix=None, media_type=None, unique_href=True): '''Add an item to the manifest with href derived from the given name. Ensures uniqueness of href and id automatically. Returns generated item.''' id_prefix = id_prefix or 'id' media_type = media_type or self.guess_type(name) if unique_href: name = self.make_name_unique(name) href = self.name_to_href(name, self.opf_name) base, ext = href.rpartition('.')[0::2] all_ids = {x.get('id') for x in self.opf_xpath('//*[@id]')} if id_prefix.endswith('-'): all_ids.add(id_prefix) c = 0 item_id = id_prefix while item_id in all_ids: c += 1 item_id = f'{id_prefix}{c}' manifest = self.opf_xpath('//opf:manifest')[0] item = manifest.makeelement(OPF('item'), id=item_id, href=href) item.set('media-type', media_type) self.insert_into_xml(manifest, item) self.dirty(self.opf_name) name = self.href_to_name(href, self.opf_name) self.name_path_map[name] = path = self.name_to_abspath(name) self.mime_map[name] = media_type # Ensure that the file corresponding to the newly created item exists # otherwise cloned containers will fail when they try to get the number # of links to the file base = os.path.dirname(path) if not os.path.exists(base): os.makedirs(base) open(path, 'wb').close() return item def format_opf(self): try: mdata = self.opf_xpath('//opf:metadata')[0] except IndexError: pass else: mdata.text = '\n ' remove = set() for child in mdata: child.tail = '\n ' try: if (child.get('name', '').startswith('calibre:' ) and child.get('content', '').strip() in {'{}', ''}): remove.add(child) except AttributeError: continue # Happens for XML comments for child in remove: mdata.remove(child) if len(mdata) > 0: mdata[-1].tail = '\n ' # Ensure name comes before content, needed for Nooks for meta in self.opf_xpath('//opf:meta[@name="cover"]'): if 'content' in meta.attrib: meta.set('content', meta.attrib.pop('content')) def serialize_item(self, name): ''' Convert a parsed object (identified by canonical name) into a bytestring. See :meth:`parsed`. ''' data = root = self.parsed(name) if name == self.opf_name: self.format_opf() data = serialize(data, self.mime_map[name], pretty_print=name in self.pretty_print) if name == self.opf_name and root.nsmap.get(None) == OPF2_NS: # Needed as I can't get lxml to output opf:role and # not output <opf:metadata> as well data = re.sub(br'(<[/]{0,1})opf:', br'\1', data) return data def commit_item(self, name, keep_parsed=False): ''' Commit a parsed object to disk (it is serialized and written to the underlying file). If ``keep_parsed`` is True the parsed representation is retained in the cache. See also: :meth:`parsed` ''' if name not in self.parsed_cache: return data = self.serialize_item(name) self.dirtied.discard(name) if not keep_parsed: self.parsed_cache.pop(name) dest = self.name_path_map[name] if self.cloned and nlinks_file(dest) > 1: # Decouple this file from its links os.unlink(dest) with open(dest, 'wb') as f: f.write(data) def filesize(self, name): ''' Return the size in bytes of the file represented by the specified canonical name. Automatically handles dirtied parsed objects. See also: :meth:`parsed` ''' if name in self.dirtied: self.commit_item(name, keep_parsed=True) path = self.name_to_abspath(name) return os.path.getsize(path) def get_file_path_for_processing(self, name, allow_modification=True): ''' Similar to open() except that it returns a file path, instead of an open file object. ''' if name in self.dirtied: self.commit_item(name) self.parsed_cache.pop(name, False) path = self.name_to_abspath(name) base = os.path.dirname(path) if not os.path.exists(base): os.makedirs(base) else: if self.cloned and allow_modification and os.path.exists(path) and nlinks_file(path) > 1: # Decouple this file from its links temp = path + 'xxx' shutil.copyfile(path, temp) if iswindows: retry_on_fail(os.unlink, path) else: os.unlink(path) os.rename(temp, path) return path def open(self, name, mode='rb'): ''' Open the file pointed to by name for direct read/write. Note that this will commit the file if it is dirtied and remove it from the parse cache. You must finish with this file before accessing the parsed version of it again, or bad things will happen. ''' return open(self.get_file_path_for_processing(name, mode not in {'r', 'rb'}), mode) def commit(self, outpath=None, keep_parsed=False): ''' Commit all dirtied parsed objects to the filesystem and write out the e-book file at outpath. :param output: The path to write the saved e-book file to. If None, the path of the original book file is used. :param keep_parsed: If True the parsed representations of committed items are kept in the cache. ''' for name in tuple(self.dirtied): self.commit_item(name, keep_parsed=keep_parsed) def compare_to(self, other): if set(self.name_path_map) != set(other.name_path_map): return 'Set of files is not the same' mismatches = [] for name, path in iteritems(self.name_path_map): opath = other.name_path_map[name] with open(path, 'rb') as f1, open(opath, 'rb') as f2: if f1.read() != f2.read(): mismatches.append('The file %s is not the same'%name) return '\n'.join(mismatches) # }}} # EPUB {{{ class InvalidEpub(InvalidBook): pass class ObfuscationKeyMissing(InvalidEpub): pass OCF_NS = 'urn:oasis:names:tc:opendocument:xmlns:container' VCS_IGNORE_FILES = frozenset('.gitignore .hgignore .agignore .bzrignore'.split()) VCS_DIRS = frozenset(('.git', '.hg', '.svn', '.bzr')) def walk_dir(basedir): for dirpath, dirnames, filenames in os.walk(basedir): for vcsdir in VCS_DIRS: try: dirnames.remove(vcsdir) except Exception: pass is_root = os.path.abspath(os.path.normcase(dirpath)) == os.path.abspath(os.path.normcase(basedir)) yield is_root, dirpath, None for fname in filenames: if fname not in VCS_IGNORE_FILES: yield is_root, dirpath, fname class EpubContainer(Container): book_type = 'epub' @property def book_type_for_display(self): ans = self.book_type.upper() try: v = self.opf_version_parsed except Exception: pass else: try: if v.major == 2: ans += ' 2' else: if not v.minor: ans += f' {v.major}' else: ans += f' {v.major}.{v.minor}' except Exception: pass return ans META_INF = { 'container.xml': True, 'manifest.xml': False, 'encryption.xml': False, 'metadata.xml': False, 'signatures.xml': False, 'rights.xml': False, } def __init__(self, pathtoepub, log, clone_data=None, tdir=None): if clone_data is not None: super().__init__(None, None, log, clone_data=clone_data) for x in ('pathtoepub', 'obfuscated_fonts', 'is_dir'): setattr(self, x, clone_data[x]) return self.pathtoepub = pathtoepub if tdir is None: tdir = PersistentTemporaryDirectory('_epub_container') tdir = os.path.abspath(os.path.realpath(tdir)) self.root = tdir self.is_dir = os.path.isdir(pathtoepub) if self.is_dir: for is_root, dirpath, fname in walk_dir(self.pathtoepub): if is_root: base = tdir else: base = os.path.join(tdir, os.path.relpath(dirpath, self.pathtoepub)) if fname is None: os.mkdir(base) if fname is not None: shutil.copy(os.path.join(dirpath, fname), os.path.join(base, fname)) else: with open(self.pathtoepub, 'rb') as stream: try: zf = ZipFile(stream) zf.extractall(tdir) except: log.exception('EPUB appears to be invalid ZIP file, trying a' ' more forgiving ZIP parser') from calibre.utils.localunzip import extractall stream.seek(0) extractall(stream, path=tdir) try: os.remove(join(tdir, 'mimetype')) except OSError: pass # Ensure all filenames are in NFC normalized form # has no effect on HFS+ filesystems as they always store filenames # in NFD form for filename in walk(self.root): n = unicodedata.normalize('NFC', filename) if n != filename: s = filename + 'suff1x' os.rename(filename, s) os.rename(s, n) container_path = join(self.root, 'META-INF', 'container.xml') if not exists(container_path): raise InvalidEpub('No META-INF/container.xml in epub') with open(container_path, 'rb') as cf: container = safe_xml_fromstring(cf.read()) opf_files = container.xpath(( r'child::ocf:rootfiles/ocf:rootfile' '[@media-type="%s" and @full-path]'%guess_type('a.opf') ), namespaces={'ocf':OCF_NS} ) if not opf_files: raise InvalidEpub('META-INF/container.xml contains no link to OPF file') opf_path = os.path.join(self.root, *(urlunquote(opf_files[0].get('full-path')).split('/'))) if not exists(opf_path): raise InvalidEpub('OPF file does not exist at location pointed to' ' by META-INF/container.xml') super().__init__(tdir, opf_path, log) self.obfuscated_fonts = {} if 'META-INF/encryption.xml' in self.name_path_map: self.process_encryption() self.parsed_cache['META-INF/container.xml'] = container def clone_data(self, dest_dir): ans = super().clone_data(dest_dir) ans['pathtoepub'] = self.pathtoepub ans['obfuscated_fonts'] = self.obfuscated_fonts.copy() ans['is_dir'] = self.is_dir return ans def rename(self, old_name, new_name): is_opf = old_name == self.opf_name super().rename(old_name, new_name) if is_opf: for elem in self.parsed('META-INF/container.xml').xpath(( r'child::ocf:rootfiles/ocf:rootfile' '[@media-type="%s" and @full-path]'%guess_type('a.opf') ), namespaces={'ocf':OCF_NS} ): # The asinine epubcheck cannot handle quoted filenames in # container.xml elem.set('full-path', self.opf_name) self.dirty('META-INF/container.xml') if old_name in self.obfuscated_fonts: self.obfuscated_fonts[new_name] = self.obfuscated_fonts.pop(old_name) enc = self.parsed('META-INF/encryption.xml') for cr in enc.xpath('//*[local-name()="CipherReference" and @URI]'): if self.href_to_name(cr.get('URI')) == old_name: cr.set('URI', self.name_to_href(new_name)) self.dirty('META-INF/encryption.xml') @property def names_that_need_not_be_manifested(self): return super().names_that_need_not_be_manifested | {'META-INF/' + x for x in self.META_INF} def ok_to_be_unmanifested(self, name): return name in self.names_that_need_not_be_manifested or name.startswith('META-INF/') @property def names_that_must_not_be_removed(self): return super().names_that_must_not_be_removed | {'META-INF/container.xml'} @property def names_that_must_not_be_changed(self): return super().names_that_must_not_be_changed | {'META-INF/' + x for x in self.META_INF} def remove_item(self, name, remove_from_guide=True): # Handle removal of obfuscated fonts if name == 'META-INF/encryption.xml': self.obfuscated_fonts.clear() if name in self.obfuscated_fonts: self.obfuscated_fonts.pop(name, None) enc = self.parsed('META-INF/encryption.xml') for em in enc.xpath('//*[local-name()="EncryptionMethod" and @Algorithm]'): alg = em.get('Algorithm') if alg not in {ADOBE_OBFUSCATION, IDPF_OBFUSCATION}: continue try: cr = em.getparent().xpath('descendant::*[local-name()="CipherReference" and @URI]')[0] except (IndexError, ValueError, KeyError): continue if name == self.href_to_name(cr.get('URI')): self.remove_from_xml(em.getparent()) self.dirty('META-INF/encryption.xml') super().remove_item(name, remove_from_guide=remove_from_guide) def read_raw_unique_identifier(self): package_id = raw_unique_identifier = idpf_key = None for attrib, val in iteritems(self.opf.attrib): if attrib.endswith('unique-identifier'): package_id = val break if package_id is not None: for elem in self.opf_xpath('//*[@id=%s]'%escape_xpath_attr(package_id)): if elem.text: raw_unique_identifier = elem.text break if raw_unique_identifier is not None: idpf_key = raw_unique_identifier idpf_key = re.sub('[\u0020\u0009\u000d\u000a]', '', idpf_key) idpf_key = hashlib.sha1(idpf_key.encode('utf-8')).digest() return package_id, raw_unique_identifier, idpf_key def iter_encryption_entries(self): if 'META-INF/encryption.xml' in self.name_path_map: enc = self.parsed('META-INF/encryption.xml') for em in enc.xpath('//*[local-name()="EncryptionMethod" and @Algorithm]'): try: cr = em.getparent().xpath('descendant::*[local-name()="CipherReference" and @URI]')[0] except Exception: cr = None yield em, cr def process_encryption(self): fonts = {} for em, cr in self.iter_encryption_entries(): alg = em.get('Algorithm') if alg not in {ADOBE_OBFUSCATION, IDPF_OBFUSCATION}: raise DRMError() if cr is None: continue name = self.href_to_name(cr.get('URI')) path = self.name_path_map.get(name, None) if path is not None: fonts[name] = alg package_id, raw_unique_identifier, idpf_key = self.read_raw_unique_identifier() key = None for item in self.opf_xpath('//*[local-name()="metadata"]/*' '[local-name()="identifier"]'): scheme = None for xkey in item.attrib.keys(): if xkey.endswith('scheme'): scheme = item.get(xkey) if (scheme and scheme.lower() == 'uuid') or \ (item.text and item.text.startswith('urn:uuid:')): try: key = item.text.rpartition(':')[-1] key = uuid.UUID(key).bytes except Exception: self.log.exception('Failed to parse obfuscation key') key = None for font, alg in iteritems(fonts): tkey = key if alg == ADOBE_OBFUSCATION else idpf_key if not tkey: raise ObfuscationKeyMissing('Failed to find obfuscation key') raw = self.raw_data(font, decode=False) raw = decrypt_font_data(tkey, raw, alg) with self.open(font, 'wb') as f: f.write(raw) self.obfuscated_fonts[font] = (alg, tkey) def update_modified_timestamp(self): from calibre.ebooks.metadata.opf3 import set_last_modified_in_opf set_last_modified_in_opf(self.opf) self.dirty(self.opf_name) def commit(self, outpath=None, keep_parsed=False): if self.opf_version_parsed.major == 3: self.update_modified_timestamp() super().commit(keep_parsed=keep_parsed) container_path = join(self.root, 'META-INF', 'container.xml') if not exists(container_path): raise InvalidEpub('No META-INF/container.xml in EPUB, this typically happens if the temporary files calibre' ' is using are deleted by some other program while calibre is running') restore_fonts = {} for name in self.obfuscated_fonts: if name not in self.name_path_map: continue alg, key = self.obfuscated_fonts[name] # Decrypting and encrypting are the same operation (XOR with key) restore_fonts[name] = data = self.raw_data(name, decode=False) with self.open(name, 'wb') as f: f.write(decrypt_font_data(key, data, alg)) if outpath is None: outpath = self.pathtoepub if self.is_dir: # First remove items from the source dir that do not exist any more for is_root, dirpath, fname in walk_dir(self.pathtoepub): if fname is not None: if is_root and fname == 'mimetype': continue base = self.root if is_root else os.path.join(self.root, os.path.relpath(dirpath, self.pathtoepub)) fpath = os.path.join(base, fname) if not os.path.exists(fpath): os.remove(os.path.join(dirpath, fname)) try: os.rmdir(dirpath) except OSError as err: if err.errno != errno.ENOTEMPTY: raise # Now copy over everything from root to source dir for dirpath, dirnames, filenames in os.walk(self.root): is_root = os.path.abspath(os.path.normcase(dirpath)) == os.path.abspath(os.path.normcase(self.root)) base = self.pathtoepub if is_root else os.path.join(self.pathtoepub, os.path.relpath(dirpath, self.root)) try: os.mkdir(base) except OSError as err: if err.errno != errno.EEXIST: raise for fname in filenames: with open(os.path.join(dirpath, fname), 'rb') as src, open(os.path.join(base, fname), 'wb') as dest: shutil.copyfileobj(src, dest) else: from calibre.ebooks.tweak import zip_rebuilder with open(join(self.root, 'mimetype'), 'wb') as f: et = guess_type('a.epub') if not isinstance(et, bytes): et = et.encode('ascii') f.write(et) zip_rebuilder(self.root, outpath) for name, data in iteritems(restore_fonts): with self.open(name, 'wb') as f: f.write(data) @property def path_to_ebook(self): return self.pathtoepub @path_to_ebook.setter def path_to_ebook(self, val): self.pathtoepub = val # }}} # AZW3 {{{ class InvalidMobi(InvalidBook): pass def do_explode(path, dest): from calibre.ebooks.mobi.reader.mobi6 import MobiReader from calibre.ebooks.mobi.reader.mobi8 import Mobi8Reader with open(path, 'rb') as stream: mr = MobiReader(stream, default_log, None, None) with CurrentDir(dest): mr = Mobi8Reader(mr, default_log, for_tweak=True) opf = os.path.abspath(mr()) obfuscated_fonts = mr.encrypted_fonts return opf, obfuscated_fonts def opf_to_azw3(opf, outpath, container): from calibre.ebooks.conversion.plumber import Plumber, create_oebbook from calibre.ebooks.mobi.tweak import set_cover class Item(Manifest.Item): def _parse_css(self, data): # The default CSS parser used by oeb.base inserts the h namespace # and resolves all @import rules. We dont want that. return container.parse_css(data) def specialize(oeb): oeb.manifest.Item = Item plumber = Plumber(opf, outpath, container.log) plumber.setup_options() inp = plugin_for_input_format('azw3') outp = plugin_for_output_format('azw3') plumber.opts.mobi_passthrough = True plumber.opts.keep_ligatures = True oeb = create_oebbook(container.log, opf, plumber.opts, specialize=specialize) set_cover(oeb) outp.convert(oeb, outpath, inp, plumber.opts, container.log) def epub_to_azw3(epub, outpath=None): container = get_container(epub, tweak_mode=True) changed = False for item in container.opf_xpath('//opf:manifest/opf:item[@properties and @href]'): p = item.get('properties').split() if 'cover-image' in p: href = item.get('href') guides = container.opf_xpath('//opf:guide') if not guides: guides = (container.opf.makeelement(OPF('guide')),) container.opf.append(guides[0]) for guide in guides: for child in guide: if child.get('type') == 'cover': break else: guide.append(guide.makeelement(OPF('reference'), type='cover', href=href)) changed = True break elif 'calibre:title-page' in p: item.getparent().remove(item) if changed: container.dirty(container.opf_name) container.commit_item(container.opf_name) outpath = outpath or (epub.rpartition('.')[0] + '.azw3') opf_to_azw3(container.name_to_abspath(container.opf_name), outpath, container) class AZW3Container(Container): book_type = 'azw3' SUPPORTS_TITLEPAGES = False SUPPORTS_FILENAMES = False def __init__(self, pathtoazw3, log, clone_data=None, tdir=None): if clone_data is not None: super().__init__(None, None, log, clone_data=clone_data) for x in ('pathtoazw3', 'obfuscated_fonts'): setattr(self, x, clone_data[x]) return self.pathtoazw3 = pathtoazw3 if tdir is None: tdir = PersistentTemporaryDirectory('_azw3_container') tdir = os.path.abspath(os.path.realpath(tdir)) self.root = tdir with open(pathtoazw3, 'rb') as stream: raw = stream.read(3) if raw == b'TPZ': raise InvalidMobi(_('This is not a MOBI file. It is a Topaz file.')) try: header = MetadataHeader(stream, default_log) except MobiError: raise InvalidMobi(_('This is not a MOBI file.')) if header.encryption_type != 0: raise DRMError() kf8_type = header.kf8_type if kf8_type is None: raise InvalidMobi(_('This MOBI file does not contain a KF8 format ' 'book. KF8 is the new format from Amazon. calibre can ' 'only edit MOBI files that contain KF8 books. Older ' 'MOBI files without KF8 are not editable.')) if kf8_type == 'joint': raise InvalidMobi(_('This MOBI file contains both KF8 and ' 'older Mobi6 data. calibre can only edit MOBI files ' 'that contain only KF8 data.')) try: opf_path, obfuscated_fonts = fork_job( 'calibre.ebooks.oeb.polish.container', 'do_explode', args=(pathtoazw3, tdir), no_output=True)['result'] except WorkerError as e: log(e.orig_tb) raise InvalidMobi('Failed to explode MOBI') super().__init__(tdir, opf_path, log) self.obfuscated_fonts = {x.replace(os.sep, '/') for x in obfuscated_fonts} def clone_data(self, dest_dir): ans = super().clone_data(dest_dir) ans['pathtoazw3'] = self.pathtoazw3 ans['obfuscated_fonts'] = self.obfuscated_fonts.copy() return ans def commit(self, outpath=None, keep_parsed=False): super().commit(keep_parsed=keep_parsed) if outpath is None: outpath = self.pathtoazw3 opf_to_azw3(self.name_path_map[self.opf_name], outpath, self) @property def path_to_ebook(self): return self.pathtoazw3 @path_to_ebook.setter def path_to_ebook(self, val): self.pathtoazw3 = val @property def names_that_must_not_be_changed(self): return set(self.name_path_map) # }}} def get_container(path, log=None, tdir=None, tweak_mode=False): if log is None: log = default_log try: isdir = os.path.isdir(path) except Exception: isdir = False own_tdir = not tdir ebook_cls = (AZW3Container if path.rpartition('.')[-1].lower() in {'azw3', 'mobi', 'original_azw3', 'original_mobi'} and not isdir else EpubContainer) if own_tdir: tdir = PersistentTemporaryDirectory(f'_{ebook_cls.book_type}_container') try: ebook = ebook_cls(path, log, tdir=tdir) ebook.tweak_mode = tweak_mode except BaseException: if own_tdir: shutil.rmtree(tdir, ignore_errors=True) raise return ebook def test_roundtrip(): ebook = get_container(sys.argv[-1]) p = PersistentTemporaryFile(suffix='.'+sys.argv[-1].rpartition('.')[-1]) p.close() ebook.commit(outpath=p.name) ebook2 = get_container(p.name) ebook3 = get_container(p.name) diff = ebook3.compare_to(ebook2) if diff is not None: print(diff) if __name__ == '__main__': test_roundtrip()
69,169
Python
.py
1,463
36.327409
156
0.595201
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,376
report.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/report.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2015, Kovid Goyal <kovid at kovidgoyal.net>' import os import posixpath import time import types from collections import defaultdict, namedtuple from itertools import chain from calibre import force_unicode, prepare_string_for_xml from calibre.ebooks.oeb.base import XPath, xml2text from calibre.ebooks.oeb.polish.container import OEB_DOCS, OEB_STYLES from calibre.ebooks.oeb.polish.spell import count_all_chars, get_all_words from calibre.ebooks.oeb.polish.utils import OEB_FONTS from calibre.utils.icu import numeric_sort_key, safe_chr from calibre.utils.imghdr import identify from css_selectors import Select, SelectorError from polyglot.builtins import iteritems File = namedtuple('File', 'name dir basename size category word_count') def get_category(name, mt): category = 'misc' if mt.startswith('image/'): category = 'image' elif mt in OEB_FONTS: category = 'font' elif mt in OEB_STYLES: category = 'style' elif mt in OEB_DOCS: category = 'text' ext = name.rpartition('.')[-1].lower() if ext in {'ttf', 'otf', 'woff', 'woff2'}: # Probably wrong mimetype in the OPF category = 'font' elif ext == 'opf': category = 'opf' elif ext == 'ncx': category = 'toc' return category def safe_size(container, name): try: return os.path.getsize(container.name_to_abspath(name)) except Exception: return 0 def safe_img_data(container, name, mt): if 'svg' in mt: return 0, 0 try: fmt, width, height = identify(container.name_to_abspath(name)) except Exception: width = height = 0 return width, height def files_data(container, *args): fwc = file_words_counts or {} for name, path in iteritems(container.name_path_map): yield File(name, posixpath.dirname(name), posixpath.basename(name), safe_size(container, name), get_category(name, container.mime_map.get(name, '')), fwc.get(name, -1)) Image = namedtuple('Image', 'name mime_type usage size basename id width height') LinkLocation = namedtuple('LinkLocation', 'name line_number text_on_line') def sort_locations(container, locations): nmap = {n:i for i, (n, l) in enumerate(container.spine_names)} def sort_key(l): return (nmap.get(l.name, len(nmap)), numeric_sort_key(l.name), l.line_number) return sorted(locations, key=sort_key) def safe_href_to_name(container, href, base): try: return container.href_to_name(href, base) except ValueError: pass # Absolute path on windows def images_data(container, *args): image_usage = defaultdict(set) link_sources = OEB_STYLES | OEB_DOCS for name, mt in iteritems(container.mime_map): if mt in link_sources: for href, line_number, offset in container.iterlinks(name): target = safe_href_to_name(container, href, name) if target and container.exists(target): mt = container.mime_map.get(target) if mt and mt.startswith('image/'): image_usage[target].add(LinkLocation(name, line_number, href)) image_data = [] for name, mt in iteritems(container.mime_map): if mt.startswith('image/') and container.exists(name): image_data.append(Image(name, mt, sort_locations(container, image_usage.get(name, set())), safe_size(container, name), posixpath.basename(name), len(image_data), *safe_img_data(container, name, mt))) return tuple(image_data) def description_for_anchor(elem): def check(x, min_len=4): if x: x = x.strip() if len(x) >= min_len: return x[:30] desc = check(elem.get('title')) if desc is not None: return desc desc = check(elem.text) if desc is not None: return desc if len(elem) > 0: desc = check(elem[0].text) if desc is not None: return desc # Get full text for tags that have only a few descendants for i, x in enumerate(elem.iterdescendants('*')): if i > 5: break else: desc = check(xml2text(elem), min_len=1) if desc is not None: return desc def create_anchor_map(root, pat, name): ans = {} for elem in pat(root): anchor = elem.get('id') or elem.get('name') if anchor and anchor not in ans: ans[anchor] = (LinkLocation(name, elem.sourceline, anchor), description_for_anchor(elem)) return ans Anchor = namedtuple('Anchor', 'id location text') L = namedtuple('Link', 'location text is_external href path_ok anchor_ok anchor ok') def Link(location, text, is_external, href, path_ok, anchor_ok, anchor): if is_external: ok = None else: ok = path_ok and anchor_ok return L(location, text, is_external, href, path_ok, anchor_ok, anchor, ok) def links_data(container, *args): anchor_map = {} links = [] anchor_pat = XPath('//*[@id or @name]') link_pat = XPath('//h:a[@href]') for name, mt in iteritems(container.mime_map): if mt in OEB_DOCS: root = container.parsed(name) anchor_map[name] = create_anchor_map(root, anchor_pat, name) for a in link_pat(root): href = a.get('href') text = description_for_anchor(a) location = LinkLocation(name, a.sourceline, href) if href: base, frag = href.partition('#')[0::2] if frag and not base: dest = name else: dest = safe_href_to_name(container, href, name) links.append((base, frag, dest, location, text)) else: links.append(('', '', None, location, text)) for base, frag, dest, location, text in links: if dest is None: link = Link(location, text, True, base, True, True, Anchor(frag, None, None)) else: if dest in anchor_map: loc = LinkLocation(dest, None, None) if frag: anchor = anchor_map[dest].get(frag) if anchor is None: link = Link(location, text, False, dest, True, False, Anchor(frag, loc, None)) else: link = Link(location, text, False, dest, True, True, Anchor(frag, *anchor)) else: link = Link(location, text, False, dest, True, True, Anchor(None, loc, None)) else: link = Link(location, text, False, dest, False, False, Anchor(frag, None, None)) yield link Word = namedtuple('Word', 'id word locale usage') file_words_counts = None def words_data(container, book_locale, *args): count, words = get_all_words(container, book_locale, get_word_count=True, file_words_counts=file_words_counts) return (count, tuple(Word(i, word, locale, v) for i, ((word, locale), v) in enumerate(iteritems(words)))) Char = namedtuple('Char', 'id char codepoint usage count') def chars_data(container, book_locale, *args): cc = count_all_chars(container, book_locale) nmap = {n:i for i, (n, l) in enumerate(container.spine_names)} def sort_key(name): return nmap.get(name, len(nmap)), numeric_sort_key(name) for i, (codepoint, usage) in enumerate(iteritems(cc.chars)): yield Char(i, safe_chr(codepoint), codepoint, sorted(usage, key=sort_key), cc.counter[codepoint]) CSSRule = namedtuple('CSSRule', 'selector location') RuleLocation = namedtuple('RuleLocation', 'file_name line column') MatchLocation = namedtuple('MatchLocation', 'tag sourceline') CSSEntry = namedtuple('CSSEntry', 'rule count matched_files sort_key') CSSFileMatch = namedtuple('CSSFileMatch', 'file_name locations sort_key') ClassEntry = namedtuple('ClassEntry', 'cls num_of_matches matched_files sort_key') ClassFileMatch = namedtuple('ClassFileMatch', 'file_name class_elements sort_key') ClassElement = namedtuple('ClassElement', 'name line_number text_on_line tag matched_rules') def css_data(container, book_locale, result_data, *args): import tinycss from tinycss.css21 import ImportRule, RuleSet def css_rules(file_name, rules, sourceline=0): ans = [] for rule in rules: if isinstance(rule, RuleSet): selector = rule.selector.as_css() ans.append(CSSRule(selector, RuleLocation(file_name, sourceline + rule.line, rule.column))) elif isinstance(rule, ImportRule): import_name = safe_href_to_name(container, rule.uri, file_name) if import_name and container.exists(import_name): ans.append(import_name) elif getattr(rule, 'rules', False): ans.extend(css_rules(file_name, rule.rules, sourceline)) return ans parser = tinycss.make_full_parser() importable_sheets = {} html_sheets = {} spine_names = {name for name, is_linear in container.spine_names} style_path, link_path = XPath('//h:style'), XPath('//h:link/@href') for name, mt in iteritems(container.mime_map): if mt in OEB_STYLES: importable_sheets[name] = css_rules(name, parser.parse_stylesheet(container.raw_data(name)).rules) elif mt in OEB_DOCS and name in spine_names: html_sheets[name] = [] for style in style_path(container.parsed(name)): if style.get('type', 'text/css') == 'text/css' and style.text: html_sheets[name].append( css_rules(name, parser.parse_stylesheet(force_unicode(style.text, 'utf-8')).rules, style.sourceline - 1)) rule_map = defaultdict(lambda : defaultdict(list)) def rules_in_sheet(sheet): for rule in sheet: if isinstance(rule, CSSRule): yield rule else: # @import rule isheet = importable_sheets.get(rule) if isheet is not None: yield from rules_in_sheet(isheet) def sheets_for_html(name, root): for href in link_path(root): tname = safe_href_to_name(container, href, name) sheet = importable_sheets.get(tname) if sheet is not None: yield sheet tt_cache = {} def tag_text(elem): ans = tt_cache.get(elem) if ans is None: tag = elem.tag.rpartition('}')[-1] if elem.attrib: attribs = ' '.join('{}="{}"'.format(k, prepare_string_for_xml(elem.get(k, ''), True)) for k in elem.keys()) return f'<{tag} {attribs}>' ans = tt_cache[elem] = '<%s>' % tag def matches_for_selector(selector, select, class_map, rule): lsel = selector.lower() try: matches = tuple(select(selector)) except SelectorError: return () seen = set() def get_elem_and_ancestors(elem): p = elem while p is not None: if p not in seen: yield p seen.add(p) p = p.getparent() for e in matches: for elem in get_elem_and_ancestors(e): for cls in elem.get('class', '').split(): if '.' + cls.lower() in lsel: class_map[cls][elem].append(rule) return (MatchLocation(tag_text(elem), elem.sourceline) for elem in matches) class_map = defaultdict(lambda : defaultdict(list)) for name, inline_sheets in iteritems(html_sheets): root = container.parsed(name) cmap = defaultdict(lambda : defaultdict(list)) for elem in root.xpath('//*[@class]'): for cls in elem.get('class', '').split(): cmap[cls][elem] = [] select = Select(root, ignore_inappropriate_pseudo_classes=True) for sheet in chain(sheets_for_html(name, root), inline_sheets): for rule in rules_in_sheet(sheet): rule_map[rule][name].extend(matches_for_selector(rule.selector, select, cmap, rule)) for cls, elem_map in iteritems(cmap): class_elements = class_map[cls][name] for elem, usage in iteritems(elem_map): class_elements.append( ClassElement(name, elem.sourceline, elem.get('class'), tag_text(elem), tuple(usage))) result_data['classes'] = ans = [] for cls, name_map in iteritems(class_map): la = tuple(ClassFileMatch(name, tuple(class_elements), numeric_sort_key(name)) for name, class_elements in iteritems(name_map) if class_elements) num_of_matches = sum(sum(len(ce.matched_rules) for ce in cfm.class_elements) for cfm in la) ans.append(ClassEntry(cls, num_of_matches, la, numeric_sort_key(cls))) ans = [] for rule, loc_map in iteritems(rule_map): la = tuple(CSSFileMatch(name, tuple(locations), numeric_sort_key(name)) for name, locations in iteritems(loc_map) if locations) count = sum(len(fm.locations) for fm in la) ans.append(CSSEntry(rule, count, la, numeric_sort_key(rule.selector))) return ans def gather_data(container, book_locale): global file_words_counts timing = {} data = {} file_words_counts = {} for x in 'chars images links words css files'.split(): st = time.time() data[x] = globals()[x + '_data'](container, book_locale, data) if isinstance(data[x], types.GeneratorType): data[x] = tuple(data[x]) timing[x] = time.time() - st file_words_counts = None return data, timing def debug_data_gather(): import sys from calibre.gui2.tweak_book import dictionaries from calibre.gui2.tweak_book.boss import get_container c = get_container(sys.argv[-1]) gather_data(c, dictionaries.default_locale)
14,076
Python
.py
304
37.059211
153
0.617946
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,377
embed.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/embed.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' __docformat__ = 'restructuredtext en' import sys from lxml import etree from calibre import prints from calibre.ebooks.oeb.base import XHTML from calibre.utils.filenames import ascii_filename from calibre.utils.icu import lower as icu_lower from polyglot.builtins import iteritems, itervalues, string_or_bytes props = {'font-family':None, 'font-weight':'normal', 'font-style':'normal', 'font-stretch':'normal'} def matching_rule(font, rules): ff = font['font-family'] if not isinstance(ff, string_or_bytes): ff = tuple(ff)[0] family = icu_lower(ff) wt = font['font-weight'] style = font['font-style'] stretch = font['font-stretch'] for rule in rules: if rule['font-style'] == style and rule['font-stretch'] == stretch and rule['font-weight'] == wt: ff = rule['font-family'] if not isinstance(ff, string_or_bytes): ff = tuple(ff)[0] if icu_lower(ff) == family: return rule def format_fallback_match_report(matched_font, font_family, css_font, report): msg = _('Could not find a font in the "%s" family exactly matching the CSS font specification,' ' will embed a fallback font instead. CSS font specification:') % font_family msg += '\n\n* font-weight: %s' % css_font.get('font-weight', 'normal') msg += '\n* font-style: %s' % css_font.get('font-style', 'normal') msg += '\n* font-stretch: %s' % css_font.get('font-stretch', 'normal') msg += '\n\n' + _('Matched font specification:') msg += '\n' + matched_font['path'] msg += '\n\n* font-weight: %s' % matched_font.get('font-weight', 'normal').strip() msg += '\n* font-style: %s' % matched_font.get('font-style', 'normal').strip() msg += '\n* font-stretch: %s' % matched_font.get('font-stretch', 'normal').strip() report(msg) report('') def stretch_as_number(val): try: return int(val) except Exception: pass try: return ('ultra-condensed', 'extra-condensed', 'condensed', 'semi-condensed', 'normal', 'semi-expanded', 'expanded', 'extra-expanded', 'ultra-expanded').index(val) except Exception: return 4 # normal def filter_by_stretch(fonts, val): val = stretch_as_number(val) stretch_map = [stretch_as_number(f['font-stretch']) for f in fonts] equal = [f for i, f in enumerate(fonts) if stretch_map[i] == val] if equal: return equal condensed = [i for i in range(len(fonts)) if stretch_map[i] <= 4] expanded = [i for i in range(len(fonts)) if stretch_map[i] > 4] if val <= 4: candidates = condensed or expanded else: candidates = expanded or condensed distance_map = {i:abs(stretch_map[i] - val) for i in candidates} min_dist = min(itervalues(distance_map)) return [fonts[i] for i in candidates if distance_map[i] == min_dist] def filter_by_style(fonts, val): order = { 'normal':('normal', 'oblique', 'italic'), 'italic':('italic', 'oblique', 'normal'), 'oblique':('oblique', 'italic', 'normal'), } if val not in order: val = 'normal' for q in order[val]: ans = [f for f in fonts if f['font-style'] == q] if ans: return ans return fonts def weight_as_number(wt): try: return int(wt) except Exception: return {'normal':400, 'bold':700}.get(wt, 400) def filter_by_weight(fonts, val): val = weight_as_number(val) weight_map = [weight_as_number(f['font-weight']) for f in fonts] equal = [f for i, f in enumerate(fonts) if weight_map[i] == val] if equal: return equal rmap = {w:i for i, w in enumerate(weight_map)} below = [i for i in range(len(fonts)) if weight_map[i] < val] above = [i for i in range(len(fonts)) if weight_map[i] > val] if val < 400: candidates = below or above elif val > 500: candidates = above or below elif val == 400: if 500 in rmap: return [fonts[rmap[500]]] candidates = below or above else: if 400 in rmap: return [fonts[rmap[400]]] candidates = below or above distance_map = {i:abs(weight_map[i] - val) for i in candidates} min_dist = min(itervalues(distance_map)) return [fonts[i] for i in candidates if distance_map[i] == min_dist] def find_matching_font(fonts, weight='normal', style='normal', stretch='normal'): # See https://www.w3.org/TR/css-fonts-3/#font-style-matching # We dont implement the unicode character range testing # We also dont implement bolder, lighter for f, q in ((filter_by_stretch, stretch), (filter_by_style, style), (filter_by_weight, weight)): fonts = f(fonts, q) if len(fonts) == 1: return fonts[0] return fonts[0] def do_embed(container, font, report): from calibre.utils.fonts.scanner import font_scanner report('Embedding font {} from {}'.format(font['full_name'], font['path'])) data = font_scanner.get_font_data(font) fname = font['full_name'] ext = 'otf' if font['is_otf'] else 'ttf' fname = ascii_filename(fname).replace(' ', '-').replace('(', '').replace(')', '') item = container.generate_item('fonts/%s.%s'%(fname, ext), id_prefix='font') name = container.href_to_name(item.get('href'), container.opf_name) with container.open(name, 'wb') as out: out.write(data) href = container.name_to_href(name) rule = {k:font.get(k, v) for k, v in iteritems(props)} rule['src'] = 'url(%s)' % href rule['name'] = name return rule def embed_font(container, font, all_font_rules, report, warned): rule = matching_rule(font, all_font_rules) ff = font['font-family'] if not isinstance(ff, string_or_bytes): ff = ff[0] if rule is None: from calibre.utils.fonts.scanner import NoFonts, font_scanner if ff in warned: return try: fonts = font_scanner.fonts_for_family(ff) except NoFonts: report(_('Failed to find fonts for family: %s, not embedding') % ff) warned.add(ff) return wt = weight_as_number(font.get('font-weight')) for f in fonts: if f['weight'] == wt and f['font-style'] == font.get('font-style', 'normal') and f['font-stretch'] == font.get('font-stretch', 'normal'): return do_embed(container, f, report) f = find_matching_font(fonts, font.get('font-weight', '400'), font.get('font-style', 'normal'), font.get('font-stretch', 'normal')) wkey = ('fallback-font', ff, wt, font.get('font-style'), font.get('font-stretch')) if wkey not in warned: warned.add(wkey) format_fallback_match_report(f, ff, font, report) return do_embed(container, f, report) else: name = rule['src'] href = container.name_to_href(name) rule = {k:ff if k == 'font-family' else rule.get(k, v) for k, v in iteritems(props)} rule['src'] = 'url(%s)' % href rule['name'] = name return rule def font_key(font): return tuple(map(font.get, 'font-family font-weight font-style font-stretch'.split())) def embed_all_fonts(container, stats, report): all_font_rules = tuple(itervalues(stats.all_font_rules)) warned = set() rules, nrules = [], {} modified = set() for path in container.spine_items: name = container.abspath_to_name(path) fu = stats.font_usage_map.get(name, None) fs = stats.font_spec_map.get(name, None) fr = stats.font_rule_map.get(name, None) if None in (fs, fu, fr): continue fs = {icu_lower(x) for x in fs} for font in itervalues(fu): if icu_lower(font['font-family']) not in fs: continue rule = matching_rule(font, fr) if rule is None: # This font was not already embedded in this HTML file, before # processing started key = font_key(font) rule = nrules.get(key) if rule is None: rule = embed_font(container, font, all_font_rules, report, warned) if rule is not None: rules.append(rule) nrules[key] = rule modified.add(name) stats.font_stats[rule['name']] = font['text'] else: # This font was previously embedded by this code, update its stats stats.font_stats[rule['name']] |= font['text'] modified.add(name) if not rules: report(_('No embeddable fonts found')) return False # Write out CSS rules = [';\n\t'.join('{}: {}'.format( k, '"%s"' % v if k == 'font-family' else v) for k, v in iteritems(rulel) if (k in props and props[k] != v and v != '400') or k == 'src') for rulel in rules] css = '\n\n'.join(['@font-face {\n\t%s\n}' % r for r in rules]) item = container.generate_item('fonts.css', id_prefix='font_embed') name = container.href_to_name(item.get('href'), container.opf_name) with container.open(name, 'wb') as out: out.write(css.encode('utf-8')) # Add link to CSS in all files that need it for spine_name in modified: root = container.parsed(spine_name) try: head = root.xpath('//*[local-name()="head"][1]')[0] except IndexError: head = root.makeelement(XHTML('head')) root.insert(0, head) head.tail = '\n' head.text = '\n ' href = container.name_to_href(name, spine_name) etree.SubElement(head, XHTML('link'), rel='stylesheet', type='text/css', href=href).tail = '\n' container.dirty(spine_name) return True if __name__ == '__main__': from calibre.ebooks.oeb.polish.container import get_container from calibre.ebooks.oeb.polish.stats import StatsCollector from calibre.utils.logging import default_log default_log.filter_level = default_log.DEBUG inbook = sys.argv[-1] ebook = get_container(inbook, default_log) report = [] stats = StatsCollector(ebook, do_embed=True) embed_all_fonts(ebook, stats, report.append) outbook, ext = inbook.rpartition('.')[0::2] outbook += '_subset.'+ext ebook.commit(outbook) prints('\nReport:') for msg in report: prints(msg) print() prints('Output written to:', outbook)
10,669
Python
.py
244
35.942623
149
0.604062
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,378
parsing.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/parsing.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' import re import html5_parser from lxml.etree import Element as LxmlElement from calibre.ebooks.chardet import strip_encoding_declarations, xml_to_unicode from calibre.utils.cleantext import clean_xml_chars from calibre.utils.xml_parse import safe_xml_fromstring try: from calibre_extensions.fast_html_entities import replace_all_entities except ImportError: def replace_all_entities(raw, keep_xml_entities: bool = False): from calibre import xml_replace_entities return xml_replace_entities(raw) XHTML_NS = 'http://www.w3.org/1999/xhtml' def parse_html5(raw, decoder=None, log=None, discard_namespaces=False, line_numbers=True, linenumber_attribute=None, replace_entities=True, fix_newlines=True): if isinstance(raw, bytes): raw = xml_to_unicode(raw)[0] if decoder is None else decoder(raw) if replace_entities: raw = replace_all_entities(raw, True) if fix_newlines: raw = raw.replace('\r\n', '\n').replace('\r', '\n') raw = clean_xml_chars(raw) root = html5_parser.parse(raw, maybe_xhtml=not discard_namespaces, line_number_attr=linenumber_attribute, keep_doctype=False, sanitize_names=True) if (discard_namespaces and root.tag != 'html') or ( not discard_namespaces and (root.tag != '{{{}}}{}'.format(XHTML_NS, 'html') or root.prefix)): raise ValueError(f'Failed to parse correctly, root has tag: {root.tag} and prefix: {root.prefix}') return root def handle_private_entities(data): # Process private entities pre = '' idx = data.find('<html') if idx == -1: idx = data.find('<HTML') if idx > -1: pre = data[:idx] num_of_nl_in_pre = pre.count('\n') if '<!DOCTYPE' in pre: # Handle user defined entities user_entities = {} for match in re.finditer(r'<!ENTITY\s+(\S+)\s+([^>]+)', pre): val = match.group(2) if val.startswith('"') and val.endswith('"'): val = val[1:-1] user_entities[match.group(1)] = val if user_entities: data = ('\n' * num_of_nl_in_pre) + data[idx:] pat = re.compile(r'&(%s);'%('|'.join(user_entities.keys()))) data = pat.sub(lambda m:user_entities[m.group(1)], data) return data def parse(raw, decoder=None, log=None, line_numbers=True, linenumber_attribute=None, replace_entities=True, force_html5_parse=False): if isinstance(raw, bytes): raw = xml_to_unicode(raw)[0] if decoder is None else decoder(raw) raw = handle_private_entities(raw) if replace_entities: raw = replace_all_entities(raw, True) raw = raw.replace('\r\n', '\n').replace('\r', '\n') # Remove any preamble before the opening html tag as it can cause problems, # especially doctypes, preserve the original linenumbers by inserting # newlines at the start pre = raw[:2048] for match in re.finditer(r'<\s*html', pre, flags=re.I): newlines = raw.count('\n', 0, match.start()) raw = ('\n' * newlines) + raw[match.start():] break raw = strip_encoding_declarations(raw, limit=10*1024, preserve_newlines=True) if force_html5_parse: return parse_html5(raw, log=log, line_numbers=line_numbers, linenumber_attribute=linenumber_attribute, replace_entities=False, fix_newlines=False) try: ans = safe_xml_fromstring(raw, recover=False) if ans.tag != '{%s}html' % XHTML_NS: raise ValueError('Root tag is not <html> in the XHTML namespace') if linenumber_attribute: for elem in ans.iter(LxmlElement): if elem.sourceline is not None: elem.set(linenumber_attribute, str(elem.sourceline)) return ans except Exception: if log is not None: log.exception('Failed to parse as XML, parsing as tag soup') return parse_html5(raw, log=log, line_numbers=line_numbers, linenumber_attribute=linenumber_attribute, replace_entities=False, fix_newlines=False) if __name__ == '__main__': from lxml import etree root = parse_html5('\n<html><head><title>a\n</title><p b=1 c=2 a=0>&nbsp;\n<b>b<svg ass="wipe" viewbox="0">', discard_namespaces=False) print(etree.tostring(root, encoding='utf-8')) print()
4,420
Python
.py
86
43.965116
159
0.651842
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,379
toc.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/toc.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' __docformat__ = 'restructuredtext en' import re from collections import Counter, OrderedDict from functools import partial from operator import itemgetter from lxml import etree from lxml.builder import ElementMaker from calibre import __version__ from calibre.ebooks.oeb.base import EPUB_NS, NCX, NCX_NS, OEB_DOCS, XHTML, XHTML_NS, XML, XML_NS, XPath, serialize, uuid_id, xml2text from calibre.ebooks.oeb.polish.errors import MalformedMarkup from calibre.ebooks.oeb.polish.opf import get_book_language, set_guide_item from calibre.ebooks.oeb.polish.pretty import pretty_html_tree, pretty_xml_tree from calibre.ebooks.oeb.polish.utils import extract, guess_type from calibre.translations.dynamic import translate from calibre.utils.localization import canonicalize_lang, get_lang, lang_as_iso639_1 from calibre.utils.resources import get_path as P from polyglot.builtins import iteritems from polyglot.urllib import urlparse ns = etree.FunctionNamespace('calibre_xpath_extensions') ns.prefix = 'calibre' ns['lower-case'] = lambda c, x: x.lower() if hasattr(x, 'lower') else x class TOC: toc_title = None def __init__(self, title=None, dest=None, frag=None): self.title, self.dest, self.frag = title, dest, frag self.dest_exists = self.dest_error = None if self.title: self.title = self.title.strip() self.parent = None self.children = [] self.page_list = [] def add(self, title, dest, frag=None): c = TOC(title, dest, frag) self.children.append(c) c.parent = self return c def remove(self, child): self.children.remove(child) child.parent = None def remove_from_parent(self): if self.parent is None: return idx = self.parent.children.index(self) for child in reversed(self.children): child.parent = self.parent self.parent.children.insert(idx, child) self.parent.children.remove(self) self.parent = None def __iter__(self): yield from self.children def __len__(self): return len(self.children) def iterdescendants(self, level=None): gc_level = None if level is None else level + 1 for child in self: if level is None: yield child else: yield level, child yield from child.iterdescendants(level=gc_level) def remove_duplicates(self, only_text=True): seen = set() remove = [] for child in self: key = child.title if only_text else (child.title, child.dest, (child.frag or None)) if key in seen: remove.append(child) else: seen.add(key) child.remove_duplicates() for child in remove: self.remove(child) @property def depth(self): """The maximum depth of the navigation tree rooted at this node.""" try: return max(node.depth for node in self) + 1 except ValueError: return 1 @property def last_child(self): return self.children[-1] if self.children else None def get_lines(self, lvl=0): frag = ('#'+self.frag) if self.frag else '' ans = [('\t'*lvl) + 'TOC: %s --> %s%s'%(self.title, self.dest, frag)] for child in self: ans.extend(child.get_lines(lvl+1)) return ans def __str__(self): return '\n'.join(self.get_lines()) def to_dict(self, node_counter=None): ans = { 'title':self.title, 'dest':self.dest, 'frag':self.frag, 'children':[c.to_dict(node_counter) for c in self.children] } if self.dest_exists is not None: ans['dest_exists'] = self.dest_exists if self.dest_error is not None: ans['dest_error'] = self.dest_error if node_counter is not None: ans['id'] = next(node_counter) return ans @property def as_dict(self): return self.to_dict() def child_xpath(tag, name): return tag.xpath('./*[calibre:lower-case(local-name()) = "%s"]'%name) def add_from_navpoint(container, navpoint, parent, ncx_name): dest = frag = text = None nl = child_xpath(navpoint, 'navlabel') if nl: nl = nl[0] text = '' for txt in child_xpath(nl, 'text'): text += etree.tostring(txt, method='text', encoding='unicode', with_tail=False) content = child_xpath(navpoint, 'content') if content: content = content[0] href = content.get('src', None) if href: dest = container.href_to_name(href, base=ncx_name) frag = urlparse(href).fragment or None return parent.add(text or None, dest or None, frag or None) def process_ncx_node(container, node, toc_parent, ncx_name): for navpoint in node.xpath('./*[calibre:lower-case(local-name()) = "navpoint"]'): child = add_from_navpoint(container, navpoint, toc_parent, ncx_name) if child is not None: process_ncx_node(container, navpoint, child, ncx_name) def parse_ncx(container, ncx_name): root = container.parsed(ncx_name) toc_root = TOC() navmaps = root.xpath('//*[calibre:lower-case(local-name()) = "navmap"]') if navmaps: process_ncx_node(container, navmaps[0], toc_root, ncx_name) toc_root.lang = toc_root.uid = None for attr, val in iteritems(root.attrib): if attr.endswith('lang'): toc_root.lang = str(val) break for uid in root.xpath('//*[calibre:lower-case(local-name()) = "meta" and @name="dtb:uid"]/@content'): if uid: toc_root.uid = str(uid) break for pl in root.xpath('//*[calibre:lower-case(local-name()) = "pagelist"]'): for pt in pl.xpath('descendant::*[calibre:lower-case(local-name()) = "pagetarget"]'): pagenum = pt.get('value') if pagenum: href = pt.xpath('descendant::*[calibre:lower-case(local-name()) = "content"]/@src') if href: dest = container.href_to_name(href[0], base=ncx_name) frag = urlparse(href[0]).fragment or None toc_root.page_list.append({'dest': dest, 'pagenum': pagenum, 'frag': frag}) return toc_root def add_from_li(container, li, parent, nav_name): dest = frag = text = None for x in li.iterchildren(XHTML('a'), XHTML('span')): text = etree.tostring(x, method='text', encoding='unicode', with_tail=False).strip() or ' '.join(x.xpath('descendant-or-self::*/@title')).strip() href = x.get('href') if href: dest = nav_name if href.startswith('#') else container.href_to_name(href, base=nav_name) frag = urlparse(href).fragment or None break return parent.add(text or None, dest or None, frag or None) def first_child(parent, tagname): try: return next(parent.iterchildren(tagname)) except StopIteration: return None def process_nav_node(container, node, toc_parent, nav_name): for li in node.iterchildren(XHTML('li')): child = add_from_li(container, li, toc_parent, nav_name) ol = first_child(li, XHTML('ol')) if child is not None and ol is not None: process_nav_node(container, ol, child, nav_name) def parse_nav(container, nav_name): root = container.parsed(nav_name) toc_root = TOC() toc_root.lang = toc_root.uid = None seen_toc = seen_pagelist = False et = '{%s}type' % EPUB_NS for nav in XPath('descendant::h:nav[@epub:type]')(root): nt = nav.get(et) if nt == 'toc' and not seen_toc: ol = first_child(nav, XHTML('ol')) if ol is not None: seen_toc = True process_nav_node(container, ol, toc_root, nav_name) for h in nav.iterchildren(*map(XHTML, 'h1 h2 h3 h4 h5 h6'.split())): text = etree.tostring(h, method='text', encoding='unicode', with_tail=False) or h.get('title') if text: toc_root.toc_title = text break elif nt == 'page-list' and not seen_pagelist: ol = first_child(nav, XHTML('ol')) if ol is not None and not seen_pagelist: seen_pagelist = True for li in ol.iterchildren(XHTML('li')): for a in li.iterchildren(XHTML('a')): href = a.get('href') if href: text = (etree.tostring(a, method='text', encoding='unicode', with_tail=False) or a.get('title')).strip() if text: dest = nav_name if href.startswith('#') else container.href_to_name(href, base=nav_name) frag = urlparse(href).fragment or None toc_root.page_list.append({'dest': dest, 'pagenum': text, 'frag': frag}) return toc_root def verify_toc_destinations(container, toc): anchor_map = {} anchor_xpath = XPath('//*/@id|//h:a/@name') for item in toc.iterdescendants(): name = item.dest if not name: item.dest_exists = False item.dest_error = _('No file named %s exists')%name continue try: root = container.parsed(name) except KeyError: item.dest_exists = False item.dest_error = _('No file named %s exists')%name continue if not hasattr(root, 'xpath'): item.dest_exists = False item.dest_error = _('No HTML file named %s exists')%name continue if not item.frag: item.dest_exists = True continue if name not in anchor_map: anchor_map[name] = frozenset(anchor_xpath(root)) item.dest_exists = item.frag in anchor_map[name] if not item.dest_exists: item.dest_error = _( 'The anchor %(a)s does not exist in file %(f)s')%dict( a=item.frag, f=name) def find_existing_ncx_toc(container): toc = container.opf_xpath('//opf:spine/@toc') if toc: toc = container.manifest_id_map.get(toc[0], None) if not toc: ncx = guess_type('a.ncx') toc = container.manifest_type_map.get(ncx, [None])[0] return toc or None def find_existing_nav_toc(container): for name in container.manifest_items_with_property('nav'): return name def mark_as_nav(container, name): if container.opf_version_parsed.major > 2: container.apply_unique_properties(name, 'nav') def get_x_toc(container, find_toc, parse_toc, verify_destinations=True): def empty_toc(): ans = TOC() ans.lang = ans.uid = None return ans toc = find_toc(container) ans = empty_toc() if toc is None or not container.has_name(toc) else parse_toc(container, toc) ans.toc_file_name = toc if toc and container.has_name(toc) else None if verify_destinations: verify_toc_destinations(container, ans) return ans def get_toc(container, verify_destinations=True): ver = container.opf_version_parsed if ver.major < 3: return get_x_toc(container, find_existing_ncx_toc, parse_ncx, verify_destinations=verify_destinations) else: ans = get_x_toc(container, find_existing_nav_toc, parse_nav, verify_destinations=verify_destinations) if len(ans) == 0: ans = get_x_toc(container, find_existing_ncx_toc, parse_ncx, verify_destinations=verify_destinations) return ans def get_guide_landmarks(container): for ref in container.opf_xpath('./opf:guide/opf:reference'): href, title, rtype = ref.get('href'), ref.get('title'), ref.get('type') href, frag = href.partition('#')[::2] name = container.href_to_name(href, container.opf_name) if container.has_name(name): yield {'dest':name, 'frag':frag, 'title':title or '', 'type':rtype or ''} def get_nav_landmarks(container): nav = find_existing_nav_toc(container) if nav and container.has_name(nav): root = container.parsed(nav) et = '{%s}type' % EPUB_NS for elem in root.iterdescendants(XHTML('nav')): if elem.get(et) == 'landmarks': for li in elem.iterdescendants(XHTML('li')): for a in li.iterdescendants(XHTML('a')): href, rtype = a.get('href'), a.get(et) if href: title = etree.tostring(a, method='text', encoding='unicode', with_tail=False).strip() href, frag = href.partition('#')[::2] name = container.href_to_name(href, nav) if container.has_name(name): yield {'dest':name, 'frag':frag, 'title':title or '', 'type':rtype or ''} break def get_landmarks(container): ver = container.opf_version_parsed if ver.major < 3: return list(get_guide_landmarks(container)) ans = list(get_nav_landmarks(container)) if len(ans) == 0: ans = list(get_guide_landmarks(container)) return ans def ensure_id(elem, all_ids): elem_id = elem.get('id') if elem_id: return False, elem_id if elem.tag == XHTML('a'): anchor = elem.get('name', None) if anchor: elem.set('id', anchor) return False, anchor c = 0 while True: c += 1 q = f'toc_{c}' if q not in all_ids: elem.set('id', q) all_ids.add(q) break return True, elem.get('id') def elem_to_toc_text(elem, prefer_title=False): text = xml2text(elem).strip() if prefer_title: text = elem.get('title', '').strip() or text if not text: text = elem.get('title', '') if not text: text = elem.get('alt', '') text = re.sub(r'\s+', ' ', text.strip()) text = text[:1000].strip() if not text: text = _('(Untitled)') return text def item_at_top(elem): try: body = XPath('//h:body')(elem.getroottree().getroot())[0] except (TypeError, IndexError, KeyError, AttributeError): return False tree = body.getroottree() path = tree.getpath(elem) for el in body.iterdescendants(etree.Element): epath = tree.getpath(el) if epath == path: break try: if el.tag.endswith('}img') or (el.text and el.text.strip()): return False except: return False if not path.startswith(epath): # Only check tail of non-parent elements if el.tail and el.tail.strip(): return False return True def from_xpaths(container, xpaths, prefer_title=False): ''' Generate a Table of Contents from a list of XPath expressions. Each expression in the list corresponds to a level of the generate ToC. For example: :code:`['//h:h1', '//h:h2', '//h:h3']` will generate a three level Table of Contents from the ``<h1>``, ``<h2>`` and ``<h3>`` tags. ''' tocroot = TOC() xpaths = [XPath(xp) for xp in xpaths] # Find those levels that have no elements in all spine items maps = OrderedDict() empty_levels = {i+1 for i, xp in enumerate(xpaths)} for spinepath in container.spine_items: name = container.abspath_to_name(spinepath) root = container.parsed(name) level_item_map = maps[name] = {i+1:frozenset(xp(root)) for i, xp in enumerate(xpaths)} for lvl, elems in iteritems(level_item_map): if elems: empty_levels.discard(lvl) # Remove empty levels from all level_maps if empty_levels: for name, lmap in tuple(iteritems(maps)): lmap = {lvl:items for lvl, items in iteritems(lmap) if lvl not in empty_levels} lmap = sorted(iteritems(lmap), key=itemgetter(0)) lmap = {i+1:items for i, (l, items) in enumerate(lmap)} maps[name] = lmap node_level_map = {tocroot: 0} def parent_for_level(child_level): limit = child_level - 1 def process_node(node): child = node.last_child if child is None: return node lvl = node_level_map[child] return node if lvl > limit else child if lvl == limit else process_node(child) return process_node(tocroot) for name, level_item_map in iteritems(maps): root = container.parsed(name) item_level_map = {e:i for i, elems in iteritems(level_item_map) for e in elems} item_dirtied = False all_ids = set(root.xpath('//*/@id')) for item in root.iterdescendants(etree.Element): lvl = item_level_map.get(item, None) if lvl is None: continue text = elem_to_toc_text(item, prefer_title) parent = parent_for_level(lvl) if item_at_top(item): dirtied, elem_id = False, None else: dirtied, elem_id = ensure_id(item, all_ids) item_dirtied = dirtied or item_dirtied toc = parent.add(text, name, elem_id) node_level_map[toc] = lvl toc.dest_exists = True if item_dirtied: container.commit_item(name, keep_parsed=True) return tocroot def from_links(container): ''' Generate a Table of Contents from links in the book. ''' toc = TOC() link_path = XPath('//h:a[@href]') seen_titles, seen_dests = set(), set() for name, is_linear in container.spine_names: root = container.parsed(name) for a in link_path(root): href = a.get('href') if not href or not href.strip(): continue frag = None if href.startswith('#'): dest = name frag = href[1:] else: href, _, frag = href.partition('#') dest = container.href_to_name(href, base=name) frag = frag or None if (dest, frag) in seen_dests: continue seen_dests.add((dest, frag)) text = elem_to_toc_text(a) if text in seen_titles: continue seen_titles.add(text) toc.add(text, dest, frag=frag) verify_toc_destinations(container, toc) for child in toc: if not child.dest_exists: toc.remove(child) return toc def find_text(node): LIMIT = 200 pat = re.compile(r'\s+') for child in node: if isinstance(child, etree._Element): text = xml2text(child).strip() text = pat.sub(' ', text) if len(text) < 1: continue if len(text) > LIMIT: # Look for less text in a child of this node, recursively ntext = find_text(child) return ntext or (text[:LIMIT] + '...') else: return text def from_files(container): ''' Generate a Table of Contents from files in the book. ''' toc = TOC() for i, spinepath in enumerate(container.spine_items): name = container.abspath_to_name(spinepath) root = container.parsed(name) body = XPath('//h:body')(root) if not body: continue text = find_text(body[0]) if not text: text = name.rpartition('/')[-1] if i == 0 and text.rpartition('.')[0].lower() in {'titlepage', 'cover'}: text = _('Cover') toc.add(text, name) return toc def node_from_loc(root, locs, totals=None): node = root.xpath('//*[local-name()="body"]')[0] for i, loc in enumerate(locs): children = tuple(node.iterchildren(etree.Element)) if totals is not None and totals[i] != len(children): raise MalformedMarkup() node = children[loc] return node def add_id(container, name, loc, totals=None): root = container.parsed(name) try: node = node_from_loc(root, loc, totals=totals) except MalformedMarkup: # The webkit HTML parser and the container parser have yielded # different node counts, this can happen if the file is valid XML # but contains constructs like nested <p> tags. So force parse it # with the HTML 5 parser and try again. raw = container.raw_data(name) root = container.parse_xhtml(raw, fname=name, force_html5_parse=True) try: node = node_from_loc(root, loc, totals=totals) except MalformedMarkup: raise MalformedMarkup(_('The file %s has malformed markup. Try running the Fix HTML tool' ' before editing.') % name) container.replace(name, root) if not node.get('id'): ensure_id(node, set(root.xpath('//*/@id'))) container.commit_item(name, keep_parsed=True) return node.get('id') def create_ncx(toc, to_href, btitle, lang, uid): lang = lang.replace('_', '-') ncx = etree.Element(NCX('ncx'), attrib={'version': '2005-1', XML('lang'): lang}, nsmap={None: NCX_NS}) head = etree.SubElement(ncx, NCX('head')) etree.SubElement(head, NCX('meta'), name='dtb:uid', content=str(uid)) etree.SubElement(head, NCX('meta'), name='dtb:depth', content=str(toc.depth)) generator = ''.join(['calibre (', __version__, ')']) etree.SubElement(head, NCX('meta'), name='dtb:generator', content=generator) etree.SubElement(head, NCX('meta'), name='dtb:totalPageCount', content='0') etree.SubElement(head, NCX('meta'), name='dtb:maxPageNumber', content='0') title = etree.SubElement(ncx, NCX('docTitle')) text = etree.SubElement(title, NCX('text')) text.text = btitle navmap = etree.SubElement(ncx, NCX('navMap')) spat = re.compile(r'\s+') play_order = Counter() def process_node(xml_parent, toc_parent): for child in toc_parent: play_order['c'] += 1 point = etree.SubElement(xml_parent, NCX('navPoint'), id='num_%d' % play_order['c'], playOrder=str(play_order['c'])) label = etree.SubElement(point, NCX('navLabel')) title = child.title if title: title = spat.sub(' ', title) etree.SubElement(label, NCX('text')).text = title if child.dest: href = to_href(child.dest) if child.frag: href += '#'+child.frag etree.SubElement(point, NCX('content'), src=href) process_node(point, child) process_node(navmap, toc) return ncx def commit_ncx_toc(container, toc, lang=None, uid=None): tocname = find_existing_ncx_toc(container) if tocname is None: item = container.generate_item('toc.ncx', id_prefix='toc') tocname = container.href_to_name(item.get('href'), base=container.opf_name) ncx_id = item.get('id') [s.set('toc', ncx_id) for s in container.opf_xpath('//opf:spine')] if not lang: lang = get_lang() for l in container.opf_xpath('//dc:language'): l = canonicalize_lang(xml2text(l).strip()) if l: lang = l lang = lang_as_iso639_1(l) or l break lang = lang_as_iso639_1(lang) or lang if not uid: uid = uuid_id() eid = container.opf.get('unique-identifier', None) if eid: m = container.opf_xpath('//*[@id="%s"]'%eid) if m: uid = xml2text(m[0]) title = _('Table of Contents') m = container.opf_xpath('//dc:title') if m: x = xml2text(m[0]).strip() title = x or title to_href = partial(container.name_to_href, base=tocname) root = create_ncx(toc, to_href, title, lang, uid) container.replace(tocname, root) container.pretty_print.add(tocname) def ensure_single_nav_of_type(root, ntype='toc'): et = '{%s}type' % EPUB_NS navs = [n for n in root.iterdescendants(XHTML('nav')) if n.get(et) == ntype] for x in navs[1:]: extract(x) if navs: nav = navs[0] tail = nav.tail attrib = dict(nav.attrib) nav.clear() nav.attrib.update(attrib) nav.tail = tail else: nav = root.makeelement(XHTML('nav')) first_child(root, XHTML('body')).append(nav) nav.set('{%s}type' % EPUB_NS, ntype) return nav def ensure_container_has_nav(container, lang=None, previous_nav=None): tocname = find_existing_nav_toc(container) if previous_nav is not None: nav_name = container.href_to_name(previous_nav[0]) if nav_name and container.exists(nav_name): tocname = nav_name container.apply_unique_properties(tocname, 'nav') if tocname is None: item = container.generate_item('nav.xhtml', id_prefix='nav') item.set('properties', 'nav') tocname = container.href_to_name(item.get('href'), base=container.opf_name) if previous_nav is not None: root = previous_nav[1] else: root = container.parse_xhtml(P('templates/new_nav.html', data=True).decode('utf-8')) container.replace(tocname, root) else: root = container.parsed(tocname) if lang: lang = lang_as_iso639_1(lang) or lang root.set('lang', lang) root.set('{%s}lang' % XML_NS, lang) return tocname, root def collapse_li(parent): for li in parent.iterdescendants(XHTML('li')): if len(li) == 1: li.text = None li[0].tail = None def create_nav_li(container, ol, entry, tocname): li = ol.makeelement(XHTML('li')) ol.append(li) a = li.makeelement(XHTML('a')) li.append(a) href = container.name_to_href(entry['dest'], tocname) if entry['frag']: href += '#' + entry['frag'] a.set('href', href) return a def set_landmarks(container, root, tocname, landmarks): nav = ensure_single_nav_of_type(root, 'landmarks') nav.set('hidden', '') ol = nav.makeelement(XHTML('ol')) nav.append(ol) for entry in landmarks: if entry['type'] and container.has_name(entry['dest']) and container.mime_map[entry['dest']] in OEB_DOCS: a = create_nav_li(container, ol, entry, tocname) a.set('{%s}type' % EPUB_NS, entry['type']) a.text = entry['title'] or None pretty_xml_tree(nav) collapse_li(nav) def commit_nav_toc(container, toc, lang=None, landmarks=None, previous_nav=None): tocname, root = ensure_container_has_nav(container, lang=lang, previous_nav=previous_nav) nav = ensure_single_nav_of_type(root, 'toc') if toc.toc_title: nav.append(nav.makeelement(XHTML('h1'))) nav[-1].text = toc.toc_title rnode = nav.makeelement(XHTML('ol')) nav.append(rnode) to_href = partial(container.name_to_href, base=tocname) spat = re.compile(r'\s+') def process_node(xml_parent, toc_parent): for child in toc_parent: li = xml_parent.makeelement(XHTML('li')) xml_parent.append(li) title = child.title or '' title = spat.sub(' ', title).strip() a = li.makeelement(XHTML('a' if child.dest else 'span')) a.text = title li.append(a) if child.dest: href = to_href(child.dest) if child.frag: href += '#'+child.frag a.set('href', href) if len(child): ol = li.makeelement(XHTML('ol')) li.append(ol) process_node(ol, child) process_node(rnode, toc) pretty_xml_tree(nav) collapse_li(nav) nav.tail = '\n' if toc.page_list: nav = ensure_single_nav_of_type(root, 'page-list') nav.set('hidden', '') ol = nav.makeelement(XHTML('ol')) nav.append(ol) for entry in toc.page_list: if container.has_name(entry['dest']) and container.mime_map[entry['dest']] in OEB_DOCS: a = create_nav_li(container, ol, entry, tocname) a.text = str(entry['pagenum']) pretty_xml_tree(nav) collapse_li(nav) container.replace(tocname, root) def commit_toc(container, toc, lang=None, uid=None): commit_ncx_toc(container, toc, lang=lang, uid=uid) if container.opf_version_parsed.major > 2: commit_nav_toc(container, toc, lang=lang) def remove_names_from_toc(container, names): changed = [] names = frozenset(names) for find_toc, parse_toc, commit_toc in ( (find_existing_ncx_toc, parse_ncx, commit_ncx_toc), (find_existing_nav_toc, parse_nav, commit_nav_toc), ): toc = get_x_toc(container, find_toc, parse_toc, verify_destinations=False) if len(toc) > 0: remove = [] for node in toc.iterdescendants(): if node.dest in names: remove.append(node) if remove: for node in reversed(remove): node.remove_from_parent() commit_toc(container, toc) changed.append(find_toc(container)) return changed def find_inline_toc(container): for name, linear in container.spine_names: if container.parsed(name).xpath('//*[local-name()="body" and @id="calibre_generated_inline_toc"]'): return name def toc_to_html(toc, container, toc_name, title, lang=None): def process_node(html_parent, toc, level=1, indent=' ', style_level=2): li = html_parent.makeelement(XHTML('li')) li.tail = '\n'+ (indent*level) html_parent.append(li) name, frag = toc.dest, toc.frag href = '#' if name: href = container.name_to_href(name, toc_name) if frag: href += '#' + frag a = li.makeelement(XHTML('a'), href=href) a.text = toc.title li.append(a) if len(toc) > 0: parent = li.makeelement(XHTML('ul')) parent.set('class', 'level%d' % (style_level)) li.append(parent) a.tail = '\n\n' + (indent*(level+2)) parent.text = '\n'+(indent*(level+3)) parent.tail = '\n\n' + (indent*(level+1)) for child in toc: process_node(parent, child, level+3, style_level=style_level + 1) parent[-1].tail = '\n' + (indent*(level+2)) E = ElementMaker(namespace=XHTML_NS, nsmap={None:XHTML_NS}) html = E.html( E.head( E.title(title), E.style(P('templates/inline_toc_styles.css', data=True).decode('utf-8'), type='text/css'), ), E.body( E.h2(title), E.ul(), id="calibre_generated_inline_toc", ) ) ul = html[1][1] ul.set('class', 'level1') for child in toc: process_node(ul, child) if lang: html.set('lang', lang) pretty_html_tree(container, html) return html def create_inline_toc(container, title=None): ''' Create an inline (HTML) Table of Contents from an existing NCX Table of Contents. :param title: The title for this table of contents. ''' lang = get_book_language(container) default_title = 'Table of Contents' if lang: lang = lang_as_iso639_1(lang) or lang default_title = translate(lang, default_title) title = title or default_title toc = get_toc(container) if len(toc) == 0: return None toc_name = find_inline_toc(container) name = toc_name html = toc_to_html(toc, container, name, title, lang) raw = serialize(html, 'text/html') if name is None: name, c = 'toc.xhtml', 0 while container.has_name(name): c += 1 name = 'toc%d.xhtml' % c container.add_file(name, raw, spine_index=0) else: with container.open(name, 'wb') as f: f.write(raw) set_guide_item(container, 'toc', title, name, frag='calibre_generated_inline_toc') return name
32,555
Python
.py
793
31.74401
153
0.585675
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,380
upgrade.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/upgrade.py
#!/usr/bin/env python # License: GPLv3 Copyright: 2018, Kovid Goyal <kovid at kovidgoyal.net> import sys from calibre.ebooks.conversion.plugins.epub_input import ADOBE_OBFUSCATION, IDPF_OBFUSCATION from calibre.ebooks.metadata.opf3 import XPath from calibre.ebooks.metadata.opf_2_to_3 import upgrade_metadata from calibre.ebooks.oeb.base import DC, EPUB_NS, OEB_DOCS, xpath from calibre.ebooks.oeb.parse_utils import ensure_namespace_prefixes from calibre.ebooks.oeb.polish.opf import get_book_language from calibre.ebooks.oeb.polish.toc import commit_nav_toc, find_existing_ncx_toc, get_landmarks, get_toc from calibre.ebooks.oeb.polish.utils import OEB_FONTS from calibre.utils.short_uuid import uuid4 def add_properties(item, *props): existing = set((item.get('properties') or '').split()) existing |= set(props) item.set('properties', ' '.join(sorted(existing))) def fix_font_mime_types(container): changed = False for item in container.opf_xpath('//opf:manifest/opf:item[@href and @media-type]'): mt = item.get('media-type') or '' if mt.lower() in OEB_FONTS: name = container.href_to_name(item.get('href'), container.opf_name) item.set('media-type', container.guess_type(name)) changed = True return changed def migrate_obfuscated_fonts(container): if not container.obfuscated_fonts: return name_to_elem_map = {} for em, cr in container.iter_encryption_entries(): alg = em.get('Algorithm') if cr is None or alg not in {ADOBE_OBFUSCATION, IDPF_OBFUSCATION}: continue name = container.href_to_name(cr.get('URI')) name_to_elem_map[name] = em, cr package_id, raw_unique_identifier, idpf_key = container.read_raw_unique_identifier() if not idpf_key: if not package_id: package_id = uuid4() container.opf.set('unique-identifier', package_id) metadata = XPath('./opf:metadata')(container.opf)[0] ident = metadata.makeelement(DC('identifier')) ident.text = uuid4() metadata.append(ident) package_id, raw_unique_identifier, idpf_key = container.read_raw_unique_identifier() for name in tuple(container.obfuscated_fonts): try: em, cr = name_to_elem_map[name] except KeyError: container.obfuscated_fonts.pop(name) continue em.set('Algorithm', IDPF_OBFUSCATION) cr.set('URI', container.name_to_href(name)) container.obfuscated_fonts[name] = (IDPF_OBFUSCATION, idpf_key) container.commit_item('META-INF/encryption.xml') def collect_properties(container): for item in container.opf_xpath('//opf:manifest/opf:item[@href and @media-type]'): mt = item.get('media-type') or '' if mt.lower() not in OEB_DOCS: continue name = container.href_to_name(item.get('href'), container.opf_name) try: root = container.parsed(name) except KeyError: continue root = ensure_namespace_prefixes(root, {'epub': EPUB_NS}) properties = set() container.replace(name, root) # Ensure entities are converted if xpath(root, '//svg:svg'): properties.add('svg') if xpath(root, '//h:script'): properties.add('scripted') if xpath(root, '//mathml:math'): properties.add('mathml') if xpath(root, '//epub:switch'): properties.add('switch') if properties: add_properties(item, *tuple(properties)) guide_epubtype_map = { 'acknowledgements' : 'acknowledgments', 'other.afterword' : 'afterword', 'other.appendix' : 'appendix', 'other.backmatter' : 'backmatter', 'bibliography' : 'bibliography', 'text' : 'bodymatter', 'other.chapter' : 'chapter', 'colophon' : 'colophon', 'other.conclusion' : 'conclusion', 'other.contributors' : 'contributors', 'copyright-page' : 'copyright-page', 'cover' : 'cover', 'dedication' : 'dedication', 'other.division' : 'division', 'epigraph' : 'epigraph', 'other.epilogue' : 'epilogue', 'other.errata' : 'errata', 'other.footnotes' : 'footnotes', 'foreword' : 'foreword', 'other.frontmatter' : 'frontmatter', 'glossary' : 'glossary', 'other.halftitlepage': 'halftitlepage', 'other.imprint' : 'imprint', 'other.imprimatur' : 'imprimatur', 'index' : 'index', 'other.introduction' : 'introduction', 'other.landmarks' : 'landmarks', 'other.loa' : 'loa', 'loi' : 'loi', 'lot' : 'lot', 'other.lov' : 'lov', 'notes' : '', 'other.notice' : 'notice', 'other.other-credits': 'other-credits', 'other.part' : 'part', 'other.preamble' : 'preamble', 'preface' : 'preface', 'other.prologue' : 'prologue', 'other.rearnotes' : 'rearnotes', 'other.subchapter' : 'subchapter', 'title-page' : 'titlepage', 'toc' : 'toc', 'other.volume' : 'volume', 'other.warning' : 'warning' } def create_nav(container, toc, landmarks, previous_nav=None): lang = get_book_language(container) if lang == 'und': lang = None if landmarks: for entry in landmarks: entry['type'] = guide_epubtype_map.get(entry['type'].lower()) if entry['type'] == 'cover' and container.mime_map.get(entry['dest'], '').lower() in OEB_DOCS: container.apply_unique_properties(entry['dest'], 'calibre:title-page') commit_nav_toc(container, toc, lang=lang, landmarks=landmarks, previous_nav=previous_nav) def epub_2_to_3(container, report, previous_nav=None, remove_ncx=True): upgrade_metadata(container.opf) collect_properties(container) toc = get_toc(container) toc_name = find_existing_ncx_toc(container) if toc_name and remove_ncx: container.remove_item(toc_name) container.opf_xpath('./opf:spine')[0].attrib.pop('toc', None) landmarks = get_landmarks(container) for guide in container.opf_xpath('./opf:guide'): guide.getparent().remove(guide) create_nav(container, toc, landmarks, previous_nav) container.opf.set('version', '3.0') if fix_font_mime_types(container): container.refresh_mime_map() migrate_obfuscated_fonts(container) container.dirty(container.opf_name) def upgrade_book(container, report, remove_ncx=True): if container.book_type != 'epub' or container.opf_version_parsed.major >= 3: report(_('No upgrade needed')) return False epub_2_to_3(container, report, remove_ncx=remove_ncx) report(_('Updated EPUB from version 2 to 3')) return True if __name__ == '__main__': from calibre.ebooks.oeb.polish.container import get_container from calibre.utils.logging import default_log default_log.filter_level = default_log.DEBUG inbook = sys.argv[-1] ebook = get_container(inbook, default_log) if upgrade_book(ebook, print): outbook = inbook.rpartition('.')[0] + '-upgraded.' + inbook.rpartition('.')[-1] ebook.commit(outbook) print('Upgraded book written to:', outbook)
7,460
Python
.py
168
37.565476
106
0.625636
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,381
cover.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/cover.py
__license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' __docformat__ = 'restructuredtext en' import os import re import shutil from calibre.ebooks.oeb.base import OEB_DOCS, OPF, XLINK, XPath, xml2text from calibre.ebooks.oeb.polish.replace import get_recommended_folders, replace_links from calibre.utils.imghdr import identify from polyglot.builtins import iteritems def set_azw3_cover(container, cover_path, report, options=None): existing_image = options is not None and options.get('existing_image', False) name = None found = True for gi in container.opf_xpath('//opf:guide/opf:reference[@href and contains(@type, "cover")]'): href = gi.get('href') name = container.href_to_name(href, container.opf_name) container.remove_from_xml(gi) if existing_image: name = cover_path found = False else: if name is None or not container.has_name(name): item = container.generate_item(name='cover.jpeg', id_prefix='cover') name = container.href_to_name(item.get('href'), container.opf_name) found = False href = container.name_to_href(name, container.opf_name) guide = container.opf_xpath('//opf:guide')[0] container.insert_into_xml(guide, guide.makeelement( OPF('reference'), href=href, type='cover')) if not existing_image: with open(cover_path, 'rb') as src, container.open(name, 'wb') as dest: shutil.copyfileobj(src, dest) container.dirty(container.opf_name) report(_('Cover updated') if found else _('Cover inserted')) def get_azw3_raster_cover_name(container): items = container.opf_xpath('//opf:guide/opf:reference[@href and contains(@type, "cover")]') if items: return container.href_to_name(items[0].get('href')) def mark_as_cover_azw3(container, name): href = container.name_to_href(name, container.opf_name) found = False for item in container.opf_xpath('//opf:guide/opf:reference[@href and contains(@type, "cover")]'): item.set('href', href) found = True if not found: for guide in container.opf_xpath('//opf:guide'): container.insert_into_xml(guide, guide.makeelement( OPF('reference'), href=href, type='cover')) container.dirty(container.opf_name) def get_raster_cover_name(container): if container.book_type == 'azw3': return get_azw3_raster_cover_name(container) return find_cover_image(container, strict=True) def get_cover_page_name(container): if container.book_type == 'azw3': return return find_cover_page(container) def set_cover(container, cover_path, report=None, options=None): ''' Set the cover of the book to the image pointed to by cover_path. :param cover_path: Either the absolute path to an image file or the canonical name of an image in the book. When using an image in the book, you must also set options, see below. :param report: An optional callable that takes a single argument. It will be called with information about the tasks being processed. :param options: None or a dictionary that controls how the cover is set. The dictionary can have entries: **keep_aspect**: True or False (Preserve aspect ratio of covers in EPUB) **no_svg**: True or False (Use an SVG cover wrapper in the EPUB titlepage) **existing**: True or False (``cover_path`` refers to an existing image in the book) ''' report = report or (lambda x:x) if container.book_type == 'azw3': set_azw3_cover(container, cover_path, report, options=options) else: set_epub_cover(container, cover_path, report, options=options) def mark_as_cover(container, name): ''' Mark the specified image as the cover image. ''' if name not in container.mime_map: raise ValueError('Cannot mark %s as cover as it does not exist' % name) mt = container.mime_map[name] if not is_raster_image(mt): raise ValueError('Cannot mark %s as the cover image as it is not a raster image' % name) if container.book_type == 'azw3': mark_as_cover_azw3(container, name) else: mark_as_cover_epub(container, name) ############################################################################### # The delightful EPUB cover processing def is_raster_image(media_type): return media_type and media_type.lower() in { 'image/png', 'image/jpeg', 'image/jpg', 'image/gif'} COVER_TYPES = { 'coverimagestandard', 'other.ms-coverimage-standard', 'other.ms-titleimage-standard', 'other.ms-titleimage', 'other.ms-coverimage', 'other.ms-thumbimage-standard', 'other.ms-thumbimage', 'thumbimagestandard', 'cover'} def find_cover_image2(container, strict=False): manifest_id_map = container.manifest_id_map mm = container.mime_map for meta in container.opf_xpath('//opf:meta[@name="cover" and @content]'): item_id = meta.get('content') name = manifest_id_map.get(item_id, None) media_type = mm.get(name, None) if is_raster_image(media_type): return name # First look for a guide item with type == 'cover' guide_type_map = container.guide_type_map for ref_type, name in iteritems(guide_type_map): if ref_type.lower() == 'cover' and is_raster_image(mm.get(name, None)): return name if strict: return # Find the largest image from all possible guide cover items largest_cover = (None, 0) for ref_type, name in iteritems(guide_type_map): if ref_type.lower() in COVER_TYPES and is_raster_image(mm.get(name, None)): path = container.name_path_map.get(name, None) if path: sz = os.path.getsize(path) if sz > largest_cover[1]: largest_cover = (name, sz) if largest_cover[0]: return largest_cover[0] def find_cover_image3(container): for name in container.manifest_items_with_property('cover-image'): return name manifest_id_map = container.manifest_id_map mm = container.mime_map for meta in container.opf_xpath('//opf:meta[@name="cover" and @content]'): item_id = meta.get('content') name = manifest_id_map.get(item_id, None) media_type = mm.get(name, None) if is_raster_image(media_type): return name def find_cover_image(container, strict=False): 'Find a raster image marked as a cover in the OPF' ver = container.opf_version_parsed if ver.major < 3: return find_cover_image2(container, strict=strict) else: return find_cover_image3(container) def get_guides(container): guides = container.opf_xpath('//opf:guide') if not guides: container.insert_into_xml(container.opf, container.opf.makeelement( OPF('guide'))) guides = container.opf_xpath('//opf:guide') return guides def mark_as_cover_epub(container, name): mmap = {v:k for k, v in iteritems(container.manifest_id_map)} if name not in mmap: raise ValueError('Cannot mark %s as cover as it is not in manifest' % name) mid = mmap[name] ver = container.opf_version_parsed # Remove all entries from the opf that identify a raster image as cover for meta in container.opf_xpath('//opf:meta[@name="cover" and @content]'): container.remove_from_xml(meta) for ref in container.opf_xpath('//opf:guide/opf:reference[@href and @type]'): if ref.get('type').lower() not in COVER_TYPES: continue rname = container.href_to_name(ref.get('href'), container.opf_name) mt = container.mime_map.get(rname, None) if is_raster_image(mt): container.remove_from_xml(ref) if ver.major < 3: # Add reference to image in <metadata> for metadata in container.opf_xpath('//opf:metadata'): m = metadata.makeelement(OPF('meta'), name='cover', content=mid) container.insert_into_xml(metadata, m) # If no entry for cover exists in guide, insert one that points to this # image if not container.opf_xpath('//opf:guide/opf:reference[@type="cover"]'): for guide in get_guides(container): container.insert_into_xml(guide, guide.makeelement( OPF('reference'), type='cover', href=container.name_to_href(name, container.opf_name))) else: container.apply_unique_properties(name, 'cover-image') container.dirty(container.opf_name) def mark_as_titlepage(container, name, move_to_start=True): ''' Mark the specified HTML file as the titlepage of the EPUB. :param move_to_start: If True the HTML file is moved to the start of the spine ''' ver = container.opf_version_parsed if move_to_start: for item, q, linear in container.spine_iter: if name == q: break if not linear: item.set('linear', 'yes') if item.getparent().index(item) > 0: container.insert_into_xml(item.getparent(), item, 0) if ver.major < 3: for ref in container.opf_xpath('//opf:guide/opf:reference[@type="cover"]'): ref.getparent().remove(ref) for guide in get_guides(container): container.insert_into_xml(guide, guide.makeelement( OPF('reference'), type='cover', href=container.name_to_href(name, container.opf_name))) else: container.apply_unique_properties(name, 'calibre:title-page') container.dirty(container.opf_name) def find_cover_page(container): 'Find a document marked as a cover in the OPF' ver = container.opf_version_parsed mm = container.mime_map if ver.major < 3: guide_type_map = container.guide_type_map for ref_type, name in iteritems(guide_type_map): if ref_type.lower() == 'cover' and mm.get(name, '').lower() in OEB_DOCS: return name else: for name in container.manifest_items_with_property('calibre:title-page'): return name from calibre.ebooks.oeb.polish.toc import get_landmarks for landmark in get_landmarks(container): if landmark['type'] == 'cover' and mm.get(landmark['dest'], '').lower() in OEB_DOCS: return landmark['dest'] def fix_conversion_titlepage_links_in_nav(container): from calibre.ebooks.oeb.polish.toc import find_existing_nav_toc cover_page_name = find_cover_page(container) if not cover_page_name: return nav_page_name = find_existing_nav_toc(container) if not nav_page_name: return for elem in container.parsed(nav_page_name).xpath('//*[@data-calibre-removed-titlepage]'): elem.attrib.pop('data-calibre-removed-titlepage') elem.set('href', container.name_to_href(cover_page_name, nav_page_name)) container.dirty(nav_page_name) def find_cover_image_in_page(container, cover_page): root = container.parsed(cover_page) body = XPath('//h:body')(root) if len(body) != 1: return body = body[0] images = [] for img in XPath('descendant::h:img[@src]|descendant::svg:svg/descendant::svg:image')(body): href = img.get('src') or img.get(XLINK('href')) if href: name = container.href_to_name(href, base=cover_page) images.append(name) text = re.sub(r'\s+', '', xml2text(body)) if text or len(images) > 1: # Document has more content than a single image return if images: return images[0] def clean_opf(container): 'Remove all references to covers from the OPF' manifest_id_map = container.manifest_id_map for meta in container.opf_xpath('//opf:meta[@name="cover" and @content]'): name = manifest_id_map.get(meta.get('content', None), None) container.remove_from_xml(meta) if name and name in container.name_path_map: yield name gtm = container.guide_type_map for ref in container.opf_xpath('//opf:guide/opf:reference[@type]'): typ = ref.get('type', '') if typ.lower() in COVER_TYPES: container.remove_from_xml(ref) name = gtm.get(typ, None) if name and name in container.name_path_map: yield name ver = container.opf_version_parsed if ver.major > 2: removed_names = container.apply_unique_properties(None, 'cover-image', 'calibre:title-page')[0] for name in removed_names: yield name container.dirty(container.opf_name) def create_epub_cover(container, cover_path, existing_image, options=None): from calibre.ebooks.conversion.config import load_defaults from calibre.ebooks.oeb.transforms.cover import CoverManager try: ext = cover_path.rpartition('.')[-1].lower() except Exception: ext = 'jpeg' cname, tname = 'cover.' + ext, 'titlepage.xhtml' recommended_folders = get_recommended_folders(container, (cname, tname)) if existing_image: raster_cover = existing_image manifest_id = {v:k for k, v in iteritems(container.manifest_id_map)}[existing_image] raster_cover_item = container.opf_xpath('//opf:manifest/*[@id="%s"]' % manifest_id)[0] else: folder = recommended_folders[cname] if folder: cname = folder + '/' + cname raster_cover_item = container.generate_item(cname, id_prefix='cover') raster_cover = container.href_to_name(raster_cover_item.get('href'), container.opf_name) with container.open(raster_cover, 'wb') as dest: if callable(cover_path): cover_path('write_image', dest) else: with open(cover_path, 'rb') as src: shutil.copyfileobj(src, dest) if options is None: opts = load_defaults('epub_output') keep_aspect = opts.get('preserve_cover_aspect_ratio', False) no_svg = opts.get('no_svg_cover', False) else: keep_aspect = options.get('keep_aspect', False) no_svg = options.get('no_svg', False) if no_svg: style = 'style="height: 100%%"' templ = CoverManager.NONSVG_TEMPLATE.replace('__style__', style) has_svg = False else: if callable(cover_path): templ = (options or {}).get('template', CoverManager.SVG_TEMPLATE) has_svg = 'xlink:href' in templ else: width, height = 600, 800 has_svg = True try: if existing_image: width, height = identify(container.raw_data(existing_image, decode=False))[1:] else: with open(cover_path, 'rb') as csrc: width, height = identify(csrc)[1:] except: container.log.exception("Failed to get width and height of cover") ar = 'xMidYMid meet' if keep_aspect else 'none' templ = CoverManager.SVG_TEMPLATE.replace('__ar__', ar) templ = templ.replace('__viewbox__', '0 0 %d %d'%(width, height)) templ = templ.replace('__width__', str(width)) templ = templ.replace('__height__', str(height)) folder = recommended_folders[tname] if folder: tname = folder + '/' + tname titlepage_item = container.generate_item(tname, id_prefix='titlepage') titlepage = container.href_to_name(titlepage_item.get('href'), container.opf_name) raw = templ % container.name_to_href(raster_cover, titlepage) with container.open(titlepage, 'wb') as f: if not isinstance(raw, bytes): raw = raw.encode('utf-8') f.write(raw) # We have to make sure the raster cover item has id="cover" for the moron # that wrote the Nook firmware if raster_cover_item.get('id') != 'cover': from calibre.ebooks.oeb.base import uuid_id newid = uuid_id() for item in container.opf_xpath('//*[@id="cover"]'): item.set('id', newid) for item in container.opf_xpath('//*[@idref="cover"]'): item.set('idref', newid) raster_cover_item.set('id', 'cover') spine = container.opf_xpath('//opf:spine')[0] ref = spine.makeelement(OPF('itemref'), idref=titlepage_item.get('id')) container.insert_into_xml(spine, ref, index=0) ver = container.opf_version_parsed if ver.major < 3: guide = container.opf_get_or_create('guide') container.insert_into_xml(guide, guide.makeelement( OPF('reference'), type='cover', title=_('Cover'), href=container.name_to_href(titlepage, base=container.opf_name))) metadata = container.opf_get_or_create('metadata') meta = metadata.makeelement(OPF('meta'), name='cover') meta.set('content', raster_cover_item.get('id')) container.insert_into_xml(metadata, meta) else: container.apply_unique_properties(raster_cover, 'cover-image') container.apply_unique_properties(titlepage, 'calibre:title-page') if has_svg: container.add_properties(titlepage, 'svg') return raster_cover, titlepage def remove_cover_image_in_page(container, page, cover_images): for img in container.parsed(page).xpath('//*[local-name()="img" and @src]'): href = img.get('src') name = container.href_to_name(href, page) if name in cover_images: img.getparent().remove(img) break def has_epub_cover(container): if find_cover_image(container): return True if find_cover_page(container): return True spine_items = tuple(container.spine_items) if spine_items: candidate = container.abspath_to_name(spine_items[0]) if find_cover_image_in_page(container, candidate) is not None: return True return False def set_epub_cover(container, cover_path, report, options=None, image_callback=None): existing_image = options is not None and options.get('existing_image', False) if existing_image: existing_image = cover_path cover_image = find_cover_image(container) cover_page = find_cover_page(container) wrapped_image = extra_cover_page = None updated = False log = container.log possible_removals = set(clean_opf(container)) possible_removals # TODO: Handle possible_removals and also iterate over links in the removed # pages and handle possibly removing stylesheets referred to by them. image_callback_called = False spine_items = tuple(container.spine_items) if cover_page is None and spine_items: # Check if the first item in the spine is a simple cover wrapper candidate = container.abspath_to_name(spine_items[0]) if find_cover_image_in_page(container, candidate) is not None: cover_page = candidate if cover_page is not None: log('Found existing cover page') wrapped_image = find_cover_image_in_page(container, cover_page) if len(spine_items) > 1: # Look for an extra cover page c = container.abspath_to_name(spine_items[1]) if c != cover_page: candidate = find_cover_image_in_page(container, c) if candidate and candidate in {wrapped_image, cover_image}: log('Found an extra cover page that is a simple wrapper, removing it') # This page has only a single image and that image is the # cover image, remove it. container.remove_item(c) extra_cover_page = c spine_items = spine_items[:1] + spine_items[2:] elif candidate is None: # Remove the cover image if it is the first image in this # page remove_cover_image_in_page(container, c, {wrapped_image, cover_image}) if wrapped_image is not None: # The cover page is a simple wrapper around a single cover image, # we can remove it safely. log(f'Existing cover page {cover_page} is a simple wrapper, removing it') container.remove_item(cover_page) if wrapped_image != existing_image: if image_callback is not None and not image_callback_called: image_callback(cover_image, wrapped_image) image_callback_called = True container.remove_item(wrapped_image) updated = True if image_callback is not None and not image_callback_called: image_callback_called = True image_callback(cover_image, wrapped_image) if cover_image and cover_image != wrapped_image: # Remove the old cover image if cover_image != existing_image: container.remove_item(cover_image) # Insert the new cover raster_cover, titlepage = create_epub_cover(container, cover_path, existing_image, options=options) report(_('Cover updated') if updated else _('Cover inserted')) # Replace links to the old cover image/cover page link_sub = {s:d for s, d in iteritems({ cover_page:titlepage, wrapped_image:raster_cover, cover_image:raster_cover, extra_cover_page:titlepage}) if s is not None and s != d} if link_sub: replace_links(container, link_sub, frag_map=lambda x, y:None) return raster_cover, titlepage
21,607
Python
.py
455
38.916484
109
0.639431
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,382
opf.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/opf.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2014, Kovid Goyal <kovid at kovidgoyal.net>' from lxml import etree from calibre.ebooks.oeb.polish.container import OPF_NAMESPACES from calibre.utils.localization import canonicalize_lang def get_book_language(container): for lang in container.opf_xpath('//dc:language'): raw = lang.text if raw: code = canonicalize_lang(raw.split(',')[0].strip()) if code: return code def set_guide_item(container, item_type, title, name, frag=None): ref_tag = '{%s}reference' % OPF_NAMESPACES['opf'] href = None if name: href = container.name_to_href(name, container.opf_name) if frag: href += '#' + frag guides = container.opf_xpath('//opf:guide') if not guides and href: g = container.opf.makeelement('{%s}guide' % OPF_NAMESPACES['opf'], nsmap={'opf':OPF_NAMESPACES['opf']}) container.insert_into_xml(container.opf, g) guides = [g] for guide in guides: matches = [] for child in guide.iterchildren(etree.Element): if child.tag == ref_tag and child.get('type', '').lower() == item_type.lower(): matches.append(child) if not matches and href: r = guide.makeelement(ref_tag, type=item_type, nsmap={'opf':OPF_NAMESPACES['opf']}) container.insert_into_xml(guide, r) matches.append(r) for m in matches: if href: m.set('title', title), m.set('href', href), m.set('type', item_type) else: container.remove_from_xml(m) container.dirty(container.opf_name)
1,698
Python
.py
40
33.875
111
0.608379
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,383
hyphenation.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/hyphenation.py
#!/usr/bin/env python # License: GPL v3 Copyright: 2019, Kovid Goyal <kovid at kovidgoyal.net> from calibre.ebooks.oeb.base import OEB_DOCS from polyglot.builtins import iteritems def add_soft_hyphens(container, report=None): from calibre.utils.hyphenation.hyphenate import add_soft_hyphens_to_html for name, mt in iteritems(container.mime_map): if mt not in OEB_DOCS: continue add_soft_hyphens_to_html(container.parsed(name), container.mi.language) container.dirty(name) if report is not None: report(_('Soft hyphens added')) def remove_soft_hyphens(container, report=None): from calibre.utils.hyphenation.hyphenate import remove_soft_hyphens_from_html for name, mt in iteritems(container.mime_map): if mt not in OEB_DOCS: continue remove_soft_hyphens_from_html(container.parsed(name)) container.dirty(name) if report is not None: report(_('Soft hyphens removed'))
983
Python
.py
22
38.363636
81
0.715481
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,384
utils.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/utils.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' import os import re from bisect import bisect from calibre import guess_type as _guess_type from calibre import replace_entities from calibre.utils.icu import upper as icu_upper BLOCK_TAG_NAMES = frozenset(( 'address', 'article', 'aside', 'blockquote', 'center', 'dir', 'fieldset', 'isindex', 'menu', 'noframes', 'hgroup', 'noscript', 'pre', 'section', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'header', 'p', 'div', 'dd', 'dl', 'ul', 'ol', 'li', 'body', 'td', 'th')) def guess_type(x): return _guess_type(x)[0] or 'application/octet-stream' # All font mimetypes seen in e-books OEB_FONTS = frozenset({ 'font/otf', 'font/woff', 'font/woff2', 'font/ttf', 'application/x-font-ttf', 'application/x-font-otf', 'application/font-sfnt', 'application/vnd.ms-opentype', 'application/x-font-truetype', }) def adjust_mime_for_epub(filename='', mime='', opf_version=(2, 0)): mime = mime or guess_type(filename) if mime == 'text/html': # epubcheck complains if the mimetype for text documents is set to text/html in EPUB 2 books. Sigh. return 'application/xhtml+xml' if mime not in OEB_FONTS: return mime if 'ttf' in mime or 'truetype' in mime: mime = 'font/ttf' elif 'otf' in mime or 'opentype' in mime: mime = 'font/otf' elif mime == 'application/font-sfnt': mime = 'font/otf' if filename.lower().endswith('.otf') else 'font/ttf' elif 'woff2' in mime: mime = 'font/woff2' elif 'woff' in mime: mime = 'font/woff' opf_version = tuple(opf_version[:2]) if opf_version == (3, 0): mime = { 'font/ttf': 'application/vnd.ms-opentype', # this is needed by the execrable epubchek 'font/otf': 'application/vnd.ms-opentype', 'font/woff': 'application/font-woff'}.get(mime, mime) elif opf_version == (3, 1): mime = { 'font/ttf': 'application/font-sfnt', 'font/otf': 'application/font-sfnt', 'font/woff': 'application/font-woff'}.get(mime, mime) elif opf_version < (3, 0): mime = { 'font/ttf': 'application/x-font-truetype', 'font/otf': 'application/vnd.ms-opentype', 'font/woff': 'application/font-woff'}.get(mime, mime) return mime def setup_css_parser_serialization(tab_width=2): import css_parser prefs = css_parser.ser.prefs prefs.indent = tab_width * ' ' prefs.indentClosingBrace = False prefs.omitLastSemicolon = False prefs.formatUnknownAtRules = False # True breaks @supports rules def actual_case_for_name(container, name): from calibre.utils.filenames import samefile if not container.exists(name): raise ValueError('Cannot get actual case for %s as it does not exist' % name) parts = name.split('/') base = '' ans = [] for i, x in enumerate(parts): base = '/'.join(ans + [x]) path = container.name_to_abspath(base) pdir = os.path.dirname(path) candidates = {os.path.join(pdir, q) for q in os.listdir(pdir)} if x in candidates: correctx = x else: for q in candidates: if samefile(q, path): correctx = os.path.basename(q) break else: raise RuntimeError('Something bad happened') ans.append(correctx) return '/'.join(ans) def corrected_case_for_name(container, name): parts = name.split('/') ans = [] base = '' for i, x in enumerate(parts): base = '/'.join(ans + [x]) if container.exists(base): correctx = x else: try: candidates = {q for q in os.listdir(os.path.dirname(container.name_to_abspath(base)))} except OSError: return None # one of the non-terminal components of name is a file instead of a directory for q in candidates: if q.lower() == x.lower(): correctx = q break else: return None ans.append(correctx) return '/'.join(ans) class PositionFinder: def __init__(self, raw): pat = br'\n' if isinstance(raw, bytes) else r'\n' self.new_lines = tuple(m.start() + 1 for m in re.finditer(pat, raw)) def __call__(self, pos): lnum = bisect(self.new_lines, pos) try: offset = abs(pos - self.new_lines[lnum - 1]) except IndexError: offset = pos return (lnum + 1, offset) class CommentFinder: def __init__(self, raw, pat=r'(?s)/\*.*?\*/'): self.starts, self.ends = [], [] for m in re.finditer(pat, raw): start, end = m.span() self.starts.append(start), self.ends.append(end) def __call__(self, offset): if not self.starts: return False q = bisect(self.starts, offset) - 1 return q >= 0 and self.starts[q] <= offset <= self.ends[q] def link_stylesheets(container, names, sheets, remove=False, mtype='text/css'): from calibre.ebooks.oeb.base import XHTML, XPath changed_names = set() snames = set(sheets) lp = XPath('//h:link[@href]') hp = XPath('//h:head') for name in names: root = container.parsed(name) if remove: for link in lp(root): if (link.get('type', mtype) or mtype) == mtype: container.remove_from_xml(link) changed_names.add(name) container.dirty(name) existing = {container.href_to_name(l.get('href'), name) for l in lp(root) if (l.get('type', mtype) or mtype) == mtype} extra = snames - existing if extra: changed_names.add(name) try: parent = hp(root)[0] except (TypeError, IndexError): parent = root.makeelement(XHTML('head')) container.insert_into_xml(root, parent, index=0) for sheet in sheets: if sheet in extra: container.insert_into_xml( parent, parent.makeelement(XHTML('link'), rel='stylesheet', type=mtype, href=container.name_to_href(sheet, name))) container.dirty(name) return changed_names def lead_text(top_elem, num_words=10): ''' Return the leading text contained in top_elem (including descendants) up to a maximum of num_words words. More efficient than using etree.tostring(method='text') as it does not have to serialize the entire sub-tree rooted at top_elem.''' pat = re.compile(r'\s+', flags=re.UNICODE) words = [] def get_text(x, attr='text'): ans = getattr(x, attr) if ans: words.extend(filter(None, pat.split(ans))) stack = [(top_elem, 'text')] while stack and len(words) < num_words: elem, attr = stack.pop() get_text(elem, attr) if attr == 'text': if elem is not top_elem: stack.append((elem, 'tail')) stack.extend(reversed(list((c, 'text') for c in elem.iterchildren('*')))) return ' '.join(words[:num_words]) def parse_css(data, fname='<string>', is_declaration=False, decode=None, log_level=None, css_preprocessor=None): if log_level is None: import logging log_level = logging.WARNING from css_parser import CSSParser, log from calibre.ebooks.oeb.base import _css_logger log.setLevel(log_level) log.raiseExceptions = False data = data or '' if isinstance(data, bytes): data = data.decode('utf-8') if decode is None else decode(data) if css_preprocessor is not None: data = css_preprocessor(data) parser = CSSParser(loglevel=log_level, # We dont care about @import rules fetcher=lambda x: (None, None), log=_css_logger) if is_declaration: data = parser.parseStyle(data, validate=False) else: data = parser.parseString(data, href=fname, validate=False) return data def handle_entities(text, func): return func(replace_entities(text)) def apply_func_to_match_groups(match, func=icu_upper, handle_entities=handle_entities): '''Apply the specified function to individual groups in the match object (the result of re.search() or the whole match if no groups were defined. Returns the replaced string.''' found_groups = False i = 0 parts, pos = [], match.start() def f(text): return handle_entities(text, func) while True: i += 1 try: start, end = match.span(i) except IndexError: break found_groups = True if start > -1: parts.append(match.string[pos:start]) parts.append(f(match.string[start:end])) pos = end if not found_groups: return f(match.group()) parts.append(match.string[pos:match.end()]) return ''.join(parts) def apply_func_to_html_text(match, func=icu_upper, handle_entities=handle_entities): ''' Apply the specified function only to text between HTML tag definitions. ''' def f(text): return handle_entities(text, func) parts = re.split(r'(<[^>]+>)', match.group()) parts = (x if x.startswith('<') else f(x) for x in parts) return ''.join(parts) def extract(elem): ''' Remove an element from the tree, keeping elem.tail ''' p = elem.getparent() if p is not None: idx = p.index(elem) p.remove(elem) if elem.tail: if idx > 0: p[idx-1].tail = (p[idx-1].tail or '') + elem.tail else: p.text = (p.text or '') + elem.tail
9,930
Python
.py
249
31.365462
126
0.592301
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,385
create.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/create.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' import os import sys from lxml import etree from calibre import CurrentDir, prepare_string_for_xml from calibre.ebooks.metadata import authors_to_string from calibre.ebooks.metadata.opf2 import metadata_to_opf from calibre.ebooks.oeb.base import serialize from calibre.ebooks.oeb.polish.container import OPF_NAMESPACES, Container, opf_to_azw3 from calibre.ebooks.oeb.polish.parsing import parse from calibre.ebooks.oeb.polish.pretty import pretty_html_tree, pretty_xml_tree from calibre.ebooks.oeb.polish.toc import TOC, create_ncx from calibre.ebooks.oeb.polish.utils import guess_type from calibre.ptempfile import TemporaryDirectory from calibre.utils.localization import lang_as_iso639_1 from calibre.utils.logging import DevNull from calibre.utils.resources import get_path as P from calibre.utils.zipfile import ZIP_STORED, ZipFile from polyglot.builtins import as_bytes valid_empty_formats = {'epub', 'txt', 'docx', 'azw3', 'md'} def create_toc(mi, opf, html_name, lang): uuid = '' for u in opf.xpath('//*[@id="uuid_id"]'): uuid = u.text toc = TOC() toc.add(_('Start'), html_name) return create_ncx(toc, lambda x:x, mi.title, lang, uuid) def create_book(mi, path, fmt='epub', opf_name='metadata.opf', html_name='start.xhtml', toc_name='toc.ncx'): ''' Create an empty book in the specified format at the specified location. ''' if fmt not in valid_empty_formats: raise ValueError('Cannot create empty book in the %s format' % fmt) if fmt == 'txt': with open(path, 'wb') as f: if not mi.is_null('title'): f.write(as_bytes(mi.title)) return if fmt == 'md': with open(path, 'w', encoding='utf-8') as f: if not mi.is_null('title'): print('#', mi.title, file=f) return if fmt == 'docx': from calibre.ebooks.conversion.plumber import Plumber from calibre.ebooks.docx.writer.container import DOCX from calibre.utils.logging import default_log p = Plumber('a.docx', 'b.docx', default_log) p.setup_options() # Use the word default of one inch page margins for x in 'left right top bottom'.split(): setattr(p.opts, 'margin_' + x, 72) DOCX(p.opts, default_log).write(path, mi, create_empty_document=True) return path = os.path.abspath(path) lang = 'und' opf = metadata_to_opf(mi, as_string=False) for l in opf.xpath('//*[local-name()="language"]'): if l.text: lang = l.text break lang = lang_as_iso639_1(lang) or lang opfns = OPF_NAMESPACES['opf'] m = opf.makeelement('{%s}manifest' % opfns) opf.insert(1, m) i = m.makeelement('{%s}item' % opfns, href=html_name, id='start') i.set('media-type', guess_type('a.xhtml')) m.append(i) i = m.makeelement('{%s}item' % opfns, href=toc_name, id='ncx') i.set('media-type', guess_type(toc_name)) m.append(i) s = opf.makeelement('{%s}spine' % opfns, toc="ncx") opf.insert(2, s) i = s.makeelement('{%s}itemref' % opfns, idref='start') s.append(i) CONTAINER = '''\ <?xml version="1.0"?> <container version="1.0" xmlns="urn:oasis:names:tc:opendocument:xmlns:container"> <rootfiles> <rootfile full-path="{}" media-type="application/oebps-package+xml"/> </rootfiles> </container> '''.format(prepare_string_for_xml(opf_name, True)).encode('utf-8') HTML = P('templates/new_book.html', data=True).decode('utf-8').replace( '_LANGUAGE_', prepare_string_for_xml(lang, True) ).replace( '_TITLE_', prepare_string_for_xml(mi.title) ).replace( '_AUTHORS_', prepare_string_for_xml(authors_to_string(mi.authors)) ).encode('utf-8') h = parse(HTML) pretty_html_tree(None, h) HTML = serialize(h, 'text/html') ncx = etree.tostring(create_toc(mi, opf, html_name, lang), encoding='utf-8', xml_declaration=True, pretty_print=True) pretty_xml_tree(opf) opf = etree.tostring(opf, encoding='utf-8', xml_declaration=True, pretty_print=True) if fmt == 'azw3': with TemporaryDirectory('create-azw3') as tdir, CurrentDir(tdir): for name, data in ((opf_name, opf), (html_name, HTML), (toc_name, ncx)): with open(name, 'wb') as f: f.write(data) c = Container(os.path.dirname(os.path.abspath(opf_name)), opf_name, DevNull()) opf_to_azw3(opf_name, path, c) else: with ZipFile(path, 'w', compression=ZIP_STORED) as zf: zf.writestr('mimetype', b'application/epub+zip', compression=ZIP_STORED) zf.writestr('META-INF/', b'', 0o755) zf.writestr('META-INF/container.xml', CONTAINER) zf.writestr(opf_name, opf) zf.writestr(html_name, HTML) zf.writestr(toc_name, ncx) if __name__ == '__main__': from calibre.ebooks.metadata.book.base import Metadata mi = Metadata('Test book', authors=('Kovid Goyal',)) path = sys.argv[-1] ext = path.rpartition('.')[-1].lower() if ext not in valid_empty_formats: print('Unsupported format:', ext) raise SystemExit(1) create_book(mi, path, fmt=ext)
5,316
Python
.py
120
37.991667
121
0.648852
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,386
__init__.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/__init__.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' __docformat__ = 'restructuredtext en'
152
Python
.py
4
35.75
61
0.678322
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,387
fonts.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/fonts.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2014, Kovid Goyal <kovid at kovidgoyal.net>' from tinycss.fonts3 import parse_font, parse_font_family, serialize_font, serialize_font_family from calibre.ebooks.oeb.base import css_text from calibre.ebooks.oeb.normalize_css import normalize_font from calibre.ebooks.oeb.polish.container import OEB_DOCS, OEB_STYLES from polyglot.builtins import iteritems def unquote(x): if x and len(x) > 1 and x[0] == x[-1] and x[0] in ('"', "'"): x = x[1:-1] return x def font_family_data_from_declaration(style, families): font_families = [] f = style.getProperty('font') if f is not None: f = normalize_font(f.propertyValue, font_family_as_list=True).get('font-family', None) if f is not None: font_families = [unquote(x) for x in f] f = style.getProperty('font-family') if f is not None: font_families = parse_font_family(css_text(f.propertyValue)) for f in font_families: families[f] = families.get(f, False) def font_family_data_from_sheet(sheet, families): for rule in sheet.cssRules: if rule.type == rule.STYLE_RULE: font_family_data_from_declaration(rule.style, families) elif rule.type == rule.FONT_FACE_RULE: ff = rule.style.getProperty('font-family') if ff is not None: for f in parse_font_family(css_text(ff.propertyValue)): families[f] = True def font_family_data(container): families = {} for name, mt in iteritems(container.mime_map): if mt in OEB_STYLES: sheet = container.parsed(name) font_family_data_from_sheet(sheet, families) elif mt in OEB_DOCS: root = container.parsed(name) for style in root.xpath('//*[local-name() = "style"]'): if style.text and style.get('type', 'text/css').lower() == 'text/css': sheet = container.parse_css(style.text) font_family_data_from_sheet(sheet, families) for style in root.xpath('//*/@style'): if style: style = container.parse_css(style, is_declaration=True) font_family_data_from_declaration(style, families) return families def change_font_in_declaration(style, old_name, new_name=None): changed = False ff = style.getProperty('font-family') if ff is not None: fams = parse_font_family(css_text(ff.propertyValue)) nfams = list(filter(None, [new_name if x == old_name else x for x in fams])) if fams != nfams: if nfams: ff.propertyValue.cssText = serialize_font_family(nfams) else: style.removeProperty(ff.name) changed = True ff = style.getProperty('font') if ff is not None: props = parse_font(css_text(ff.propertyValue)) fams = props.get('font-family') or [] nfams = list(filter(None, [new_name if x == old_name else x for x in fams])) if fams != nfams: props['font-family'] = nfams if nfams: ff.propertyValue.cssText = serialize_font(props) else: style.removeProperty(ff.name) changed = True return changed def remove_embedded_font(container, sheet, rule, sheet_name): src = getattr(rule.style.getProperty('src'), 'value', None) if src is not None: if src.startswith('url('): src = src[4:-1] sheet.cssRules.remove(rule) if src: src = unquote(src) name = container.href_to_name(src, sheet_name) if container.has_name(name): container.remove_item(name) def change_font_in_sheet(container, sheet, old_name, new_name, sheet_name): changed = False removals = [] for rule in sheet.cssRules: if rule.type == rule.STYLE_RULE: changed |= change_font_in_declaration(rule.style, old_name, new_name) elif rule.type == rule.FONT_FACE_RULE: ff = rule.style.getProperty('font-family') if ff is not None: families = {x for x in parse_font_family(css_text(ff.propertyValue))} if old_name in families: changed = True removals.append(rule) for rule in reversed(removals): remove_embedded_font(container, sheet, rule, sheet_name) return changed def change_font(container, old_name, new_name=None): ''' Change a font family from old_name to new_name. Changes all occurrences of the font family in stylesheets, style tags and style attributes. If the old_name refers to an embedded font, it is removed. You can set new_name to None to remove the font family instead of changing it. ''' changed = False for name, mt in tuple(iteritems(container.mime_map)): if mt in OEB_STYLES: sheet = container.parsed(name) if change_font_in_sheet(container, sheet, old_name, new_name, name): container.dirty(name) changed = True elif mt in OEB_DOCS: root = container.parsed(name) for style in root.xpath('//*[local-name() = "style"]'): if style.text and style.get('type', 'text/css').lower() == 'text/css': sheet = container.parse_css(style.text) if change_font_in_sheet(container, sheet, old_name, new_name, name): container.dirty(name) changed = True for elem in root.xpath('//*[@style]'): style = elem.get('style', '') if style: style = container.parse_css(style, is_declaration=True) if change_font_in_declaration(style, old_name, new_name): style = css_text(style).strip().rstrip(';').strip() if style: elem.set('style', style) else: del elem.attrib['style'] container.dirty(name) changed = True return changed
6,233
Python
.py
137
34.678832
95
0.591111
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,388
jacket.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/jacket.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' __docformat__ = 'restructuredtext en' from calibre.customize.ui import output_profiles from calibre.ebooks.conversion.config import load_defaults from calibre.ebooks.oeb.base import OPF, XPath from calibre.ebooks.oeb.polish.cover import find_cover_page from calibre.ebooks.oeb.transforms.jacket import referenced_images from calibre.ebooks.oeb.transforms.jacket import render_jacket as render def render_jacket(container, jacket): mi = container.mi ps = load_defaults('page_setup') op = ps.get('output_profile', 'default') opmap = {x.short_name:x for x in output_profiles()} output_profile = opmap.get(op, opmap['default']) root = render(mi, output_profile) for img, path in referenced_images(root): container.log('Embedding referenced image: %s into jacket' % path) ext = path.rpartition('.')[-1] jacket_item = container.generate_item('jacket_image.'+ext, id_prefix='jacket_img') name = container.href_to_name(jacket_item.get('href'), container.opf_name) with open(path, 'rb') as f: container.parsed_cache[name] = f.read() container.commit_item(name) href = container.name_to_href(name, jacket) img.set('src', href) return root def is_legacy_jacket(root): return len(root.xpath( '//*[starts-with(@class,"calibrerescale") and (local-name()="h1" or local-name()="h2")]')) > 0 def is_current_jacket(root): return len(XPath( '//h:meta[@name="calibre-content" and @content="jacket"]')(root)) > 0 def find_existing_jacket(container): for item in container.spine_items: name = container.abspath_to_name(item) if container.book_type == 'azw3': root = container.parsed(name) if is_current_jacket(root): return name else: if name.rpartition('/')[-1].startswith('jacket') and name.endswith('.xhtml'): root = container.parsed(name) if is_current_jacket(root) or is_legacy_jacket(root): return name def replace_jacket(container, name): root = render_jacket(container, name) container.parsed_cache[name] = root container.dirty(name) def remove_jacket(container): ' Remove an existing jacket, if any. Returns False if no existing jacket was found. ' name = find_existing_jacket(container) if name is not None: remove_jacket_images(container, name) container.remove_item(name) return True return False def remove_jacket_images(container, name): root = container.parsed_cache[name] for img in root.xpath('//*[local-name() = "img" and @src]'): iname = container.href_to_name(img.get('src'), name) if container.has_name(iname): container.remove_item(iname) def add_or_replace_jacket(container): ''' Either create a new jacket from the book's metadata or replace an existing jacket. Returns True if an existing jacket was replaced. ''' name = find_existing_jacket(container) found = True if name is None: jacket_item = container.generate_item('jacket.xhtml', id_prefix='jacket') name = container.href_to_name(jacket_item.get('href'), container.opf_name) found = False if found: remove_jacket_images(container, name) replace_jacket(container, name) if not found: # Insert new jacket into spine index = 0 sp = container.abspath_to_name(next(container.spine_items)) if sp == find_cover_page(container): index = 1 itemref = container.opf.makeelement(OPF('itemref'), idref=jacket_item.get('id')) container.insert_into_xml(container.opf_xpath('//opf:spine')[0], itemref, index=index) return found
3,960
Python
.py
87
37.862069
102
0.656282
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,389
cascade.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/cascade.py
#!/usr/bin/env python # License: GPLv3 Copyright: 2016, Kovid Goyal <kovid at kovidgoyal.net> import re from collections import defaultdict, namedtuple from functools import partial from itertools import count from operator import itemgetter from css_parser.css import CSSRule, CSSStyleSheet, Property from css_selectors import INAPPROPRIATE_PSEUDO_CLASSES, Select, SelectorError from tinycss.fonts3 import parse_font_family, serialize_font_family from calibre import as_unicode from calibre.ebooks.css_transform_rules import all_properties from calibre.ebooks.oeb.base import OEB_STYLES, SVG, XHTML, css_text from calibre.ebooks.oeb.normalize_css import DEFAULTS, normalizers from calibre.ebooks.oeb.stylizer import INHERITED, media_ok from calibre.utils.resources import get_path as P from polyglot.builtins import iteritems, itervalues _html_css_stylesheet = None def html_css_stylesheet(container): global _html_css_stylesheet if _html_css_stylesheet is None: data = P('templates/html.css', data=True).decode('utf-8') _html_css_stylesheet = container.parse_css(data, 'user-agent.css') return _html_css_stylesheet def media_allowed(media): if not media or not media.mediaText: return True return media_ok(media.mediaText) def iterrules(container, sheet_name, rules=None, media_rule_ok=media_allowed, rule_index_counter=None, rule_type=None, importing=None): ''' Iterate over all style rules in the specified sheet. Import and Media rules are automatically resolved. Yields (rule, sheet_name, rule_number). :param rules: List of CSSRules or a CSSStyleSheet instance or None in which case it is read from container using sheet_name :param sheet_name: The name of the sheet in the container (in case of inline style sheets, the name of the html file) :param media_rule_ok: A function to test if a @media rule is allowed :param rule_index_counter: A counter object, rule numbers will be calculated by incrementing the counter. :param rule_type: Only yield rules of this type, where type is a string type name, see css_parser.css.CSSRule for the names ( by default all rules are yielded) :return: (CSSRule object, the name of the sheet from which it comes, rule index - a monotonically increasing number) ''' rule_index_counter = rule_index_counter or count() if importing is None: importing = set() importing.add(sheet_name) riter = partial(iterrules, container, rule_index_counter=rule_index_counter, media_rule_ok=media_rule_ok, rule_type=rule_type, importing=importing) if rules is None: rules = container.parsed(sheet_name) if rule_type is not None: rule_type = getattr(CSSRule, rule_type) for rule in rules: if rule.type == CSSRule.IMPORT_RULE: if media_rule_ok(rule.media): name = container.href_to_name(rule.href, sheet_name) if container.has_name(name): if name in importing: container.log.error(f'Recursive import of {name} from {sheet_name}, ignoring') else: csheet = container.parsed(name) if isinstance(csheet, CSSStyleSheet): yield from riter(name, rules=csheet) elif rule.type == CSSRule.MEDIA_RULE: if media_rule_ok(rule.media): yield from riter(sheet_name, rules=rule.cssRules) elif rule_type is None or rule.type == rule_type: num = next(rule_index_counter) yield rule, sheet_name, num importing.discard(sheet_name) StyleDeclaration = namedtuple('StyleDeclaration', 'index declaration pseudo_element') Specificity = namedtuple('Specificity', 'is_style num_id num_class num_elem rule_index') def specificity(rule_index, selector, is_style=0): s = selector.specificity return Specificity(is_style, s[1], s[2], s[3], rule_index) def iterdeclaration(decl): for p in all_properties(decl): n = normalizers.get(p.name) if n is None: yield p else: for k, v in iteritems(n(p.name, p.propertyValue)): yield Property(k, v, p.literalpriority) class Values(tuple): ''' A tuple of `css_parser.css.Value ` (and its subclasses) objects. Also has a `sheet_name` attribute that is the canonical name relative to which URLs for this property should be resolved. ''' def __new__(typ, pv, sheet_name=None, priority=''): ans = tuple.__new__(typ, pv) ans.sheet_name = sheet_name ans.is_important = priority == 'important' return ans @property def cssText(self): ' This will return either a string or a tuple of strings ' if len(self) == 1: return css_text(self[0]) return tuple(css_text(x) for x in self) def normalize_style_declaration(decl, sheet_name): ans = {} for prop in iterdeclaration(decl): if prop.name == 'font-family': # Needed because of https://bitbucket.org/cthedot/cssutils/issues/66/incorrect-handling-of-spaces-in-font prop.propertyValue.cssText = serialize_font_family(parse_font_family(css_text(prop.propertyValue))) ans[prop.name] = Values(prop.propertyValue, sheet_name, prop.priority) return ans def resolve_declarations(decls): property_names = set() for d in decls: property_names |= set(d.declaration) ans = {} for name in property_names: first_val = None for decl in decls: x = decl.declaration.get(name) if x is not None: if x.is_important: first_val = x break if first_val is None: first_val = x ans[name] = first_val return ans def resolve_pseudo_declarations(decls): groups = defaultdict(list) for d in decls: groups[d.pseudo_element].append(d) return {k:resolve_declarations(v) for k, v in iteritems(groups)} def resolve_styles(container, name, select=None, sheet_callback=None): root = container.parsed(name) select = select or Select(root, ignore_inappropriate_pseudo_classes=True) style_map = defaultdict(list) pseudo_style_map = defaultdict(list) rule_index_counter = count() pseudo_pat = re.compile(':{1,2}(%s)' % ('|'.join(INAPPROPRIATE_PSEUDO_CLASSES)), re.I) def process_sheet(sheet, sheet_name): if sheet_callback is not None: sheet_callback(sheet, sheet_name) for rule, sheet_name, rule_index in iterrules(container, sheet_name, rules=sheet, rule_index_counter=rule_index_counter, rule_type='STYLE_RULE'): for selector in rule.selectorList: text = selector.selectorText try: matches = tuple(select(text)) except SelectorError as err: container.log.error(f'Ignoring CSS rule with invalid selector: {text!r} ({as_unicode(err)})') continue m = pseudo_pat.search(text) style = normalize_style_declaration(rule.style, sheet_name) if m is None: for elem in matches: style_map[elem].append(StyleDeclaration(specificity(rule_index, selector), style, None)) else: for elem in matches: pseudo_style_map[elem].append(StyleDeclaration(specificity(rule_index, selector), style, m.group(1))) process_sheet(html_css_stylesheet(container), 'user-agent.css') for elem in root.iterdescendants(XHTML('style'), SVG('style'), XHTML('link')): if elem.tag.lower().endswith('style'): if not elem.text: continue sheet = container.parse_css(elem.text) sheet_name = name else: if (elem.get('type') or 'text/css').lower() not in OEB_STYLES or \ (elem.get('rel') or 'stylesheet').lower() != 'stylesheet' or \ not media_ok(elem.get('media')): continue href = elem.get('href') if not href: continue sheet_name = container.href_to_name(href, name) if not container.has_name(sheet_name): continue sheet = container.parsed(sheet_name) if not isinstance(sheet, CSSStyleSheet): continue process_sheet(sheet, sheet_name) for elem in root.xpath('//*[@style]'): text = elem.get('style') if text: style = container.parse_css(text, is_declaration=True) style_map[elem].append(StyleDeclaration(Specificity(1, 0, 0, 0, 0), normalize_style_declaration(style, name), None)) for l in (style_map, pseudo_style_map): for x in itervalues(l): x.sort(key=itemgetter(0), reverse=True) style_map = {elem:resolve_declarations(x) for elem, x in iteritems(style_map)} pseudo_style_map = {elem:resolve_pseudo_declarations(x) for elem, x in iteritems(pseudo_style_map)} return partial(resolve_property, style_map), partial(resolve_pseudo_property, style_map, pseudo_style_map), select _defvals = None def defvals(): global _defvals if _defvals is None: _defvals = {k:Values(Property(k, str(val)).propertyValue) for k, val in iteritems(DEFAULTS)} return _defvals def resolve_property(style_map, elem, name): ''' Given a `style_map` previously generated by :func:`resolve_styles()` and a property `name`, returns the effective value of that property for the specified element. Handles inheritance and CSS cascading rules. Returns an instance of :class:`Values`. If the property was never set and is not a known property, then it will return None. ''' inheritable = name in INHERITED q = elem while q is not None: s = style_map.get(q) if s is not None: val = s.get(name) if val is not None: return val q = q.getparent() if inheritable else None return defvals().get(name) def resolve_pseudo_property( style_map, pseudo_style_map, elem, prop, name, abort_on_missing=False, check_if_pseudo_applies=False, check_ancestors=False ): if check_if_pseudo_applies: q = elem while q is not None: val = pseudo_style_map.get(q, {}).get(prop, {}).get(name) if val is not None: return True if not check_ancestors: break q = q.getparent() return False sub_map = pseudo_style_map.get(elem) if abort_on_missing and sub_map is None: return None if sub_map is not None: prop_map = sub_map.get(prop) if abort_on_missing and prop_map is None: return None if prop_map is not None: val = prop_map.get(name) if val is not None: return val if name in INHERITED: if check_ancestors: q = elem.getparent() while q is not None: val = pseudo_style_map.get(q, {}).get(prop, {}).get(name) if val is not None: return val if not check_ancestors: break q = q.getparent() return resolve_property(style_map, elem, name) return defvals().get(name)
11,523
Python
.py
242
38.190083
153
0.640873
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,390
css.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/css.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2014, Kovid Goyal <kovid at kovidgoyal.net>' import re from collections import defaultdict from functools import partial from operator import itemgetter from css_parser.css import CSSRule, CSSStyleDeclaration from css_selectors import Select, SelectorError, SelectorSyntaxError, parse from calibre import force_unicode from calibre.ebooks.oeb.base import OEB_DOCS, OEB_STYLES, XHTML, css_text from calibre.ebooks.oeb.normalize_css import normalize_filter_css, normalizers from calibre.ebooks.oeb.polish.pretty import pretty_script_or_style, pretty_xml_tree, serialize from calibre.utils.icu import lower as icu_lower from calibre.utils.icu import numeric_sort_key from calibre.utils.localization import ngettext from polyglot.builtins import iteritems, itervalues from polyglot.functools import lru_cache class SelectorStatus: any_used: bool = False any_unused: bool = False def mark_used_selectors(rules, log, select): ans = SelectorStatus() for rule in rules: for selector in rule.selectorList: if getattr(selector, 'calibre_used', False): ans.any_used = True continue try: if select.has_matches(selector.selectorText): selector.calibre_used = True ans.any_used = True else: ans.any_unused = True selector.calibre_used = False except SelectorError: # Cannot parse/execute this selector, be safe and assume it # matches something selector.calibre_used = True ans.any_used = True return ans def get_imported_sheets(name, container, sheets, recursion_level=10, sheet=None): ans = set() sheet = sheet or sheets[name] for rule in sheet.cssRules.rulesOfType(CSSRule.IMPORT_RULE): if rule.href: iname = container.href_to_name(rule.href, name) if iname in sheets: ans.add(iname) if recursion_level > 0: for imported_sheet in tuple(ans): ans |= get_imported_sheets(imported_sheet, container, sheets, recursion_level=recursion_level-1) ans.discard(name) return ans def merge_declarations(first, second): for prop in second.getProperties(): first.setProperty(prop) def merge_identical_selectors(sheet): ' Merge rules that have identical selectors ' selector_map = defaultdict(list) for rule in sheet.cssRules.rulesOfType(CSSRule.STYLE_RULE): selector_map[rule.selectorText].append(rule) remove = [] for rule_group in itervalues(selector_map): if len(rule_group) > 1: for i in range(1, len(rule_group)): merge_declarations(rule_group[0].style, rule_group[i].style) remove.append(rule_group[i]) for rule in remove: sheet.cssRules.remove(rule) return len(remove) def merge_identical_properties(sheet): ' Merge rules having identical properties ' properties_map = defaultdict(list) def declaration_key(declaration): return tuple(sorted( ((prop.name, prop.propertyValue.value) for prop in declaration.getProperties()), key=itemgetter(0) )) for idx, rule in enumerate(sheet.cssRules): if rule.type == CSSRule.STYLE_RULE: properties_map[declaration_key(rule.style)].append((idx, rule)) removals = [] num_merged = 0 for rule_group in properties_map.values(): if len(rule_group) < 2: continue num_merged += len(rule_group) selectors = rule_group[0][1].selectorList seen = {s.selectorText for s in selectors} rules = iter(rule_group) next(rules) for idx, rule in rules: removals.append(idx) for s in rule.selectorList: q = s.selectorText if q not in seen: seen.add(q) selectors.append(s) for idx in sorted(removals, reverse=True): sheet.cssRules.pop(idx) return num_merged def remove_unused_selectors_and_rules(rules_container, rules, removal_stats): ans = SelectorStatus() for r in rules: removals = [] for i, sel in enumerate(r.selectorList): if getattr(sel, 'calibre_used', True): ans.any_used = True else: removals.append(i) if removals: ans.any_unused = True if len(removals) == len(r.selectorList): rules_container.remove(r) removal_stats['rules'] += 1 else: removal_stats['selectors'] += len(removals) for i in reversed(removals): del r.selectorList[i] return ans def remove_unused_css( container, report=None, remove_unused_classes=False, merge_rules=False, merge_rules_with_identical_properties=False, remove_unreferenced_sheets=False, ): ''' Remove all unused CSS rules from the book. An unused CSS rule is one that does not match any actual content. :param report: An optional callable that takes a single argument. It is called with information about the operations being performed. :param remove_unused_classes: If True, class attributes in the HTML that do not match any CSS rules are also removed. :param merge_rules: If True, rules with identical selectors are merged. :param merge_rules_with_identical_properties: If True, rules with identical properties are merged. :param remove_unreferenced_sheets: If True, stylesheets that are not referenced by any content are removed ''' report = report or (lambda x:x) def safe_parse(name): try: return container.parsed(name) except TypeError: pass sheets = {name:safe_parse(name) for name, mt in iteritems(container.mime_map) if mt in OEB_STYLES} sheets = {k:v for k, v in iteritems(sheets) if v is not None} num_merged = num_rules_merged = 0 if merge_rules: for name, sheet in iteritems(sheets): num = merge_identical_selectors(sheet) if num: container.dirty(name) num_merged += num if merge_rules_with_identical_properties: for name, sheet in iteritems(sheets): num = merge_identical_properties(sheet) if num: container.dirty(name) num_rules_merged += num import_map = {name:get_imported_sheets(name, container, sheets) for name in sheets} unreferenced_sheets = set(sheets) if remove_unused_classes: class_map = {name:{icu_lower(x) for x in classes_in_rule_list(sheet.cssRules)} for name, sheet in iteritems(sheets)} style_rules = {name:tuple(sheet.cssRules.rulesOfType(CSSRule.STYLE_RULE)) for name, sheet in iteritems(sheets)} removal_stats = {'rules': 0, 'selectors': 0} num_of_removed_classes = 0 for name, mt in iteritems(container.mime_map): if mt not in OEB_DOCS: continue root = container.parsed(name) select = Select(root, ignore_inappropriate_pseudo_classes=True) used_classes = set() for style in root.xpath('//*[local-name()="style"]'): if style.get('type', 'text/css') == 'text/css' and style.text: sheet = container.parse_css(style.text) if merge_rules: num = merge_identical_selectors(sheet) if num: num_merged += num container.dirty(name) if merge_rules_with_identical_properties: num = merge_identical_properties(sheet) if num: num_rules_merged += num container.dirty(name) if remove_unused_classes: used_classes |= {icu_lower(x) for x in classes_in_rule_list(sheet.cssRules)} imports = get_imported_sheets(name, container, sheets, sheet=sheet) for imported_sheet in imports: unreferenced_sheets.discard(imported_sheet) mark_used_selectors(style_rules[imported_sheet], container.log, select) if remove_unused_classes: used_classes |= class_map[imported_sheet] rules = tuple(sheet.cssRules.rulesOfType(CSSRule.STYLE_RULE)) if mark_used_selectors(rules, container.log, select).any_unused: remove_unused_selectors_and_rules(sheet.cssRules, rules, removal_stats) style.text = force_unicode(sheet.cssText, 'utf-8') pretty_script_or_style(container, style) container.dirty(name) for link in root.xpath('//*[local-name()="link" and @href]'): sname = container.href_to_name(link.get('href'), name) if sname not in sheets: continue mark_used_selectors(style_rules[sname], container.log, select) if remove_unused_classes: used_classes |= class_map[sname] unreferenced_sheets.discard(sname) for iname in import_map[sname]: unreferenced_sheets.discard(iname) mark_used_selectors(style_rules[iname], container.log, select) if remove_unused_classes: used_classes |= class_map[iname] if remove_unused_classes: for elem in root.xpath('//*[@class]'): original_classes, classes = elem.get('class', '').split(), [] for x in original_classes: if icu_lower(x) in used_classes: classes.append(x) if len(classes) != len(original_classes): if classes: elem.set('class', ' '.join(classes)) else: del elem.attrib['class'] num_of_removed_classes += len(original_classes) - len(classes) container.dirty(name) for name, sheet in iteritems(sheets): if name in unreferenced_sheets: continue q = remove_unused_selectors_and_rules(sheet.cssRules, style_rules[name], removal_stats) if q.any_unused: container.dirty(name) num_sheets_removed = 0 if remove_unreferenced_sheets and len(unreferenced_sheets): num_sheets_removed += len(unreferenced_sheets) for uname in unreferenced_sheets: container.remove_item(uname) num_changes = num_merged + num_of_removed_classes + num_rules_merged + removal_stats['rules'] + removal_stats['selectors'] + num_sheets_removed if num_changes > 0: if removal_stats['rules']: report(ngettext('Removed one unused CSS style rule', 'Removed {} unused CSS style rules', removal_stats['rules']).format(removal_stats['rules'])) if removal_stats['selectors']: report(ngettext('Removed one unused CSS selector', 'Removed {} unused CSS selectors', removal_stats['selectors']).format(removal_stats['selectors'])) if num_of_removed_classes > 0: report(ngettext('Removed one unused class from the HTML', 'Removed {} unused classes from the HTML', num_of_removed_classes).format(num_of_removed_classes)) if num_merged > 0: report(ngettext('Merged one CSS style rule with identical selectors', 'Merged {} CSS style rules with identical selectors', num_merged).format(num_merged)) if num_rules_merged > 0: report(ngettext('Merged one CSS style rule with identical properties', 'Merged {} CSS style rules with identical properties', num_rules_merged).format(num_rules_merged)) if num_sheets_removed: report(ngettext('Removed one unreferenced stylesheet', 'Removed {} unreferenced stylesheets', num_sheets_removed).format(num_sheets_removed)) if not removal_stats['rules']: report(_('No unused CSS style rules found')) if not removal_stats['selectors']: report(_('No unused CSS selectors found')) if remove_unused_classes and num_of_removed_classes == 0: report(_('No unused class attributes found')) if merge_rules and num_merged == 0: report(_('No style rules that could be merged found')) if remove_unreferenced_sheets and num_sheets_removed == 0: report(_('No unused stylesheets found')) return num_changes > 0 def filter_declaration(style, properties=()): changed = False for prop in properties: if style.removeProperty(prop) != '': changed = True all_props = set(style.keys()) for prop in style.getProperties(): n = normalizers.get(prop.name, None) if n is not None: normalized = n(prop.name, prop.propertyValue) removed = properties.intersection(set(normalized)) if removed: changed = True style.removeProperty(prop.name) for prop in set(normalized) - removed - all_props: style.setProperty(prop, normalized[prop]) return changed def filter_sheet(sheet, properties=()): from css_parser.css import CSSRule changed = False remove = [] for rule in sheet.cssRules.rulesOfType(CSSRule.STYLE_RULE): if filter_declaration(rule.style, properties): changed = True if rule.style.length == 0: remove.append(rule) for rule in remove: sheet.cssRules.remove(rule) return changed def transform_inline_styles(container, name, transform_sheet, transform_style): root = container.parsed(name) changed = False for style in root.xpath('//*[local-name()="style"]'): if style.text and (style.get('type') or 'text/css').lower() == 'text/css': sheet = container.parse_css(style.text) if transform_sheet(sheet): changed = True style.text = force_unicode(sheet.cssText, 'utf-8') pretty_script_or_style(container, style) for elem in root.xpath('//*[@style]'): text = elem.get('style', None) if text: style = container.parse_css(text, is_declaration=True) if transform_style(style): changed = True if style.length == 0: del elem.attrib['style'] else: elem.set('style', force_unicode(style.getCssText(separator=' '), 'utf-8')) return changed def transform_css(container, transform_sheet=None, transform_style=None, names=()): if not names: types = OEB_STYLES | OEB_DOCS names = [] for name, mt in iteritems(container.mime_map): if mt in types: names.append(name) doc_changed = False for name in names: mt = container.mime_map[name] if mt in OEB_STYLES: sheet = container.parsed(name) if transform_sheet(sheet): container.dirty(name) doc_changed = True elif mt in OEB_DOCS: if transform_inline_styles(container, name, transform_sheet, transform_style): container.dirty(name) doc_changed = True return doc_changed def filter_css(container, properties, names=()): ''' Remove the specified CSS properties from all CSS rules in the book. :param properties: Set of properties to remove. For example: :code:`{'font-family', 'color'}`. :param names: The files from which to remove the properties. Defaults to all HTML and CSS files in the book. ''' properties = normalize_filter_css(properties) return transform_css(container, transform_sheet=partial(filter_sheet, properties=properties), transform_style=partial(filter_declaration, properties=properties), names=names) def _classes_in_selector(selector, classes): for attr in ('selector', 'subselector', 'parsed_tree'): s = getattr(selector, attr, None) if s is not None: _classes_in_selector(s, classes) cn = getattr(selector, 'class_name', None) if cn is not None: classes.add(cn) @lru_cache(maxsize=4096) def classes_in_selector(text): classes = set() try: for selector in parse(text): _classes_in_selector(selector, classes) except SelectorSyntaxError: pass return classes def classes_in_rule_list(css_rules): classes = set() for rule in css_rules: if rule.type == rule.STYLE_RULE: classes |= classes_in_selector(rule.selectorText) elif hasattr(rule, 'cssRules'): classes |= classes_in_rule_list(rule.cssRules) return classes def iter_declarations(sheet_or_rule): if hasattr(sheet_or_rule, 'cssRules'): for rule in sheet_or_rule.cssRules: yield from iter_declarations(rule) elif hasattr(sheet_or_rule, 'style'): yield sheet_or_rule.style elif isinstance(sheet_or_rule, CSSStyleDeclaration): yield sheet_or_rule def remove_property_value(prop, predicate): ''' Remove the Values that match the predicate from this property. If all values of the property would be removed, the property is removed from its parent instead. Note that this means the property must have a parent (a CSSStyleDeclaration). ''' removed_vals = list(filter(predicate, prop.propertyValue)) if len(removed_vals) == len(prop.propertyValue): prop.parent.removeProperty(prop.name) else: x = css_text(prop.propertyValue) for v in removed_vals: x = x.replace(css_text(v), '').strip() prop.propertyValue.cssText = x return bool(removed_vals) RULE_PRIORITIES = {t:i for i, t in enumerate((CSSRule.COMMENT, CSSRule.CHARSET_RULE, CSSRule.IMPORT_RULE, CSSRule.NAMESPACE_RULE))} def sort_sheet(container, sheet_or_text): ''' Sort the rules in a stylesheet. Note that in the general case this can change the effective styles, but for most common sheets, it should be safe. ''' sheet = container.parse_css(sheet_or_text) if isinstance(sheet_or_text, str) else sheet_or_text def text_sort_key(x): return numeric_sort_key(str(x or '')) def selector_sort_key(x): return (x.specificity, text_sort_key(x.selectorText)) def rule_sort_key(rule): primary = RULE_PRIORITIES.get(rule.type, len(RULE_PRIORITIES)) secondary = text_sort_key(getattr(rule, 'atkeyword', '') or '') tertiary = None if rule.type == CSSRule.STYLE_RULE: primary += 1 selectors = sorted(rule.selectorList, key=selector_sort_key) tertiary = selector_sort_key(selectors[0]) rule.selectorText = ', '.join(s.selectorText for s in selectors) elif rule.type == CSSRule.FONT_FACE_RULE: try: tertiary = text_sort_key(rule.style.getPropertyValue('font-family')) except Exception: pass return primary, secondary, tertiary sheet.cssRules.sort(key=rule_sort_key) return sheet def add_stylesheet_links(container, name, text): root = container.parse_xhtml(text, name) head = root.xpath('//*[local-name() = "head"]') if not head: return head = head[0] sheets = tuple(container.manifest_items_of_type(lambda mt: mt in OEB_STYLES)) if not sheets: return for sname in sheets: link = head.makeelement(XHTML('link'), type='text/css', rel='stylesheet', href=container.name_to_href(sname, name)) head.append(link) pretty_xml_tree(head) return serialize(root, 'text/html') def rename_class_in_rule_list(css_rules, old_name, new_name): # this regex will not match class names inside attribute value selectors # and it will match id selectors that contain .old_name but its the best # that can be done without implementing a full parser for CSS selectors pat = re.compile(rf'(?<=\.){re.escape(old_name)}(?:\W|$)') def repl(m): return m.group().replace(old_name, new_name) changed = False for rule in css_rules: if rule.type == rule.STYLE_RULE: old = rule.selectorText q = pat.sub(repl, old) if q != old: changed = True rule.selectorText = q elif hasattr(rule, 'cssRules'): if rename_class_in_rule_list(rule.cssRules, old_name, new_name): changed = True return changed def rename_class_in_doc(container, root, old_name, new_name): changed = False pat = re.compile(rf'(?:^|\W){re.escape(old_name)}(?:\W|$)') def repl(m): return m.group().replace(old_name, new_name) for elem in root.xpath('//*[@class]'): old = elem.get('class') if old: new = pat.sub(repl, old) if new != old: changed = True elem.set('class', new) for style in root.xpath('//*[local-name()="style"]'): if style.get('type', 'text/css') == 'text/css' and style.text: sheet = container.parse_css(style.text) if rename_class_in_rule_list(sheet.cssRules, old_name, new_name): changed = True style.text = force_unicode(sheet.cssText, 'utf-8') return changed def rename_class(container, old_name, new_name): changed = False if not old_name or old_name == new_name: return changed for sheet_name in container.manifest_items_of_type(lambda mt: mt in OEB_STYLES): sheet = container.parsed(sheet_name) if rename_class_in_rule_list(sheet.cssRules, old_name, new_name): container.dirty(sheet_name) changed = True for doc_name in container.manifest_items_of_type(lambda mt: mt in OEB_DOCS): doc = container.parsed(doc_name) if rename_class_in_doc(container, doc, old_name, new_name): container.dirty(doc_name) changed = True return changed
22,414
Python
.py
485
36.131959
147
0.624703
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,391
stats.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/stats.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' __docformat__ = 'restructuredtext en' import sys from functools import partial import regex from lxml.etree import tostring from tinycss.fonts3 import parse_font_family from calibre.ebooks.oeb.base import XHTML, css_text from calibre.ebooks.oeb.polish.cascade import iterdeclaration, iterrules, resolve_styles from calibre.utils.icu import lower as icu_lower from calibre.utils.icu import ord_string, safe_chr from calibre.utils.icu import upper as icu_upper from polyglot.builtins import iteritems, itervalues def normalize_font_properties(font): w = font.get('font-weight', None) if not w and w != 0: w = 'normal' w = str(w) w = {'normal':'400', 'bold':'700'}.get(w, w) if w not in {'100', '200', '300', '400', '500', '600', '700', '800', '900'}: w = '400' font['font-weight'] = w val = font.get('font-style', None) if val not in {'normal', 'italic', 'oblique'}: val = 'normal' font['font-style'] = val val = font.get('font-stretch', None) if val not in {'normal', 'ultra-condensed', 'extra-condensed', 'condensed', 'semi-condensed', 'semi-expanded', 'expanded', 'extra-expanded', 'ultra-expanded'}: val = 'normal' font['font-stretch'] = val return font widths = {x:i for i, x in enumerate(('ultra-condensed', 'extra-condensed', 'condensed', 'semi-condensed', 'normal', 'semi-expanded', 'expanded', 'extra-expanded', 'ultra-expanded' ))} def get_matching_rules(rules, font): matches = [] # Filter on family for rule in reversed(rules): ff = frozenset(icu_lower(x) for x in font.get('font-family', [])) if ff.intersection(rule['font-family']): matches.append(rule) if not matches: return [] # Filter on font stretch width = widths[font.get('font-stretch', 'normal')] min_dist = min(abs(width-y['width']) for y in matches) nearest = [x for x in matches if abs(width-x['width']) == min_dist] if width <= 4: lmatches = [f for f in nearest if f['width'] <= width] else: lmatches = [f for f in nearest if f['width'] >= width] matches = (lmatches or nearest) # Filter on font-style fs = font.get('font-style', 'normal') order = { 'oblique':['oblique', 'italic', 'normal'], 'normal':['normal', 'oblique', 'italic'] }.get(fs, ['italic', 'oblique', 'normal']) for q in order: m = [f for f in matches if f.get('font-style', 'normal') == q] if m: matches = m break # Filter on font weight fw = int(font.get('font-weight', '400')) if fw == 400: q = [400, 500, 300, 200, 100, 600, 700, 800, 900] elif fw == 500: q = [500, 400, 300, 200, 100, 600, 700, 800, 900] elif fw < 400: q = [fw] + list(range(fw-100, -100, -100)) + list(range(fw+100, 100, 1000)) else: q = [fw] + list(range(fw+100, 100, 1000)) + list(range(fw-100, -100, -100)) for wt in q: m = [f for f in matches if f['weight'] == wt] if m: return m return [] def get_css_text(elem, resolve_pseudo_property, which='before'): text = resolve_pseudo_property(elem, which, 'content')[0].value if text and len(text) > 2 and text[0] == '"' and text[-1] == '"': return text[1:-1] return '' caps_variants = {'smallcaps', 'small-caps', 'all-small-caps', 'petite-caps', 'all-petite-caps', 'unicase'} def get_element_text(elem, resolve_property, resolve_pseudo_property, capitalize_pat, for_pseudo=None): ans = [] before = get_css_text(elem, resolve_pseudo_property) if before: ans.append(before) if for_pseudo is not None: ans.append(tostring(elem, method='text', encoding='unicode', with_tail=False)) else: if elem.text: ans.append(elem.text) for child in elem.iterchildren(): t = getattr(child, 'tail', '') if t: ans.append(t) after = get_css_text(elem, resolve_pseudo_property, 'after') if after: ans.append(after) ans = ''.join(ans) if for_pseudo is not None: tt = resolve_pseudo_property(elem, for_pseudo, 'text-transform')[0].value fv = resolve_pseudo_property(elem, for_pseudo, 'font-variant')[0].value else: tt = resolve_property(elem, 'text-transform')[0].value fv = resolve_property(elem, 'font-variant')[0].value if fv in caps_variants: ans += icu_upper(ans) if tt != 'none': if tt == 'uppercase': ans = icu_upper(ans) elif tt == 'lowercase': ans = icu_lower(ans) elif tt == 'capitalize': m = capitalize_pat.search(ans) if m is not None: ans += icu_upper(m.group()) return ans def get_font_dict(elem, resolve_property, pseudo=None): ans = {} if pseudo is None: ff = resolve_property(elem, 'font-family') else: ff = resolve_property(elem, pseudo, 'font-family') ans['font-family'] = tuple(x.value for x in ff) for p in 'weight', 'style', 'stretch': p = 'font-' + p rp = resolve_property(elem, p) if pseudo is None else resolve_property(elem, pseudo, p) ans[p] = str(rp[0].value) normalize_font_properties(ans) return ans bad_fonts = {'serif', 'sans-serif', 'monospace', 'cursive', 'fantasy', 'sansserif', 'inherit'} exclude_chars = frozenset(ord_string('\n\r\t')) skip_tags = {XHTML(x) for x in 'script style title meta link'.split()} font_keys = {'font-weight', 'font-style', 'font-stretch', 'font-family'} def prepare_font_rule(cssdict): cssdict['font-family'] = frozenset(cssdict['font-family'][:1]) cssdict['width'] = widths[cssdict['font-stretch']] cssdict['weight'] = int(cssdict['font-weight']) class StatsCollector: first_letter_pat = capitalize_pat = None def __init__(self, container, do_embed=False): if self.first_letter_pat is None: StatsCollector.first_letter_pat = self.first_letter_pat = regex.compile( r'^[\p{P}]*[\p{L}\p{N}]', regex.VERSION1 | regex.UNICODE) StatsCollector.capitalize_pat = self.capitalize_pat = regex.compile( r'[\p{L}\p{N}]', regex.VERSION1 | regex.UNICODE) self.collect_font_stats(container, do_embed) def collect_font_face_rules(self, container, processed, spine_name, sheet, sheet_name): if sheet_name in processed: sheet_rules = processed[sheet_name] else: sheet_rules = [] if sheet_name != spine_name: processed[sheet_name] = sheet_rules for rule, base_name, rule_index in iterrules(container, sheet_name, rules=sheet, rule_type='FONT_FACE_RULE'): cssdict = {} for prop in iterdeclaration(rule.style): if prop.name == 'font-family': cssdict['font-family'] = [icu_lower(x) for x in parse_font_family(css_text(prop.propertyValue))] elif prop.name.startswith('font-'): cssdict[prop.name] = prop.propertyValue[0].value elif prop.name == 'src': for val in prop.propertyValue: x = val.value fname = container.href_to_name(x, sheet_name) if container.has_name(fname): cssdict['src'] = fname break else: container.log.warn('The @font-face rule refers to a font file that does not exist in the book: %s' % css_text(prop.propertyValue)) if 'src' not in cssdict: continue ff = cssdict.get('font-family') if not ff or ff[0] in bad_fonts: continue normalize_font_properties(cssdict) prepare_font_rule(cssdict) sheet_rules.append(cssdict) self.font_rule_map[spine_name].extend(sheet_rules) def get_element_font_usage(self, elem, resolve_property, resolve_pseudo_property, font_face_rules, do_embed, font_usage_map, font_spec): text = get_element_text(elem, resolve_property, resolve_pseudo_property, self.capitalize_pat) if not text: return def update_usage_for_embed(font, chars): if not do_embed: return ff = [icu_lower(x) for x in font.get('font-family', ())] if ff and ff[0] not in bad_fonts: key = frozenset(((k, ff[0] if k == 'font-family' else v) for k, v in iteritems(font) if k in font_keys)) val = font_usage_map.get(key) if val is None: val = font_usage_map[key] = {'text': set()} for k in font_keys: val[k] = font[k][0] if k == 'font-family' else font[k] val['text'] |= chars for ff in font.get('font-family', ()): if ff and icu_lower(ff) not in bad_fonts: font_spec.add(ff) font = get_font_dict(elem, resolve_property) chars = frozenset(ord_string(text)) - exclude_chars update_usage_for_embed(font, chars) for rule in get_matching_rules(font_face_rules, font): self.font_stats[rule['src']] |= chars if resolve_pseudo_property(elem, 'first-letter', 'font-family', check_if_pseudo_applies=True): font = get_font_dict(elem, resolve_pseudo_property, pseudo='first-letter') text = get_element_text(elem, resolve_property, resolve_pseudo_property, self.capitalize_pat, for_pseudo='first-letter') m = self.first_letter_pat.search(text.lstrip()) if m is not None: chars = frozenset(ord_string(m.group())) - exclude_chars update_usage_for_embed(font, chars) for rule in get_matching_rules(font_face_rules, font): self.font_stats[rule['src']] |= chars if resolve_pseudo_property(elem, 'first-line', 'font-family', check_if_pseudo_applies=True, check_ancestors=True): font = get_font_dict(elem, partial(resolve_pseudo_property, check_ancestors=True), pseudo='first-line') text = get_element_text(elem, resolve_property, resolve_pseudo_property, self.capitalize_pat, for_pseudo='first-line') chars = frozenset(ord_string(text)) - exclude_chars update_usage_for_embed(font, chars) for rule in get_matching_rules(font_face_rules, font): self.font_stats[rule['src']] |= chars def get_font_usage(self, container, spine_name, resolve_property, resolve_pseudo_property, font_face_rules, do_embed): root = container.parsed(spine_name) for body in root.iterchildren(XHTML('body')): for elem in body.iter('*'): if elem.tag not in skip_tags: self.get_element_font_usage( elem, resolve_property, resolve_pseudo_property, font_face_rules, do_embed, self.font_usage_map[spine_name], self.font_spec_map[spine_name]) def collect_font_stats(self, container, do_embed=False): self.font_stats = {} self.font_usage_map = {} self.font_spec_map = {} self.font_rule_map = {} self.all_font_rules = {} processed_sheets = {} for name, is_linear in container.spine_names: self.font_rule_map[name] = font_face_rules = [] resolve_property, resolve_pseudo_property, select = resolve_styles(container, name, sheet_callback=partial( self.collect_font_face_rules, container, processed_sheets, name)) for rule in font_face_rules: self.all_font_rules[rule['src']] = rule if rule['src'] not in self.font_stats: self.font_stats[rule['src']] = set() self.font_usage_map[name] = {} self.font_spec_map[name] = set() self.get_font_usage(container, name, resolve_property, resolve_pseudo_property, font_face_rules, do_embed) self.font_stats = {k:{safe_chr(x) for x in v} for k, v in iteritems(self.font_stats)} for fum in itervalues(self.font_usage_map): for v in itervalues(fum): v['text'] = {safe_chr(x) for x in v['text']} if __name__ == '__main__': from calibre.ebooks.oeb.polish.container import get_container from calibre.utils.logging import default_log default_log.filter_level = default_log.DEBUG ebook = get_container(sys.argv[-1], default_log) from pprint import pprint pprint(StatsCollector(ebook, do_embed=True).font_stats)
13,034
Python
.py
267
38.632959
158
0.59052
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,392
subset.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/subset.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' __docformat__ = 'restructuredtext en' import os import sys from io import BytesIO from calibre import as_unicode, prints from calibre.ebooks.oeb.base import OEB_DOCS, OEB_STYLES, XPath, css_text from calibre.ebooks.oeb.polish.utils import OEB_FONTS from calibre.utils.fonts.subset import subset from calibre.utils.fonts.utils import get_font_names from polyglot.builtins import iteritems def remove_font_face_rules(container, sheet, remove_names, base): changed = False for rule in tuple(sheet.cssRules): if rule.type != rule.FONT_FACE_RULE: continue try: uri = rule.style.getProperty('src').propertyValue[0].uri except (IndexError, KeyError, AttributeError, TypeError, ValueError): continue name = container.href_to_name(uri, base) if name in remove_names: sheet.deleteRule(rule) changed = True return changed def iter_subsettable_fonts(container): for name, mt in iteritems(container.mime_map): if (mt in OEB_FONTS or name.rpartition('.')[-1].lower() in {'otf', 'ttf'}): yield name, mt def subset_all_fonts(container, font_stats, report): remove = set() total_old = total_new = 0 changed = False for name, mt in iter_subsettable_fonts(container): chars = font_stats.get(name, set()) with container.open(name, 'rb') as f: f.seek(0, os.SEEK_END) font_size = f.tell() if not chars: remove.add(name) report(_('Removed unused font: %s')%name) continue with container.open(name, 'r+b') as f: raw = f.read() try: font_name = get_font_names(raw)[-1] except Exception as e: report( 'Corrupted font: %s, ignoring. Error: %s'%( name, as_unicode(e))) continue warnings = [] report('Subsetting font: %s'%(font_name or name)) font_type = os.path.splitext(name)[1][1:].lower() output = BytesIO() try: warnings = subset(BytesIO(raw), output, font_type, chars) except Exception as e: report( 'Unsupported font: %s, ignoring. Error: %s'%( name, as_unicode(e))) continue nraw = output.getvalue() total_old += font_size for w in warnings: report(w) olen = len(raw) nlen = len(nraw) total_new += len(nraw) if nlen == olen: report(_('The font %s was already subset')%font_name) else: report(_('Decreased the font {0} to {1} of its original size').format( font_name, ('%.1f%%' % (nlen/olen * 100)))) changed = True f.seek(0), f.truncate(), f.write(nraw) for name in remove: container.remove_item(name) changed = True if remove: for name, mt in iteritems(container.mime_map): if mt in OEB_STYLES: sheet = container.parsed(name) if remove_font_face_rules(container, sheet, remove, name): container.dirty(name) elif mt in OEB_DOCS: for style in XPath('//h:style')(container.parsed(name)): if style.get('type', 'text/css') == 'text/css' and style.text: sheet = container.parse_css(style.text, name) if remove_font_face_rules(container, sheet, remove, name): style.text = css_text(sheet) container.dirty(name) if total_old > 0: report(_('Reduced total font size to %.1f%% of original')%( total_new/total_old*100)) else: report(_('No embedded fonts found')) return changed if __name__ == '__main__': from calibre.ebooks.oeb.polish.container import get_container from calibre.ebooks.oeb.polish.stats import StatsCollector from calibre.utils.logging import default_log default_log.filter_level = default_log.DEBUG inbook = sys.argv[-1] ebook = get_container(inbook, default_log) report = [] stats = StatsCollector(ebook).font_stats subset_all_fonts(ebook, stats, report.append) outbook, ext = inbook.rpartition('.')[0::2] outbook += '_subset.'+ext ebook.commit(outbook) prints('\nReport:') for msg in report: prints(msg) print() prints('Output written to:', outbook)
4,751
Python
.py
118
29.915254
86
0.574058
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,393
main.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/main.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' __docformat__ = 'restructuredtext en' import re import sys import time from collections import namedtuple from functools import partial from calibre.ebooks.oeb.polish.container import get_container from calibre.ebooks.oeb.polish.cover import set_cover from calibre.ebooks.oeb.polish.css import remove_unused_css from calibre.ebooks.oeb.polish.download import download_external_resources, get_external_resources, replace_resources from calibre.ebooks.oeb.polish.embed import embed_all_fonts from calibre.ebooks.oeb.polish.hyphenation import add_soft_hyphens, remove_soft_hyphens from calibre.ebooks.oeb.polish.images import compress_images from calibre.ebooks.oeb.polish.jacket import add_or_replace_jacket, find_existing_jacket, remove_jacket, replace_jacket from calibre.ebooks.oeb.polish.replace import smarten_punctuation from calibre.ebooks.oeb.polish.stats import StatsCollector from calibre.ebooks.oeb.polish.subset import iter_subsettable_fonts, subset_all_fonts from calibre.ebooks.oeb.polish.upgrade import upgrade_book from calibre.utils.localization import ngettext from calibre.utils.logging import Log from polyglot.builtins import iteritems ALL_OPTS = { 'embed': False, 'subset': False, 'opf': None, 'cover': None, 'jacket': False, 'remove_jacket':False, 'smarten_punctuation':False, 'remove_unused_css':False, 'compress_images': False, 'upgrade_book': False, 'add_soft_hyphens': False, 'remove_soft_hyphens': False, 'download_external_resources': False, } CUSTOMIZATION = { 'remove_unused_classes': False, 'merge_identical_selectors': False, 'merge_rules_with_identical_properties': False, 'remove_unreferenced_sheets': True, 'remove_ncx': True, } SUPPORTED = {'EPUB', 'AZW3'} # Help {{{ HELP = {'about': _( '''\ <p><i>Polishing books</i> is all about putting the shine of perfection onto your carefully crafted e-books.</p> <p>Polishing tries to minimize the changes to the internal code of your e-book. Unlike conversion, it <i>does not</i> flatten CSS, rename files, change font sizes, adjust margins, etc. Every action performs only the minimum set of changes needed for the desired effect.</p> <p>You should use this tool as the last step in your e-book creation process.</p> {0} <p>Note that polishing only works on files in the %s formats.</p>\ ''')%_(' or ').join(sorted('<b>%s</b>'%x for x in SUPPORTED)), 'embed': _('''\ <p>Embed all fonts that are referenced in the document and are not already embedded. This will scan your computer for the fonts, and if they are found, they will be embedded into the document.</p> <p>Please ensure that you have the proper license for embedding the fonts used in this document.</p> '''), 'subset': _('''\ <p>Subsetting fonts means reducing an embedded font to contain only the characters used from that font in the book. This greatly reduces the size of the font files (halving the font file sizes is common).</p> <p>For example, if the book uses a specific font for headers, then subsetting will reduce that font to contain only the characters present in the actual headers in the book. Or if the book embeds the bold and italic versions of a font, but bold and italic text is relatively rare, or absent altogether, then the bold and italic fonts can either be reduced to only a few characters or completely removed.</p> <p>The only downside to subsetting fonts is that if, at a later date you decide to add more text to your books, the newly added text might not be covered by the subset font.</p> '''), 'jacket': _('''\ <p>Insert a "book jacket" page at the start of the book that contains all the book metadata such as title, tags, authors, series, comments, etc. Any previous book jacket will be replaced.</p>'''), 'remove_jacket': _('''\ <p>Remove a previous inserted book jacket page.</p> '''), 'smarten_punctuation': _('''\ <p>Convert plain text dashes, ellipsis, quotes, multiple hyphens, etc. into their typographically correct equivalents.</p> <p>Note that the algorithm can sometimes generate incorrect results, especially when single quotes at the start of contractions are involved.</p> '''), 'remove_unused_css': _('''\ <p>Remove all unused CSS rules from stylesheets and &lt;style&gt; tags. Some books created from production templates can have a large number of extra CSS rules that don't match any actual content. These extra rules can slow down readers that need to parse them all.</p> '''), 'compress_images': _('''\ <p>Losslessly compress images in the book, to reduce the filesize, without affecting image quality.</p> '''), 'upgrade_book': _('''\ <p>Upgrade the internal structures of the book, if possible. For instance, upgrades EPUB 2 books to EPUB 3 books.</p> '''), 'add_soft_hyphens': _('''\ <p>Add soft hyphens to all words in the book. This allows the book to be rendered better when the text is justified, in readers that do not support hyphenation.</p> '''), 'remove_soft_hyphens': _('''\ <p>Remove soft hyphens from all text in the book.</p> '''), 'download_external_resources': _('''\ <p>Download external resources such as images, stylesheets, etc. that point to URLs instead of files in the book. All such resources will be downloaded and added to the book so that the book no longer references any external resources. </p> '''), } def hfix(name, raw): if name == 'about': return raw.format('') raw = raw.replace('\n\n', '__XX__') raw = raw.replace('\n', ' ') raw = raw.replace('__XX__', '\n') raw = raw.replace('&lt;', '<').replace('&gt;', '>') return raw CLI_HELP = {x:hfix(x, re.sub('<.*?>', '', y)) for x, y in iteritems(HELP)} # }}} def update_metadata(ebook, new_opf): from calibre.ebooks.metadata.opf import get_metadata, set_metadata with ebook.open(ebook.opf_name, 'r+b') as stream, open(new_opf, 'rb') as ns: mi = get_metadata(ns)[0] mi.cover, mi.cover_data = None, (None, None) opfbytes = set_metadata(stream, mi, apply_null=True, update_timestamp=True)[0] stream.seek(0) stream.truncate() stream.write(opfbytes) def download_resources(ebook, report) -> bool: changed = False url_to_referrer_map = get_external_resources(ebook) if url_to_referrer_map: n = len(url_to_referrer_map) report(ngettext('Downloading one external resource', 'Downloading {} external resources', n).format(n)) replacements, failures = download_external_resources(ebook, url_to_referrer_map) if not failures: report(_('Successfully downloaded all resources')) else: tb = [f'{url}\n\t{err}\n' for url, err in iteritems(failures)] if replacements: report(_('Failed to download some resources, see details below:')) else: report(_('Failed to download all resources, see details below:')) report(tb) if replacements: if replace_resources(ebook, url_to_referrer_map, replacements): changed = True else: report(_('No external resources found in book')) return changed def polish_one(ebook, opts, report, customization=None): def rt(x): return report('\n### ' + x) jacket = None changed = False customization = customization or CUSTOMIZATION.copy() has_subsettable_fonts = False for x in iter_subsettable_fonts(ebook): has_subsettable_fonts = True break if (opts.subset and has_subsettable_fonts) or opts.embed: stats = StatsCollector(ebook, do_embed=opts.embed) if opts.opf: changed = True rt(_('Updating metadata')) update_metadata(ebook, opts.opf) jacket = find_existing_jacket(ebook) if jacket is not None: replace_jacket(ebook, jacket) report(_('Updated metadata jacket')) report(_('Metadata updated\n')) if opts.cover: changed = True rt(_('Setting cover')) set_cover(ebook, opts.cover, report) report('') if opts.jacket: changed = True rt(_('Inserting metadata jacket')) if jacket is None: if add_or_replace_jacket(ebook): report(_('Existing metadata jacket replaced')) else: report(_('Metadata jacket inserted')) else: report(_('Existing metadata jacket replaced')) report('') if opts.remove_jacket: rt(_('Removing metadata jacket')) if remove_jacket(ebook): report(_('Metadata jacket removed')) changed = True else: report(_('No metadata jacket found')) report('') if opts.smarten_punctuation: rt(_('Smartening punctuation')) if smarten_punctuation(ebook, report): changed = True report('') if opts.embed: rt(_('Embedding referenced fonts')) if embed_all_fonts(ebook, stats, report): changed = True has_subsettable_fonts = True report('') if opts.subset: if has_subsettable_fonts: rt(_('Subsetting embedded fonts')) if subset_all_fonts(ebook, stats.font_stats, report): changed = True else: rt(_('No embedded fonts to subset')) report('') if opts.remove_unused_css: rt(_('Removing unused CSS rules')) if remove_unused_css( ebook, report, remove_unused_classes=customization['remove_unused_classes'], merge_rules=customization['merge_identical_selectors'], merge_rules_with_identical_properties=customization['merge_rules_with_identical_properties'], remove_unreferenced_sheets=customization['remove_unreferenced_sheets'] ): changed = True report('') if opts.compress_images: rt(_('Losslessly compressing images')) if compress_images(ebook, report)[0]: changed = True report('') if opts.upgrade_book: rt(_('Upgrading book, if possible')) if upgrade_book(ebook, report, remove_ncx=customization['remove_ncx']): changed = True report('') if opts.remove_soft_hyphens: rt(_('Removing soft hyphens')) remove_soft_hyphens(ebook, report) changed = True elif opts.add_soft_hyphens: rt(_('Adding soft hyphens')) add_soft_hyphens(ebook, report) changed = True if opts.download_external_resources: rt(_('Downloading external resources')) try: download_resources(ebook, report) except Exception: import traceback report(_('Failed to download resources with error:')) report(traceback.format_exc()) report('') return changed def polish(file_map, opts, log, report): st = time.time() for inbook, outbook in iteritems(file_map): report(_('## Polishing: %s')%(inbook.rpartition('.')[-1].upper())) ebook = get_container(inbook, log) polish_one(ebook, opts, report) ebook.commit(outbook) report('-'*70) report(_('Polishing took: %.1f seconds')%(time.time()-st)) REPORT = '{0} REPORT {0}'.format('-'*30) def gui_polish(data): files = data.pop('files') if not data.pop('metadata'): data.pop('opf') if not data.pop('do_cover'): data.pop('cover', None) file_map = {x:x for x in files} opts = ALL_OPTS.copy() opts.update(data) O = namedtuple('Options', ' '.join(ALL_OPTS)) opts = O(**opts) log = Log(level=Log.DEBUG) report = [] polish(file_map, opts, log, report.append) log('') log(REPORT) for msg in report: log(msg) return '\n\n'.join(report) def tweak_polish(container, actions, customization=None): opts = ALL_OPTS.copy() opts.update(actions) O = namedtuple('Options', ' '.join(ALL_OPTS)) opts = O(**opts) report = [] changed = polish_one(container, opts, report.append, customization=customization) return report, changed def option_parser(): from calibre.utils.config import OptionParser USAGE = _('%prog [options] input_file [output_file]\n\n') + re.sub( r'<.*?>', '', CLI_HELP['about']) parser = OptionParser(usage=USAGE) a = parser.add_option o = partial(a, default=False, action='store_true') o('--embed-fonts', '-e', dest='embed', help=CLI_HELP['embed']) o('--subset-fonts', '-f', dest='subset', help=CLI_HELP['subset']) a('--cover', '-c', help=_( 'Path to a cover image. Changes the cover specified in the e-book. ' 'If no cover is present, or the cover is not properly identified, inserts a new cover.')) a('--opf', '-o', help=_( 'Path to an OPF file. The metadata in the book is updated from the OPF file.')) o('--jacket', '-j', help=CLI_HELP['jacket']) o('--remove-jacket', help=CLI_HELP['remove_jacket']) o('--smarten-punctuation', '-p', help=CLI_HELP['smarten_punctuation']) o('--remove-unused-css', '-u', help=CLI_HELP['remove_unused_css']) o('--compress-images', '-i', help=CLI_HELP['compress_images']) o('--add-soft-hyphens', '-H', help=CLI_HELP['add_soft_hyphens']) o('--remove-soft-hyphens', help=CLI_HELP['remove_soft_hyphens']) o('--upgrade-book', '-U', help=CLI_HELP['upgrade_book']) o('--download-external-resources', '-d', help=CLI_HELP['download_external_resources']) o('--verbose', help=_('Produce more verbose output, useful for debugging.')) return parser def main(args=None): parser = option_parser() opts, args = parser.parse_args(args or sys.argv[1:]) log = Log(level=Log.DEBUG if opts.verbose else Log.INFO) if not args: parser.print_help() log.error(_('You must provide the input file to polish')) raise SystemExit(1) if len(args) > 2: parser.print_help() log.error(_('Unknown extra arguments')) raise SystemExit(1) if len(args) == 1: inbook = args[0] base, ext = inbook.rpartition('.')[0::2] outbook = base + '_polished.' + ext else: inbook, outbook = args popts = ALL_OPTS.copy() for k, v in iteritems(popts): popts[k] = getattr(opts, k, None) O = namedtuple('Options', ' '.join(popts)) popts = O(**popts) report = [] if not tuple(filter(None, (getattr(popts, name) for name in ALL_OPTS))): parser.print_help() log.error(_('You must specify at least one action to perform')) raise SystemExit(1) polish({inbook:outbook}, popts, log, report.append) log('') log(REPORT) for msg in report: log(msg) log('Output written to:', outbook) if __name__ == '__main__': main()
14,929
Python
.py
364
35.192308
121
0.66085
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,394
replace.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/replace.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' __docformat__ = 'restructuredtext en' import codecs import os import posixpath import shutil from collections import Counter, defaultdict from functools import partial from calibre import sanitize_file_name from calibre.ebooks.chardet import strip_encoding_declarations from calibre.ebooks.oeb.base import css_text from calibre.ebooks.oeb.polish.css import iter_declarations, remove_property_value from calibre.ebooks.oeb.polish.utils import extract from polyglot.builtins import iteritems, itervalues from polyglot.urllib import urlparse, urlunparse class LinkReplacer: def __init__(self, base, container, link_map, frag_map): self.base = base self.frag_map = frag_map self.link_map = link_map self.container = container self.replaced = False def __call__(self, url): if url and url.startswith('#'): repl = self.frag_map(self.base, url[1:]) if not repl or repl == url[1:]: return url self.replaced = True return '#' + repl name = self.container.href_to_name(url, self.base) if not name: return url nname = self.link_map.get(name, None) if not nname: return url purl = urlparse(url) href = self.container.name_to_href(nname, self.base) if purl.fragment: nfrag = self.frag_map(name, purl.fragment) if nfrag: href += '#%s'%nfrag if href != url: self.replaced = True return href class IdReplacer: def __init__(self, base, container, id_map): self.base, self.container, self.replaced = base, container, False self.id_map = id_map def __call__(self, url): if url and url.startswith('#'): repl = self.id_map.get(self.base, {}).get(url[1:]) if repl is None or repl == url[1:]: return url self.replaced = True return '#' + repl name = self.container.href_to_name(url, self.base) if not name: return url id_map = self.id_map.get(name) if id_map is None: return url purl = urlparse(url) nfrag = id_map.get(purl.fragment) if nfrag is None: return url purl = purl._replace(fragment=nfrag) href = urlunparse(purl) if href != url: self.replaced = True return href class LinkRebaser: def __init__(self, container, old_name, new_name): self.old_name, self.new_name = old_name, new_name self.container = container self.replaced = False def __call__(self, url): if url and url.startswith('#'): return url purl = urlparse(url) frag = purl.fragment name = self.container.href_to_name(url, self.old_name) if not name: return url if name == self.old_name: name = self.new_name href = self.container.name_to_href(name, self.new_name) if frag: href += '#' + frag if href != url: self.replaced = True return href def replace_links(container, link_map, frag_map=lambda name, frag:frag, replace_in_opf=False): ''' Replace links to files in the container. Will iterate over all files in the container and change the specified links in them. :param link_map: A mapping of old canonical name to new canonical name. For example: :code:`{'images/old.png': 'images/new.png'}` :param frag_map: A callable that takes two arguments ``(name, anchor)`` and returns a new anchor. This is useful if you need to change the anchors in HTML files. By default, it does nothing. :param replace_in_opf: If False, links are not replaced in the OPF file. ''' for name, media_type in iteritems(container.mime_map): if name == container.opf_name and not replace_in_opf: continue repl = LinkReplacer(name, container, link_map, frag_map) container.replace_links(name, repl) def replace_ids(container, id_map): ''' Replace all links in the container that pointed to the changed ids. :param id_map: A mapping of {name:id_map} where each id_map is a mapping of {old_id:new_id} :return: True iff at least one link was changed ''' changed = False for name, media_type in iteritems(container.mime_map): repl = IdReplacer(name, container, id_map) container.replace_links(name, repl) if name == container.opf_name: imap = id_map.get(name, {}) for item in container.opf_xpath('//*[@idref]'): old_id = item.get('idref') if old_id is not None: new_id = imap.get(old_id) if new_id is not None: item.set('idref', new_id) if repl.replaced: changed = True return changed def smarten_punctuation(container, report): from calibre.ebooks.conversion.preprocess import smarten_punctuation smartened = False for path in container.spine_items: name = container.abspath_to_name(path) changed = False with container.open(name, 'r+b') as f: html = container.decode(f.read()) newhtml = smarten_punctuation(html, container.log) if newhtml != html: changed = True report(_('Smartened punctuation in: %s')%name) newhtml = strip_encoding_declarations(newhtml) f.seek(0) f.truncate() f.write(codecs.BOM_UTF8 + newhtml.encode('utf-8')) if changed: # Add an encoding declaration (it will be added automatically when # serialized) root = container.parsed(name) for m in root.xpath('descendant::*[local-name()="meta" and @http-equiv]'): m.getparent().remove(m) container.dirty(name) smartened = True if not smartened: report(_('No punctuation that could be smartened found')) return smartened def rename_files(container, file_map): ''' Rename files in the container, automatically updating all links to them. :param file_map: A mapping of old canonical name to new canonical name, for example: :code:`{'text/chapter1.html': 'chapter1.html'}`. ''' overlap = set(file_map).intersection(set(itervalues(file_map))) if overlap: raise ValueError('Circular rename detected. The files %s are both rename targets and destinations' % ', '.join(overlap)) for name, dest in iteritems(file_map): if container.exists(dest): if name != dest and name.lower() == dest.lower(): # A case change on an OS with a case insensitive file-system. continue raise ValueError('Cannot rename {0} to {1} as {1} already exists'.format(name, dest)) if len(tuple(itervalues(file_map))) != len(set(itervalues(file_map))): raise ValueError('Cannot rename, the set of destination files contains duplicates') link_map = {} for current_name, new_name in iteritems(file_map): container.rename(current_name, new_name) if new_name != container.opf_name: # OPF is handled by the container link_map[current_name] = new_name replace_links(container, link_map, replace_in_opf=True) def replace_file(container, name, path, basename, force_mt=None): dirname, base = name.rpartition('/')[0::2] nname = sanitize_file_name(basename) if dirname: nname = dirname + '/' + nname with open(path, 'rb') as src: if name != nname: count = 0 b, e = nname.rpartition('.')[0::2] while container.exists(nname): count += 1 nname = b + ('_%d.%s' % (count, e)) rename_files(container, {name:nname}) mt = force_mt or container.guess_type(nname) container.mime_map[nname] = mt for itemid, q in iteritems(container.manifest_id_map): if q == nname: for item in container.opf_xpath('//opf:manifest/opf:item[@href and @id="%s"]' % itemid): item.set('media-type', mt) container.dirty(container.opf_name) with container.open(nname, 'wb') as dest: shutil.copyfileobj(src, dest) def mt_to_category(container, mt): from calibre.ebooks.oeb.base import OEB_DOCS, OEB_STYLES from calibre.ebooks.oeb.polish.utils import OEB_FONTS, guess_type if mt in OEB_DOCS: category = 'text' elif mt in OEB_STYLES: category = 'style' elif mt in OEB_FONTS: category = 'font' elif mt == guess_type('a.opf'): category = 'opf' elif mt == guess_type('a.ncx'): category = 'toc' else: category = mt.partition('/')[0] return category def get_recommended_folders(container, names): ''' Return the folders that are recommended for the given filenames. The recommendation is based on where the majority of files of the same type are located in the container. If no files of a particular type are present, the recommended folder is assumed to be the folder containing the OPF file. ''' from calibre.ebooks.oeb.polish.utils import guess_type counts = defaultdict(Counter) for name, mt in iteritems(container.mime_map): folder = name.rpartition('/')[0] if '/' in name else '' counts[mt_to_category(container, mt)][folder] += 1 try: opf_folder = counts['opf'].most_common(1)[0][0] except KeyError: opf_folder = '' recommendations = {category:counter.most_common(1)[0][0] for category, counter in iteritems(counts)} return {n:recommendations.get(mt_to_category(container, guess_type(os.path.basename(n))), opf_folder) for n in names} def normalize_case(container, val): def safe_listdir(x): try: return os.listdir(x) except OSError: return () parts = val.split('/') ans = [] for i in range(len(parts)): q = '/'.join(parts[:i+1]) x = container.name_to_abspath(q) xl = parts[i].lower() candidates = [c for c in safe_listdir(os.path.dirname(x)) if c != parts[i] and c.lower() == xl] ans.append(candidates[0] if candidates else parts[i]) return '/'.join(ans) def rationalize_folders(container, folder_type_map): all_names = set(container.mime_map) new_names = set() name_map = {} for key in tuple(folder_type_map): val = folder_type_map[key] folder_type_map[key] = normalize_case(container, val) for name in all_names: if name.startswith('META-INF/'): continue category = mt_to_category(container, container.mime_map[name]) folder = folder_type_map.get(category, None) if folder is not None: bn = posixpath.basename(name) new_name = posixpath.join(folder, bn) if new_name != name: c = 0 while new_name in all_names or new_name in new_names: c += 1 n, ext = bn.rpartition('.')[0::2] new_name = posixpath.join(folder, '%s_%d.%s' % (n, c, ext)) name_map[name] = new_name new_names.add(new_name) return name_map def remove_links_in_sheet(href_to_name, sheet, predicate): import_rules_to_remove = [] changed = False for i, r in enumerate(sheet): if r.type == r.IMPORT_RULE: name = href_to_name(r.href) if predicate(name, r.href, None): import_rules_to_remove.append(i) for i in sorted(import_rules_to_remove, reverse=True): sheet.deleteRule(i) changed = True for dec in iter_declarations(sheet): changed = remove_links_in_declaration(href_to_name, dec, predicate) or changed return changed def remove_links_in_declaration(href_to_name, style, predicate): def check_pval(v): if v.type == v.URI: name = href_to_name(v.uri) return predicate(name, v.uri, None) return False changed = False for p in tuple(style.getProperties(all=True)): changed = remove_property_value(p, check_pval) or changed return changed def remove_links_to(container, predicate): ''' predicate must be a function that takes the arguments (name, href, fragment=None) and returns True iff the link should be removed ''' from calibre.ebooks.oeb.base import OEB_DOCS, OEB_STYLES, XHTML, XPath, iterlinks stylepath = XPath('//h:style') styleattrpath = XPath('//*[@style]') changed = set() for name, mt in iteritems(container.mime_map): removed = False if mt in OEB_DOCS: root = container.parsed(name) for el, attr, href, pos in iterlinks(root, find_links_in_css=False): hname = container.href_to_name(href, name) frag = href.partition('#')[-1] if predicate(hname, href, frag): if attr is None: el.text = None else: if el.tag == XHTML('link') or el.tag == XHTML('img'): extract(el) else: del el.attrib[attr] removed = True for tag in stylepath(root): if tag.text and (tag.get('type') or 'text/css').lower() == 'text/css': sheet = container.parse_css(tag.text) if remove_links_in_sheet(partial(container.href_to_name, base=name), sheet, predicate): tag.text = css_text(sheet) removed = True for tag in styleattrpath(root): style = tag.get('style') if style: style = container.parse_css(style, is_declaration=True) if remove_links_in_declaration(partial(container.href_to_name, base=name), style, predicate): removed = True tag.set('style', css_text(style)) elif mt in OEB_STYLES: removed = remove_links_in_sheet(partial(container.href_to_name, base=name), container.parsed(name), predicate) if removed: changed.add(name) for i in changed: container.dirty(i) return changed def get_spine_order_for_all_files(container): linear_names, non_linear_names = [], [] for name, is_linear in container.spine_names: (linear_names if is_linear else non_linear_names).append(name) all_names = linear_names + non_linear_names spine_names = frozenset(all_names) ans = {} for spine_pos, name in enumerate(all_names): ans.setdefault(name, (spine_pos, -1)) for i, href in enumerate(container.iterlinks(name, get_line_numbers=False)): lname = container.href_to_name(href, name) if lname not in spine_names: ans.setdefault(lname, (spine_pos, i)) return ans
15,346
Python
.py
352
33.954545
133
0.604016
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,395
pretty.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/pretty.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' import textwrap # from lxml.etree import Element from calibre import force_unicode from calibre.ebooks.oeb.base import OEB_DOCS, OEB_STYLES, SVG, XHTML, XPNSMAP, barename, serialize from calibre.ebooks.oeb.polish.container import OPF_NAMESPACES from calibre.ebooks.oeb.polish.utils import guess_type from calibre.utils.icu import sort_key from polyglot.builtins import iteritems def isspace(x): return not x.strip('\u0009\u000a\u000c\u000d\u0020') def pretty_xml_tree(elem, level=0, indent=' '): ''' XML beautifier, assumes that elements that have children do not have textual content. Also assumes that there is no text immediately after closing tags. These are true for opf/ncx and container.xml files. If either of the assumptions are violated, there should be no data loss, but pretty printing won't produce optimal results.''' if (not elem.text and len(elem) > 0) or (elem.text and isspace(elem.text)): elem.text = '\n' + (indent * (level+1)) for i, child in enumerate(elem): pretty_xml_tree(child, level=level+1, indent=indent) if not child.tail or isspace(child.tail): l = level + 1 if i == len(elem) - 1: l -= 1 child.tail = '\n' + (indent * l) def pretty_opf(root): # Put all dc: tags first starting with title and author. Preserve order for # the rest. def dckey(x): return {'title':0, 'creator':1}.get(barename(x.tag), 2) for metadata in root.xpath('//opf:metadata', namespaces=OPF_NAMESPACES): dc_tags = metadata.xpath('./*[namespace-uri()="%s"]' % OPF_NAMESPACES['dc']) dc_tags.sort(key=dckey) for x in reversed(dc_tags): metadata.insert(0, x) # Group items in the manifest spine_ids = root.xpath('//opf:spine/opf:itemref/@idref', namespaces=OPF_NAMESPACES) spine_ids = {x:i for i, x in enumerate(spine_ids)} def manifest_key(x): mt = x.get('media-type', '') href = x.get('href', '') ext = href.rpartition('.')[-1].lower() cat = 1000 if mt in OEB_DOCS: cat = 0 elif mt == guess_type('a.ncx'): cat = 1 elif mt in OEB_STYLES: cat = 2 elif mt.startswith('image/'): cat = 3 elif ext in {'otf', 'ttf', 'woff', 'woff2'}: cat = 4 elif mt.startswith('audio/'): cat = 5 elif mt.startswith('video/'): cat = 6 if cat == 0: i = spine_ids.get(x.get('id', None), 1000000000) else: i = sort_key(href) return (cat, i) for manifest in root.xpath('//opf:manifest', namespaces=OPF_NAMESPACES): try: children = sorted(manifest, key=manifest_key) except AttributeError: continue # There are comments so dont sort since that would mess up the comments for x in reversed(children): manifest.insert(0, x) SVG_TAG = SVG('svg') BLOCK_TAGS = frozenset(map(XHTML, ( 'address', 'article', 'aside', 'audio', 'blockquote', 'body', 'canvas', 'col', 'colgroup', 'dd', 'div', 'dl', 'dt', 'fieldset', 'figcaption', 'figure', 'footer', 'form', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6', 'header', 'hgroup', 'hr', 'li', 'noscript', 'ol', 'output', 'p', 'pre', 'script', 'section', 'style', 'table', 'tbody', 'td', 'tfoot', 'th', 'thead', 'tr', 'ul', 'video', 'img'))) | {SVG_TAG} def isblock(x): if callable(x.tag) or not x.tag: return True if x.tag in BLOCK_TAGS: return True return False def has_only_blocks(x): if hasattr(x.tag, 'split') and len(x) == 0: # Tag with no children, return False if x.text and not isspace(x.text): return False for child in x: if not isblock(child) or (child.tail and not isspace(child.tail)): return False return True def indent_for_tag(x): prev = x.getprevious() x = x.getparent().text if prev is None else prev.tail if not x: return '' s = x.rpartition('\n')[-1] return s if isspace(s) else '' def set_indent(elem, attr, indent): x = getattr(elem, attr) if not x: x = indent else: lines = x.splitlines() if isspace(lines[-1]): lines[-1] = indent else: lines.append(indent) x = '\n'.join(lines) setattr(elem, attr, x) def pretty_block(parent, level=1, indent=' '): ''' Surround block tags with blank lines and recurse into child block tags that contain only other block tags ''' if not parent.text or isspace(parent.text): parent.text = '' nn = '\n' if hasattr(parent.tag, 'strip') and barename(parent.tag) in {'tr', 'td', 'th'} else '\n\n' parent.text = parent.text + nn + (indent * level) for i, child in enumerate(parent): if isblock(child) and has_only_blocks(child): pretty_block(child, level=level+1, indent=indent) elif child.tag == SVG_TAG: pretty_xml_tree(child, level=level, indent=indent) l = level if i == len(parent) - 1: l -= 1 if not child.tail or isspace(child.tail): child.tail = '' child.tail = child.tail + nn + (indent * l) def pretty_script_or_style(container, child): if child.text: indent = indent_for_tag(child) if child.tag.endswith('style'): child.text = force_unicode(pretty_css(container, '', child.text), 'utf-8') child.text = textwrap.dedent(child.text) child.text = '\n' + '\n'.join([(indent + x) if x else '' for x in child.text.splitlines()]) set_indent(child, 'text', indent) def pretty_html_tree(container, root): root.text = '\n\n' for child in root: child.tail = '\n\n' if hasattr(child.tag, 'endswith') and child.tag.endswith('}head'): pretty_xml_tree(child) for body in root.findall('h:body', namespaces=XPNSMAP): pretty_block(body) # Special case the handling of a body that contains a single block tag # with all content. In this case we prettify the containing block tag # even if it has non block children. if (len(body) == 1 and not callable(body[0].tag) and isblock(body[0]) and not has_only_blocks( body[0]) and barename(body[0].tag) not in ( 'pre', 'p', 'h1', 'h2', 'h3', 'h4', 'h5', 'h6') and len(body[0]) > 0): pretty_block(body[0], level=2) if container is not None: # Handle <script> and <style> tags for child in root.xpath('//*[local-name()="script" or local-name()="style"]'): pretty_script_or_style(container, child) def fix_html(container, raw): ' Fix any parsing errors in the HTML represented as a string in raw. Fixing is done using the HTML5 parsing algorithm. ' root = container.parse_xhtml(raw) return serialize(root, 'text/html') def pretty_html(container, name, raw): ' Pretty print the HTML represented as a string in raw ' root = container.parse_xhtml(raw) pretty_html_tree(container, root) return serialize(root, 'text/html') def pretty_css(container, name, raw): ' Pretty print the CSS represented as a string in raw ' sheet = container.parse_css(raw) return serialize(sheet, 'text/css') def pretty_xml(container, name, raw): ' Pretty print the XML represented as a string in raw. If ``name`` is the name of the OPF, extra OPF-specific prettying is performed. ' root = container.parse_xml(raw) if name == container.opf_name: pretty_opf(root) pretty_xml_tree(root) return serialize(root, 'text/xml') def fix_all_html(container): ' Fix any parsing errors in all HTML files in the container. Fixing is done using the HTML5 parsing algorithm. ' for name, mt in iteritems(container.mime_map): if mt in OEB_DOCS: container.parsed(name) container.dirty(name) def pretty_all(container): ' Pretty print all HTML/CSS/XML files in the container ' xml_types = {guess_type('a.ncx'), guess_type('a.xml'), guess_type('a.svg')} for name, mt in iteritems(container.mime_map): prettied = False if mt in OEB_DOCS: pretty_html_tree(container, container.parsed(name)) prettied = True elif mt in OEB_STYLES: container.parsed(name) prettied = True elif name == container.opf_name: root = container.parsed(name) pretty_opf(root) pretty_xml_tree(root) prettied = True elif mt in xml_types: pretty_xml_tree(container.parsed(name)) prettied = True if prettied: container.dirty(name)
8,905
Python
.py
206
35.592233
139
0.61518
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,396
tts.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/tts.py
#!/usr/bin/env python # License: GPLv3 Copyright: 2024, Kovid Goyal <kovid at kovidgoyal.net> import io import json import os import sys from collections import defaultdict from contextlib import suppress from functools import partial from typing import NamedTuple from lxml.etree import ElementBase as Element from lxml.etree import tostring as _tostring from calibre.ebooks.html_transform_rules import unwrap_tag from calibre.ebooks.oeb.base import EPUB, EPUB_NS, SMIL_NS, barename from calibre.ebooks.oeb.polish.container import OEB_DOCS, seconds_to_timestamp from calibre.ebooks.oeb.polish.errors import UnsupportedContainerType from calibre.ebooks.oeb.polish.upgrade import upgrade_book from calibre.spell.break_iterator import split_into_sentences_for_tts_embed from calibre.utils.localization import canonicalize_lang, get_lang class Sentence(NamedTuple): elem_id: str text: str lang: str voice: str def tostring(x) -> str: return _tostring(x, encoding='unicode') def lang_for_elem(elem, parent_lang): return canonicalize_lang(elem.get('lang') or elem.get('xml_lang') or elem.get('{http://www.w3.org/XML/1998/namespace}lang')) or parent_lang def has_text(elem): if elem.text and elem.text.strip(): return True for child in elem: if child.tail and child.tail.strip(): return True return False class Chunk(NamedTuple): child: Element | None text: str start_at: int is_tail: bool = False continued_tag_names = frozenset({ 'a', 'span', 'em', 'strong', 'b', 'i', 'u', 'code', 'sub', 'sup', 'cite', 'q', 'kbd' }) ignored_tag_names = frozenset({ 'img', 'object', 'script', 'style', 'head', 'title', 'form', 'input', 'br', 'hr', 'map', 'textarea', 'svg', 'math', 'rp', 'rt', 'rtc', }) id_prefix = 'cttsw-' data_name = 'data-calibre-tts' skip_name = '__skip__' def unmark_sentences_in_html(root): for x in root.xpath(f'//*[starts-with(@id, "{id_prefix}")]'): x.attrib.pop('id') if not x.attrib and x.tag and x.tag.endswith('span'): unwrap_tag(x) def mark_sentences_in_html(root, lang: str = '', voice: str = '') -> list[Sentence]: root_lang = canonicalize_lang(lang_for_elem(root, canonicalize_lang(lang or get_lang())) or 'en') root_voice = voice seen_ids = set(root.xpath('//*/@id')) id_counter = 1 ans = [] clones_map = defaultdict(list) class Parent: def __init__(self, elem, tag_name, parent_lang, parent_voice, child_lang=''): self.elem = elem self.tag_name = tag_name self.lang = child_lang or lang_for_elem(elem, parent_lang) self.parent_lang = parent_lang self.parent_voice = parent_voice q = elem.get(data_name, '') self.voice = parent_voice if q.startswith('{'): # } with suppress(Exception): q = json.loads(q) self.voice = q.get('voice') or parent_voice else: self.voice = q or parent_voice self.pos = 0 self.texts = [] if elem.text and elem.text.strip(): self.texts.append(Chunk(None, elem.text, self.pos)) self.pos += len(elem.text) self.children = tuple(elem.iterchildren()) self.has_tail = bool((elem.tail or '').strip()) def add_simple_child(self, elem): if text := elem.text: self.texts.append(Chunk(elem, text, self.pos)) self.pos += len(text) def add_tail(self, elem, text): self.texts.append(Chunk(elem, text, self.pos, is_tail=True)) self.pos += len(text) def commit(self) -> None: if self.texts: text = ''.join(c.text for c in self.texts) self.pos = 0 for start, length in split_into_sentences_for_tts_embed(text, self.lang): stext = text[start:start+length] if stext.strip() and self.voice != '__skip__': elem_id = self.wrap_sentence(start, length) ans.append(Sentence(elem_id, stext, self.lang, self.voice)) if self.has_tail: p = self.elem.getparent() spans = [] before = after = None for start, length in split_into_sentences_for_tts_embed(self.elem.tail, self.parent_lang): end = start + length text = self.elem.tail[start:end] if not text.strip() or self.parent_voice == '__skip__': continue if before is None: before = self.elem.tail[:start] span = self.make_wrapper(text, p) spans.append(span) ans.append(Sentence(span.get('id'), text, self.parent_lang, self.parent_voice)) after = self.elem.tail[end:] self.elem.tail = before if after and spans: spans[-1].tail = after idx = p.index(self.elem) p[idx+1:idx+1] = spans def make_into_wrapper(self, elem: Element) -> str: nonlocal id_counter while True: q = f'{id_prefix}{id_counter}' if q not in seen_ids: elem.set('id', q) seen_ids.add(q) return q id_counter += 1 def make_wrapper(self, text: str | None, elem: Element | None = None) -> Element: if elem is None: elem = self.elem ns, sep, _ = elem.tag.partition('}') ans = elem.makeelement(ns + sep + 'span') ans.text = text self.make_into_wrapper(ans) return ans def replace_reference_to_child(self, elem: Element, replacement: Element) -> None: for i in range(self.pos + 1, len(self.texts)): if self.texts[i].child is elem: self.texts[i] = self.texts[i]._replace(child=replacement) else: break def wrap_contents(self, first_child: Element | None, last_child: Element) -> Element: w = self.make_wrapper(self.elem.text if first_child is None else None) in_range = False for c in self.elem.iterchildren('*'): if not in_range and (first_child is None or first_child is c): in_range = True pos = self.elem.index(c) self.elem.insert(pos, w) w.append(c) first_child = c if in_range: if c is last_child: if last_child is not first_child: w.append(c) break else: w.append(c) self.replace_reference_to_child(last_child, w) return w def clone_simple_element(self, elem: Element) -> Element: ans = elem.makeelement(elem.tag) ans.attrib.update(elem.attrib) ans.attrib.pop('id', None) ans.attrib.pop('name', None) ans.text, ans.tail = elem.text, elem.tail p = elem.getparent() idx = p.index(elem) p.insert(idx + 1, ans) self.replace_reference_to_child(elem, ans) clones_map[elem].append(ans) return ans def wrap_sentence(self, start: int, length: int) -> str: end = start + length start_chunk = end_chunk = -1 start_offset = end_offset = 0 for i in range(self.pos, len(self.texts)): c = self.texts[i] if c.start_at <= start: start_chunk = i start_offset = start - c.start_at if end <= c.start_at + len(c.text): end_chunk = i self.pos = i end_offset = end - c.start_at break else: self.pos = end_chunk = len(self.texts) - 1 end_offset = len(self.texts[-1].text) assert start_chunk > -1 s, e = self.texts[start_chunk], self.texts[end_chunk] if s.child is None: # start in leading text of parent element if e is s: # end also in leading text of parent element before, sentence, after = s.text[:start_offset], s.text[start_offset:end_offset], s.text[end_offset:] self.elem.text = before w = self.make_wrapper(sentence) self.elem.insert(0, w) w.tail = after if after: self.texts[self.pos] = Chunk(w, after, end, is_tail=True) else: self.pos += 1 return w.get('id') if e.is_tail: # ending in the tail of a child before_start, after_start = s.text[:start_offset], s.text[start_offset:] included, after = e.text[:end_offset], e.text[end_offset:] e.child.tail = included self.elem.text = after_start w = self.wrap_contents(None, e.child) w.tail = after self.elem.text = before_start if after: self.texts[self.pos] = Chunk(w, after, end, is_tail=True) else: self.pos += 1 return w.get('id') # ending inside a child before_start, after_start = s.text[:start_offset], s.text[start_offset:] included, after = e.text[:end_offset], e.text[end_offset:] e.child.text = included c = self.clone_simple_element(e.child) c.text = after e.child.tail = None self.elem.text = after_start w = self.wrap_contents(None, e.child) self.elem.text = before_start if after: self.texts[self.pos] = Chunk(c, c.text, end) else: self.pos += 1 return w.get('id') # starting in a child text or tail if s.is_tail: if e.is_tail: if s is e: # end in tail of same element before, sentence, after = s.text[:start_offset], s.text[start_offset:end_offset], s.text[end_offset:] s.child.tail = before w = self.make_wrapper(sentence) w.tail = after idx = self.elem.index(s.child) self.elem.insert(idx + 1, w) if after: self.texts[self.pos] = Chunk(w, after, end, is_tail=True) else: self.pos += 1 return w.get('id') s.child.tail, after_start = s.text[:start_offset], s.text[start_offset:] e.child.tail, after_end = e.text[:end_offset], e.text[end_offset:] idx = self.elem.index(s.child) w = self.wrap_contents(self.elem[idx+1], e.child) w.text, w.tail = after_start, after_end if after_end: self.texts[self.pos] = Chunk(w, after_end, end, is_tail=True) else: self.pos += 1 return w.get('id') # end inside some subsequent simple element s.child.tail, after_start = s.text[:start_offset], s.text[start_offset:] e.child.text, after_end = e.text[:end_offset], e.text[end_offset:] c = self.clone_simple_element(e.child) c.text = after_end e.child.tail = None w = self.wrap_contents(self.elem[self.elem.index(s.child) + 1], e.child) w.text = after_start if after_end: self.texts[self.pos] = Chunk(c, after_end, end) else: self.pos += 1 return w.get('id') # start is in the text of a simple child if s.child is e.child: if e.is_tail: # ending in tail of element we start in before_start, after_start = s.text[:start_offset], s.text[start_offset:] c = self.clone_simple_element(s.child) s.child.text, s.child.tail = before_start, None before_end, after_end = e.text[:end_offset], e.text[end_offset:] c.text, c.tail = after_start, before_end w = self.wrap_contents(c, c) w.tail = after_end if after_end: self.texts[self.pos] = Chunk(w, after_end, end, is_tail=True) else: self.pos += 1 return w.get('id') # start and end in text of element before, sentence, after = s.text[:start_offset], s.text[start_offset:end_offset], s.text[end_offset:] c = self.clone_simple_element(s.child) s.child.text, s.child.tail = before, None c.text, c.tail = sentence, None c2 = self.clone_simple_element(c) c2.text = after self.make_into_wrapper(c) if after: self.texts[self.pos] = Chunk(c2, after, end) else: self.pos += 1 return c.get('id') # end is in a subsequent simple child or tail of one s.child.text, after_start = s.text[:start_offset], s.text[start_offset:] c = self.clone_simple_element(s.child) c.text, s.child.tail = after_start, None if e.is_tail: e.child.tail, after_end = e.text[:end_offset], e.text[end_offset:] w = self.wrap_contents(c, e.child) w.tail = after_end if after_end: self.texts[self.pos] = Chunk(w, after_end, end, is_tail=True) else: self.pos += 1 return w.get('id') # end is in text of subsequent simple child e.child.text, after_end = e.text[:end_offset], e.text[end_offset:] c2 = self.clone_simple_element(e.child) c2.text, e.child.tail = after_end, None w = self.wrap_contents(c, e.child) if after_end: self.texts[self.pos] = Chunk(c2, after_end, end) else: self.pos += 1 return w.get('id') stack_of_parents = [Parent(elem, 'body', root_lang, root_voice) for elem in root.iterchildren('*') if barename(elem.tag).lower() == 'body'] while stack_of_parents: p = stack_of_parents.pop() simple_allowed = True children_to_process = [] for child in p.children: child_voice = child.get(data_name, '') child_lang = lang_for_elem(child, p.lang) child_tag_name = barename(child.tag).lower() if isinstance(child.tag, str) else '' if simple_allowed and child_lang == p.lang and child_voice == p.voice and child_tag_name in continued_tag_names and len(child) == 0: p.add_simple_child(child) elif child_tag_name not in ignored_tag_names: simple_allowed = False children_to_process.append(Parent(child, child_tag_name, p.lang, p.voice, child_lang=child_lang)) if simple_allowed and (text := child.tail): p.add_tail(child, text) p.commit() stack_of_parents.extend(reversed(children_to_process)) for src_elem, clones in clones_map.items(): for clone in clones + [src_elem]: if not clone.text and not clone.tail and not clone.get('id') and not clone.get('name'): if (p := clone.getparent()) is not None: p.remove(clone) return ans class PerFileData: def __init__(self, name: str): self.name = name self.root = None self.sentences: list[Sentence] = [] self.key_map: dict[tuple[str, str], list[Sentence]] = defaultdict(list) self.audio_file_name = self.smil_file_name = '' class ReportProgress: def __init__(self): self.current_stage = '' def __call__(self, stage: str, item: str, count: int, total: int) -> bool: if stage != self.current_stage: self.current_stage = stage print() print(self.current_stage) return False frac = count / total print(f'\r{frac:4.0%} {item}', end='') return False def make_par(container, seq, html_href, audio_href, elem_id, pos, duration) -> None: seq.set(EPUB('textref'), html_href) par = seq.makeelement('par') par.tail = seq.text par.set('id', f'par-{len(seq) + 1}') seq.append(par) par.text = seq.text + ' ' text = par.makeelement('text') text.set('src', f'{html_href}#{elem_id}') text.tail = par.text par.append(text) audio = par.makeelement('audio') audio.tail = par.tail par.append(audio) audio.set('src', audio_href) audio.set('clipBegin', seconds_to_timestamp(pos)) audio.set('clipEnd', seconds_to_timestamp(pos + duration)) def remove_embedded_tts(container): manifest_items = container.manifest_items id_map = {item.get('id'): item for item in manifest_items} container.set_media_overlay_durations({}) media_files = set() for item in manifest_items: smil_id = item.attrib.pop('media-overlay', '') href = item.get('href') if href and smil_id: name = container.href_to_name(href, container.opf_name) root = container.parsed(name) unmark_sentences_in_html(root) container.dirty(name) smil_item = id_map.get(smil_id) if smil_item is not None: smil_href = smil_item.get('href') if smil_href: smil_name = container.href_to_name(smil_item.get('href'), container.opf_name) media_files.add(smil_name) smil_root = container.parsed(smil_name) for ahref in smil_root.xpath('//*[local-name() = "audio"]/@src'): aname = container.href_to_name(ahref, smil_name) media_files.add(aname) container.remove_from_xml(smil_item) for aname in media_files: container.remove_item(aname) container.dirty(container.opf_name) def embed_tts(container, report_progress=None, callback_to_download_voices=None): report_progress = report_progress or ReportProgress() if container.book_type != 'epub': raise UnsupportedContainerType(_('Only the EPUB format has support for embedding speech overlay audio')) if container.opf_version_parsed[0] < 3: if report_progress(_('Updating book internals'), '', 0, 0): return False upgrade_book(container, print) remove_embedded_tts(container) from calibre.gui2.tts.piper import HIGH_QUALITY_SAMPLE_RATE, PiperEmbedded from calibre_extensions.ffmpeg import transcode_single_audio_stream, wav_header_for_pcm_data piper = PiperEmbedded() language = container.mi.language name_map = {} for name, is_linear in container.spine_names: if container.mime_map.get(name) in OEB_DOCS: name_map[name] = PerFileData(name) stage = _('Processing HTML') if report_progress(stage, '', 0, len(name_map)): return False all_voices = set() total_num_sentences = 0 files_with_no_sentences = set() for i, (name, pfd) in enumerate(name_map.items()): pfd.root = container.parsed(name) pfd.sentences = mark_sentences_in_html(pfd.root, lang=language) if not pfd.sentences: files_with_no_sentences.add(name) else: total_num_sentences += len(pfd.sentences) for s in pfd.sentences: key = s.lang, s.voice pfd.key_map[key].append(s) all_voices.add(key) container.dirty(name) if report_progress(stage, name, i+1, len(name_map)): return False for rname in files_with_no_sentences: name_map.pop(rname) if callback_to_download_voices is None: piper.ensure_voices_downloaded(iter(all_voices)) else: if not callback_to_download_voices(partial(piper.ensure_voices_downloaded, iter(all_voices))): return False stage = _('Converting text to speech') if report_progress(stage, '', 0, total_num_sentences): return False snum = 0 size_of_audio_data = 0 mmap = {container.href_to_name(item.get('href'), container.opf_name):item for item in container.manifest_items} for name, pfd in name_map.items(): duration_map = {} audio_map: dict[Sentence, tuple[bytes, float]] = {} for (lang, voice), sentences in pfd.key_map.items(): texts = tuple(s.text for s in sentences) for i, (audio_data, duration) in enumerate(piper.text_to_raw_audio_data(texts, lang, voice, sample_rate=HIGH_QUALITY_SAMPLE_RATE)): s = sentences[i] audio_map[s] = audio_data, duration size_of_audio_data += len(audio_data) snum += 1 if report_progress(stage, _('Sentence: {0} of {1}').format(snum, total_num_sentences), snum, total_num_sentences): return False wav = io.BytesIO() wav.write(wav_header_for_pcm_data(size_of_audio_data, HIGH_QUALITY_SAMPLE_RATE)) durations = [] file_duration = 0 for i, s in enumerate(pfd.sentences): audio_data, duration = audio_map[s] if duration > 0: wav.write(audio_data) durations.append((s.elem_id, file_duration, duration)) file_duration += duration if not file_duration: continue afitem = container.generate_item(name + '.m4a', id_prefix='tts-') pfd.audio_file_name = container.href_to_name(afitem.get('href'), container.opf_name) smilitem = container.generate_item(name + '.smil', id_prefix='smil-') pfd.smil_file_name = container.href_to_name(smilitem.get('href'), container.opf_name) with container.open(pfd.smil_file_name, 'w') as sf: sf.write(f'''\ <smil xmlns="{SMIL_NS}" xmlns:epub="{EPUB_NS}" version="3.0"> <body> <seq id="generated-by-calibre"> X </seq> </body> </smil>''') smil_root = container.parsed(pfd.smil_file_name) seq = smil_root[0][0] seq.text = seq.text[:seq.text.find('X')] audio_href = container.name_to_href(pfd.audio_file_name, pfd.smil_file_name) html_href = container.name_to_href(pfd.name, pfd.smil_file_name) for elem_id, clip_start, duration in durations: make_par(container, seq, html_href, audio_href, elem_id, clip_start, duration) if len(seq): seq[-1].tail = seq.text[:-2] wav.seek(0) with container.open(pfd.audio_file_name, 'wb') as m4a: transcode_single_audio_stream(wav, m4a) container.pretty_print.add(pfd.smil_file_name) container.dirty(pfd.smil_file_name) container.serialize_item(pfd.smil_file_name) html_item = mmap[name] html_item.set('media-overlay', smilitem.get('id')) duration_map[smilitem.get('id')] = file_duration container.set_media_overlay_durations(duration_map) return True def develop(): from calibre.ebooks.oeb.polish.container import get_container path = sys.argv[-1] container = get_container(path, tweak_mode=True) embed_tts(container) b, e = os.path.splitext(path) outpath = b + '-tts' + e container.commit(outpath) print('Output saved to:', outpath) if __name__ == '__main__': develop()
24,511
Python
.py
526
33.81749
144
0.549219
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,397
links.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/check/links.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' import os from collections import defaultdict from threading import Thread from calibre import browser from calibre.ebooks.oeb.base import OEB_DOCS, OEB_STYLES, XHTML_MIME, urlunquote from calibre.ebooks.oeb.polish.check.base import ERROR, INFO, WARN, BaseError from calibre.ebooks.oeb.polish.cover import get_raster_cover_name from calibre.ebooks.oeb.polish.parsing import parse_html5 from calibre.ebooks.oeb.polish.replace import remove_links_to from calibre.ebooks.oeb.polish.utils import OEB_FONTS, actual_case_for_name, corrected_case_for_name, guess_type from polyglot.builtins import iteritems, itervalues from polyglot.queue import Empty, Queue from polyglot.urllib import urlparse class BadLink(BaseError): HELP = _('The resource pointed to by this link does not exist. You should' ' either fix, or remove the link.') level = WARN class InvalidCharInLink(BadLink): HELP = _('Windows computers do not allow the : character in filenames. For maximum' ' compatibility it is best to not use these in filenames/links to files.') class MalformedURL(BadLink): HELP = _('This URL could not be parsed.') level = ERROR class CaseMismatch(BadLink): def __init__(self, href, corrected_name, name, lnum, col): BadLink.__init__(self, _('The linked to resource {0} does not exist').format(href), name, line=lnum, col=col) self.HELP = _('The case of the link {0} and the case of the actual file it points to {1}' ' do not agree. You should change either the case of the link or rename the file.').format( href, corrected_name) self.INDIVIDUAL_FIX = _('Change the case of the link to match the actual file') self.corrected_name = corrected_name self.href = href def __call__(self, container): frag = urlparse(self.href).fragment nhref = container.name_to_href(self.corrected_name, self.name) if frag: nhref += '#' + frag orig_href = self.href class LinkReplacer: replaced = False def __call__(self, url): if url != orig_href: return url self.replaced = True return nhref replacer = LinkReplacer() container.replace_links(self.name, replacer) return replacer.replaced class BadDestinationType(BaseError): level = WARN def __init__(self, link_source, link_dest, link_elem): BaseError.__init__(self, _('Link points to a file that is not a text document'), link_source, line=link_elem.sourceline) self.HELP = _('The link "{0}" points to a file <i>{1}</i> that is not a text (HTML) document.' ' Many e-book readers will be unable to follow such a link. You should' ' either remove the link or change it to point to a text document.' ' For example, if it points to an image, you can create small wrapper' ' document that contains the image and change the link to point to that.').format( link_elem.get('href'), link_dest) self.bad_href = link_elem.get('href') class BadDestinationFragment(BaseError): level = WARN def __init__(self, link_source, link_dest, link_elem, fragment): BaseError.__init__(self, _('Link points to a location not present in the target file'), link_source, line=link_elem.sourceline) self.bad_href = link_elem.get('href') self.HELP = _('The link "{0}" points to a location <i>{1}</i> in the file {2} that does not exist.' ' You should either remove the location so that the link points to the top of the file,' ' or change the link to point to the correct location.').format( self.bad_href, fragment, link_dest) class FileLink(BadLink): HELP = _('This link uses the file:// URL scheme. This does not work with many e-book readers.' ' Remove the file:// prefix and make sure the link points to a file inside the book.') class LocalLink(BadLink): HELP = _('This link points to a file outside the book. It will not work if the' ' book is read on any computer other than the one it was created on.' ' Either fix or remove the link.') class EmptyLink(BadLink): HELP = _('This link is empty. This is almost always a mistake. Either fill in the link destination or remove the link tag.') class UnreferencedResource(BadLink): HELP = _('This file is included in the book but not referred to by any document in the spine.' ' This means that the file will not be viewable on most e-book readers. You should ' ' probably remove this file from the book or add a link to it somewhere.') def __init__(self, name): BadLink.__init__(self, _( 'The file %s is not referenced') % name, name) class UnreferencedDoc(UnreferencedResource): HELP = _('This file is not in the book spine. All content documents must be in the spine.' ' You should probably add it to the spine.') INDIVIDUAL_FIX = _('Append this file to the spine') def __call__(self, container): from calibre.ebooks.oeb.base import OPF rmap = {v:k for k, v in iteritems(container.manifest_id_map)} if self.name in rmap: manifest_id = rmap[self.name] else: manifest_id = container.add_name_to_manifest(self.name) spine = container.opf_xpath('//opf:spine')[0] si = spine.makeelement(OPF('itemref'), idref=manifest_id) container.insert_into_xml(spine, si) container.dirty(container.opf_name) return True class Unmanifested(BadLink): HELP = _('This file is not listed in the book manifest. While not strictly necessary' ' it is good practice to list all files in the manifest. Either list this' ' file in the manifest or remove it from the book if it is an unnecessary file.') def __init__(self, name, unreferenced=None): BadLink.__init__(self, _( 'The file %s is not listed in the manifest') % name, name) self.file_action = None if unreferenced is not None: self.INDIVIDUAL_FIX = _( 'Remove %s from the book') % name if unreferenced else _( 'Add %s to the manifest') % name self.file_action = 'remove' if unreferenced else 'add' def __call__(self, container): if self.file_action == 'remove': container.remove_item(self.name) else: rmap = {v:k for k, v in iteritems(container.manifest_id_map)} if self.name not in rmap: container.add_name_to_manifest(self.name) return True class DanglingLink(BadLink): def __init__(self, text, target_name, name, lnum, col): BadLink.__init__(self, text, name, lnum, col) self.INDIVIDUAL_FIX = _('Remove all references to %s from the HTML and CSS in the book') % target_name self.target_name = target_name def __call__(self, container): return bool(remove_links_to(container, lambda name, *a: name == self.target_name)) class Bookmarks(BadLink): HELP = _( 'This file stores the bookmarks and last opened information from' ' the calibre E-book viewer. You can remove it if you do not' ' need that information, or don\'t want to share it with' ' other people you send this book to.') INDIVIDUAL_FIX = _('Remove this file') level = INFO def __init__(self, name): BadLink.__init__(self, _( 'The bookmarks file used by the calibre E-book viewer is present'), name) def __call__(self, container): container.remove_item(self.name) return True class MimetypeMismatch(BaseError): level = WARN def __init__(self, container, name, opf_mt, ext_mt): self.opf_mt, self.ext_mt = opf_mt, ext_mt self.file_name = name BaseError.__init__(self, _('The file %s has a MIME type that does not match its extension') % name, container.opf_name) ext = name.rpartition('.')[-1] self.HELP = _('The file {0} has its MIME type specified as {1} in the OPF file.' ' The recommended MIME type for files with the extension "{2}" is {3}.' ' You should change either the file extension or the MIME type in the OPF.').format( name, opf_mt, ext, ext_mt) if opf_mt in OEB_DOCS and name in {n for n, l in container.spine_names}: self.INDIVIDUAL_FIX = _('Change the file extension to .xhtml') self.change_ext_to = 'xhtml' else: self.INDIVIDUAL_FIX = _('Change the MIME type for this file in the OPF to %s') % ext_mt self.change_ext_to = None def __call__(self, container): changed = False if self.change_ext_to is not None: from calibre.ebooks.oeb.polish.replace import rename_files new_name = self.file_name.rpartition('.')[0] + '.' + self.change_ext_to c = 0 while container.has_name(new_name): c += 1 new_name = self.file_name.rpartition('.')[0] + ('%d.' % c) + self.change_ext_to rename_files(container, {self.file_name:new_name}) changed = True else: for item in container.opf_xpath('//opf:manifest/opf:item[@href and @media-type="%s"]' % self.opf_mt): name = container.href_to_name(item.get('href'), container.opf_name) if name == self.file_name: changed = True item.set('media-type', self.ext_mt) container.mime_map[name] = self.ext_mt if changed: container.dirty(container.opf_name) return changed def check_mimetypes(container): errors = [] a = errors.append for name, mt in iteritems(container.mime_map): gt = container.guess_type(name) if mt != gt: if mt == 'application/oebps-page-map+xml' and name.lower().endswith('.xml'): continue a(MimetypeMismatch(container, name, mt, gt)) return errors def check_link_destination(container, dest_map, name, href, a, errors): if href.startswith('#'): tname = name else: try: tname = container.href_to_name(href, name) except ValueError: tname = None # Absolute links to files on another drive in windows cause this if tname and tname in container.mime_map: if container.mime_map[tname] not in OEB_DOCS: errors.append(BadDestinationType(name, tname, a)) else: root = container.parsed(tname) if hasattr(root, 'xpath'): if tname not in dest_map: dest_map[tname] = set(root.xpath('//*/@id|//*/@name')) purl = urlparse(href) if purl.fragment and purl.fragment not in dest_map[tname]: errors.append(BadDestinationFragment(name, tname, a, purl.fragment)) else: errors.append(BadDestinationType(name, tname, a)) def check_link_destinations(container): ' Check destinations of links that point to HTML files ' errors = [] dest_map = {} opf_type = guess_type('a.opf') ncx_type = guess_type('a.ncx') for name, mt in iteritems(container.mime_map): if mt in OEB_DOCS: for a in container.parsed(name).xpath('//*[local-name()="a" and @href]'): href = a.get('href') check_link_destination(container, dest_map, name, href, a, errors) elif mt == opf_type: for a in container.opf_xpath('//opf:reference[@href]'): if container.book_type == 'azw3' and a.get('type') in {'cover', 'other.ms-coverimage-standard', 'other.ms-coverimage'}: continue href = a.get('href') check_link_destination(container, dest_map, name, href, a, errors) elif mt == ncx_type: for a in container.parsed(name).xpath('//*[local-name() = "content" and @src]'): href = a.get('src') check_link_destination(container, dest_map, name, href, a, errors) return errors def check_links(container): links_map = defaultdict(set) xml_types = {guess_type('a.opf'), guess_type('a.ncx')} errors = [] a = errors.append def fl(x): x = repr(x) if x.startswith('u'): x = x[1:] return x for name, mt in iteritems(container.mime_map): if mt in OEB_DOCS or mt in OEB_STYLES or mt in xml_types: for href, lnum, col in container.iterlinks(name): if not href: a(EmptyLink(_('The link is empty'), name, lnum, col)) try: tname = container.href_to_name(href, name) except ValueError: tname = None # Absolute paths to files on another drive in windows cause this if tname is not None: if container.exists(tname): if tname in container.mime_map: links_map[name].add(tname) else: # Filesystem says the file exists, but it is not in # the mime_map, so either there is a case mismatch # or the link is a directory apath = container.name_to_abspath(tname) if os.path.isdir(apath): a(BadLink(_('The linked resource %s is a folder') % fl(href), name, lnum, col)) else: a(CaseMismatch(href, actual_case_for_name(container, tname), name, lnum, col)) else: cname = corrected_case_for_name(container, tname) if cname is not None: a(CaseMismatch(href, cname, name, lnum, col)) else: a(DanglingLink(_('The linked resource %s does not exist') % fl(href), tname, name, lnum, col)) else: try: purl = urlparse(href) except ValueError: a(MalformedURL(_('The URL {} could not be parsed').format(href), name, lnum, col)) else: if purl.scheme == 'file': a(FileLink(_('The link %s is a file:// URL') % fl(href), name, lnum, col)) elif purl.path and purl.path.startswith('/') and purl.scheme in {'', 'file'}: a(LocalLink(_('The link %s points to a file outside the book') % fl(href), name, lnum, col)) elif purl.path and purl.scheme in {'', 'file'} and ':' in urlunquote(purl.path): a(InvalidCharInLink( _('The link %s contains a : character, this will cause errors on Windows computers') % fl(href), name, lnum, col)) spine_docs = {name for name, linear in container.spine_names} spine_styles = {tname for name in spine_docs for tname in links_map[name] if container.mime_map.get(tname, None) in OEB_STYLES} num = -1 while len(spine_styles) > num: # Handle import rules in stylesheets num = len(spine_styles) spine_styles |= {tname for name in spine_styles for tname in links_map[name] if container.mime_map.get(tname, None) in OEB_STYLES} seen = set(OEB_DOCS) | set(OEB_STYLES) spine_resources = {tname for name in spine_docs | spine_styles for tname in links_map[name] if container.mime_map[tname] not in seen} unreferenced = set() cover_name = container.guide_type_map.get('cover', None) nav_items = frozenset(container.manifest_items_with_property('nav')) for name, mt in iteritems(container.mime_map): if mt in OEB_STYLES and name not in spine_styles: a(UnreferencedResource(name)) elif mt in OEB_DOCS and name not in spine_docs and name not in nav_items: a(UnreferencedDoc(name)) elif (mt in OEB_FONTS or mt.partition('/')[0] in {'image', 'audio', 'video'}) and name not in spine_resources and name != cover_name: if mt.partition('/')[0] == 'image' and name == get_raster_cover_name(container): continue a(UnreferencedResource(name)) else: continue unreferenced.add(name) manifest_names = set(itervalues(container.manifest_id_map)) for name in container.mime_map: if name not in manifest_names and not container.ok_to_be_unmanifested(name): a(Unmanifested(name, unreferenced=name in unreferenced)) if name == 'META-INF/calibre_bookmarks.txt': a(Bookmarks(name)) return errors def get_html_ids(raw_data): ans = set() root = parse_html5(raw_data, discard_namespaces=True, line_numbers=False, fix_newlines=False) for body in root.xpath('//body'): ans.update(set(body.xpath('descendant-or-self::*/@id'))) ans.update(set(body.xpath('descendant::a/@name'))) return ans def check_external_links(container, progress_callback=(lambda num, total:None), check_anchors=True): progress_callback(0, 0) external_links = defaultdict(list) for name, mt in iteritems(container.mime_map): if mt in OEB_DOCS or mt in OEB_STYLES: for href, lnum, col in container.iterlinks(name): purl = urlparse(href) if purl.scheme in ('http', 'https'): external_links[href].append((name, href, lnum, col)) if not external_links: return [] items = Queue() ans = [] for el in iteritems(external_links): items.put(el) progress_callback(0, len(external_links)) done = [] downloaded_html_ids = {} def check_links(): br = browser(honor_time=False, verify_ssl_certificates=False) while True: try: full_href, locations = items.get_nowait() except Empty: return href, frag = full_href.partition('#')[::2] try: res = br.open(href, timeout=10) except Exception as e: ans.append((locations, e, full_href)) else: if frag and check_anchors: ct = res.info().get('Content-Type') if ct and ct.split(';')[0].lower() in {'text/html', XHTML_MIME}: ids = downloaded_html_ids.get(href) if ids is None: try: ids = downloaded_html_ids[href] = get_html_ids(res.read()) except Exception: ids = downloaded_html_ids[href] = frozenset() if frag not in ids: ans.append((locations, ValueError(f'HTML anchor {frag} not found on the page'), full_href)) res.close() finally: done.append(None) progress_callback(len(done), len(external_links)) workers = [Thread(name="CheckLinks", target=check_links) for i in range(min(10, len(external_links)))] for w in workers: w.daemon = True w.start() for w in workers: w.join() return ans
19,865
Python
.py
378
40.71164
146
0.591207
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,398
images.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/check/images.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' from io import BytesIO from PIL import Image from calibre import as_unicode from calibre.ebooks.oeb.polish.check.base import WARN, BaseError from calibre.ebooks.oeb.polish.check.parsing import EmptyFile from polyglot.builtins import error_message class InvalidImage(BaseError): HELP = _('An invalid image is an image that could not be loaded, typically because' ' it is corrupted. You should replace it with a good image or remove it.') def __init__(self, msg, *args, **kwargs): BaseError.__init__(self, 'Invalid image: ' + msg, *args, **kwargs) class CMYKImage(BaseError): HELP = _('Reader devices based on Adobe Digital Editions cannot display images whose' ' colors are specified in the CMYK colorspace. You should convert this image' ' to the RGB colorspace, for maximum compatibility.') INDIVIDUAL_FIX = _('Convert image to RGB automatically') level = WARN def __call__(self, container): from qt.core import QImage from calibre.gui2 import pixmap_to_data ext = container.mime_map[self.name].split('/')[-1].upper() if ext == 'JPG': ext = 'JPEG' if ext not in ('PNG', 'JPEG', 'GIF'): return False with container.open(self.name, 'r+b') as f: raw = f.read() i = QImage() i.loadFromData(raw) if i.isNull(): return False raw = pixmap_to_data(i, format=ext, quality=95) f.seek(0) f.truncate() f.write(raw) return True def check_raster_images(name, mt, raw): if not raw: return [EmptyFile(name)] errors = [] try: i = Image.open(BytesIO(raw)) except Exception as e: errors.append(InvalidImage(as_unicode(error_message(e)), name)) else: if i.mode == 'CMYK': errors.append(CMYKImage(_('Image is in the CMYK colorspace'), name)) return errors
2,091
Python
.py
51
33.176471
90
0.629263
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)
27,399
parsing.py
kovidgoyal_calibre/src/calibre/ebooks/oeb/polish/check/parsing.py
#!/usr/bin/env python __license__ = 'GPL v3' __copyright__ = '2013, Kovid Goyal <kovid at kovidgoyal.net>' import re from lxml.etree import XMLSyntaxError from calibre import human_readable, prepare_string_for_xml from calibre.ebooks.chardet import find_declared_encoding, replace_encoding_declarations from calibre.ebooks.html_entities import html5_entities from calibre.ebooks.oeb.base import OEB_DOCS, URL_SAFE, XHTML, XHTML_NS, urlquote from calibre.ebooks.oeb.polish.check.base import INFO, WARN, BaseError from calibre.ebooks.oeb.polish.pretty import pretty_script_or_style as fix_style_tag from calibre.ebooks.oeb.polish.utils import PositionFinder, guess_type from calibre.utils.xml_parse import safe_xml_fromstring from polyglot.builtins import error_message, iteritems HTML_ENTITTIES = frozenset(html5_entities) XML_ENTITIES = {'lt', 'gt', 'amp', 'apos', 'quot'} ALL_ENTITIES = HTML_ENTITTIES | XML_ENTITIES fix_style_tag replace_pat = re.compile('&(%s);' % '|'.join(re.escape(x) for x in sorted(HTML_ENTITTIES - XML_ENTITIES))) mismatch_pat = re.compile(r'tag mismatch:.+?line (\d+).+?line \d+') class EmptyFile(BaseError): HELP = _('This file is empty, it contains nothing, you should probably remove it.') INDIVIDUAL_FIX = _('Remove this file') def __init__(self, name): BaseError.__init__(self, _('The file %s is empty') % name, name) def __call__(self, container): container.remove_item(self.name) return True class DecodeError(BaseError): is_parsing_error = True HELP = _('A decoding errors means that the contents of the file could not' ' be interpreted as text. This usually happens if the file has' ' an incorrect character encoding declaration or if the file is actually' ' a binary file, like an image or font that is mislabelled with' ' an incorrect media type in the OPF.') def __init__(self, name): BaseError.__init__(self, _('Parsing of %s failed, could not decode') % name, name) class XMLParseError(BaseError): is_parsing_error = True HELP = _('A parsing error in an XML file means that the XML syntax in the file is incorrect.' ' Such a file will most probably not open in an e-book reader. These errors can ' ' usually be fixed automatically, however, automatic fixing can sometimes ' ' "do the wrong thing".') def __init__(self, msg, *args, **kwargs): msg = msg or '' BaseError.__init__(self, 'Parsing failed: ' + msg, *args, **kwargs) m = mismatch_pat.search(msg) if m is not None: self.has_multiple_locations = True self.all_locations = [(self.name, int(m.group(1)), None), (self.name, self.line, self.col)] class HTMLParseError(XMLParseError): HELP = _('A parsing error in an HTML file means that the HTML syntax is incorrect.' ' Most readers will automatically ignore such errors, but they may result in ' ' incorrect display of content. These errors can usually be fixed automatically,' ' however, automatic fixing can sometimes "do the wrong thing".') class PrivateEntities(XMLParseError): HELP = _('This HTML file uses private entities.' ' These are not supported. You can try running "Fix HTML" from the Tools menu,' ' which will try to automatically resolve the private entities.') class NamedEntities(BaseError): level = WARN INDIVIDUAL_FIX = _('Replace all named entities with their character equivalents in this book') HELP = _('Named entities are often only incompletely supported by various book reading software.' ' Therefore, it is best to not use them, replacing them with the actual characters they' ' represent. This can be done automatically.') def __init__(self, name): BaseError.__init__(self, _('Named entities present'), name) def __call__(self, container): changed = False from calibre.ebooks.oeb.polish.check.main import XML_TYPES check_types = XML_TYPES | OEB_DOCS for name, mt in iteritems(container.mime_map): if mt in check_types: raw = container.raw_data(name) nraw = replace_pat.sub(lambda m:html5_entities[m.group(1)], raw) if raw != nraw: changed = True with container.open(name, 'wb') as f: f.write(nraw.encode('utf-8')) return changed def make_filename_safe(name): from calibre.utils.filenames import ascii_filename def esc(n): return ''.join(x if x in URL_SAFE else '_' for x in n) return '/'.join(esc(ascii_filename(x)) for x in name.split('/')) class EscapedName(BaseError): level = WARN def __init__(self, name): BaseError.__init__(self, _('Filename contains unsafe characters'), name) qname = urlquote(name) self.sname = make_filename_safe(name) self.HELP = _( 'The filename {0} contains unsafe characters, that must be escaped, like' ' this {1}. This can cause problems with some e-book readers. To be' ' absolutely safe, use only the English alphabet [a-z], the numbers [0-9],' ' underscores and hyphens in your file names. While many other characters' ' are allowed, they may cause problems with some software.').format(name, qname) self.INDIVIDUAL_FIX = _( 'Rename the file {0} to {1}').format(name, self.sname) def __call__(self, container): from calibre.ebooks.oeb.polish.replace import rename_files all_names = set(container.name_path_map) bn, ext = self.sname.rpartition('.')[0::2] c = 0 while self.sname in all_names: c += 1 self.sname = '%s_%d.%s' % (bn, c, ext) rename_files(container, {self.name:self.sname}) return True class TooLarge(BaseError): level = INFO MAX_SIZE = 260 *1024 HELP = _('This HTML file is larger than %s. Too large HTML files can cause performance problems' ' on some e-book readers. Consider splitting this file into smaller sections.') % human_readable(MAX_SIZE) def __init__(self, name): BaseError.__init__(self, _('File too large'), name) class BadEntity(BaseError): HELP = _('This is an invalid (unrecognized) entity. Replace it with whatever' ' text it is supposed to have represented.') def __init__(self, ent, name, lnum, col): BaseError.__init__(self, _('Invalid entity: %s') % ent, name, lnum, col) class BadNamespace(BaseError): INDIVIDUAL_FIX = _( 'Run fix HTML on this file, which will automatically insert the correct namespace') def __init__(self, name, namespace): BaseError.__init__(self, _('Invalid or missing namespace'), name) self.HELP = prepare_string_for_xml(_( 'This file has {0}. Its namespace must be {1}. Set the namespace by defining the xmlns' ' attribute on the <html> element, like this <html xmlns="{1}">').format( (_('incorrect namespace %s') % namespace) if namespace else _('no namespace'), XHTML_NS)) def __call__(self, container): container.parsed(self.name) container.dirty(self.name) return True class NonUTF8(BaseError): level = WARN INDIVIDUAL_FIX = _("Change this file's encoding to UTF-8") def __init__(self, name, enc): BaseError.__init__(self, _('Non UTF-8 encoding declaration'), name) self.HELP = _('This file has its encoding declared as %s. Some' ' reader software cannot handle non-UTF8 encoded files.' ' You should change the encoding to UTF-8.') % enc def __call__(self, container): raw = container.raw_data(self.name) if isinstance(raw, str): raw, changed = replace_encoding_declarations(raw) if changed: container.open(self.name, 'wb').write(raw.encode('utf-8')) return True class EntitityProcessor: def __init__(self, mt): self.entities = ALL_ENTITIES if mt in OEB_DOCS else XML_ENTITIES self.ok_named_entities = [] self.bad_entities = [] def __call__(self, m): val = m.group(1).decode('ascii') if val in XML_ENTITIES: # Leave XML entities alone return m.group() if val.startswith('#'): nval = val[1:] try: if nval.startswith('x'): int(nval[1:], 16) else: int(nval, 10) except ValueError: # Invalid numerical entity self.bad_entities.append((m.start(), m.group())) return b' ' * len(m.group()) return m.group() if val in self.entities: # Known named entity, report it self.ok_named_entities.append(m.start()) else: self.bad_entities.append((m.start(), m.group())) return b' ' * len(m.group()) def check_html_size(name, mt, raw): errors = [] if len(raw) > TooLarge.MAX_SIZE: errors.append(TooLarge(name)) return errors entity_pat = re.compile(br'&(#{0,1}[a-zA-Z0-9]{1,8});') def check_encoding_declarations(name, container): errors = [] enc = find_declared_encoding(container.raw_data(name)) if enc is not None and enc.lower() != 'utf-8': errors.append(NonUTF8(name, enc)) return errors def check_for_private_entities(name, raw): if re.search(br'<!DOCTYPE\s+.+?<!ENTITY\s+.+?]>', raw, flags=re.DOTALL) is not None: return True def check_xml_parsing(name, mt, raw): if not raw: return [EmptyFile(name)] if check_for_private_entities(name, raw): return [PrivateEntities(_('Private entities found'), name)] raw = raw.replace(b'\r\n', b'\n').replace(b'\r', b'\n') # Get rid of entities as named entities trip up the XML parser eproc = EntitityProcessor(mt) eraw = entity_pat.sub(eproc, raw) errcls = HTMLParseError if mt in OEB_DOCS else XMLParseError errors = [] if eproc.ok_named_entities: errors.append(NamedEntities(name)) if eproc.bad_entities: position = PositionFinder(raw) for offset, ent in eproc.bad_entities: lnum, col = position(offset) errors.append(BadEntity(ent, name, lnum, col)) try: root = safe_xml_fromstring(eraw, recover=False) except UnicodeDecodeError: return errors + [DecodeError(name)] except XMLSyntaxError as err: try: line, col = err.position except Exception: line = col = None return errors + [errcls(error_message(err), name, line, col)] except Exception as err: return errors + [errcls(error_message(err), name)] if mt in OEB_DOCS: if root.nsmap.get(root.prefix, None) != XHTML_NS: errors.append(BadNamespace(name, root.nsmap.get(root.prefix, None))) return errors pos_pats = (re.compile(r'\[(\d+):(\d+)'), re.compile(r'(\d+), (\d+)\)')) class DuplicateId(BaseError): has_multiple_locations = True INDIVIDUAL_FIX = _( 'Remove the duplicate ids from all but the first element') def __init__(self, name, eid, locs): BaseError.__init__(self, _('Duplicate id: %s') % eid, name) self.HELP = _( 'The id {0} is present on more than one element in {1}. This is' ' not allowed. Remove the id from all but one of the elements').format(eid, name) self.all_locations = [(name, lnum, None) for lnum in sorted(locs)] self.duplicate_id = eid def __call__(self, container): elems = [e for e in container.parsed(self.name).xpath('//*[@id]') if e.get('id') == self.duplicate_id] for e in elems[1:]: e.attrib.pop('id') container.dirty(self.name) return True class InvalidId(BaseError): level = WARN INDIVIDUAL_FIX = _( 'Replace this id with a randomly generated valid id') def __init__(self, name, line, eid): BaseError.__init__(self, _('Invalid id: %s') % eid, name, line) self.HELP = _( 'The id {0} is not a valid id. IDs must start with a letter ([A-Za-z]) and may be' ' followed by any number of letters, digits ([0-9]), hyphens ("-"), underscores ("_")' ', colons (":"), and periods ("."). This is to ensure maximum compatibility' ' with a wide range of devices.').format(eid) self.invalid_id = eid def __call__(self, container): from calibre.ebooks.oeb.base import uuid_id from calibre.ebooks.oeb.polish.replace import replace_ids newid = uuid_id() changed = False elems = (e for e in container.parsed(self.name).xpath('//*[@id]') if e.get('id') == self.invalid_id) for e in elems: e.set('id', newid) changed = True container.dirty(self.name) if changed: replace_ids(container, {self.name:{self.invalid_id:newid}}) return changed class BareTextInBody(BaseError): INDIVIDUAL_FIX = _('Wrap the bare text in a p tag') HELP = _('You cannot have bare text inside the body tag. The text must be placed inside some other tag, such as p or div') has_multiple_locations = True def __init__(self, name, lines): BaseError.__init__(self, _('Bare text in body tag'), name) self.all_locations = [(name, l, None) for l in sorted(lines)] def __call__(self, container): root = container.parsed(self.name) for body in root.xpath('//*[local-name() = "body"]'): children = tuple(body.iterchildren('*')) if body.text and body.text.strip(): p = body.makeelement(XHTML('p')) p.text, body.text = body.text.strip(), '\n ' p.tail = '\n' if children: p.tail += ' ' body.insert(0, p) for child in children: if child.tail and child.tail.strip(): p = body.makeelement(XHTML('p')) p.text, child.tail = child.tail.strip(), '\n ' p.tail = '\n' body.insert(body.index(child) + 1, p) if child is not children[-1]: p.tail += ' ' container.dirty(self.name) return True def check_filenames(container): errors = [] all_names = set(container.name_path_map) - container.names_that_must_not_be_changed for name in all_names: if urlquote(name) != name: errors.append(EscapedName(name)) return errors valid_id = re.compile(r'^[a-zA-Z][a-zA-Z0-9_:.-]*$') def check_ids(container): errors = [] mts = set(OEB_DOCS) | {guess_type('a.opf'), guess_type('a.ncx')} for name, mt in iteritems(container.mime_map): if mt in mts: root = container.parsed(name) seen_ids = {} dups = {} for elem in root.xpath('//*[@id]'): eid = elem.get('id') if eid in seen_ids: if eid not in dups: dups[eid] = [seen_ids[eid]] dups[eid].append(elem.sourceline) else: seen_ids[eid] = elem.sourceline if eid and valid_id.match(eid) is None: errors.append(InvalidId(name, elem.sourceline, eid)) errors.extend(DuplicateId(name, eid, locs) for eid, locs in iteritems(dups)) return errors def check_markup(container): errors = [] for name, mt in iteritems(container.mime_map): if mt in OEB_DOCS: lines = [] root = container.parsed(name) for body in root.xpath('//*[local-name()="body"]'): if body.text and body.text.strip(): lines.append(body.sourceline) for child in body.iterchildren('*'): if child.tail and child.tail.strip(): lines.append(child.sourceline) if lines: errors.append(BareTextInBody(name, lines)) return errors
16,405
Python
.py
341
38.665689
126
0.607557
kovidgoyal/calibre
19,243
2,250
4
GPL-3.0
9/5/2024, 5:13:50 PM (Europe/Amsterdam)