Implementation steps of encapsulating components based on React

Implementation steps of encapsulating components based on React

Preface

Many friends will encounter many problems like me when they try to encapsulate components for the first time. For example, other people’s components have color attributes. When we use the component, we pass in the attribute value described in the component document, such as primary. Then the font color of this component will become the color corresponding to primary. How is this done? Also, the component class names encapsulated by others have their own unique prefixes. How do you deal with this? Do you have to add prefixes to all CSS class names? This is too troublesome!

If you are confused about these questions, you can read this article.

I will refer to antd's divider component to explain how to encapsulate a component based on React, and answer some of the above questions. Please read it patiently!

How does antd encapsulate components?

Warehouse Address

  • Antd repository address: https://github.com/ant-design/ant-design
  • The divider component is in the directory corresponding to the figure below (I will copy the code here, if you are interested, you can clone the repository)

Divider component source code

The source code of antd uses TypeScript syntax, so students who don't understand the syntax should learn it in time!

import * as React from 'react';
import classNames from 'classnames';
import { ConfigConsumer, ConfigConsumerProps } from '../config-provider';

export interface DividerProps {
    prefixCls?: string;
    type?: 'horizontal' | 'vertical';
    orientation?: 'left' | 'right' | 'center';
    className?: string;
    children?: React.ReactNode;
    dashed?: boolean;
    style?: React.CSSProperties;
    plain?: boolean;
}

const Divider: React.FC<DividerProps> = props => (
    <ConfigConsumer>
        {({ getPrefixCls, direction }: ConfigConsumerProps) => {
            const {
                prefixCls: customizePrefixCls,
                type = 'horizontal',
                orientation = 'center',
                className,
                children,
                dashed,
                plain,
                ...restProps
            } = props;
            const prefixCls = getPrefixCls('divider', customizePrefixCls);
            const orientationPrefix = orientation.length > 0 ? `-${orientation}` : orientation;
            const hasChildren = !!children;
            const classString = classNames(
                prefixCls,
                `${prefixCls}-${type}`,
                {
                    [`${prefixCls}-with-text`]: hasChildren,
                    [`${prefixCls}-with-text${orientationPrefix}`]: hasChildren,
                    [`${prefixCls}-dashed`]: !!dashed,
                    [`${prefixCls}-plain`]: !!plain,
                    [`${prefixCls}-rtl`]: direction === 'rtl',
                },
                className,
            );
            return (
                <div className={classString} {...restProps} role="separator">
                    {children && <span className={`${prefixCls}-inner-text`}>{children}</span>}
                </div>
            );
        }}
    </ConfigConsumer>
);

export default Divider;

How to expose component properties

In the source code, the first thing you see is the following content. These properties are also the properties exposed by the divider component. We can pass in the type attribute like <Divider type='vertical' /> , so the divider dividing line style will be rendered as a vertical dividing line. Doesn't it look familiar?

export interface DividerProps { // interface is TypeScript syntax prefixCls?: string;
    type?: 'horizontal' | 'vertical'; // Limit type to only one of the two values ​​orientation?: 'left' | 'right' | 'center';
    className?: string;
    children?: React.ReactNode;
    dashed?: boolean;
    style?: React.CSSProperties;
    plain?: boolean;
}

In the above attributes, we also found that className and style are relatively common attributes, which means we can use these attributes like <Divider type='vertical' className='myClassName' style={{width: '1em'}} />

How to set a unified class name prefix

We know that antd's component class names have their own unique prefix ant- , how is this handled? Continue to look at the source code.

<ConfigConsumer>
    {({ getPrefixCls, direction }: ConfigConsumerProps) => {
        const {
            prefixCls: customizePrefixCls,
            type = 'horizontal',
            orientation = 'center',
            className,
            children,
            dashed,
            plain,
            ...restProps
        } = props;
        const prefixCls = getPrefixCls('divider', customizePrefixCls);

From the source code, we find prefixCls, which is generated by the getPrefixCls method. Let's take a look at the source code of the getPrefixCls method, as follows.

export interface ConfigConsumerProps {
  ...
  getPrefixCls: (suffixCls?: string, customizePrefixCls?: string) => string;
  ...
}

const defaultGetPrefixCls = (suffixCls?: string, customizePrefixCls?: string) => {
  if (customizePrefixCls) return customizePrefixCls;

  return suffixCls ? `ant-${suffixCls}` : 'ant';
};

It is not difficult to find that the class name prefix generated at this time is ant-divider .

How to handle styles and class names

The components we encapsulate must have preset styles. Because the styles are defined by class names, and the attribute values ​​we pass in will determine which class name to add to the component, how is this achieved? Let’s look at the source code below.

import classNames from 'classnames';

const classString = classNames(
    prefixCls,
    `${prefixCls}-${type}`,
    {
        [`${prefixCls}-with-text`]: hasChildren,
        [`${prefixCls}-with-text${orientationPrefix}`]: hasChildren,
        [`${prefixCls}-dashed`]: !!dashed,
        [`${prefixCls}-plain`]: !!plain,
        [`${prefixCls}-rtl`]: direction === 'rtl',
    },
    className,
);
return (
    <div className={classString} {...restProps} role="separator">
        {children && <span className={`${prefixCls}-inner-text`}>{children}</span>}
    </div>
);

We found that it defines a constant of all class names through the classNames method (classNames is a component of React that handles multiple class names), and then passes it to the className attribute in the div.

In fact, the generated class name is ant-divider-horizontal , so the style defined in CSS with this class name will naturally take effect. The className and style attributes are passed in through {...restProps} .

Finally, let’s take a look at how its CSS style code is written!

Divider component style source code

The styles of antd components are written in Less. Students who are not familiar with Less syntax must learn about it.

@import '../../style/themes/index';
@import '../../style/mixins/index';

@divider-prefix-cls: ~'@{ant-prefix}-divider'; // You can see that this corresponds to the class name prefix mentioned earlier.@{divider-prefix-cls} {
  .reset-component();

  border-top: @border-width-base solid @divider-color;

  &-vertical { // The full class name here is actually ant-divider-vertical, which is the style corresponding to the divider component when the type attribute value is vertical position: relative;
    top: -0.06em;
    display: inline-block;
    height: 0.9em;
    margin: 0 8px;
    vertical-align: middle;
    border-top: 0;
    border-left: @border-width-base solid @divider-color;
  }

  &-horizontal {
    display: flex;
    clear: both;
    width: 100%;
    min-width: 100%; 
    margin: 24px 0;
  }

  &-horizontal&-with-text {
    display: flex;
    margin: 16px 0;
    color: @heading-color;
    font-weight: 500;
    font-size: @font-size-lg;
    white-space: nowrap;
    text-align: center;
    border-top: 0;
    border-top-color: @divider-color;

    &::before,
    &::after {
      position: relative;
      top: 50%;
      width: 50%;
      border-top: @border-width-base solid transparent;
      // Chrome does not accept `inherit` in `border-top`
      border-top-color: inherit;
      border-bottom: 0;
      transform: translateY(50%);
      content: '';
    }
  }

  &-horizontal&-with-text-left {
    &::before {
      top: 50%;
      width: @divider-orientation-margin;
    }

    &::after {
      top: 50%;
      width: 100% - @divider-orientation-margin;
    }
  }

  &-horizontal&-with-text-right {
    &::before {
      top: 50%;
      width: 100% - @divider-orientation-margin;
    }

    &::after {
      top: 50%;
      width: @divider-orientation-margin;
    }
  }

  &-inner-text {
    display: inline-block;
    padding: 0 @divider-text-padding;
  }

  &-dashed {
    background: none;
    border-color: @divider-color;
    border-style: dashed;
    border-width: @border-width-base 0 0;
  }

  &-horizontal&-with-text&-dashed {
    border-top: 0;

    &::before,
    &::after {
      border-style: dashed none none;
    }
  }

  &-vertical&-dashed {
    border-width: 0 0 0 @border-width-base;
  }

  &-plain&-with-text {
    color: @text-color;
    font-weight: normal;
    font-size: @font-size-base;
  }
}

@import './rtl';

In this way, I believe that students also have a general understanding of how to encapsulate a component and the key points. There are still many places in the source code worth learning, such as the definition and use of ConfigConsumer here. Students who are interested are welcome to communicate together.

This is the end of this article about the implementation steps of React-based encapsulated components. For more relevant React encapsulated component content, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Encapsulate a simplest ErrorBoundary component to handle react exceptions
  • React Form component implementation encapsulation
  • React tutorial: How to encapsulate a Portal reusable component
  • React Native notification message vertical carousel component encapsulation
  • Do you know how to encapsulate a component based on React?

<<:  How to use HTML+CSS to create TG-vision homepage

>>:  SQL insert into statement writing method explanation

Recommend

Solve the problem after adding --subnet to Docker network Create

After adding –subnet to Docker network Create, us...

Solve the problem of Syn Flooding in MySQL database

Syn attack is the most common and most easily exp...

Vue implements time countdown function

This article example shares the specific code of ...

VMware vSAN Getting Started Summary

1. Background 1. Briefly introduce the shared sto...

Analysis of the principle and usage of MySQL custom functions

This article uses examples to illustrate the prin...

Detailed explanation of custom configuration of docker official mysql image

In order to save installation time, I used the of...

Differences between ES6 inheritance and ES5 inheritance in js

Table of contents Inheritance ES5 prototype inher...

Application of anchor points in HTML

Set Anchor Point <a name="top"><...

Defining the minimum height of the inline element span

The span tag is often used when making HTML web p...

Use of Vue filters and custom instructions

Table of contents Filters 01.What is 02. How to d...

CSS margin overlap and how to prevent it

The vertically adjacent edges of two or more bloc...

Solution to the garbled problem of web pages when the encoding is set to utf-8

Recently, when I was writing web pages with PHP, I...