Skip to content

Commit d2aada4

Browse files
authored
Merge pull request #240 from yatoogamii/blob
Blob
2 parents fed60d2 + c91c267 commit d2aada4

File tree

1 file changed

+80
-80
lines changed

1 file changed

+80
-80
lines changed

4-binary/03-blob/article.md

Lines changed: 80 additions & 80 deletions
Original file line numberDiff line numberDiff line change
@@ -1,68 +1,68 @@
11
# Blob
22

3-
`ArrayBuffer` and views are a part of ECMA standard, a part of JavaScript.
3+
`ArrayBuffer` et les vues font partie de la norme ECMA, une partie de JavaScript.
44

5-
In the browser, there are additional higher-level objects, described in [File API](https://www.w3.org/TR/FileAPI/), in particular `Blob`.
5+
Dans le navigateur, il existe d'autres objets de niveau supérieur, décrits dans [File API](https://www.w3.org/TR/FileAPI/), en particulier `Blob`.
66

7-
`Blob` consists of an optional string `type` (a MIME-type usually), plus `blobParts` -- a sequence of other `Blob` objects, strings and `BufferSource`.
7+
`Blob` consiste en une chaîne de caractères optionnelle `type` (un type de MIME habituellement), plus `blobParts` -- une séquence d'autres objets `Blob` , chaînes de caractères et `BufferSource`.
88

99
![](blob.svg)
1010

11-
The constructor syntax is:
11+
La syntaxe du constructeur est la suivante:
1212

1313
```js
1414
new Blob(blobParts, options);
1515
```
1616

17-
- **`blobParts`** is an array of `Blob`/`BufferSource`/`String` values.
18-
- **`options`** optional object:
19-
- **`type`** -- `Blob` type, usually MIME-type, e.g. `image/png`,
20-
- **`endings`** -- whether to transform end-of-line to make the `Blob` correspond to current OS newlines (`\r\n` or `\n`). By default `"transparent"` (do nothing), but also can be `"native"` (transform).
17+
- **`blobParts`** est un tableau de `Blob`/`BufferSource`/`String`.
18+
- **`options`** objet optionnel:
19+
- **`type`** -- le type du `Blob`, généralement de type MIME, par exemple. `image/png`,
20+
- **`endings`** -- s'il faut transformer la fin de ligne pour rendre le `Blob` correspondent aux nouvelles lignes de l'OS actuel (`\r\n` ou `\n`). `"transparent"` Par défaut (ne fait rien), mais peut aussi être `"native"` (transformer).
2121

22-
For example:
22+
Par exemple:
2323

2424
```js
25-
// create Blob from a string
25+
// créer un Blob à partir d'une chaîne
2626
let blob = new Blob(["<html>…</html>"], {type: 'text/html'});
27-
// please note: the first argument must be an array [...]
27+
// veuillez noter: le premier argument doit être un tableau [...]
2828
```
2929

3030
```js
31-
// create Blob from a typed array and strings
32-
let hello = new Uint8Array([72, 101, 108, 108, 111]); // "Hello" in binary form
31+
// créer un objet blob à partir d'un tableau typés et de chaînes de caractères
32+
let hello = new Uint8Array([72, 101, 108, 108, 111]); // "Hello" sous forme binaire
3333

3434
let blob = new Blob([hello, ' ', 'world'], {type: 'text/plain'});
3535
```
3636

3737

38-
We can extract `Blob` slices with:
38+
Nous pouvons extraire des parties du `Blob` avec:
3939

4040
```js
4141
blob.slice([byteStart], [byteEnd], [contentType]);
4242
```
4343

44-
- **`byteStart`** -- the starting byte, by default 0.
45-
- **`byteEnd`** -- the last byte (exclusive, by default till the end).
46-
- **`contentType`** -- the `type` of the new blob, by default the same as the source.
44+
- **`byteStart`** -- l'octet de départ, par défaut 0.
45+
- **`byteEnd`** -- le dernier octet (exclusif, par défaut jusqu'à la fin).
46+
- **`contentType`** -- Le `type` du nouvel objet blob, par défaut le même que la source.
4747

48-
The arguments are similar to `array.slice`, negative numbers are allowed too.
48+
Les arguments sont similaires à `array.slice`, les nombres négatifs sont également autorisés.
4949

50-
```smart header="`Blob` objects are immutable"
51-
We can't change data directly in a `Blob`, but we can slice parts of a `Blob`, create new `Blob` objects from them, mix them into a new `Blob` and so on.
50+
```smart header="Les objets `Blob` sont immuables"
51+
Nous ne pouvons pas modifier les données directement dans un `Blob`, mais nous pouvons découper des parties d'un `Blob`, créer de nouveaux objets `Blob` à partir d'eux, les mélanger dans un nouveau` Blob` et ainsi de suite.
5252

53-
This behavior is similar to JavaScript strings: we can't change a character in a string, but we can make a new corrected string.
53+
Ce comportement est similaire aux chaînes de caractères JavaScript: nous ne pouvons pas changer un caractère dans une chaîne, mais nous pouvons créer une nouvelle chaîne corrigée.
5454
```
5555
56-
## Blob as URL
56+
## Blob comme URL
5757
58-
A Blob can be easily used as an URL for `<a>`, `<img>` or other tags, to show its contents.
58+
Un Blob peut être facilement utilisé comme URL pour `<a>`, `<img>` ou d'autres balises, pour afficher son contenu.
5959
60-
Thanks to `type`, we can also download/upload `Blob` objects, and the `type` naturally becomes `Content-Type` in network requests.
60+
Grâce au `type`, nous pouvons également télécharger / uploader des objets `Blob`, et le `type` devient naturellement `Content-Type` dans les requêtes réseau.
6161
62-
Let's start with a simple example. By clicking on a link you download a dynamically-generated `Blob` with `hello world` contents as a file:
62+
Commençons par un exemple simple. En cliquant sur un lien, vous téléchargez un `Blob` généré dynamiquement avec le contenu de `hello world` sous forme de fichier:
6363
6464
```html run
65-
<!-- download attribute forces the browser to download instead of navigating -->
65+
<!-- l'attribut de téléchargement force le navigateur à télécharger au lieu de naviguer -->
6666
<a download="hello.txt" href='#' id="link">Download</a>
6767
6868
<script>
@@ -72,9 +72,9 @@ link.href = URL.createObjectURL(blob);
7272
</script>
7373
```
7474

75-
We can also create a link dynamically in JavaScript and simulate a click by `link.click()`, then download starts automatically.
75+
On peut aussi créer un lien dynamiquement en JavaScript et simuler un clic par `link.click()`, puis le téléchargement démarre automatiquement.
7676

77-
Here's the similar code that causes user to download the dynamicallly created `Blob`, without any HTML:
77+
Voici un code similaire qui oblige l'utilisateur à télécharger le `Blob` créé dynamiquement, sans aucun HTML:
7878

7979
```js run
8080
let link = document.createElement('a');
@@ -89,50 +89,50 @@ link.click();
8989
URL.revokeObjectURL(link.href);
9090
```
9191

92-
`URL.createObjectURL` takes a `Blob` and creates a unique URL for it, in the form `blob:<origin>/<uuid>`.
92+
`URL.createObjectURL` prend un `Blob` et crée une URL unique pour celui-ci, sous la forme `blob:<origin>/<uuid>`.
9393

94-
That's what the value of `link.href` looks like:
94+
Voilà à quoi ressemble la valeur de `link.href`:
9595

9696
```
9797
blob:https://javascript.info/1e67e00e-860d-40a5-89ae-6ab0cbee6273
9898
```
9999

100-
The browser for each URL generated by `URL.createObjectURL` stores an the URL -> `Blob` mapping internally. So such URLs are short, but allow to access the `Blob`.
100+
Le navigateur stocke un mappage URL -> `Blob` en interne pour chaque URL générée par `URL.createObjectURL`. Donc, ces URL sont courtes, mais permettent d'accéder au `Blob`.
101101

102-
A generated URL (and hence the link with it) is only valid within the current document, while it's open. And it allows to reference the `Blob` in `<img>`, `<a>`, basically any other object that expects an url.
102+
Une URL générée (et donc le lien avec elle) n'est valide que dans le document actuel, tant qu'il est ouvert. Et cela permet de référencer le `Blob` dans `<img>`,`<a>`, ou tout autre objet qui attend une URL.
103103

104-
There's a side-effect though. While there's a mapping for a `Blob`, the `Blob` itself resides in the memory. The browser can't free it.
104+
Il y a cependant un effet secondaire. Bien qu'il y ait un mappage pour un `Blob`, le `Blob` lui-même réside dans la mémoire. Le navigateur ne peut pas le libérer.
105105

106-
The mapping is automatically cleared on document unload, so `Blob` objects are freed then. But if an app is long-living, then that doesn't happen soon.
106+
Le mappage est automatiquement effacé lors du déchargement du document, les objets `Blob` sont alors libérés. Mais si une application dure longtemps, cela ne se produit pas de sitôt.
107107

108-
**So if we create a URL, that `Blob` will hang in memory, even if not needed any more.**
108+
**Donc, si nous créons une URL, ce `Blob` restera en mémoire, même s'il n'est plus nécessaire.**
109109

110-
`URL.revokeObjectURL(url)` removes the reference from the internal mapping, thus allowing the `Blob` to be deleted (if there are no other references), and the memory to be freed.
110+
`URL.revokeObjectURL(url)` supprime la référence du mappage interne, permettant ainsi de supprimer le `Blob` (s'il n'y a pas d'autres références), et de libérer la mémoire.
111111

112-
In the last example, we intend the `Blob` to be used only once, for instant downloading, so we call `URL.revokeObjectURL(link.href)` immediately.
112+
Dans le dernier exemple, nous voulons que le `Blob` ne soit utilisé qu'une seule fois, pour un téléchargement instantané, donc nous appelons `URL.revokeObjectURL(link.href)` immédiatement.
113113

114-
In the previous example with the clickable HTML-link, we don't call `URL.revokeObjectURL(link.href)`, because that would make the `Blob` url invalid. After the revocation, as the mapping is removed, the URL doesn't work any more.
114+
Dans l'exemple précédent avec le lien HTML cliquable, nous n'appelons pas `URL.revokeObjectURL(link.href)`, car cela rendrait l'url `Blob` invalide. Après la révocation, comme le mappage est supprimé, l'URL ne fonctionne plus.
115115

116-
## Blob to base64
116+
## Blob en base64
117117

118-
An alternative to `URL.createObjectURL` is to convert a `Blob` into a base64-encoded string.
118+
Une alternative à `URL.createObjectURL` est de convertir un `Blob` en une chaîne de caractères encodée en base64.
119119

120-
That encoding represents binary data as a string of ultra-safe "readable" characters with ASCII-codes from 0 to 64. And what's more important -- we can use this encoding in "data-urls".
120+
Cet encodage représente des données binaires sous la forme d'une chaîne de caractères "lisibles" ultra-sûrs avec des codes ASCII de 0 à 64. Et ce qui est plus important - nous pouvons utiliser cet encodage dans "data-urls".
121121

122-
A [data url](https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/Data_URIs) has the form `data:[<mediatype>][;base64],<data>`. We can use such urls everywhere, on par with "regular" urls.
122+
Une [URL de données](https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/Data_URIs) a la forme `data:[<mediatype>][;base64],<data>`. Nous pouvons utiliser de telles URL partout, au même titre que les URL "ordinaires".
123123

124-
For instance, here's a smiley:
124+
Par exemple, voici un smiley:
125125

126126
```html
127127
<img src="data:image/png;base64,R0lGODlhDAAMAKIFAF5LAP/zxAAAANyuAP/gaP///wAAAAAAACH5BAEAAAUALAAAAAAMAAwAAAMlWLPcGjDKFYi9lxKBOaGcF35DhWHamZUW0K4mAbiwWtuf0uxFAgA7">
128128
```
129129

130-
The browser will decode the string and show the image: <img src="data:image/png;base64,R0lGODlhDAAMAKIFAF5LAP/zxAAAANyuAP/gaP///wAAAAAAACH5BAEAAAUALAAAAAAMAAwAAAMlWLPcGjDKFYi9lxKBOaGcF35DhWHamZUW0K4mAbiwWtuf0uxFAgA7">
130+
Le navigateur décodera la chaîne de caractères et affichera l'image: <img src="data:image/png;base64,R0lGODlhDAAMAKIFAF5LAP/zxAAAANyuAP/gaP///wAAAAAAACH5BAEAAAUALAAAAAAMAAwAAAMlWLPcGjDKFYi9lxKBOaGcF35DhWHamZUW0K4mAbiwWtuf0uxFAgA7">
131131

132132

133-
To transform a `Blob` into base64, we'll use the built-in `FileReader` object. It can read data from Blobs in multiple formats. In the [next chapter](info:file) we'll cover it more in-depth.
133+
Pour transformer un `Blob` en base64, nous utiliserons l'objet `FileReader` intégré. Il peut lire les données des Blobs dans plusieurs formats. Dans le [chapitre suivant](info:file) nous le couvrirons plus en détail.
134134

135-
Here's the demo of downloading a blob, now via base-64:
135+
Voici la démo du téléchargement d'un blob, maintenant via base-64:
136136

137137
```js run
138138
let link = document.createElement('a');
@@ -142,79 +142,79 @@ let blob = new Blob(['Hello, world!'], {type: 'text/plain'});
142142

143143
*!*
144144
let reader = new FileReader();
145-
reader.readAsDataURL(blob); // converts the blob to base64 and calls onload
145+
reader.readAsDataURL(blob); // convertit le blob en base64 et appelle onload
146146
*/!*
147147

148148
reader.onload = function() {
149-
link.href = reader.result; // data url
149+
link.href = reader.result; // URL de données
150150
link.click();
151151
};
152152
```
153153

154-
Both ways of making an URL of a `Blob` are usable. But usually `URL.createObjectURL(blob)` is simpler and faster.
154+
Les deux manières de créer une URL d'un `Blob` sont utilisables. Mais généralement `URL.createObjectURL(blob)` est plus simple et plus rapide.
155155

156-
```compare title-plus="URL.createObjectURL(blob)" title-minus="Blob to data url"
157-
+ We need to revoke them if care about memory.
158-
+ Direct access to blob, no "encoding/decoding"
159-
- No need to revoke anything.
160-
- Performance and memory losses on big `Blob` objects for encoding.
156+
```compare title-plus="URL.createObjectURL(blob)" title-minus="Blob vers l'URL de données"
157+
+ Nous devons les révoquer si nous nous soucions de la mémoire.
158+
+ Accès direct au blob, pas d'"encodage / décodage"
159+
- Pas besoin de révoquer quoi que ce soit.
160+
- Perte de performances et de mémoire sur les gros objets `Blob` pour l'encodage.
161161
```
162162

163-
## Image to blob
163+
## Image à blob
164164

165-
We can create a `Blob` of an image, an image part, or even make a page screenshot. That's handy to upload it somewhere.
165+
Nous pouvons créer un `Blob` d'une image, une partie d'image, ou même faire une capture d'écran de page. C'est pratique pour le télécharger quelque part.
166166

167-
Image operations are done via `<canvas>` element:
167+
Les opérations sur les images se font via l'élément `<canvas>`:
168168

169-
1. Draw an image (or its part) on canvas using [canvas.drawImage](https://developer.mozilla.org/en-US/docs/Web/API/CanvasRenderingContext2D/drawImage).
170-
2. Call canvas method [.toBlob(callback, format, quality)](https://developer.mozilla.org/en-US/docs/Web/API/HTMLCanvasElement/toBlob) that creates a `Blob` and runs `callback` with it when done.
169+
1. Dessinez une image (ou sa partie) sur le canevas en utilisant [canvas.drawImage](https://developer.mozilla.org/en-US/docs/Web/API/CanvasRenderingContext2D/drawImage).
170+
2. Appeler la méthode canvas [.toBlob(callback, format, quality)](https://developer.mozilla.org/en-US/docs/Web/API/HTMLCanvasElement/toBlob) qui crée un `Blob` et exécute `callback` avec lui une fois terminé.
171171

172-
In the example below, an image is just copied, but we could cut from it, or transform it on canvas prior to making a blob:
172+
Dans l'exemple ci-dessous, une image est simplement copiée, mais nous pourrions la couper ou la transformer sur un canevas avant de créer un blob:
173173

174174
```js run
175-
// take any image
175+
// prendre n'importe quelle image
176176
let img = document.querySelector('img');
177177

178-
// make <canvas> of the same size
178+
// rendre <canvas> de la même taille
179179
let canvas = document.createElement('canvas');
180180
canvas.width = img.clientWidth;
181181
canvas.height = img.clientHeight;
182182

183183
let context = canvas.getContext('2d');
184184

185-
// copy image to it (this method allows to cut image)
185+
// copier l'image dessus (cette méthode permet de couper l'image)
186186
context.drawImage(img, 0, 0);
187-
// we can context.rotate(), and do many other things on canvas
187+
// nous pouvons context.rotate(), et faire beaucoup d'autres choses sur canvas
188188

189-
// toBlob is async opereation, callback is called when done
189+
// toBlob est une opération asynchrone, le rappel est appelé une fois terminé
190190
canvas.toBlob(function(blob) {
191-
// blob ready, download it
191+
// blob prêt, téléchargez-le
192192
let link = document.createElement('a');
193193
link.download = 'example.png';
194194

195195
link.href = URL.createObjectURL(blob);
196196
link.click();
197197

198-
// delete the internal blob reference, to let the browser clear memory from it
198+
// supprimer la référence blob interne, pour laisser le navigateur en effacer la mémoire
199199
URL.revokeObjectURL(link.href);
200200
}, 'image/png');
201201
```
202202

203-
If we prefer `async/await` instead of callbacks:
203+
Si nous préférons `async/await` au lieu de callbacks:
204204
```js
205205
let blob = await new Promise(resolve => canvasElem.toBlob(resolve, 'image/png'));
206206
```
207207

208-
For screenshotting a page, we can use a library such as <https://github.com/niklasvh/html2canvas>. What it does is just walks the page and draws it on `<canvas>`. Then we can get a `Blob` of it the same way as above.
208+
Pour faire une capture d'écran d'une page, nous pouvons utiliser une bibliothèque telle que <https://github.com/niklasvh/html2canvas>. Ce qu'elle fait, c'est simplement parcourir la page et la dessiner sur un `<canvas>`. Ensuite, nous pouvons en obtenir un `Blob` de la même manière que ci-dessus.
209209

210-
## From Blob to ArrayBuffer
210+
## De Blob à ArrayBuffer
211211

212-
The `Blob` constructor allows to create a blob from almost anything, including any `BufferSource`.
212+
Le constructeur `Blob` permet de créer un blob à partir de presque tout, y compris de n'importe quel `BufferSource`.
213213

214-
But if we need to perform low-level processing, we can get the lowest-level `ArrayBuffer` from it using `FileReader`:
214+
Mais si nous devons effectuer un traitement de bas niveau, nous pouvons obtenir des `ArrayBuffer` de plus bas niveau en utilisant `FileReader`:
215215

216216
```js
217-
// get arrayBuffer from blob
217+
// obtenir arrayBuffer à partir du blob
218218
let fileReader = new FileReader();
219219

220220
*!*
@@ -227,15 +227,15 @@ fileReader.onload = function(event) {
227227
```
228228

229229

230-
## Summary
230+
## Résumé
231231

232-
While `ArrayBuffer`, `Uint8Array` and other `BufferSource` are "binary data", a [Blob](https://www.w3.org/TR/FileAPI/#dfn-Blob) represents "binary data with type".
232+
Alors qu'`ArrayBuffer`, `Uint8Array` et autres `BufferSource` sont des "données binaires", un [Blob] (https://www.w3.org/TR/FileAPI/#dfn-Blob) représente des "données binaires de type".
233233

234-
That makes Blobs convenient for upload/download operations, that are so common in the browser.
234+
Cela rend les Blobs pratiques pour les opérations de téléchargement (upload / download), qui sont courantes dans le navigateur.
235235

236-
Methods that perform web-requests, such as [XMLHttpRequest](info:xmlhttprequest), [fetch](info:fetch) and so on, can work with `Blob` natively, as well as with other binary types.
236+
Les méthodes qui effectuent des requêtes Web, telles que [XMLHttpRequest](info:xmlhttprequest), [fetch](info:fetch) et ainsi de suite, peuvent fonctionner avec `Blob` de manière native, ainsi qu'avec d'autres types binaires.
237237

238-
We can easily convert betweeen `Blob` and low-level binary data types:
238+
Nous pouvons facilement convertir les types de données binaires `Blob` et de bas niveau:
239239

240-
- We can make a Blob from a typed array using `new Blob(...)` constructor.
241-
- We can get back `ArrayBuffer` from a Blob using `FileReader`, and then create a view over it for low-level binary processing.
240+
- Nous pouvons créer un Blob à partir d'un tableau typé en utilisant le constructeur `new Blob(...)`.
241+
- Nous pouvons récupérer un `ArrayBuffer` à partir d'un Blob en utilisant `FileReader`, puis créer une vue dessus pour un traitement binaire de bas niveau.

0 commit comments

Comments
 (0)