There used to be an option using the TextEncoder API to encode from USVStrings to arbitrary encodings, but this has been removed from specs and browsers.
You'd need to use a library in order to perform the conversion. Here, I'll use inexorabletash/text-encoding:
(async()=> {
const text = `Some text with nice line endings\nand special characters like é and ü.`;
const encoding = 'windows-1252'; // a.k.a ANSI
const encoder = new TextEncoder(encoding, {
NONSTANDARD_allowLegacyEncoding: true
});
const data = encoder.encode(text); // `data` is an Uint8Array
const encoded_as_ANSI = new Blob([data]);
// for demo only
const encoded_as_UTF8 = new Blob([text]);
const ANSI_read = await readAsText(encoded_as_ANSI, encoding);
const UTF8_read = await readAsText(encoded_as_UTF8, encoding);
console.log("(ANSI)", ANSI_read);
console.log("(UTF8)", UTF8_read);
})();
function readAsText(blob, encoding) {
return new Promise(res => {
const reader = new FileReader();
reader.onload = e => res(reader.result);
reader.readAsText(blob, encoding);
});
}
<script>window.TextEncoder = null;// force installation of the polyfill</script>
<script src="https://cdn.jsdelivr.net/gh/inexorabletash/text-encoding/lib/encoding-indexes.js"></script>
<script src="https://cdn.jsdelivr.net/gh/inexorabletash/text-encoding/lib/encoding.js"></script>
However going this route, we loose the endings option, since this applies only to string blobParts.
So one way would be to first create an utf-8 Blob, with the endings option, then convert this UTF-8 blob to ANSI:
(async () => {
const text = `Some text with nice line endings\nand special characters like é and ü.`;
const encoding = 'windows-1252'; // a.k.a ANSI
const utf8_blob = new Blob( [text], { endings: "native" } );
const utf_8_txt = await utf8_blob.text();
const encoder = new TextEncoder(encoding, {
NONSTANDARD_allowLegacyEncoding: true
});
const data = encoder.encode(utf_8_txt); // now `data` is an Uint8Array
const encoded_as_ANSI = new Blob([data]);
const read_as_ANSI = await readAsText(encoded_as_ANSI, encoding)
console.log(read_as_ANSI);
})();
function readAsText(blob, encoding) {
return new Promise(res => {
const reader = new FileReader();
reader.onload = e => res(reader.result);
reader.readAsText(blob, encoding);
});
}
<script>window.TextEncoder = null;// force installation of the polyfill</script>
<script src="https://cdn.jsdelivr.net/gh/inexorabletash/text-encoding/lib/encoding-indexes.js"></script>
<script src="https://cdn.jsdelivr.net/gh/inexorabletash/text-encoding/lib/encoding.js"></script>