# Creating an ASiC-E container

In this demo, we let the end user pick some files and when they click on the "Create ASiC-E container" button, an ASiC-E container is created with those files included.

# javascript

  // import {createAsiceContainer} from '@eid-easy/eideasy-browser-js';
  // import { saveAs } from 'file-saver';

  // rootElem is the parent html element of this demo
  const dom = {
    buttonCreateAsice: rootElem.querySelector('.js-createAsiceContainer'),
    fileInput: rootElem.querySelector('.js-fileInput'),
  };

  dom.buttonCreateAsice.addEventListener('click', e => {
    e.preventDefault();

    // You can use Blobs directly as input, no need to use the FileReader object.
    // File objects (https://developer.mozilla.org/en-US/docs/Web/API/File)
    // that you get from the input[type="file"] are Blobs. This means
    // that you can use them directly as an input for the createAsiceContainer method.
    const files = [...dom.fileInput.files].map((file) => {
      return {
        name: file.name,
        content: file,
      }
    });
    const container = createAsiceContainer(files);

    // createAsiceContainer returns a JSZip instance. So, you can use the exact same methods
    // that JSZip (https://github.com/Stuk/jszip) provides.
    // createAsiceContainer uses JSZip because ASiC-E containers are plain old ZIP files
    // albeit with a specific structure and contents

    // https://stuk.github.io/jszip/documentation/api_jszip/generate_async.html
    container.generateAsync({ type: 'blob' })
      .then((containerBlob) => {
        // we are using https://github.com/eligrey/FileSaver.js/ here to save/download
        // the final file to the end user's machine
        saveAs((containerBlob), 'container.asice');
      });
  });
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37

# html

    <input
      class="js-fileInput"
      type="file"
      multiple
    >

    <button class="js-createAsiceContainer">
      Create ASiC-E container
    </button>
1
2
3
4
5
6
7
8
9