PHPのようにJavaScriptで年間の週を取得する


140

PHPのように、年の現在の週番号を取得する方法 date('W')ですか?

これは、年のISO-8601週番号(月曜日から始まる週)にする必要があります。


1
<a href=" javascript.about.com/library/blweekyear.htm "> <b>ここ</ b> </a>を見てください。これは、「javascript週」をグーグル検索したときに最初に表示されたリンクです。
ピートウィルソン

笑!ここからスニペットを入手しましたが、しばらく前に入手したため、ソースを思い出せませんでした。
Tom Chantler、

@ピート:そのコードは現在の週として22を取得します。21である必要があります
PeeHaa

@Pete::D Nopez単純な-1ではトリックは行われません:PこれはISO-8601の週番号を取得しません。ISO-8601の1週間は月曜日に始まります。最初の週は、その年の最初の木曜日が含まれる週です。en.wikipedia.org/wiki/ISO-8601。PSはあなたに反対票を投じたのは私ではありませんでした。
PeeHaa 2011年

回答:


276

ここで必要なものを取得できるはずです:http : //www.merlyn.demon.co.uk/js-date6.htm#YWD

同じサイトでよりよいリンクがある:週間での作業します

編集する

以下は、提供されたリンクとDommerによって初期に投稿されたリンクに基づくコードです。http://www.merlyn.demon.co.uk/js-date6.htm#YWDの結果に対して軽くテストされています。完全にテストしてください。保証はありません。

2017年を編集

夏時間が観察された期間および1月1日が金曜日であった年の日付に問題がありました。すべてのUTCメソッドを使用することで修正されました。以下は、Moment.jsと同じ結果を返します。

/* For a given date, get the ISO week number
 *
 * Based on information at:
 *
 *    http://www.merlyn.demon.co.uk/weekcalc.htm#WNR
 *
 * Algorithm is to find nearest thursday, it's year
 * is the year of the week number. Then get weeks
 * between that date and the first day of that year.
 *
 * Note that dates in one year can be weeks of previous
 * or next year, overlap is up to 3 days.
 *
 * e.g. 2014/12/29 is Monday in week  1 of 2015
 *      2012/1/1   is Sunday in week 52 of 2011
 */
function getWeekNumber(d) {
    // Copy date so don't modify original
    d = new Date(Date.UTC(d.getFullYear(), d.getMonth(), d.getDate()));
    // Set to nearest Thursday: current date + 4 - current day number
    // Make Sunday's day number 7
    d.setUTCDate(d.getUTCDate() + 4 - (d.getUTCDay()||7));
    // Get first day of year
    var yearStart = new Date(Date.UTC(d.getUTCFullYear(),0,1));
    // Calculate full weeks to nearest Thursday
    var weekNo = Math.ceil(( ( (d - yearStart) / 86400000) + 1)/7);
    // Return array of year and week number
    return [d.getUTCFullYear(), weekNo];
}

var result = getWeekNumber(new Date());
document.write('It\'s currently week ' + result[1] + ' of ' + result[0]);

「UTC」日付を作成すると、時間はゼロになります。

最小化されたプロトタイプバージョン(週番号のみを返す):

Date.prototype.getWeekNumber = function(){
  var d = new Date(Date.UTC(this.getFullYear(), this.getMonth(), this.getDate()));
  var dayNum = d.getUTCDay() || 7;
  d.setUTCDate(d.getUTCDate() + 4 - dayNum);
  var yearStart = new Date(Date.UTC(d.getUTCFullYear(),0,1));
  return Math.ceil((((d - yearStart) / 86400000) + 1)/7)
};

document.write('The current ISO week number is ' + new Date().getWeekNumber());

テストセクション

このセクションでは、YYYY-MM-DD形式で任意の日付を入力し、このコードがMoment.js ISO週番号と同じ週番号を提供することを確認できます(2000年から2050年までの50年間でテスト済み)。

Date.prototype.getWeekNumber = function(){
  var d = new Date(Date.UTC(this.getFullYear(), this.getMonth(), this.getDate()));
  var dayNum = d.getUTCDay() || 7;
  d.setUTCDate(d.getUTCDate() + 4 - dayNum);
  var yearStart = new Date(Date.UTC(d.getUTCFullYear(),0,1));
  return Math.ceil((((d - yearStart) / 86400000) + 1)/7)
};

function checkWeek() {
  var s = document.getElementById('dString').value;
  var m = moment(s, 'YYYY-MM-DD');
  document.getElementById('momentWeek').value = m.format('W');
  document.getElementById('answerWeek').value = m.toDate().getWeekNumber();      
}
<script src="https://cdnjs.cloudflare.com/ajax/libs/moment.js/2.18.1/moment.min.js"></script>

Enter date  YYYY-MM-DD: <input id="dString" value="2021-02-22">
<button onclick="checkWeek(this)">Check week number</button><br>
Moment: <input id="momentWeek" readonly><br>
Answer: <input id="answerWeek" readonly>


8
このコードは、2011年1月2日を2010年の第53週として計算します。これは元のコードでは正しく機能しますが、適応では機能しません。
Alasdair 2011

4
あなたは私のお尻を救った。ありがとう。オープンソースに貢献したい場合は、jQuery UIメソッドのパッチを作成することをお勧めします。$。datepicker.iso8601Week(date)は、weekNoのみを返し、年は返しません。
クリスチャン

18
今日、2016年1月4日、私d.setMilliseconds(0)も追加する必要があることに気づきました。newDate ()またはnew Date( "1/4/2016")を使用したかどうかに応じて、同じ日付に対して異なる週番号を表示し続けました。同じことを経験する可能性のある他の人に向けての準備です。
Jacob Lauritzen 2016年

2
提供されたコードはISO 8601に準拠しておらず、1つずれています
Eric Grange

2
おっと、あなたの言う通り、私のタイプミスは「2015年12月30日」であるはずでした。
アリー


25

上記のように、クラスなし:

let now = new Date();
let onejan = new Date(now.getFullYear(), 0, 1);
week = Math.ceil( (((now - onejan) / 86400000) + onejan.getDay() + 1) / 7 );

4
ワンジャンタン!*忍者ロール*
CodeManX

2
これは、1年の最初の週でも正しい週番号を取得する唯一の回答です。
PrasadW 2017年

(now.getTime() - onejan.getTime())ビルドの問題を回避するために注意してください。
2018年

4
これは無視するISO 8601を求める質問です。質問への答えとして、それは単に間違っています
havlock

23

正しくhttp://javascript.about.com/library/blweekyear.htm

Date.prototype.getWeek = function() {
    var onejan = new Date(this.getFullYear(),0,1);
    var millisecsInDay = 86400000;
    return Math.ceil((((this - onejan) /millisecsInDay) + onejan.getDay()+1)/7);
};

1
簡潔ですが、日曜日を週の最初の日として扱うため、2015年12月27日日曜日は、週52の最後の日ではなく、週53の最初の日になります。
RobG 14

3
これはプロトタイプに追加されているので、日付が日曜日を最初の日として扱うので、これはあなたが期待することだと思います。
Ed Sykes

これは夏時間の日に問題がありますか?夏は午前1時まで進まないと思います。
Hafthor 2016

また、これは技術的には0:00:00.001まで週を進めませんか?Math.floorを使用した方がいいですか?
Hafthor 2016

11

Jacob WrightのDate.format()ライブラリは、PHPのdate()関数のスタイルで日付のフォーマットを実装し、ISO-8601の週番号をサポートしています。

new Date().format('W');

わずか1週間の数値ではやり過ぎかもしれませんが、PHPスタイルのフォーマットをサポートしており、これをたくさん行う場合は非常に便利です。


ハッキングされたスクリプトをすばやく作成するための優れたソリューション:)
SteenSchütt、2015

6
getWeekOfYear: function(date) {
        var target = new Date(date.valueOf()),
            dayNumber = (date.getUTCDay() + 6) % 7,
            firstThursday;

        target.setUTCDate(target.getUTCDate() - dayNumber + 3);
        firstThursday = target.valueOf();
        target.setUTCMonth(0, 1);

        if (target.getUTCDay() !== 4) {
            target.setUTCMonth(0, 1 + ((4 - target.getUTCDay()) + 7) % 7);
        }

        return Math.ceil((firstThursday - target) /  (7 * 24 * 3600 * 1000)) + 1;
    }

次のコードはタイムゾーンに依存せず(UTCの日付が使用されます)、https://en.wikipedia.org/wiki/ISO_8601に従って動作します


4

Oracleの仕様http://goo.gl/7MbCh5で説明されているJava SEのSimpleDateFormatクラス が便利であることがわかりました。私の場合、Google Apps Scriptでは次のように機能しました。

function getWeekNumber() {
  var weekNum = parseInt(Utilities.formatDate(new Date(), "GMT", "w"));
  Logger.log(weekNum);
}

たとえば、スプレッドシートマクロでは、ファイルの実際のタイムゾーンを取得できます。

function getWeekNumber() {
  var weekNum = parseInt(Utilities.formatDate(new Date(), SpreadsheetApp.getActiveSpreadsheet().getSpreadsheetTimeZone(), "w"));
  Logger.log(weekNum);
}

4

これにより、「getWeek」メソッドがDate.prototypeに追加され、年の初めからの週数が返されます。引数は、最初の曜日と見なす曜日を定義します。引数が渡されない場合、最初の日が日曜日と見なされます。

/**
 * Get week number in the year.
 * @param  {Integer} [weekStart=0]  First day of the week. 0-based. 0 for Sunday, 6 for Saturday.
 * @return {Integer}                0-based number of week.
 */
Date.prototype.getWeek = function(weekStart) {
    var januaryFirst = new Date(this.getFullYear(), 0, 1);
    if(weekStart !== undefined && (typeof weekStart !== 'number' || weekStart % 1 !== 0 || weekStart < 0 || weekStart > 6)) {
      throw new Error('Wrong argument. Must be an integer between 0 and 6.');
    }
    weekStart = weekStart || 0;
    return Math.floor((((this - januaryFirst) / 86400000) + januaryFirst.getDay() - weekStart) / 7);
};

1
ドイツでは、2016年の最初の暦週は1月4日から始まりますが、関数は1月1日から0から再びカウントを開始します。また、今年の終わりに、間違った数字を返し例えば52それはすでにだが、2018年11月31日(第53週)のための2019年の第一暦週new Date(Date.UTC(2018,11, 31)).getWeek(1)+1(月曜日がドイツの週の最初の日です)。
CodeManX 2015

それが意図された方法であり、それがおそらく最も可能性の高いユースケースです。それ以外の場合、2016年の最初の3日間は除外されます。その月の最初の日は、その月の最初の週を構成すると見なされ、何日、何日あるかは関係ありません。関数を別の方法で機能させる必要がある場合は、必要に応じて調整できます。同様に、1週間が指定された年と翌年の両方に該当する場合、その年の最後の週、および翌年の最初の週(現在のロジックによると)と呼ばれます。
Tigran、2015

情報をありがとう。最終的には、RobGのソリューションを使用して、ISO8601の週の日付を正しく実装しました(12月の最後の日と1月の最初の日は52、53、または1週目に属している可能性があります: en.m.wikipedia.org/wiki/ISO_week_date
CodeManX

4

特定の日付の週番号を取得します

function week(year,month,day) {
    function serial(days) { return 86400000*days; }
    function dateserial(year,month,day) { return (new Date(year,month-1,day).valueOf()); }
    function weekday(date) { return (new Date(date)).getDay()+1; }
    function yearserial(date) { return (new Date(date)).getFullYear(); }
    var date = year instanceof Date ? year.valueOf() : typeof year === "string" ? new Date(year).valueOf() : dateserial(year,month,day), 
        date2 = dateserial(yearserial(date - serial(weekday(date-serial(1))) + serial(4)),1,3);
    return ~~((date - date2 + serial(weekday(date2) + 5))/ serial(7));
}

console.log(
    week(2016, 06, 11),//23
    week(2015, 9, 26),//39
    week(2016, 1, 1),//53
    week(2016, 1, 4),//1
    week(new Date(2016, 0, 4)),//1
    week("11 january 2016")//2
);

1
信じられないですが、この機能は常に機能した唯一のものです!受け入れられた回答は夏時間を過ぎたときに再生され、他の人は特定の年の週番号として「0」を言いました。-一部は前日を返すことがあるUTC関数に依存していたため、週 '53'または '54'を割り当てました。残念ながら、私は週を日曜日から始める必要があり、このコードを理解するのは非常に困難です...
Melissa Zachariadis

@MelissaZachariadisは言ったI need the week to begin on a Sunday。必要な唯一の変更は、関数weekday().getDay()+1を次のように変更することです.getDay()
Rafa

4

以下のコードは、正しいISO 8601週数を計算します。これdate("W")は、1/1970/1/1から1/1/2100の間の毎週のPHPに一致します。

/**
 * Get the ISO week date week number
 */
Date.prototype.getWeek = function () {
  // Create a copy of this date object
  var target = new Date(this.valueOf());

  // ISO week date weeks start on Monday, so correct the day number
  var dayNr = (this.getDay() + 6) % 7;

  // ISO 8601 states that week 1 is the week with the first Thursday of that year
  // Set the target date to the Thursday in the target week
  target.setDate(target.getDate() - dayNr + 3);

  // Store the millisecond value of the target date
  var firstThursday = target.valueOf();

  // Set the target to the first Thursday of the year
  // First, set the target to January 1st
  target.setMonth(0, 1);

  // Not a Thursday? Correct the date to the next Thursday
  if (target.getDay() !== 4) {
    target.setMonth(0, 1 + ((4 - target.getDay()) + 7) % 7);
  }

  // The week number is the number of weeks between the first Thursday of the year
  // and the Thursday in the target week (604800000 = 7 * 24 * 3600 * 1000)
  return 1 + Math.ceil((firstThursday - target) / 604800000);
}

出典: Taco van den Broek


プロトタイプの拡張に興味がない場合は、次の関数を使用します。

function getWeek(date) {
  if (!(date instanceof Date)) date = new Date();

  // ISO week date weeks start on Monday, so correct the day number
  var nDay = (date.getDay() + 6) % 7;

  // ISO 8601 states that week 1 is the week with the first Thursday of that year
  // Set the target date to the Thursday in the target week
  date.setDate(date.getDate() - nDay + 3);

  // Store the millisecond value of the target date
  var n1stThursday = date.valueOf();

  // Set the target to the first Thursday of the year
  // First, set the target to January 1st
  date.setMonth(0, 1);

  // Not a Thursday? Correct the date to the next Thursday
  if (date.getDay() !== 4) {
    date.setMonth(0, 1 + ((4 - date.getDay()) + 7) % 7);
  }

  // The week number is the number of weeks between the first Thursday of the year
  // and the Thursday in the target week (604800000 = 7 * 24 * 3600 * 1000)
  return 1 + Math.ceil((n1stThursday - date) / 604800000);
}

使用例:

getWeek(); // Returns 37 (or whatever the current week is)
getWeek(new Date('Jan 2, 2011')); // Returns 52
getWeek(new Date('Jan 1, 2016')); // Returns 53
getWeek(new Date('Jan 4, 2016')); // Returns 1

この機能は好きですが、質問があります。日曜日に戻したい場合はどうすればよいですか?その+6 ) % 7部分が何をするのか私にはわかりません。スクラブのおかげで!
NoobishPro 2016年

1
@Babydead ISO週は月曜日に始まりますが、JavaScriptがgetDay()日曜日に始まり、あなたはそれが日曜日に開始したい場合ので、あなたは、補正を削除することができますvar nDay = date.getDay();
thdoan

私は週番号を取得するために8つ以上のJS実装を試しました。これが機能する唯一の関数ですが、すべてのゲッターとセッターをgetUTC ..とsetUTC ..に変更した場合のみです。理由はわかりません。私はこれでテストしていました:2017-07-17T00:00:00.000Z(29週目)2017-07-23T23:59:59.000Z(29週目)2021-01-04T00:00:00.000Z(1週目)
psycho brm


2

私にとって非常にうまく機能するコードスニペットは次のとおりです。

var yearStart = +new Date(d.getFullYear(), 0, 1);
var today = +new Date(d.getFullYear(),d.getMonth(),d.getDate());
var dayOfYear = ((today - yearStart + 1) / 86400000);
return Math.ceil(dayOfYear / 7).toString();

注:
dは、現在の週番号が必要な日付です。(活字体での作業)の番号に日付を変換します。
+


1

JavaScriptで週数を計算するための実装は次のとおりです。夏時間と冬時間のオフセットも修正されました。この記事の週の定義を使用しました:ISO 8601

週は月曜日から日曜日までで、1月4日は常に年の最初の週になります。

// add get week prototype functions
// weeks always start from monday to sunday
// january 4th is always in the first week of the year
Date.prototype.getWeek = function () {
    year = this.getFullYear();
    var currentDotw = this.getWeekDay();
    if (this.getMonth() == 11 && this.getDate() - currentDotw > 28) {
        // if true, the week is part of next year 
        return this.getWeekForYear(year + 1);
    }
    if (this.getMonth() == 0 && this.getDate() + 6 - currentDotw < 4) {
        // if true, the week is part of previous year
        return this.getWeekForYear(year - 1);
    }
    return this.getWeekForYear(year);
}

// returns a zero based day, where monday = 0
// all weeks start with monday
Date.prototype.getWeekDay = function () {
    return  (this.getDay() + 6) % 7;
}

// corrected for summer/winter time
Date.prototype.getWeekForYear = function (year) {
    var currentDotw = this.getWeekDay();
    var fourjan = new Date(year, 0, 4);
    var firstDotw = fourjan.getWeekDay();
    var dayTotal = this.getDaysDifferenceCorrected(fourjan) // the difference in days between the two dates.
    // correct for the days of the week
    dayTotal += firstDotw; // the difference between the current date and the first monday of the first week, 
    dayTotal -= currentDotw; // the difference between the first monday and the current week's monday
    // day total should be a multiple of 7 now
    var weeknumber = dayTotal / 7 + 1; // add one since it gives a zero based week number.
    return weeknumber;
}

// corrected for timezones and offset
Date.prototype.getDaysDifferenceCorrected = function (other) {
    var millisecondsDifference = (this - other);
    // correct for offset difference. offsets are in minutes, the difference is in milliseconds
    millisecondsDifference += (other.getTimezoneOffset()- this.getTimezoneOffset()) * 60000;
    // return day total. 1 day is 86400000 milliseconds, floor the value to return only full days
    return Math.floor(millisecondsDifference / 86400000);
}

テストのために、Qunitで次のJavaScriptテストを使用しました

var runweekcompare = function(result, expected) {
    equal(result, expected,'Week nr expected value: ' + expected + ' Actual value: ' + result);
}

test('first week number test', function () {
    expect(5);
    var temp = new Date(2016, 0, 4); // is the monday of the first week of the year
    runweekcompare(temp.getWeek(), 1);
    var temp = new Date(2016, 0, 4, 23, 50); // is the monday of the first week of the year
    runweekcompare(temp.getWeek(), 1);
    var temp = new Date(2016, 0, 10, 23, 50); // is the sunday of the first week of the year
    runweekcompare(temp.getWeek(), 1);
    var temp = new Date(2016, 0, 11, 23, 50); // is the second week of the year
    runweekcompare(temp.getWeek(), 2);
    var temp = new Date(2016, 1, 29, 23, 50); // is the 9th week of the year
    runweekcompare(temp.getWeek(), 9);
});

test('first day is part of last years last week', function () {
    expect(2);
    var temp = new Date(2016, 0, 1, 23, 50); // is the first last week of the previous year
    runweekcompare(temp.getWeek(), 53);
    var temp = new Date(2011, 0, 2, 23, 50); // is the first last week of the previous year
    runweekcompare(temp.getWeek(), 52);
});

test('last  day is part of next years first week', function () {
    var temp = new Date(2013, 11, 30); // is part of the first week of 2014
    runweekcompare(temp.getWeek(), 1);
});

test('summer winter time change', function () {
    expect(2);
    var temp = new Date(2000, 2, 26); 
    runweekcompare(temp.getWeek(), 12);
    var temp = new Date(2000, 2, 27); 
    runweekcompare(temp.getWeek(), 13);
});

test('full 20 year test', function () {
    //expect(20 * 12 * 28 * 2);
    for (i = 2000; i < 2020; i++) {
        for (month = 0; month < 12; month++) {
            for (day = 1; day < 29 ; day++) {
                var temp = new Date(i, month, day);
                var expectedweek = temp.getWeek();
                var temp2 = new Date(i, month, day, 23, 50);
                var resultweek = temp.getWeek();
                equal(expectedweek, Math.round(expectedweek), 'week number whole number expected ' + Math.round(expectedweek) + ' resulted week nr ' + expectedweek);
                equal(resultweek, expectedweek, 'Week nr expected value: ' + expectedweek + ' Actual value: ' + resultweek + ' for year ' + i + ' month ' + month + ' day ' + day);
            }
        }
    }
});

0

今週の数字はa **の本当の苦痛でした。ネット上のスクリプトのほとんどは私にとってはうまくいきませんでした。それらはほとんどの時間で動作しましたが、特に年が変わってその年の最後の週が突然翌年の最初の週になったときなど、それらのすべてがある時点で壊れました。Angularの日付フィルターでさえ不正確なデータを示しました53週目)。

注:例は、ヨーロッパの週(月が最初)で機能するように設計されています!

getWeek()

Date.prototype.getWeek = function(){

    // current week's Thursday
    var curWeek = new Date(this.getTime());
        curWeek.setDay(4);

    // Get year's first week's Thursday
    var firstWeek = new Date(curWeek.getFullYear(), 0, 4);
        firstWeek.setDay(4);

    return (curWeek.getDayIndex() - firstWeek.getDayIndex()) / 7 + 1;
};

setDay()

/**
* Make a setDay() prototype for Date
* Sets week day for the date
*/
Date.prototype.setDay = function(day){

    // Get day and make Sunday to 7
    var weekDay = this.getDay() || 7;
    var distance = day - weekDay;
    this.setDate(this.getDate() + distance);

    return this;
}

getDayIndex()

/*
* Returns index of given date (from Jan 1st)
*/

Date.prototype.getDayIndex = function(){
    var start = new Date(this.getFullYear(), 0, 0);
    var diff = this - start;
    var oneDay = 86400000;

    return Math.floor(diff / oneDay);
};

私はこれをテストしましたが、それは非常にうまく機能しているようですが、それで欠陥に気づいたら、私に知らせてください。


0

週番号のISO準拠を取得するための最短のコードを取得するために多くのことを試みました。

Date.prototype.getWeek=function(){
    var date=new Date(this);
    date.setHours(0,0,0,0);
    return Math.round(((date.setDate(this.getDate()+2-(this.getDay()||7))-date.setMonth(0,4))/8.64e7+3+(date.getDay()||7))/7)+"/"+date.getFullYear();}

変数dateは、元のを変更しないようにするために必要thisです。私は、の戻り値を使用setDate()し、setMonth()を省略するgetTime()符号長を節約するために、私はその日の代わりに単一の要素の乗算または5ゼロで数ミリ秒間expontial番号を用います。this日付またはミリ秒数です。戻り値は、Stringたとえば「49/2017」です。




0

ISO-8601用に調整された、Angular2 + DatePipeの最短の回避策:

import {DatePipe} from "@angular/common";

public rightWeekNum: number = 0;
  
constructor(private datePipe: DatePipe) { }
    
calcWeekOfTheYear(dateInput: Date) {
  let falseWeekNum = parseInt(this.datePipe.transform(dateInput, 'ww'));
  this.rightWeekNum = falseWeekNum ? falseWeekNum : falseWeekNum-1;
}

-1
now = new Date();
today = new Date(now.getFullYear(), now.getMonth(), now.getDate());
firstOfYear = new Date(now.getFullYear(), 0, 1);
numOfWeek = Math.ceil((((today - firstOfYear) / 86400000)-1)/7);
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.