Unity之PUN实现多人联机射击游戏的优化

目录

🎮一、 跳跃,加速跑

🎮二、玩家自定义输入昵称

🍅2.1 给昵称赋值

🍅2.2 实现 

🎮三、玩家昵称同步到房间列表

🍅3.1 获取全部玩家 

🍅3.2 自定义Player中的字段

🍅3.3 实现

🎮四、计分板功能的实现

🍅4.1 设置玩家分数

🍅4.2 实现


前几天对之前肝出的射击游戏Demo进行了小小的优化,顺便在了解一下PUN插件。怎么实现的这个Demo可以来看一下这篇文章:

Unity之PUN2插件实现多人联机射击游戏-CSDN博客文章浏览阅读1.1k次,点赞19次,收藏19次。周五的下午永远要比周六幸福,周五好啊大家有在认真摸鱼吗。前两天我突发奇想想做联机游戏,就去找教程,肝了一天终于做出来了。先说一下搜寻资料过程中找到的实现游戏联机暂时就记录了这11个,做的这个实例是通过PUN2实现的,先看一下效果:个人感觉这套模型和这个教程泰裤辣,能跟着做完这个游戏Demo也是很开心的,下面依然以博客的形式记录实现这个游戏的过程。https://blog.csdn.net/qq_48512649/article/details/136249522来看一下优化完的效果。

关于优化了哪几个小点:

  • 点击开始游戏玩家可以输入自己的昵称;进入到房间后玩家对应的昵称也会同步显示到房间列表上;
  • 和朋友一起玩的时候他说会卡进房间的模型里建议我加上跳跃功能,我就给加上了,顺便加了一个按住Shift和方向键进行加速跑;
  • 同时按住Tab键会显示出计分板。虽然弹道很飘,但是命中伤害是按照准星射线来处理的,这个计分板也是按照射击命中次数来计分的。

下面来记录一下这几点优化是怎么实现的

一、 跳跃,加速跑

相信对于Unity入门的人来说这两点太简单了,废话不多说直接上代码。在PlayerController这个脚本中

    public float MoveSpeed = 3f;  //只按方向键速度为3/// <summary>/// 跳跃/// </summary>public float jumpHeight = 0;//判断是否为跳跃状态private bool boolJump = false;void Update(){//Debug.Log(photonView.Owner.NickName);//判断是否是本机玩家  只能操作本机角色if (photonView.IsMine){if (isDie == true){return;}//在Update函数中如果判断为本机操控的玩家就执行更新位置的方法UpdatePosition();UpdateRotation();InputCtl();}else{UpdateLogic();}}void FixedUpdate(){body.velocity = new Vector3(dir.x, body.velocity.y, dir.z) + Vector3.up * jumpHeight;jumpHeight = 0f;//初始化跳跃高度}//更新位置public void UpdatePosition(){H = Input.GetAxisRaw("Horizontal");V = Input.GetAxisRaw("Vertical");dir = camTf.forward * V + camTf.right * H;body.MovePosition(transform.position + dir * Time.deltaTime * MoveSpeed);//当按下空格键进行跳跃if (Input.GetKeyDown(KeyCode.Space)){if (boolJump == false){boolJump = true;//设定一个跳跃时间间隔,不然就能一直往上跳了Invoke("something", 1.0f);//执行跳跃方法Jump();}}//加速跑  当同时按住Shift 和 方向键if (Input.GetKey(KeyCode.LeftShift) && (dir.x != 0 || dir.y != 0 || dir.z != 0)){body.MovePosition(transform.position + dir * Time.deltaTime * 10);}//当抬起 Shift 键else if (Input.GetKeyUp(KeyCode.LeftShift)){body.MovePosition(transform.position + dir * Time.deltaTime * MoveSpeed);}}void something() {boolJump = false;}//跳跃方法void Jump(){jumpHeight = 5f;}

二、玩家自定义输入昵称

2.1 给昵称赋值

首先说一下在PUN插件中给玩家昵称赋值的代码,赋好值之后我们只要进行获取就可以了

//playerNameInput.text —— 玩家手动输入的名字
PhotonNetwork.NickName = playerNameInput.text; 

2.2 实现 

UI方面小编就比较省事了,输入昵称和输入房间号用的同一个UI界面。在登录UI的LoginUI脚本中,点击开始游戏按钮我们不让它直接进行连接,先让它跳转到输入昵称的UI界面中。

//登录界面
public class LoginUI : MonoBehaviour //,IConnectionCallbacks
{// Start is called before the first frame updatevoid Start(){transform.Find("startBtn").GetComponent<Button>().onClick.AddListener(onStartBtn);transform.Find("quitBtn").GetComponent<Button>().onClick.AddListener(onQuitBtn);}public void onStartBtn(){//弹出输入玩家昵称的UI界面 CreatePlayerUIGame.uiManager.ShowUI<CreatePlayerUI>("CreatePlayerUI");}public void onQuitBtn(){Application.Quit();}}

 CreatePlayerUI脚本中进行连接并通过PhotonNetwork.NickName给玩家昵称赋值

using System.Collections.Generic;
using UnityEngine;
using Photon.Pun;
using Photon.Realtime;
using UnityEngine.UI;public class CreatePlayerUI : MonoBehaviour,IConnectionCallbacks
{private InputField playerNameInput;  //玩家名称void Start(){transform.Find("bg/title/closeBtn").GetComponent<Button>().onClick.AddListener(onCloseBtn);transform.Find("bg/okBtn").GetComponent<Button>().onClick.AddListener(onStartBtn);playerNameInput = transform.Find("bg/InputField").GetComponent<InputField>();//先随机一个玩家名称playerNameInput.text = "Player_" + Random.Range(1, 9999); }public void onStartBtn(){Game.uiManager.ShowUI<MaskUI>("MaskUI").ShowMsg("正在连接服务器...");//连接pun2服务器PhotonNetwork.ConnectUsingSettings();   //成功后会执行OnConnectedToMaster函数}//关闭按钮public void onCloseBtn(){Game.uiManager.CloseUI(gameObject.name);}//OnEnable()每次激活组件都会调用一次private void OnEnable(){PhotonNetwork.AddCallbackTarget(this);  //注册pun2事件}//OnDisable()每次关闭组件都会调用一次 与 OnEnable() 相对private void OnDisable(){PhotonNetwork.RemoveCallbackTarget(this);  //注销pun2事件}//连接成功后执行的函数public void OnConnectedToMaster(){//关闭所有界面Game.uiManager.CloseAllUI();Debug.Log("连接成功");//显示大厅界面Game.uiManager.ShowUI<LobbyUI>("LobbyUI");//执行昵称赋值操作PhotonNetwork.NickName = playerNameInput.text;}//断开服务器执行的函数public void OnDisconnected(DisconnectCause cause){Game.uiManager.CloseUI("MaskUI");}public void OnRegionListReceived(RegionHandler regionHandler){}public void OnCustomAuthenticationResponse(Dictionary<string, object> data){}public void OnCustomAuthenticationFailed(string debugMessage){}public void OnConnected(){}
}

三、玩家昵称同步到房间列表



3.1 获取全部玩家 

 PUN插件中从服务器获取房间里的全部玩家:

//从服务器遍历房间里的所有玩家项
for (int i = 0; i < PhotonNetwork.PlayerList.Length; i++)
{Player p = PhotonNetwork.PlayerList[i];//打印出玩家昵称,看看我们赋没赋值成功Debug.Log("NickName:" + p.NickName);
}

PUN插件的Player类中,NickName(玩家昵称)和ActorNumber(玩家编号)字段是Player类源码中定义的字段,如果我们开发者需要自定义字段可以通过这样来自定义:Demo中玩家是否准备就是用下面的方式来定义的

3.2 自定义Player中的字段

同步自定义字段:

using ExitGames.Client.Photon;
Hashtable props = new Hashtable() { { "IsReady", true } };
PhotonNetwork.LocalPlayer.SetCustomProperties(props);

 获取自定义字段:

foreach (Player p in PhotonNetwork.PlayerList)
{print(p.NickName);object isPlayerReady;if (p.CustomProperties.TryGetValue("IsReady", out IsReady)){print((bool)IsReady ? "当前玩家已准备好" : "当前玩家未准备好");}
}//获取所有自定义字段
Debug.Log(玩家Player.CustomProperties.ToStringFull());

 3.3 实现

  1. 获取房间内所有的玩家信息包括昵称和准备状态
  2. 将昵称和准备状态显示到UI界面中

RoomUI脚本中,先获取房间内的所有玩家,对应的每一个玩家就会生成一个新的RoomItem

我们给房间列表成员RoomItem中添一个玩家昵称的字段,用来获取玩家进入游戏输入的昵称并展示在UI界面中。 

public int owerId;  //玩家编号
public bool IsReady = false; //是否准备
public string playerName; //玩家名称

 RoomUI脚本:

using System.Collections.Generic;
using UnityEngine;
using Photon.Pun;
using Photon.Realtime;
using UnityEngine.UI;public class RoomUI : MonoBehaviour,IInRoomCallbacks
{Transform startTf; Transform contentTf;GameObject roomPrefab;public List<RoomItem> roomList;private void Awake(){roomList = new List<RoomItem>();contentTf = transform.Find("bg/Content");//房间列表玩家成员roomPrefab = transform.Find("bg/roomItem").gameObject;transform.Find("bg/title/closeBtn").GetComponent<Button>().onClick.AddListener(onCloseBtn);startTf = transform.Find("bg/startBtn");startTf.GetComponent<Button>().onClick.AddListener(onStartBtn);PhotonNetwork.AutomaticallySyncScene = true; //执行PhotonNetwork.LoadLevel加载场景的时候 其他玩家也跳转相同的场景}void Start(){//从服务器获取房间里的玩家项for (int i = 0; i < PhotonNetwork.PlayerList.Length; i++){Player p = PhotonNetwork.PlayerList[i];Debug.Log("NickName:" + p.NickName);//获取房间中的玩家后,每一个玩家生成对应的一个ItemCreateRoomItem(p);}}private void OnEnable(){PhotonNetwork.AddCallbackTarget(this);}private void OnDisable(){PhotonNetwork.RemoveCallbackTarget(this);}//生成玩家public void CreateRoomItem(Player p){GameObject obj = Instantiate(roomPrefab, contentTf);obj.SetActive(true);RoomItem item = obj.AddComponent<RoomItem>();item.owerId = p.ActorNumber;  //玩家编号item.playerName = p.NickName; //玩家昵称item.playerNameText(item.playerName);   //让玩家昵称显示到UI界面中roomList.Add(item);object val;if (p.CustomProperties.TryGetValue("IsReady", out val)){item.IsReady = (bool)val;}}//删除离开房间的玩家public void DeleteRoomItem(Player p){RoomItem item = roomList.Find((RoomItem _item) => { return p.ActorNumber == _item.owerId; });if (item != null){Destroy(item.gameObject);roomList.Remove(item);}}//关闭void onCloseBtn(){//断开连接PhotonNetwork.Disconnect();Game.uiManager.CloseUI(gameObject.name);Game.uiManager.ShowUI<LoginUI>("LoginUI");}//开始游戏void onStartBtn(){//加载场景 让房间里的玩家也加载场景PhotonNetwork.LoadLevel("game");}//新玩家进入房间public void OnPlayerEnteredRoom(Player newPlayer){CreateRoomItem(newPlayer);}//房间里的其他玩家离开房间public void OnPlayerLeftRoom(Player otherPlayer){DeleteRoomItem(otherPlayer);}public void OnRoomPropertiesUpdate(ExitGames.Client.Photon.Hashtable propertiesThatChanged){}//玩家自定义参数更新回调public void OnPlayerPropertiesUpdate(Player targetPlayer, ExitGames.Client.Photon.Hashtable changedProps){RoomItem item = roomList.Find((_item) => { return _item.owerId == targetPlayer.ActorNumber;});if (item != null){item.IsReady = (bool)changedProps["IsReady"];item.ChangeReady(item.IsReady);}//如果是主机玩家判断所有玩家的准备状态if (PhotonNetwork.IsMasterClient){bool isAllReady = true;for (int i = 0; i < roomList.Count; i++){if (roomList[i].IsReady == false){isAllReady = false;break;}}startTf.gameObject.SetActive(isAllReady); //开始按钮是否显示}}public void OnMasterClientSwitched(Player newMasterClient){}
}

RoomItem脚本:

using UnityEngine;
using Photon.Pun;
using Photon.Realtime;
using UnityEngine.UI;public class RoomItem : MonoBehaviour
{public int owerId;  //玩家编号public bool IsReady = false; //是否准备public string playerName; //玩家名称void Start(){if (owerId == PhotonNetwork.LocalPlayer.ActorNumber){transform.Find("Button").GetComponent<Button>().onClick.AddListener(OnReadyBtn);}else{transform.Find("Button").GetComponent<Image>().color = Color.black;}ChangeReady(IsReady);}public void OnReadyBtn(){IsReady = !IsReady;ExitGames.Client.Photon.Hashtable table = new ExitGames.Client.Photon.Hashtable();table.Add("IsReady", IsReady);PhotonNetwork.LocalPlayer.SetCustomProperties(table); //设置自定义参数ChangeReady(IsReady);}public void ChangeReady(bool isReady){transform.Find("Button/Text").GetComponent<Text>().text = isReady == true ? "已准备" : "未准备";}public void playerNameText(string playerName){transform.Find("Name").GetComponent<Text>().text = playerName;}
}

四、计分板功能的实现

4.1 设置玩家分数

//设置玩家分数 
PhotonNetwork.LocalPlayer.SetScore(0);

PUN中有自带的设置玩家分数功能,我们来看一下源码:SetScoreAddScoreGetScore

通过方法的命名我们就知道它们分别是设置分数、增加分数、获取分数, 不过小编这里只用了设置和获取(*/ω\*),分数更新后把原有的重新设置覆盖掉了。

知道了原理我们来实现计分板功能。

4.2 实现

首先计分板的UI我还是用的房间界面的UI改一下。

先来理一下思路  —— 

  1. 当识别为本机玩家操作后,按住Tab键弹出该界面,松开关掉界面
  2. 计分板要获取房间内所有玩家信息:昵称、分数
  3. 当本机玩家射击击中其他玩家后,本机玩家分数自增
  4. 玩家分数更新后再次按下Tab键时要更新UI中的分数
  5. 当游戏房间中有玩家离开对应计分板也会删掉对应的玩家信息

PlayerController中 

   private int Score = 0;  //定义分数变量  ——  重点!!!!void Update(){//Debug.Log(photonView.Owner.NickName);//判断是否是本机玩家  只能操作本机角色  ——  重点!!!!if (photonView.IsMine){if (isDie == true){return;}UpdatePosition();UpdateRotation();//判断为本机玩家后执行按键操作方法  ——  重点!!!!InputCtl();}else{UpdateLogic();}}//角色操作public void InputCtl(){if (Input.GetMouseButtonDown(0)){//判断子弹个数if (gun.BulletCount > 0){//如果正在播放填充子弹的动作不能开枪if (ani.GetCurrentAnimatorStateInfo(1).IsName("Reload")){return;}gun.BulletCount--;Game.uiManager.GetUI<FightUI>("FightUI").UpdateBulletCount(gun.BulletCount);//播放开火动画ani.Play("Fire", 1, 0);StopAllCoroutines();//开始执行攻击协同程序  ——  重点!!!!StartCoroutine(AttackCo());}}//退出游戏if (Input.GetKeyDown(KeyCode.Escape)){Application.Quit();}//持续按下按键,查看计分板if (Input.GetKey(KeyCode.Tab)){//打开计分板界面  ——  重点!!!!Game.uiManager.ShowUI<ScoreboardUI>("ScoreboardUI");//执行更新分数方法 ——  重点!!!!Game.uiManager.ShowUI<ScoreboardUI>("ScoreboardUI").UpDateScore(); // foreach (Player p in PhotonNetwork.PlayerList)// {//     Debug.Log("NickName:" + p.NickName);//     Debug.Log("GetScore:" + p.GetScore());// }}//当Tab键抬起else if(Input.GetKeyUp(KeyCode.Tab)){//关闭计分板界面  ——  重点!!!!Game.uiManager.CloseUI("ScoreboardUI");}if (Input.GetKeyDown(KeyCode.Q)){ani.Play("Grenade_Throw");}if (Input.GetKeyDown(KeyCode.R)){//填充子弹AudioSource.PlayClipAtPoint(reloadClip, transform.position); //播放填充子弹的声音ani.Play("Reload");gun.BulletCount = 10;Game.uiManager.GetUI<FightUI>("FightUI").UpdateBulletCount(gun.BulletCount);}}//攻击协同程序IEnumerator AttackCo(){//延迟0.1秒才发射子弹yield return new WaitForSeconds(0.1f);//播放射击音效AudioSource.PlayClipAtPoint(shootClip, transform.position);//获取本机玩家  ——  重点!!!!Player p = PhotonNetwork.LocalPlayer;//射线检测 鼠标中心点发送射线Ray ray = Camera.main.ScreenPointToRay(new Vector3(Screen.width * 0.5f, Screen.height * 0.5f,Input.mousePosition.z));//射线可以改成在枪口位置为起始点 发送,避免射线射到自身RaycastHit hit;if (Physics.Raycast(ray, out hit, 10000, LayerMask.GetMask("Player"))){Debug.Log("射到角色");//当本机玩家射中其他玩家时,把获取的本机玩家作为参数传递到GetHit方法中  ——  重点!!!!hit.transform.GetComponent<PlayerController>().GetHit(p);}photonView.RPC("AttackRpc", RpcTarget.All);  //所有玩家执行 AttackRpc 函数}[PunRPC]public void AttackRpc(){gun.Attack();}//同步所有角色受伤  p  ——  代表本机玩家public void GetHit(Player p)  {if (isDie == true){return;}//同步所有角色受伤photonView.RPC("GetHitRPC", RpcTarget.All);//本机玩家得分自增并同步给服务器  ——  重点!!!!Score += 1;p.SetScore(Score);}

 在ScoreboardUI中,和RoomUI的脚本逻辑差不多

using System.Collections.Generic;
using UnityEngine;
using Photon.Pun;
using Photon.Pun.UtilityScripts;
using Photon.Realtime;
using UnityEngine.UI;public class ScoreboardUI : MonoBehaviour
{Transform startTf; Transform contentTf;GameObject roomPrefab;public List<ScoreItem> roomList;// Start is called before the first frame updatevoid Awake(){roomList = new List<ScoreItem>();contentTf = transform.Find("bg/Content");//房间列表玩家成员roomPrefab = transform.Find("bg/roomItem").gameObject;}void Start(){//从服务器获取房间里的玩家项for (int i = 0; i < PhotonNetwork.PlayerList.Length; i++){Player p = PhotonNetwork.PlayerList[i];CreateRoomItem(p);}}//生成玩家public void CreateRoomItem(Player p){GameObject obj = Instantiate(roomPrefab, contentTf);obj.SetActive(true);ScoreItem item = obj.AddComponent<ScoreItem>();item.owerId = p.ActorNumber; item.playerName = p.NickName;item.playerNameText(item.playerName);item.Score = p.GetScore();item.playerScoreText(item.Score);roomList.Add(item);}//执行更新房间内玩家分数的操作  ——  重点!!!!public void UpDateScore(){for (int i = 0; i < PhotonNetwork.PlayerList.Length; i++){Player p = PhotonNetwork.PlayerList[i];ScoreItem item = roomList.Find((ScoreItem _item) => { return p.ActorNumber == _item.owerId; });if (item != null){item.playerName = p.NickName;item.playerNameText(item.playerName);item.Score = p.GetScore();item.playerScoreText(item.Score);Debug.Log("NickName:" + p.NickName + "GetScore:" + p.GetScore());Debug.Log("::::::::::::::::::::::::::::::::::::::::::::::::::");}}}//删除离开房间的玩家public void DeleteRoomItem(Player p){ScoreItem item = roomList.Find((ScoreItem _item) => { return p.ActorNumber == _item.owerId; });if (item != null){Destroy(item.gameObject);roomList.Remove(item);}}//房间里的其他玩家离开房间public void OnPlayerLeftRoom(Player otherPlayer){DeleteRoomItem(otherPlayer);}private void OnEnable(){PhotonNetwork.AddCallbackTarget(this);}private void OnDisable(){PhotonNetwork.RemoveCallbackTarget(this);}
}

ScoreItem的脚本用来把玩家信息和分数显示到计分板上

using UnityEngine;
using UnityEngine.UI;
using Photon.Pun;
using Photon.Pun.UtilityScripts;
using Photon.Realtime;public class ScoreItem : MonoBehaviour
{public int owerId;  //玩家编号public int Score; //玩家分数public string playerName; //玩家名称public void playerNameText(string name){transform.Find("Name").GetComponent<Text>().text = name; //PhotonNetwork.LocalPlayer.NickName;}public void playerScoreText(int score){transform.Find("Score").GetComponent<Text>().text =  score.ToString();//PhotonNetwork.LocalPlayer.GetScore().ToString();}
}

 完成任务,真的很喜欢这个Demo,以后有时间还会继续优化的。今天先到这里,拜拜┏(^0^)┛

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

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Unity DropDown 组件 详解

Unity版本 2022.3.13f1 Dropdown下拉菜单可以快速创建大量选项 一、 Dropwon属性详解 属性&#xff1a;功能&#xff1a;Interactable此组件是否接受输入&#xff1f;请参阅 Interactable。Transition确定控件以何种方式对用户操作进行可视化响应的属性。请参阅过渡选项。Nav…

没有硬件基础可以学单片机吗?

没有硬件基础可以学单片机吗&#xff1f; 在开始前我分享下我的经历&#xff0c;我刚入行时遇到一个好公司和师父&#xff0c;给了我机会&#xff0c;一年时间从3k薪资涨到18k的&#xff0c; 我师父给了一些 电气工程师学习方法和资料&#xff0c;让我不断提升自己&#xff0c…

AHU 人工智能实验-CCA

神经网络覆盖算法——CCA&#xff08;基于Ling Zhang 和Bo Zhang论文) Abstract 在这篇文章中我将介绍基于张铃和张钹学者提出的CCA算法&#xff0c;并实现代码复现&#xff0c;给出使用的数据集&#xff0c;以及实验结果对比。 1. Introduction 1.1 Background 我们知道自…

Go语言简介

一.Go语言简介 1.1 优点 自带gc静态编译&#xff0c;编译好后&#xff0c;扔服务器直接运行简单思想&#xff0c;没有继承&#xff0c;多态和类等丰富的库和详细开发文档语法层支持并发&#xff0c;和拥有同步并发的channel类型&#xff0c;使并发开发变得非常方便简洁语法&am…

Oracle with as用法

一、简介 with…as关键字&#xff0c;是以‘with’关键字开头的sql语句&#xff0c;在实际工作中&#xff0c;我们经常会遇到同一个查询sql会同时查询多个相同的结果集&#xff0c;即sql一模一样&#xff0c;这时候我们可以将这些相同的sql抽取出来&#xff0c;使用with…as定…

中国(京津冀)太阳能光伏推进大会暨展览会

中国(京津冀)太阳能光伏推进大会暨展览会是一个旨在促进太阳能光伏行业发展的会议和展览会。该事件旨在推动中国在太阳能光伏领域的创新和发展&#xff0c;特别是在京津冀地区。 会议将邀请来自政府、企业、学术界和国际组织的专家和代表&#xff0c;共同探讨太阳能光伏技术、政…

【Redis系列】深入了解 Redis:一种高性能的内存数据库

&#x1f49d;&#x1f49d;&#x1f49d;欢迎来到我的博客&#xff0c;很高兴能够在这里和您见面&#xff01;希望您在这里可以感受到一份轻松愉快的氛围&#xff0c;不仅可以获得有趣的内容和知识&#xff0c;也可以畅所欲言、分享您的想法和见解。 推荐:kwan 的首页,持续学…

Elastic stack(一):Elastic stack简介、Elasticsearch简介、安装

目录 1 Elastic Stack1.1 Elastic Stack介绍1.2 为什么要用到ELK日志分析1.3 ELK的组件1.4 ELK架构原理1、ELK工作流程2、ELFK工作流程 2 Elasticsearch2.1 Elasticsearch简介1、什么是Elasticsearch2、数据来源&#xff1a;索引&#xff08;indices&#xff09;和文档&#xf…

docker常用操作-docker私有仓库的搭建(Harbor),并将本地镜像推送至远程仓库中。

1、docker-compose安装&#xff0c;下载docker-compose的最新版本 第一步&#xff1a;创建docker-compose空白存放文件vi /usr/local/bin/docker-compose 第二步&#xff1a;使用curl命令在线下载&#xff0c;并制定写入路径 curl -L "https://github.com/docker/compos…

【牛客】VL68 同步FIFO

描述 请设计带有空满信号的同步FIFO&#xff0c;FIFO的深度和宽度可配置。双口RAM的参考代码和接口信号已给出&#xff0c;请在答案中添加并例化此部分代码。 电路的接口如下图所示。端口说明如下表。 接口电路图如下&#xff1a; 双口RAM端口说明&#xff1a; 端口名I/O描述…

如何在CentOS7搭建DashDot服务器仪表盘并实现远程监控

文章目录 1. 本地环境检查1.1 安装docker1.2 下载Dashdot镜像 2. 部署DashDot应用3. 本地访问DashDot服务4. 安装cpolar内网穿透5. 固定DashDot公网地址 本篇文章我们将使用Docker在本地部署DashDot服务器仪表盘&#xff0c;并且结合cpolar内网穿透工具可以实现公网实时监测服务…

08-java基础-锁之AQSReentrantLockBlockingQueueCountDownLatchSemapho

文章目录 0&#xff1a;AQS简介-常见面试题AQS具备特性state表示资源的可用状态AQS定义两种资源共享方式AQS定义两种队列自定义同步器实现时主要实现以下几种方法&#xff1a;同步等待队列条件等待队列 1&#xff1a;AQS应用之ReentrantLockReentrantLock如何实现synchronized不…

Python | Bootstrap图介绍

在进入Bootstrap 图之前&#xff0c;让我们先了解一下Bootstrap&#xff08;或Bootstrap 抽样&#xff09;是什么。 Bootstrap 抽样&#xff08;Bootstrap Sampling&#xff09;&#xff1a;这是一种方法&#xff0c;我们从一个数据集中重复地取一个样本数据来估计一个总体参数…

Capture One 23:光影魔术师,细节掌控者mac/win版

Capture One 23&#xff0c;不仅仅是一款摄影后期处理软件&#xff0c;它更是摄影师们的得力助手和创意伙伴。这款软件凭借其卓越的性能、丰富的功能和前沿的技术&#xff0c;为摄影师们带来了前所未有的影像处理体验。 Capture One 23软件获取 Capture One 23以其强大的色彩…

【C++教程从0到1入门编程】第八篇:STL中string类的模拟实现

一、 string类的模拟实现 下面是一个列子 #include <iostream> namespace y {class string{public: //string() //无参构造函数// :_str(nullptr)//{}//string(char* str) //有参构造函数// :_str(str)//{}string():_str(new char[1]){_str[0] \0;}string(c…

RuoYi开源项目1-下载并实现运行RuoYi项目

下载并实现运行RuoYi项目 环境需要下载项目项目配置后端项目配置前端项目配置 启动后前端登录页面截图 环境需要 JDK > 8MySQL >5.7Maven > 3.0Node > 12Redis > 3 下图是我的环境配置 下载项目 若依官网 1.进入官网&#xff0c;下载版本如下图RuoYi-Vue前后…

【Vue2】组件通信

父子通信 父 -> 子 子 -> 父 props 校验 props: {校验的属性名: {type: 类型, // Number String Boolean ...required: true, // 是否必填default: 默认值, // 默认值validator (value) {// 自定义校验逻辑return 是否通过校验}} },data 的数据是自己的 → 随便改pr…

【2024-完整版】python爬虫 批量查询自己所有CSDN文章的质量分:附整个实现流程

【2024】批量查询CSDN文章质量分 写在最前面一、分析获取步骤二、获取文章列表1. 前期准备2. 获取文章的接口3. 接口测试&#xff08;更新重点&#xff09; 三、查询质量分1. 前期准备2. 获取文章的接口3. 接口测试 四、python代码实现1. 分步实现2. 批量获取文章信息3. 从exce…

豆瓣书影音存入Notion

使用Python将图书和影视数据存放入Notion中。 &#x1f5bc;️介绍 环境 Python 3.10 &#xff08;建议 3.11 及以上&#xff09;Pycharm / Vs Code / Vs Code Studio 项目结构 │ .env │ main.py - 主函数、执行程序 │ new_book.txt - 上一次更新书籍 │ new_video.…

教师如何搭建学生查询考试分数的平台?

随着信息技术的快速发展&#xff0c;搭建一个学生查询考试分数的平台已经成为现代教育管理的重要组成部分。这样的平台不仅可以提高成绩管理的效率&#xff0c;还能为学生提供便捷、及时的成绩查询服务。那么&#xff0c;作为教师&#xff0c;我们应该如何搭建这样一个平台呢&a…