awacke1 commited on
Commit
f08b405
Β·
verified Β·
1 Parent(s): 8b45222

Create app.py

Browse files
Files changed (1) hide show
  1. app.py +224 -0
app.py ADDED
@@ -0,0 +1,224 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import os
2
+ import streamlit as st
3
+ import requests
4
+ import msal
5
+ from datetime import datetime, timedelta
6
+ import calendar
7
+
8
+ # Configuration
9
+ APPLICATION_ID_KEY = os.getenv('APPLICATION_ID_KEY')
10
+ CLIENT_SECRET_KEY = os.getenv('CLIENT_SECRET_KEY')
11
+ AUTHORITY_URL = 'https://login.microsoftonline.com/common'
12
+ REDIRECT_URI = 'https://huggingface.co/spaces/awacke1/MSGraphAPI'
13
+
14
+ # Define product to scope mapping and links
15
+ PRODUCT_SCOPES = {
16
+ "πŸ“§ Outlook": {'scopes': ['Mail.Read', 'Mail.Send'], 'link': 'https://outlook.office.com/mail/'},
17
+ "πŸ“… Calendar": {'scopes': ['Calendars.ReadWrite'], 'link': 'https://outlook.office.com/calendar/'},
18
+ "πŸ“‹ Tasks": {'scopes': ['Tasks.ReadWrite'], 'link': 'https://to-do.office.com/tasks/'},
19
+ "πŸ—‚οΈ OneDrive": {'scopes': ['Files.ReadWrite.All'], 'link': 'https://onedrive.live.com/'},
20
+ # ... (other products)
21
+ }
22
+
23
+ BASE_SCOPES = ['User.Read']
24
+
25
+ # ... (keep the get_msal_app and get_access_token functions as they were) ...
26
+
27
+ def make_api_call(access_token, endpoint, method='GET', data=None):
28
+ headers = {'Authorization': f'Bearer {access_token}', 'Content-Type': 'application/json'}
29
+ url = f'https://graph.microsoft.com/v1.0/{endpoint}'
30
+
31
+ if method == 'GET':
32
+ response = requests.get(url, headers=headers)
33
+ elif method == 'POST':
34
+ response = requests.post(url, headers=headers, json=data)
35
+ else:
36
+ raise ValueError(f"Unsupported method: {method}")
37
+
38
+ if response.status_code in [200, 201]:
39
+ return response.json()
40
+ else:
41
+ st.error(f"API call failed: {response.status_code} - {response.text}")
42
+ return None
43
+
44
+ def handle_outlook_integration(access_token):
45
+ st.subheader("πŸ“§ Outlook Integration")
46
+ st.markdown(f"[Open Outlook]({PRODUCT_SCOPES['πŸ“§ Outlook']['link']})")
47
+
48
+ emails = make_api_call(access_token, 'me/messages?$top=10&$orderby=receivedDateTime desc')
49
+ if emails and 'value' in emails:
50
+ for email in emails['value']:
51
+ with st.expander(f"From: {email['from']['emailAddress']['name']} - Subject: {email['subject']}"):
52
+ st.write(f"Received: {email['receivedDateTime']}")
53
+ st.write(f"Body: {email['bodyPreview']}")
54
+ else:
55
+ st.write("No emails found or unable to fetch emails.")
56
+
57
+ def handle_calendar_integration(access_token):
58
+ st.subheader("πŸ“… Calendar Integration")
59
+ st.markdown(f"[Open Calendar]({PRODUCT_SCOPES['πŸ“… Calendar']['link']})")
60
+
61
+ # Get the current month's start and end dates
62
+ now = datetime.now()
63
+ start_of_month = now.replace(day=1, hour=0, minute=0, second=0, microsecond=0)
64
+ end_of_month = start_of_month.replace(month=start_of_month.month % 12 + 1, day=1) - timedelta(days=1)
65
+
66
+ events = make_api_call(access_token, f"me/calendarView?startDateTime={start_of_month.isoformat()}&endDateTime={end_of_month.isoformat()}&$orderby=start/dateTime")
67
+
68
+ if events and 'value' in events:
69
+ # Create a calendar view
70
+ cal = calendar.monthcalendar(now.year, now.month)
71
+ st.write(f"Calendar for {now.strftime('%B %Y')}")
72
+
73
+ # Create a placeholder for each day
74
+ day_placeholders = {}
75
+ for week in cal:
76
+ cols = st.columns(7)
77
+ for i, day in enumerate(week):
78
+ if day != 0:
79
+ day_placeholders[day] = cols[i].empty()
80
+ day_placeholders[day].write(f"**{day}**")
81
+
82
+ # Populate the calendar with events
83
+ for event in events['value']:
84
+ start_date = datetime.fromisoformat(event['start']['dateTime'][:-1]) # Remove 'Z' from the end
85
+ day = start_date.day
86
+ if day in day_placeholders:
87
+ day_placeholders[day].write(f"{start_date.strftime('%H:%M')} - {event['subject']}")
88
+ else:
89
+ st.write("No events found or unable to fetch events.")
90
+
91
+ st.write("Add a new event:")
92
+ event_subject = st.text_input("Event Subject")
93
+ event_date = st.date_input("Event Date")
94
+ event_time = st.time_input("Event Time")
95
+ if st.button("Add Event"):
96
+ event_start = datetime.combine(event_date, event_time)
97
+ event_end = event_start + timedelta(hours=1)
98
+ new_event = {
99
+ "subject": event_subject,
100
+ "start": {
101
+ "dateTime": event_start.isoformat(),
102
+ "timeZone": "UTC"
103
+ },
104
+ "end": {
105
+ "dateTime": event_end.isoformat(),
106
+ "timeZone": "UTC"
107
+ }
108
+ }
109
+ result = make_api_call(access_token, 'me/events', method='POST', data=new_event)
110
+ if result:
111
+ st.success("Event added successfully!")
112
+ else:
113
+ st.error("Failed to add event.")
114
+
115
+ def handle_tasks_integration(access_token):
116
+ st.subheader("πŸ“‹ Tasks Integration")
117
+ st.markdown(f"[Open Tasks]({PRODUCT_SCOPES['πŸ“‹ Tasks']['link']})")
118
+
119
+ tasks = make_api_call(access_token, 'me/todo/lists')
120
+ if tasks and 'value' in tasks:
121
+ default_list = next((list for list in tasks['value'] if list['wellknownListName'] == 'defaultList'), None)
122
+ if default_list:
123
+ tasks = make_api_call(access_token, f"me/todo/lists/{default_list['id']}/tasks")
124
+ if tasks and 'value' in tasks:
125
+ for task in tasks['value']:
126
+ st.write(f"Task: {task['title']}")
127
+ st.write(f"Status: {'Completed' if task['status'] == 'completed' else 'Not Completed'}")
128
+ st.write("---")
129
+ else:
130
+ st.write("No tasks found or unable to fetch tasks.")
131
+ else:
132
+ st.write("Default task list not found.")
133
+ else:
134
+ st.write("Unable to fetch task lists.")
135
+
136
+ st.write("Add a new task:")
137
+ task_title = st.text_input("Task Title")
138
+ if st.button("Add Task"):
139
+ new_task = {
140
+ "title": task_title
141
+ }
142
+ result = make_api_call(access_token, f"me/todo/lists/{default_list['id']}/tasks", method='POST', data=new_task)
143
+ if result:
144
+ st.success("Task added successfully!")
145
+ else:
146
+ st.error("Failed to add task.")
147
+
148
+ def handle_onedrive_integration(access_token):
149
+ st.subheader("πŸ—‚οΈ OneDrive Integration")
150
+ st.markdown(f"[Open OneDrive]({PRODUCT_SCOPES['πŸ—‚οΈ OneDrive']['link']})")
151
+
152
+ files = make_api_call(access_token, 'me/drive/root/children')
153
+ if files and 'value' in files:
154
+ for file in files['value']:
155
+ st.write(f"Name: {file['name']}")
156
+ st.write(f"Type: {'Folder' if 'folder' in file else 'File'}")
157
+ st.write(f"Last Modified: {file['lastModifiedDateTime']}")
158
+ st.write("---")
159
+ else:
160
+ st.write("No files found or unable to fetch files.")
161
+
162
+ def main():
163
+ st.title("πŸ¦„ MS Graph API with AI & Cloud Integration for M365")
164
+
165
+ st.sidebar.title("πŸ“ M365 Products")
166
+ st.sidebar.write("Select products to integrate:")
167
+
168
+ selected_products = {}
169
+ for product in PRODUCT_SCOPES.keys():
170
+ selected = st.sidebar.checkbox(product)
171
+ if selected:
172
+ selected_products[product] = True
173
+
174
+ request_scopes = BASE_SCOPES.copy()
175
+ for product in selected_products:
176
+ request_scopes.extend(PRODUCT_SCOPES[product]['scopes'])
177
+ request_scopes = list(set(request_scopes))
178
+
179
+ st.session_state['request_scopes'] = request_scopes
180
+
181
+ if 'access_token' not in st.session_state:
182
+ client_instance = get_msal_app()
183
+ auth_url = client_instance.get_authorization_request_url(
184
+ scopes=request_scopes,
185
+ redirect_uri=REDIRECT_URI
186
+ )
187
+ st.write('πŸ‘‹ Please [click here]({}) to log in and authorize the app.'.format(auth_url))
188
+
189
+ query_params = st.query_params
190
+ if 'code' in query_params:
191
+ code = query_params.get('code')
192
+ st.write('πŸ”‘ Authorization Code Obtained:', code[:10] + '...')
193
+
194
+ try:
195
+ access_token = get_access_token(code)
196
+ st.session_state['access_token'] = access_token
197
+ st.success("Access token acquired successfully!")
198
+ st.rerun()
199
+ except Exception as e:
200
+ st.error(f"Error acquiring access token: {str(e)}")
201
+ st.stop()
202
+ else:
203
+ access_token = st.session_state['access_token']
204
+
205
+ user_info = make_api_call(access_token, 'me')
206
+ if user_info:
207
+ st.sidebar.write(f"πŸ‘‹ Hello, {user_info.get('displayName', 'User')}!")
208
+
209
+ if selected_products:
210
+ for product in selected_products:
211
+ if product == "πŸ“§ Outlook":
212
+ handle_outlook_integration(access_token)
213
+ elif product == "πŸ“… Calendar":
214
+ handle_calendar_integration(access_token)
215
+ elif product == "πŸ“‹ Tasks":
216
+ handle_tasks_integration(access_token)
217
+ elif product == "πŸ—‚οΈ OneDrive":
218
+ handle_onedrive_integration(access_token)
219
+ # Add more product integrations here
220
+ else:
221
+ st.write("No products selected. Please select products from the sidebar.")
222
+
223
+ if __name__ == "__main__":
224
+ main()