xxx 이후의 시간 형식을 지정하는 방법 (예 : Stack Exchange 사이트와 유사한 "4 분 전")


210

문제는 Date스택 오버플로에 시간이 표시되는 방식과 유사한 경과 시간을 나타내는 문자열로 JavaScript를 형식화하는 방법입니다.

예 :

  • 1 분 전
  • 1 시간 전
  • 1 일 전
  • 1 개월 전
  • 1 년 전



답변:


324

function timeSince(date) {

  var seconds = Math.floor((new Date() - date) / 1000);

  var interval = Math.floor(seconds / 31536000);

  if (interval > 1) {
    return interval + " years";
  }
  interval = Math.floor(seconds / 2592000);
  if (interval > 1) {
    return interval + " months";
  }
  interval = Math.floor(seconds / 86400);
  if (interval > 1) {
    return interval + " days";
  }
  interval = Math.floor(seconds / 3600);
  if (interval > 1) {
    return interval + " hours";
  }
  interval = Math.floor(seconds / 60);
  if (interval > 1) {
    return interval + " minutes";
  }
  return Math.floor(seconds) + " seconds";
}
var aDay = 24*60*60*1000;
console.log(timeSince(new Date(Date.now()-aDay)));
console.log(timeSince(new Date(Date.now()-aDay*2)));


3
@hello-그렇습니다. 단일 종료점에는 방해가되지 않을 때 미덕이 있습니다. 요즘 너무 심각하게 생각하는 사람들은 맥심의 기원을 오해하고 있습니다.
스카이 샌더스

36
좋은 기능이지만, 약간의 언급이 있습니다. 첫 번째 줄을 다음과 같이 변경했습니다 : var seconds = Math.floor (((new Date (). getTime () / 1000)-date)) 유닉스 타임 스탬프와 함께 작동합니다. 그리고 intval> 1을 intval> = 1로 변경해야했습니다. 그렇지 않으면 75 분 (1 시간과 2 시간 사이)과 같은 것이 표시됩니다.
PanMan

3
@PanMan 그냥>를> =로 변경하면 "1 분"과 같은 시간으로 끝납니다. 조건부로 "s"를 추가하는이 답변의 수정 된 버전을 게시했습니다. stackoverflow.com/a/23259289/373655
rob

국제화 할 수있는 솔루션을 원하면 문자열 연결을 사용하지 말고 String.format을 사용하십시오.
rds

div 클래스에 배치하려면 어떻게합니까? 어떡해? 죄송합니다. 저는 자바 스크립트 전문가가 아닙니다. 이 document.getElementsByTagName ( '. sampleclass') [0] .innerHTML = timeSince (date); 그리고이 document.getElementById ( 'idname') [0] .innerHTML = timeSince (date); 하지만 작동하지 않습니다. 어떤 도움? 감사합니다.
x'tian

119

이 경우 과잉이 될 수 있지만 기회에 moment.js 가 표시 되면 정말 좋습니다 !

Moment.js는 자바 스크립트 날짜 / 시간 라이브러리이며 이러한 시나리오에 사용하려면 다음을 수행하십시오.

moment(yourdate).fromNow()

http://momentjs.com/docs/#/displaying/fromnow/

2018 부록 : Luxon 은 새로운 현대 라이브러리이며 살펴볼 가치가 있습니다!


안녕하세요, 저는 시간차를 얻기 위해 귀하의 답변을 사용하고 있습니다 .y, month, m 및 day와 같이 날짜 같은 연도의 첫 글자 만 d로 필요하면 어떻게해야합니까?
Nodirabegimxonoyim

57

어렵지는 않지만 확인하지는 않았지만 Stack Exchange 사이트는 jquery.timeago플러그인 을 사용하여 이러한 시간 문자열을 생성 한다고 생각합니다 .


플러그인을 사용하는 것은 매우 쉽고 깨끗하며 자동으로 업데이트됩니다.

다음은 플러그인 홈페이지에서 제공하는 간단한 샘플입니다.

먼저 jQuery와 플러그인을로드하십시오.

<script src="jquery.min.js" type="text/javascript"></script> <script src="jquery.timeago.js" type="text/javascript"></script>

이제 DOM 준비 타임 스탬프에 첨부하자 :

jQuery(document).ready(function() {
jQuery("abbr.timeago").timeago(); });

이것은 모든 바뀝니다 abbr의 클래스와 요소 timeago와 제목에 ISO 8601 타임 스탬프 : <abbr class="timeago" title="2008-07-17T09:24:17Z">July 17, 2008</abbr>: 이런 일에 <abbr class="timeago" title="July 17, 2008">about a year ago</abbr>수익률 : 년 전에. 시간이 지남에 따라 타임 스탬프가 자동으로 업데이트됩니다.


11
모든 사람이 JQuery를 사용하는 것은 아닙니다.

2
이것을 jquery 플러그인으로 사용하는 것은 의미가 없습니다.
AlexG

57

그러면 '2 일 전''10 분 후 '와 같은 과거 및 이전 시간 형식이 표시되며 Date 객체, 숫자 타임 스탬프 또는 날짜 문자열을 전달할 수 있습니다.

function time_ago(time) {

  switch (typeof time) {
    case 'number':
      break;
    case 'string':
      time = +new Date(time);
      break;
    case 'object':
      if (time.constructor === Date) time = time.getTime();
      break;
    default:
      time = +new Date();
  }
  var time_formats = [
    [60, 'seconds', 1], // 60
    [120, '1 minute ago', '1 minute from now'], // 60*2
    [3600, 'minutes', 60], // 60*60, 60
    [7200, '1 hour ago', '1 hour from now'], // 60*60*2
    [86400, 'hours', 3600], // 60*60*24, 60*60
    [172800, 'Yesterday', 'Tomorrow'], // 60*60*24*2
    [604800, 'days', 86400], // 60*60*24*7, 60*60*24
    [1209600, 'Last week', 'Next week'], // 60*60*24*7*4*2
    [2419200, 'weeks', 604800], // 60*60*24*7*4, 60*60*24*7
    [4838400, 'Last month', 'Next month'], // 60*60*24*7*4*2
    [29030400, 'months', 2419200], // 60*60*24*7*4*12, 60*60*24*7*4
    [58060800, 'Last year', 'Next year'], // 60*60*24*7*4*12*2
    [2903040000, 'years', 29030400], // 60*60*24*7*4*12*100, 60*60*24*7*4*12
    [5806080000, 'Last century', 'Next century'], // 60*60*24*7*4*12*100*2
    [58060800000, 'centuries', 2903040000] // 60*60*24*7*4*12*100*20, 60*60*24*7*4*12*100
  ];
  var seconds = (+new Date() - time) / 1000,
    token = 'ago',
    list_choice = 1;

  if (seconds == 0) {
    return 'Just now'
  }
  if (seconds < 0) {
    seconds = Math.abs(seconds);
    token = 'from now';
    list_choice = 2;
  }
  var i = 0,
    format;
  while (format = time_formats[i++])
    if (seconds < format[0]) {
      if (typeof format[2] == 'string')
        return format[list_choice];
      else
        return Math.floor(seconds / format[2]) + ' ' + format[1] + ' ' + token;
    }
  return time;
}

var aDay = 24 * 60 * 60 * 1000;
console.log(time_ago(new Date(Date.now() - aDay)));
console.log(time_ago(new Date(Date.now() - aDay * 2)));


마지막 줄 return time;format = time_formats[time_formats.length - 1]; return Math.floor(seconds / format[2]) + ' ' + format[1] + ' ' + token;바꾸고 밀리 초가 아닌 오랜 시간 동안 수세기를 반환하십시오.
Aquila Sands

아주 좋아요! iOS에서는 필터로 각도와 함께 사용하면 브라우저가 NaN을 반환합니다. 수정 : time = + new Date (time.replace (/-/ g, '/'));
Tiago

훌륭하지만 그 while 루프의 할당은 추악하고 혼란 스럽습니다. forEach 루프로 변경하는 것이 좋습니다
Martin Dawson

25

다음은 날짜를 문자열로 입력 할 수 있고 "73 초"대신 "1 분"과 같은 범위를 표시 할 수있는 Sky Sander 솔루션의 일부 수정입니다.

var timeSince = function(date) {
  if (typeof date !== 'object') {
    date = new Date(date);
  }

  var seconds = Math.floor((new Date() - date) / 1000);
  var intervalType;

  var interval = Math.floor(seconds / 31536000);
  if (interval >= 1) {
    intervalType = 'year';
  } else {
    interval = Math.floor(seconds / 2592000);
    if (interval >= 1) {
      intervalType = 'month';
    } else {
      interval = Math.floor(seconds / 86400);
      if (interval >= 1) {
        intervalType = 'day';
      } else {
        interval = Math.floor(seconds / 3600);
        if (interval >= 1) {
          intervalType = "hour";
        } else {
          interval = Math.floor(seconds / 60);
          if (interval >= 1) {
            intervalType = "minute";
          } else {
            interval = seconds;
            intervalType = "second";
          }
        }
      }
    }
  }

  if (interval > 1 || interval === 0) {
    intervalType += 's';
  }

  return interval + ' ' + intervalType;
};
var aDay = 24 * 60 * 60 * 1000;
console.log(timeSince(new Date(Date.now() - aDay)));
console.log(timeSince(new Date(Date.now() - aDay * 2)));


2
간격이에서 0으로 남아 있으므로 몇 초 동안 작동하지 않습니다 interval = Math.floor(seconds / 60);. 나는 interval = seconds;결승에 추가 else했고 잘 작동합니다.
howard10

2
interval이 0이면 "s"도 추가해야합니다.
JW.

대단해. TS 난에 단항 연산자를 추가했다 들어let seconds = Math.floor((+new Date() - date) / 1000);
벤 Racicot의

interval === 0마지막 에도 왜 확인 if합니까?
smartmouse

1
@smartmouse가 "0 초"대신 "0 초"라고 표시되도록
rob

14

humanized_time_span을보고 싶을 수도 있습니다 : https://github.com/layam/js_humanized_time_span

이 프레임 워크는 불가지론적이고 완벽하게 사용자 정의 할 수 있습니다.

스크립트를 다운로드 / 포함하면 다음과 같이 할 수 있습니다.

humanized_time_span("2011-05-11 12:00:00")  
   => '3 hours ago'

humanized_time_span("2011-05-11 12:00:00", "2011-05-11 16:00:00)  
   => '4 hours ago'

또는 이것조차도 :

var custom_date_formats = {
  past: [
    { ceiling: 60, text: "less than a minute ago" },
    { ceiling: 86400, text: "$hours hours, $minutes minutes and $seconds seconds ago" },
    { ceiling: null, text: "$years years ago" }
  ],
  future: [
    { ceiling: 60, text: "in less than a minute" },
    { ceiling: 86400, text: "in $hours hours, $minutes minutes and $seconds seconds time" },
    { ceiling: null, text: "in $years years" }
  ]
}

humanized_time_span("2010/09/10 10:00:00", "2010/09/10 10:00:05", custom_date_formats) 
  => "less than a minute ago"

자세한 내용은 문서를 읽으십시오.


4
jQuery에 의존하지 않거나 DOM을 가지고 있지 않다는 것을 의미합니다.
Will Tomlins

NaN years ago왜 그런지 알려줍니다 ??

나는 그것을 얻었다. .. 당신의 사용의 예가 틀렸다. 당신이 아니라 슬래시 실제로를 단락 첫 번째 번호 "-".. 이런humanized_time_span("2011/05/11 12:00:00")

지역 문화에 따라 사용자마다 다를 수 있습니다. :)
mikus

13

위의 기능을 다음과 같이 변경했습니다.

function timeSince(date) {

    var seconds = Math.floor(((new Date().getTime()/1000) - date)),
    interval = Math.floor(seconds / 31536000);

    if (interval > 1) return interval + "y";

    interval = Math.floor(seconds / 2592000);
    if (interval > 1) return interval + "m";

    interval = Math.floor(seconds / 86400);
    if (interval >= 1) return interval + "d";

    interval = Math.floor(seconds / 3600);
    if (interval >= 1) return interval + "h";

    interval = Math.floor(seconds / 60);
    if (interval > 1) return interval + "m ";

    return Math.floor(seconds) + "s";
}

그렇지 않으면 "75 분"(1 시간에서 2 시간 사이)과 같은 것들이 표시됩니다. 또한 입력 날짜가 Unix 타임 스탬프라고 가정합니다.


날짜를 1000으로 나눕니다.

유닉스 타임 스탬프가있는 데이터베이스에서 몇 초 만에 데이터를 가져온 곳에서 이것을 사용했습니다. 밀리 초 단위 인 경우 1000으로 나누어야합니다.
PanMan

11

읽기 쉽고 크로스 브라우저 호환 코드 :

@Travis에서 제공 한대로

var DURATION_IN_SECONDS = {
  epochs: ['year', 'month', 'day', 'hour', 'minute'],
  year: 31536000,
  month: 2592000,
  day: 86400,
  hour: 3600,
  minute: 60
};

function getDuration(seconds) {
  var epoch, interval;

  for (var i = 0; i < DURATION_IN_SECONDS.epochs.length; i++) {
    epoch = DURATION_IN_SECONDS.epochs[i];
    interval = Math.floor(seconds / DURATION_IN_SECONDS[epoch]);
    if (interval >= 1) {
      return {
        interval: interval,
        epoch: epoch
      };
    }
  }

};

function timeSince(date) {
  var seconds = Math.floor((new Date() - new Date(date)) / 1000);
  var duration = getDuration(seconds);
  var suffix = (duration.interval > 1 || duration.interval === 0) ? 's' : '';
  return duration.interval + ' ' + duration.epoch + suffix;
};

alert(timeSince('2015-09-17T18:53:23'));


이 같은 매일 8만6천4백초되는 등 일부 불법 가정, 수 있습니다 (시간대가 UTC로 설정되어 있지 않으면,이 항상 UTC에 진정한 감사하지 않습니다)
ItalyPaleAle

10

Lokely가 사용하는 더 짧은 버전 :

const intervals = [
  { label: 'year', seconds: 31536000 },
  { label: 'month', seconds: 2592000 },
  { label: 'day', seconds: 86400 },
  { label: 'hour', seconds: 3600 },
  { label: 'minute', seconds: 60 },
  { label: 'second', seconds: 0 }
];

function timeSince(date) {
  const seconds = Math.floor((Date.now() - date.getTime()) / 1000);
  const interval = intervals.find(i => i.seconds < seconds);
  const count = Math.floor(seconds / interval.seconds);
  return `${count} ${interval.label}${count !== 1 ? 's' : ''} ago`;
}

2
가장 짧은 간격의 지속 시간은 0 초입니다. 이는 0으로 나누기 오류가됩니다.
apk

@apk가 맞습니다. <60 초 인쇄Infinity seconds ago
leonheess

8

유닉스 타임 스탬프 매개 변수부터

function timeSince(ts){
    now = new Date();
    ts = new Date(ts*1000);
    var delta = now.getTime() - ts.getTime();

    delta = delta/1000; //us to s

    var ps, pm, ph, pd, min, hou, sec, days;

    if(delta<=59){
        ps = (delta>1) ? "s": "";
        return delta+" second"+ps
    }

    if(delta>=60 && delta<=3599){
        min = Math.floor(delta/60);
        sec = delta-(min*60);
        pm = (min>1) ? "s": "";
        ps = (sec>1) ? "s": "";
        return min+" minute"+pm+" "+sec+" second"+ps;
    }

    if(delta>=3600 && delta<=86399){
        hou = Math.floor(delta/3600);
        min = Math.floor((delta-(hou*3600))/60);
        ph = (hou>1) ? "s": "";
        pm = (min>1) ? "s": "";
        return hou+" hour"+ph+" "+min+" minute"+pm;
    } 

    if(delta>=86400){
        days = Math.floor(delta/86400);
        hou =  Math.floor((delta-(days*86400))/60/60);
        pd = (days>1) ? "s": "";
        ph = (hou>1) ? "s": "";
        return days+" day"+pd+" "+hou+" hour"+ph;
    }

}

5

@ user1012181에서 제공 한 ES6 버전의 코드

// Epochs
const epochs = [
    ['year', 31536000],
    ['month', 2592000],
    ['day', 86400],
    ['hour', 3600],
    ['minute', 60],
    ['second', 1]
];


// Get duration
const getDuration = (timeAgoInSeconds) => {
    for (let [name, seconds] of epochs) {
        const interval = Math.floor(timeAgoInSeconds / seconds);

        if (interval >= 1) {
            return {
                interval: interval,
                epoch: name
            };
        }
    }
};


// Calculate
const timeAgo = (date) => {
    const timeAgoInSeconds = Math.floor((new Date() - new Date(date)) / 1000);
    const {interval, epoch} = getDuration(timeAgoInSeconds);
    const suffix = interval === 1 ? '' : 's';

    return `${interval} ${epoch}${suffix} ago`;
};

@ ibe-vanmeenen 제안으로 편집했습니다. (감사 !)


EPOCHS에 "second : 1"도 포함해야합니다. 그렇지 않으면 1 분 미만이면 중단됩니다. :) 마지막 3 가지 변수도 상수가 될 수 있습니까?
Ibe Vanmeenen

1
또한 객체는 속성 순서를 보장하지 않으므로 EPOCHS는 배열이어야합니다. 변경 사항을 gist.github.com/IbeVanmeenen/4e3e58820c9168806e57530563612886에 저장 했습니다 . 이 답변을 편집하기 위해 복사 해
주시기 바랍니다.

5

간단하고 읽기 쉬운 버전 :

const NOW = new Date()
const times = [["second", 1], ["minute", 60], ["hour", 3600], ["day", 86400], ["week", 604800], ["month", 2592000], ["year", 31536000]]

function timeAgo(date) {
    var diff = Math.round((NOW - date) / 1000)
    for (var t = 0; t < times.length; t++) {
        if (diff < times[t][1]) {
            if (t == 0) {
                return "Just now"
            } else {
                diff = Math.round(diff / times[t - 1][1])
                return diff + " " + times[t - 1][0] + (diff == 1?" ago":"s ago")
            }
        }
    }
}

3

나는 js와 python으로 하나를 작성합니다. 매우 훌륭하고 간단 합니다. 문 으로 날짜를 형식화하는 데 사용되는 간단한 라이브러리 (2kb 미만) *** time ago.

간단하고 작고 사용하기 쉬우 며 잘 테스트되었습니다.

  1. npm install timeago.js

  2. import timeago from 'timeago.js'; // or use script tag

  3. API를 사용하십시오 format.

견본:

var timeagoIns  = timeago();
timeagoIns .format('2016-06-12');

또한 실시간으로 렌더링 할 수 있습니다.

var timeagoIns = timeago();
timeagoIns.render(document.querySelectorAll('time'));

4.0 기준으로 대신 import { format, render, cancel, register } from 'timeago.js';
구조화되지 않은

3

아주 오래 전에 질문을했지만이 답변을 누군가에게 도움이되기를 바랍니다.

계산을 시작하려는 날짜를 전달하십시오. 사용 moment().fromNow()momentjs : (자세한 내용을 참조하십시오 여기에 )

getRelativeTime(date) {
    const d = new Date(date * 1000);
    return moment(d).fromNow();
}

날짜에서 제공 한 정보를 지금부터 변경하려면 순간에 대한 사용자 지정 상대 시간을 작성하십시오.

예를 들어, 필자의 경우 ( moment (d) .fromNow () 제공)'one month ago' 대신 인쇄하고 싶었습니다 . 이 경우 아래에 주어진 것을 쓸 수 있습니다.'a month ago'

moment.updateLocale('en', {
    relativeTime: {
        future: 'in %s',
        past: '%s ago',
        s: 'a few seconds',
        ss: '%d seconds',
        m: '1 m',
        mm: '%d minutes',
        h: '1 h',
        hh: '%d hours',
        d: '1 d',
        dd: '%d days',
        M: '1 month',
        MM: '%d months',
        y: '1 y',
        yy: '%d years'
    }
});

참고 : Agular 6 에서 프로젝트 코드를 작성했습니다.


3

dayjs relativeTime 플러그인을 사용하여이 문제를 해결할 수도 있습니다 .

import * as dayjs from 'dayjs';
import * as relativeTime from 'dayjs/plugin/relativeTime';

dayjs.extend(relativeTime);
dayjs(dayjs('1990')).fromNow(); // x years ago

3

이것은 Date.now (), 단수 단위 및 미래 날짜를 포함하여 유효한 타임 스탬프를 올바르게 처리해야합니다. 나는 몇 달을 남겼지 만 그것들은 쉽게 추가 할 수 있어야한다. 가능한 한 읽을 수 있도록 노력했다.

function getTimeInterval(date) {
  let seconds = Math.floor((Date.now() - date) / 1000);
  let unit = "second";
  let direction = "ago";
  if (seconds < 0) {
    seconds = -seconds;
    direction = "from now";
  }
  let value = seconds;
  if (seconds >= 31536000) {
    value = Math.floor(seconds / 31536000);
    unit = "year";
  } else if (seconds >= 86400) {
    value = Math.floor(seconds / 86400);
    unit = "day";
  } else if (seconds >= 3600) {
    value = Math.floor(seconds / 3600);
    unit = "hour";
  } else if (seconds >= 60) {
    value = Math.floor(seconds / 60);
    unit = "minute";
  }
  if (value != 1)
    unit = unit + "s";
  return value + " " + unit + " " + direction;
}

console.log(getTimeInterval(Date.now())); // 0 seconds ago
console.log(getTimeInterval(Date.now() + 1000)); // 1 second from now
console.log(getTimeInterval(Date.now() - 1000)); // 1 second ago
console.log(getTimeInterval(Date.now() + 60000)); // 1 minute from now
console.log(getTimeInterval(Date.now() - 120000)); // 2 minutes ago
console.log(getTimeInterval(Date.now() + 120000)); // 2 minutes from now
console.log(getTimeInterval(Date.now() + 3600000)); // 1 hour from now
console.log(getTimeInterval(Date.now() + 360000000000)); // 11 years from now
console.log(getTimeInterval(0)); // 49 years ago


2

Sky Sanders 버전을 수정했습니다. Math.floor (...) 연산은 if 블록에서 평가됩니다.

       var timeSince = function(date) {
            var seconds = Math.floor((new Date() - date) / 1000);
            var months = ["January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"];
            if (seconds < 5){
                return "just now";
            }else if (seconds < 60){
                return seconds + " seconds ago";
            }
            else if (seconds < 3600) {
                minutes = Math.floor(seconds/60)
                if(minutes > 1)
                    return minutes + " minutes ago";
                else
                    return "1 minute ago";
            }
            else if (seconds < 86400) {
                hours = Math.floor(seconds/3600)
                if(hours > 1)
                    return hours + " hours ago";
                else
                    return "1 hour ago";
            }
            //2 days and no more
            else if (seconds < 172800) {
                days = Math.floor(seconds/86400)
                if(days > 1)
                    return days + " days ago";
                else
                    return "1 day ago";
            }
            else{

                //return new Date(time).toLocaleDateString();
                return date.getDate().toString() + " " + months[date.getMonth()] + ", " + date.getFullYear();
            }
        }

마지막에 오타 return days + "1 day ago";가 있다면return "1 day ago";
Marco Gurnari

2
function dateToHowManyAgo(stringDate){
    var currDate = new Date();
    var diffMs=currDate.getTime() - new Date(stringDate).getTime();
    var sec=diffMs/1000;
    if(sec<60)
        return parseInt(sec)+' second'+(parseInt(sec)>1?'s':'')+' ago';
    var min=sec/60;
    if(min<60)
        return parseInt(min)+' minute'+(parseInt(min)>1?'s':'')+' ago';
    var h=min/60;
    if(h<24)
        return parseInt(h)+' hour'+(parseInt(h)>1?'s':'')+' ago';
    var d=h/24;
    if(d<30)
        return parseInt(d)+' day'+(parseInt(d)>1?'s':'')+' ago';
    var m=d/30;
    if(m<12)
        return parseInt(m)+' month'+(parseInt(m)>1?'s':'')+' ago';
    var y=m/12;
    return parseInt(y)+' year'+(parseInt(y)>1?'s':'')+' ago';
}
console.log(dateToHowManyAgo('2019-11-07 19:17:06'));

1
function timeago(date) {
    var seconds = Math.floor((new Date() - date) / 1000);
    if(Math.round(seconds/(60*60*24*365.25)) >= 2) return Math.round(seconds/(60*60*24*365.25)) + " years ago";
    else if(Math.round(seconds/(60*60*24*365.25)) >= 1) return "1 year ago";
    else if(Math.round(seconds/(60*60*24*30.4)) >= 2) return Math.round(seconds/(60*60*24*30.4)) + " months ago";
    else if(Math.round(seconds/(60*60*24*30.4)) >= 1) return "1 month ago";
    else if(Math.round(seconds/(60*60*24*7)) >= 2) return Math.round(seconds/(60*60*24*7)) + " weeks ago";
    else if(Math.round(seconds/(60*60*24*7)) >= 1) return "1 week ago";
    else if(Math.round(seconds/(60*60*24)) >= 2) return Math.round(seconds/(60*60*24)) + " days ago";
    else if(Math.round(seconds/(60*60*24)) >= 1) return "1 day ago";
    else if(Math.round(seconds/(60*60)) >= 2) return Math.round(seconds/(60*60)) + " hours ago";
    else if(Math.round(seconds/(60*60)) >= 1) return "1 hour ago";
    else if(Math.round(seconds/60) >= 2) return Math.round(seconds/60) + " minutes ago";
    else if(Math.round(seconds/60) >= 1) return "1 minute ago";
    else if(seconds >= 2)return seconds + " seconds ago";
    else return seconds + "1 second ago";
}

1

내 솔루션 ..

(function(global){
            const SECOND   = 1;
            const MINUTE   = 60;
            const HOUR     = 3600;
            const DAY      = 86400;
            const MONTH    = 2629746;
            const YEAR     = 31556952;
            const DECADE   = 315569520;

            global.timeAgo = function(date){
                var now = new Date();
                var diff = Math.round(( now - date ) / 1000);

                var unit = '';
                var num = 0;
                var plural = false;

                switch(true){
                    case diff <= 0:
                        return 'just now';
                    break;

                    case diff < MINUTE:
                        num = Math.round(diff / SECOND);
                        unit = 'sec';
                        plural = num > 1;
                    break;

                    case diff < HOUR:
                        num = Math.round(diff / MINUTE);
                        unit = 'min';
                        plural = num > 1;
                    break;

                    case diff < DAY:
                        num = Math.round(diff / HOUR);
                        unit = 'hour';
                        plural = num > 1;
                    break;

                    case diff < MONTH:
                        num = Math.round(diff / DAY);
                        unit = 'day';
                        plural = num > 1;
                    break;

                    case diff < YEAR:
                        num = Math.round(diff / MONTH);
                        unit = 'month';
                        plural = num > 1;
                    break;

                    case diff < DECADE:
                        num = Math.round(diff / YEAR);
                        unit = 'year';
                        plural = num > 1;
                    break;

                    default:
                        num = Math.round(diff / YEAR);
                        unit = 'year';
                        plural = num > 1;
                }

                var str = '';
                if(num){
                    str += `${num} `;
                }

                str += `${unit}`;

                if(plural){
                    str += 's';
                }

                str += ' ago';

                return str;
            }
        })(window);

        console.log(timeAgo(new Date()));
        console.log(timeAgo(new Date('Jun 03 2018 15:12:19 GMT+0300 (FLE Daylight Time)')));
        console.log(timeAgo(new Date('Jun 03 2018 13:12:19 GMT+0300 (FLE Daylight Time)')));
        console.log(timeAgo(new Date('May 28 2018 13:12:19 GMT+0300 (FLE Daylight Time)')));
        console.log(timeAgo(new Date('May 28 2017 13:12:19 GMT+0300 (FLE Daylight Time)')));
        console.log(timeAgo(new Date('May 28 2000 13:12:19 GMT+0300 (FLE Daylight Time)')));
        console.log(timeAgo(new Date('Sep 10 1994 13:12:19 GMT+0300 (FLE Daylight Time)')));

1

다른 답변을 기반으로 한 이것에 대한 나의 찌르기.

function timeSince(date) {
    let minute = 60;
    let hour   = minute * 60;
    let day    = hour   * 24;
    let month  = day    * 30;
    let year   = day    * 365;

    let suffix = ' ago';

    let elapsed = Math.floor((Date.now() - date) / 1000);

    if (elapsed < minute) {
        return 'just now';
    }

    // get an array in the form of [number, string]
    let a = elapsed < hour  && [Math.floor(elapsed / minute), 'minute'] ||
            elapsed < day   && [Math.floor(elapsed / hour), 'hour']     ||
            elapsed < month && [Math.floor(elapsed / day), 'day']       ||
            elapsed < year  && [Math.floor(elapsed / month), 'month']   ||
            [Math.floor(elapsed / year), 'year'];

    // pluralise and append suffix
    return a[0] + ' ' + a[1] + (a[0] === 1 ? '' : 's') + suffix;
}

0

나는 이것에 대한 답을 찾고 있었고 이러한 솔루션 중 하나를 거의 구현했지만 동료 react-intl가 이미 라이브러리를 사용하고 있기 때문에 라이브러리 를 확인하도록 상기시켰다 .

따라서 솔루션을 추가하는 경우 ... react-intl라이브러리를 사용하는 경우 에는 이것에 대한 <FormattedRelative>구성 요소가 있습니다.

https://github.com/yahoo/react-intl/wiki/Components#formattedrelative


0

다음은 내가 한 일입니다 (개체는 값과 함께 시간 단위를 반환합니다).

function timeSince(post_date, reference)
{
	var reference = reference ? new Date(reference) : new Date(),
		diff = reference - new Date(post_date + ' GMT-0000'),
		date = new Date(diff),
		object = { unit: null, value: null };
	
	if (diff < 86400000)
	{
		var secs  = date.getSeconds(),
			mins  = date.getMinutes(),
			hours = date.getHours(),
			array = [ ['second', secs], ['minute', mins], ['hour', hours] ];
	}
	else
	{
		var days   = date.getDate(),
			weeks  = Math.floor(days / 7),
			months = date.getMonth(),
			years  = date.getFullYear() - 1970,
			array  = [ ['day', days], ['week', weeks], ['month', months], ['year', years] ];
	}

	for (var i = 0; i < array.length; i++)
	{
		array[i][0] += array[i][1] != 1 ? 's' : '';

		object.unit  = array[i][1] >= 1 ? array[i][0] : object.unit;
		object.value = array[i][1] >= 1 ? array[i][1] : object.value;
	}

	return object;
}

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.