2 年以上前、Renato Mangini は、元の ArrayBuffers とそのデータに対応する文字列表現を相互変換するメソッドについて説明しました。投稿の最後で、Renato は、コンバージョンを処理するための公式の標準化された API のドラフトが作成中であることを述べています。仕様が成熟し、Firefox と Google Chrome の両方で TextDecoder インターフェースと TextEncoder インターフェースのネイティブ サポートが追加されました。
このライブサンプル(以下に抜粋)で示されているように、Encoding API を使用すると、使用する標準エンコードの種類に関係なく、未加工バイトとネイティブ JavaScript 文字列を簡単に変換できます。
<pre id="results"></pre>
<script>
if ('TextDecoder' in window) {
// The local files to be fetched, mapped to the encoding that they're using.
var filesToEncoding = {
'utf8.bin': 'utf-8',
'utf16le.bin': 'utf-16le',
'macintosh.bin': 'macintosh'
};
Object.keys(filesToEncoding).forEach(function(file) {
fetchAndDecode(file, filesToEncoding[file]);
});
} else {
document.querySelector('#results').textContent = 'Your browser does not support the Encoding API.'
}
// Use XHR to fetch `file` and interpret its contents as being encoded with `encoding`.
function fetchAndDecode(file, encoding) {
var xhr = new XMLHttpRequest();
xhr.open('GET', file);
// Using 'arraybuffer' as the responseType ensures that the raw data is returned,
// rather than letting XMLHttpRequest decode the data first.
xhr.responseType = 'arraybuffer';
xhr.onload = function() {
if (this.status == 200) {
// The decode() method takes a DataView as a parameter, which is a wrapper on top of the ArrayBuffer.
var dataView = new DataView(this.response);
// The TextDecoder interface is documented at http://encoding.spec.whatwg.org/#interface-textdecoder
var decoder = new TextDecoder(encoding);
var decodedString = decoder.decode(dataView);
// Add the decoded file's text to the <pre> element on the page.
document.querySelector('#results').textContent += decodedString + '\n';
} else {
console.error('Error while requesting', file, this);
}
};
xhr.send();
}
</script>
上記の例では、機能検出を使用して、必要な TextDecoder
インターフェースが現在のブラウザで使用可能かどうかを判断し、使用できない場合はエラー メッセージを表示します。実際のアプリケーションでは、ネイティブ サポートが利用できない場合は、通常、代替の実装にフォールバックします。幸い、Renato が元の記事で言及したテキスト エンコード ライブラリは、今でも優れた選択肢です。このライブラリは、ネイティブ メソッドをサポートしているブラウザではネイティブ メソッドを使用し、まだサポートを追加していないブラウザでは Encoding API のポリフィルを提供します。
2014 年 9 月更新: 現在のブラウザで Encoding API を使用できるかどうかを確認するサンプルを変更しました。