71

如何使用 React.DOM 更改 HTML 样式body

我尝试了这段代码,但它不起作用:

var MyView = React.createClass({
  render: function() {
    return (
      <div>
        React.DOM.body.style.backgroundColor = "green";
        Stuff goes here.
      </div>
    );
  }
});

如果您从浏览器控制台执行此操作,它可以工作(但我需要它在 ReactJS 代码中工作): document.body.style.backgroundColor = "green";

另请参阅此问题以获取类似但不同的解决方案: Change page background color with each route using ReactJS and React Router?

4

6 回答 6

116

Assuming your body tag isn't part of another React component, just change it as usual:

document.body.style.backgroundColor = "green";
//elsewhere..
return (
  <div>
    Stuff goes here.
  </div>
);

It's recommended to put it at componentWillMount method, and cancel it at componentWillUnmount:

componentWillMount: function(){
    document.body.style.backgroundColor = "green";
}

componentWillUnmount: function(){
    document.body.style.backgroundColor = null;
}
于 2014-08-24T21:48:29.780 回答
9

使用功能组件和 useEffect 挂钩:

useEffect(()  => {
    document.body.classList.add('bg-black');

    return () => {
        document.body.classList.remove('bg-black');
    };
});
于 2021-03-09T12:58:14.033 回答
4

将多个属性从 js 类加载到文档正文的一个很好的解决方案是:

componentWillMount: function(){
    for(i in styles.body){
        document.body.style[i] = styles.body[i];
    }
},
componentWillUnmount: function(){
    for(i in styles.body){
        document.body.style[i] = null;
    }
},

在你写下你想要的身体风格之后:

var styles = {
    body: {
        fontFamily: 'roboto',
        fontSize: 13,
        lineHeight: 1.4,
        color: '#5e5e5e',
        backgroundColor: '#edecec',
        overflow: 'auto'
    }
} 
于 2015-10-20T22:15:20.203 回答
4

加载或附加额外类的最佳方法是在 componentDidMount() 中添加代码。

react 和 meteor测试:

componentDidMount() {
    var orig = document.body.className;
    console.log(orig);  //Just in-case to check if your code is working or not
    document.body.className = orig + (orig ? ' ' : '') + 'gray-bg'; //Here gray-by is the bg color which I have set
}
componentWillUnmount() {
    document.body.className = orig ;
}
于 2016-10-06T06:52:38.127 回答
0

这就是我最终使用的。

import { useEffect } from "react";

export function useBodyStyle(style: any){
    useEffect(()=>{
        for(var key in style){
            window.document.body.style[key as any] = style[key];
        }
        return () => {
            window.document.body.style[key as any] = '';
        }
    }, [style])
}
于 2021-06-03T14:48:21.603 回答
0

即使您可以通过对提供的答案做出反应来设置正文样式,我更喜欢组件只负责设置自己的样式。

就我而言,有一个替代解决方案。我需要更改身体背景颜色。这可以很容易地实现,而无需更改 React 组件中的主体样式。

首先,我将此样式添加到 index.html 标头中。

<style>
    html, body, #react-app {
        margin: 0;
        height: 100%;
    }
</style>

然后,在我最外层的组件中,我将 backgroundColor 设置为所需的值,并将高度设置为 100%。

于 2020-12-02T21:58:03.213 回答