样式组件在渲染道具时导致意外行为

styled-components causing unexpected behaviour when rendering props

我有一个 WhiteBox React 组件,它简单地呈现一个带有一些样式的白框。 我有一个 SmallBox 反应组件,它只使用 WhiteBox 来呈现一个更具体的框。 我有一个 Content react 组件,它呈现三个 SmallBox 框,这些框执行它应该做的事情(呈现三个白色框)。 但是,当我尝试从父级添加文本作为道具时,白框与顶部的一些意外边距对齐。 注意:当我简单地放置 "This is a text" 时,css 是可以的,但是当我将 "this is a text" 作为 props.text 发送时,白框会从顶部呈现额外的边距。 我使用 styled-components 并按照我说的做出反应。

我已经尝试 console.log 文本,似乎一切正常。我也试过切换 props.children 或 props.text 但它不起作用

----------------白框组件--------------------

import styled from "styled-components";

const StyledBox = styled.div`
  display: inline-block;
  width: ${props => props.width}px;
  height: ${props => props.height}px;
  margin-right: ${props => props.marginRight}px;
  margin-left: 100px;
  background-color: white;
  border-radius: 5px;

  font-size: 13px;
  font-weight: 700;
  text-transform: uppercase;
  color: #646777;
  padding: 10px;
`;
const WhiteBox = props => {
  return (
    <StyledBox
      width={props.width}
      height={props.height}
      marginRight={props.marginRight}
    >
      {props.text} // if I change this to simply "this is a text" it works well. somehow the props.text is causing problems.
    </StyledBox>
  );
};

export default WhiteBox;```

-----------------Small Box Component ----------------------

import React from "react";
import styled from "styled-components";
import WhiteBox from "../whitebox/white-box";

const SmallBox = props => {
  return (
    <WhiteBox width={320} height={130} marginRight={70} marginLeft={70} text={props.text}>
    </WhiteBox>
  );
};

export default SmallBox;


-----------------Content Component ----------------------


import React, { Component } from "react";
import SmallBox from "./smallbox/small-box";

import styled from "styled-components";

const StyledContent = styled.div`
  position: absolute;
  left: 320px;
  top: 80px;
  width: 100%;
  height: 100%;
  background-color: #f1f3f7;
`;


class Content extends Component {
  render() {
    return (
      <>
        <StyledContent>
          <SmallBox text="this text is great" /> // causing problem
          <SmallBox />
          <SmallBox />
        </StyledContent>
      </>
    );
  }
}

export default Content;

问题与渲染的行数有关。道具中的文字越长,渲染的线条越多。

一个解决方案是为 WhiteBox 更改 display 属性:

const StyledBox = styled.div`
  display: inline-flex;
  ....
`;

另一种解决方案是覆盖默认样式 vertical-align: baseline,只需添加 vertical-align: top;

const StyledBox = styled.div`
  display: inline-block;
  ....
  vertical-align: top;
`;