C#で2つの日付の間にすべての月の名前を付ける関数を作成しようとしています
List<string> liMonths = MyFunction(date1,date2);
私の機能は
MyFunction(DateTime date1,DateTime date2)
{
//some code
return listOfMonths;
}
どうすればこれを行うことができますか?
C#で2つの日付の間にすべての月の名前を付ける関数を作成しようとしています
List<string> liMonths = MyFunction(date1,date2);
私の機能は
MyFunction(DateTime date1,DateTime date2)
{
//some code
return listOfMonths;
}
どうすればこれを行うことができますか?
まだ linq ソリューションはありませんか?
var start = new DateTime(2013, 1, 1);
var end = new DateTime(2013, 6, 22);
// set end-date to end of month
end = new DateTime(end.Year, end.Month, DateTime.DaysInMonth(end.Year, end.Month));
var diff = Enumerable.Range(0, Int32.MaxValue)
.Select(e => start.AddMonths(e))
.TakeWhile(e => e <= end)
.Select(e => e.ToString("MMMM"));
ヘルパー関数でLinqを使用できます
IEnumerable<DateTime> GetDates(DateTime date1, DateTime date2)
{
while (date1 <= date2)
{
yield return date1;
date1 = date1.AddMonths(1);
}
if (date1 > date2)
{
// Include the last month
yield return date1;
}
}
次に、MyFunction は次のいずれかになります。
1) 年号を含める
List<string> MyFunction(DateTime date1, DateTime date2) {
return GetDates(date1,date2).Select(x => x.ToString("MMMM yyyyy")).ToList();
}
2) 月名のみ、重複あり
List<string> MyFunction(DateTime date1, DateTime date2) {
return GetDates(date1,date2).Select(x => x.ToString("MMMM")).ToList();
}
3) 明確な月名
List<string> MyFunction(DateTime date1, DateTime date2) {
return GetDates(date1,date2).Select(x => x.ToString("MMMM")).Distinct().ToList();
}
date1 から date2 までのループを作成します。ループの各ステップに 1 か月を追加し、その月の戻り変数を入力します。
私はメタ言語であなたの目的を書き込もうとしています:
DateTime currDate = date1
List myList = new List();
while (currDate < date2) {
myList.add(getMonthName(currDate));
currDate = currDate.addMonth(1);
}
DateTime from;
DateTime to;
var source = from.Month > to.Month ?
Enumerable.Range(from, 12).Concat(Enumerable.Range(1, to.Month))
: Enumerable.Range(1, 12)
.SkipWhile(m => m >= from.Month)
.TakeWhile(m => m <= to.Month)
var monthes = source
.Select(m => CultureInfo.CurrentCulture.DateTimeFormat.GetMonthName(m));
static IEnumerable<DateTime> monthsBetween(DateTime d0, DateTime d1)
{
return Enumerable.Range(0, (d1.Year - d0.Year) * 12 + (d1.Month - d0.Month + 1))
.Select(m => new DateTime(d0.Year, d0.Month, 1).AddMonths(m));
}
private static List<string> MyFunction(DateTime date1, DateTime date2)
{
var listOfMonths=new List<string>();
if (date1.CompareTo(date2) == 1)
{
var temp = date2;
date2 = date1;
date1 = temp;
}
var mosSt = date1.Month;
var mosEn = date2.Month;
var yearSt = date1.Year;
var yearEn = date2.Year;
while (mosSt < mosEn || yearSt < yearEn)
{
var temp = new DateTime(yearSt, mosSt, 1);
listOfMonths.Add(temp.ToString("MMMM", CultureInfo.InvariantCulture));
mosSt++;
if (mosSt < 13) continue;
yearSt++;
mosSt = 1;
}
return listOfMonths;
}