以原生方式隐藏/显示组件

时间:2015-05-15 18:55:28

标签: javascript react-native

我是React Native的新手,我想知道如何隐藏/显示组件 这是我的测试用例:

<TextInput
    onFocus={this.showCancel()}
    onChangeText={(text) => this.doSearch({input: text})} />

<TouchableHighlight 
    onPress={this.hideCancel()}>
    <View>
        <Text style={styles.cancelButtonText}>Cancel</Text>
    </View>
</TouchableHighlight>

我有一个TextInput组件,我想要的是在输入获得焦点时显示TouchableHighlight,然后在用户按下取消按钮时隐藏TouchableHighlight。< / p>

我不知道如何“访问”TouchableHighlight组件,以隐藏/显示我的功能showCancel/hideCancel
另外,我怎样才能从一开始就隐藏按钮?

28 个答案:

答案 0 :(得分:113)

我会做这样的事情:

var myComponent = React.createComponent({

    getInitialState: function () {
        return {
            showCancel: false,
        };
    },

    toggleCancel: function () {
        this.setState({
            showCancel: !this.state.showCancel
        });
    }

    _renderCancel: function () {
        if (this.state.showCancel) {
            return (
                <TouchableHighlight 
                    onPress={this.toggleCancel()}>
                    <View>
                        <Text style={styles.cancelButtonText}>Cancel</Text>
                    </View>
                </TouchableHighlight>
            );
        } else {
            return null;
        }
    },

    render: function () {
        return (
            <TextInput
                onFocus={this.toggleCancel()}
                onChangeText={(text) => this.doSearch({input: text})} />
            {this._renderCancel()}          
        );
    }

});

答案 1 :(得分:102)

在渲染功能中:

{ this.state.showTheThing && 
  <TextInput/>
}

然后就这样做:

this.setState({showTheThing: true})  // to show it  
this.setState({showTheThing: false}) // to hide it

答案 2 :(得分:42)

在反应或反应中,组件隐藏/显示或添加/删除的方式不像Android或iOS那样有效。我们大多数人都认为会有像

这样的类似策略
View.hide = true or parentView.addSubView(childView)

但是反应原生作品的方式完全不同。实现此类功能的唯一方法是将您的组件包含在DOM中或从DOM中删除。

在此示例中,我将根据按钮单击设置文本视图的可见性。

enter image description here

这个任务背后的想法是创建一个名为state的状态变量,当按钮点击事件发生时,初始值设置为false,然后它值切换。现在我们将在创建组件期间使用此状态变量。

import renderIf from './renderIf'

class FetchSample extends Component {
  constructor(){
    super();
    this.state ={
      status:false
    }
  }

  toggleStatus(){
    this.setState({
      status:!this.state.status
    });
    console.log('toggle button handler: '+ this.state.status);
  }

  render() {
    return (
      <View style={styles.container}>
        {renderIf(this.state.status)(
          <Text style={styles.welcome}>
            I am dynamic text View
          </Text>
        )}

        <TouchableHighlight onPress={()=>this.toggleStatus()}>
          <Text>
            touchme
          </Text>
        </TouchableHighlight>
      </View>
    );
  }
}

在这个片段中唯一要注意的是renderIf,它实际上是一个函数,它将根据传递给它的布尔值返回传递给它的组件。

renderIf(predicate)(element)
  

renderif.js

'use strict';
const isFunction = input => typeof input === 'function';
export default predicate => elemOrThunk =>
  predicate ? (isFunction(elemOrThunk) ? elemOrThunk() : elemOrThunk) : null;

答案 3 :(得分:15)

在render()中,您可以有条件地显示JSX或返回null,如下所示:

AVAssetWriterInput.init(mediaType:, outputSettings:)

答案 4 :(得分:12)

我需要在两张图片之间切换。通过它们之间的条件切换,有5秒的延迟,没有显示图像。

我正在使用来自downvoted amos的方法回答。发布为新答案,因为很难通过正确的格式化将代码放入评论中。

渲染功能:

<View style={styles.logoWrapper}>
  <Image
    style={[styles.logo, loading ? styles.hidden : {}]}
    source={require('./logo.png')} />
  <Image
    style={[styles.logo, loading ? {} : styles.hidden]}
    source={require('./logo_spin.gif')} />
</View>

样式:

var styles = StyleSheet.create({
  logo: {
    width: 200,
    height: 200,
  },
  hidden: {
    width: 0,
    height: 0,
  },
});

screencast

答案 5 :(得分:10)

大部分时间我都在做这样的事情:

class MyComponent extends React.Component {
  constructor(props) {
    super(props);
    this.state = {isHidden: false};
    this.onPress = this.onPress.bind(this);
  }
  onPress() {
    this.setState({isHidden: !this.state.isHidden})
  }
  render() {
    return (
      <View style={styles.myStyle}>

        {this.state.isHidden ? <ToHideAndShowComponent/> : null}

        <Button title={this.state.isHidden ? "SHOW" : "HIDE"} onPress={this.onPress} />
      </View>
    );
  }
}

如果你对编程很陌生,那么这一行对你来说一定很奇怪:

{this.state.isHidden ? <ToHideAndShowComponent/> : null}

这一行相当于

if (this.state.isHidden)
{
  return ( <ToHideAndShowComponent/> );
}
else
{
  return null;
}

但是你不能在JSX内容中编写if / else条件(例如render函数的return()部分),所以你必须使用这种表示法。

这个小技巧在很多情况下非常有用,我建议你在开发中使用它,因为你可以快速检查一下情况。

此致

答案 6 :(得分:10)

enter image description here

隐藏显示 Activity Indicator

的父视图
constructor(props) {
  super(props)

  this.state = {
    isHidden: false
  }  
} 

隐藏显示为关注

{
   this.state.isHidden ?  <View style={style.activityContainer} hide={false}><ActivityIndicator size="small" color="#00ff00" animating={true}/></View> : null
}

完整参考

render() {
    return (
       <View style={style.mainViewStyle}>
          <View style={style.signinStyle}>
           <TextField placeholder='First Name' keyboardType='default' onChangeFirstName={(text) => this.setState({firstName: text.text})}/>
           <TextField placeholder='Last Name' keyboardType='default' onChangeFirstName={(text) => this.setState({lastName: text.text})}/>
           <TextField placeholder='Email' keyboardType='email-address' onChangeFirstName={(text) => this.setState({email: text.text})}/>
           <TextField placeholder='Phone Number' keyboardType='phone-pad' onChangeFirstName={(text) => this.setState({phone: text.text})}/>
           <TextField placeholder='Password' secureTextEntry={true} keyboardType='default' onChangeFirstName={(text) => this.setState({password: text.text})}/>
           <Button  style={AppStyleSheet.buttonStyle} title='Sign up' onPress={() => this.onSignupPress()} color='red' backgroundColor='black'/>
          </View>
          {
            this.state.isHidden ?  <View style={style.activityContainer}><ActivityIndicator size="small" color="#00ff00" animating={true}/></View> : null
          }
      </View>
   );
}

“打开”按钮按如下所示设置状态

onSignupPress() {
  this.setState({isHidden: true})
}

需要隐藏时

this.setState({isHidden: false})

答案 7 :(得分:7)

只需使用

style={ width:0, height:0 } // to hide

答案 8 :(得分:6)

我有同样的问题,我想要显示/隐藏视图,但我真的不希望UI在添加/删除或必须处理重新渲染时跳转。

我写了一个简单的组件来处理它。默认设置动画,但易于切换。我用自述文件将其放在GitHubNPM上,但所有代码都在下面。

npm install --save react-native-hideable-view

import React, { Component, PropTypes } from 'react';
import { Animated  } from 'react-native';

class HideableView extends Component {
  constructor(props) {
    super(props);
    this.state = {
      opacity: new Animated.Value(this.props.visible ? 1 : 0)
    }
  }

  animate(show) {
    const duration = this.props.duration ? parseInt(this.props.duration) : 500;
    Animated.timing(
      this.state.opacity, {
        toValue: show ? 1 : 0,
        duration: !this.props.noAnimation ? duration : 0
      }
    ).start();
  }

  shouldComponentUpdate(nextProps) {
    return this.props.visible !== nextProps.visible;
  }

  componentWillUpdate(nextProps, nextState) {
    if (this.props.visible !== nextProps.visible) {
      this.animate(nextProps.visible);
    }
  }

  render() {
    if (this.props.removeWhenHidden) {
      return (this.visible && this.props.children);
    }
    return (
      <Animated.View style={{opacity: this.state.opacity}}>
        {this.props.children}
      </Animated.View>
    )
  }
}

HideableView.propTypes = {
  visible: PropTypes.bool.isRequired,
  duration: PropTypes.number,
  removeWhenHidden: PropTypes.bool,
  noAnimation: PropTypes.bool
}

export default HideableView;

答案 9 :(得分:6)

另一个选项是通过样式应用绝对定位,在屏幕外坐标中设置隐藏的组件:

<TextInput
    onFocus={this.showCancel()}
    onChangeText={(text) => this.doSearch({input: text})}
    style={this.state.hide ? {position: 'absolute', top: -200} : {}}
/>

与以前的一些建议不同,这会隐藏你的组件,但也会渲染它(将它保存在DOM中),从而使它真正不可见

答案 10 :(得分:4)

React Native的布局具有display属性支持,类似于CSS。 可能的值:noneflex(默认值)。 https://facebook.github.io/react-native/docs/layout-props#display

<View style={{display: 'none'}}> </View>

答案 11 :(得分:3)

// You can use a state to control wether the component is showing or not
const [show, setShow] = useState(false); // By default won't show

// In return(
{
    show && <ComponentName />
}

/* Use this to toggle the state, this could be in a function in the 
main javascript or could be triggered by an onPress */

show == true ? setShow(false) : setShow(true)

// Example:
const triggerComponent = () => {
    show == true ? setShow(false) : setShow(true)
}

// Or
<SomeComponent onPress={() => {show == true ? setShow(false) : setShow(true)}}/>

答案 12 :(得分:2)

如果您需要组件保持加载但隐藏,您可以将不透明度设置为0.(例如我需要这个用于展示相机)

//in constructor    
this.state = {opacity: 100}

/in component
style = {{opacity: this.state.opacity}}

//when you want to hide
this.setState({opacity: 0})

答案 13 :(得分:2)

您可以使用我的模块react-native-display来显示/隐藏组件。

答案 14 :(得分:2)

constructor(props) {
    super(props);
    this.state = {
      visible: true,
}
}

声明可见的false,因此默认情况下模式/视图处于隐藏状态

example =()=> {

 this.setState({ visible: !this.state.visible })

}

**函数调用**

{this.state.visible == false ?
        <View>
            <TouchableOpacity
              onPress= {() => this.example()}>   // call function
                          <Text>
                            show view
                          </Text>
            </TouchableOpacity>

</View>]
:
 <View>
    <TouchableOpacity
              onPress= {() => this.example()}>
                          <Text>
                            hide view
                          </Text>
            </TouchableOpacity>
</View> 
 }

答案 15 :(得分:2)

以下示例使用带有Hooks的打字稿进行编码。

import React, { useState, useEffect } from "react";

........

const App = () => {

   const [showScrollView, setShowScrollView] = useState(false);

   ......

   const onPress = () => {
    // toggle true or false
    setShowScrollView(!showScrollView);
  }

  ......

      </MapboxGL.ShapeSource>
        <View>{showScrollView ? (<DetailsScrollView />) : null}</View>
      </MapboxGL.MapView>
  ......

}

答案 16 :(得分:1)

显示\隐藏组件的三种方式:

- 类组件:/ --------------------------------------- -------------------------------------------------- -------------------

在我使用的所有示例中,以下状态:

.  
...
constructor(props) {
super(props);
this.state = {showComponent: true};
}

1.使用 display 道具

<View display={this.state.showComponent ? 'flex' : 'none'} /> 

2.将 display 道具与 style

一起使用
<View style={{display:this.state.showComponent ? 'flex' : 'none'}} />

3.限制渲染

{
    this.state.showComponent &&
    <View /> // Or <View> ... </View>
}


- 功能组件:/ --------------------------------------- -------------------------------------------------- -------------------

在我使用的所有示例中,以下状态:

const [showComponent, setShowComponent] = useState(true);

1.使用 display 道具

<View display={showComponent ? 'flex' : 'none'} /> 

2.将 display 道具与 style

一起使用
<View style={{showComponent  ? 'flex' : 'none'}} />

3.限制渲染

{
    showComponent &&
    <View /> // Or <View> ... </View>
}

答案 17 :(得分:0)

只是简单地使用它,因为我想使用“useRef”条件对我来说不是一个选择。当你想使用 useRef 钩子并按下按钮时,你可以使用这个假设。

   <Button
      ref={uploadbtn}
      buttonStyle={{ width: 0, height: 0, opacity: 0, display: "none" }}
      onPress={pickImage}
    />

答案 18 :(得分:0)

我是这样解决这个问题的:

<块引用>

<View style={{ display: stateLoad ? 'none' : undefined }} />

答案 19 :(得分:0)

如果您不想从页面中删除组件,我将保证使用不透明方法。隐藏一个WebView。

<WebView
   style={{opacity: 0}} // Hide component
   source={{uri: 'https://www.google.com/'}}
 />

如果您需要向第三方网站提交表单,这将很有用。

答案 20 :(得分:0)

您可以使用条件来显示和隐藏组件

constructor(){

    super();

    this.state ={

      isVisible:true

    }
  }

  ToggleFunction = () => {

    this.setState(state => ({

      isVisible: !state.isVisible

    }));

  };

  render() {
  
    return (

      <View style={styles.MainContainer}>

      {

        this.state.isVisible ? <Text style= {{ fontSize: 20, color: "red", textAlign: 'center' }}> Hello World! </Text> : null
      }

      <Button title="Toggle Visibility" onPress={this.ToggleFunction} />

      </View>
    );
  }

答案 21 :(得分:0)

我们现在有了钩子,所以我建议重新格式化。使用钩子打开/关闭组件。

const [modalVisible, setModalVisible] = setState(false);

然后有一个按钮

<Button title="Press Me" onPress={() => {
   setModalVisible(true);
}}

然后,在你的 return 语句中

return(
<View>
    {modalVisible &&
   Insert modal code in here.
}
</View>
)

答案 22 :(得分:0)

如果您想隐藏它,但是将组件占用的空间(如css的visibility: hidden设置为组件样式opacity: 0)应该可以解决。

取决于组件,可能需要其他步骤来禁用该功能,因为可能与不可见项进行交互。

答案 23 :(得分:0)

在react native中显示或隐藏组件的唯一方法是检查应用状态的参数值,例如stateprops。我提供了一个完整的示例,如下所示:

import React, {Component} from 'react';
import {View,Text,TextInput,TouchableHighlight} from 'react-native'

class App extends Component {

    constructor(props){
        super(props);
        this.state={
            show:false
        }
}

    showCancel=()=>{
        this.setState({show:true})
    };

    hideCancel=()=>{
        this.setState({show:false})
    };

    renderTouchableHighlight(){
        if(this.state.show){
           return(
               <TouchableHighlight
                   style={{borderColor:'black',borderWidth:1,marginTop:20}}
                   onPress={this.hideCancel}>
                   <View>
                       <Text>Cancel</Text>
                   </View>
               </TouchableHighlight>
           )
        }
        return null;
    }

    render() {


        return (
            <View style={{justifyContent:'center',alignItems:'center',flex:1}}>
                <TextInput
                    style={{borderColor:'black',borderBottomWidth:1}}
                    onFocus={this.showCancel}
                />
                {this.renderTouchableHighlight()}

            </View>
        );
    }
}

export default App;

Here is the result

答案 24 :(得分:0)

实际上,在iOS开发中,当我使用react-native或类似以下内容时,是display: 'none'

const styles = StyleSheet.create({
  disappearImage: {
    width: 0,
    height: 0
  }
});

iOS不会加载Image组件的其他任何内容,例如onLoad等,因此我决定使用以下内容:

const styles = StyleSheet.create({
  disappearImage: {
    width: 1,
    height: 1,
    position: 'absolute',
    top: -9000,
    opacity: 0
  }
});

答案 25 :(得分:0)

我只是使用以下方法隐藏或查看按钮。希望对您有帮助。只需更新状态并添加hide css就足够了

constructor(props) {
   super(props);
      this.state = {
      visibleStatus: false
   };
}
updateStatusOfVisibility () {
   this.setStatus({
      visibleStatus: true
   });
}
hideCancel() {
   this.setStatus({visibleStatus: false});
}

render(){
   return(
    <View>
        <TextInput
            onFocus={this.showCancel()}
            onChangeText={(text) => {this.doSearch({input: text}); this.updateStatusOfVisibility()}} />

         <TouchableHighlight style={this.state.visibleStatus ? null : { display: "none" }}
             onPress={this.hideCancel()}>
            <View>
                <Text style={styles.cancelButtonText}>Cancel</Text>
            </View>
        </TouchableHighlight>
     </View>)
}

答案 26 :(得分:0)

非常容易。只需更改为()=&gt; this.showCancel()如下所示:

<TextInput
        onFocus={() => this.showCancel() }
        onChangeText={(text) => this.doSearch({input: text})} />

<TouchableHighlight 
    onPress={this.hideCancel()}>
    <View>
        <Text style={styles.cancelButtonText}>Cancel</Text>
    </View>
</TouchableHighlight>

答案 27 :(得分:-2)

checkincheckout = () => {
        this.setState({ visible: !this.state.visible })
}

render() {
        return (
{this.state.visible == false ?
        <View style={{ alignItems: 'center', flexDirection: 'row', marginTop: 50 }}>

        <View style={{ flex: 1, alignItems: 'center', flexDirection: 'column' }}>

            <TouchableOpacity onPress={() => this.checkincheckout()}>

                <Text style={{ color: 'white' }}>Click to Check in</Text>

            </TouchableOpacity>

        </View>

    </View>
:
<View style={{ alignItems: 'center', flexDirection: 'row', marginTop: 50 }}>

<View style={{ flex: 1, alignItems: 'center', flexDirection: 'column' }}>

   <TouchableOpacity onPress={() => this.checkincheckout()}>

        <Text style={{ color: 'white' }}>Click to Check out</Text>

    </TouchableOpacity>

</View>

</View>
 }

);
}

仅此而已。享受您的编码...