- Классы Date, Calendar, DateFormat
- Calendar
- GregorianCalendar
- TimeZone
- SimpleTimeZone
- Класс DateFormat
- Класс SimpleDateFormat
- CalendarView
- Получить выбранную дату
- Программно установить дату в CalendarView
- Установить минимальную и максимальную даты
- Дополнительное чтение
- Android Calendar API
- Зачем!?
- Использовать недокументированное API — это ПЛОХО! Пнятненько?
- How to Create a Custom Calendar App to store reminders and events using SQLite Database in Android Studio?
- Custom Calendar View With Events Android
- Custom Calendar View With Events Android
- RELATED ARTICLES
- ViewPager with TabLayout Android Studio
- How to Create SearchView in Android Studio
- Setting ImageView in Android Studio
- 37 COMMENTS
Классы Date, Calendar, DateFormat
Класс Date предназначен для работы с текущими датой и временем и позволяет отталкиваться от них для решения своих задач. При выходе новых версий Java часть методов класса была перемещена в классы Calendar и DateFormat.
При импорте выбирайте java.util.Date, а не java.sql.Date.
У класса есть два конструктора:
Первый конструктор без параметров инициализирует объект текущей датой и временем. Во втором конструкторе вы можете указать количество миллисекунд, прошедших с полуночи 1 января 1970 года.
- boolean after(Date date) — если объект класса Date содержит более позднюю дату, чем указано в параметре, то возвращается true
- boolean before(Date date) — если объект класса Date содержит более раннюю дату, чем указано в параметре, то возвращается true
- int compareTo(Date date) — сравнивает даты. Возвращает 0, если совпадают, отрицательное значение — если вызывающая дата более ранняя, положительное значение — если вызывающая дата более поздняя, чем в параметре
- boolean equals(Object object) — если даты совпадают, то возвращается true
- long getTime() — возвращает количество миллисекунд, прошедших с полуночи 1 января 1970 года
- void setTime(long milliseconds) — устанавливает время и дату в виде числа миллисекунд, прошедших с полночи 1 января 1970 года.
Если вы посмотрите документацию, то увидите, что существует множество методов для получения или установки отдельных компонентов времени и даты, например, getMinutes()/setMinutes() и др. Все они являются устаревшими и вместо них следует использовать класс Calendar.
Простой пример вывода даты на экран.
С помощью метода getTime() можно отобразить количество миллисекунд, прошедших с 1 января 1970 года. Обновим пример
Calendar
Абстрактный класс Calendar позволяет преобразовать время в миллисекундах в более удобном виде — год, месяц, день, часы, минуты, секунды. Существуют также подклассы, например, GregorianCalendar.
Переменная типа boolean под именем areFieldsSet указывает, были установлены компоненты времени. Переменная fields — это массив целочисленных значений, содержащий компоненты времени. Переменная isSet — массив типа boolean, указывающий, был ли установлен специфический компонент времени. Переменная time (тип long) содержит текущее время объекта. Переменная isTimeSet (тип boolean) указывает, что было установлено текущее время.
У класса много методов. Вкратце опишем часть из них:
- abstract void add(int field, int value) — добавляет value к компоненту времени или даты, указанному в параметре field (например, Calendar.HOUR). Чтобы отнять, используйте отрицательное значение.
- boolean after(Object calendar) — возвращает значение true, если вызывающий объект класса Calendar содержит более позднюю дату, чем calendar.
- boolean before(Object calendar) — возвращает значение true, если вызывающий объект класса Calendar содержит более раннюю дату, чем calendar.
- final void clear() — обнуляет все компоненты времени в вызывающем объекте.
- final void clear(int field) — обнуляет компонент, указанный в параметре field
- int get(int field) — возвращает значение одного компонента, например, Calendar.MINUTE
- synchronized static Locale[] getAvailableLocales() — возвращает массив объектов класса Locale, содержащий региональные данные
- synchronized static Calendar getInstance() — возвращает объект класса Calendar для региональных данных и часового пояса по умолчанию. Есть и другие перегруженные версии.
- final Date getTime() — возвращает объекта класса Date, содержащий время, эквивалентное вызывающему объекту
- TimeZone getTimeZone() — возвращает часовой пояс
- final boolean isSet(int field) — возвращает значение true, если указанный компонент времени указан.
- void set(int field, int value) — устанавливает компоненты даты или времени. Есть перегруженные версии
- final void setTime(Date date) — устанавливает различные компоненты даты и времени через объект класса Date
- void setTimeZone(TimeZone timezone) — устанавливает часовой пояс через объект класса TimeZone
Также в календаре определены много различных констант: AUGUST и другие месяцы, SATURDAY и другие дни недели, HOUR и т.д.
GregorianCalendar
Класс GregorianCalendar является подклассом Calendar, который представляет обычный Григорианский календарь. Метод getInstance() класса Calendar обычно возвращает объект класса GregorianCalendar, инициированный текущей датой и временем согласно региональным настройкам.
У класса есть два поля AD и BC — до нашей эры и наша эра.
Кроме стандартных методов, которые есть в классе Calendar, у GregorianCalendar есть метод isLeapYear() для проверки високосного года.
Если год високосный, то возвращается true.
Отсчёт месяцев идёт от нуля, поэтому декабрь будет одиннадцатым месяцем. Чтобы не путаться с такими случаями, проще использовать понятные константы:
А получать нужные отрезки времени можно через метод get(). Например, узнать, какой месяц содержится в созданной нами дате можно так:
Изменить состояние объекта можно через метод set(). Например, установим новую дату у нашего объекта.
Можно сдвинуть дату на определённый период с помощью метода add(). Отодвинем дату на два месяца.
Методы getTime() и setTime() работают с объектами Date и полезны для преобразования.
TimeZone
Класс TimeZone позволяет работать с часовыми поясами, смещёнными относительно Гринвича, также известного универсальное глобальное время (UTC). Класс также учитывает летнее время.
SimpleTimeZone
Класс SimpleTimeZone — подкласс класса TimeZone и позволяет работать с часовыми поясами в Григорианском календаре.
Класс DateFormat
Класс DateFormat является абстрактным классом, с помощью которого можно форматировать и анализировать показания даты и времени. метод getDateInstance() возвращает экземпляр класса DateFormat, который может форматировать информацию о дате.
Чаще всего используется метод format(), позволяющий вывести дату в нужном формате.
Класс SimpleDateFormat
Класс SimpleDateFormat является подклассом класса DateFormat и позволяет определять собственные шаблоны форматирования для отображения даты и времени.
Символы форматирования строки
- A — AM или PM
- d — день месяца (1-31)
- D — день в году (1-366)
- H — часы в формате AM/PM (1-12)
- K — часы в формате суток (1-24)
- M — минуты (0-59)
- S — секунды (0-59)
- W — неделя в году (1-53)
- y — год
- z — часовой пояс
Количество повторений символа определяет способ представления даты. Например, можно указать hh:mm:ss, а можно h:m:s. В первом случае будет отображаться ноль перед цифрой.
Примеры работы с датами и временем можно найти в статье на эту тему.
Источник
CalendarView
Компонент CalendarView находится в разделе Widgets и выводит на экран календарь.
Описание всех атрибутов можно взять из документации.
В данном случае я выбрал цвет для выбранной недели (красный), цвет для номера недели (синий) и цвет для разделителей (зелёный). Спустя несколько лет обнаружил, что данные атрибуты теперь считаются устаревшими и игнорируются.
Выбранную дату можно отслеживать через метод setOnDateChangeListener():
Получить выбранную дату
В предыдущем примере мы получали выбранную дату через слушатель. Получить выбранную дату по щелчку кнопки по идее можно через метод getDate(). По крайней мере в документации говорится, что возвращается выбранная дата, но в реальности возвращается сегодняшняя дата. Оставил пример для демонстрации взаимодействия между CalendarView и объектом Calendar.
Добавим на экран активности кнопки и напишем код для её щелчка.
Программно установить дату в CalendarView
Сделаем обратную задачу — мы получили дату в виде объекта Calendar и хотим установить её в CalendarView. Не забывайте, что отсчёт месяцев идёт с 0.
Вместо вызова свойства calendarView.date можно вызвать метод setDate(), который имеет перегруженную версию с тремя параметрами.
Установить минимальную и максимальную даты
Компонент позволяет установить минимальную и максимальную даты через атрибуты minDate и maxDate, все остальные даты вне заданного промежутка будут недоступны.
Также можно установить эти даты программно через calendarView.minDate и calendarView.maxDate.
Дополнительное чтение
prolificinteractive/material-calendarview — по уверению автора, лучший вариант календаря, чем системный.
vikramkakkar/SublimePicker позволяет выбрать дату, время и повторяющие интервалы.
Источник
Android Calendar API
Зачем!?
Я столкнулся с такой задачей, когда писал приложение для составления своего университетского расписания. Удобно иметь свое расписание отдельно, да еще и стандартный календарь не поддерживает повторение событий через одну неделю, что необходимо для двухнедельного (чет./нечет.) расписания.
Идеей фикс была функция приложения, которая позволит “заполнить” введенным расписанием Android календарь. Плюсы очевидны: синхронизация с Google Calendar от google (простите за тавтологию), встроенные виджеты календаря (очень уж хорош этот виджет от HTC Sense) и гора виджетов от сторонних производителей, которые хоть покажут следующее событие, хоть загруженность недели, и т.д. Тут и понадобилась работа с календарем Android.
Использовать недокументированное API — это ПЛОХО! Пнятненько?
Неужели чтобы решить эту очевидную задачу необходимо использовать недокументированное API? Ответ – нет. Самый правильный метод использовать API Google Calendar, что я вам и советую сделать в своих разработках.
Но “правильный” метод налагает ряд ограничений:
• Нельзя использовать в отсутствии соединения с Интернет;
• Необходима синхронизация после заполнения календаря;
• Данные (а их не мало при заполнении целого года) идут до сервера а потом при синхронизации идут обратно, что, очевидно, увеличивает трафик в два раза.
По моему мнению, намного удобней использовать офлайн версию календаря, которую при любом удобном случае можно синхронизировать с гуглокалендарем. К сожалению google не позаботился о разработчиках под Android и не опубликовал официального API, но к нашей радости исходные коды Android открыты и умные люди уже давно нашли волшебные URI контент провайдеров.
Источник
How to Create a Custom Calendar App to store reminders and events using SQLite Database in Android Studio?
This page shows the steps to create a Custom Calendar App in which Events and reminders corresponding to a particular date is stored using the SQLite database.
One can also refer to my other video which explains the steps to store the password in encrypted format in your App using the below link:
We will be glad to hear from you regarding any query, suggestions or appreciations at: programmerworld1990@gmail.com
import android.content.ContentValues;
import android.database.Cursor;
import android.database.sqlite.SQLiteDatabase;
import android.support.annotation.NonNull;
import android.support.v7.app.AppCompatActivity;
import android.os.Bundle;
import android.view.View;
import android.widget.CalendarView;
import android.widget.EditText;
public class MainActivity extends AppCompatActivity <
private mySQLiteDBHandler dbHandler;
private EditText editText;
private CalendarView calendarView;
private String selectedDate;
private SQLiteDatabase sqLiteDatabase;
@Override
protected void onCreate(Bundle savedInstanceState) <
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
editText = findViewById(R.id.editText);
calendarView = findViewById(R.id.calendarView);
calendarView.setOnDateChangeListener(new CalendarView.OnDateChangeListener() <
@Override
public void onSelectedDayChange(@NonNull CalendarView view, int year, int month, int dayOfMonth) <
selectedDate = Integer.toString(year) + Integer.toString(month) + Integer.toString(dayOfMonth);
ReadDatabase(view);
>
>);
dbHandler = new mySQLiteDBHandler(this, “CalendarDatabase”, null,1);
sqLiteDatabase = dbHandler.getWritableDatabase();
sqLiteDatabase.execSQL(“CREATE TABLE EventCalendar(Date TEXT, Event TEXT)”);
>
catch (Exception e) <
e.printStackTrace();
>
>
public void InsertDatabase(View view) <
ContentValues contentValues = new ContentValues();
contentValues.put(“Date”,selectedDate);
contentValues.put(“Event”, editText.getText().toString());
sqLiteDatabase.insert(“EventCalendar”, null, contentValues);
public void ReadDatabase(View view) <
String query = “Select Event from EventCalendar where Date = ” + selectedDate;
try <
Cursor cursor = sqLiteDatabase.rawQuery(query, null);
cursor.moveToFirst();
editText.setText(cursor.getString(0));
>
catch (Exception e) <
e.printStackTrace();
editText.setText(“”);
>
>
import android.content.Context;
import android.database.sqlite.SQLiteDatabase;
import android.database.sqlite.SQLiteOpenHelper;
import android.support.annotation.Nullable;
public class mySQLiteDBHandler extends SQLiteOpenHelper <
public mySQLiteDBHandler(@Nullable Context context, @Nullable String name, @Nullable SQLiteDatabase.CursorFactory factory, int version) <
super(context, name, factory, version);
>
@Override
public void onCreate(SQLiteDatabase db) <
@Override
public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) <
Источник
Custom Calendar View With Events Android
Custom Calendar View With Events Android
This tutorial you will learn how to create a custom calendar view with events and notifications.You can use android Calendar Instance, and you can inflate calendar days of the month by using grid layout and linear layout manager. You can use any type of database whether it is local database like SQLite and ROOM database or remote database like MySQL or Firebase database. So the calendar has flexibility to add, update and delete user`s events.
The custom calendar view has been designed to allow the user to navigate through previous and next months. Also it allows the user to click on any day of the month to add new event. Custom calendar view with event also allow the user to long press on any day with added events to show the event previously added. At this point the user can delete events.
Another strong point of Custom Calendar View With Event is event alarm with notification. When the user create new event he can enable and disable the alarm for the event date. Also this the user can set alarm when he show the previously created events.
Tutorial you may interested
RELATED ARTICLES
ViewPager with TabLayout Android Studio
How to Create SearchView in Android Studio
Setting ImageView in Android Studio
37 COMMENTS
Hi, Im having an error with the notification.
I followed the 4th video but in the end i have an error on method OnBindViewHolder is this lines:
Calendar datecalendar = Calendar.getInstance();
datecalendar.setTime(ConvertStringToDate(events.getDATE()));
final int alarmYear = datecalendar.get(Calendar.YEAR);
final int alarmMes = datecalendar.get(Calendar.MONTH);
final int alarmDia = datecalendar.get(Calendar.DAY_OF_MONTH);
Calendar timecalendar = Calendar.getInstance();
timecalendar.setTime(ConvertStringToTime(events.getTIME()));.
final int alarmHour = timecalendar.get(Calendar.HOUR_OF_DAY);
final int alarmMinute = timecalendar.get(Calendar.MINUTE);
I wrote some interrogation in the line where i have the error, It says that NullPointerException because i cannot use method setTime on a null object reference
that means that convert string ti time returns null you need to make sure that the value of events.getTIME() returns the string time, make sure that the time saved correctly in sqlite database.
I have a problem when i want to show the number of events in under the day of the month.This is my code in getView for that
TextView Day_Number = view.findViewById(R.id.calendar_day);
TextView EventNumber = view.findViewById(R.id.id_event);
Day_Number.setText(String.valueOf(DayNo));
Calendar eventCalendar = Calendar.getInstance();
ArrayList arrayList = new ArrayList();
for (int i = 0;i
- Abdelhamid AhmedJune 8, 2020 At 4:27 pm
Please can you clarify more i want to know if the app crashed or the events number is not appear and if the app crashed send me the errors from logcat.
Hello Good day, I encountered a problem where the CollectEventByDate method isn’t passing any data to display anything in the //recyclerView.setLayoutManager(layoutManager);
I did each step in the video and used try catch error to see if things works and the LongClickListener did where it displayed the event row layout. Did I trace it wrong? I’m not too sure where I messed up. I already made the RecycleView xml as well as the EventRecycler Adapter java step by step. Thanks for the feedback. The error is:
java.lang.NullPointerException: Attempt to invoke virtual method ‘void androidx.recyclerview.widget.RecyclerView.setLayoutManager(androidx.recyclerview.widget.RecyclerView$LayoutManager)’ on a null object reference
java.lang.NullPointerException: Attempt to invoke virtual method ‘void androidx.recyclerview.widget.RecyclerView.setLayoutManager(androidx.recyclerview.widget.RecyclerView$LayoutManager)’ on a null object reference
Make sure the id of the recycler view in the xml file that shows the events is the same in java file (RecyclerView recyclerView = showView.findViewById(R.id.EventsRV);).
Hello again, the id of the recycle view in xml is correct but I’m still getting the same error. I really have no idea why it’s not displaying the data, is it perhaps that the data is not saving in the database? The CollectEventsByDate method may be passing an empty data hence the null…But I’m unsure which part it stops…
Hello I solved the previous problem I had, thank you for that, but I encountered another problem with the Cursor. Here’s the error:
java.lang.IllegalStateException: Couldn’t read row 0, col -1 from CursorWindow. Make sure the Cursor is initialized correctly before accessing data from it.
if there are changes in create query strings upgrade the database version. else make sure the create query strings are right.
It works now, thank you so much!
Hello again, I’m getting an error whenever I set up an Alarm.
Hello again, I’m getting an error whenever I set up an Alarm. Where do I add the column ID?
android.database.sqlite.SQLiteException: no such column: ID (code 1 SQLITE_ERROR): , while compiling: SELECT ID, EVENT_NOTIFY FROM EVENT_LIST WHERE DAY=? AND EVENT_NAME=? AND TIME=?
hi, when i try to start the app it crashed
is it possible to send the hold project instead?
Please follow the steps of handle errors page, and the full source code is available in the tutorial.
Hi, I think Tutorial is brilliant, you have done a great job,
But I am facing a logical error for quite some time now so could you plz help me.
In MyGridAdapter Java class the condition where you are checking if the DAY, MONTH and YEAR of DATECALENDAR are equal to EVENTCALENDAR is basically true all the time beacause they are both Initialized as getInstace(), so every time SetUpCalendar() is called that loop is adding an event in the all the arrayList, whether that call is for DELETING event, for NEXTBTN or for PREVIOUSBTN an event is added in every arrayList.
i have read the Documentation on you rwebsite and watched this video several time, could you plz look it up.
Thank you
Here is my Grid Adapter Code
public class DateGridAdapter extends ArrayAdapter <
List dates;
Calendar currentDate;
List events;
LayoutInflater inflater;
public DateGridAdapter(@NonNull Context context, List dates, Calendar currentDate, List events) <
super(context, R.layout.single_cell);
this.dates=dates;
this.currentDate=currentDate;
this.events=events;
inflater = LayoutInflater.from(context);
>
@NonNull
@Override
public View getView(int position, @Nullable View convertView, @NonNull ViewGroup parent) <
Date monthDate = dates.get(position);
Calendar dateCalendar = Calendar.getInstance();
dateCalendar.setTime(monthDate);
int DayNo = dateCalendar.get(Calendar.DAY_OF_MONTH);
int displayMonth = dateCalendar.get(Calendar.MONTH)+1;
int displayYear = dateCalendar.get(Calendar.YEAR);
int currentMonth = currentDate.get(Calendar.MONTH)+1;
int currentYear = currentDate.get(Calendar.YEAR);
View view = convertView;
if (view ==null) <
view = inflater.inflate(R.layout.single_cell,parent,false);
TextView Day_Number = view.findViewById(R.id.calendar_day);
TextView EventNumber = view.findViewById(R.id.events_id);
Day_Number.setText(String.valueOf(DayNo));
Calendar eventCalendar = Calendar.getInstance();
ArrayList arrayList = new ArrayList();
for (int i = 0;i
Sian July 15, 2020 At 12:26 pm
I keep having an issue with the ReadEventsperMonth method. My logcat says
android.database.sqlite.SQLiteException: no such column: event (code 1 SQLITE_ERROR): , while compiling: SELECT event, time, date, month, year FROM eventstable WHERE month=? and year =?
and I have checked the syntax of the String Selection and it seems to be correct but I still can’t get it to work. Could you help?
Thanks, man for this nice tutorial. I want to highlight the current date of the month in the Gridview just like the android calendar. Where I have to add code for the current day.
add variable of current day from current date
int currentDay = currentDate.get(Calendar.DAY_OF_MONTH);
then add another conditon
if(displayMonth == currentMonth && displayYear == currentYear) <
view.setBackgroundColor(getContext().getResources().getColor(R.color.green));
> else if(DayNo == currentDay) <
view.setBackgroundColor(getContext().getResources().getColor(android.R.color.holo_orange_dark));
>
else
<
view.setBackgroundColor(Color.parseColor(“#cccccc”));
>
Hey, so when the app launches the events are on the calendar. If I go to another activity and back the events disappear until the next time the app is launched. How would I correct this?
Very nice setup. However, when I leave the activity and come back the events are gone. Is there a way to fix this without having the user exit the app and go back in?
Hi! I have a problem with the show events activity.
I had working the app but then I made changes in the data base to add new variables and now I can,t see anything in the row_layout when I press the screen. Only a white row.
I read again and again de cde but it seems everything It,s ok.
I also updated the version of the db, but stil not working.
make sure that data saved to the right columns in the database. open emulator and try to add events. the open android device monitor to extract the database file to desktop, install DB browser for SQLite application that helps you to show the data in the database. if events data saved to wrong columns it is expected to collect zero rows.
this video helps you how to extract database.
https://youtu.be/7Ua98YBJF50
Ok thaks I’ll try It yo see If It works.
Thank you!
Looks like the database is empty in sqlite admin. Which could be the error?
It´s my first database and I,m a little lost
I have checked the database with db browser and the columns get the information. But aren`t in order and don´t know why. I think I write the new columns in the right order, right below the existing ones.
Is it possible to reorder the columns without making a new data base? And how can I do that?
Hello, I have followed this tutorial but I have a problem, which is “java.lang.NullPointerException: Attempt to invoke virtual method ‘void android.widget.TextView.setText(java.lang.CharSequence)’ on a null object reference” This error only occurs when you want to see the events on a day that has events, what can be the problem?
I found the error, it was that the inflate addressed the wrong one, thanks 🙂
I’m glad that the problem was solved!
If you have other questions, just let me know!
sir if this application is running for you, could you please send me the zip file at rimshafaisal.246@gmail.com
my app is getting crashed, i don’t know why, i have followed every step.
i would really appreciate it if you could help me out.
Assalamuallikum,
great video sir,
My app getting crashed
i have copied your code just like in videos,but following are my problems:
at main activity.xml:
after writing this code i cannt got any layout ,i have added all dependency as you have written
and also:
in Customcalenderview:
Log.d(TAG, “getRequestCode: “+code);
i am having error saying,that Tag has not initialized.
Источник