2012-06-30 106 views
12

我想在今天的日期前7天取回日期。 我正在使用SimpleDateFormat获取今天的日期。从android当前获取过去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.roll而不是cal.set? – 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 
*/ 
相关问题