2012-06-30 18 views
12

今日の日付の7日前に日付を取得しようとしています。 SimpleDateFormatを使用して今日の日付を取得しています。現在のアンドロイドの過去7日間の日付を取得します

SimpleDateFormat sdf1 = new SimpleDateFormat("dd/MM/yyyy"); 

SimpleDateFormat sdf=new SimpleDateFormat("dd/MM/yyyy"); 
String currentDateandTime = sdf.format(new Date()); 
Date cdate=sdf.parse(currentDateandTime); 
Calendar now2= Calendar.getInstance(); 
now2.add(Calendar.DATE, -7); 
String beforedate=now2.get(Calendar.DATE)+"/"+(now2.get(Calendar.MONTH) + 1)+"/"+now2.get(Calendar.YEAR); 
Date BeforeDate1=sdf.parse(beforedate); 
cdate.compareTo(BeforeDate1); 

は、あなたが返信いただきありがとうございます、私が最も有用であることが判明、この

更新答えて私を導いてください

+0

は親切に答えを受け入れますあなたの解決策があれば) –

答えて

21

java.util.Calendarを使用し、今日の日付に設定してから7日を引いてください。

Calendar cal = GregorianCalendar.getInstance(); 
cal.setTime(new Date()); 
cal.add(Calendar.DAY_OF_YEAR, -7); 
Date 7daysBeforeDate = cal.getTime(); 

編集:Javaの8でそれはjava.timeパッケージのクラスを使用してはるかに容易に行うことができます。

final LocalDate date = LocalDate.now(); 
final LocalDate dateMinus7Days = date.minusDays(7); 
//Format and display date 
final String formattedDate = dateMinus7Days.format(DateTimeFormatter.ISO_LOCAL_DATE); 
System.out.println(formattedDate); 
+1

は、おそらくcal.setの代わりにcal.rollにする必要がありますか? – potatoe

2

Android get date before 7 days (one week)

Date myDate = dateFormat.parse(dateString); 

そして、あなたが引く必要がありどのように多くのミリ秒を見つけ出すのいずれか:

Date newDate = new Date(myDate.getTime() - 604800000L); // 7 * 24 * 60 * 60 * 1000 

またはjava.util.Calendarのクラスが提供するAPIを使用します。

Calendar calendar = Calendar.getInstance(); 
calendar.setTime(myDate); 
calendar.add(Calendar.DAY_OF_YEAR, -7); 
Date newDate = calendar.getTime(); 
Then, if you need to, convert it back to a String: 

し、最終的に

String date = dateFormat.format(newDate); 
4

あなたはこれを試してみることができ、

import java.util.Calendar; 

public class AddDaysToCurrentDate { 

    public static void main(String[] args) { 

    //create Calendar instance 
    Calendar now = Calendar.getInstance(); 

    System.out.println("Current date : " + (now.get(Calendar.MONTH) + 1) 
         + "-" 
         + now.get(Calendar.DATE) 
         + "-" 
         + now.get(Calendar.YEAR)); 

    //add days to current date using Calendar.add method 
    now.add(Calendar.DATE,1); 

    System.out.println("date after one day : " + (now.get(Calendar.MONTH) + 1) 
         + "-" 
         + now.get(Calendar.DATE) 
         + "-" 
         + now.get(Calendar.YEAR)); 


    //substract days from current date using Calendar.add method 
    now = Calendar.getInstance(); 
    now.add(Calendar.DATE, -10); 

    System.out.println("date before 10 days : " + (now.get(Calendar.MONTH) + 1) 
         + "-" 
         + now.get(Calendar.DATE) 
         + "-" 
         + now.get(Calendar.YEAR)); 

    } 
} 

/* 
Typical output would be 
Current date : 12-25-2007 
date after one day : 12-26-2007 
date before 10 days : 12-15-2007 
*/ 
関連する問題