File size: 12,791 Bytes
eac70a0
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
import streamlit as st
from supabase import create_client, Client
import os
from datetime import datetime, date
import json

def init_supabase():
    """Initialize Supabase client"""
    try:
        url = st.secrets.get("SUPABASE_URL")
        key = st.secrets.get("SUPABASE_KEY")
    except:
        url = os.getenv("SUPABASE_URL")
        key = os.getenv("SUPABASE_KEY")
    
    if not url or not key:
        st.error("Supabase credentials not found.")
        return None
    
    return create_client(url, key)

def get_all_students():
    """Get all students from database"""
    supabase = init_supabase()
    if not supabase:
        return []
    
    try:
        response = supabase.table('users').select('*').eq('role', 'student').execute()
        return response.data if response.data else []
    except Exception as e:
        st.error(f"Error fetching students: {str(e)}")
        return []

def get_instructor_id(username):
    """Get instructor ID from database by username"""
    supabase = init_supabase()
    if not supabase:
        return None
    
    try:
        response = supabase.rpc('get_user_by_username', {'username_param': username}).execute()
        if response.data:
            return response.data[0]['id']
        
        # Fallback: query the table directly
        response = supabase.table('users').select('id').eq('username', username).execute()
        if response.data:
            return response.data[0]['id']
        
        return None
    except Exception as e:
        st.error(f"Database error: {str(e)}")
        return None

def save_instructor_notes(instructor_id, class_date, attendance_data, writing_skills_notes, 
                         debate_skills_notes, parent_communication_notes, upcoming_events_notes, general_notes):
    """Save instructor notes to the database"""
    supabase = init_supabase()
    if not supabase:
        return False
    
    try:
        data = {
            'instructor_id': instructor_id,
            'class_date': class_date,
            'attendance_data': attendance_data,
            'writing_skills_notes': writing_skills_notes,
            'debate_skills_notes': debate_skills_notes,
            'parent_communication_notes': parent_communication_notes,
            'upcoming_events_notes': upcoming_events_notes,
            'general_notes': general_notes
        }
        
        response = supabase.table('instructor_notes').insert(data).execute()
        return True if response.data else False
    except Exception as e:
        st.error(f"Error saving notes: {str(e)}")
        return False

def get_previous_notes(instructor_id, limit=10):
    """Get previous instructor notes"""
    supabase = init_supabase()
    if not supabase:
        return []
    
    try:
        response = supabase.table('instructor_notes').select('*').eq('instructor_id', instructor_id).order('class_date', desc=True).limit(limit).execute()
        return response.data if response.data else []
    except Exception as e:
        st.error(f"Error fetching previous notes: {str(e)}")
        return []

def show_instructor_notes():
    """Show the instructor notes interface"""
    st.title("πŸ“ Instructor Notes")
    st.markdown("---")
    
    # Check if current user is instructor
    current_user = st.session_state.get('username')
    if not current_user:
        st.error("Please log in to access instructor notes.")
        return
    
    # Get current user's role
    supabase = init_supabase()
    if supabase:
        try:
            response = supabase.rpc('get_user_by_username', {'username_param': current_user}).execute()
            if response.data:
                user_role = response.data[0].get('role', 'student')
                if user_role != 'instructor':
                    st.error("Access denied. Only instructors can access instructor notes.")
                    return
            else:
                st.error("User not found.")
                return
        except Exception as e:
            st.error(f"Error checking user role: {str(e)}")
            return
    
    # Get instructor ID
    instructor_id = get_instructor_id(current_user)
    if not instructor_id:
        st.error("Could not retrieve instructor information.")
        return
    
    # Get all students
    students = get_all_students()
    if not students:
        st.error("No students found in the database.")
        return
    
    # Tabs for different functions
    tab1, tab2 = st.tabs(["πŸ“ Take Notes", "πŸ“Š View Previous Notes"])
    
    with tab1:
        show_take_notes_form(instructor_id, students)
    
    with tab2:
        show_previous_notes(instructor_id)

def show_take_notes_form(instructor_id, students):
    """Show form to take instructor notes"""
    st.subheader("πŸ“ Take Class Notes")
    
    # Initialize session state for attendance tracking
    if 'attendance_selections' not in st.session_state:
        st.session_state.attendance_selections = {}
    
    # Class date
    class_date = st.date_input("Class Date", value=date.today(), key="class_date_input")
    
    st.markdown("### πŸ“‹ Select Students Present")
    st.markdown("Check the students who are present today:")
    
    # Track which students are present using session state
    present_students = []
    for student in students:
        # Create a unique key for each student's attendance
        attendance_key = f"attendance_{student['id']}"
        
        # Initialize the attendance state if not exists
        if attendance_key not in st.session_state.attendance_selections:
            st.session_state.attendance_selections[attendance_key] = False  # Default to absent
        
        # Checkbox for attendance
        is_present = st.checkbox(
            f"{student['full_name']} is present", 
            value=st.session_state.attendance_selections[attendance_key],
            key=attendance_key,
            on_change=lambda s=student, k=attendance_key: st.session_state.attendance_selections.update({k: not st.session_state.attendance_selections.get(k, True)})
        )
        
        # Update session state
        st.session_state.attendance_selections[attendance_key] = is_present
        
        if is_present:
            present_students.append(student)
    
    st.markdown(f"**Students Present:** {len(present_students)}")
    
    # Create attendance data
    attendance_data = {
        "students": [
            {
                "student_id": student['id'],
                "username": student['username'],
                "full_name": student['full_name'],
                "present": student in present_students
            } for student in students
        ],
        "total_present": len(present_students),
        "total_absent": len(students) - len(present_students)
    }
    
    # Show notes section only for present students
    if present_students:
        st.markdown("### πŸ“ Student Notes")
        st.markdown("Add notes for each present student:")
        
        student_notes = {"students": []}
        for student in present_students:
            notes = st.text_area(
                f"Notes for {student['full_name']}", 
                key=f"notes_{student['id']}", 
                placeholder="Enter notes about writing skills, debate performance, parent communication, etc...",
                height=100
            )
            
            student_notes["students"].append({
                "student_id": student['id'],
                "username": student['username'],
                "full_name": student['full_name'],
                "notes": notes
            })
        
        # Use the same notes for all three categories (simplified)
        writing_skills_notes = student_notes
        debate_skills_notes = student_notes
        parent_communication_notes = student_notes
    else:
        # Empty notes if no students present
        writing_skills_notes = {"students": []}
        debate_skills_notes = {"students": []}
        parent_communication_notes = {"students": []}
    
    st.markdown("### πŸ“… Upcoming Events")
    upcoming_events_notes = {"tournaments": [], "important_dates": []}
    
    # Simple event input
    event_name = st.text_input("Event/Tournament Name (optional)", key="event_name")
    if event_name:
        event_date = st.date_input("Event Date", key="event_date")
        event_notes = st.text_area("Event Notes (optional)", key="event_notes")
        
        upcoming_events_notes["important_dates"].append({
            "event": event_name,
            "date": str(event_date),
            "notes": event_notes
        })
    
    st.markdown("### πŸ“ General Notes")
    general_notes = st.text_area("Any additional notes or observations:", height=100)
    
    # Submit button
    submit_button = st.button("πŸ’Ύ Save Notes")
    
    if submit_button:
        # Convert date to string for JSON serialization
        class_date_str = class_date.strftime('%Y-%m-%d') if class_date else str(date.today())
        
        if save_instructor_notes(instructor_id, class_date_str, attendance_data, writing_skills_notes,
                               debate_skills_notes, parent_communication_notes, upcoming_events_notes, general_notes):
            st.success("Notes saved successfully!")
            # Clear attendance selections after successful save
            st.session_state.attendance_selections = {}
            st.rerun()
        else:
            st.error("Failed to save notes. Please try again.")

def show_previous_notes(instructor_id):
    """Show previous instructor notes"""
    st.subheader("πŸ“Š Previous Notes")
    
    notes = get_previous_notes(instructor_id)
    
    if not notes:
        st.info("No previous notes found.")
        return
    
    # Create a selectbox for choosing which note to view
    note_options = {f"{note['class_date']} - {len(note['attendance_data']['students'])} students": note for note in notes}
    selected_note_display = st.selectbox("Choose a class session to view:", list(note_options.keys()))
    
    if selected_note_display:
        selected_note = note_options[selected_note_display]
        
        st.markdown(f"**Class Date:** {selected_note['class_date']}")
        st.markdown(f"**Created:** {selected_note['created_at']}")
        
        # Display attendance
        with st.expander("πŸ“‹ Attendance", expanded=True):
            attendance = selected_note['attendance_data']
            st.markdown(f"**Summary:** {attendance['total_present']} present, {attendance['total_absent']} absent")
            
            for student in attendance['students']:
                status = "βœ… Present" if student['present'] else "❌ Absent"
                st.write(f"**{student['full_name']}:** {status}")
        
        # Display student notes (simplified - all notes are the same)
        if selected_note['writing_skills_notes'] and selected_note['writing_skills_notes']['students']:
            with st.expander("πŸ“ Student Notes", expanded=False):
                for student in selected_note['writing_skills_notes']['students']:
                    st.markdown(f"**{student['full_name']}:**")
                    if student['notes']:
                        st.write(f"  {student['notes']}")
                    st.write("---")
        
        # Display upcoming events
        if selected_note['upcoming_events_notes']:
            with st.expander("πŸ“… Upcoming Events", expanded=False):
                events = selected_note['upcoming_events_notes']
                
                if events.get('tournaments') and events['tournaments']:
                    st.markdown("**Tournaments:**")
                    for tournament in events['tournaments']:
                        st.write(f"  **{tournament['name']}** - {tournament['date']}")
                        if tournament.get('location'):
                            st.write(f"    Location: {tournament['location']}")
                        if tournament.get('notes'):
                            st.write(f"    Notes: {tournament['notes']}")
                        st.write("---")
                
                if events.get('important_dates') and events['important_dates']:
                    st.markdown("**Important Dates:**")
                    for event in events['important_dates']:
                        st.write(f"  **{event['event']}** - {event['date']}")
                        if event.get('notes'):
                            st.write(f"    Notes: {event['notes']}")
                        st.write("---")
        
        # Display general notes
        if selected_note['general_notes']:
            with st.expander("πŸ“ General Notes", expanded=False):
                st.write(selected_note['general_notes'])