I would like to use Python to convert utf8 special characters (accented, etc) to their extended ascii (purists are going to say there isn't such a thing, so here is a link to what I mean) equivalent.
So basically I want to read in a UTF-8 file and write out an extended ascii file (something like Latin-1 (I'm using windows) if that information is needed. I have read all the Unicode, etc. blogs and still don't understand a word of it), but I want to preserve as much of the information as possible. So for the UTF-8 character á I would like to convert it to the extended ascii equivalent á. I don't want to ignore or loose the character and I don't want to use an a. For characters where there is no equivalent extended ascii character I would just like to use a character of my choice such as ~, although some characters like ß I would like to convert to ss if there does not exist a ß in extended ascii.
Is there anything in Python 3 that can do this or can you give some example code of how I would do this?
Does anyone know of any site that lists the utf8 equivalents for the extended ascii characters?
Based on the comments below I have come up with this code, which sadly does not work very well since most of the special characters are returned as ? instead of ê (not sure why):
# -*- coding: utf-8 -*-
f_in = open(r'E:/work/python/lyman.txt', 'rU', encoding='utf8')
raw = f_in.read()
f_out = open(r'E:/work/python/lyman_ascii.txt', 'w', encoding='cp1252', errors='replace')
retval = []
for char in raw:
codepoint = ord(char)
if codepoint < 0x80: # Basic ASCII
retval.append(str(char))
continue
elif codepoint > 0xeffff:
continue # Characters in Private Use Area and above are ignored
# ë
elif codepoint == 235:
retval.append(chr(137))
continue
# ê
elif codepoint == 234:
retval.append(chr(136))
continue
# ’
elif codepoint == 8217:
retval.append(chr(39)) # 146 gives ? for some reason
continue
else:
print(char)
print(codepoint)
print(''.join(retval))
f_out.write(''.join(retval))
open(filename, 'w', encoding='cp850', errors='replace')
; this will replace non-representable characters with "?". For converting 'ß' to 'ss' etc., you can use the thrid-party library unidecode, but it will also replace "á" with "a" – the output is plain ASCII. If you want to combine both, you will need to build your own solution. – lenzcodecs.open
; consider it "virtually deprecated" (it exists largely to support some esoteric bytes->bytes/text->text codecs). On Python 2.7, useio.open
, and on Python 3.x, use the built-inopen
(which is exactly the same asio.open
on Python 3), both of which accept anencoding
argument, and operate more efficiently and correctly. – ShadowRanger