ncloud.ts 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408
  1. // CloudObject.ts
  2. export class CloudObject {
  3. className: string;
  4. id: string | null = null;
  5. createdAt:any;
  6. updatedAt:any;
  7. data: Record<string, any> = {};
  8. constructor(className: string) {
  9. this.className = className;
  10. }
  11. toPointer() {
  12. return { "__type": "Pointer", "className": this.className, "objectId": this.id };
  13. }
  14. set(json: Record<string, any>) {
  15. Object.keys(json).forEach(key => {
  16. if (["objectId", "id", "createdAt", "updatedAt"].indexOf(key) > -1) {
  17. return;
  18. }
  19. this.data[key] = json[key];
  20. });
  21. }
  22. get(key: string) {
  23. return this.data[key] || null;
  24. }
  25. async save() {
  26. let method = "POST";
  27. let url = `http://dev.fmode.cn:1337/parse/classes/${this.className}`;
  28. // 更新
  29. if (this.id) {
  30. url += `/${this.id}`;
  31. method = "PUT";
  32. }
  33. const body = JSON.stringify(this.data);
  34. const response = await fetch(url, {
  35. headers: {
  36. "content-type": "application/json;charset=UTF-8",
  37. "x-parse-application-id": "dev"
  38. },
  39. body: body,
  40. method: method,
  41. mode: "cors",
  42. credentials: "omit"
  43. });
  44. const result = await response?.json();
  45. if (result?.error) {
  46. console.error(result?.error);
  47. }
  48. if (result?.objectId) {
  49. this.id = result?.objectId;
  50. }
  51. return this;
  52. }
  53. async destroy() {
  54. if (!this.id) return;
  55. const response = await fetch(`http://dev.fmode.cn:1337/parse/classes/${this.className}/${this.id}`, {
  56. headers: {
  57. "x-parse-application-id": "dev"
  58. },
  59. body: null,
  60. method: "DELETE",
  61. mode: "cors",
  62. credentials: "omit"
  63. });
  64. const result = await response?.json();
  65. if (result) {
  66. this.id = null;
  67. }
  68. return true;
  69. }
  70. }
  71. // CloudQuery.ts
  72. export class CloudQuery {
  73. className: string;
  74. queryParams: Record<string, any> = {};
  75. constructor(className: string) {
  76. this.className = className;
  77. }
  78. include(...fileds:string[]) {
  79. this.queryParams["include"] = fileds;
  80. }
  81. greaterThan(key: string, value: any) {
  82. if (!this.queryParams["where"][key]) this.queryParams["where"][key] = {};
  83. this.queryParams["where"][key]["$gt"] = value;
  84. }
  85. greaterThanAndEqualTo(key: string, value: any) {
  86. if (!this.queryParams["where"][key]) this.queryParams["where"][key] = {};
  87. this.queryParams["where"][key]["$gte"] = value;
  88. }
  89. lessThan(key: string, value: any) {
  90. if (!this.queryParams["where"][key]) this.queryParams["where"][key] = {};
  91. this.queryParams["where"][key]["$lt"] = value;
  92. }
  93. lessThanAndEqualTo(key: string, value: any) {
  94. if (!this.queryParams["where"][key]) this.queryParams["where"][key] = {};
  95. this.queryParams["where"][key]["$lte"] = value;
  96. }
  97. equalTo(key: string, value: any) {
  98. if (!this.queryParams["where"]) this.queryParams["where"] = {};
  99. this.queryParams["where"][key] = value;
  100. }
  101. async get(id: string) {
  102. const url = `http://dev.fmode.cn:1337/parse/classes/${this.className}/${id}?`;
  103. const response = await fetch(url, {
  104. headers: {
  105. "if-none-match": "W/\"1f0-ghxH2EwTk6Blz0g89ivf2adBDKY\"",
  106. "x-parse-application-id": "dev"
  107. },
  108. body: null,
  109. method: "GET",
  110. mode: "cors",
  111. credentials: "omit"
  112. });
  113. const json = await response?.json();
  114. return json || {};
  115. }
  116. async find():Promise<Array<CloudObject>> {
  117. let url = `http://dev.fmode.cn:1337/parse/classes/${this.className}?`;
  118. let queryStr = ``
  119. Object.keys(this.queryParams).forEach(key=>{
  120. let paramStr = JSON.stringify(this.queryParams[key]);
  121. if(key=="include"){
  122. paramStr = this.queryParams[key]?.join(",")
  123. }
  124. if(queryStr) {
  125. url += `${key}=${paramStr}`;
  126. }else{
  127. url += `&${key}=${paramStr}`;
  128. }
  129. })
  130. // if (Object.keys(this.queryParams["where"]).length) {
  131. // }
  132. const response = await fetch(url, {
  133. headers: {
  134. "if-none-match": "W/\"1f0-ghxH2EwTk6Blz0g89ivf2adBDKY\"",
  135. "x-parse-application-id": "dev"
  136. },
  137. body: null,
  138. method: "GET",
  139. mode: "cors",
  140. credentials: "omit"
  141. });
  142. const json = await response?.json();
  143. let list = json?.results || []
  144. let objList = list.map((item:any)=>this.dataToObj(item))
  145. return objList || [];
  146. }
  147. async first() {
  148. let url = `http://dev.fmode.cn:1337/parse/classes/${this.className}?`;
  149. if (Object.keys(this.queryParams["where"]).length) {
  150. const whereStr = JSON.stringify(this.queryParams["where"]);
  151. url += `where=${whereStr}`;
  152. }
  153. const response = await fetch(url, {
  154. headers: {
  155. "if-none-match": "W/\"1f0-ghxH2EwTk6Blz0g89ivf2adBDKY\"",
  156. "x-parse-application-id": "dev"
  157. },
  158. body: null,
  159. method: "GET",
  160. mode: "cors",
  161. credentials: "omit"
  162. });
  163. const json = await response?.json();
  164. const exists = json?.results?.[0] || null;
  165. if (exists) {
  166. let existsObject = this.dataToObj(exists)
  167. return existsObject;
  168. }
  169. return null
  170. }
  171. dataToObj(exists:any):CloudObject{
  172. let existsObject = new CloudObject(this.className);
  173. existsObject.set(exists);
  174. existsObject.id = exists.objectId;
  175. existsObject.createdAt = exists.createdAt;
  176. existsObject.updatedAt = exists.updatedAt;
  177. return existsObject;
  178. }
  179. }
  180. // CloudUser.ts
  181. export class CloudUser extends CloudObject {
  182. constructor() {
  183. super("_User"); // 假设用户类在Parse中是"_User"
  184. // 读取用户缓存信息
  185. let userCacheStr = localStorage.getItem("NCloud/dev/User")
  186. if(userCacheStr){
  187. let userData = JSON.parse(userCacheStr)
  188. // 设置用户信息
  189. this.id = userData?.objectId;
  190. this.sessionToken = userData?.sessionToken;
  191. this.data = userData; // 保存用户数据
  192. }
  193. }
  194. sessionToken:string|null = ""
  195. /** 获取当前用户信息 */
  196. async current() {
  197. if (!this.sessionToken) {
  198. console.error("用户未登录");
  199. return null;
  200. }
  201. return this;
  202. // const response = await fetch(`http://dev.fmode.cn:1337/parse/users/me`, {
  203. // headers: {
  204. // "x-parse-application-id": "dev",
  205. // "x-parse-session-token": this.sessionToken // 使用sessionToken进行身份验证
  206. // },
  207. // method: "GET"
  208. // });
  209. // const result = await response?.json();
  210. // if (result?.error) {
  211. // console.error(result?.error);
  212. // return null;
  213. // }
  214. // return result;
  215. }
  216. /** 登录 */
  217. async login(username: string, password: string):Promise<CloudUser|null> {
  218. const response = await fetch(`http://dev.fmode.cn:1337/parse/login`, {
  219. headers: {
  220. "x-parse-application-id": "dev",
  221. "Content-Type": "application/json"
  222. },
  223. body: JSON.stringify({ username, password }),
  224. method: "POST"
  225. });
  226. const result = await response?.json();
  227. if (result?.error) {
  228. console.error(result?.error);
  229. return null;
  230. }
  231. // 设置用户信息
  232. this.id = result?.objectId;
  233. this.sessionToken = result?.sessionToken;
  234. this.data = result; // 保存用户数据
  235. // 缓存用户信息
  236. console.log(result)
  237. localStorage.setItem("NCloud/dev/User",JSON.stringify(result))
  238. return this;
  239. }
  240. /** 登出 */
  241. async logout() {
  242. if (!this.sessionToken) {
  243. console.error("用户未登录");
  244. return;
  245. }
  246. const response = await fetch(`http://dev.fmode.cn:1337/parse/logout`, {
  247. headers: {
  248. "x-parse-application-id": "dev",
  249. "x-parse-session-token": this.sessionToken
  250. },
  251. method: "POST"
  252. });
  253. const result = await response?.json();
  254. if (result?.error) {
  255. console.error(result?.error);
  256. return false;
  257. }
  258. // 清除用户信息
  259. localStorage.removeItem("NCloud/dev/User")
  260. this.id = null;
  261. this.sessionToken = null;
  262. this.data = {};
  263. return true;
  264. }
  265. /** 注册 */
  266. async signUp(username: string, password: string, additionalData: Record<string, any> = {}) {
  267. const userData = {
  268. username,
  269. password,
  270. ...additionalData // 合并额外的用户数据
  271. };
  272. const response = await fetch(`http://dev.fmode.cn:1337/parse/users`, {
  273. headers: {
  274. "x-parse-application-id": "dev",
  275. "Content-Type": "application/json"
  276. },
  277. body: JSON.stringify(userData),
  278. method: "POST"
  279. });
  280. const result = await response?.json();
  281. if (result?.error) {
  282. console.error(result?.error);
  283. return null;
  284. }
  285. // 设置用户信息
  286. // 缓存用户信息
  287. console.log(result)
  288. localStorage.setItem("NCloud/dev/User",JSON.stringify(result))
  289. this.id = result?.objectId;
  290. this.sessionToken = result?.sessionToken;
  291. this.data = result; // 保存用户数据
  292. return this;
  293. }
  294. override async save() {
  295. let method = "POST";
  296. let url = `http://dev.fmode.cn:1337/parse/users`;
  297. // 更新用户信息
  298. if (this.id) {
  299. url += `/${this.id}`;
  300. method = "PUT";
  301. }
  302. let data:any = JSON.parse(JSON.stringify(this.data))
  303. delete data.createdAt
  304. delete data.updatedAt
  305. delete data.ACL
  306. delete data.objectId
  307. const body = JSON.stringify(data);
  308. let headersOptions:any = {
  309. "content-type": "application/json;charset=UTF-8",
  310. "x-parse-application-id": "dev",
  311. "x-parse-session-token": this.sessionToken, // 添加sessionToken以进行身份验证
  312. }
  313. const response = await fetch(url, {
  314. headers: headersOptions,
  315. body: body,
  316. method: method,
  317. mode: "cors",
  318. credentials: "omit"
  319. });
  320. const result = await response?.json();
  321. if (result?.error) {
  322. console.error(result?.error);
  323. }
  324. if (result?.objectId) {
  325. this.id = result?.objectId;
  326. }
  327. localStorage.setItem("NCloud/dev/User",JSON.stringify(this.data))
  328. return this;
  329. }
  330. }
  331. export class CloudApi{
  332. async fetch(path:string,body:any,options?:{
  333. method:string
  334. body:any
  335. }){
  336. let reqOpts:any = {
  337. headers: {
  338. "x-parse-application-id": "dev",
  339. "Content-Type": "application/json"
  340. },
  341. method: options?.method || "POST",
  342. mode: "cors",
  343. credentials: "omit"
  344. }
  345. if(body||options?.body){
  346. reqOpts.body = JSON.stringify(body || options?.body);
  347. reqOpts.json = true;
  348. }
  349. let host = `http://dev.fmode.cn:1337`
  350. // host = `http://127.0.0.1:1337`
  351. let url = `${host}/api/`+path
  352. console.log(url,reqOpts)
  353. const response = await fetch(url,reqOpts);
  354. let json = await response.json();
  355. return json
  356. }
  357. }