crewmeister.py 4.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123
  1. import requests
  2. import pandas as pd
  3. import datetime
  4. from colorama import Fore
  5. from colorama import Style
  6. def pt_to_hours(x):
  7. delta = int(x[2:-1]) / 3600
  8. return round(delta, 2)
  9. # return str(round(delta)) + ":" + str(round((delta - round(delta)) * 60))
  10. def identity(x):
  11. return x
  12. def type_id(x):
  13. if x == 1:
  14. return "Urlaub"
  15. if x == 2:
  16. return "Krank"
  17. if x == 3:
  18. return "Freizeit"
  19. return "anwesend"
  20. def timestamp_to_time(ts):
  21. dt = datetime.datetime.fromisoformat(ts)
  22. return dt.strftime('%H:%M:%S')
  23. class crewmeister:
  24. webservice = "https://api.crewmeister.com/api/v2"
  25. user_name = "bedner@global-cube.de"
  26. user_pass = "7pmicg1w"
  27. crew_id = "26515"
  28. suffix_count = 0
  29. def auth(self):
  30. cookies = {}
  31. r = requests.post(self.webservice + "/user/authentication", {'userIdentifier': self.user_name, 'password': self.user_pass})
  32. payload = r.json()['payload']
  33. cookies['cmAuthenticationUserToken'] = payload['token']
  34. cookies['cmAuthenticationUserId'] = str(payload['id'])
  35. r = requests.post(self.webservice + "/crew/authentication", {'crewId': self.crew_id}, cookies=cookies)
  36. payload = r.json()['payload']
  37. cookies['cmAuthenticationCrewToken'] = payload['token']
  38. cookies['cmAuthenticationCrewId'] = payload['id']
  39. return cookies
  40. def userlist(self):
  41. r = requests.get(self.webservice + f"/crew/{self.crew_id}/member", cookies=self.cookies)
  42. return pd.DataFrame(r.json()['payload']).set_index("userId")
  43. def add_to_userlist(self, df):
  44. self.users = self.users.join(df, rsuffix="_" + str(self.suffix_count))
  45. self.suffix_count += 1
  46. def __init__(self):
  47. self.cookies = self.auth()
  48. self.users = self.userlist()
  49. def cm_request(self, querystring, params, cols):
  50. r = requests.get(self.webservice + querystring, params, cookies=self.cookies)
  51. try:
  52. df = pd.DataFrame(r.json()['payload'])
  53. if df.shape[0] > 0 and 'userId' not in df.columns:
  54. df['userId'] = df['groupBy'].map(lambda x: x['userId'])
  55. for (key, (col, map_fun)) in cols.items():
  56. df[key] = df[col].map(map_fun)
  57. items = list(cols.keys())
  58. items.append("userId")
  59. self.add_to_userlist(df.filter(items=items).set_index("userId"))
  60. return True
  61. except Exception as e:
  62. print(r.json())
  63. print(e)
  64. return self.zerofill(cols)
  65. def zerofill(self, cols):
  66. for key in cols.keys():
  67. self.users[key] = 0
  68. return False
  69. def statistics(self):
  70. timestamp = datetime.datetime.now().isoformat()
  71. today = timestamp[:10]
  72. first_of_year = today[:4] + "-01-01"
  73. end_of_year = today[:4] + "-12-31"
  74. prev_month = (datetime.date.fromisoformat(today[:7] + "-01") + datetime.timedelta(days=-1)).isoformat()[:10]
  75. r = requests.get(self.webservice + f"/crew/{self.crew_id}/time-tracking/stamps", {'startTime': timestamp, 'endTime': timestamp}, cookies=self.cookies)
  76. stamps = pd.DataFrame(r.json()['payload'])
  77. if len(stamps.index) > 0:
  78. self.add_to_userlist(stamps.query("timeAccount==1").groupby('userId').max())
  79. self.cm_request(f"/crew/{self.crew_id}/absence-management/absences", {'from': today, 'to': today}, {'absence_today': ("typeId", identity)})
  80. self.cm_request(f"/crew/{self.crew_id}/absence-management/absence-balances", {'date': first_of_year, 'typeId': 1}, {'absence_vac_prev': ("value", identity)})
  81. self.cm_request(f"/crew/{self.crew_id}/absence-management/absence-balances", {'date': today, 'typeId': 1}, {'absence_vacation': ("value", identity)})
  82. self.cm_request(f"/crew/{self.crew_id}/absence-management/absence-balances", {'date': end_of_year, 'typeId': 1}, {'absence_planned': ("value", identity)})
  83. self.cm_request(f"/crew/{self.crew_id}/duration-balances?groupBy%5B%5D=user_id&date%5B%5D={prev_month}", {}, {'duration_prev_month': ("value", pt_to_hours)})
  84. self.cm_request(f"/crew/{self.crew_id}/duration-balances?groupBy%5B%5D=user_id&date%5B%5D={today}", {}, {'duration_today': ("value", pt_to_hours)})
  85. return self.users
  86. if __name__ == '__main__':
  87. cm = crewmeister()
  88. user = cm.statistics().loc[86043]
  89. print("Name: " + user['email'])
  90. print("Gerade anwesend: " + timestamp_to_time(user['clockInTimestamp']))
  91. print("geplante Abwesenheit heute: " + type_id(user['absence_today']))
  92. print("Urlaub Jahresanfang: " + str(user['absence_vac_prev']))
  93. print("Urlaub genommen: " + str(user['absence_vacation']))
  94. print("Urlaub geplant: " + str(user['absence_planned']))
  95. print("Überstunden Vormonat: " + str(user['duration_prev_month']))
  96. print("Überstunden aktuell: " + str(user['duration_today']))
  97. print(f"{Fore.GREEN}Test!{Style.RESET_ALL}")