docs.sheetjs.com/docz/docs/03-demos/02-frontend/10-openui5.md
2024-12-26 12:34:42 -05:00

16 KiB

title sidebar_label description pagination_prev pagination_next sidebar_position
Sheets in OpenUI5 Sites OpenUI5 Build enterprise-grade applications with OpenUI5. Seamlessly integrate spreadsheets into your app using SheetJS. Bring Excel-powered workflows and data to the modern web. demos/index demos/grid/index 10

import current from '/version.js'; import Tabs from '@theme/Tabs'; import TabItem from '@theme/TabItem'; import CodeBlock from '@theme/CodeBlock';

OpenUI5 is a JavaScript framework for building enterprise-ready web applications.

SheetJS is a JavaScript library for reading and writing data from spreadsheets.

This demo uses OpenUI5 and SheetJS to process and generate a spreadsheets. We'll explore how to load SheetJS in an OpenUI5 app and handle data binding with the Model-View-Controller pattern.

Installation

The "Frameworks" section covers installation with Yarn and other package managers.

The library should be loaded via script tag in your HTML:

{``}

This will expose the XLSX global object which contains all the necessary methods.

Internal State

The various SheetJS APIs work with various data shapes. The preferred state depends on the application.

JSON Model

The OpenUI5 JSON Model provides ideal integration for spreadsheet data, enabling direct UI control binding.

State

The example presidents sheet has one header row with "Name" and "Index" columns. The natural JS representation is an object for each row, using the values in the first rows as keys:

SpreadsheetState

pres.xlsx data

[
  { Name: "Bill Clinton", Index: 42 },
  { Name: "GeorgeW Bush", Index: 43 },
  { Name: "Barack Obama", Index: 44 },
  { Name: "Donald Trump", Index: 45 },
  { Name: "Joseph Biden", Index: 46 }
]

The OpenUI5 JSONModel1 is a client-side model implementation that stores data as JSON. Here's a basic example of initializing a model, with a more complete implementation shown later:

sap.ui.define(["sap/ui/model/json/JSONModel"], function (JSONModel) {
    const oModel = new JSONModel({ presidents: [] });
});

Updating State

The SheetJS read and sheet_to_json functions simplify state updates. OpenUI5's JSONModel provides powerful two-way data binding capabilities.

flowchart LR
  url[(Remote\nFile)]
  ab[(Data\nArrayBuffer)]
  wb(SheetJS\nWorkbook)
  ws(SheetJS\nWorksheet)
  aoo(array of\nobjects)
  model((JSON\nModel))
  url --> |fetch\n\n| ab
  ab --> |read\n\n| wb
  wb --> |wb.Sheets\nselect sheet| ws
  ws --> |sheet_to_json\n\n| aoo
  aoo --> |setProperty\nfrom model| model
_loadExcelFile: async function () {
  /* Download from https://docs.sheetjs.com/pres.xlsx */
  const f = await (await fetch("https://docs.sheetjs.com/pres.xlsx")).arrayBuffer();
  // highlight-start
  /* parse */
  const wb = XLSX.read(f); // parse the array buffer
  /* generate array of objects from first worksheet */
  const ws = wb.Sheets[wb.SheetNames[0]]; // get the first worksheet
  const data = XLSX.utils.sheet_to_json(ws); // generate objects

  /* update JSONModel */
    this.getView().getModel().setProperty("/presidents", data);
  // highlight-end
}

Rendering Data

In OpenUI5, the Model-View-Controller2 pattern is used to organize code and separate concerns. The view defines the UI structure, the controller handles the logic, and the model manages the data.

<mvc:View>
    <Page>
        <!-- The Table component binds to the presidents array -->
        <Table width="300px" items="{/presidents}">
            <!-- Column definitions specify the table structure -->
            <columns>
                <Column>
                    <header> <Text text="Name" /> </header>
                </Column>
                <Column>
                    <header> <Text text="Value" /> </header>
                </Column>
            </columns>
            <!-- ColumnItem template defines how each row should be rendered -->
            // highlight-start
            <items>
                <ColumnItem>
                    <cells>
                        <Text text="{Name}" />
                        <Text text="{Index}" />
                    </cells>
                </ColumnItem>
            </items>
            // highlight-end
        </Table>
    </Page>
</mvc:View>

Exporting Data

The writeFile and json_to_sheet functions simplify exporting data. They are typically used in event handlers attached to buttons or other elements.

A button press handler can generate a local file when clicked:

flowchart LR
  state((oModel\ngetProperty))
  ws(SheetJS\nWorksheet)
  wb(SheetJS\nWorkbook)
  file[(XLSX\nexport)]
  state --> |json_to_sheet\n\n| ws
  ws --> |book_new\nbook_append_sheet| wb
  wb --> |writeFile\n\n| file
/* get model data and export to XLSX */
 onExport: function() {
    const data = this.getView().getModel().getProperty("/presidents");
    /* generate worksheet from model data */
    // highlight-next-line
    const ws = XLSX.utils.json_to_sheet(data);
    /* create workbook and append worksheet */
    const wb = XLSX.utils.book_new();
    XLSX.utils.book_append_sheet(wb, ws, "Data");
    /* export to XLSX */
    XLSX.writeFileXLSX(wb, "SheetJSOpenUI5AoO.xlsx");
  }

Complete Component

This complete component example fetches a test file and displays the contents in a table. When the export button is clicked, an event handler will export a file:

<mvc:View
    controllerName="sheetjs.openui5.controller.Main"
    displayBlock="true"
    xmlns="sap.m"
    xmlns:mvc="sap.ui.core.mvc"
    xmlns:core="sap.ui.core"
    core:require="{formatter: 'sheetjs/openui5/model/formatter'}">
    <Page>
        <VBox width="auto" alignItems="Start">
            <Table width="300px" items="{/presidents}">
                <columns>
                    <Column>
                        <header>
                            <Text text="Name" />
                        </header>
                    </Column>
                    <Column>
                        <header>
                            <Text text="Value" />
                        </header>
                    </Column>
                </columns>
                <items>
                    <ColumnListItem>
                        <cells>
                            <Text text="{Name}" />
                            <Text text="{Index}" />
                        </cells>
                    </ColumnListItem>
                </items>
            </Table>
            <Button text="Export XLSX" press=".onExport" />
        </VBox>
    </Page>
</mvc:View>
sap.ui.define(
    ["./BaseController", "sap/ui/model/json/JSONModel"],
    function (BaseController, JSONModel) {
        "use strict";

        return BaseController.extend("com.demo.xlsx.controller.Main", {
            onInit: function () {
                /* initialize model */
                const oModel = new JSONModel({
                    presidents: [],
                });
                this.getView().setModel(oModel);

                /* load data when component is initialized */
                this._loadExcelFile();
            },

            _loadExcelFile: async function () {
                const f = await (await fetch("https://docs.sheetjs.com/pres.xlsx")).arrayBuffer();
                const wb = XLSX.read(f);
                const ws = wb.Sheets[wb.SheetNames[0]];
                const data = XLSX.utils.sheet_to_json(ws);
                this.getView().getModel().setProperty("/presidents", data);
            },

            onExport: function () {
                const data = this.getView().getModel().getProperty("/presidents");
                const ws = XLSX.utils.json_to_sheet(data);
                const wb = XLSX.utils.book_new();
                XLSX.utils.book_append_sheet(wb, ws, "Data");
                XLSX.writeFileXLSX(wb, "SheetJSOpenUI5AoO.xlsx");
            },
        });
    }
);
How to run the example (click to hide)

:::note Tested Deployments

This demo was tested in the following environments:

OpenUI5 generator-easy-ui5 Date
1.131.1 3.8.1 2024-12-24

:::

  1. Create a new site:
npm i -g generator-easy-ui5
npx yo easy-ui5 app

:::note Use the provided defaults:

  • Application id: sheetjs.openui5
  • Framework: OpenUI5
  • Version: 1.131.1
  • Author: SheetJS
  • Create new directory: Y
  • Initialize git: N

:::

  1. Install the dependencies and start server:
cd sheetjs.openui5
npm install
npm start
  1. Open a web browser and access the displayed URL (http://localhost:8080)

  2. Add SheetJS to your project by including this script tag in webapp/index.html:

{``}
  1. Replace webapp/view/Main.view.xml with the complete implementation above.
  2. Replace webapp/controller/Main.controller.js with the complete implementation above.

The page will refresh and show a table with an Export button. Click the button and the page will attempt to download SheetJSOpenUI5AoO.xlsx.

  1. Build the site:
npm run build

The generated site will be placed in the dist folder.

  1. Start a local web server:
npm run start:dist

Access the displayed URL (typically http://localhost:8080) with a web browser and test the page.

When the page loads, the app will fetch https://docs.sheetjs.com/pres.xlsx and display the data from the first worksheet in a TABLE. The "Export XLSX" button will generate a workbook that can be opened in a spreadsheet editor.

HTML

The main disadvantage of the Array of Objects approach is the specific nature of the columns. For more general use, passing around an Array of Arrays works. However, this does not handle merge cells3 well!

The sheet_to_html function generates HTML that is aware of merges and other worksheet features. Using OpenUI5's core:HTML4 control, we can render this HTML directly. During export, we extract the table element from the rendered HTML and use table_to_book to create a workbook that maintains all the worksheet features.

In this example, the component directly renders the HTML table in the model through OpenUI5's core:HTML4 control. For export, we extract the inner table from the rendered HTML using getElementsByTagName("table")[1], then pass it to table_to_book to create a workbook that preserves all features.

<mvc:View
        controllerName="sheetjs.openui5.controller.Main"
        displayBlock="true"
        xmlns="sap.m"
        xmlns:mvc="sap.ui.core.mvc"
        xmlns:core="sap.ui.core"
        xmlns:html="http://www.w3.org/1999/xhtml">
    <Page>
        <content>
            <core:HTML content="{/tableHTML}" />
            <Button text="Export XLSX" press=".onExport"/>
        </content>
    </Page>
</mvc:View>
sap.ui.define(
    [
        "sap/ui/core/mvc/Controller",
        "sap/ui/model/json/JSONModel"
    ],
    function (Controller, JSONModel) {
        "use strict";

        return Controller.extend("sheetjs.openui5.controller.Main", {
            onInit: function () {
                /* the component state is an HTML string */
                const oModel = new JSONModel({
                    tableHTML: "",
                });
                this.getView().setModel(oModel);

                /* load data when component is initialized */
                this._loadExcelFile();
            },

            _loadExcelFile: async function () {
                const f = await (await fetch("https://docs.sheetjs.com/pres.xlsx")).arrayBuffer();
                const wb = XLSX.read(f); // parse the array buffer
                const ws = wb.Sheets[wb.SheetNames[0]]; // get the first worksheet
                const opts = {
                    header: `<table id="excel-table">`,
                    footer: `</table>`
                };
                const tableHTML = XLSX.utils.sheet_to_html(ws, opts); // generate HTML
                this.getView().getModel().setProperty("/tableHTML", tableHTML); // update state
            },

            /* get live table and export the XLSX */
            onExport: function () {
                const tableHTML = this.getView().getModel().getProperty("/tableHTML"); // get HTML string from the model
                const div = document.createElement("div"); // create temporary div to parse HTML
                div.innerHTML = tableHTML; // insert HTML into div

                const table = div.getElementsByTagName("table")[1]; // get inner table (bypasses outer wrapper)
                const wb = XLSX.utils.table_to_book(table); // convert table element to workbook
                XLSX.writeFileXLSX(wb, "SheetJSOpenUI5HTML.xlsx");
            },
        });
    }
);
How to run the example (click to hide)

:::note Tested Deployments

This demo was tested in the following environments:

OpenUI5 generator-easy-ui5 Date
1.131.1 3.8.1 2024-12-24

:::

  1. Create a new site:
npm i -g generator-easy-ui5
npx yo easy-ui5 app

:::note Use the provided defaults:

  • Application id: sheetjs.openui5
  • Framework: OpenUI5
  • Version: 1.131.1
  • Author: SheetJS
  • Create new directory: Y
  • Initialize git: N

:::

  1. Install the dependencies and start server:
cd sheetjs.openui5
npm install
npm start
  1. Open a web browser and access the displayed URL (http://localhost:8080)

  2. Add SheetJS to your project by including this script tag in webapp/index.html:

{``}
  1. Replace webapp/view/Main.view.xml with the complete implementation above.
  2. Replace webapp/controller/Main.controller.js with the complete implementation above.

The page will refresh and show a table with an Export button. Click the button and the page will attempt to download SheetJSOpenUI5HTML.xlsx.

  1. Build the site:
npm run build

The generated site will be placed in the dist folder.

  1. Start a local web server:
npm run start:dist

Access the displayed URL (typically http://localhost:8080) with a web browser and test the page.

When the page loads, the app will fetch https://docs.sheetjs.com/pres.xlsx and display the data from the first worksheet in a TABLE. The "Export XLSX" button will generate a workbook that can be opened in a spreadsheet editor.


  1. See JSONModel in the OpenUI5 documentation. ↩︎

  2. See OpenUI5's MVC Documentation for detailed explanation of the pattern implementation. ↩︎

  3. See "Merged Cells" in "SheetJS Data Model" for more details. ↩︎

  4. See core:HTML in the OpenUI5 documentation. ↩︎