File size: 7,578 Bytes
921344f
 
 
 
 
f4e42f5
 
 
 
 
 
 
 
 
 
 
 
7d4aef0
f4e42f5
 
 
7d4aef0
b513742
f4e42f5
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
a78ffeb
f4e42f5
 
 
 
7d4aef0
f4e42f5
 
 
 
 
 
7d4aef0
f4e42f5
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
a13b66a
f4e42f5
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
7d4aef0
f4e42f5
 
 
 
921344f
f4e42f5
7d4aef0
f4e42f5
 
 
 
 
 
 
 
 
 
 
 
 
 
7d4aef0
 
f4e42f5
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
7d4aef0
 
f4e42f5
 
 
 
 
7d4aef0
f4e42f5
7d4aef0
 
 
f4e42f5
7d4aef0
 
 
f4e42f5
 
 
 
 
 
921344f
 
f4e42f5
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
import os
import streamlit as st
import requests
import msal
import secrets
from urllib.parse import urlencode
from datetime import datetime, timedelta

# Configuration
APPLICATION_ID = os.getenv('APPLICATION_ID_KEY')
CLIENT_SECRET = os.getenv('CLIENT_SECRET_KEY')
AUTHORITY = 'https://login.microsoftonline.com/common'
REDIRECT_URI = 'https://huggingface.co/spaces/awacke1/MSGraphAPI'
SCOPES = ['User.Read', 'Calendars.ReadWrite', 'Mail.ReadWrite', 'Files.ReadWrite.All']

# MSAL setup
def get_msal_app():
    return msal.ConfidentialClientApplication(
        client_id=APPLICATION_ID,
        client_credential=CLIENT_SECRET,
        authority=AUTHORITY
    )

# Authentication functions
def generate_auth_url():
    msal_app = get_msal_app()
    state = secrets.token_urlsafe(32)
    auth_url = msal_app.get_authorization_request_url(
        scopes=SCOPES,
        redirect_uri=REDIRECT_URI,
        state=state
    )
    new_query_params = st.query_params.to_dict()
    new_query_params['auth_state'] = state
    return f"{auth_url}&{urlencode(new_query_params)}"

def get_token_from_code(code):
    msal_app = get_msal_app()
    result = msal_app.acquire_token_by_authorization_code(
        code=code,
        scopes=SCOPES,
        redirect_uri=REDIRECT_URI
    )
    if 'access_token' in result:
        return result
    else:
        raise Exception(f"Error acquiring token: {result.get('error_description')}")

# API call function
def make_api_call(endpoint, token, method='GET', data=None):
    headers = {'Authorization': f'Bearer {token}', 'Content-Type': 'application/json'}
    url = f'https://graph.microsoft.com/v1.0/{endpoint}'
    
    if method == 'GET':
        response = requests.get(url, headers=headers)
    elif method == 'POST':
        response = requests.post(url, headers=headers, json=data)
    else:
        raise ValueError(f"Unsupported method: {method}")
    
    if response.status_code in [200, 201]:
        return response.json()
    else:
        st.error(f"API call failed: {response.status_code} - {response.text}")
        return None

# Product integration functions
def handle_outlook_integration(token):
    st.subheader("πŸ“§ Outlook Integration")
    emails = make_api_call('me/messages?$top=5', token)
    if emails:
        for email in emails['value']:
            st.write(f"Subject: {email['subject']}")
            st.write(f"From: {email['from']['emailAddress']['name']}")
            st.write("---")

def handle_onenote_integration(token):
    st.subheader("πŸ“’ OneNote Integration")
    notebooks = make_api_call('me/onenote/notebooks', token)
    if notebooks:
        for notebook in notebooks['value']:
            st.write(f"Notebook: {notebook['displayName']}")

def handle_calendar_integration(token):
    st.subheader("πŸ“… Calendar Integration")
    events = make_api_call('me/events?$top=5', token)
    if events:
        for event in events['value']:
            st.write(f"Event: {event['subject']}")
            st.write(f"Start: {event['start']['dateTime']}")
            st.write("---")

def handle_onedrive_integration(token):
    st.subheader("πŸ—‚οΈ OneDrive Integration")
    files = make_api_call('me/drive/root/children', token)
    if files:
        for file in files['value']:
            st.write(f"File: {file['name']}")
            st.write(f"Type: {file['file']['mimeType'] if 'file' in file else 'Folder'}")
            st.write("---")

# Main application
def main():
    st.title("πŸ¦„ MS Graph API with AI & Cloud Integration for M365")

    # Debug information
    st.sidebar.write("Debug Info:")
    st.sidebar.write(f"Query Params: {st.query_params.to_dict()}")

    if 'code' in st.query_params and 'state' in st.query_params:
        received_state = st.query_params['state']
        expected_state = st.query_params.get('auth_state')
        
        if received_state != expected_state:
            st.error(f"Invalid state parameter. Expected {expected_state}, got {received_state}")
            st.error("Please try logging in again.")
            st.query_params.clear()
            st.rerun()
        
        try:
            token = get_token_from_code(st.query_params['code'])
            st.session_state['token'] = token
            st.query_params.clear()
            st.success("Successfully authenticated!")
            st.rerun()
        except Exception as e:
            st.error(f"Authentication failed: {str(e)}")
            st.query_params.clear()
            st.rerun()

    if 'token' not in st.session_state:
        auth_url = generate_auth_url()
        st.write("Please log in to continue:")
        st.markdown(f"[Login with Microsoft]({auth_url})")
        return

    # User is authenticated, show the main app
    token = st.session_state['token']['access_token']
    st.sidebar.success("Authenticated successfully!")
    
    # Display user info
    user_info = make_api_call('me', token)
    if user_info:
        st.sidebar.write(f"Welcome, {user_info.get('displayName', 'User')}!")

    # App navigation
    st.sidebar.title("Navigation")
    app_mode = st.sidebar.selectbox("Choose the app mode",
        ["Dashboard", "Product Integration", "Event Management"])

    if app_mode == "Dashboard":
        st.header("πŸ“Š Dashboard")
        # Add dashboard widgets here

    elif app_mode == "Product Integration":
        st.header("🧩 Product Integration")
        products = {
            "πŸ“§ Outlook": handle_outlook_integration,
            "πŸ“’ OneNote": handle_onenote_integration,
            "πŸ“… Calendar": handle_calendar_integration,
            "πŸ—‚οΈ OneDrive": handle_onedrive_integration
        }
        
        for product, handler in products.items():
            if st.checkbox(f"Enable {product}"):
                handler(token)

    elif app_mode == "Event Management":
        st.header("πŸ“… Event Management")
        event_action = st.radio("Choose an action", ["View Upcoming Events", "Add New Event"])

        if event_action == "View Upcoming Events":
            events = make_api_call('me/events?$top=10&$orderby=start/dateTime', token)
            if events:
                for event in events['value']:
                    st.write(f"Event: {event['subject']}")
                    st.write(f"Start: {event['start']['dateTime']}")
                    st.write("---")

        elif event_action == "Add New Event":
            subject = st.text_input("Event Subject")
            start_date = st.date_input("Start Date")
            start_time = st.time_input("Start Time")
            duration = st.number_input("Duration (hours)", min_value=0.5, max_value=8.0, step=0.5)
            
            if st.button("Add Event"):
                start_datetime = datetime.combine(start_date, start_time)
                end_datetime = start_datetime + timedelta(hours=duration)
                
                event_data = {
                    "subject": subject,
                    "start": {
                        "dateTime": start_datetime.isoformat(),
                        "timeZone": "UTC"
                    },
                    "end": {
                        "dateTime": end_datetime.isoformat(),
                        "timeZone": "UTC"
                    }
                }
                
                result = make_api_call('me/events', token, method='POST', data=event_data)
                if result:
                    st.success("Event added successfully!")
                else:
                    st.error("Failed to add event.")

if __name__ == "__main__":
    main()