Article
0 comment

How to use hTWOo with a SPFx ReactJS web part

In this article you learn how to leverage the recently lauched hTWOo in an SharePoint Franemwork ReactJS web part.

Install hTWOo UI

To add hTWOo to your project install the following package:

npm install --save-dev @n8d/htwoo-core

Now you are ready to add it to your web part.

Modify the manifest to enable theme variants

Edit your web part manifest and add the following code.

{ 
  //...
  "requiresCustomScript": false,
  "supportedHosts": ["SharePointWebPart"],
  "supportsThemeVariants": true,
  // ...
}

The property supportThemeVariants make sure that you can use any of the hTWOo components in colored SharePoint section.

Implement the Theme JSON to CSS variable conversion

Add references to SPFx ThemeProvider

To use different SharePoint themes add the following references to your web part code.

import {
  ThemeProvider,
  ThemeChangedEventArgs,
  IReadonlyTheme,
  ISemanticColors
} from '@microsoft/sp-component-base';

Init an retrieve the Theme

To retrieve the current theme color slots add the following code in your web part base class.

  private _themeProvider: ThemeProvider;
  private _themeVariant: IReadonlyTheme | undefined;

  protected onInit(): Promise<void> {
    // Consume the new ThemeProvider service
    this._themeProvider = this.context.serviceScope.consume(ThemeProvider.serviceKey);

    // If it exists, get the theme variant
    this._themeVariant = this._themeProvider.tryGetTheme();

    // Assign theme slots
    if (this._themeVariant) {

      // output all theme theme variants
      console.log("LOG Theme variant:::", this._themeVariant);

      // transfer semanticColors into CSS variables
      this.setCSSVariables(this._themeVariant.semanticColors);

      // transfer fonts into CSS variables
      this.setCSSVariables(this._themeVariant.fonts);

      // transfer color palette into CSS variables
      this.setCSSVariables(this._themeVariant.palette);

      // transfer color palette into CSS variables
      this.setCSSVariables(this._themeVariant["effects"]);

    } else {

      // Fallback to core theme state options applicable for Single Canvas Apps and Microsoft Teams
      this.setCSSVariables(window["__themeState__"].theme)

    }

    // Register a handler to be notified if the theme variant changes
    this._themeProvider.themeChangedEvent.add(this, this._handleThemeChangedEvent);

    return super.onInit();
  }

  // Handle all theme changes
  private _handleThemeChangedEvent(args: ThemeChangedEventArgs): void {
    this._themeVariant = args.theme;
  }

  /// Converts JSON Theme Slots it CSS variables
  private setCSSVariables(theming: any) {

    // request all key defined in theming
    let themingKeys = Object.keys(theming);
    // if we have the key
    if (themingKeys !== null) {
      // loop over it
      themingKeys.forEach(key => {
        // add CSS variable to style property of the web part
        this.domElement.style.setProperty(`--${key}`, theming[key])

      });

    }

  }

This code will convert all theme available color to CSS variables.

Use hTWOo CSS

SharePoint frameworks use a tool named CSS Modules to give the web part styles a unique naming convention. To avoid bleeding out the hTWOo style to the rest of the page only one container class is needed.

Using the CSS Modules own definition all external style can be include in a fake pseudo class named :global.

Go to the web part and remove all it#s existing code and add a reference to hTWOo instead.This reduce the complete style sheet to the following code.

.hTWOoReactSpFx {

}

The hTWOoSample will still get replaces with a custom string like this.

.hTWOoReactSpFx_b629d693{
  /* this where the content goes */
}

First import the base elements from hTWOo core.

@import 'node_modules/@n8d/htwoo-core/lib/components/base';

.hTWOoReactSpFx{

}

From there you can use now all other comments in the main block of your web part using globals. The full list of features may look like this.

  // Imports all base mixin
  @import 'node_modules/@n8d/htwoo-core/lib/components/base';

  .hTWOoSample {

    :global {

      // For Avatar and Person selector components
      @import 'node_modules/@n8d/htwoo-core/lib/components/avatar';

      // Various types of buttons
      @import 'node_modules/@n8d/htwoo-core/lib/components/button';

      // Various types of cards
      @import 'node_modules/@n8d/htwoo-core/lib/components/cards';

      // Various types of dialogs
      @import 'node_modules/@n8d/htwoo-core/lib/components/dialogs';

      // Various types of forms
      @import 'node_modules/@n8d/htwoo-core/lib/components/forms';

      // Various types of icons controls
      @import 'node_modules/@n8d/htwoo-core/lib/components/icon';

      // Various types of menus controls
      @import 'node_modules/@n8d/htwoo-core/lib/components/menus';

      // Various types of tables
      @import 'node_modules/@n8d/htwoo-core/lib/components/table';

      // Various types of typography
      @import 'node_modules/@n8d/htwoo-core/lib/components/typography';

      // Various types of web part utilities
      @import 'node_modules/@n8d/htwoo-core/lib/components/webparts';

    }
  }

Just include what you are actually using.

Use a simple button in your web part

To use a simple web part create a new tsx file named hoobutton-standard.tsx.

import * as React from "react";
import isEqual from "lodash/isEqual";

export interface IButtonProps {
  disabled: boolean;
  label: string;
  onClick: React.MouseEventHandler<htmlbuttonelement>;
}

export interface IButtonState {
}

export class ButtonState implements IButtonState {
  constructor() { }
}

export default class HooButton extends React.Component<IButtonProps, IButtonState> {
  private LOG_SOURCE: string = "🔶Button";

  constructor(props: IButtonProps) {
    super(props);
    this.state = new ButtonState();
  }

  public shouldComponentUpdate(nextProps: IButtonProps, nextState: IButtonState) {
    if ((isEqual(nextState, this.state) && isEqual(nextProps, this.props)))
      return false;
    return true;
  }

  public render(): React.ReactElement<ibuttonprops> {
    try {
      return (<>);
    } catch (err) {
      console.log(`${this.LOG_SOURCE} (render) - ${err}`);
      return null;
    }
  }
}

In the render method insert the following markup for a hTWOo button.

<br />export default class HooButton extends React.Component<IButtonProps, IButtonState> {
  //...
  public render(): React.ReactElement</ibuttonprops><ibuttonprops> {
    try {
      return (
        <button className="hoo-button" disabled={this.props.disabled} aria-disabled={this.props.disabled} onClick={this.props.onClick}>
          <div className="hoo-button-label">{this.props.label}</div>
        </button>
      );
    } catch (err) {
      console.log(`${this.LOG_SOURCE} (render) - ${err}`);
      return null;
    }
  }
  //...
}

Now you have a basic reusable hTWOo Standard button in your solution.

Add button to the web part.

To add this re-usable button add it now to your web part. The first step is to import the button to the web part component.

import HooButton from './hoobutton-standard';

Now insert the web part in the main container element.

export default class HTwOoReactSpFx extends React.Component<IHTwOoReactSpFxProps, {}> {
  public render(): React.ReactElement<ihtwooreactspfxprops> {
    return (
      <div className={ styles.hTWOoReactSpFx }>
        <hoobutton label="My first hTWOo React Button" disabled={false} onClick={()=>{}} />
      </hoobutton></div>
    );
  }
}

Now the webpart shows the button. The same method also works with the primary button.

A complete reference of all components can be found in the style guide.

H2O and theming

The way hTWOo handles theming and theme slots also allow you to change the theme without any extra effort and coding.

If you change the background to inverted for example, the colors will get automatically adjusted once the page has been saved.

SPFx themed standard and primary button

Or even an overall dark page theme work.

Dark theming with standard and primary button

Download this getting started

You will find all sample in the hTWOo Sample.

Further resources

Leave a Reply

Required fields are marked *.


This site uses Akismet to reduce spam. Learn how your comment data is processed.