Date-fns RangeError:时间值无效
2021-06-14
14803
嗨,我想使用
date-fns
库将 mongo db created_at 时间戳转换为 ... 分钟/小时前。该函数称为
formatDistanceToNow
,它返回自提供的日期时间以来的时间。我正在使用 Vue 作为前端,但似乎无法使其正常工作。
<template>
<div class="feed">
<div v-for="post in feed" :key="post.id" class="post">
<h3>{{ post.name }}</h3>
<p>{{ post.timestamp }}</p> // return 2021-06-12T12:59:57.337Z
<p>{{ Date(post.timestamp) }}</p> // return Mon Jun 14 2021 16:02:22 GMT+0100 (British Summer Time)
<!-- <p>{{ formatDate(post.timestamp) }}</p> -->
<!-- <p>{{ formatDate(Date(post.timestamp)) }}</p> -->
</div>
</div>
</template>
<script>
import { mapState } from 'vuex'
import { formatDistanceToNow } from 'date-fns'
export default {
computed: {
...mapState(['feed']),
formatDate(timestamp){
return formatDistanceToNow(timestamp)
}
}
}
</script>
我尝试了 2 行注释代码,但一直收到以下错误
Uncaught (in promise) RangeError: Invalid time value
3个回答
您不能将参数传递给计算函数,因此这里您需要使用
方法
。此外,时间格式确实不正确,如文档页面所示:
https://date-fns.org/v2.22.1/docs/formatDistanceToNow
2021-06-12T12:59:57.337Z
与
Sat Jun 12 2021 14:59:57 GMT+0200 (Central European Summer Time)
(在我的时区)不同。
要从一个时间转到另一个时间,请使用
new Date("2021-06-12T12:59:57.337Z")
最终代码看起来像这个
<template>
<div>
format: {{ formatDate(test) }}
</div>
</template>
<script>
export default {
data() {
test: '2021-06-12T12:59:57.337Z',
},
methods: {
formatDate(timestamp) {
return formatDistanceToNow(new Date(timestamp))
},
}
}
</script>
kissu
2021-06-14
这帮助我解决了这个问题:
if (isNaN(newValue.getMonth())) return;
onChange(format(newValue, 'LLLL dd, yyyy', { locale: ru }));
Orkhan Rahimli
2023-12-20
代替
方法
,您可以使用
过滤器
,如下所示;
<template>
<div class="feed">
<div v-for="post in feed" :key="post.id" class="post">
<h3>{{ post.name }}</h3>
<p>{{ post.timestamp | formatDate }}</p> <!-- filter here -->
</div>
</div>
</template>
<script>
import { mapState } from 'vuex'
import { formatDistanceToNow } from 'date-fns'
export default {
filters: {
formatDate(timestamp){
if (!timestamp) return; // or return any placeholder
return formatDistanceToNow(timestamp);
}
}
}
</script>
farajael
2022-07-27