# React技巧之将CSS作为props传递

原文链接:https://bobbyhadz.com/blog/react-pass-style-as-props-typescript (opens new window)

作者:Borislav Hadzhiev (opens new window)

正文从这开始~

# React.CSSProperties

在React TypeScript中使用React.CSSProperties类型来作为props传递CSS样式。比如:style: React.CSSProperties;CSSProperties 被用于类型声明style对象,其由CSS属性名称和值组成。

// App.tsx

import React from 'react';

type ButtonProps = {
  // 👇️ type as React.CSSProperties
  style: React.CSSProperties;
  children: React.ReactNode;
};

function Button({style, children}: ButtonProps) {
  return <button style={style}>{children}</button>;
}

const App = () => {
  return (
    <div>
      <Button
        style={{padding: '2rem', fontSize: '3rem', backgroundColor: 'lime'}}
      >
        Click
      </Button>

      <h2 style={{fontSize: '3rem'}}>Hello world</h2>
    </div>
  );
};

export default App;
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

上述示例,我们把style对象类型声明为React.CSSProperties

当给Button组件传递样式时,会自动补全属性名称。

你可以通过使用你的IDE,来弄清楚特定prop所期望的类型是什么。

style-prop-cssproperties.gif

在大多数IDE中,你可以将鼠标悬停在prop上,看到prop的值。style prop的定义显示,它的类型是CSSPropertiesundefined

# HTML元素扩展

你可能还需要在一个组件的props中扩展一个HTML元素。

// App.tsx

// 👇️ extend button props
interface ButtonProps extends React.ButtonHTMLAttributes<HTMLButtonElement> {
  style: React.CSSProperties;
  children: React.ReactNode;
}

function Button({style, children}: ButtonProps) {
  return <button style={style}>{children}</button>;
}

const App = () => {
  return (
    <div>
      <Button
        style={{padding: '2rem', fontSize: '3rem', backgroundColor: 'lime'}}
      >
        Click
      </Button>

      <h2 style={{fontSize: '3rem'}}>Hello world</h2>
    </div>
  );
};

export default App;
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

该示例向我们展示了,如何在自定义组件的props中扩展一个button元素。我们在组件的props中使用React.ButtonHTMLAttributes类型来扩展button元素。

你可以在接口中添加自定义props,你的组件可以传递任何特定元素的props。

上述示例中,Button组件可以被传递任何特定的button props。如果你需要一个更广泛的类型,你可以使用HTMLAttributes类型来代替。

其他常用的扩展类型有InputHTMLAttributes, TextareaHTMLAttributes, LabelHTMLAttributes, SelectHTMLAttributes, AnchorHTMLAttributes, CanvasHTMLAttributes, FormHTMLAttributes, ImgHTMLAttributes等等。

需要注意的是,我们在例子中把HTMLButtonElement类型传递给了ButtonHTMLAttributes泛型。

类型被统一命名为HTML***Element。一旦你开始输入HTML...,你的IDE应该能够用自动完成来帮助你。

一些常用的类型有:HTMLInputElementHTMLButtonElementHTMLAnchorElementHTMLImageElementHTMLTextAreaElementHTMLSelectElement 等等。