1
0
Fork 0
mirror of https://github.com/denoland/deno.git synced 2024-11-26 16:09:27 -05:00

fix(std/node/fs): allow appendFileSync to accept Uint8Array as type for data (#7835)

This commit is contained in:
ali ahmed 2020-10-06 07:26:12 +02:00 committed by GitHub
parent d0f734bacc
commit a51408a4bc
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
2 changed files with 46 additions and 4 deletions

View file

@ -15,7 +15,7 @@ import { fromFileUrl } from "../path.ts";
*/
export function appendFile(
pathOrRid: string | number | URL,
data: string,
data: string | Uint8Array,
optionsOrCallback: Encodings | WriteFileOptions | CallbackWithError,
callback?: CallbackWithError,
): void {
@ -30,7 +30,9 @@ export function appendFile(
validateEncoding(options);
let rid = -1;
const buffer: Uint8Array = new TextEncoder().encode(data);
const buffer: Uint8Array = data instanceof Uint8Array
? data
: new TextEncoder().encode(data);
new Promise((resolve, reject) => {
if (typeof pathOrRid === "number") {
rid = pathOrRid;
@ -79,7 +81,7 @@ function closeRidIfNecessary(isPathString: boolean, rid: number): void {
*/
export function appendFileSync(
pathOrRid: string | number | URL,
data: string,
data: string | Uint8Array,
options?: Encodings | WriteFileOptions,
): void {
let rid = -1;
@ -107,7 +109,9 @@ export function appendFileSync(
rid = file.rid;
}
const buffer: Uint8Array = new TextEncoder().encode(data);
const buffer: Uint8Array = data instanceof Uint8Array
? data
: new TextEncoder().encode(data);
Deno.writeSync(rid, buffer);
} finally {

View file

@ -206,3 +206,41 @@ Deno.test({
Deno.removeSync(tempFile);
},
});
Deno.test({
name: "Sync: Data is written in Uint8Array to passed in file path",
fn() {
const openResourcesBeforeAppend: Deno.ResourceMap = Deno.resources();
const test_data = new TextEncoder().encode("hello world");
appendFileSync("_fs_appendFile_test_file_sync.txt", test_data);
assertEquals(Deno.resources(), openResourcesBeforeAppend);
const data = Deno.readFileSync("_fs_appendFile_test_file_sync.txt");
assertEquals(data, test_data);
Deno.removeSync("_fs_appendFile_test_file_sync.txt");
},
});
Deno.test({
name: "Async: Data is written in Uint8Array to passed in file path",
async fn() {
const openResourcesBeforeAppend: Deno.ResourceMap = Deno.resources();
const test_data = new TextEncoder().encode("hello world");
await new Promise((resolve, reject) => {
appendFile("_fs_appendFile_test_file.txt", test_data, (err) => {
if (err) reject(err);
else resolve();
});
})
.then(async () => {
assertEquals(Deno.resources(), openResourcesBeforeAppend);
const data = await Deno.readFile("_fs_appendFile_test_file.txt");
assertEquals(data, test_data);
})
.catch((err) => {
fail("No error was expected: " + err);
})
.finally(async () => {
await Deno.remove("_fs_appendFile_test_file.txt");
});
},
});