Csv Read Raises "UnicodeDecodeError: 'charmap' Codec Can't Decode..."
I've read every post I can find, but my situation seems unique. I'm totally new to Python so this could be basic. I'm getting the following error: UnicodeDecodeError: 'charmap' co
Solution 1:
In Python 3, the csv module processes the file as unicode strings, and because of that has to first decode the input file. You can use the exact encoding if you know it, or just use Latin1 because it maps every byte to the unicode character with same code point, so that decoding+encoding keep the byte values unchanged. Your code could become:
...
with open(input_file, "r", encoding='Latin1') as source:
reader = csv.reader(source)
with open(output_file, "w", newline='', encoding='Latin1') as result:
...
Solution 2:
Add encoding="utf8"
while opening file. Try below instead:
with open(input_file, "r", encoding="utf8") as source:
reader = csv.reader(source)
with open(output_file, "w", newline='', encoding="utf8") as result:
Solution 3:
- Try
pandas
input_file = pandas.read_csv('input.csv')
output_file = pandas.read_csv('output.csv')
- Try saving the file again as CSV UTF-8
Post a Comment for "Csv Read Raises "UnicodeDecodeError: 'charmap' Codec Can't Decode...""