翼度科技»论坛 编程开发 JavaScript 查看内容

记录--九个超级好用的 Javascript 技巧

10

主题

10

帖子

30

积分

新手上路

Rank: 1

积分
30
这里给大家分享我在网上总结出来的一些知识,希望对大家有所帮助



前言

在实际的开发工作过程中,积累了一些常见又超级好用的 Javascript 技巧和代码片段,包括整理的其他大神的 JS 使用技巧,今天筛选了 9 个,以供大家参考。
1、动态加载 JS 文件

在一些特殊的场景下,特别是一些库和框架的开发中,我们有时会去动态的加载 JS 文件并执行,下面是利用 Promise 进行了简单的封装。
  1. function loadJS(files, done) {
  2.   // 获取head标签
  3.   const head = document.getElementsByTagName('head')[0];
  4.   Promise.all(files.map(file => {
  5.     return new Promise(resolve => {
  6.       // 创建script标签并添加到head
  7.       const s = document.createElement('script');
  8.       s.type = "text/javascript";
  9.       s.async = true;
  10.       s.src = file;
  11.       // 监听load事件,如果加载完成则resolve
  12.       s.addEventListener('load', (e) => resolve(), false);
  13.       head.appendChild(s);
  14.     });
  15.   })).then(done);  // 所有均完成,执行用户的回调事件
  16. }
  17. loadJS(["test1.js", "test2.js"], () => {
  18.   // 用户的回调逻辑
  19. });
复制代码
上面代码核心有两点,一是利用 Promise 处理异步的逻辑,而是利用 script 标签进行 js 的加载并执行。
2、实现模板引擎

下面示例用了极少的代码实现了动态的模板渲染引擎,不仅支持普通的动态变量的替换,还支持包含 for 循环,if 判断等的动态的 JS 语法逻辑,具体实现逻辑在笔者另外一篇文章《面试官问:你能手写一个模版引擎吗?》做了非常详详尽的说明,感兴趣的小伙伴可自行阅读。
  1. // 这是包含了js代码的动态模板
  2. var template =
  3. 'My avorite sports:' +
  4. '<%if(this.showSports) {%>' +
  5.     '<% for(var index in this.sports) {   %>' +
  6.     '<a><%this.sports[index]%></a>' +
  7.     '<%}%>' +
  8. '<%} else {%>' +
  9.     '<p>none</p>' +
  10. '<%}%>';
  11. // 这是我们要拼接的函数字符串
  12. const code = `with(obj) {
  13.   var r=[];
  14.   r.push("My avorite sports:");
  15.   if(this.showSports) {
  16.     for(var index in this.sports) {
  17.       r.push("<a>");
  18.       r.push(this.sports[index]);
  19.       r.push("</a>");
  20.     }
  21.   } else {
  22.     r.push("<span>none</span>");
  23.   }
  24.   return r.join("");
  25. }`
  26. // 动态渲染的数据
  27. const options = {
  28.   sports: ["swimming", "basketball", "football"],
  29.   showSports: true
  30. }
  31. // 构建可行的函数并传入参数,改变函数执行时this的指向
  32. result = new Function("obj", code).apply(options, [options]);
  33. console.log(result);
复制代码
3、利用 reduce 进行数据结构的转换

有时候前端需要对后端传来的数据进行转换,以适配前端的业务逻辑,或者对组件的数据格式进行转换再传给后端进行处理,而 reduce 是一个非常强大的工具。
  1. const arr = [
  2.     { classId: "1", name: "张三", age: 16 },
  3.     { classId: "1", name: "李四", age: 15 },
  4.     { classId: "2", name: "王五", age: 16 },
  5.     { classId: "3", name: "赵六", age: 15 },
  6.     { classId: "2", name: "孔七", age: 16 }
  7. ];
  8. groupArrayByKey(arr, "classId");
  9. function groupArrayByKey(arr = [], key) {
  10.     return arr.reduce((t, v) => (!t[v[key]] && (t[v[key]] = []), t[v[key]].push(v), t), {})
  11. }
复制代码
很多很复杂的逻辑如果用 reduce 去处理,都非常的简洁。
4、添加默认值

有时候一个方法需要用户传入一个参数,通常情况下我们有两种处理方式,如果用户不传,我们通常会给一个默认值,亦或是用户必须要传一个参数,不传直接抛错。
  1. function double() {
  2.     return value *2
  3. }
  4. // 不传的话给一个默认值0
  5. function double(value = 0) {
  6.     return value * 2
  7. }
  8. // 用户必须要传一个参数,不传参数就抛出一个错误
  9. const required = () => {
  10.     throw new Error("This function requires one parameter.")
  11. }
  12. function double(value = required()) {
  13.     return value * 2
  14. }
  15. double(3) // 6
  16. double() // throw Error
复制代码
5、函数只执行一次

有些情况下我们有一些特殊的场景,某一个函数只允许执行一次,或者绑定的某一个方法只允许执行一次。
  1. export function once (fn) {
  2.   // 利用闭包判断函数是否执行过
  3.   let called = false
  4.   return function () {
  5.     if (!called) {
  6.       called = true
  7.       fn.apply(this, arguments)
  8.     }
  9.   }
  10. }
复制代码
6、实现 Curring

JavaScript 的柯里化是指将接受多个参数的函数转换为一系列只接受一个参数的函数的过程。这样可以更加灵活地使用函数,减少重复代码,并增加代码的可读性。
  1. function curry(fn) {
  2.   return function curried(...args) {
  3.     if (args.length >= fn.length) {
  4.       return fn.apply(this, args);
  5.     } else {
  6.       return function(...args2) {
  7.         return curried.apply(this, args.concat(args2));
  8.       };
  9.     }
  10.   };
  11. }
  12. function add(x, y) {
  13.   return x + y;
  14. }
  15. const curriedAdd = curry(add);
  16. console.log(curriedAdd(1)(2)); // 输出 3
  17. console.log(curriedAdd(1, 2)); // 输出 3
复制代码
通过柯里化,我们可以将一些常见的功能模块化,例如验证、缓存等等。这样可以提高代码的可维护性和可读性,减少出错的机会。
7、实现单例模式

JavaScript 的单例模式是一种常用的设计模式,它可以确保一个类只有一个实例,并提供对该实例的全局访问点,在 JS 中有广泛的应用场景,如购物车,缓存对象,全局的状态管理等等。
  1. let cache;
  2. class A {
  3.   // ...
  4. }
  5. function getInstance() {
  6.   if (cache) return cache;
  7.   return cache = new A();
  8. }
  9. const x = getInstance();
  10. const y = getInstance();
  11. console.log(x === y); // true
复制代码
8、实现 CommonJs 规范

CommonJS 规范的核心思想是将每个文件都看作一个模块,每个模块都有自己的作用域,其中的变量、函数和对象都是私有的,不能被外部访问。要访问模块中的数据,必须通过导出(exports)和导入(require)的方式。
  1. // id:完整的文件名
  2. const path = require('path');
  3. const fs = require('fs');
  4. function Module(id){
  5.     // 用来唯一标识模块
  6.     this.id = id;
  7.     // 用来导出模块的属性和方法
  8.     this.exports = {};
  9. }
  10. function myRequire(filePath) {
  11.     // 直接调用Module的静态方法进行文件的加载
  12.     return Module._load(filePath);
  13. }
  14. Module._cache = {};
  15. Module._load = function(filePath) {
  16.     // 首先通过用户传入的filePath寻址文件的绝对路径
  17.     // 因为再CommnJS中,模块的唯一标识是文件的绝对路径
  18.     const realPath = Module._resoleveFilename(filePath);
  19.     // 缓存优先,如果缓存中存在即直接返回模块的exports属性
  20.     let cacheModule = Module._cache[realPath];
  21.     if(cacheModule) return cacheModule.exports;
  22.     // 如果第一次加载,需要new一个模块,参数是文件的绝对路径
  23.     let module = new Module(realPath);
  24.     // 调用模块的load方法去编译模块
  25.     module.load(realPath);
  26.     return module.exports;
  27. }
  28. // node文件暂不讨论
  29. Module._extensions = {
  30.    // 对js文件处理
  31.   ".js": handleJS,
  32.   // 对json文件处理
  33.   ".json": handleJSON
  34. }
  35. function handleJSON(module) {
  36. // 如果是json文件,直接用fs.readFileSync进行读取,
  37. // 然后用JSON.parse进行转化,直接返回即可
  38.   const json = fs.readFileSync(module.id, 'utf-8')
  39.   module.exports = JSON.parse(json)
  40. }
  41. function handleJS(module) {
  42.   const js = fs.readFileSync(module.id, 'utf-8')
  43.   let fn = new Function('exports', 'myRequire', 'module', '__filename', '__dirname', js)
  44.   let exports = module.exports;
  45.   // 组装后的函数直接执行即可
  46.   fn.call(exports, exports, myRequire, module,module.id,path.dirname(module.id))
  47. }
  48. Module._resolveFilename = function (filePath) {
  49.   // 拼接绝对路径,然后去查找,存在即返回
  50.   let absPath = path.resolve(__dirname, filePath);
  51.   let exists = fs.existsSync(absPath);
  52.   if (exists) return absPath;
  53.   // 如果不存在,依次拼接.js,.json,.node进行尝试
  54.   let keys = Object.keys(Module._extensions);
  55.   for (let i = 0; i < keys.length; i++) {
  56.     let currentPath = absPath + keys[i];
  57.     if (fs.existsSync(currentPath)) return currentPath;
  58.   }
  59. };
  60. Module.prototype.load = function(realPath) {
  61.   // 获取文件扩展名,交由相对应的方法进行处理
  62.   let extname = path.extname(realPath)
  63.   Module._extensions[extname](this)
  64. }
复制代码
上面对 CommonJs 规范进行了简单的实现,核心解决了作用域的隔离,并提供了 Myrequire 方法进行方法和属性的加载,对于上面的实现,笔者专门有一篇文章《38 行代码带你实现 CommonJS 规范》进行了详细的说明,感兴趣的小伙伴可自行阅读。
9、递归获取对象属性

如果让我挑选一个用的最广泛的设计模式,我会选观察者模式,如果让我挑一个我所遇到的最多的算法思维,那肯定是递归,递归通过将原始问题分割为结构相同的子问题,然后依次解决这些子问题,组合子问题的结果最终获得原问题的答案。
  1. const user = {
  2.   info: {
  3.     name: "张三",
  4.     address: { home: "Shaanxi", company: "Xian" },
  5.   },
  6. };
  7. // obj是获取属性的对象,path是路径,fallback是默认值
  8. function get(obj, path, fallback) {
  9.   const parts = path.split(".");
  10.   const key = parts.shift();
  11.   if (typeof obj[key] !== "undefined") {
  12.     return parts.length > 0 ?
  13.       get(obj[key], parts.join("."), fallback) :
  14.       obj[key];
  15.   }
  16.   // 如果没有找到key返回fallback
  17.   return fallback;
  18. }
  19. console.log(get(user, "info.name")); // 张三
  20. console.log(get(user, "info.address.home")); // Shaanxi
  21. console.log(get(user, "info.address.company")); // Xian
  22. console.log(get(user, "info.address.abc", "fallback")); // fallback
复制代码
本文转载于:

https://juejin.cn/post/7223938976158957624

如果对您有所帮助,欢迎您点个关注,我会定时更新技术文档,大家一起讨论学习,一起进步。

 


来源:https://www.cnblogs.com/smileZAZ/p/17421257.html
免责声明:由于采集信息均来自互联网,如果侵犯了您的权益,请联系我们【E-Mail:cb@itdo.tech】 我们会及时删除侵权内容,谢谢合作!

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x

举报 回复 使用道具