书生·浦语大模型LagentAgentLego智能体应用搭建 第二期

文章目录

  • 智能体概述
    • 智能体的定义
    • 智能体组成
    • 智能体范式
  • 环境配置
  • Lagent:轻量级智能体框架实战
    • Lagent Web Demo
    • 用 Lagent 自定义工具
  • AgentLego:组装智能体“乐高”
    • 直接使用AgentLego
    • 作为智能体工具使用
  • 用 AgentLego 自定义工具

智能体概述

智能体的定义

智能体的定义包括三点:环境感知、动作、理解决策。

  • 可以感知环境中的动态条件;
  • 能采取动作影响环境;
  • 能运用推理能力理解信息、解决问题、产生推断、决定动作。

智能体组成

智能体组成包括大脑、感知和动作:

  • 大脑:作为控制器,承担记忆、思考和决策任务。接受来自感知模块的信息,并采取相应的动作
  • 感知:对外部环境的多模态信息进行感知和处理。包括但不限于图像、音频、视频、传感器等
  • 动作:利用并执行工具以影响环境。工具可能包括文本的检索、调用相关API、操控机械臂等

智能体范式

精典的智能体范式包括AutoGPT、ReWoo、ReAct

  • AutoGPT
    在这里插入图片描述
  • ReWoo
    在这里插入图片描述

环境配置

  • 创建开发机
    在创建开发机界面选择镜像为 Cuda12.2-conda,并选择 GPU 为30% A100。
    在这里插入图片描述

  • 创建一个agent的虚拟环境

    studio-conda -t agent -o pytorch-2.1.2
    
  • 安装Lagent和AgentLego
    Lagent 和 AgentLego 都提供了两种安装方法,一种是通过 pip 直接进行安装,另一种则是从源码进行安装。为了方便使用 Lagent 的 Web Demo 以及 AgentLego 的 WebUI,我们选择直接从源码进行安装。 此处附上源码安装的相关帮助文档:

    cd /root/agent
    conda activate agent
    git clone https://gitee.com/internlm/lagent.git
    cd lagent && git checkout 581d9fb && pip install -e . && cd ..
    git clone https://gitee.com/internlm/agentlego.git
    cd agentlego && git checkout 7769e0d && pip install -e . && cd ..
    
  • 安装其他依赖
    在这一步中,我们将会安装其他将要用到的依赖库,如 LMDeploy,可以执行如下命令:

    conda activate agent
    pip install lmdeploy==0.3.0
    
  • 准备Tutorial
    由于后续的 Demo 需要用到 tutorial 已经写好的脚本,因此我们需要将 tutorial 通过 git clone 的方法准备好,以备后续使用:

    cd /root/agent
    git clone -b camp2 https://gitee.com/internlm/Tutorial.git
    

Lagent:轻量级智能体框架实战

Lagent Web Demo

  • 使用LMDeploy部署
    由于 Lagent 的 Web Demo 需要用到 LMDeploy 所启动的 api_server,因此我们首先按照下图指示在 vscode terminal 中执行如下代码使用 LMDeploy 启动一个 api_server。

    conda activate agent
    lmdeploy serve api_server /root/share/new_models/Shanghai_AI_Laboratory/internlm2-chat-7b \
                                --server-name 127.0.0.1 \
                                --model-name internlm2-chat-7b \
                                --cache-max-entry-count 0.1
    
  • 启动并使用 Lagent Web Demo
    接下来我们按照下图指示新建一个 terminal 以启动 Lagent Web Demo。在新建的 terminal 中执行如下指令:

    conda activate agent
    cd /root/agent/lagent/examples
    streamlit run internlm2_agent_web_demo.py --server.address 127.0.0.1 --server.port 7860
    
  • 在本地进行端口映射,详细映射过程见书生·浦语大模型InternLM-Chat-1.8B 智能对话 Demo 第二期 的运行Demo

    ssh -CNg -L 7860:127.0.0.1:7860 -L 23333:127.0.0.1:23333 root@ssh.intern-ai.org.cn -p 你的 ssh 端口号
    
  • 在本地的浏览器页面中打开 http://localhost:7860 以使用 Lagent Web Demo。首先输入模型 IP 为 127.0.0.1:23333,在输入完成后按下回车键以确认。并选择插件为 ArxivSearch,以让模型获得在 arxiv 上搜索论文的能力。
    在这里插入图片描述

用 Lagent 自定义工具

在本节中,我们将基于 Lagent 自定义一个工具。Lagent 中关于工具部分的介绍文档位于 https://lagent.readthedocs.io/zh-cn/latest/tutorials/action.html 。使用 Lagent 自定义工具主要分为以下几步:
1.继承 BaseAction 类
2.实现简单工具的 run 方法;或者实现工具包内每个子工具的功能
3.简单工具的 run 方法可选被 tool_api 装饰;工具包内每个子工具的功能都需要被 tool_api 装饰

  • 创建工具文件
    使用下列命令新建一个工具文件weather.py,内容如下

      ```powershell
      touch /root/agent/lagent/lagent/actions/weather.py
      ```
    
    import json
    import os
    import requests
    from typing import Optional, Type
    
    from lagent.actions.base_action import BaseAction, tool_api
    from lagent.actions.parser import BaseParser, JsonParser
    from lagent.schema import ActionReturn, ActionStatusCode
    
    class WeatherQuery(BaseAction):
        """Weather plugin for querying weather information."""
        
        def __init__(self,
                     key: Optional[str] = None,
                     description: Optional[dict] = None,
                     parser: Type[BaseParser] = JsonParser,
                     enable: bool = True) -> None:
            super().__init__(description, parser, enable)
            key = os.environ.get('WEATHER_API_KEY', key)
            if key is None:
                raise ValueError(
                    'Please set Weather API key either in the environment '
                    'as WEATHER_API_KEY or pass it as `key`')
            self.key = key
            self.location_query_url = 'https://geoapi.qweather.com/v2/city/lookup'
            self.weather_query_url = 'https://devapi.qweather.com/v7/weather/now'
    
        @tool_api
        def run(self, query: str) -> ActionReturn:
            """一个天气查询API。可以根据城市名查询天气信息。
            
            Args:
                query (:class:`str`): The city name to query.
            """
            tool_return = ActionReturn(type=self.name)
            status_code, response = self._search(query)
            if status_code == -1:
                tool_return.errmsg = response
                tool_return.state = ActionStatusCode.HTTP_ERROR
            elif status_code == 200:
                parsed_res = self._parse_results(response)
                tool_return.result = [dict(type='text', content=str(parsed_res))]
                tool_return.state = ActionStatusCode.SUCCESS
            else:
                tool_return.errmsg = str(status_code)
                tool_return.state = ActionStatusCode.API_ERROR
            return tool_return
        
        def _parse_results(self, results: dict) -> str:
            """Parse the weather results from QWeather API.
            
            Args:
                results (dict): The weather content from QWeather API
                    in json format.
            
            Returns:
                str: The parsed weather results.
            """
            now = results['now']
            data = [
                f'数据观测时间: {now["obsTime"]}',
                f'温度: {now["temp"]}°C',
                f'体感温度: {now["feelsLike"]}°C',
                f'天气: {now["text"]}',
                f'风向: {now["windDir"]},角度为 {now["wind360"]}°',
                f'风力等级: {now["windScale"]},风速为 {now["windSpeed"]} km/h',
                f'相对湿度: {now["humidity"]}',
                f'当前小时累计降水量: {now["precip"]} mm',
                f'大气压强: {now["pressure"]} 百帕',
                f'能见度: {now["vis"]} km',
            ]
            return '\n'.join(data)
    
        def _search(self, query: str):
            # get city_code
            try:
                city_code_response = requests.get(
                    self.location_query_url,
                    params={'key': self.key, 'location': query}
                )
            except Exception as e:
                return -1, str(e)
            if city_code_response.status_code != 200:
                return city_code_response.status_code, city_code_response.json()
            city_code_response = city_code_response.json()
            if len(city_code_response['location']) == 0:
                return -1, '未查询到城市'
            city_code = city_code_response['location'][0]['id']
            # get weather
            try:
                weather_response = requests.get(
                    self.weather_query_url,
                    params={'key': self.key, 'location': city_code}
                )
            except Exception as e:
                return -1, str(e)
            return weather_response.status_code, weather_response.json()
    
  • 获取 API KEY

    • 获取天气查询服务的 API KEY,打开 https://dev.qweather.com/docs/api/ 后,点击控制台登入
      在这里插入图片描述
    • 在首页中我的项目点击创建
      在这里插入图片描述
    • 输入项目名称,选择免费订阅、Web API,输入KEY的名称,点击创建
      在这里插入图片描述
    • 创建好后,在项目管理中查看 KEY,并复制下来
      在这里插入图片描述
  • 体验自定义工具效果

    • 使用 LMDeploy 启动一个 api_server

      conda activate agent
      lmdeploy serve api_server /root/share/new_models/Shanghai_AI_Laboratory/internlm2-chat-7b \
                                  --server-name 127.0.0.1 \
                                  --model-name internlm2-chat-7b \
                                  --cache-max-entry-count 0.1
      
    • 新建一个 terminal 以启动 Lagent Web Demo

      export WEATHER_API_KEY=获取的API KEY
      # 比如 export WEATHER_API_KEY=1234567890abcdef
      conda activate agent
      cd /root/agent/Tutorial/agent
      streamlit run internlm2_weather_web_demo.py --server.address 127.0.0.1 --server.port 7860
      
    • 在本地进行端口映射

      ssh -CNg -L 7860:127.0.0.1:7860 -L 23333:127.0.0.1:23333 root@ssh.intern-ai.org.cn -p 你的 ssh 端口号
      

    Demo体验如下:
    在这里插入图片描述

AgentLego:组装智能体“乐高”

直接使用AgentLego

  • 准备一张图片:直接使用下面命令下载

    cd /root/agent
    wget http://download.openmmlab.com/agentlego/road.jpg
    
  • 安装检测依赖
    由于 AgentLego 在安装时并不会安装某个特定工具的依赖,因此我们接下来准备安装目标检测工具运行时所需依赖。
    AgentLego 所实现的目标检测工具是基于 mmdet (MMDetection) 算法库中的 RTMDet-Large 模型,因此我们首先安装 mim,然后通过 mim 工具来安装 mmdet。这一步所需时间可能会较长,请耐心等待。

    conda activate agent
    pip install openmim==0.3.9
    mim install mmdet==3.3.0
    
  • 在/root/agent创建一个direct_use.py文件,复制一下代码

    import re
    
    import cv2
    from agentlego.apis import load_tool
    
    # load tool
    tool = load_tool('ObjectDetection', device='cuda')
    
    # apply tool
    visualization = tool('/root/agent/road.jpg')
    print(visualization)
    
    # visualize
    image = cv2.imread('/root/agent/road.jpg')
    
    preds = visualization.split('\n')
    pattern = r'(\w+) \((\d+), (\d+), (\d+), (\d+)\), score (\d+)'
    
    for pred in preds:
        name, x1, y1, x2, y2, score = re.match(pattern, pred).groups()
        x1, y1, x2, y2, score = int(x1), int(y1), int(x2), int(y2), int(score)
        cv2.rectangle(image, (x1, y1), (x2, y2), (0, 255, 0), 1)
        cv2.putText(image, f'{name} {score}', (x1, y1), cv2.FONT_HERSHEY_SIMPLEX, 0.8, (0, 255, 0), 1)
    
    cv2.imwrite('/root/agent/road_detection_direct.jpg', image)
    
  • 执行 direct_use.py 及可以实现检测
    在这里插入图片描述

作为智能体工具使用

  • 修改模型配置
    由于 AgentLego 算法库默认使用 InternLM2-Chat-20B 模型,因此我们首先需要修改 /root/agent/agentlego/webui/modules/agents/lagent_agent.py 文件的第 105行位置,将 internlm2-chat-20b 修改为 internlm2-chat-7b,即

    def llm_internlm2_lmdeploy(cfg):
        url = cfg['url'].strip()
        llm = LMDeployClient(
    -         model_name='internlm2-chat-20b',
    +         model_name='internlm2-chat-7b',
            url=url,
            meta_template=INTERNLM2_META,
            top_p=0.8,
            top_k=100,
            temperature=cfg.get('temperature', 0.7),
            repetition_penalty=1.0,
            stop_words=['<|im_end|>'])
        return llm
    
  • 使用LMDeploy部署
    由于 AgentLego 的 WebUI 需要用到 LMDeploy 所启动的 api_server,因此我们首先按照下图指示在 vscode terminal 中执行如下代码使用 LMDeploy 启动一个 api_server。

    conda activate agent
    lmdeploy serve api_server /root/share/new_models/Shanghai_AI_Laboratory/internlm2-chat-7b \
                                --server-name 127.0.0.1 \
                                --model-name internlm2-chat-7b \
                                --cache-max-entry-count 0.1
    
  • 启动AgentLego WebUI
    接下来我们按照下图指示新建一个 terminal 以启动 AgentLego WebUI。在新建的 terminal 中执行如下指令:

    conda activate agent
    cd /root/agent/agentlego/webui
    python one_click.py
    

    在等待 LMDeploy 的 api_server 与 AgentLego WebUI 完全启动后(如下图所示),在本地进行端口映射,将 LMDeploy api_server 的23333端口以及 AgentLego WebUI 的7860端口映射到本地。可以执行:详细步骤见基于InternLM 和 LangChain 搭建你的知识库Demo 的web部署部分

    ssh -CNg -L 7860:127.0.0.1:7860 -L 23333:127.0.0.1:23333 root@ssh.intern-ai.org.cn -p 你的 ssh 端口号
    
  • 使用 AgentLego WebUI

    • 配置Agent
      在本地的浏览器页面中打开 http://localhost:7860 以使用 AgentLego WebUI。首先来配置 Agent,如下图所示:
      • 点击上方 Agent 进入 Agent 配置页面。
      • 点击 Agent 下方框,选择 New Agent。
      • 选择 Agent Class 为 lagent.InternLM2Agent。
      • 输入模型 URL 为 http://127.0.0.1:23333 。
      • 输入 Agent name,自定义即可,图中输入了 internlm2。
      • 点击 save to 以保存配置,这样在下次使用时只需在第2步时选择 Agent 为 internlm2 后点击 load 以加载就可以了。
      • 点击 load 以加载配置。(如⑦所示)
        在这里插入图片描述
        在这里插入图片描述
  • 配置tool

    • 点击上方 Tools 页面进入工具配置页面。
    • 点击 Tools 下方框,选择 New Tool 以加载新工具。
    • 选择 Tool Class 为 ObjectDetection。
    • 点击 save 以保存配置。
      在这里插入图片描述
  • 选择工具
    等待工具加载完成后,点击上方 Chat 以进入对话页面。在页面下方选择工具部分只选择 ObjectDetection 工具,如下图所示。为了确保调用工具的成功率,请在使用时确保仅有这一个工具启用。
    在这里插入图片描述

  • 结果展示
    在这里插入图片描述

用 AgentLego 自定义工具

  • 创建工具文件
    首先通过 touch /root/agent/agentlego/agentlego/tools/magicmaker_image_generation.py(大小写敏感)的方法新建工具文件。该文件的内容如下:

    import json
    import requests
    
    import numpy as np
    
    from agentlego.types import Annotated, ImageIO, Info
    from agentlego.utils import require
    from .base import BaseTool
    
    
    class MagicMakerImageGeneration(BaseTool):
    
        default_desc = ('This tool can call the api of magicmaker to '
                        'generate an image according to the given keywords.')
    
        styles_option = [
            'dongman',  # 动漫
            'guofeng',  # 国风
            'xieshi',   # 写实
            'youhua',   # 油画
            'manghe',   # 盲盒
        ]
        aspect_ratio_options = [
            '16:9', '4:3', '3:2', '1:1',
            '2:3', '3:4', '9:16'
        ]
    
        @require('opencv-python')
        def __init__(self,
                     style='guofeng',
                     aspect_ratio='4:3'):
            super().__init__()
            if style in self.styles_option:
                self.style = style
            else:
                raise ValueError(f'The style must be one of {self.styles_option}')
            
            if aspect_ratio in self.aspect_ratio_options:
                self.aspect_ratio = aspect_ratio
            else:
                raise ValueError(f'The aspect ratio must be one of {aspect_ratio}')
    
        def apply(self,
                  keywords: Annotated[str,
                                      Info('A series of Chinese keywords separated by comma.')]
            ) -> ImageIO:
            import cv2
            response = requests.post(
                url='https://magicmaker.openxlab.org.cn/gw/edit-anything/api/v1/bff/sd/generate',
                data=json.dumps({
                    "official": True,
                    "prompt": keywords,
                    "style": self.style,
                    "poseT": False,
                    "aspectRatio": self.aspect_ratio
                }),
                headers={'content-type': 'application/json'}
            )
            image_url = response.json()['data']['imgUrl']
            image_response = requests.get(image_url)
            image = cv2.cvtColor(cv2.imdecode(np.frombuffer(image_response.content, np.uint8), cv2.IMREAD_COLOR),cv2.COLOR_BGR2RGB)
            return ImageIO(image)
    
  • 注册新工具
    接下来修改 /root/agent/agentlego/agentlego/tools/init.py 文件,将我们的工具注册在工具列表中。如下所示,我们将 MagicMakerImageGeneration 通过 from .magicmaker_image_generation import MagicMakerImageGeneration 导入到了文件中,并且将其加入了 all 列表中。

    from .base import BaseTool
    from .calculator import Calculator
    from .func import make_tool
    from .image_canny import CannyTextToImage, ImageToCanny
    from .image_depth import DepthTextToImage, ImageToDepth
    from .image_editing import ImageExpansion, ImageStylization, ObjectRemove, ObjectReplace
    from .image_pose import HumanBodyPose, HumanFaceLandmark, PoseToImage
    from .image_scribble import ImageToScribble, ScribbleTextToImage
    from .image_text import ImageDescription, TextToImage
    from .imagebind import AudioImageToImage, AudioTextToImage, AudioToImage, ThermalToImage
    from .object_detection import ObjectDetection, TextToBbox
    from .ocr import OCR
    from .scholar import *  # noqa: F401, F403
    from .search import BingSearch, GoogleSearch
    from .segmentation import SegmentAnything, SegmentObject, SemanticSegmentation
    from .speech_text import SpeechToText, TextToSpeech
    from .translation import Translation
    from .vqa import VQA
    + from .magicmaker_image_generation import MagicMakerImageGeneration
    
    __all__ = [
        'CannyTextToImage', 'ImageToCanny', 'DepthTextToImage', 'ImageToDepth',
        'ImageExpansion', 'ObjectRemove', 'ObjectReplace', 'HumanFaceLandmark',
        'HumanBodyPose', 'PoseToImage', 'ImageToScribble', 'ScribbleTextToImage',
        'ImageDescription', 'TextToImage', 'VQA', 'ObjectDetection', 'TextToBbox', 'OCR',
        'SegmentObject', 'SegmentAnything', 'SemanticSegmentation', 'ImageStylization',
        'AudioToImage', 'ThermalToImage', 'AudioImageToImage', 'AudioTextToImage',
        'SpeechToText', 'TextToSpeech', 'Translation', 'GoogleSearch', 'Calculator',
    -     'BaseTool', 'make_tool', 'BingSearch'
    +     'BaseTool', 'make_tool', 'BingSearch', 'MagicMakerImageGeneration'
    ]
    
  • 体验自定义工具效果
    与上章节的作为智能体工具使用运行启动步骤是一样的

    conda activate agent
    lmdeploy serve api_server /root/share/new_models/Shanghai_AI_Laboratory/internlm2-chat-7b \
                                --server-name 127.0.0.1 \
                                --model-name internlm2-chat-7b \
                                --cache-max-entry-count 0.1
    
    conda activate agent
    cd /root/agent/agentlego/webui
    python one_click.py
    

    并在本地执行如下操作以进行端口映射:

    ssh -CNg -L 7860:127.0.0.1:7860 -L 23333:127.0.0.1:23333 root@ssh.intern-ai.org.cn -p 你的 ssh 端口号
    
  • 运行结果
    在这里插入图片描述

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

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

相关文章

aardio - 【库】lock 跨进程读写锁

import win.ui; /*DSG{{*/ var winform win.form(text"aardio form";right272;bottom203;topmost1) winform.add( button{cls"button";text"无锁演示";left27;top132;right120;bottom184;z2}; button2{cls"button";text"有锁演示…

邀请函 | 人大金仓邀您相聚第十三届中国国际国防电子展览会

盛夏六月 备受瞩目的 第十三届中国国际国防电子展览会 将于6月26日至28日 在北京国家会议中心盛大举办 作为数据库领域国家队 人大金仓 将携系列行业解决方案 和创新实践成果亮相 期待您莅临指导 ↓↓↓↓↓↓ CIDEX 2024 中国国际国防电子展览会&#xff08;简称CIDEX&#xf…

Linux环境搭建之CentOS7(包含静态IP配置)

&#x1f525; 本文由 程序喵正在路上 原创&#xff0c;CSDN首发&#xff01; &#x1f496; 系列专栏&#xff1a;虚拟机 &#x1f320; 首发时间&#xff1a;2024年6月22日 &#x1f98b; 欢迎关注&#x1f5b1;点赞&#x1f44d;收藏&#x1f31f;留言&#x1f43e; 安装VMw…

在scrapy中使用Selector提取数据

经院吉吉&#xff1a; 首先说明一下&#xff0c;在scrapy中使用选择器是基于Selector这个对象滴&#xff0c;selector对象在scrapy中通过XPATH或是CSS来提取数据的&#xff0c;我们可以自己创建selector对象&#xff0c;但在实际开发中我们不需要这样做&#xff0c;因为respons…

【Linux系统】多线程

本篇博客继上一篇《线程与线程控制》&#xff0c;又整理了多线程相关的线程安全问题、互斥与锁、同步与条件变量、生产消费模型、线程池等内容&#xff0c;旨在让读者更加深刻地理解线程和初步掌握多线程编程。&#xff08;欲知线程的相关概念、线程控制的相关接口等&#xff0…

基于SpringBoot+协同过滤算法的家政服务平台设计和实现(源码+LW+调试文档+讲解等)

&#x1f497;博主介绍&#xff1a;✌全网粉丝10W,CSDN作者、博客专家、全栈领域优质创作者&#xff0c;博客之星、平台优质作者、专注于Java、小程序技术领域和毕业项目实战✌&#x1f497; &#x1f31f;文末获取源码数据库&#x1f31f; 感兴趣的可以先收藏起来&#xff0c;…

小米红米全机型TWRP下载刷入教程-获取root权限--支持小米14/红米K7Pro/红米Turbo3等机型

刷机注意&#xff1a; 本教程为小米红米全机型专用TWRP_Recovery合集&#xff0c;ROM乐园独家首发整理。请确保你的电脑能正确连接你的手机&#xff0c;小米红米手机需要解锁BL&#xff0c;请参照下面教程 小米MIUI澎湃OS解锁BL教程&#xff1a;小米手机官方解锁BootLoader图文…

Python发送Email的性能怎么样?如何配置?

Python发送Email怎么配置SMTP&#xff1f;批发邮件的方法技巧&#xff1f; Python是一种广泛使用的编程语言&#xff0c;因其简洁和强大的功能深受开发者喜爱。在许多应用场景中&#xff0c;Python发送Email是一个常见需求。那么&#xff0c;Python发送Email的性能怎么样呢&am…

【SpringBoot】Spring Boot 中高级特性详解

文章目录 1. 异步处理1.1 什么是异步处理&#xff1f;1.2 实现异步处理1.2.1 启用异步支持1.2.2 使用 Async 注解1.2.3 调用异步方法 2. 安全管理2.1 Spring Security 集成2.2 基础安全配置2.2.1 添加依赖2.2.2 默认配置2.2.3 自定义用户认证 3. 监控和调试3.1 Spring Boot Act…

fastapi教程(一):初识 fastapi

FastAPI 是一个用于构建 API 的现代、快速&#xff08;高性能&#xff09;的 web 框架&#xff0c;使用 Python 并基于标准的 Python 类型提示。 关键特性: 快速&#xff1a;可与 NodeJS 和 Go 并肩的极高性能&#xff08;归功于 Starlette 和 Pydantic&#xff09;。最快的 …

Excel 如何复制单元格而不换行

1. 打开excle, sheet1右键单击>查看代码>插入>模块 输入代码 Sub CopyText() Updated by NirmalDim xAutoWrapper As ObjectSet xAutoWrapper New DataObject or GetObject("New:{1C3B4210-F441-11CE-B9EA-00AA006B1A69}")xAutoWrapper.SetText ActiveC…

数据库精选题(一)(关系数据库设计)

&#x1f308; 个人主页&#xff1a;十二月的猫-CSDN博客 &#x1f525; 系列专栏&#xff1a; &#x1f3c0;数据库 &#x1f4aa;&#x1f3fb; 十二月的寒冬阻挡不了春天的脚步&#xff0c;十二点的黑夜遮蔽不住黎明的曙光 目录 前言 练习题 题型一&#xff1a;判断关系…

【CV炼丹师勇闯力扣训练营 Day8】

CV炼丹师勇闯力扣训练营 代码随想录算法训练营第8天 ● 344.反转字符串 ● 541. 反转字符串II ● 卡码网&#xff1a;54.替换数字 一、344 反转字符串 编写一个函数&#xff0c;其作用是将输入的字符串反转过来。输入字符串以字符数组 s 的形式给出。 不要给另外的数组分配额…

Redis实战—Redis分布式锁

本博客为个人学习笔记&#xff0c;学习网站与详细见&#xff1a;黑马程序员Redis入门到实战 P56 - P63 目录 分布式锁介绍 基于Redis的分布式锁 Redis锁代码实现 修改业务代码 分布式锁误删问题 分布式锁原子性问题 Lua脚本 编写脚本 代码优化 总结 分布式锁介绍…

【技巧】Leetcode 201. 数字范围按位与【中等】

数字范围按位与 给你两个整数 left 和 right &#xff0c;表示区间 [left, right] &#xff0c;返回此区间内所有数字 按位与 的结果&#xff08;包含 left 、right 端点&#xff09;。 示例 1&#xff1a; 输入&#xff1a;left 5, right 7 输出&#xff1a;4 解题思路 …

vscode禅模式怎么退出

1、如何进入禅模式&#xff1a;查看--外观--禅模式 2、退出禅模式 按二次ESC&#xff0c;就可以退出。

公共 IP 地址和私有 IP 地址的区别总结

什么是IP地址&#xff1f; IP 地址&#xff0c;即互联网协议地址&#xff08;Internet Protocol Address&#xff09;&#xff0c;是网络设备在网络中进行通信的标识。IP 地址可以看作是设备在网络中的“地址”&#xff0c;有助于数据包在网络中找到正确的接收端。IP 地址主要…

计算机系统基础实训七-MallocLab实验

实验目的与要求 1、让学生理解动态内存分配的工作原理&#xff1b; 2、让学生应用指针、系统级编程的相关知识&#xff1b; 3、让学生应用各种动态内存分配器的实现方法&#xff1b; 实验原理与内容 &#xff08;1&#xff09;动态内存分配器基本原理 动态内存分配器维护…

外包IT运维解决方案

随着企业信息化进程的不断深入&#xff0c;IT系统的复杂性和重要性日益增加。高效的IT运维服务对于保证业务连续性、提升企业竞争力至关重要。外包IT运维解决方案通过专业的服务和技术支持&#xff0c;帮助企业降低运维成本、提高运维效率和服务质量。 本文结合《外包IT运维解…

咖啡事故,上海Manner咖啡店,1天两起店员和顾客发生冲突

上海咖啡店Manner&#xff0c;一天的时间竟然发生两起店员和员工发生肢体冲突&#xff1a; 事情详情&#xff1a; Manner威海路716店事件: 店员泼顾客咖啡粉&#xff0c;随后被辞退品牌方回应媒体&#xff0c;表示将严肃处理Manner梅花路门店事件:顾客因等待时间长抱怨&…