Эх сурвалжийг харах

Merge pull request #97 from XingHeYuZhuan/pending

add:重庆人文科技学院教务适配
星河欲转 2 долоо хоног өмнө
parent
commit
575abf8b90

+ 6 - 1
index/root_index.yaml

@@ -181,4 +181,9 @@ schools:
   - id: "SUDA"
     name: "苏州大学"
     initial: "S"
-    resource_folder: "SUDA"
+    resource_folder: "SUDA"
+
+  - id: "CQRK"
+    name: "重庆人文科技学院"
+    initial: "C"
+    resource_folder: "CQRK"    

+ 9 - 0
resources/CQRK/adapters.yaml

@@ -0,0 +1,9 @@
+# resources/CQRK/adapters.yaml
+adapters:
+  - adapter_id: "CQRK_01"
+    adapter_name: "重庆人文科技学院强智适配"
+    category: "BACHELOR_AND_ASSOCIATE"
+    asset_js_path: "cqrk_01.js"
+    import_url: "https://https-auth-cqrk-edu-cn-443.webvpn.cqrk.edu.cn:8480/cas/login?service=http%3A%2F%2Fportal.cqrk.edu.cn&rewrite=1"
+    maintainer: "星河欲转"
+    description: "登录后需要点击进入教务系统才可以导入\n重庆人文科技学院强智适配,适配双季作息,非本校开发者适配如果有误建议提交issues"

+ 229 - 0
resources/CQRK/cqrk_01.js

@@ -0,0 +1,229 @@
+// 重庆人文科技学院(cqrk.edu.cn) 拾光课程表适配脚本
+// 非该大学开发者适配,开发者无法及时发现问题
+// 出现问题请提联系开发者或者提交pr更改,这更加快速
+
+// 工具函数
+
+window.validateYearInput = function(input) {
+    return /^[0-9]{4}$/.test(input) ? false : "请输入四位数字的学年!";
+};
+
+function parseWeeks(weekStr) {
+    const weeks = [];
+    if (!weekStr) return weeks;
+    const pureWeekData = weekStr.split('(')[0]; 
+    pureWeekData.split(',').forEach(seg => {
+        if (seg.includes('-')) {
+            const [s, e] = seg.split('-').map(Number);
+            if (!isNaN(s) && !isNaN(e)) {
+                for (let i = s; i <= e; i++) weeks.push(i);
+            }
+        } else {
+            const w = parseInt(seg);
+            if (!isNaN(w)) weeks.push(w);
+        }
+    });
+    return [...new Set(weeks)].sort((a, b) => a - b);
+}
+
+/**
+ * 节次合并与去重
+ */
+function mergeAndDistinctCourses(courses) {
+    if (courses.length <= 1) return courses;
+
+    courses.sort((a, b) => {
+        return a.name.localeCompare(b.name) || 
+               a.day - b.day || 
+               a.startSection - b.startSection || 
+               a.weeks.join(',').localeCompare(b.weeks.join(','));
+    });
+
+    const merged = [];
+    let current = courses[0];
+
+    for (let i = 1; i < courses.length; i++) {
+        const next = courses[i];
+        const isSameCourse = 
+            current.name === next.name &&
+            current.teacher === next.teacher &&
+            current.position === next.position &&
+            current.day === next.day &&
+            current.weeks.join(',') === next.weeks.join(',');
+
+        const isContinuous = current.endSection + 1 === next.startSection;
+
+        if (isSameCourse && isContinuous) {
+            current.endSection = next.endSection;
+        } else if (isSameCourse && current.startSection === next.startSection && current.endSection === next.endSection) {
+            continue;
+        } else {
+            merged.push(current);
+            current = next;
+        }
+    }
+    merged.push(current);
+    return merged;
+}
+
+// 核心解析逻辑
+
+function parseTimetableToModel(doc) {
+    const timetable = doc.getElementById('kbtable');
+    if (!timetable) return [];
+
+    let rawCourses = [];
+    const rows = Array.from(timetable.querySelectorAll('tr')).filter(r => r.querySelector('td'));
+
+    rows.forEach(row => {
+        const cells = row.querySelectorAll('td');
+        cells.forEach((cell, dayIndex) => {
+            const day = dayIndex + 1;
+            const detailDivs = cell.querySelectorAll('div.kbcontent');
+            
+            detailDivs.forEach(div => {
+                const rawHtml = div.innerHTML.trim();
+                if (!rawHtml || rawHtml === "&nbsp;" || div.innerText.trim().length < 2) return;
+
+                const blocks = rawHtml.split(/---------------------|----------------------/);
+
+                blocks.forEach(block => {
+                    if (!block.trim()) return;
+                    const tempDiv = document.createElement('div');
+                    tempDiv.innerHTML = block;
+
+                    let name = "";
+                    for (let node of tempDiv.childNodes) {
+                        if (node.nodeType === 3 && node.textContent.trim() !== "") {
+                            name = node.textContent.trim();
+                            break;
+                        }
+                    }
+
+                    const teacherRaw = tempDiv.querySelector('font[title="老师"], font[title="教师"]')?.innerText || "";
+                    const teacher = teacherRaw.replace("任课教师:", "").trim();
+                    const position = tempDiv.querySelector('font[title="教室"]')?.innerText || "未知地点";
+                    const weekStr = tempDiv.querySelector('font[title="周次(节次)"]')?.innerText || "";
+                    
+                    let startSection = 0;
+                    let endSection = 0;
+                    if (weekStr) {
+                        const secMatch = weekStr.match(/\[(\d+)(?:-(\d+))?节\]/);
+                        if (secMatch) {
+                            startSection = parseInt(secMatch[1]);
+                            endSection = secMatch[2] ? parseInt(secMatch[2]) : startSection;
+                        }
+                    }
+
+                    if (name && startSection > 0) {
+                        rawCourses.push({
+                            "name": name,
+                            "teacher": teacher || "未知教师",
+                            "weeks": parseWeeks(weekStr),
+                            "position": position,
+                            "day": day,
+                            "startSection": startSection,
+                            "endSection": endSection
+                        });
+                    }
+                });
+            });
+        });
+    });
+
+    return mergeAndDistinctCourses(rawCourses);
+}
+
+// 配置与流程
+
+async function saveAppConfig() {
+    const config = { "semesterTotalWeeks": 20, "firstDayOfWeek": 1 };
+    return await window.AndroidBridgePromise.saveCourseConfig(JSON.stringify(config));
+}
+
+/**
+ * 自动适配双季作息
+ * @param {number} semesterIndex 0 代表第一学期, 1 代表第二学期
+ */
+async function saveAppTimeSlots(semesterIndex) {
+    // 第一学期作息
+    const timeSlots_1 = [
+        { "number": 1, "startTime": "08:00", "endTime": "08:45" },
+        { "number": 2, "startTime": "08:55", "endTime": "09:40" },
+        { "number": 3, "startTime": "09:50", "endTime": "10:35" },
+        { "number": 4, "startTime": "10:45", "endTime": "11:30" },
+        { "number": 5, "startTime": "11:40", "endTime": "12:25" },
+        { "number": 6, "startTime": "14:30", "endTime": "15:15" },
+        { "number": 7, "startTime": "15:25", "endTime": "16:10" },
+        { "number": 8, "startTime": "16:20", "endTime": "17:05" },
+        { "number": 9, "startTime": "17:15", "endTime": "18:00" },
+        { "number": 10, "startTime": "19:00", "endTime": "19:45" },
+        { "number": 11, "startTime": "19:55", "endTime": "20:40" },
+        { "number": 12, "startTime": "20:50", "endTime": "21:35" }
+    ];
+
+    // 第二学期作息
+    const timeSlots_2 = [
+        { "number": 1, "startTime": "08:30", "endTime": "09:15" },
+        { "number": 2, "startTime": "09:20", "endTime": "10:05" },
+        { "number": 3, "startTime": "10:20", "endTime": "11:05" },
+        { "number": 4, "startTime": "11:10", "endTime": "11:55" },
+        { "number": 5, "startTime": "14:00", "endTime": "14:45" },
+        { "number": 6, "startTime": "14:50", "endTime": "15:35" },
+        { "number": 7, "startTime": "15:40", "endTime": "16:25" },
+        { "number": 8, "startTime": "16:40", "endTime": "17:25" },
+        { "number": 9, "startTime": "17:30", "endTime": "18:15" },
+        { "number": 10, "startTime": "19:00", "endTime": "19:45" },
+        { "number": 11, "startTime": "19:50", "endTime": "20:35" },
+        { "number": 12, "startTime": "20:40", "endTime": "21:25" }
+    ];
+
+    const selectedSlots = (semesterIndex === 0) ? timeSlots_1 : timeSlots_2;
+    return await window.AndroidBridgePromise.savePresetTimeSlots(JSON.stringify(selectedSlots));
+}
+
+async function runImportFlow() {
+    try {
+        const confirmed = await window.AndroidBridgePromise.showAlert("提示", "请确保已成功登录教务系统。是否开始导入?", "开始");
+        if (!confirmed) return;
+
+        // 1. 获取学年
+        const currentYear = new Date().getFullYear();
+        const year = await window.AndroidBridgePromise.showPrompt("选择学年", "请输入起始学年:", String(currentYear), "validateYearInput");
+        if (!year) return;
+
+        // 2. 获取学期并记录索引
+        const semesterIndex = await window.AndroidBridgePromise.showSingleSelection("选择学期", JSON.stringify(["第一学期", "第二学期"]), 0);
+        if (semesterIndex === null) return;
+
+        const semesterId = `${year}-${parseInt(year) + 1}-${semesterIndex + 1}`;
+
+        AndroidBridge.showToast("正在请求数据...");
+        const response = await fetch("http://jwxt.cqrk.edu.cn:18080/jsxsd/xskb/xskb_list.do", {
+            method: "POST",
+            headers: { "Content-Type": "application/x-www-form-urlencoded" },
+            body: `jx0404id=&cj0701id=&zc=&demo=&xnxq01id=${semesterId}`,
+            credentials: "include"
+        });
+        
+        const html = await response.text();
+        const finalCourses = parseTimetableToModel(new DOMParser().parseFromString(html, "text/html"));
+
+        if (finalCourses.length === 0) {
+            AndroidBridge.showToast("未发现课程,请检查学期选择或登录状态。");
+            return;
+        }
+
+        await saveAppConfig();
+        await saveAppTimeSlots(semesterIndex);
+        await window.AndroidBridgePromise.saveImportedCourses(JSON.stringify(finalCourses));
+        
+        AndroidBridge.showToast(`成功导入 ${finalCourses.length} 门课程`);
+        AndroidBridge.notifyTaskCompletion();
+    } catch (error) {
+        AndroidBridge.showToast("异常: " + error.message);
+    }
+}
+
+// 启动
+runImportFlow();