Laravel对接SLS日志服务

news2024/11/23 14:53:05

Laravel对接SLS日志服务(写入和读取)

1、下载阿里云的sdk

#通过composer下载
composer require  alibabacloud/aliyun-log-php-sdk

#对应的git仓库 
https://github.com/aliyun/aliyun-log-php-sdk

2、创建sdk请求的service

<?php

namespace App\Services;

use Aliyun_Log_Client;
use Aliyun_Log_Models_LogItem;
use Aliyun_Log_Models_PutLogsRequest;
use Aliyun_Log_Models_GetLogsRequest;
use Aliyun_Log_Models_GetHistogramsRequest;
use Exception;
use Illuminate\Support\Facades\Log;

class SLSTimeSeriesService
{
    protected $client;
    protected $project;
    protected $logstore;

    public function __construct()
    {
        // 从配置中获取凭证
        $endpoint = env('ALIYUN_SLS_ENDPOINT');
        $accessKeyId = env('ALIYUN_ACCESS_KEY_ID');
        $accessKeySecret = env('ALIYUN_ACCESS_KEY_SECRET');

        // 验证配置
        if (!$endpoint || !$accessKeyId || !$accessKeySecret) {
            throw new Exception('SLS configuration is missing');
        }

        // 初始化客户端
        $this->client = new Aliyun_Log_Client($endpoint, $accessKeyId, $accessKeySecret);
        $this->project = env('ALIYUN_SLS_PROJECT');
        $this->logstore = env('ALIYUN_SLS_LOGSTORE');
    }


    /**
     * 查询日志(带分页和排序)
     */
    public function getLogs($query = '', $from = null, $to = null, $page = 1, $perPage = 10, $sort = 'desc', $sortField = '__time__')
    {
        try {
            $from = $from ?: time() - 3600;
            $to = $to ?: time();

            // 计算偏移量
            $offset = ($page - 1) * $perPage;

            // 获取总数
            $histogramRequest = new Aliyun_Log_Models_GetHistogramsRequest(
                $this->project,
                $this->logstore,
                $from,
                $to,
                '',
                $query ?: '*'
            );

            $histogramResponse = $this->client->getHistograms($histogramRequest);
            $total = $histogramResponse->getTotalCount();

            // 创建日志查询请求
            $request = new Aliyun_Log_Models_GetLogsRequest(
                $this->project,
                $this->logstore,
                $from,
                $to,
                '',
                $query ?: '*',
                1000,  // 先获取较多数据以便排序
                0,
                true
            );

            // 执行查询
            $response = $this->client->getLogs($request);
            $logs = $response->getLogs();

            // 处理日志数据
            $formattedLogs = [];
            foreach ($logs as $log) {
                $contents = $log->getContents();
                $contents['log_time'] = date('Y-m-d H:i:s', $log->getTime());
                $formattedLogs[] = $contents;
            }

            // 自定义排序
            if ($sortField !== '__time__') {
                usort($formattedLogs, function($a, $b) use ($sortField, $sort) {
                    // 确保字段存在
                    $valueA = isset($a[$sortField]) ? $a[$sortField] : '';
                    $valueB = isset($b[$sortField]) ? $b[$sortField] : '';

                    // 如果是数字字符串,转换为数字比较
                    if (is_numeric($valueA) && is_numeric($valueB)) {
                        $valueA = (float)$valueA;
                        $valueB = (float)$valueB;
                    }

                    // 根据排序方向比较
                    if ($sort === 'asc') {
                        return $valueA <=> $valueB;
                    }
                    return $valueB <=> $valueA;
                });
            }

            // 应用分页
            $formattedLogs = array_slice($formattedLogs, $offset, $perPage);

            // 返回结果
            return [
                'logs' => $formattedLogs,
                'pagination' => [
                    'total' => $total,
                    'per_page' => $perPage,
                    'current_page' => $page,
                    'last_page' => ceil($total / $perPage),
                    'from' => $offset + 1,
                    'to' => $offset + count($formattedLogs)
                ]
            ];

        } catch (Exception $e) {
            Log::error('SLS Get Error: ' . $e->getMessage());
            throw $e;
        }
    }

    /**
     * 写入日志
     */
    public function putLogs($data)
    {
        try {
            // 确保所有值都是字符串
            $contents = [];
            foreach ($data as $key => $value) {
                $contents[$key] = is_array($value) ? json_encode($value) : (string)$value;
            }

            // 创建日志内容
            $logItem = new Aliyun_Log_Models_LogItem();
            $logItem->setTime(time());
            $logItem->setContents($contents);

            // 创建请求
            $request = new Aliyun_Log_Models_PutLogsRequest(
                $this->project,
                $this->logstore,
                'test_topic',
                '',
                [$logItem]
            );

            // 发送日志
            $response = $this->client->putLogs($request);

            return true;
        } catch (Exception $e) {
            Log::error('SLS Put Error: ' . $e->getMessage());
            throw $e;
        }
    }



    /**
     * 查询所有日志(不分页)
     * @param string $query 查询条件
     * @param int|null $from 开始时间
     * @param int|null $to 结束时间
     * @return array
     * 循环,速度慢,不推荐使用
     */
    public function getAllLogs($query = '', $from = null, $to = null, $sort = 'desc', $sortField = '__time__')
    {
        try {
            $from = $from ?: time() - 3600;
            $to = $to ?: time();

            // 构建查询语句
            $searchQuery = !empty($query) ? $query : '*';
            $allLogs = [];
            $offset = 0;
            $limit = 100;  // 每次获取100条

            do {
                // 创建日志查询请求
                $request = new Aliyun_Log_Models_GetLogsRequest(
                    $this->project,
                    $this->logstore,
                    $from,
                    $to,
                    '',             // topic
                    $searchQuery,   // 查询语句
                    $limit,         // 每次获取数量
                    $offset,        // 当前偏移量
                    $sort === 'desc' // 是否倒序
                );

                // 执行查询
                $response = $this->client->getLogs($request);
                $logs = $response->getLogs();
                $count = count($logs);



                // 处理本批次的日志数据
                foreach ($logs as $log) {
                    $contents = $log->getContents();

                    // 解析 value 字段
                    if (isset($contents['__value__']) && is_string($contents['__value__'])) {
                        try {
                            $decodedValue = json_decode($contents['__value__'], true);
                            if (json_last_error() === JSON_ERROR_NONE) {
                                $contents['__value__'] = $decodedValue;
                            }
                        } catch (\Exception $e) {
                            // 保持原值
                        }
                    }

                    $contents['log_time'] = date('Y-m-d H:i:s', $log->getTime());
                    $allLogs[] = $contents;
                }

                // 更新偏移量
                $offset += $count;

                // 如果返回的数据少于限制数,说明已经没有更多数据
                if ($count < $limit) {
                    break;
                }

            } while (true);

            // 如果需要按其他字段排序
            if ($sortField !== '__time__') {
                usort($allLogs, function($a, $b) use ($sortField, $sort) {
                    $valueA = isset($a[$sortField]) ? $a[$sortField] : '';
                    $valueB = isset($b[$sortField]) ? $b[$sortField] : '';

                    if (is_numeric($valueA) && is_numeric($valueB)) {
                        $valueA = (float)$valueA;
                        $valueB = (float)$valueB;
                    }

                    return $sort === 'asc' ?
                        ($valueA <=> $valueB) :
                        ($valueB <=> $valueA);
                });
            }



            return [
                'logs' => $allLogs,
                'total' => count($allLogs),
                'query_info' => [
                    'query' => $searchQuery,
                    'from' => date('Y-m-d H:i:s', $from),
                    'to' => date('Y-m-d H:i:s', $to),
                    'sort_field' => $sortField,
                    'sort_order' => $sort,
                    'total_batches' => ceil($offset / $limit)
                ]
            ];

        } catch (Exception $e) {
//            Log::error('SLS Get All Logs Error', [
//                'error' => $e->getMessage(),
//                'query' => $searchQuery ?? '',
//                'from' => date('Y-m-d H:i:s', $from),
//                'to' => date('Y-m-d H:i:s', $to),
//                'offset' => $offset ?? 0
//            ]);
            throw $e;
        }
    }


    /**
     * 查询所有日志(不分页)
     * @param $query
     * @param $from
     * @param $to
     * @param $userId
     * @param $sortOrder
     * @return array
     * sql limit的方式,有排序限制,速度快
     */
    public function getAllLogsSql($query = '', $from = null, $to = null, $userId = null, $sortOrder = 'ASC')
    {
        try {
            $from = $from ?: time() - 3600; // 默认查询最近1小时
            $to = $to ?: time();

            // 获取总数,会消耗一定的时间,数量越大,消耗的时间越多,如果想节约时间,可以设置一个最大值类型10W之类的
//            $histogramRequest = new Aliyun_Log_Models_GetHistogramsRequest(
//                $this->project,
//                $this->logstore,
//                $from,
//                $to,
//                '',
//                $query ?: '*'
//            );
//
//            $histogramResponse = $this->client->getHistograms($histogramRequest);
//            $total = $histogramResponse->getTotalCount();
//            $maxResults = $total; // 一次性拉取的最大数量
            $maxResults = 100000; // 一次性拉取的最大数量


            // 构建基础查询语句
            $searchQuery = !empty($query) ? $query : '*';

            // 如果有 user_id 条件,添加筛选
            if ($userId) {
//                $searchQuery .= sprintf(" AND user_id='%s'", $userId);
                $searchQuery .= sprintf(" AND user_id=%d", (int)$userId);

            }



//            Log::info('Starting Query', [
//                'query' => $searchQuery,
//                'from' => date('Y-m-d H:i:s', $from),
//                'to' => date('Y-m-d H:i:s', $to),
//                'sortOrder' => $sortOrder,
//            ]);

            // SQL 查询语句,按时间排序
            $sqlQuery = sprintf(
                "%s | SELECT * ORDER BY __time__ %s LIMIT %d",
                $searchQuery,
                strtoupper($sortOrder), // ASC 或 DESC
                $maxResults
            );

//            Log::info('Executing SQL Query', [
//                'query' => $sqlQuery,
//                'from' => date('Y-m-d H:i:s', $from),
//                'to' => date('Y-m-d H:i:s', $to),
//            ]);

            // 发送请求
            $request = new Aliyun_Log_Models_GetLogsRequest(
                $this->project,
                $this->logstore,
                $from,
                $to,
                '',             // topic
                $sqlQuery,      // 查询语句
                0,              // batchSize 无用
                0,              // offset 无用
                false           // 不自动排序(已通过 SQL 排序)
            );

            $response = $this->client->getLogs($request);
            $logs = $response->getLogs();
            $allLogs = [];

            // 处理返回的日志数据
            foreach ($logs as $log) {
                $contents = $log->getContents();

                // 解析 value 字段
                if (isset($contents['__value__']) && is_string($contents['__value__'])) {
                    try {
                        $decodedValue = json_decode($contents['__value__'], true);
                        if (json_last_error() === JSON_ERROR_NONE) {
                            $contents['__value__'] = $decodedValue;
                        }
                    } catch (\Exception $e) {
                        // 保持原值
                    }
                }

                $contents['log_time'] = date('Y-m-d H:i:s', $log->getTime());
                $allLogs[] = $contents;
            }

//            Log::info('Query Completed', [
//                'fetched' => count($allLogs),
//                'total_expected' => $maxResults,
//            ]);

            return [
                'logs' => $allLogs,
                'total' => count($allLogs),
                'query_info' => [
                    'query' => $searchQuery,
                    'from' => date('Y-m-d H:i:s', $from),
                    'to' => date('Y-m-d H:i:s', $to),
                    'total_fetched' => count($allLogs),
                    'sort_order' => $sortOrder,
                ]
            ];

        } catch (Exception $e) {
//            Log::error('SLS Query Error', [
//                'error' => $e->getMessage(),
//                'query' => $searchQuery ?? '',
//                'from' => date('Y-m-d H:i:s', $from),
//                'to' => date('Y-m-d H:i:s', $to),
//                'sort_order' => $sortOrder,
//            ]);
            throw $e;
        }
    }
}

3、创建config配置

# config/sls.config
<?php
return [
    'aliyun' => [
        'access_key_id' => env('ALIYUN_ACCESS_KEY_ID'),
        'access_key_secret' => env('ALIYUN_ACCESS_KEY_SECRET'),
        'sls' => [
            'endpoint' => env('ALIYUN_SLS_ENDPOINT'),
            'project' => env('ALIYUN_SLS_PROJECT'),
            'logstore' => env('ALIYUN_SLS_LOGSTORE'),
        ],
    ],
];

4、从阿里云获取对应的配置填写在env

# .env,同阿里云账号下的服务器是允许内网访问的
ALIYUN_SLS_ENDPOINT=cn-shenzhen.log.aliyuncs.com
#内网
#ALIYUN_SLS_ENDPOINT=cn-shenzhen-intranet.log.aliyuncs.com
ALIYUN_SLS_PROJECT=
ALIYUN_ACCESS_KEY_ID=
ALIYUN_ACCESS_KEY_SECRET=
ALIYUN_SLS_LOGSTORE=

5、创建控制器进行验证

<?php

namespace App\Http\Controllers\Api;

use App\Http\Controllers\Controller;
use App\Jobs\Sugar;
use App\Services\SLSTimeSeriesService;
use Exception;
use Illuminate\Http\Request;

class MetricsController extends Controller
{
    protected $slsService;

    // 定义允许排序的字段
    // 定义允许排序的字段和默认排序方式
    protected $allowedSortFields = [
        '__time__',      // 日志时间
        '__tag__:__receive_time__', // 接收时间
        'timestamp',     // 自定义时间戳
        'user_id',     // 自定义时间戳
    ];

    public function __construct(SLSTimeSeriesService $slsService)
    {
        $this->slsService = $slsService;
    }


    /**
     * 写入日志
     */
    public function store(Request $request)
    {

        try {
            $data = [
                'event' => 'user_login',
                'user_id' => (string)$request->input('user_id', '1'),
                'ip' => $request->ip(),
                'timestamp' => (string)time(),
                'request_data' => $request->all()
            ];

            $this->slsService->putLogs($data);


            return response()->json([
                'success' => true,
                'message' => 'Log stored successfully'
            ]);
        } catch (Exception $e) {
            return response()->json([
                'success' => false,
                'message' => $e->getMessage()
            ], 500);
        }
    }

    //分页查询
    public function index(Request $request)
    {
        try {
            // 构建查询条件
            $conditions = [];

            if ($request->has('user_id')) {
                $conditions[] = 'user_id = "' . $request->user_id . '"';
            }
            if ($request->has('event')) {
                $conditions[] = 'event = "' . $request->event . '"';
            }

            // 获取排序参数
            $sortField = $request->input('sort_by', '__time__'); // 默认使用日志时间排序
            $sortOrder = $request->input('sort', 'desc');

            // 验证排序字段
            if (!in_array($sortField, $this->allowedSortFields)) {
                $sortField = '__time__';
            }

            // 验证排序方向
            $sortOrder = strtolower($sortOrder) === 'asc' ? 'asc' : 'desc';

            // 构建基本查询
            $query = !empty($conditions) ? implode(' and ', $conditions) : '*';

            // 获取分页参数
            $page = (int)$request->input('page', 1);
            $perPage = (int)$request->input('per_page', 10);

            // 时间范围
            $from = $request->input('from') ? strtotime($request->input('from')) : time() - 3600;
            $to = $request->input('to') ? strtotime($request->input('to')) : time();

            // 记录查询参数


            // 获取数据
            $result = $this->slsService->getLogs(
                $query,
                $from,
                $to,
                $page,
                $perPage,
                $sortOrder,
                $sortField
            );


            return response()->json([
                'success' => true,
                'data' => $result['logs'],
                'pagination' => $result['pagination'],
                'query_info' => [
                    'query' => $query,
                    'conditions' => $conditions,
                    'sort' => [
                        'field' => $sortField,
                        'order' => $sortOrder
                    ],
                    'from' => date('Y-m-d H:i:s', $from),
                    'to' => date('Y-m-d H:i:s', $to)
                ]
            ]);
        } catch (Exception $e) {


            return response()->json([
                'success' => false,
                'message' => $e->getMessage(),
                'query_info' => [
                    'query' => $query ?? '*',
                    'conditions' => $conditions ?? []
                ]
            ], 500);
        }
    }


    /**
     * @param Request $request
     * @return array
     * @throws Exception
     * 循环查询,速度慢,排序无限制,不分页
     */
    public function all(Request $request)
    {
        // 时间范围
        $from = $request->input('from') ? strtotime($request->input('from')) : time() - 3600;
        $to = $request->input('to') ? strtotime($request->input('to')) : time();

        // 自定义排序
        $result = $this->slsService->getAllLogs(
            '*',
            $from,
            $to,
            'desc',
            'timestamp'
        );
        return $result;
    }


    /**
     * @param Request $request
     * @return array
     * @throws Exception
     * sql查询,速度快,排序有限制,需要有索引才能查询出来,不分页
     */
    public function allSql(Request $request)
    {
        $user_id = $request->input('user_id') ?? '';
        // 时间范围
        $from = $request->input('from') ? strtotime($request->input('from')) : time() - 3600;
        $to = $request->input('to') ? strtotime($request->input('to')) : time();


        $result = $this->slsService->getAllLogsSql(
            '*',
            $from,
            $to,
            $user_id,
            'desc'
        );
        return $result;
    }
}

6、效果如下
在这里插入图片描述
在这里插入图片描述

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

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

相关文章

SQL注入--报错注入--理论

什么是报错注入&#xff1f; 正常用户向数据库查询数据&#xff0c;查询语句出现错误时会返回报错信息。 如果数据库对查询语句的输入和数据的输出没有进行合理检测&#xff0c;攻击者就可以通过构造语句让报错信息中包含数据库的内容。 基本利用形式 updatexml注入 函数形…

ECharts柱状图-带圆角的堆积柱状图,附视频讲解与代码下载

引言&#xff1a; 在数据可视化的世界里&#xff0c;ECharts凭借其丰富的图表类型和强大的配置能力&#xff0c;成为了众多开发者的首选。今天&#xff0c;我将带大家一起实现一个柱状图图表&#xff0c;通过该图表我们可以直观地展示和分析数据。此外&#xff0c;我还将提供…

002 MATLAB语言基础

01 变量命名规则 变量名只能由字母、数字和下划线组成&#xff0c;且必须以字母开头&#xff1b; 变量名区分字母的大小写&#xff1b; 变量名不能超过最大长度限制&#xff1b; 关键字不能作为变量名&#xff0c;如for、end和if等&#xff1b; 注意&#xff1a;存变量命名时…

Java 对象头、Mark Word、monitor与synchronized关联关系以及synchronized锁优化

1. 对象在内存中的布局分为三块区域&#xff1a; &#xff08;1&#xff09;对象头&#xff08;Mark Word、元数据指针和数组长度&#xff09; 对象头&#xff1a;在32位虚拟机中&#xff0c;1个机器码等于4字节&#xff0c;也就是32bit&#xff0c;在64位虚拟机中&#xff0…

RTL8211F 1000M以太网PHY指示灯

在RK3562 Linux5.10 SDK里面已支持该芯片kernel-5.10/drivers/net/phy/realtek.c&#xff0c;而默认是没有去修改到LED配置的&#xff0c;我们根据硬件设计修改相应的寄存器配置&#xff0c;该PHY有3个LED引脚&#xff0c;我们LED0不使用&#xff0c;LED1接绿灯&#xff08;数据…

通过IIC访问模块寄存器[ESP--1]

上一节中&#xff0c;我们简单使用ESP函数来从主机视角扫描所有的IIC设备|上一篇文章的链接|&#xff0c;但是并不存在主从机之间的交流。这显然是不合理的&#xff0c;这个小节我们来学习如何实现主从机之间的通信 模块的寄存器 不说最简单的电阻电容电感&#xff0c;稍微复…

Spring Cloud Netflix 系列:Eureka 经典实战案例和底层原理解析

文章目录 前言Eureka 简介架构设计工作流程 项目 demo 构建Eureka Server 的搭建Eureka Client 的配置补充说明 运行效果 深入使用Eureka 注册中心添加认证搭建 Eureka 集群实现高可用双节点集群搭建 运行效果补充说明为什么要配置 不同host 原理解析服务注册、心跳续期详细流程…

数字赋能,气象引领 | 气象景观数字化服务平台重塑京城旅游生态

在数字化转型的浪潮中&#xff0c;旅游行业正以前所未有的速度重塑自身&#xff0c;人民群众对于高品质、个性化旅游服务需求的日益增长&#xff0c;迎着新时代的挑战与机遇&#xff0c;为开展北京地区特色气象景观预报&#xff0c;打造“生态气象旅游”新业态&#xff0c;助推…

(python)unittest框架

unittest unnitest介绍 TestCase测试用例 书写真正的用例脚本

Hadoop 系列 MapReduce:Map、Shuffle、Reduce

文章目录 前言MapReduce 基本流程概述MapReduce 三个核心阶段详解Map 阶段工作原理 Shuffle 阶段具体步骤分区&#xff08;Partition&#xff09;排序&#xff08;Sort&#xff09;分组&#xff08;Combine 和 Grouping&#xff09; Reduce 阶段工作原理 MapReduce 应用场景Map…

微服务即时通讯系统的实现(服务端)----(1)

目录 1. 项目介绍和服务器功能设计2. 基础工具安装3. gflags的安装与使用3.1 gflags的介绍3.2 gflags的安装3.3 gflags的认识3.4 gflags的使用 4. gtest的安装与使用4.1 gtest的介绍4.2 gtest的安装4.3 gtest的使用 5 Spdlog日志组件的安装与使用5.1 Spdlog的介绍5.2 Spdlog的安…

uniapp发布android上架应用商店权限

先看效果&#xff1a; 实现原理&#xff1a; 一、利用uni.addInterceptor的拦截器&#xff0c;在一些调用系统权限前拦截&#xff0c;进行弹窗展示&#xff0c;监听确定取消实现业务逻辑。 二、弹窗是原生nativeObj进行drawRect绘制的 三、权限申请调用使用的 plus.android.…

AmazonS3集成minio实现https访问

最近系统全面升级到https&#xff0c;之前AmazonS3大文件分片上传直接使用http://ip:9000访问minio的方式已然行不通&#xff0c;https服务器访问http资源会报Mixed Content混合内容错误。 一般有两种解决方案&#xff0c;一是升级minio服务&#xff0c;配置ssl证书&#xff0c…

【代码pycharm】动手学深度学习v2-08 线性回归 + 基础优化算法

课程链接 线性回归的从零开始实现 import random import torch from d2l import torch as d2l# 人造数据集 def synthetic_data(w,b,num_examples):Xtorch.normal(0,1,(num_examples,len(w)))ytorch.matmul(X,w)bytorch.normal(0,0.01,y.shape) # 加入噪声return X,y.reshape…

英文版本-带EXCEL函数的数据分析

一、问题&#xff1a; 二、表格内容 三、分析结果 四、具体的操作步骤&#xff1a; 销售工作表公式设计与数据验证 类别&#xff08;Category&#xff09;列公式&#xff1a; 在Category列&#xff08;假设为D列&#xff09;&#xff0c;根据ProductCode在Catalogue工作表中查找…

Ease Monitor 会把基础层,中间件层的监控数据和服务的监控数据打通,从总体的视角提供监控分析

1. 产品定位 Ease Monitor 有如下的产品定位&#xff1a; 关注于整体应用的SLA。 主要从为用户服务的 API 来监控整个系统。 关联指标聚合。 把有关联的系统及其指示聚合展示。主要是三层系统数据&#xff1a;基础层、平台中间件层和应用层。 快速故障定位。 对于现有的系统…

科研深度学习:如何精选GPU以优化服务器性能

GPU在科研深度学习中的核心价值 在科研深度学习的范畴内&#xff0c;模型训练是核心环节。面对大规模参数的模型训练&#xff0c;这往往是科研过程中最具挑战性的部分。传统CPU的计算模式在处理复杂模型时&#xff0c;训练时间会随着模型复杂度的增加而急剧增长&#xff0c;这…

补题 R7

C 赛时想的思路是正确的&#xff0c;是一个贪心的题目&#xff0c;应该先不断的让右边的老鼠入队。 赛时的代码: 不清楚 如何模拟 毛移动和老鼠移动的过程。 import java.util.Arrays; import java.util.Scanner;public class Main {public static void main(String[] args) …

ROS机器视觉入门:从基础到人脸识别与目标检测

前言 从本文开始&#xff0c;我们将开始学习ROS机器视觉处理&#xff0c;刚开始先学习一部分外围的知识&#xff0c;为后续的人脸识别、目标跟踪和YOLOV5目标检测做准备工作。我采用的笔记本是联想拯救者游戏本&#xff0c;系统采用Ubuntu20.04&#xff0c;ROS采用noetic。 颜…

启动前后端分离项目笔记

一、项目 首先可以在各大开源软件拿取一个项目&#xff0c;以下项目是在gitee上获取 二、准备工作 配置JDK环境&#xff0c;node.js环境&#xff0c;安装vue脚手架工具以及maven环境 三、前端项目启动 在前端目录下安装依赖 npm install 如果报错可能是因为权限不够&#…