hbguhx_01.js 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406
  1. // 河北地质大学华信学院强智教务 (61.182.88.214:8090) 拾光课程表适配脚本
  2. // 非该大学开发者适配,开发者无法及时发现问题
  3. // 出现问题请联系开发者或者提交 pr 更改,这更加快速
  4. /**
  5. * 解析周次字符串为数组
  6. */
  7. function parseWeeks(weekStr) {
  8. const weeks = [];
  9. if (!weekStr) return weeks;
  10. // 移除"周"字、括号和节次信息
  11. const pureWeekData = weekStr.replace(/周|\(.*?\)|\[\d+-\d+ 节\]/g, '').trim();
  12. if (!pureWeekData) return weeks;
  13. // 分割并处理每个段
  14. const segments = pureWeekData.split(',');
  15. segments.forEach(seg => {
  16. seg = seg.trim();
  17. if (!seg) return;
  18. if (seg.includes('-')) {
  19. const [start, end] = seg.split('-').map(Number);
  20. if (!isNaN(start) && !isNaN(end)) {
  21. for (let i = start; i <= end; i++) {
  22. weeks.push(i);
  23. }
  24. }
  25. } else {
  26. const w = parseInt(seg);
  27. if (!isNaN(w)) {
  28. weeks.push(w);
  29. }
  30. }
  31. });
  32. return [...new Set(weeks)].sort((a, b) => a - b);
  33. }
  34. /**
  35. * 合并连续节次的相同课程
  36. */
  37. function mergeAndDistinctCourses(courses) {
  38. if (courses.length <= 1) return courses;
  39. // 排序以便合并
  40. courses.sort((a, b) => {
  41. if (a.name !== b.name) return a.name.localeCompare(b.name);
  42. if (a.day !== b.day) return a.day - b.day;
  43. if (a.startSection !== b.startSection) return a.startSection - b.startSection;
  44. if (a.teacher !== b.teacher) return a.teacher.localeCompare(b.teacher);
  45. if (a.position !== b.position) return a.position.localeCompare(b.position);
  46. return a.weeks.join(',').localeCompare(b.weeks.join(','));
  47. });
  48. const merged = [];
  49. let current = courses[0];
  50. for (let i = 1; i < courses.length; i++) {
  51. const next = courses[i];
  52. // 判断是否为同一门课程
  53. const isSameCourse =
  54. current.name === next.name &&
  55. current.teacher === next.teacher &&
  56. current.position === next.position &&
  57. current.day === next.day &&
  58. current.weeks.join(',') === next.weeks.join(',');
  59. // 判断节次是否连续
  60. const isContinuous = (current.endSection + 1 === next.startSection);
  61. if (isSameCourse && isContinuous) {
  62. // 合并连续节次
  63. current.endSection = next.endSection;
  64. } else if (!(isSameCourse && current.startSection === next.startSection && current.endSection === next.endSection)) {
  65. merged.push(current);
  66. current = next;
  67. }
  68. }
  69. merged.push(current);
  70. return merged;
  71. }
  72. /**
  73. * 将 HTML 源码解析为课程模型
  74. */
  75. function parseTimetableToModel(htmlString) {
  76. const doc = new DOMParser().parseFromString(htmlString, "text/html");
  77. const timetable = doc.getElementById('kbtable');
  78. if (!timetable) {
  79. return [];
  80. }
  81. let rawCourses = [];
  82. const rows = Array.from(timetable.querySelectorAll('tr')).filter(r => r.querySelector('td'));
  83. rows.forEach((row) => {
  84. const cells = row.querySelectorAll('td');
  85. cells.forEach((cell, dayIndex) => {
  86. const day = dayIndex + 1; // 星期几(1-7)
  87. // 获取所有课程详情 div,包括所有状态的
  88. const detailDivs = Array.from(cell.querySelectorAll('div.kbcontent'));
  89. detailDivs.forEach((detailDiv) => {
  90. const rawHtml = detailDiv.innerHTML.trim();
  91. const innerText = detailDiv.innerText.trim();
  92. if (!rawHtml || rawHtml === "&nbsp;" || innerText.length < 2) return;
  93. // 分割同一个格子内的多门课程
  94. const blocks = rawHtml.split(/---------------------|----------------------/);
  95. blocks.forEach((block) => {
  96. if (!block.trim()) return;
  97. const tempDiv = document.createElement('div');
  98. tempDiv.innerHTML = block;
  99. // 1. 提取课程名(包含所有文本,包括实验标记)
  100. let name = "";
  101. const firstLine = tempDiv.innerHTML.split('<br>')[0].trim();
  102. // 移除HTML标签,保留文本内容
  103. name = firstLine.replace(/<[^>]*>/g, '').trim();
  104. if (!name) return;
  105. // 2. 提取周次和节次信息
  106. const weekFont = tempDiv.querySelector('font[title="周次(节次)"]');
  107. const weekFull = weekFont?.innerText || "";
  108. let startSection = 0;
  109. let endSection = 0;
  110. let weekStr = "";
  111. // 匹配 "1-17(周)[01-02节]" 格式
  112. const weekSectionMatch = weekFull.match(/(.+?)\(周\)\[(\d+)-(\d+)节\]/);
  113. if (weekSectionMatch) {
  114. weekStr = weekSectionMatch[1]; // "1-17"
  115. startSection = parseInt(weekSectionMatch[2], 10);
  116. endSection = parseInt(weekSectionMatch[3], 10);
  117. } else {
  118. // 尝试匹配 "1-17(周)[01-02 节]" 格式(带空格)
  119. const weekSectionMatchWithSpace = weekFull.match(/(.+?)\(周\)\[(\d+)-(\d+) 节\]/);
  120. if (weekSectionMatchWithSpace) {
  121. weekStr = weekSectionMatchWithSpace[1];
  122. startSection = parseInt(weekSectionMatchWithSpace[2], 10);
  123. endSection = parseInt(weekSectionMatchWithSpace[3], 10);
  124. } else {
  125. // 尝试匹配其他格式
  126. const altMatch = weekFull.match(/(\d+)-(\d+)/);
  127. if (altMatch) {
  128. weekStr = altMatch[0];
  129. // 假设是第1-2节
  130. startSection = 1;
  131. endSection = 2;
  132. }
  133. }
  134. }
  135. // 3. 提取教师信息
  136. const teacher = tempDiv.querySelector('font[title="老师"]')?.innerText.trim() || "未知教师";
  137. // 4. 提取教室地点
  138. const position = tempDiv.querySelector('font[title="教室"]')?.innerText.trim() || "未知地点";
  139. if (name && startSection > 0) {
  140. const course = {
  141. "name": name,
  142. "teacher": teacher,
  143. "weeks": parseWeeks(weekStr),
  144. "position": position,
  145. "day": day,
  146. "startSection": startSection,
  147. "endSection": endSection
  148. };
  149. rawCourses.push(course);
  150. }
  151. });
  152. });
  153. });
  154. });
  155. return mergeAndDistinctCourses(rawCourses);
  156. }
  157. /**
  158. * 从网页中提取学期选项列表
  159. */
  160. function extractSemesterOptions(htmlString) {
  161. const doc = new DOMParser().parseFromString(htmlString, "text/html");
  162. const semesterSelect = doc.getElementById('xnxq01id');
  163. if (!semesterSelect) {
  164. return [];
  165. }
  166. const options = Array.from(semesterSelect.querySelectorAll('option')).map(opt => ({
  167. value: opt.value,
  168. text: opt.text
  169. }));
  170. return options;
  171. }
  172. /**
  173. * 从网页中提取作息时间
  174. */
  175. function extractTimeSlots(htmlString) {
  176. const doc = new DOMParser().parseFromString(htmlString, "text/html");
  177. const timetable = doc.getElementById('kbtable');
  178. if (!timetable) return null;
  179. const timeSlots = [];
  180. const rows = Array.from(timetable.querySelectorAll('tr'));
  181. rows.forEach((row) => {
  182. const th = row.querySelector('th');
  183. if (!th) return;
  184. // 提取时间范围,如 "08:30-10:05"
  185. const timeText = th.innerText.trim();
  186. const timeMatch = timeText.match(/(\d{2}:\d{2})-(\d{2}:\d{2})/);
  187. if (timeMatch) {
  188. const startTime = timeMatch[1];
  189. const endTime = timeMatch[2];
  190. // 判断是否是有效的时间段(排除"中午"等)
  191. const sectionName = timeText.split('\n')[0].trim();
  192. if (startTime && endTime && sectionName !== '中午') {
  193. // 为每个大节创建两个时间段
  194. const sections = [
  195. {
  196. number: timeSlots.length + 1,
  197. startTime: startTime,
  198. endTime: `${startTime.split(':')[0]}:45`
  199. },
  200. {
  201. number: timeSlots.length + 2,
  202. startTime: `${startTime.split(':')[0]}:55`,
  203. endTime: endTime
  204. }
  205. ];
  206. timeSlots.push(...sections);
  207. }
  208. }
  209. });
  210. return timeSlots.length > 0 ? timeSlots : null;
  211. }
  212. /**
  213. * 显示欢迎提示
  214. */
  215. async function showWelcomeAlert() {
  216. return await window.AndroidBridgePromise.showAlert(
  217. "导入提示",
  218. "请确保已在学期理论课表页面,(首页课表是本周课表不可导入,请进入学期理论课表页面)",
  219. "开始导入"
  220. );
  221. }
  222. /**
  223. * 获取用户选择的学期参数
  224. */
  225. async function getSemesterParamsFromUser(semesterOptions) {
  226. if (!semesterOptions || semesterOptions.length === 0) {
  227. AndroidBridge.showToast("未获取到学期列表");
  228. return null;
  229. }
  230. // 直接显示所有学期选项,让用户一次性选择
  231. const semesterLabels = semesterOptions.map(opt => opt.text);
  232. const semesterIndex = await window.AndroidBridgePromise.showSingleSelection(
  233. "选择学期",
  234. JSON.stringify(semesterLabels),
  235. 0 // 默认选择第一个(最新学期)
  236. );
  237. if (semesterIndex === null) return null;
  238. return semesterOptions[semesterIndex].value;
  239. }
  240. /**
  241. * 请求课表 HTML 数据
  242. */
  243. async function fetchCourseHtml() {
  244. try {
  245. const response = await fetch("http://61.182.88.214:8090/jsxsd/xskb/xskb_list.do", {
  246. method: "GET",
  247. credentials: "include",
  248. headers: {
  249. "User-Agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.124 Safari/537.36"
  250. }
  251. });
  252. if (!response.ok) {
  253. throw new Error(`HTTP error! status: ${response.status}`);
  254. }
  255. const text = await response.text();
  256. return text;
  257. } catch (error) {
  258. console.error('获取课表页面失败:', error);
  259. throw error;
  260. }
  261. }
  262. /**
  263. * 保存课程数据到 App
  264. */
  265. async function saveCourseDataToApp(courses, timeSlots) {
  266. // 保存学期配置
  267. await window.AndroidBridgePromise.saveCourseConfig(JSON.stringify({
  268. "semesterTotalWeeks": 20,
  269. "firstDayOfWeek": 1
  270. }));
  271. // 保存作息时间(从网页提取)
  272. if (timeSlots && timeSlots.length > 0) {
  273. await window.AndroidBridgePromise.savePresetTimeSlots(JSON.stringify(timeSlots));
  274. }
  275. // 保存课程数据
  276. return await window.AndroidBridgePromise.saveImportedCourses(JSON.stringify(courses));
  277. }
  278. /**
  279. * 主流程控制
  280. */
  281. async function runImportFlow() {
  282. try {
  283. // 1. 显示欢迎提示
  284. const start = await showWelcomeAlert();
  285. if (!start) return;
  286. // 2. 获取课表 HTML(包含学期选项和作息时间)
  287. const html = await fetchCourseHtml();
  288. // 3. 从网页中提取学期选项
  289. const semesterOptions = extractSemesterOptions(html);
  290. // 4. 从网页中提取作息时间
  291. let timeSlots = extractTimeSlots(html);
  292. if (!timeSlots || timeSlots.length === 0) {
  293. // 设置默认作息时间
  294. timeSlots = [
  295. { number: 1, startTime: "08:30", endTime: "09:15" },
  296. { number: 2, startTime: "09:25", endTime: "10:10" },
  297. { number: 3, startTime: "10:15", endTime: "11:00" },
  298. { number: 4, startTime: "11:10", endTime: "11:55" },
  299. { number: 5, startTime: "14:30", endTime: "15:15" },
  300. { number: 6, startTime: "15:25", endTime: "16:10" },
  301. { number: 7, startTime: "16:15", endTime: "17:00" },
  302. { number: 8, startTime: "17:10", endTime: "17:55" },
  303. { number: 9, startTime: "19:00", endTime: "19:45" },
  304. { number: 10, startTime: "19:55", endTime: "20:40" }
  305. ];
  306. }
  307. // 5. 让用户选择学期
  308. const semesterId = await getSemesterParamsFromUser(semesterOptions);
  309. if (!semesterId) return;
  310. // 6. 根据选择的学期重新请求课表数据
  311. const response = await fetch("http://61.182.88.214:8090/jsxsd/xskb/xskb_list.do", {
  312. method: "POST",
  313. headers: { "Content-Type": "application/x-www-form-urlencoded" },
  314. body: `cj0701id=&zc=&demo=&xnxq01id=${semesterId}`,
  315. credentials: "include"
  316. });
  317. const courseHtml = await response.text();
  318. // 7. 解析课程数据
  319. const finalCourses = parseTimetableToModel(courseHtml);
  320. if (finalCourses.length === 0) {
  321. AndroidBridge.showToast("未发现课程,请检查学期选择或登录状态。");
  322. // 尝试直接从初始 HTML 中解析课程
  323. const initialCourses = parseTimetableToModel(html);
  324. if (initialCourses.length > 0) {
  325. await saveCourseDataToApp(initialCourses, timeSlots);
  326. AndroidBridge.showToast(`成功导入 ${initialCourses.length} 门课程`);
  327. AndroidBridge.notifyTaskCompletion();
  328. }
  329. return;
  330. }
  331. // 8. 保存课程数据
  332. await saveCourseDataToApp(finalCourses, timeSlots);
  333. AndroidBridge.showToast(`成功导入 ${finalCourses.length} 门课程`);
  334. AndroidBridge.showToast(`请在设置界面手动选择当前周数`);
  335. AndroidBridge.notifyTaskCompletion();
  336. } catch (error) {
  337. console.error('导入异常:', error);
  338. AndroidBridge.showToast("导入异常:" + error.message);
  339. }
  340. }
  341. // 启动执行
  342. runImportFlow();