我正在使用React和MongoDB创建一个博客。我从MongoDB检索数据,这是我的组件:
import React, { Component } from 'react';
import axios from 'axios';
export default class Post extends Component {
constructor(props) {
super(props);
this.state = {
posts: []
};
}
truncateText = text => {
return text.substring(0, 500) + "...";
}
allPosts = () => {
return this.state.posts.map(function(astroPost, i){
return <div class="post-container">
<img className="post-info-container__image" src={astroPost.picture} alt=""/>
<div className="post" posts={astroPost} key={i}>
<div class="post-container__text">
<h2>{astroPost.title}</h2>
<p className="date">{astroPost.date}</p>
<p className="post-info-container__text">{this.truncateText(astroPost.postContent)}</p>
<button>Read more</button>
</div>
</div>
</div>
})
}
componentDidMount() {
axios.get('http://localhost:4000/')
.then(response => {
this.setState({posts: response.data})
console.log(response)
})
.catch(function(error) {
console.log(error)
})
}
render() {
return (
<div>
{ this.allPosts() }
</div>
)
}
}
我想截断帖子的文本,以便帖子仅显示500个符号。我是这样做的:
return this.state.posts.map(function(astroPost, i){
return <div class="post-container">
<img className="post-info-container__image" src={astroPost.picture} alt=""/>
<div className="post" posts={astroPost} key={i}>
<div class="post-container__text">
<h2>{astroPost.title}</h2>
<p className="date">{astroPost.date}</p>
<p className="post-info-container__text">{astroPost.postContent.substring(0, 500) + "..."}</p>
<button>Read more</button>
</div>
</div>
</div>
但是我想使用在文本上被调用的函数来执行此操作,因此我在名为truncateText的函数中保留了相同的逻辑,但是当我这样调用时:
return this.state.posts.map(function(astroPost, i){
return <div class="post-container">
<img className="post-info-container__image" src={astroPost.picture} alt=""/>
<div className="post" posts={astroPost} key={i}>
<div class="post-container__text">
<h2>{astroPost.title}</h2>
<p className="date">{astroPost.date}</p>
<p className="post-info-container__text">{astroPost.postContent.truncateText()}</p>
<button>Read more</button>
</div>
</div>
</div>
})
}
它说
TypeError: astroPost.postContent.truncateText is not a function
如何调用该函数并正确执行截断?
最佳答案
您尚未将truncatetext
绑定到组件:that causes problems with the context。在构造函数中,可以使用this.truncatetext = this.truncatetext.bind(this)
:
constructor(props) {
super(props);
this.state = {
posts: []
};
this.truncateText = this.truncateText.bind(this);
}