理解Vue源码,从0开始撸了一个简版Vue

news2024/11/17 9:43:57

vue 的双向绑定、虚拟dom、diff算法等等面试常见问题你可能在几年前就学过了,其中有些人可能看过Vue的源码,了解过Vue是如何实现数据监听和数据绑定这些技术的。不过让从零开始实现一个 vue,你可以吗?

模板语法其实早就存在,在Vue发布之前就有了。Vue除了具备基本的模板编译功能外,新增了很多功能属性,比如数据集data、方法集methods、组件集components等等,当然还具备了数据的响应式功能,具备生命周期函数……
我想如果能够从编译功能开始逐步增加这些功能属性,是否可以体会到尤大当初开发Vue的心路历程?或者至少能够更加清楚的理解Vue源码吧。

简易版Vue基本实现思路
简易版Vue基本实现思路

在这个背景下,我按照自己的理解决定从0开始,开发一个简版的Vue:SSvue。

从类的创建开始

创建一个类,参数为对象options,里面是Vue的各种数据集。这里采用es6语法,出于兼容性考虑的话,可以使用babel做处理。

class SSvue {
    constructor(options) {
    
    }
}

具备数据集data、方法集methods和挂载el

class SSvue {
    constructor(options) {
        const  { data,method, el } = options
        // 数据集
        this.data = data;
        // 方法集
        this.methods = methods;
        // 挂载
        this.el = el
    }
}

具备一定编译功能

遵循单一职责原则,编译功能单独拿出来,创建编译类。这里的编译可以处理Mustache语法(双大括号)以及事件指令。

class SSvue {
    constructor(options) {
        const  { data,methods, el } = options
        // 数据集
        this.data = data;
        // 方法集
        this.methods = methods;
        // 挂载
        this.el = el
        // 编译功能
        new Compile(this)
    }
}

编译类实现。编译类实现了对元素节点和文本节点处理,能够处理其上的Mustache语法和事件指令。

class Compile {
  constructor(vm) {
    this.vm = vm
    this.vm.el = document.querySelector(vm.el);
    this.compile();
  }

  compile() {
    this.replaceData(this.vm.el);
    const documentFragment = this.nodeToFragment(this.vm.el)
    this.vm.el.appendChild(documentFragment);
  }
  
  nodeToFragment(el) {
    let fragment = document.createDocumentFragment();
    let child;
    while (child = el.firstChild) {
      // 将Dom元素移入fragment中
      fragment.appendChild(child);
    }
    return fragment;
  }
  
  replaceData(frag) {
      Array.from(frag.childNodes).forEach(node => {
        let txt = node.textContent;
        let reg = /\{\{(.*?)\}\}/g;
  
        if (this.isTextNode(node) && reg.test(txt)) {
          let replaceTxt = () => {
            node.textContent = txt.replace(reg, (matched, placeholder) => {
              return placeholder.split('.').reduce((val, key) => {
                return val[key];
              }, this.vm);
            });
          };
          replaceTxt();
        }
  
        if (this.isElementNode(node)) {
          Array.from(node.attributes).forEach(attr => {
            if (attr.name.startsWith('@')) {
              const eventName = attr.name.slice(1);
              const methodName = attr.value;
              if (methodName in this.vm.methods) {
                node.addEventListener(eventName, this.vm.methods[methodName].bind(this.vm));
              }
            }
          });
          if (node.childNodes && node.childNodes.length) {
            this.replaceData(node);        
          }
        }
      });
    }
  // 元素节点
  isElementNode(node) {
    return node.nodeType == 1
  }
  // 文本节点
  isTextNode(node) {
    return node.nodeType == 3
  }
}

注意:这个时候使用SSvue,访问data中数据时,需要使用this.data[attr]方式。如果要解决这个问题需要加一层代理,访问代理。在SSvue中添加访问代理方法proxyKeys。

class SSvue {
    constructor(options) {
        const  { data,methods, el } = options
        
        // 数据集
        this.data = data;
        // 数据集代理
        Object.keys(this.data).forEach(key => {
          this.proxyKeys(key);
        });
        // 挂载
        this.el = el
        // 方法集
        this.methods = methods;
        // 编译功能
        new Compile(this)
    }
    
   // 访问代理
   proxyKeys(key) {
    Object.defineProperty(this, key, {
      enumerable: false,
      configurable: true,
      get: function proxyGetter() {
        return this.data[key];
      },
      set: function proxySetter(newVal) {
        this.data[key] = newVal;
      }
    });
  }
}

具备数据的响应式功能

增加Dep类:用于实现订阅发布模式,订阅Watcher对象,发布Watcher对象

增加Observe类:对数据集data数据进行拦截,在拦截过程中,get保存或订阅Watcher对象,set触发或者发布的Watcher对象

增加observe方法:用于对对象数据深层级进行拦截处理

增加Watcher类:用于触发Observe类数据拦截操作,然后以Dep.target为媒介,将当前Watcher对象保存到Dep对象中

总结:通过Observe类实现了对数据集的拦截,创建Watcher时触发get方法,此时Dep类订阅Watcher;设置数据集数据时,触发set方法,此时Dep类发布Watcher,触发update方法,触发回调函数,触发更新

class SSvue {
  constructor(options) {
    ...
    this.data = options.data;
    
    Object.keys(this.data).forEach(key => {
      this.proxyKeys(key);
    });
    new Observe(this.data)
    ...
  }
}
class Dep {
  constructor() {
    this.subs = [];
  }

  addSub(sub) {
    this.subs.push(sub);
  }

  notify() {
    this.subs.forEach(sub => sub.update());
  }
}

class Watcher {
  constructor(vm, exp, fn) {
    this.fn = fn;
    this.vm = vm;
    this.exp = exp;
    Dep.target = this;
    let arr = exp.split('.');
    let val = vm;
    // 手动获取一次data里面的数据 执行Observe添加方法
    arr.forEach(key => {
      val = val[key];
    });
    Dep.target = null;
  }

  update() {
    let arr = this.exp.split('.');
    let val = this.vm;
    arr.forEach(key => {
      val = val[key];
    });
    this.fn(val);
  }
}

class Observe {
  constructor(data) {
    let dep = new Dep();
    for (let key in data) {
      let val = data[key];
      observe(val);
      Object.defineProperty(data, key, {
        get() {
          Dep.target && dep.addSub(Dep.target);
          return val;
        },
        set(newVal) {
          if (val === newVal) {
            return;
          }
          val = newVal;
          observe(newVal);
          dep.notify();
        }
      });
    }
  }
}

function observe(data) {
  if (!data || typeof data !== 'object') return;
  return new Observe(data);
}

编译类Compile增加Watcher,更新函数作为Watcher对象的回调函数

class Compile {
  ...
  replaceData(frag) {
    Array.from(frag.childNodes).forEach(node => {
      let txt = node.textContent;
      let reg = /\{\{(.*?)\}\}/g;

      if (this.isTextNode(node) && reg.test(txt)) {
        let replaceTxt = () => {
          node.textContent = txt.replace(reg, (matched, placeholder) => {
            // 增加Watcher
            new Watcher(this.vm, placeholder, replaceTxt);
            return placeholder.split('.').reduce((val, key) => {
              return val[key];
            }, this.vm);
          });
        };
        replaceTxt();
      }

      if (this.isElementNode(node)) {
        Array.from(node.attributes).forEach(attr => {
          if (attr.name.startsWith('@')) {
            const eventName = attr.name.slice(1);
            const methodName = attr.value;
            if (methodName in this.vm.methods) {
              node.addEventListener(eventName, this.vm.methods[methodName].bind(this.vm));
            }
          }
        });
        if (node.childNodes && node.childNodes.length) {
          this.replaceData(node);        
        }
      }
    });
  }
}

具备计算属性功能

SSvue增加用于处理计算属性功能。

实际就是将计算属性数据集computed打平,将所有计算属性添加到SSvue实例对象上,同时进行拦截。使用计算属性数据时,执行get方法,执行计算属性函数。这里只是实现了基本的计算属性功能。
打平操作也说明了Vue的计算属性computed和数据集data不能有同名属性。

class SSvue {
  constructor(options) {
    ....
    const { computed } = options
    this.computed = computed;
    Object.keys(this.computed).forEach(key => {
      Object.defineProperty(this, key, {
        get: () => {
          return this.computed[key].call(this);
        }
      });
    });
    ...
}

具备watch功能

SSvue增加用以处理watch数据集的功能。

遍历watch集合,创建Watcher对象,实际就是前面的发布订阅模式。不同的是此时的回调函数是watch里面的方法。这里也只是实现了基本功能。

class SSvue {
  constructor(options) {
    ...
    const { watch } = options
    this.watch = watch;
    // 处理watch
    this.initWatch()
  }
  initWatch() {
    for (let key in this.watch) {
      new Watcher(this, key, this.watch[key]);
    }
  }
}

具备过滤器功能

增加过滤器功能。

过滤器功能就比较简单了,可以说是一种语法糖或者面向切面编程。需要拦截双大括号,判断是否有过滤器标识。然后在编译类更新内容函数replaceTxt里面添加部分代码。

class Compile {
  ...
  replaceData(frag) {
    Array.from(frag.childNodes).forEach(node => {
      let txt = node.textContent;
      let reg = /\{\{(.*?)\}\}/g;

      if (this.isTextNode(node) && reg.test(txt)) {
        let replaceTxt = () => {
          node.textContent = txt.replace(reg, (matched, placeholder) => {
            // 判断过滤器是否存在
            let key = placeholder.split('|')[0].trim();
            let filter = placeholder.split('|')[1];
            if (filter) {
              let filterFunc = this.vm.filters[filter.trim()];
              if (filterFunc) {
                new Watcher(this.vm, key, replaceTxt);
                return filterFunc.call(this.vm, key.split('.').reduce((val, k) => {
                  return val[k];
                }, this.vm));
              }
            } else {
              // 增加Watcher
             new Watcher(this.vm, placeholder, replaceTxt);
             return placeholder.split('.').reduce((val, key) => {
                return val[key];
             }, this.vm);
            }
          });
        };
        replaceTxt();
      }
    });
  }
}

具备组件注册功能

遵循单一职责原则,增加组件类。

组件本质上就是一个特殊的SSvue实例。这里参照Vue,在SSvue中创建静态方法extend,用以生成创建组件的构造函数。

class SSvue {
  constructor(options) {
    this._init(options)
  }
  
  ...
  _init(options){
    if(!options){
     return
    }
    const { data, methods, el, computed, components, watch, filters, template } = options
    this.data = data;
    this.methods = methods;
    this.computed = computed;
    this.watch = watch;
    this.filters = filters;
    this.components =components;
    this.template = template
    this.el = el
    Object.keys(this.data).forEach(key => {
      this.proxyKeys(key);
    });
    // 注意如果没有计算属性会报错
    this.computed && Object.keys(this.computed).forEach(key => {
      Object.defineProperty(this, key, {
        get: () => {
          return this.computed[key].call(this);
        }
      });
    });
    new Observe(this.data)
    this.initWatch()
    // 创建编译模板以及编译赋值
    new Compile(this);
  }
   
  // 增加extend方法
  static extend(options) {
    const Super = this;
    
    // 闭包保存options
    const Sub = (function (){
      return function VueComponent() {
        let instance = new Super(options);
        Object.assign(this, instance);
      }
    })()
    // 创建一个基于SSvue的构造函数
    Sub.prototype = Object.create(Super.prototype);
    Sub.prototype.constructor = Sub;
    // 合并参数
    Sub.options = Object.assign({}, Super.options, options);
    return Sub;
  }
}

编译类Compile增加处理自定义组件功能。

着重说明一下,这里自定义组件使用的模板是template属性。

SSvue本身没有使用template属性,而采用的是查询挂载el下面的dom结构。所以自定义组件的template需要单独处理。增加单独处理方法handleTemplate。然后replaceData方法里增加创建组件功能。

class Compile {
  constructor(vm) {
    this.vm = vm
    // 兼容处理组件
    this.vm.el = this.handleTemplate(vm)
    this.compile();
  }
  handleTemplate(vm){
    if(vm.el && typeof vm.el === 'string') {
      return document.querySelector(vm.el)
    }
    // 将字符串转为dom
    const div = document.createElement('div')
    div.innerHTML = vm.template
    return div.firstChild
  }
  ...
  replaceData(frag) {
    Array.from(frag.childNodes).forEach(node => {

      ...
      if (this.isElementNode(node)) {
        ...
        let nodeName = node.nodeName.toLowerCase();
        
        // 如果存在components 则创建组件
        if (this.vm.components && this.vm.components[nodeName]) {
          let ComponentConstructor = this.vm.components[nodeName];
          let component = new ComponentConstructor();
          node.parentNode.replaceChild(component.el, node);
        }
        if (node.childNodes && node.childNodes.length) {
          this.replaceData(node);        
        }
      }
    });
  }
  // 元素节点
  isElementNode(node) {
    return node.nodeType == 1
  }
  // 文本节点
  isTextNode(node) {
    return node.nodeType == 3
  }
}

组件注册功能给我的启发比较大。之前一直不理解为什么Vue可以做到局部更新。写了简版的Vue,明白组件实际是特殊的Vue实例,组件本身就有一套更新机制,组件本身就是局部更新。

具备Vuex功能

Vuex本质上Vue的实例属性,而且只能是Vue而不能是组件的,否则就不能全局使用了。将其独立出来,创建Store类。

class Store {
  constructor(options) {
    this.state = options.state;
    this.mutations = options.mutations;
    this.actions = options.actions;
  }

  commit(type, payload) {
    this.mutations[type](this.state, payload);
  }

  dispatch(type, payload) {
    this.actions[type]({ commit: this.commit.bind(this), state: this.state }, payload);
  }
}

使用时创建实例,作为SSvue实例的参数。同时需要将store中的state数据加入Observe类中,让其具备响应式特性。

let store = new Store({
  state: {
    count: 0
  },
  mutations: {
    increment(state) {
      state.count++;
    }
  },
  actions: {
    increment(context) {
      context.commit('increment');
    }
  }
});

...
class SSvue {
  constructor(options) {
    this._init(options)
  }
  _init(options){
    if(!options){
     return
    }
    const { data, methods, el, computed, components, watch, filters, template, store } = options
    ...
    this.store = store

    Object.keys(this.data).forEach(key => {
      this.proxyKeys(key);
    });
    this.computed && Object.keys(this.computed).forEach(key => {
      Object.defineProperty(this, key, {
        get: () => {
          return this.computed[key].call(this);
        }
      });
    });
    new Observe(this.data)
    // 响应式功能
    this.store && new Observe(this.store.state)

    this.initWatch()
    // 创建编译模板以及编译赋值
    new Compile(this);
  }
}

具备插件注册功能

SSvue增加静态方法use,用于接收插件。实际就是运行插件里的install方法,将不同种类的插件加到SSvue上,以原型的形式、静态数据形式或其他。

class SSvue {
  constructor(options) {
    // ...
    this.plugins = [];
  }

  static use(plugin) {
    plugin.install(this);
  }
}
const MyPlugin = {
  install(ssvue) {
    // 在这里添加你的插件代码
    // 你可以添加全局方法或属性
    ssvue.myGlobalMethod = function () {
      console.log('This is a global method');
    }
    // 添加实例方法
    ssvue.prototype.$myMethod = function (methodOptions) {
      // 一些逻辑……
    }
  }
}

new SSvue({
  el: '#app',
  data: {
    message: 'Hello Vue!'
  }
});

SSvue.use(MyPlugin);

具备生命周期函数

生命周期就简单了,生命周期是切面编程的体现。只需要在对应时机或者位置加上生命周期函数就可以了。

SSvue类增加处理生命周期函数方法_callHook,以及SSvue实例增加对应的生命周期方法beforeCreate和mounted。

class SSvue {
  constructor(options) {
    this._init(options)
  }

  _callHook(lifecycle) {
    this.$options[lifecycle] && this.$options[lifecycle].call(this);
  }
  
    _init(options){
    if(!options){
     return
    }
    ...
    // 创建编译模板以及编译赋值
    this._callHook('beforeCreate');
    new Compile(this);
    this._callHook('mounted')
  }
}

编译类Compile增加created生命周期

class Compile {
  constructor(vm) {
    ...
    this.compile();
    this.vm._callHook('created');
  }
}

测试用例和所有功能代码

测试用例

let MyComponent = SSvue.extend({
    template: '<div>这是一个组件{{message}}</div>',
    data:{
      message: 'Hello, Component!'
    }
    // ...
  })
  let store = new Store({
    state: {
      count: 0
    },
    mutations: {
      increment(state) {
        state.count++;
      }
    },
    actions: {
      increment(context) {
        context.commit('increment');
      }
    }
  });
  const ssvue = new SSvue({
    el: '#app',
    store,
    data: {
      name: 'canf1oo'
    },
    components: {
      'my-component': MyComponent
    },
    computed: {
      computedName(){
        return  this.name + '我是计算属性'
      }
    },
    filters: {
      addSSvue(val){
        return val + 'SSvue'
      }
    },
    watch: {
      name(){
        console.log('测试室测试试试')
      },
      computedName(){
        console.log('测试室测试试试12232323')
      }
    },
    methods: {
      clickMe() {
        this.name = 'click me'
        this.store.commit('increment');
        this.$plugin()
      }
    },
    beforeCreate() {
      console.log('beforeCreate')
    },
    created() {
      console.log('created')
    },
    mounted() {
      console.log('mounted')
    },
  });
  const MyPlugin = {
    install(ssvue) {
      // 在这里添加你的插件代码
      // 你可以添加全局方法或属性
      ssvue.myGlobalMethod = function () {
        console.log('This is a global method');
      }
      // 添加实例方法
      ssvue.prototype.$plugin = function (methodOptions) {
        // 一些逻辑……
        console.log('我是插件')
      }
    }
  }

  SSvue.use(MyPlugin)

SSvue测试模板

<div id="app">
    <button @click="clickMe">{{name}}</button>
    <button @click="clickMe">{{name | addSSvue}}</button>

    <button>{{computedName}}</button>
    <span>{{store.state.count}}</span>
    <my-component></my-component>
  </div>

代码地址:github

整体上没有路由功能,所以是一个静态的非单页面的简版Vue。距离真实的Vue还差很远,比如props,比如render函数,比如插槽,比如作用域插槽,比如vdom等等。感兴趣的可以继续添加。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/1222551.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

设计模式--模板方法外观模式

模板方法模式 场景&#xff1a;需使用代码方式实现&#xff0c;考完试后&#xff0c;将各个学生的试卷及答案誊抄一份。 假如有两个学生的试卷誊抄完毕. // 学生A public class TestPaperA {// 试题1public void testQuestion1() {System.out.println("问题一:XXXXXXXX…

HIS医疗项目

文章目录 医疗项目简介HIS项目介绍HIS架构解析HIS业务流程图HIS项目架构图 HIS组件解析——服务支撑 内存设置为4G或以上部署NGINX服务部署web安装JDK部署Elasticsearch安装ik中文分词器 部署rabbitmq部署MySQL服务安装MySQL服务建库、授权用户导入数据 部署Redis测试Redis 部署…

vue3+vant 实现树状多选组件

vue3vant 实现树状多选组件 需求描述效果图代码父组件引用selectTree组件 tree组件数据格式 需求描述 移动端需要复刻Pc端如上图的功能组件&#xff0c;但vant无组件可用&#xff0c;所以自己封装一个。 效果图 代码 父组件引用 import TreeSelect from "/selectTree.vu…

车间ERP管理系统都有哪些?能带给企业什么好处

不同规模的制造企业有不同的管理模式和经营策略&#xff0c;而生产和销售等业务是这类企业较为核心的部门&#xff0c;其中车间的管理是生产过程管理的重点环节之一。 车间的管理工作涉及物料、班组、设备、工时评估、生产现场数据采集、派工单、退补料等环节&#xff0c;如何…

ARM 版 Kylin V10 部署 KubeSphere 3.4.0 不完全指南

前言 知识点 定级&#xff1a;入门级KubeKey 安装部署 ARM 版 KubeSphere 和 KubernetesARM 版麒麟 V10 安装部署 KubeSphere 和 Kubernetes 常见问题 实战服务器配置 (个人云上测试服务器) 主机名IPCPU内存系统盘数据盘用途ksp-master-1172.16.33.1681650200KubeSphere/k8…

vite vue3 配置pinia

准备 https://blog.csdn.net/qq_36437991/article/details/134474050 安装pinia 官网 yarn add piniasrc下新建store文件夹&#xff0c;该文件夹下新建index.ts import { createPinia } from "pinia"; const store createPinia(); export default store;修改ma…

【C++11】多线程库 {thread线程库,mutex互斥锁库,condition_variable条件变量库,atomic原子操作库}

在C11之前&#xff0c;涉及到多线程问题&#xff0c;都是和平台相关的&#xff0c;比如windows和linux下各有自己的接口&#xff0c;这使得代码的可移植性比较差。 //在C98标准下&#xff0c;实现可移植的多线程程序 —— 条件编译 #ifdef _WIN32CreateThread(); //在windows系…

腾讯云S5服务器4核8G配置价格表S5.LARGE8性能测评

腾讯云服务器4核8G配置优惠价格表&#xff0c;轻量应用服务器和CVM云服务器均有活动&#xff0c;云服务器CVM标准型S5实例4核8G配置价格15个月1437.3元&#xff0c;5年6490.44元&#xff0c;轻量应用服务器4核8G12M带宽一年446元、529元15个月&#xff0c;腾讯云百科txybk.com分…

【cpolar】Ubuntu本地快速搭建web小游戏网站,公网用户远程访问

&#x1f3a5; 个人主页&#xff1a;深鱼~&#x1f525;收录专栏&#xff1a;cpolar&#x1f304;欢迎 &#x1f44d;点赞✍评论⭐收藏 目录 前言 1. 本地环境服务搭建 2. 局域网测试访问 3. 内网穿透 3.1 ubuntu本地安装cpolar 3.2 创建隧道 3.3 测试公网访问 4. 配置…

二、程序员指南:数据平面开发套件

MEMPOOL库 内存池是固定大小对象的分配器。在DPDK中&#xff0c;它由名称标识&#xff0c;并使用环形结构来存储空闲对象。它提供一些其他可选服务&#xff0c;例如每个核心的对象缓存和一个对齐辅助工具&#xff0c;以确保对象填充以将它们均匀分布在所有DRAM或DDR3通道上。 …

三十分钟学会Hive

Hive的概念与运用 Hive 是一个构建在Hadoop 之上的数据分析工具&#xff08;Hive 没有存储数据的能力&#xff0c;只有使用数据的能力&#xff09;&#xff0c;底层由 HDFS 来提供数据存储&#xff0c;可以将结构化的数据文件映射为一张数据库表&#xff0c;并且提供类似 SQL …

全球地表水数据集JRC Global Surface Water Mapping Layers v1.4

简介&#xff1a; JRC Global Surface Water Mapping Layers产品&#xff0c;是利用1984至2020年获取的landsat5、landsat7和landsat8的卫星影像&#xff0c;生成分辨率为30米的一套全球地表水覆盖的地图集。用户可以在全球尺度上按地区回溯某个时间上地表水分的变化情况。产品…

VS 将 localhost访问改为ip访问

项目场景&#xff1a; 使用vs进行本地调试时需要多人访问界面,使用ip访问报错 问题描述 vs通过ip访问报错 虚拟机或其它电脑不能正常打开 原因分析&#xff1a; 原因是vs访问规则默认是iis,固定默认启动地址是localhost 解决方案&#xff1a; 1.vs项目启动之后会出现这个 右…

BUUCTF [GXYCTF2019]佛系青年 1

BUUCTF:https://buuoj.cn/challenges 题目描述&#xff1a; 密文&#xff1a; 下载附件&#xff0c;解压得到ZIP压缩包。 解题思路&#xff1a; 1、压缩包内有一张png图片和一个txt文本&#xff0c;解压zip压缩包&#xff0c;解压出图片&#xff0c;但txt文本提示需要输入密…

Wireshark 截取指定端口海量包分析

有个应用要分析一下协议&#xff0c;但是8939&#xff0c;8940传输一下子几个G的数据&#xff0c;但是要分析的端口8939实际上只有几个MB最多&#xff0c;如果用wireshark有界面的程序一截取就会卡死&#xff0c;于是使用命令行方式&#xff0c;截取指定端口的 tshark -i &quo…

CentOS7 安装mysql8(离线安装)postgresql14(在线安装)

注&#xff1a;linux系统为vmware虚拟机&#xff0c;和真实工作环境可能有出入 引言 postgresql与mysql目前都是非常受人欢迎的两大数据库&#xff0c;其各有各的优势&#xff0c;初学者先使用简单一张图来说明两者区别 以上内容引用自https://zhuanlan.zhihu.com/p/64326848…

Java 类之 java.util.Properties

Java 类之 java.util.Properties 文章目录 Java 类之 java.util.Properties一、简介二、主要功能1、存储键值对2、读取文件与属性代码示例运行结果截图 3、设置属性并保存文件代码示例结果截图 4、遍历属性代码示例运行结果 关联博客&#xff1a;《基于 Java 列举和说明常用的外…

程序员如何把【知识体系化】

你好&#xff0c;我是田哥 最近有不少人找我聊如何准备面试&#xff0c;其中有个点是大家都无从下手的问题。 这个问题估计是困扰了很多人&#xff0c;最可怕的是都没有想到什么好点办法。 下面来说说个人的想法&#xff08;仅供参考&#xff09;。 我该怎么准备&#xff1f;这…

JDK1.8 新特性(二)【Stream 流】

前言 上节我们学了 lambda 表达式&#xff0c;很快我就在 Flink 的学习中用到了&#xff0c;我学的是 Java 版本的 Flink&#xff0c;一开始会以为代码会很复杂&#xff0c;但事实上 Flink 中很多地方都用到了 函数接口&#xff0c;这也让我们在编写 Flink 程序的时候可以使用 …

upload-labs关卡9(基于win特性data流绕过)通关思路

文章目录 前言一、靶场需要了解的知识1::$data是什么 二、靶场第九关通关思路1、看源码2、bp抓包修改后缀名3、检查是否成功上传 总结 前言 此文章只用于学习和反思巩固文件上传漏洞知识&#xff0c;禁止用于做非法攻击。注意靶场是可以练习的平台&#xff0c;不能随意去尚未授…