feat: 接入关卡配置 API 并支持降级到本地配置

- 新增 LevelDataManager 单例管理关卡数据
- 新增 HttpUtil 封装 XMLHttpRequest 请求
- 新增 LevelTypes 类型定义
- PageLoading 集成 API 数据预加载(0-80% 进度)
- PageLevel 支持优先使用 API 数据,失败时降级到本地配置
- 字段映射: hint1/2/3 → clue1/2/3, imageUrl → SpriteFrame
This commit is contained in:
richarjiang
2026-03-15 16:07:00 +08:00
parent c9fbc5212a
commit c54a404c12
5 changed files with 430 additions and 18 deletions

View File

@@ -0,0 +1,75 @@
/**
* HTTP 请求工具类
* 封装 XMLHttpRequest支持 GET/POST 请求
*/
export class HttpUtil {
/**
* 发送 GET 请求
* @param url 请求 URL
* @param timeout 超时时间(毫秒),默认 10000
* @returns Promise<Response>
*/
static get<T>(url: string, timeout: number = 10000): Promise<T> {
return new Promise((resolve, reject) => {
const xhr = new XMLHttpRequest();
xhr.open('GET', url, true);
xhr.timeout = timeout;
xhr.responseType = 'json';
xhr.onload = () => {
if (xhr.status >= 200 && xhr.status < 300) {
resolve(xhr.response as T);
} else {
reject(new Error(`HTTP 错误: ${xhr.status}`));
}
};
xhr.onerror = () => {
reject(new Error('网络请求失败'));
};
xhr.ontimeout = () => {
reject(new Error('请求超时'));
};
xhr.send();
});
}
/**
* 发送 POST 请求
* @param url 请求 URL
* @param data 请求体数据
* @param timeout 超时时间(毫秒),默认 10000
* @returns Promise<Response>
*/
static post<T>(url: string, data: object, timeout: number = 10000): Promise<T> {
return new Promise((resolve, reject) => {
const xhr = new XMLHttpRequest();
xhr.open('POST', url, true);
xhr.timeout = timeout;
xhr.responseType = 'json';
xhr.setRequestHeader('Content-Type', 'application/json');
xhr.onload = () => {
if (xhr.status >= 200 && xhr.status < 300) {
resolve(xhr.response as T);
} else {
reject(new Error(`HTTP 错误: ${xhr.status}`));
}
};
xhr.onerror = () => {
reject(new Error('网络请求失败'));
};
xhr.ontimeout = () => {
reject(new Error('请求超时'));
};
xhr.send(JSON.stringify(data));
});
}
}