以下代码从youtube视频的评论部分检索评论。事情是,它检索20条评论,如果有更多评论,则检索下一个标记。我对使用Promise的经验不是很丰富,所以我想知道如何才能获得本节中的所有评论,直到没有令牌为止?
此代码是来自名为youtube-comment-api的npm软件包中的示例代码。
我想我的问题很容易解决,但是现在我不知道了。
例:
const fetchCommentPage = require('youtube-comment-api')
const videoId = 'DLzxrzFCyOs'
fetchCommentPage(videoId)
.then(commentPage => {
console.log(commentPage.comments)
return fetchCommentPage(videoId, commentPage.nextPageToken)
})
.then(commentPage => {
console.log(commentPage.comments)
})
最佳答案
您应该使用递归以便从所有页面获取评论。这样的事情应该起作用:
// returns a list with all comments
function fetchAllComments(videoId, nextPageToken) {
// nextPageToken can be undefined for the first iteration
return fetchCommentPage(videoId, nextPageToken)
.then(commentPage => {
if (!commentPage.nextPageToken) {
return commentPage.comments;
}
return fetchAllComments(videoId, commentPage.nextPageToken).then(comments => {
return commentPage.comments.concat(comments);
});
});
}