当前位置:   article > 正文

开发日记--安卓开发中制作日历打卡签到功能_android 日历签到标记

android 日历签到标记

安卓开发——制作打卡签到功能

在我开发的校园公交项目中,司机端中使用到了签到的功能,我想实现的目标是类似于钉钉之类的软件,在每日工作时打卡,记录打卡时间来统计司机的上班情况。

  1. 首先考虑数据库的设计。数据库需要用至少一个表来记录打卡人及打卡时间等信息。

  2. 然后考虑后端视图函数的设计。后端视图函数中要实现的功能应该至少包括获得签到信息并修改数据库,及访问数据库并反馈签到信息的功能。

  3. 然后是Android前端UI的设计及交互。前端需要用一个开源的日历组件来显示签到页面的各种日期信息。然后需要监听按钮来接收签到请求。

  4. 最后是Android主线程的设计,需要利用okhttp发送和接收request请求,然后处理相关数据最后呈现在UI界面。

下面我来一个一个讲解

1.数据库的搭建
  • 要把每个司机的打卡信息存储起来,并且汇聚成有条理的月度的信息,应该怎么做呢?

我的做法是外键为司机,做一个如下ER图的司机打卡记录表,这样可以记录每个司机的打卡时间。在访问数据库时直接查询相关司机的打卡记录即可获取和整理相关数据。

下面为使用django中写的这两个表

  1. class Driver_clockIn(models.Model):
  2. clock_in_id=models.AutoField(primary_key=True,verbose_name="id")
  3. clock_in_driver=models.ForeignKey(Driver,on_delete=models.CASCADE,verbose_name="司机")
  4. clock_in_date=models.DateField(auto_now=True,verbose_name="打卡时间")
  5. isclock=models.BooleanField(default=False,verbose_name="是否打卡")
  6. def __str__(self):
  7. return self.name
  8. class Meta:
  9. db_table='driver_clock_in'
  10. class Driver_month_chockIn(models.Model):
  11. month_clockIn_id=models.AutoField(primary_key=True,verbose_name="id")
  12. month_clockIn_driver=models.ForeignKey(Driver,on_delete=models.CASCADE,verbose_name="司机")
  13. month_clockIn_date=models.DateField(auto_now=True,verbose_name="日期")
  14. month_clockIn_days=models.IntegerField(default=0,verbose_name="打卡天数")
  15. month_clockIn_lack_days=models.IntegerField(default=0,verbose_name="缺勤天数")
  16. month_clockIn_wage=models.IntegerField(default=0,verbose_name="当前工资")
  17. def __str__(self):
  18. return self.name
  19. class Meta:
  20. db_table='driver_month_clockIn'

在上面的代码中,我在后端只使用了每日打卡表,没有使用月度打卡表,因为我在安卓端打卡时需要获取的是具体的打卡日期,这样就没有月度打卡表的使用需求了,相关信息我也直接可以简单计算获取。这个在下方安卓代码会讲解。

2.视图函数的搭建

下面为django中获取司机打卡日期的及处理司机签到信息的函数

  1. def driver_getSignedDays(request): #获取该司机打卡过的日期
  2. if request.method=='POST':
  3. true_accountGet=request.POST.get('driver_account','')
  4. driver=Driver.objects.get(account=true_accountGet)
  5. clock_in_data=Driver_clockIn.objects.filter(clock_in_driver=driver)
  6. res=[
  7. {
  8. 'year':clock.clock_in_date.year,
  9. 'month':clock.clock_in_date.month,
  10. 'day':clock.clock_in_date.day,
  11. }
  12. for clock in clock_in_data
  13. ]
  14. #print(res)
  15. return JsonResponse(res,safe=False)
  16. def driver_send_clockIn_date(request): #司机发来签到
  17. if request.method=='POST':
  18. true_accountGet=request.POST.get('driver_account','')
  19. driver=Driver.objects.get(account=true_accountGet)
  20. Driver_clockIn.objects.create(clock_in_driver=driver,isclock=1)
  21. return HttpResponse('OK')

这里解读一下代码

  • 首先是获取司机打卡日期。在进入司机页面时,签到fragment的onCreateView时期就应该调用并获取一次打卡日期,以便于显示在日历上(也就是看自哪天签到了哪天没签)。

  • 所以这里先获取请求体中的账号信息,然后直接在签到表查找相关用户的签到信息,将相关信息打包后发送回去。

  • 然后是司机签到功能,该账户发来签到信息后,只需要在签到表中新建项即可。

3.Android前端UI界面的设计

这里我的UI界面做的比较粗糙,目的是实现功能。

UI如下图,上方是MaterialCalendarView控件(这个控件自己在github上找),下方是签到按钮和两个TextView

xml文件代码为

  1. <?xml version="1.0" encoding="utf-8"?>
  2. <FrameLayout xmlns:android="http://schemas.android.com/apk/res/android"
  3. xmlns:app="http://schemas.android.com/apk/res-auto"
  4. xmlns:tools="http://schemas.android.com/tools"
  5. android:layout_width="match_parent"
  6. android:layout_height="match_parent"
  7. tools:context=".fragment.Checking_In_Fragment">
  8. <com.prolificinteractive.materialcalendarview.MaterialCalendarView
  9. android:id="@+id/calendarView"
  10. android:layout_width="match_parent"
  11. android:layout_height="wrap_content"
  12. app:mcv_selectionColor="@color/teal_200"
  13. app:mcv_showOtherDates="none" />
  14. <ImageButton
  15. android:id="@+id/clockIn_button"
  16. android:layout_width="wrap_content"
  17. android:layout_height="wrap_content"
  18. android:background="@drawable/clock_in_none"
  19. android:layout_marginTop="500dp"
  20. android:layout_gravity="center_horizontal"
  21. android:contentDescription="clock in"/>
  22. <TextView
  23. android:layout_width="wrap_content"
  24. android:layout_height="wrap_content"
  25. android:layout_marginStart="5dp"
  26. android:layout_marginTop="500dp"
  27. android:text="出勤天数:"
  28. android:textSize="17sp"
  29. android:textColor="@color/black"/>
  30. <TextView
  31. android:id="@+id/clockIn_days"
  32. android:layout_width="40dp"
  33. android:layout_height="29dp"
  34. android:layout_marginStart="80dp"
  35. android:layout_marginTop="500dp"
  36. android:textColor="@color/blue1"
  37. android:textSize="17sp"/>
  38. <TextView
  39. android:layout_width="wrap_content"
  40. android:layout_height="wrap_content"
  41. android:layout_marginStart="5dp"
  42. android:layout_marginTop="550dp"
  43. android:text="缺席天数:"
  44. android:textSize="17sp"
  45. android:textColor="@color/black"/>
  46. <TextView
  47. android:id="@+id/lack_days"
  48. android:layout_width="40dp"
  49. android:layout_height="29dp"
  50. android:layout_marginStart="80dp"
  51. android:layout_marginTop="550dp"
  52. android:textColor="@color/red"
  53. android:textSize="20sp"/>
  54. </FrameLayout>

这个代码就不多解释了,已经配图了。

4.Android主线程的设计
  1. package com.example.myapplication.fragment;
  2. import android.annotation.SuppressLint;
  3. import android.content.Context;
  4. import android.content.SharedPreferences;
  5. import android.graphics.Color;
  6. import android.graphics.drawable.ColorDrawable;
  7. import android.graphics.drawable.Drawable;
  8. import android.os.Bundle;
  9. import android.text.style.ForegroundColorSpan;
  10. import android.util.Log;
  11. import android.view.LayoutInflater;
  12. import android.view.View;
  13. import android.view.ViewGroup;
  14. import android.widget.ImageButton;
  15. import android.widget.TextView;
  16. import android.widget.Toast;
  17. import androidx.annotation.NonNull;
  18. import androidx.core.content.ContextCompat;
  19. import androidx.fragment.app.Fragment;
  20. import com.android.volley.AuthFailureError;
  21. import com.android.volley.NetworkResponse;
  22. import com.android.volley.RequestQueue;
  23. import com.android.volley.Response;
  24. import com.android.volley.VolleyError;
  25. import com.android.volley.toolbox.StringRequest;
  26. import com.android.volley.toolbox.Volley;
  27. import com.example.myapplication.R;
  28. import com.example.myapplication.javabean.ServerSetting;
  29. import com.example.myapplication.javabean.django_url;
  30. import com.prolificinteractive.materialcalendarview.CalendarDay;
  31. import com.prolificinteractive.materialcalendarview.DayViewDecorator;
  32. import com.prolificinteractive.materialcalendarview.DayViewFacade;
  33. import com.prolificinteractive.materialcalendarview.MaterialCalendarView;
  34. import com.prolificinteractive.materialcalendarview.OnMonthChangedListener;
  35. import org.json.JSONArray;
  36. import org.json.JSONException;
  37. import org.json.JSONObject;
  38. import java.io.IOException;
  39. import java.util.ArrayList;
  40. import java.util.Calendar;
  41. import java.util.HashMap;
  42. import java.util.List;
  43. import java.util.Map;
  44. import okhttp3.Call;
  45. import okhttp3.Callback;
  46. import okhttp3.FormBody;
  47. import okhttp3.OkHttpClient;
  48. import okhttp3.Request;
  49. import okhttp3.RequestBody;
  50. /**
  51. * A simple {@link Fragment} subclass.
  52. * Use the {@link Checking_In_Fragment#newInstance} factory method to
  53. * create an instance of this fragment.
  54. */
  55. public class Checking_In_Fragment extends Fragment {
  56. // TODO: Rename parameter arguments, choose names that match
  57. // the fragment initialization parameters, e.g. ARG_ITEM_NUMBER
  58. private static final String ARG_PARAM1 = "param1";
  59. private static final String ARG_PARAM2 = "param2";
  60. // TODO: Rename and change types of parameters
  61. private String mParam1;
  62. private String mParam2;
  63. private View rootView;
  64. private MaterialCalendarView mvc;
  65. private ImageButton clockIn_button;
  66. private List<CalendarDay> selectedDates_true = new ArrayList<>();
  67. private SharedPreferences sharedPreferences;
  68. private CalendarDay currentDate=CalendarDay.today();
  69. private TextView clockIn_days,lack_days;
  70. public Checking_In_Fragment() {
  71. // Required empty public constructor
  72. }
  73. /**
  74. * Use this factory method to create a new instance of
  75. * this fragment using the provided parameters.
  76. *
  77. * @param param1 Parameter 1.
  78. * @param param2 Parameter 2.
  79. * @return A new instance of fragment Checking_In_Fragment.
  80. */
  81. // TODO: Rename and change types and number of parameters
  82. public static Checking_In_Fragment newInstance(String param1, String param2) {
  83. Checking_In_Fragment fragment = new Checking_In_Fragment();
  84. Bundle args = new Bundle();
  85. args.putString(ARG_PARAM1, param1);
  86. args.putString(ARG_PARAM2, param2);
  87. fragment.setArguments(args);
  88. return fragment;
  89. }
  90. @Override
  91. public void onCreate(Bundle savedInstanceState) {
  92. super.onCreate(savedInstanceState);
  93. if (getArguments() != null) {
  94. mParam1 = getArguments().getString(ARG_PARAM1);
  95. mParam2 = getArguments().getString(ARG_PARAM2);
  96. }
  97. }
  98. @Override
  99. public View onCreateView(LayoutInflater inflater, ViewGroup container,
  100. Bundle savedInstanceState) {
  101. // Inflate the layout for this fragment
  102. if(rootView==null)
  103. {
  104. rootView=inflater.inflate(R.layout.fragment_checking__in_, container, false);
  105. }
  106. mvc=rootView.findViewById(R.id.calendarView);
  107. clockIn_button=rootView.findViewById(R.id.clockIn_button);
  108. clockIn_days = rootView.findViewById(R.id.clockIn_days);
  109. lack_days=rootView.findViewById(R.id.lack_days);
  110. sharedPreferences= requireContext().getSharedPreferences("user", Context.MODE_PRIVATE);
  111. getSignedDays(); //从服务器获取已签到日期
  112. set_calender(); //设置日历
  113. return rootView;
  114. }
  115. public void getSignedDays() {
  116. String url = ServerSetting.ServerPublicIpAndPort+"driver_getSignedDays/";
  117. String driver_account=sharedPreferences.getString("driver_account","");
  118. OkHttpClient okHttpClient = new OkHttpClient(); //构建一个网络类型的实例
  119. RequestBody requestBody = new FormBody.Builder()
  120. .add("driver_account", driver_account)
  121. .build();
  122. Request request = new Request.Builder() //构建一个具体的网络请求对象,具体的请求url,请求头,请求体等
  123. .url(url)
  124. .post(requestBody)
  125. .build();
  126. Call call = okHttpClient.newCall(request); //将具体的网络请求与执行请求的实体进行绑定
  127. call.enqueue(new Callback() {
  128. @Override
  129. public void onFailure(@NonNull Call call, @NonNull IOException e) {
  130. requireActivity().runOnUiThread(new Runnable() {
  131. @Override
  132. public void run() {
  133. Toast.makeText(requireActivity(), "请检查网络", Toast.LENGTH_SHORT).show();
  134. }
  135. });
  136. }
  137. @Override
  138. public void onResponse(@NonNull Call call, @NonNull okhttp3.Response response) throws IOException {
  139. if (!response.isSuccessful()) {
  140. // 请求不成功,处理错误响应
  141. final String errorMessage = response.body().string();
  142. // 切换到主线程更新 UI
  143. requireActivity().runOnUiThread(new Runnable() {
  144. @Override
  145. public void run() {
  146. Toast.makeText(requireActivity(), "签到失败:" + errorMessage, Toast.LENGTH_SHORT).show();
  147. }
  148. });
  149. }else{
  150. int year,month,day;
  151. List<CalendarDay> selectedDates = new ArrayList<>();
  152. try {
  153. String responseData = response.body().string();
  154. JSONArray jsonArray =new JSONArray(responseData); //string类型的response转换为JSONObject类型的object
  155. for(int i=0;i<jsonArray.length();i++)
  156. {
  157. JSONObject object = jsonArray.getJSONObject(i);
  158. year=Integer.parseInt(object.getString("year"));
  159. month=Integer.parseInt(object.getString("month"));
  160. day=Integer.parseInt(object.getString("day"));
  161. selectedDates.add(CalendarDay.from(year,month-1,day));
  162. }
  163. //Log.e("TAG?!?!?!?!", "run: "+selectedDates);
  164. selectedDates_true=selectedDates;
  165. } catch (JSONException e) {
  166. throw new RuntimeException(e);
  167. }
  168. for (CalendarDay selectedDate : selectedDates) {
  169. requireActivity().runOnUiThread(new Runnable() {
  170. @Override
  171. public void run() {
  172. mvc.addDecorators(new SelectedDayDecorator(selectedDate, Color.parseColor("#ADD8E6")));
  173. }
  174. });
  175. if(selectedDate.equals(currentDate)){
  176. requireActivity().runOnUiThread(new Runnable() {
  177. @Override
  178. public void run() {
  179. clockIn_button.setImageResource(R.drawable.clock_in_ok);
  180. }
  181. });
  182. }
  183. }
  184. //
  185. int month_work_days=0;
  186. int month_lack_days;
  187. for (CalendarDay selectedDate : selectedDates) {
  188. if(selectedDate.getMonth()+1==currentDate.getMonth()+1&&selectedDate.getYear()==currentDate.getYear())
  189. {
  190. month_work_days++;
  191. }
  192. }
  193. month_lack_days=currentDate.getDay()-month_work_days;
  194. int finalMonth_work_days = month_work_days;
  195. requireActivity().runOnUiThread(new Runnable() {
  196. @Override
  197. public void run() {
  198. lack_days.setText(String.valueOf(month_lack_days));
  199. clockIn_days.setText(String.valueOf(finalMonth_work_days));
  200. }
  201. });
  202. }
  203. }
  204. });
  205. }
  206. private void set_calender() {
  207. mvc.setSelectionMode(MaterialCalendarView.SELECTION_MODE_NONE);
  208. Calendar minDate = Calendar.getInstance();
  209. minDate.add(Calendar.YEAR, -1);
  210. Calendar maxDate = Calendar.getInstance();
  211. maxDate.add(Calendar.YEAR, 1);
  212. mvc.state().edit()
  213. .setMinimumDate(minDate)
  214. .setMaximumDate(maxDate)
  215. .commit();
  216. //将今天变为选中状态
  217. mvc.setDateSelected(currentDate, true);
  218. // 将今天及以前的所有日期标记为红色
  219. CalendarDay startDay = currentDate;
  220. while (startDay.isAfter(CalendarDay.from(currentDate.getYear(), currentDate.getMonth(), 1))) {
  221. mvc.addDecorators(new DayDecorator(startDay, Color.RED));
  222. Calendar calendar = startDay.getCalendar();
  223. calendar.add(Calendar.DAY_OF_MONTH, -1);
  224. startDay = CalendarDay.from(calendar);
  225. }
  226. }
  227. @Override
  228. public void onResume() {
  229. super.onResume();
  230. clockIn_button.setOnClickListener(new View.OnClickListener() {
  231. @SuppressLint("UseCompatLoadingForDrawables")
  232. @Override
  233. public void onClick(View view) {
  234. Drawable background = clockIn_button.getDrawable();
  235. Drawable grayDrawable = ContextCompat.getDrawable(requireContext(), R.drawable.clock_in_none);
  236. if (background==null||background.getConstantState() == null || background.getConstantState().equals(grayDrawable.getConstantState())) {
  237. // 若是空或为灰色则可执行签到
  238. //Log.e("TAG?!?!?!?!", "run: ????");
  239. send_clockIn(); // 向服务器发送签到数据
  240. }
  241. }
  242. });
  243. mvc.setOnMonthChangedListener(new OnMonthChangedListener() { //翻页监听器
  244. @Override
  245. public void onMonthChanged(MaterialCalendarView widget, CalendarDay date) {
  246. int month = date.getMonth() + 1; // 月份是从0开始计数的,所以要加1
  247. int year = date.getYear();
  248. Calendar calendar=date.getCalendar();
  249. int total_days=calendar.getActualMaximum(Calendar.DAY_OF_MONTH);
  250. int month_work_days=0;
  251. int month_lack_days;
  252. for (CalendarDay selectedDate : selectedDates_true) {
  253. if(selectedDate.getMonth()+1==month&&selectedDate.getYear()==year)
  254. {
  255. month_work_days++;
  256. }
  257. }
  258. if(year==currentDate.getYear()&&month==currentDate.getMonth()+1)
  259. month_lack_days=currentDate.getDay()-month_work_days;
  260. else
  261. month_lack_days=total_days-month_work_days;
  262. lack_days.setText(String.valueOf(month_lack_days));
  263. clockIn_days.setText(String.valueOf(month_work_days));
  264. }
  265. });
  266. }
  267. public void send_clockIn() {
  268. String url = ServerSetting.ServerPublicIpAndPort+"driver_send_clockIn_date/";
  269. String driver_account=sharedPreferences.getString("driver_account","");
  270. OkHttpClient okHttpClient = new OkHttpClient(); //构建一个网络类型的实例
  271. RequestBody requestBody = new FormBody.Builder()
  272. .add("driver_account", driver_account)
  273. .build();
  274. Request request = new Request.Builder() //构建一个具体的网络请求对象,具体的请求url,请求头,请求体等
  275. .url(url)
  276. .post(requestBody)
  277. .build();
  278. Call call = okHttpClient.newCall(request); //将具体的网络请求与执行请求的实体进行绑定
  279. call.enqueue(new Callback() {
  280. @Override
  281. public void onFailure(@NonNull Call call, @NonNull IOException e) {
  282. requireActivity().runOnUiThread(new Runnable() {
  283. @Override
  284. public void run() {
  285. Toast.makeText(requireActivity(), "签到失败:请检查网络", Toast.LENGTH_SHORT).show();
  286. }
  287. });
  288. }
  289. @Override
  290. public void onResponse(@NonNull Call call, @NonNull okhttp3.Response response) throws IOException {
  291. if (!response.isSuccessful()) {
  292. // 请求不成功,处理错误响应
  293. final String errorMessage = response.body().string();
  294. // 切换到主线程更新 UI
  295. requireActivity().runOnUiThread(new Runnable() {
  296. @Override
  297. public void run() {
  298. Toast.makeText(requireActivity(), "签到失败:" + errorMessage, Toast.LENGTH_SHORT).show();
  299. }
  300. });
  301. }else{
  302. requireActivity().runOnUiThread(new Runnable() {
  303. @Override
  304. public void run() {
  305. Toast.makeText(getContext(), "签到成功", Toast.LENGTH_SHORT).show();
  306. getSignedDays(); //重新获取一次签到数据
  307. }
  308. });
  309. }
  310. }
  311. });
  312. }
  313. }
  314. // DayDecorator 类用于标记今天以前的日期为红色
  315. class DayDecorator implements DayViewDecorator {
  316. private final CalendarDay date;
  317. private final int color;
  318. public DayDecorator(CalendarDay date, int color) {
  319. this.date = date;
  320. this.color = color;
  321. }
  322. @Override
  323. public boolean shouldDecorate(CalendarDay day) { //判断是否应该装饰该日期
  324. return day.isBefore(date) || day.equals(date);
  325. }
  326. @Override
  327. public void decorate(DayViewFacade view) { //实际装饰操作
  328. view.addSpan(new ForegroundColorSpan(color));
  329. }
  330. }
  331. // SelectedDayDecorator 类用于给定日期添加浅蓝色圆圈
  332. class SelectedDayDecorator implements DayViewDecorator {
  333. private final CalendarDay date;
  334. private final int color;
  335. public SelectedDayDecorator(CalendarDay date, int color) {
  336. this.date = date;
  337. this.color = color;
  338. }
  339. @Override
  340. public boolean shouldDecorate(CalendarDay day) {
  341. return day.equals(date);
  342. }
  343. @Override
  344. public void decorate(DayViewFacade view) {
  345. view.setSelectionDrawable(new ColorDrawable(color));
  346. view.addSpan(new ForegroundColorSpan(Color.WHITE));
  347. }
  348. }
  • 上面的代码很清晰的写了整个运作流程。

  • 在创建视图时绑定各种控件,然后用getSignedDays()从服务器获取签到信息,并依据今日是否签到来给按钮上色,未签到就是灰色,签到后就是蓝色。并将缺勤和出勤天数计算并显示(注意在子线程对UI操作时需要跳到主线程进行)。

  • 在签到按钮的监听中,若按钮为灰色,则说明未签到,在触发后即可调用send_clockIn()来发送签到数据。签到后将重新调用一次获取签到数据的操作,这样可以保证页面出勤缺勤等信息是最新的。

至此所有相关操作就结束了。细节大家可以详细阅读我的代码,也有比较详细的注释。

有问题可以留言评论区,我会尽力解决

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/AllinToyou/article/detail/534812
推荐阅读
相关标签
  

闽ICP备14008679号