源码篇--Nacos服务--中章(8):Nacos服务端感知客户端实例变更-3

文章目录

  • 前言
  • 一、客户端实例变更:
  • 二、实例变更感知:
    • 2.1 实例注册信息通知:
      • 2.1.1 接收DistroDataRequest 请求:
      • 2.1.2 onReceive 处理请求:
      • 2.1.3 processData 处理请求:
      • 2.1.4 handlerClientSyncData 处理数据:
      • 2.1.5 upgradeClient 数据对比和更新:
    • 2.2 服务端节点启动,全量拉取数据:
      • 2.2.1 DistroProtocol对象创建触发全量拉取:
      • 2.2.2 DistroLoadDataTask 全量任务的执行:
      • 2.2.3 load 拉取其它节点实例信息:
      • 2.2.4 loadAllDataSnapshotFromRemote 拉取&处理:
        • 2.2.4.1 获取数据和处理:
        • 2.2.4.2 获取数据:
    • 2.3 集群节点心跳监测:
  • 总结


前言

Nacos 集群中的节点通过distro 协议,grpc 通信互相同步节点中的实例信息;本文对服务端实例同步的3种场景进行介绍;服务端版本 3.0.13。


一、客户端实例变更:

我们知道客户端在启动的时候会与服务端建立grpc 连接,并且在启动完成向其注册实例信息,此时客户端的实例只被保存在服务端的某一个节点上,需要将改实例信息发送到集群中的其它节点;

我们知道Nacos 是集群的,支持进行水平扩展,所以在向集群内添加节点时,新加入的节点也需要获取到其它节点保存的实例信息,并保存到自己的节点上;

Nacos 集群中的节点,可能分布在不同的环境,节点之间需要网络进行连接,此时就不可能避免的出现,集群内某个节点短暂失联的情况,当网络恢复正常后,落后的节点就需要同步其它节点的信息,并覆盖本地的实例信息,从而达到实例信息数据的一致性;

本文对以上提到的3中场景展开进行介绍。

二、实例变更感知:

2.1 实例注册信息通知:

当客户端注册到集群中的某个节点,该节点需要在保存实例注册信息后,也需要负责将注册的实例信息同步到集群内的其它节点;

在这里插入图片描述
在:源码篇–Nacos服务–中章(8):Nacos服务端感知客户端注册-2 ,介绍了集群内节点通信通道的建立;现在就可以使用改通道向集群内其它运行的节点同步客户端实例信息;

2.1.1 接收DistroDataRequest 请求:

DistroDataRequestHandler distro 协议处理类负责对集群内发送的 DistroDataRequest (实例变更请求)请求进行处理;

@Override
public DistroDataResponse handle(DistroDataRequest request, RequestMeta meta) throws NacosException {
    try {
        // 获取操作类型
        switch (request.getDataOperation()) {
            case VERIFY:
                return handleVerify(request.getDistroData(), meta);
            case SNAPSHOT:
                return handleSnapshot();
            case ADD:
            case CHANGE:
            case DELETE:
                // 实例变化类型
                return handleSyncData(request.getDistroData());
            case QUERY:
                return handleQueryData(request.getDistroData());
            default:
                return new DistroDataResponse();
        }
    } catch (Exception e) {
        Loggers.DISTRO.error("[DISTRO-FAILED] distro handle with exception", e);
        DistroDataResponse result = new DistroDataResponse();
        result.setErrorCode(ResponseCode.FAIL.getCode());
        result.setMessage("handle distro request with exception");
        return result;
    }
}
private DistroDataResponse handleSyncData(DistroData distroData) {
 DistroDataResponse result = new DistroDataResponse();
    // 请求处理
    if (!distroProtocol.onReceive(distroData)) {
        result.setErrorCode(ResponseCode.FAIL.getCode());
        result.setMessage("[DISTRO-FAILED] distro data handle failed");
    }
    return result;
}

2.1.2 onReceive 处理请求:

从请求的DistroData 参数中解析出来发送端注册的客户端实例信息,然后与本节点进行对比,完成对本节点注册实例的更新;

/**
 * Receive synced distro data, find processor to process.
 *
 * @param distroData Received data
 * @return true if handle receive data successfully, otherwise false
 */
public boolean onReceive(DistroData distroData) {
    Loggers.DISTRO.info("[DISTRO] Receive distro data type: {}, key: {}", distroData.getType(),
            distroData.getDistroKey());
    // 获取资源类型: Nacos:Naming:v2:ClientData
    String resourceType = distroData.getDistroKey().getResourceType();
    // 获取资源处理器
    DistroDataProcessor dataProcessor = distroComponentHolder.findDataProcessor(resourceType);
    if (null == dataProcessor) {
        Loggers.DISTRO.warn("[DISTRO] Can't find data process for received data {}", resourceType);
        return false;
    }
    // 数据处理
    return dataProcessor.processData(distroData);
}

2.1.3 processData 处理请求:

对CHANGE 事件做出处理,先反序列化得到原始数据,然后进行处理;

@Override
public boolean processData(DistroData distroData) {
    switch (distroData.getType()) {
        case ADD:
        case CHANGE:
            // 反序列化,传入的调用sync 接口的节点下注册的实例信息
            ClientSyncData clientSyncData = ApplicationUtils.getBean(Serializer.class)
                    .deserialize(distroData.getContent(), ClientSyncData.class);
            // 对实例信息进行处理
            handlerClientSyncData(clientSyncData);
            return true;
        case DELETE:
            String deleteClientId = distroData.getDistroKey().getResourceKey();
            Loggers.DISTRO.info("[Client-Delete] Received distro client sync data {}", deleteClientId);
            clientManager.clientDisconnected(deleteClientId);
            return true;
        default:
            return false;
    }
}

2.1.4 handlerClientSyncData 处理数据:

创建本节点client(对应发送端),集群内对每个节点(除了自己之外)都会建立对应的client 客户端(根据客户端的id 进行区分),后续可以使用其客户端,进行请求的发送;

private void handlerClientSyncData(ClientSyncData clientSyncData) {
    Loggers.DISTRO
            .info("[Client-Add] Received distro client sync data {}, revision={}", clientSyncData.getClientId(),
                    clientSyncData.getAttributes().getClientAttribute(ClientConstants.REVISION, 0L));
    // 创建与发送请求节点服务的client 对象
    clientManager.syncClientConnected(clientSyncData.getClientId(), clientSyncData.getAttributes());
    Client client = clientManager.getClient(clientSyncData.getClientId());
    // 数据更新
    upgradeClient(client, clientSyncData);
}

2.1.5 upgradeClient 数据对比和更新:

先保存发送过来的客户端信息,然后在与本地保存的客户端信息进行对比,剔除掉本地过时的客户端实例信息;

private void upgradeClient(Client client, ClientSyncData clientSyncData) {
    Set<Service> syncedService = new HashSet<>();
    // process batch instance sync logic
    processBatchInstanceDistroData(syncedService, client, clientSyncData);
    List<String> namespaces = clientSyncData.getNamespaces();
    List<String> groupNames = clientSyncData.getGroupNames();
    List<String> serviceNames = clientSyncData.getServiceNames();
    List<InstancePublishInfo> instances = clientSyncData.getInstancePublishInfos();
    
    for (int i = 0; i < namespaces.size(); i++) {
        // 遍历命名空间
        // 组装服务实例
        Service service = Service.newService(namespaces.get(i), groupNames.get(i), serviceNames.get(i));
        // 获取本节点之前已经存在的服务注册实例
        Service singleton = ServiceManager.getInstance().getSingleton(service);
        syncedService.add(singleton);
        // 获取服务实例信息
        InstancePublishInfo instancePublishInfo = instances.get(i);
        if (!instancePublishInfo.equals(client.getInstancePublishInfo(singleton))) {
            // 与本地缓存的 服务实例进行对比
            // 不相同,则在服务实例添加到 改client  下 ConcurrentHashMap<Service, InstancePublishInfo> publishers 中
            client.addServiceInstance(singleton, instancePublishInfo);
            // 发布服务实例注册事件
            NotifyCenter.publishEvent(
                    new ClientOperationEvent.ClientRegisterServiceEvent(singleton, client.getClientId()));
            NotifyCenter.publishEvent(
                    new MetadataEvent.InstanceMetadataEvent(singleton, instancePublishInfo.getMetadataId(), false));
        }
    }
    for (Service each : client.getAllPublishedService()) {
        // 遍历本节点的所有服务注册实例key
        if (!syncedService.contains(each)) {
            // 本节点已经失效的服务注册实例,进行实例异常
            client.removeServiceInstance(each);
            NotifyCenter.publishEvent(
                    new ClientOperationEvent.ClientDeregisterServiceEvent(each, client.getClientId()));
        }
    }
    client.setRevision(clientSyncData.getAttributes().<Integer>getClientAttribute(ClientConstants.REVISION, 0));
}

2.2 服务端节点启动,全量拉取数据:

在这里插入图片描述

集群内某个节点在启动时,全量拉取其它节点的实例信息,进行整理并保存到该节点的实例注册信息中;改部分的工作是在 DistroProtocol 对象构建时通过startLoadTask() 方法进行的;

2.2.1 DistroProtocol对象创建触发全量拉取:

public DistroProtocol(ServerMemberManager memberManager, DistroComponentHolder distroComponentHolder,
        DistroTaskEngineHolder distroTaskEngineHolder) {
    this.memberManager = memberManager;
    this.distroComponentHolder = distroComponentHolder;
    this.distroTaskEngineHolder = distroTaskEngineHolder;
    // 开始任务
    startDistroTask();
}

private void startDistroTask() {
    if (EnvUtil.getStandaloneMode()) {
        isInitialized = true;
        return;
    }
    // 校验的定时任务 每隔5s 发送一次
    startVerifyTask();
    // 启动加载任务
    startLoadTask();
}
private void startLoadTask() {
    DistroCallback loadCallback = new DistroCallback() {
        @Override
        public void onSuccess() {
            isInitialized = true;
        }
        
        @Override
        public void onFailed(Throwable throwable) {
            isInitialized = false;
        }
    };
    // 值执行一次
    GlobalExecutor.submitLoadDataTask(
            new DistroLoadDataTask(memberManager, distroComponentHolder, DistroConfig.getInstance(), loadCallback));
}

2.2.2 DistroLoadDataTask 全量任务的执行:

public DistroLoadDataTask(ServerMemberManager memberManager, DistroComponentHolder distroComponentHolder,
            DistroConfig distroConfig, DistroCallback loadCallback) {
   this.memberManager = memberManager;
    this.distroComponentHolder = distroComponentHolder;
    this.distroConfig = distroConfig;
    this.loadCallback = loadCallback;
    loadCompletedMap = new HashMap<>(1);
}

@Override
public void run() {
    try {
        // 加载
        load();
        if (!checkCompleted()) {
            GlobalExecutor.submitLoadDataTask(this, distroConfig.getLoadDataRetryDelayMillis());
        } else {
            loadCallback.onSuccess();
            Loggers.DISTRO.info("[DISTRO-INIT] load snapshot data success");
        }
    } catch (Exception e) {
        loadCallback.onFailed(e);
        Loggers.DISTRO.error("[DISTRO-INIT] load snapshot data failed. ", e);
    }
}

2.2.3 load 拉取其它节点实例信息:

遍历集群内除了自己的节点,只要有一个节点返回了注册的实例信息就可以进行本节点实例信息的更新;

private void load() throws Exception {
     // 集群内只有自己,不需要加载数据
     while (memberManager.allMembersWithoutSelf().isEmpty()) {
         Loggers.DISTRO.info("[DISTRO-INIT] waiting server list init...");
         TimeUnit.SECONDS.sleep(1);
     }
     // 数据存储对象是否为空
     while (distroComponentHolder.getDataStorageTypes().isEmpty()) {
         Loggers.DISTRO.info("[DISTRO-INIT] waiting distro data storage register...");
         TimeUnit.SECONDS.sleep(1);
     }
     for (String each : distroComponentHolder.getDataStorageTypes()) {
         if (!loadCompletedMap.containsKey(each) || !loadCompletedMap.get(each)) {
             // 从远处加载快照数据
             loadCompletedMap.put(each, loadAllDataSnapshotFromRemote(each));
         }
     }
 }

2.2.4 loadAllDataSnapshotFromRemote 拉取&处理:

向集群中的某一节点发送 DistroDataRequest 事件是 SNAPSHOT,获取到返回的注册实例信息;反序列化得到原始数据,进行改节点的实例信息保存;

2.2.4.1 获取数据和处理:
private boolean loadAllDataSnapshotFromRemote(String resourceType) {
  // 传输代理类
    DistroTransportAgent transportAgent = distroComponentHolder.findTransportAgent(resourceType);
    // 数据处理器
    DistroDataProcessor dataProcessor = distroComponentHolder.findDataProcessor(resourceType);
    if (null == transportAgent || null == dataProcessor) {
        Loggers.DISTRO.warn("[DISTRO-INIT] Can't find component for type {}, transportAgent: {}, dataProcessor: {}",
                resourceType, transportAgent, dataProcessor);
        return false;
    }
    for (Member each : memberManager.allMembersWithoutSelf()) {
        // 遍历集群内其它节点
        long startTime = System.currentTimeMillis();
        try {
            Loggers.DISTRO.info("[DISTRO-INIT] load snapshot {} from {}", resourceType, each.getAddress());
            // 从集群内其它节点获取注册的信息
            DistroData distroData = transportAgent.getDatumSnapshot(each.getAddress());
            Loggers.DISTRO.info("[DISTRO-INIT] it took {} ms to load snapshot {} from {} and snapshot size is {}.",
                    System.currentTimeMillis() - startTime, resourceType, each.getAddress(),
                    getDistroDataLength(distroData));
            // 处理
            boolean result = dataProcessor.processSnapshot(distroData);
            Loggers.DISTRO
                    .info("[DISTRO-INIT] load snapshot {} from {} result: {}", resourceType, each.getAddress(),
                            result);
            if (result) {
                // 设置数据处理完毕标识
                distroComponentHolder.findDataStorage(resourceType).finishInitial();
                return true;
            }
        } catch (Exception e) {
            Loggers.DISTRO.error("[DISTRO-INIT] load snapshot {} from {} failed.", resourceType, each.getAddress(), e);
        }
    }
    return false;
}
2.2.4.2 获取数据:

(1) DistroDataRequest 请求发送获取数据

 @Override
  public DistroData getDatumSnapshot(String targetServer) {
      // 获取集群内改节点信息
      Member member = memberManager.find(targetServer);
      if (checkTargetServerStatusUnhealthy(member)) {
          throw new DistroException(
                  String.format("[DISTRO] Cancel get snapshot caused by target server %s unhealthy", targetServer));
      }
      // 构建 DistroDataRequest 对象
      DistroDataRequest request = new DistroDataRequest();
      request.setDataOperation(DataOperation.SNAPSHOT);
      try {
          // 通过 grpc 发送普通的request 请求
          Response response = clusterRpcClientProxy
                  .sendRequest(member, request, DistroConfig.getInstance().getLoadDataTimeoutMillis());
          if (checkResponse(response)) {
              return ((DistroDataResponse) response).getDistroData();
          } else {
              throw new DistroException(
                      String.format("[DISTRO-FAILED] Get snapshot request to %s failed, code: %d, message: %s",
                              targetServer, response.getErrorCode(), response.getMessage()));
          }
      } catch (NacosException e) {
          throw new DistroException("[DISTRO-FAILED] Get distro snapshot failed! ", e);
      }
  }

(2)集群其它节点接收DistroDataRequest 并处理SNAPSHOT 事件:

DistroDataRequestHandler #handle 负责请求的处理;

@Override
public DistroDataResponse handle(DistroDataRequest request, RequestMeta meta) throws NacosException {
    try {
        // 获取操作类型
        switch (request.getDataOperation()) {
            case VERIFY:
                return handleVerify(request.getDistroData(), meta);
            case SNAPSHOT:
                // 返回改节点下的注册实例信息
                return handleSnapshot();
            case ADD:
            case CHANGE:
            case DELETE:
                // 实例变化类型
                return handleSyncData(request.getDistroData());
            case QUERY:
                return handleQueryData(request.getDistroData());
            default:
                return new DistroDataResponse();
        }
    } catch (Exception e) {
        Loggers.DISTRO.error("[DISTRO-FAILED] distro handle with exception", e);
        DistroDataResponse result = new DistroDataResponse();
        result.setErrorCode(ResponseCode.FAIL.getCode());
        result.setMessage("handle distro request with exception");
        return result;
    }
}

快照信息获取1:

private DistroDataResponse handleSnapshot() {
    DistroDataResponse result = new DistroDataResponse();
    // 获取快照信息
    DistroData distroData = distroProtocol.onSnapshot(DistroClientDataProcessor.TYPE);
    result.setDistroData(distroData);
    return result;
}

    

快照信息获取2:

/**
* Query all datum snapshot.
  *
  * @param type datum type
  * @return all datum snapshot
  */
 public DistroData onSnapshot(String type) {
     DistroDataStorage distroDataStorage = distroComponentHolder.findDataStorage(type);
     if (null == distroDataStorage) {
         Loggers.DISTRO.warn("[DISTRO] Can't find data storage for received key {}", type);
         return new DistroData(new DistroKey("snapshot", type), new byte[0]);
     }
     return distroDataStorage.getDatumSnapshot();
 }

快照信息获取3:

@Override
public DistroData getDatumSnapshot() {
    List<ClientSyncData> datum = new LinkedList<>();
    // 遍历注册的客户端信息
    for (String each : clientManager.allClientId()) {
        Client client = clientManager.getClient(each);
        if (null == client || !client.isEphemeral()) {
            continue;
        }
        datum.add(client.generateSyncData());
    }
    ClientSyncDatumSnapshot snapshot = new ClientSyncDatumSnapshot();
    snapshot.setClientSyncDataList(datum);
    byte[] data = ApplicationUtils.getBean(Serializer.class).serialize(snapshot);
    return new DistroData(new DistroKey(DataOperation.SNAPSHOT.name(), TYPE), data);
}
 @Override
 public ClientSyncData generateSyncData() {
     List<String> namespaces = new LinkedList<>();
     List<String> groupNames = new LinkedList<>();
     List<String> serviceNames = new LinkedList<>();
 
     List<String> batchNamespaces = new LinkedList<>();
     List<String> batchGroupNames = new LinkedList<>();
     List<String> batchServiceNames = new LinkedList<>();
     
     List<InstancePublishInfo> instances = new LinkedList<>();
     List<BatchInstancePublishInfo> batchInstancePublishInfos = new LinkedList<>();
     BatchInstanceData  batchInstanceData = new BatchInstanceData();
     // 遍历改服务端下注册的客户端实例
     for (Map.Entry<Service, InstancePublishInfo> entry : publishers.entrySet()) {
         InstancePublishInfo instancePublishInfo = entry.getValue();
         if (instancePublishInfo instanceof BatchInstancePublishInfo) {
             BatchInstancePublishInfo batchInstance = (BatchInstancePublishInfo) instancePublishInfo;
             batchInstancePublishInfos.add(batchInstance);
             buildBatchInstanceData(batchInstanceData, batchNamespaces, batchGroupNames, batchServiceNames, entry);
             batchInstanceData.setBatchInstancePublishInfos(batchInstancePublishInfos);
         } else {
             namespaces.add(entry.getKey().getNamespace());
             groupNames.add(entry.getKey().getGroup());
             serviceNames.add(entry.getKey().getName());
             instances.add(entry.getValue());
         }
     }
     // 返回当前服务端下注册的所有客户端实例
     ClientSyncData data = new ClientSyncData(getClientId(), namespaces, groupNames, serviceNames, instances, batchInstanceData);
     data.getAttributes().addClientAttribute(REVISION, getRevision());
     return data;
}

2.3 集群节点心跳监测:

篇幅原因,此章节放到 源码篇–Nacos服务–中章(8):Nacos服务端感知客户端实例变更(集群数据校验)-4 ,进行介绍。


总结

本文对Nacos 集群内实例注册的感知,对实例的注册;Nacos 集群节点启动,实例信息的同步进行介绍。

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

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

电脑提示msvcr110.dll文件丢失的常见问题以及解决方案

在使用电脑时突然提示msvcr110.dll文件丢失的问题&#xff0c;这是一个的常见问题接下俩这篇文章将教大家几种以及msvcr110.dll丢失的解决方案&#xff0c;用户可能会遇到一些常见问题&#xff0c;这些问题可能会影响他们的软件运行或系统稳定性。以下是一些常见问题及其解决方…

嵌入式焊接小知识

焊接技巧 直插件焊接 焊接流程&#xff1a; 烙铁头略微加锡同时加热焊盘、管脚&#xff08;1~2秒&#xff09;上锡、离锡烙铁头迅速离开 烙铁头注意事项&#xff1a; 如果焊盘不沾锡&#xff0c;可预先涂一些松香、助焊剂到焊盘烙铁通电时&#xff0c;不要随意放置烙铁头&am…

Vue通过下拉框选择字典值,并将对应的label以及value值提交到后端

产品品种从字典中获取 产品性质也是从字典中获取 字典当中的保存 dict_type表 dict_data表 在表单提交的方法中 1.因为做的产品性质是多选&#xff0c;它会以数组的方式提交&#xff0c;所以需要先将Json格式转变为String JSON.stringify(this.form.nature) 2.提交表单&…

【酱浦菌-模拟仿真】python模拟仿真PN结伏安特性

PN结的伏安特性 PN结的伏安特性描述了PN结在外部电压作用下的电流-电压行为。这种特性通常包括正向偏置和反向偏置两种情况。 正向偏置 当外部电压的正极接到PN结的P型材料&#xff0c;负极接到N型材料时&#xff0c;称为正向偏置。在这种情况下&#xff0c;外加的正向电压会…

Anaconda的环境快速迁移(目前windows,未来更新linux)

摘要&#xff1a; 日常办公经常需要在新机器上部署运行环境并进行代码调试&#xff0c;尤其是在AI迅速发展的今天&#xff0c;python已经成为了强有力的AI领域编程语言之一。为了方便对不同windows下python代码工程进行快速部署。本文主要从工具环境的安装、原环境的快速打包、…

消灭AI“耗电巨兽”?暴雨服务器推出液冷节能降耗算力方案

在科技飞速发展的今天&#xff0c;人工智能已成为驱动未来的重要力量。随着AI及大模型技术的进一步普及和应用场景的拓宽&#xff0c;相关算力需求呈指数级增长&#xff0c;大规模的AI训练和推理过程均需消耗大量电力&#xff0c;如同一个巨大的电力黑洞&#xff0c;吞噬着海量…

【云原生】Docker 实践(一):在 Docker 中部署第一个应用

Docker 实践&#xff08;一&#xff09;&#xff1a;在 Docker 中部署第一个应用 1.使用 YUM 方式安装 Docker2.验证 Docker 环境3.在 Docker 中部署第一个应用3.1 小插曲&#xff1a;docker pull 报 missing signature key 错误3.2 重新安装 Nginx 1.使用 YUM 方式安装 Docker…

QT学习之QtXlsx

背景&#xff1a; 本来我是想提取xml中的信息存在xlsx文件中的&#xff0c;网上很多说是使用QtXlsx&#xff1b; 于是我找了一些帖&#xff0c; 像&#xff1a;https://www.cnblogs.com/liming19680104/p/14398459.html&#xff1b; 大家的说法都是安装第三方库到QT中&#xff…

Linux内存相关名词介绍

在日常的问题排查过程中&#xff0c;Linux内存相关的问题也非常多&#xff0c;OOM、内存泄漏 都是比较头疼的而且非常常见一些问题。如下图&#xff0c;我们都知道Linux 内存将内存做了以下划分(如: Node、Zone、Page)&#xff0c;这里我们先简单看一些内存相关的名词解释。 …

「中标喜报」合众致达中标深圳安居乐寓智能水电表供货及安装项目

2024年4月25日&#xff0c;深圳合众致达科技有限公司(以下简称“我司”)成功中标安居乐寓2023盐田区保障性租赁住房改造提升项目的水电表供货与安装工程(二次)项目&#xff0c;此次中标标志着我司在城中村公寓出租房能源计费领域的专业实力及市场竞争力得到了进一步的认可。 我…

手搓数组栈(C语言)

stack.h #pragma once#include <stdio.h> #include <stdlib.h> #include <assert.h> #include <stdbool.h> // 支持动态增长的栈 typedef int STDataType; typedef struct Stack {STDataType* a;int top; // 栈顶int capacity; // 容量 }Stack; //…

我们自己的芯片指令集架构——龙芯架构简介

CPU指令集架构&#xff08;ISA, Instruction Set Architecture&#xff09; CPU指令集架构是处理器硬件与软件之间的接口规范&#xff0c;它定义了一组基本指令&#xff0c;以及这些指令的操作格式、编码方式、寻址模式、寄存器组织、中断机制、异常处理等各个方面。ISA是计算…

MySQL中的并发控制,读写锁,和锁的粒度

MySQL中的并发控制&#xff0c;读写锁&#xff0c;和锁的粒度 并发控制的概述 在数据库系统中&#xff0c;并发控制是一种用于确保当多个用户同时访问数据库时&#xff0c;系统能够提供数据的一致性和隔离性的机制。MySQL支持多种并发控制技术&#xff0c;其中包括锁机制、多…

Unity镂空图像做法

问题和解决方案 现在要完成一个需求&#xff0c;即镂空中间部分的image&#xff0c;外围image可以定义颜色并可选屏蔽点击&#xff0c;而中间的image需要透明且可以穿透&#xff0c;必须不能屏蔽点击。 由此拆分成了两个问题&#xff1a; 1.定义外围image颜色&#xff0c;内…

力扣数据库题库学习(4.25日)

1484. 按日期分组销售产品 问题链接 思路与分析 编写解决方案找出每个日期、销售的不同产品的数量及其名称。 每个日期的销售产品名称应按词典序排列。 返回按 sell_date 排序的结果表。我来分析一下&#xff0c;这里的题目要求其实就是统计不同日期下的销售产品数&#xf…

什么是域名解析?域名解析的完整流程是什么?如何清理DNS缓存?(附源码)

目录 1、什么是域名&#xff1f; 2、为什么使用域名&#xff1f; 3、域名解析的完整流程 4、调用gethostbyname系统接口将域名解析成IP地址 5、为什么需要清理系统DNS缓存&#xff1f; 6、使用cmd命令清理DNS缓存 7、通过代码去清除系统DNS缓存 C软件异常排查从入门到精…

Ubuntu 24.04 LTS (Noble Numbat) 正式版发布

Ubuntu 24.04 LTS (Noble Numbat) 正式版发布 Canonical 的第 10 个长期支持版本在性能工程、企业安全和开发人员体验方面树立了新标准 请访问原文链接&#xff1a;Ubuntu 24.04 LTS (Noble Numbat) 正式版发布&#xff0c;查看最新版。原创作品&#xff0c;转载请保留出处。…

Pytest切换测试环境:使用hooks函数、pytest-base-url插件

Pytest切换测试环境&#xff1a;使用hooks函数、pytest-base-url插件 1.使用hooks函数2.使用pytest-base-url插件安装pytest-base-url使用 1.使用hooks函数 # conftest.py#Initialization hooks 初始化钩子: 添加自定义命令行选项 def pytest_addoption(parser):parser.addopt…

一、OSPF基础

目录 1.路由协议的优先级 2.转发原则&#xff1a;最长匹配原则 3.负载分担 4.路由备份&#xff08;浮动路由&#xff09; 5.路由协议的分类 6.动态路由 7.距离矢量路由协议&#xff08;BGP&#xff0c;RIP&#xff09; 8.链路状态路由协议&#xff08;OSPF&#xff0c;I…

Vue3框架

Vue3框架 一.使用create-vue搭建Vue3项目二.组合式API - setup选项1.setup选项的写法和执行时机2.setup中写代码的特点3. script setup 语法糖 三.组合式API - reactive和ref函数1. reactive2. ref3. reactive 对比 ref 四.组合式API - computed五.组合式API - watch1. 侦听单个…