JSPM

fox-block-builder

2.8.97
  • ESM via JSPM
  • ES Module Entrypoint
  • Export Map
  • Keywords
  • License
  • Repository URL
  • TypeScript Types
  • README
  • Created
  • Published
  • Downloads 436
  • Score
    100M100P100Q90949F
  • License MIT

Maintainable code for interactive Slack messages, modals, home tabs, and workflow steps. A must-have for the Slack Block Kit framework.

Package Exports

  • fox-block-builder
  • fox-block-builder/dist/index.js
  • fox-block-builder/dist/internal
  • fox-block-builder/dist/internal/index.js

This package does not declare an exports field, so the exports above have been automatically detected and optimized by JSPM instead. If any package subpath is missing, it is recommended to post an issue to the original package (fox-block-builder) to support the "exports" field. If that is not possible, create a JSPM override to customize the exports field for this package.

Readme

Модуль с утилитами для создания модалок в формате Slack

Использование надстроек Внутреннего IT Фокса

Модуль предоставляет несколько классов, упрощающих создание элементов для плагина Loop

BlockId

Пример использования:

import { Blocks } from 'fox-block-builder';
import { BlockId } from 'fox-loop-modal-utils';

Blocks.Input({
  label: 'Адрес электронной почты пользователя, которому открываем доступ',
  blockId: BlockId('blockId', {
    /** Надо ли дополнительно задать название блоку вручную (нужно когда у разных блоков один custom id) */
    name: 'имяБлока',
    /** Надо ли при сабмите формы проставить в пф value поля вместо text/label */
    value: true,
    /** Номер custom field в ПФ */
    custom: 123456,
    /** Создать id для поля LoopForm */
    loop: true,
    /** Ключ хендбука для простановки опций в селекте */
    handbook: 'bu',
    /** Заполнение годами по текущий начиная с заданного */
    setYear: {
      /** Год, с которого начать */
      since: 1990,
      /** флажок заполнения одним числом (2020) - 'single' или двумя (2020-2021) - 'double' */
      type: 'single',
    },
    /** Добавляет блок в название задачи */
    asTitle: true,
    /** Задает параметры аналитики */
    analytics: { id: 123456, field: 123456 },
    /** Показывать блок в соотв. команде - 'forFoxford' | 'forTeachers' */
    forTeam: 'forFoxford',
    /** нужно ли проставить изначальную дату относительно сегодня */
    initialDate: {
      /** Дни +/- от сегодня, например -1 или 5 */
      days: 2,
      /** Какие учитывать дни, рабочие - 'business' или все - 'regular' */
      type: 'business',
    },
    /** Позволяет ограничивать доступ к блоку добавляя в него access_modalAccess */
    access: 'modalAccess',
    /** Флаг удаления блока из описания задачи */
    exclude: false,
  }),
});

ViewMeta

import { ViewMeta } from 'fox-loop-modal-utils';

const meta = new ViewMeta({
  /** Номер шаблона планфикса */
  template: 1234567890;
  /** Название задачи */
  title: 'Название задачи';
  /** Кастомные поля для шаблонов */
  customValue: [
    { id: 123456; value: 123456 },
  ];
  /** ID проекта планфикса */
  projectId: 123456;
  /** Статус задачи */
  statusSet: 1;
  /** Ответственные  */
  workers: {
    users: { id: [123456, 123456] };
    groups: { id: [123456, 123456] };
  };
  /** Нужно ли установить ответственных */
  setWorkers?: true;
  /** Статус задачи */
  status?: 2
  /** General задачи */
  general?: 123456;
  /** Родительская задача */
  parentTask?: 123456;
  parentFieldId?: 123456;
  emailNameInBody?: true;
  tag?: 'тег';
  subject?: 'тема';
  isOwner?: true;
  stage?: 'стадия заявки';
  /** Канал сообщения в Loop */
  channelId?: 'qwerty12356';
  /** ID сообщения в Loop */
  messageId?: 'qwerty12356';
  /** Действия с описанием задачи, если оно уже есть */
  descAction?: 'keep' | 'add' | 'set';
  /** Отправка сообщений при сабмите формы */
  postMessage?: 'сообщение';
  /** Дата начала */
  beginDateTime?: '11.12.1990';
 });

ViewMap

import { Blocks } from 'fox-block-builder';

import { ViewMap } from 'fox-loop-modal-utils';

const block = Blocks.Input();

const blocks = [block, block];

const map = new ViewMap({
  /** ID блока, которому задаем видимость */
  blockId: {
    /** [ID блока, на значения которого ориентируемся]: [{верное значение или его часть}, {верное значение или его часть}] */
    refBlockId: ['value'],
  },
})
  .setForBlockId('blockId', { refBlockId: ['value'] })
  .setForBlocks(blocks, {
    refBlockId: ['value'],
  })
  .setForSingleBlock(block, { productType: ['courses'] });

ViewAnalytics

const analytics = new ViewAnalytics({
  /** ID аналитики */
  analyticId: 123456,
  /** Значения для блоков */
  blockFields: {
    blockId: 123456,
  },
}).setForBlockValue({
  /** Задать значения по значению одного из блоков */
  /** ID блока */
  blockId: 'blockId',
  /** Значение */
  value: 'value',
  /** Значения аналитики для других блоков */
  blockFields: {
    otherBlockId: 12345,
  },
});

Page

import { Blocks, Elements, Modal, LoopModalBuilder } from 'fox-block-builder';
import { LoopModalBuilder } from 'fox-loop-modal-utils';

const view = Modal({
  title: 'Название',
  close: 'Назад',
  submit: 'Выйти',
}).blocks(
  Blocks.Section({
    text: 'text',
  }).accessory(
    Elements.Button({
      text: 'Перейти',
      value: 'value',
    }),
  ),
  Blocks.Section({
    text: 'Text',
  }).accessory(
    Elements.Button({
      text: 'Перейти',
      value: 'value',
    }),
  ),
);

export const page = LoopModalBuilder.Page({ view });
import { Blocks, Elements, Modal } from 'fox-block-builder';
import { LoopModalBuilder } from 'fox-loop-modal-utils';

const view = Modal({
  title: 'Название',
  close: 'Назад',
  submit: 'Выйти',
}).blocks(
  Blocks.Section({
    text: 'text',
  }).accessory(
    Elements.Button({
      text: 'Перейти',
      value: 'value',
    }),
  ),
  Blocks.Section({
    text: 'Text',
  }).accessory(
    Elements.Button({
      text: 'Перейти',
      value: 'value',
    }),
  ),
);

export const menu = LoopModalBuilder.Menu({ view });

Form

import { Blocks, Elements, Modal } from 'fox-block-builder';

import { ViewAnalyticsBuilder, ViewMapBuilder, ViewMetaBuilder } from './src';
import { LoopModalBuilder } from './src/entities/modal-builder';

const meta = ViewMetaBuilder.Create();

const view = Modal({
  title: 'Название',
  close: 'Назад',
  submit: 'Выйти',
}).blocks(
  /** Блоки */
  Blocks.Input({
    blockId: 'userBlock',
    label: 'Выбор пользователя',
  }).element(Elements.UserSelect()),
);

const map = ViewMapBuilder.Create();
const analytics = ViewAnalyticsBuilder.Create({
  analyticId: 123456,
  blockFields: {},
});

export const form = LoopModalBuilder.Form({
  meta,
  view,
  map,
  analytics,
  callbackId: 'callbackId',
});

Block Builder helps you keep your Slack app code for UI maintainable, testable, and reusable. It has a declarative, chainable syntax inspired by SwiftUI and is built for better UI architecture.

⚡   Features

  • Declarative SwiftUI inspired syntax.
  • Commonly-used UI components, such as a Paginator and Accordion.
  • Inline conditional helper functions for declaratively appending or omitting UI content.
  • The ability to build more complex flows using loops and conditionals.
  • A printPreviewURL() method that outputs a link to preview your UI on Slack's Block Kit Builder website for easier prototyping.
  • A set of helper functions for formatting text with Slack's markdown standard.
  • In-depth doc site at https://blockbuilder.dev.
  • Support for all current Slack Block Kit objects.
  • A great TypeScript experience.
  • Extensive JSDoc hints with explanations, validation rules, and quick links to full documentation.
  • Zero dependencies.

🎁   Benefits

  • Write three times less code.
  • Build more sophisticated, elegant flows.
  • Design better UI architecture for your Slack apps.
  • Focus more on code in your IDE than on studying the Slack API docs.
  • Easily integrate localizations into your app.

👥   Join The Community

Feedback – love it! Aside from GitHub Issues, there's a Slack channel available in the Slack Community workspace to discuss Block Builder – we'll see you there! 🙌

💾   Installation

Block Builder requires Node.js 12 or higher, and, when using TypeScript, TypeScript 3.8 or higher.

Using NPM

npm install --save fox-block-builder

Using Yarn

yarn add fox-block-builder

👾   Usage

For full documentation, make sure you head over to https://blockbuilder.dev.

Importing

The functions for creating objects can be both imported directly or through an object that groups them by category.

// Importing exposed groups of objects

import { Surfaces, Blocks, Elements, Bits, Utilities } from 'fox-block-builder';

// Importing objects top-level

import { Modal, Section, Actions, Button } from 'fox-block-builder';

The same goes for importing Slack markdown helper functions:

// Importing the Md object

import { Surfaces, Blocks, Md } from 'fox-block-builder';

// Importing the functions top-level

import { Modal, Section, bold, link } from 'fox-block-builder';

Object Breakdown

Surfaces – Contains functions for creating modals, messages, home tabs, and workflow steps.

Blocks – Layout blocks used to organize the UI.

Elements – UI elements that are used to capture user interaction.

Bits – These are composition objects and other bits and pieces from Slack's docs. Included are Attachment, Options, OptionGroup, and ConfirmationDialog. They felt like they were deserving of their own category.

Utilities – A group of utility functions. See Utility Functions.

Md – Helper functions for formatting text with Slack's markdown. See Markdown Helpers.

Block Kit Support and Reference

Below is a list of supported objects and how to access them in Block Builder:

Name Type Support Accessed Via
Home Tab Surface Surfaces.HomeTab()
Message Surface Surfaces.Message()
Modal Surface Surfaces.Modal()
Workflow Step Surface Surfaces.WorkflowStep()
Actions Block Blocks.Actions()
Context Block Blocks.Context()
Divider Block Blocks.Divider()
File Block Blocks.File()
Header Block Blocks.Header()
Image Block Blocks.Image()
Input Block Blocks.Input()
Section Block Blocks.Section()
Video Block Blocks.Video()
Button Element ✅️ Elements.Button()
Checkboxes Element Elements.Checkboxes()
Date Picker Element Elements.DatePicker()
Date Time Picker Element Elements.DateTimePicker()
Email Input Element Elements.EmailInput()
File Input Element Elements.FileInput()
Time Picker Element Elements.TimePicker()
Image Element Elements.Img()
Number Input Element Elements.NumberInput()
Overflow Menu Element Elements.OverflowMenu()
Radio Buttons Element Elements.RadioButtons()
Plain-Text Input Element Elements.TextInput()
Select Menus Element Elements.[Type]Select()
Multi-Select Menus Element Elements.[Type]MultiSelect()
URL Input Element Elements.NumberInput()
Option Composition Object Bits.Option()
Confirm Dialog Composition Object Bits.ConfirmationDialog()
Option Group Composition Object Bits.OptionGroup()
Attachment Legacy Feature Bits.Attachment()

Creating a Simple Interactive Message

Let's take a look at how to compose an interactive message. Even though Slack now has modals, these have always been the basis for Slack apps.

Functions that return Block Kit objects have setter methods for all of the properties, but also support parameters that are passed into the constructor for properties with primitive types.

import { Message, Blocks, Elements } from 'fox-block-builder';

export default ({ channel, dangerLevel }) =>
  Message()
    .channel(channel)
    .text('Alas, my friend.')
    .blocks(
      Blocks.Section().text(
        'One does not simply walk into Slack and click a button.',
      ),
      Blocks.Section().text(
        "At least that's what my friend Slackomir said ⚔️",
      ),
      Blocks.Divider(),
      Blocks.Actions().elements(
        Elements.Button()
          .text('Sure One Does')
          .actionId('gotClicked')
          .danger(dangerLevel > 42), // Optional argument, defaults to 'true'
        Elements.Button().text('One Does Not').actionId('scaredyCat').primary(),
      ),
    )
    .asUser()
    .buildToJSON();

And now an example with using both the setter methods and passing parameters into the functions at initiation:

import { Message, Blocks, Elements } from 'fox-block-builder';

export default ({ channel, dangerLevel }) =>
  Message({ channel, text: 'Alas, my friend.' })
    .blocks(
      Blocks.Section({
        text: 'One does not simply walk into Slack and click a button.',
      }),
      Blocks.Section({
        text: "At least that's what my friend Slackomir said ⚔️",
      }),
      Blocks.Divider(),
      Blocks.Actions().elements(
        Elements.Button({
          text: 'Sure One Does',
          actionId: 'gotClicked',
        }).danger(dangerLevel > 42), // Optional argument, defaults to 'true'
        Elements.Button({
          text: 'One Does Not',
          actionId: 'scaredyCat',
        }).primary(),
      ),
    )
    .asUser()
    .buildToJSON();

Both of these examples render the message below. And the best part? It only took 15 lines of code, as opposed to the 44 lines of JSON generated as a result.

An example of using Block Builder for Messages

View Example on Slack Block Kit Builder Website

Creating a Simple Modal

Let's take a look at how modals are created. Here we'll also take a look at working with Bits and with loops, by adding options with the Array.map() method.

import { Modal, Blocks, Elements, Bits, setIfTruthy } from 'fox-block-builder';

export default ({ menuOptions, selected }) =>
  Modal({ title: 'PizzaMate', submit: 'Get Fed' })
    .blocks(
      Blocks.Section({ text: 'Hey there, colleague!' }),
      Blocks.Section({
        text: "Hurray for corporate pizza! Let's get you fed and happy 🍕",
      }),
      Blocks.Input({ label: 'What can we call you?' }).element(
        Elements.TextInput({
          placeholder: 'Hi, my name is... (What?!) (Who?!)',
        }).actionId('name'),
      ),
      Blocks.Input({ label: 'Which floor are you on?' }).element(
        Elements.TextInput({ placeholder: 'HQ – Fifth Floor' }).actionId(
          'floor',
        ),
      ),
      Blocks.Input({ label: "What'll you have?" }).element(
        Elements.StaticSelect({ placeholder: 'Choose your favorite...' })
          .actionId('item')
          .options(
            menuOptions.map((item) =>
              Bits.Option({ text: item.name, value: item.id }),
            ),
          )
          .initialOption(
            setIfTruthy(
              selected,
              Bits.Option({ text: selected.name, value: selected.id }),
            ),
          ),
      ),
    )
    .buildToJSON();

Both of these examples render the modal below.

An example of using Block Builder for Modals

View Example on Slack Block Kit Builder Website

Paginator Component

Block Builder provides a Paginator component that assists in producing paginated UI. It allows you to dictate the UI to build for each items passed in and provides to the actionId all of the data (page, perPage, totalPages, offset, totalItems ) you need to produce the right page when a user clicks the Next or Previous buttons.

Note that there is a demo app available that demonstrates how to use components.

The Paginator component supports optional customizations, such as:

nextButtonText – Used to pass in custom text for the Next button, but has a default.

previousButtonText – Used to pass in custom text for the Next button, but has a default.

pageCountText – Used to pass in custom text for the page count, accepts a function and passes the function an object with page and totalPages properties.

import { Modal, Blocks, Elements, Paginator } from 'fox-block-builder';

export default ({ tasks, totalTasks, page, perPage }) =>
  Modal({ title: 'Open Tasks' })
    .blocks(
      Blocks.Section({
        text: "Hi! 👋 And welcome to the FAQ section! Take a look around and if you don't find what you need, feel free to open an issue on GitHub.",
      }),
      Blocks.Section({
        text: `You currently have *${totalTasks} open task(s)*:`,
      }),
      Paginator({
        perPage,
        items: tasks,
        totalItems: totalTasks,
        page: page || 1,
        actionId: ({ page, offset }) =>
          JSON.stringify({ action: 'render-tasks', page, offset }),
        blocksForEach: ({ item }) => [
          Blocks.Divider(),
          Blocks.Section({ text: `*${item.title}*` }).accessory(
            Elements.Button({ text: 'View Details' })
              .actionId('view-details')
              .value(item.id.toString()),
          ),
          Blocks.Section({ text: `*Due Date:* ${getDate(item.dueDate)}` }),
        ],
      }).getBlocks(),
    )
    .close('Done')
    .buildToJSON();

The code above renders the modal below. And be sure to check out the full documentation on the Block Builder doc site for more information.

An example of using Block Builder for Modals

View Example on Slack Block Kit Builder Website

Accordion Component

Using the Accordion component, you can easily create a customizable accordion for your Slack app. It not only assists in building a suitable UI, but also calculates the next state and gives you access to it in the actionId of the buttons in the accordion, so that you can pass that back to your app's backend and use it to render the next state.

Note that there is a demo app available that demonstrates how to use components.

The Accordion component supports optional customizations, such as:

collapseOnExpand – Dictates whether or not multiple items can be expanded at once. When set to true, only one item will be expanded at any given time.

expandButtonText – Used to pass in custom text for the button that expands an item, but has a default.

collapseButtonText – Used to pass in custom text for the button that collapses an expanded item, but has a default.

isExpandable – Used to display or not the expand/collapse button for a given item.

import { Modal, Blocks, Accordion } from 'fox-block-builder';

export default ({ faqs, expandedItems }) =>
  Modal({ title: 'FAQ' })
    .blocks(
      Blocks.Section({
        text: "Hi! 👋 And welcome to the FAQ section! Take a look around and if you don't find what you need, feel free to open an issue on GitHub.",
      }),
      Blocks.Divider(),
      Accordion({
        items: faqs,
        expandedItems: expandedItems || [], // In this case, the value is [1]
        collapseOnExpand: true,
        titleText: ({ item }) => `*${item.question}*`,
        actionId: ({ expandedItems }) =>
          JSON.stringify({ action: 'render-faqs', expandedItems }),
        blocksForExpanded: ({ item }) => [
          Blocks.Section({ text: `${item.answer}` }),
        ],
      }).getBlocks(),
    )
    .close('Done')
    .buildToJSON();

The code above renders the modal below. And be sure to check out the full documentation on the Block Builder doc site for more information.

An example of using Block Builder for Modals

View Example on Slack Block Kit Builder Website

Utility Functions

The Utilities object contains various utility functions for creating UI. Currently, there are two:

BlockCollection() – Accepts multiple arguments or an array of blocks and returns them in an array, in their built state.

AttachmentCollection() – Accepts multiple arguments or an array of attachments and returns them in an array, in their built state.

OptionCollection() – Accepts multiple arguments or an array of options and returns them in an array, in their built state.

OptionGroupCollection() – Accepts multiple arguments or an array of option groups and returns them in an array, in their built state.

Both BlockCollection() and AttachmentCollection() are useful when you wish to keep surface or view configuration separate from UI representation.

An example using Slack's WebClient from their SDK for Node.js:

import {
  BlockCollection,
  AttachmentCollection,
  Blocks,
} from 'fox-block-builder';
import { WebClient } from '@slack/web-api';

const client = new WebClient(process.env.SLACK_TOKEN);

client.chat
  .postMessage({
    channel: 'ABCDEFG',
    text: 'Hello, my dear, sweet world!',
    blocks: BlockCollection(/* Pass in blocks */),
    attachments: AttachmentCollection(/* Pass in attachments */),
  })
  .then((response) => console.log(response))
  .catch((error) => console.log(error));

Another example where you might find BlockCollection() helpful is when unfurling links in messages:

import { BlockCollection, Blocks } from 'fox-block-builder';
import { WebClient } from '@slack/web-api';

const client = new WebClient(process.env.SLACK_TOKEN);

const unfurl = ({ channel, ts, url }) =>
  client.chat
    .unfurl({
      channel,
      ts,
      unfurls: { [url]: BlockCollection(/* Pass in blocks */) },
    })
    .then((response) => console.log(response))
    .catch((error) => console.log(error));

Both OptionCollection() and OptionGroupCollection() come in handy when returning an array of options or option groups for select menus with external data sources, as seen in Slack's API docs:

return { options: OptionCollection(/* Pass in options */) };

// Or:

return { options: OptionGroupCollection(/* Pass in option groups */) };

Working With Inline Conditionals

There are a few helper functions available to make it easy to work with inline conditionals within your UI source code.

They can be imported separately:

import {
  setIfTruthy,
  omitIfTruthy,
  setIfFalsy,
  omitIfFalsy,
} from 'fox-block-builder';

Or as a part of the conditionals object:

import { conditionals } from 'fox-block-builder';

Each function accepts two arguments – the first being a value that is evaluated whether it is either null, undefined, or false, and the second being the value to set or omit:

import { Modal, Blocks, Elements, Bits, setIfTruthy } from 'fox-block-builder';

export default ({ groups, selectedGroup, selectedGroupMembers }) =>
  Modal()
    .title('Edit Groups')
    .callbackId('submit-edit-groups')
    .blocks(
      Blocks.Section({ text: 'Hello! Need to edit some groups?' }),
      Blocks.Input({ label: 'Select a group to get started' })
        .dispatchAction()
        .element(
          Elements.StaticSelect({ placeholder: 'Select a group...' })
            .actionId('selectedGroup')
            .options(
              groups.map(({ name, id }) =>
                Bits.Option({ text: name, value: id }),
              ),
            ),
        ),
      setIfTruthy(selectedGroup, [
        Blocks.Input({ label: 'Current group members' }).element(
          Elements.UserMultiSelect({ placeholder: 'Select members...' })
            .actionId('groupMembers')
            .initialUsers(selectedGroupMembers),
        ),
      ]),
    )
    .submit(setIfTruthy(selectedGroup, 'Save Changes'))
    .buildToJSON();

These functions essentially return either the value passed into as the second argument or undefined, depending on the condition. Please note that falsy is defined as null, undefined, or false. To avoid side effects, values such as 0 or '' are not considered to be falsy.

Markdown Helpers

Often you'll find that you need to format text in your messages and modals. Block Builder has helper functions available to simply that process. They are available both as members of the Md object and as top-level imports. You can find the full list of functions on the Block Builder doc site:

import { Message, Blocks, Md } from 'fox-block-builder';

export default ({ channel, user }) => {
  const slashCommands = ['/schedule', '/cancel', '/remind', '/help'];

  return Message({ channel, text: 'Alas, my friend.' })
    .blocks(
      Blocks.Section({ text: `👋 Hi there, ${Md.user(user)}!` }),
      Blocks.Section({
        text: `${Md.italic('Sorry')}, I didn't get that. Why don't you try out some of my slash commands?`,
      }),
      Blocks.Section({ text: `Here are some of the things that I can do:` }),
      Blocks.Section().text(
        Md.listBullet(slashCommands.map((item) => Md.codeInline(item))),
      ),
    )
    .asUser()
    .buildToObject();
};

View Example on Slack Block Kit Builder Website

Bolt for JavaScript – A simple framework for building Slack apps, developed by Slack themselves.

Node Slack SDK – A great and powerful SDK for building Slack Apps from the ground up.

🔥   Acknowledgements

@korywka Taras Neporozhniy (@korywka) - For help and ideas along the way!

@ft502 Alexey Chernyshov (@ft502 on Dribbble) - For such a beautiful logo!

@slackhq SlackHQ (@slackhq) - For such a wonderful product and API!

✒️   Author

@raycharius Ray East (@raycharius) - Huge Fan of Slack and Block Builder Maintainer