awacke1 commited on
Commit
aeb40fe
Β·
verified Β·
1 Parent(s): 6a6f80e

Create app.py

Browse files
Files changed (1) hide show
  1. app.py +169 -0
app.py ADDED
@@ -0,0 +1,169 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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": ['Mail.Read', 'Mail.Send', 'Calendars.ReadWrite'],
17
+ "πŸ“’ OneNote": ['Notes.Read', 'Notes.Create'],
18
+ "πŸ“Š Excel": ['Files.ReadWrite.All'],
19
+ "πŸ“„ Word": ['Files.ReadWrite.All'],
20
+ "πŸ—ƒοΈ SharePoint": ['Sites.Read.All', 'Sites.ReadWrite.All'],
21
+ "πŸ“… Teams": ['Team.ReadBasic.All', 'Channel.ReadBasic.All'],
22
+ "πŸ’¬ Viva": ['Analytics.Read'],
23
+ "πŸš€ Power Platform": ['Flow.Read.All'],
24
+ "🧠 Copilot": ['Cognitive.Read'],
25
+ "πŸ—‚οΈ OneDrive": ['Files.ReadWrite.All'],
26
+ "πŸ’‘ PowerPoint": ['Files.ReadWrite.All'],
27
+ "πŸ“š Microsoft Bookings": ['Bookings.Read.All', 'Bookings.ReadWrite.All'],
28
+ "πŸ““ Loop": ['Files.ReadWrite.All'],
29
+ "πŸ—£οΈ Translator": ['Translation.Read'],
30
+ "πŸ“‹ To Do & Planner": ['Tasks.ReadWrite'],
31
+ "πŸ”— Azure OpenAI Service": ['AzureAIServices.ReadWrite.All']
32
+ }
33
+
34
+ BASE_SCOPES = ['User.Read']
35
+
36
+ # MSAL App Instance
37
+ def get_msal_app():
38
+ return msal.ConfidentialClientApplication(
39
+ client_id=APPLICATION_ID_KEY,
40
+ client_credential=CLIENT_SECRET_KEY,
41
+ authority=AUTHORITY_URL
42
+ )
43
+
44
+ # Get Access Token
45
+ def get_access_token(code):
46
+ client_instance = get_msal_app()
47
+ try:
48
+ result = client_instance.acquire_token_by_authorization_code(
49
+ code=code,
50
+ scopes=st.session_state.get('request_scopes', BASE_SCOPES),
51
+ redirect_uri=REDIRECT_URI
52
+ )
53
+ if 'access_token' in result:
54
+ return result['access_token']
55
+ else:
56
+ raise Exception(f"Error acquiring token: {result.get('error_description')}")
57
+ except Exception as e:
58
+ st.error(f"Exception in get_access_token: {str(e)}")
59
+ raise
60
+
61
+ # Make API call
62
+ def make_api_call(access_token, endpoint, method='GET', data=None):
63
+ headers = {'Authorization': f'Bearer {access_token}', 'Content-Type': 'application/json'}
64
+ url = f'https://graph.microsoft.com/v1.0/{endpoint}'
65
+
66
+ if method == 'GET':
67
+ response = requests.get(url, headers=headers)
68
+ elif method == 'POST':
69
+ response = requests.post(url, headers=headers, json=data)
70
+ else:
71
+ raise ValueError(f"Unsupported method: {method}")
72
+
73
+ if response.status_code in [200, 201]:
74
+ return response.json()
75
+ else:
76
+ st.error(f"API call failed: {response.status_code} - {response.text}")
77
+ return None
78
+
79
+ # Define product integration handlers
80
+ def handle_outlook_integration(access_token):
81
+ st.subheader("πŸ“§ Outlook Integration")
82
+ st.markdown(f"[Open Outlook]({PRODUCT_SCOPES['πŸ“§ Outlook']['link']})")
83
+ emails = make_api_call(access_token, 'me/messages?$top=10&$orderby=receivedDateTime desc')
84
+ if emails and 'value' in emails:
85
+ for email in emails['value']:
86
+ with st.expander(f"From: {email['from']['emailAddress']['name']} - Subject: {email['subject']}"):
87
+ st.write(f"Received: {email['receivedDateTime']}")
88
+ st.write(f"Body: {email['bodyPreview']}")
89
+ else:
90
+ st.write("No emails found or unable to fetch emails.")
91
+
92
+ # More handlers for other products like Calendar, OneDrive, etc., go here...
93
+
94
+ # Main Function
95
+ def main():
96
+ st.title("πŸ¦„ MS Graph API with AI & Cloud Integration for M365")
97
+
98
+ # Sidebar product selection
99
+ st.sidebar.title("πŸ“ M365 Products")
100
+ st.sidebar.write("Select products to integrate:")
101
+
102
+ selected_products = {}
103
+ for product, info in PRODUCT_SCOPES.items():
104
+ selected = st.sidebar.checkbox(product)
105
+ if selected:
106
+ selected_products[product] = True
107
+ st.sidebar.write(f"**AI Capabilities:** {info['ai_capabilities']}")
108
+ st.sidebar.write(f"**Graph API:** {info['graph_api']}")
109
+
110
+ # Request scopes based on selected products
111
+ request_scopes = BASE_SCOPES.copy()
112
+ for product in selected_products:
113
+ request_scopes.extend(PRODUCT_SCOPES[product]['scopes'])
114
+ request_scopes = list(set(request_scopes)) # Remove duplicates
115
+ st.session_state['request_scopes'] = request_scopes
116
+
117
+ # MSAL login and token handling
118
+ if 'access_token' not in st.session_state:
119
+ client_instance = get_msal_app()
120
+ auth_url = client_instance.get_authorization_request_url(
121
+ scopes=request_scopes,
122
+ redirect_uri=REDIRECT_URI
123
+ )
124
+ st.write(f'πŸ‘‹ Please [click here]({auth_url}) to log in and authorize the app.')
125
+
126
+ query_params = st.experimental_get_query_params()
127
+ if 'code' in query_params:
128
+ code = query_params.get('code')
129
+ st.write(f'πŸ”‘ Authorization Code Obtained: {code[:10]}...')
130
+
131
+ try:
132
+ access_token = get_access_token(code)
133
+ st.session_state['access_token'] = access_token
134
+ st.success("Access token acquired successfully!")
135
+ st.rerun()
136
+ except Exception as e:
137
+ st.error(f"Error acquiring access token: {str(e)}")
138
+ st.stop()
139
+ else:
140
+ access_token = st.session_state['access_token']
141
+
142
+ user_info = make_api_call(access_token, 'me')
143
+ if user_info:
144
+ st.sidebar.write(f"πŸ‘‹ Hello, {user_info.get('displayName', 'User')}!")
145
+
146
+ if selected_products:
147
+ # Integrate selected products
148
+ for product in selected_products:
149
+ if product == "πŸ“§ Outlook":
150
+ handle_outlook_integration(access_token)
151
+ # Add other product integration handlers as needed
152
+ else:
153
+ st.write("No products selected. Please select products from the sidebar.")
154
+
155
+ # Sidebar navigation menu
156
+ st.sidebar.title("Navigation")
157
+ menu = st.sidebar.radio("Go to", [
158
+ "1️⃣ Dashboard",
159
+ "🏠 Landing Page",
160
+ "πŸ“… Upcoming Events",
161
+ "πŸ“† Schedule",
162
+ "πŸ“ Agenda",
163
+ "πŸ” Event Details",
164
+ "βž• Add Event",
165
+ "πŸ”Ž Filter By"
166
+ ])
167
+
168
+ if __name__ == "__main__":
169
+ main()