下面是两个做几乎相同事情的 React 组件。一是函数;另一个是一个类。每个组件都有一个Animated.Value
带有异步侦听器的异步侦听器,该侦听器会_foo
根据更改进行更新。我需要能够_foo
像this._foo
在经典组件中一样访问功能组件。
FunctionalBar
不应该_foo
在全局范围内有多个FunctionalBar
.FunctionalBar
不能_foo
在函数范围内,因为_foo
每次FunctionalBar
渲染时都会重新初始化。也不应该处于状态,因为组件在更改_foo
时不需要渲染。_foo
ClassBar
没有这个问题,因为它在组件的整个生命周期中一直处于_foo
初始化状态。this
如何在不将其置于全局范围内的情况下_foo
在整个生命周期中保持初始化?FunctionalBar
功能实现
import React from 'react';
import { Animated, View } from 'react-native';
var _foo = 0;
function FunctionalBar(props) {
const foo = new Animated.Value(0);
_onChangeFoo({ value }) {
_foo = value;
}
function showFoo() {
let anim = Animated.timing(foo, { toValue: 1, duration: 1000, useNativeDriver: true });
anim.start(() => console.log(_foo));
}
useEffect(() => {
foo.addListener(_onChangeFoo);
showFoo();
return () => foo.removeListener(_onChangeFoo);
});
return <View />;
}
经典实现
import React from 'react';
import { Animated, View } from 'react-native';
class ClassBar extends React.Component {
constructor(props) {
super(props);
this.state = { foo: new Animated.Value(0) };
this._foo = 0;
this._onChangeFoo = this._onChangeFoo.bind(this);
}
componentDidMount() {
this.state.foo.addListener(this._onChangeFoo);
this.showFoo();
}
componentWillUnmount() {
this.state.foo.removeListener(this._onChangeFoo);
}
showFoo() {
let anim = Animated.timing(this.state.foo, { toValue: 1, duration: 1000, useNativeDriver: true });
anim.start(() => console.log(this._foo));
}
_onChangeFoo({ value }) {
this._foo = value;
}
render() {
return <View />;
}
}