Unity--解析ET6接入ILRuntime实现热更

前言

1.介绍

ILRuntime项目为基于C#的平台(例如Unity)提供了一个纯C#实现,快速、方便且可靠的IL运行时,使得能够在不支持JIT的硬件环境(如iOS)能够实现代码的热更新。学习交流聚集地

介绍 — ILRuntime (http://ourpalm.github.io)

https://ourpalm.github.io/ILRuntime/public/v1/guide/index.html

ET是一个开源的游戏客户端(基于unity3d)服务端双端框架,服务端是使用C# .net core开发的分布式游戏服务端,其特点是开发效率高,性能强,双端共享逻辑代码,客户端服务端热更机制完善,同时支持可靠udp tcp websocket协议,支持服务端3D recast寻路等等 。

GitHub - egametang/ET: Unity3D Client And C# Server Framework

https://github.com/egametang/ET.git

2.接入ILRuntime

1.BuildAssemblieEditor.cs

构建codes.dll和codes.pdb到unity工程中并打上ab标签

Unity​www.bycwedu.com/promotion_channels/2146264125​编辑

public static class BuildAssemblieEditor{//dll复制到unity工程的路径private const string CodeDir = "Assets/Bundles/Code/";[MenuItem("Tools/BuildCode _F5")]public static void BuildCode(){//将codes目录下的所有cs文件打成code.dllBuildAssemblieEditor.BuildMuteAssembly("Code", new []{"Codes/Model/","Codes/ModelView/","Codes/Hotfix/","Codes/HotfixView/"}, Array.Empty<string>());//将code.dll复制到unity工程路径下并打上ab标签AfterCompiling();//刷新资源AssetDatabase.Refresh();}private static void BuildMuteAssembly(string assemblyName, string[] CodeDirectorys, string[] additionalReferences){//获取CodeDirectorys路径下的所有cs文件List<string> scripts = new List<string>();for (int i = 0; i < CodeDirectorys.Length; i++){DirectoryInfo dti = new DirectoryInfo(CodeDirectorys[i]);FileInfo[] fileInfos = dti.GetFiles("*.cs", System.IO.SearchOption.AllDirectories);for (int j = 0; j < fileInfos.Length; j++){scripts.Add(fileInfos[j].FullName);}}//编译dll的路径string dllPath = Path.Combine(Define.BuildOutputDir, $"{assemblyName}.dll");string pdbPath = Path.Combine(Define.BuildOutputDir, $"{assemblyName}.pdb");File.Delete(dllPath);File.Delete(pdbPath);Directory.CreateDirectory(Define.BuildOutputDir);AssemblyBuilder assemblyBuilder = new AssemblyBuilder(dllPath, scripts.ToArray());//启用UnSafe//assemblyBuilder.compilerOptions.AllowUnsafeCode = true;BuildTargetGroup buildTargetGroup = BuildPipeline.GetBuildTargetGroup(EditorUserBuildSettings.activeBuildTarget);assemblyBuilder.compilerOptions.ApiCompatibilityLevel = PlayerSettings.GetApiCompatibilityLevel(buildTargetGroup);// assemblyBuilder.compilerOptions.ApiCompatibilityLevel = ApiCompatibilityLevel.NET_4_6;//传递给程序集编译的其他程序集引用。assemblyBuilder.additionalReferences = additionalReferences;assemblyBuilder.flags = AssemblyBuilderFlags.DevelopmentBuild;//AssemblyBuilderFlags.None                 正常发布//AssemblyBuilderFlags.DevelopmentBuild     开发模式打包//AssemblyBuilderFlags.EditorAssembly       编辑器状态assemblyBuilder.referencesOptions = ReferencesOptions.UseEngineModules;assemblyBuilder.buildTarget = EditorUserBuildSettings.activeBuildTarget;assemblyBuilder.buildTargetGroup = buildTargetGroup;//编译开始回调assemblyBuilder.buildStarted += delegate(string assemblyPath) { Debug.LogFormat("build start:" + assemblyPath); };//编译结束回调assemblyBuilder.buildFinished += delegate(string assemblyPath, CompilerMessage[] compilerMessages){int errorCount = compilerMessages.Count(m => m.type == CompilerMessageType.Error);int warningCount = compilerMessages.Count(m => m.type == CompilerMessageType.Warning);Debug.LogFormat("Warnings: {0} - Errors: {1}", warningCount, errorCount);if (warningCount > 0){Debug.LogFormat("有{0}个Warning!!!", warningCount);}if (errorCount > 0){for (int i = 0; i < compilerMessages.Length; i++){if (compilerMessages[i].type == CompilerMessageType.Error){Debug.LogError(compilerMessages[i].message);}}}};//开始构建if (!assemblyBuilder.Build()){Debug.LogErrorFormat("build fail:" + assemblyBuilder.assemblyPath);return;}}private static void AfterCompiling(){//编译中while (EditorApplication.isCompiling){Debug.Log("Compiling wait1");// 主线程sleep并不影响编译线程Thread.Sleep(1000);Debug.Log("Compiling wait2");}Debug.Log("Compiling finish");//将dll和pdb拷贝到unity工程中Directory.CreateDirectory(CodeDir);File.Copy(Path.Combine(Define.BuildOutputDir, "Code.dll"), Path.Combine(CodeDir, "Code.dll.bytes"), true);File.Copy(Path.Combine(Define.BuildOutputDir, "Code.pdb"), Path.Combine(CodeDir, "Code.pdb.bytes"), true);AssetDatabase.Refresh();Debug.Log("copy Code.dll to Bundles/Code success!");// 设置ab包AssetImporter assetImporter1 = AssetImporter.GetAtPath("Assets/Bundles/Code/Code.dll.bytes");assetImporter1.assetBundleName = "Code.unity3d";AssetImporter assetImporter2 = AssetImporter.GetAtPath("Assets/Bundles/Code/Code.pdb.bytes");assetImporter2.assetBundleName = "Code.unity3d";AssetDatabase.Refresh();Debug.Log("set assetbundle success!");Debug.Log("build success!");}
}

2.CodeLoader.cs

初始化ILRuntime并启动热更层开始函数

case Define.CodeMode_ILRuntime:{//从ab包中加载dll和pdbDictionary<string, UnityEngine.Object> dictionary = AssetsBundleHelper.LoadBundle("code.unity3d");byte[] assBytes = ((TextAsset)dictionary["Code.dll"]).bytes;byte[] pdbBytes = ((TextAsset)dictionary["Code.pdb"]).bytes;AppDomain appDomain = new AppDomain();MemoryStream assStream = new MemoryStream(assBytes);MemoryStream pdbStream = new MemoryStream(pdbBytes);//ILRuntime加载程序集appDomain.LoadAssembly(assStream, pdbStream, new ILRuntime.Mono.Cecil.Pdb.PdbReaderProvider());//注册委托适配器等ILHelper.InitILRuntime(appDomain);//缓存所有热更反射类型this.allTypes = appDomain.LoadedTypes.Values.Select(x => x.ReflectionType).ToArray();//调用到热更层的entry类的start方法IStaticMethod start = new ILStaticMethod(appDomain, "ET.Entry", "Start", 0);start.Run();break;}

3.ILHelper.cs

注册重定向函数,委托,适配器,clr绑定

public static class ILHelper{public static List<Type> list = new List<Type>();public static void InitILRuntime(ILRuntime.Runtime.Enviorment.AppDomain appdomain){// 注册重定向函数list.Add(typeof(Dictionary<int, ILTypeInstance>));list.Add(typeof(Dictionary<int, int>));list.Add(typeof(Dictionary<object, object>));list.Add(typeof(Dictionary<int, object>));list.Add(typeof(Dictionary<long, object>));list.Add(typeof(Dictionary<long, int>));list.Add(typeof(Dictionary<int, long>));list.Add(typeof(Dictionary<string, long>));list.Add(typeof(Dictionary<string, int>));list.Add(typeof(Dictionary<string, object>));list.Add(typeof(List<ILTypeInstance>));list.Add(typeof(List<int>));list.Add(typeof(List<long>));list.Add(typeof(List<string>));list.Add(typeof(List<object>));list.Add(typeof(ListComponent<ILTypeInstance>));list.Add(typeof(ETTask<int>));list.Add(typeof(ETTask<long>));list.Add(typeof(ETTask<string>));list.Add(typeof(ETTask<object>));list.Add(typeof(ETTask<AssetBundle>));list.Add(typeof(ETTask<UnityEngine.Object[]>));list.Add(typeof(ListComponent<ETTask>));list.Add(typeof(ListComponent<Vector3>));// 注册委托appdomain.DelegateManager.RegisterMethodDelegate<List<object>>();appdomain.DelegateManager.RegisterMethodDelegate<object>();appdomain.DelegateManager.RegisterMethodDelegate<bool>();appdomain.DelegateManager.RegisterMethodDelegate<string>();appdomain.DelegateManager.RegisterMethodDelegate<float>();appdomain.DelegateManager.RegisterMethodDelegate<long, int>();appdomain.DelegateManager.RegisterMethodDelegate<long, MemoryStream>();appdomain.DelegateManager.RegisterMethodDelegate<long, IPEndPoint>();appdomain.DelegateManager.RegisterMethodDelegate<ILTypeInstance>();appdomain.DelegateManager.RegisterMethodDelegate<AsyncOperation>();appdomain.DelegateManager.RegisterFunctionDelegate<UnityEngine.Events.UnityAction>();appdomain.DelegateManager.RegisterFunctionDelegate<System.Object, ET.ETTask>();appdomain.DelegateManager.RegisterFunctionDelegate<ILTypeInstance, bool>();appdomain.DelegateManager.RegisterFunctionDelegate<System.Collections.Generic.KeyValuePair<System.String, System.Int32>, System.String>();appdomain.DelegateManager.RegisterFunctionDelegate<System.Collections.Generic.KeyValuePair<System.Int32, System.Int32>, System.Boolean>();appdomain.DelegateManager.RegisterFunctionDelegate<System.Collections.Generic.KeyValuePair<System.String, System.Int32>, System.Int32>();appdomain.DelegateManager.RegisterFunctionDelegate<List<int>, int>();appdomain.DelegateManager.RegisterFunctionDelegate<List<int>, bool>();appdomain.DelegateManager.RegisterFunctionDelegate<int, bool>();//Linqappdomain.DelegateManager.RegisterFunctionDelegate<int, int, int>();//Linqappdomain.DelegateManager.RegisterFunctionDelegate<KeyValuePair<int, List<int>>, bool>();appdomain.DelegateManager.RegisterFunctionDelegate<KeyValuePair<int, int>, KeyValuePair<int, int>, int>();appdomain.DelegateManager.RegisterDelegateConvertor<UnityEngine.Events.UnityAction>((act) =>{return new UnityEngine.Events.UnityAction(() =>{((Action)act)();});});appdomain.DelegateManager.RegisterDelegateConvertor<Comparison<KeyValuePair<int, int>>>((act) =>{return new Comparison<KeyValuePair<int, int>>((x, y) =>{return ((Func<KeyValuePair<int, int>, KeyValuePair<int, int>, int>)act)(x, y);});});// 注册适配器RegisterAdaptor(appdomain);//注册Json的CLRLitJson.JsonMapper.RegisterILRuntimeCLRRedirection(appdomain);//注册ProtoBuf的CLRPType.RegisterILRuntimeCLRRedirection(appdomain);//clr绑定初始化CLRBindings.Initialize(appdomain);}public static void RegisterAdaptor(ILRuntime.Runtime.Enviorment.AppDomain appdomain){//注册自己写的适配器appdomain.RegisterCrossBindingAdaptor(new IAsyncStateMachineClassInheritanceAdaptor());}}

发布于 2022-01-18 19:24

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

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

相关文章

第二证券:诱多诱空是指什么?股民该如何应对?

诱多诱空是指什么&#xff1f; 诱多诱空各指代主力的一类操盘行为。诱多是指主力有意营建股价上涨的假象&#xff0c;从而诱使不知情股民买入该股&#xff0c;主力趁机抛售股票离场&#xff0c;因为本身股价上涨靠主力一手织造&#xff0c;主力撤资后股价会回落&#xff0c;买…

Python:读取文件的文件名、后缀名

import os import pathlib fp "D:/data/outputs/abc.jpg" os.path.basename(fp) # 带后缀的文件名 # abc.jpgpathlib.Path(fp).stem # 不带后缀的文件名 # abc fp_1 os.path.splitext(fp)[0] fp_1.split(/)[-1] # 不带后缀的文件名 # abc basename os.path.bas…

麻雀规则解析器

规则解析器 上一篇讲的规则设计器的成果只是JSON数据&#xff0c;具体的规则执行则由不同的解析器来执行和编译。 目前市场上的规则引擎很多。但其实大部分都是表达式引擎&#xff0c;相当于对动态表达式进行编译和解析 Java语言的有&#xff1a;Drools(业界有名)、Janino、…

【程序员】程序员的护城河:技术、创新还是沟通?

在IT行业&#xff0c;我们深知程序员在保障系统安全、数据防护以及网络稳定方面的重要作用。他们是我们现代社会的护城河&#xff0c;用代码构筑着我们的未来。但是&#xff0c;程序员的护城河又是什么呢&#xff1f;是技术能力的深度&#xff1f;是对创新的追求&#xff1f;还…

Next.js 学习笔记(三)——路由

路由 路由基础知识 每个应用程序的骨架都是路由。本页将向你介绍互联网路由的基本概念以及如何在 Next.js 中处理路由。 术语 首先&#xff0c;你将在整个文档中看到这些术语的使用情况。以下是一个快速参考&#xff1a; 树&#xff08;Tree&#xff09;&#xff1a;用于可…

2023-12-18 C语言实现一个最简陋的B-Tree

点击 <C 语言编程核心突破> 快速C语言入门 C语言实现一个最简陋的B-Tree 前言要解决问题:想到的思路:其它的补充: 一、C语言B-Tree基本架构: 二、可视化总结 前言 要解决问题: 实现一个最简陋的B-Tree, 研究B-Tree的性质. 对于B树, 我是心向往之, 因为他是数据库的基…

云原生系列2-CICD持续集成部署-GitLab和Jenkins

1、CICD持续集成部署 传统软件开发流程&#xff1a; 1、项目经理分配模块开发任务给开发人员&#xff08;项目经理-开发&#xff09; 2、每个模块单独开发完毕&#xff08;开发&#xff09;&#xff0c;单元测试&#xff08;测试&#xff09; 3、开发完毕后&#xff0c;集成部…

3A服务器 (hcia)

原理 认证&#xff1a;验证用户是否可以获得网络访问权。 授权&#xff1a;授权用户可以使用哪些服务。 计费&#xff1a;记录用户使用网络资源的情况 实验 步骤 1.配置ip地址 2.配置认证服务器 aaa authentication-scheme datacom&#xff08;认证服务器名字&#xf…

2024 年 8 个顶级开源 LLM(大语言模型)

如果没有所谓的大型语言模型&#xff08;LLM&#xff09;&#xff0c;当前的生成式人工智能革命就不可能实现。LLM 基于 transformers&#xff08;一种强大的神经架构&#xff09;是用于建模和处理人类语言的 AI 系统。它们之所以被称为“大”&#xff0c;是因为它们有数亿甚至…

iPhone手机开启地震预警功能

iPhone手机开启地震预警功能 地震预警告警开启方式 地震预警 版权&#xff1a;成都高新减灾研究所 告警开启方式

CSS浮动

前置传统网页布局的三种方式&#xff1a; 标准流&#xff08;普通流/文档流&#xff09;&#xff1a; 浮动流&#xff1a; 定位流&#xff1a; 浮动: 实现元素在一行中向哪个方向排列 浮动后的元素还是可以设置边距的。 float默认是不会继承&#xff0c;但是可以强制设置flo…

ESP32WiFi(Blinker)-室内舒适度检测装置

一、硬件 ESP32 白色LED DHT11温湿度传感器 有源蜂鸣器 USB转串口&#xff08;只用到VCC,GND&#xff09; 面包板 二、软件 Arduino IDE版ESP32开发板 Blinker,apk 三、电路连接 const int LED18; LED控制管脚 const int BUZ2; 有源蜂鸣器VCC管脚 #define DHTPIN…

使用Matlab实现声音信号处理

利用Matlab软件对声音信号进行读取、放音、存储 先去下载一个声音文件&#xff1b;使用这个代码即可 clear; clc; [y, Fs] audioread(xxx.wav); plot(y); y y(:, 1); spectrogram(y); sound(y, Fs); % player audioplayer(y, Fs);y1 diff(y(:, 1)); subplot(2, 1, 1); pl…

美国第二大互联网供应商泄露3600万用户数据

12月18日&#xff0c;美国第二大互联网服务供应商Xfinity 透露&#xff0c;10月份发生的一起网络攻击泄露了多达3600万用户的敏感数据。 Xfinity由康卡斯特公司所属&#xff0c;为美国用户提供宽带互联网和有线电视等服务。 该公司表示&#xff0c;攻击是受Citrix Bleed的 CVE…

vue3挂载全局方法

比如某个js方法&#xff0c;项目很多地方都能用到&#xff0c;每次去重新写一遍太麻烦&#xff0c;放在一个js里面&#xff0c;每次去引入也懒得引&#xff0c;就可以挂载在全局上 1.创建tool.js文件&#xff0c;里面放常用的方法 const tools {getCurrentTim(){const curre…

基于PHP的蛋糕购物商城系统

有需要请加文章底部Q哦 可远程调试 基于PHP的蛋糕购物商城系统 一 介绍 此蛋糕购物商城基于原生PHP开发&#xff0c;数据库mysql&#xff0c;前端bootstrap。系统角色分为用户和管理员。 技术栈&#xff1a;phpmysqlbootstrapphpstudyvscode 二 功能 用户 1 注册/登录/注销…

08.queue 容器

8、queue 容器 概念&#xff1a; Queue 是一种先进先出&#xff08;First In First Out&#xff0c;FIFO&#xff09;的数据结构&#xff0c;他有两个出口 队列容器允许从一端新增元素&#xff0c;从另一端移除元素队列中只有队头和队尾才可以被外界使用&#xff0c;因此队列…

Oracle:JDBC链接Oracle的DEMO

1、引入jar包&#xff1a; 2、DEMO&#xff1a; package jdbc;import java.sql.*;public class OracleConnectionExample {public static void main(String[] args) throws SQLException {Connection conn null;PreparedStatement statement null;try {// Register JDBC dri…

基于Hadoop的农产品价格信息检测分析系统

基于Hadoop的农产品价格信息检测分析系统 前言数据处理模块1. 数据爬取2. 数据清洗与处理3. 数据存储 数据分析与检测模块1. 农产品价格趋势分析2. 农产品价格检索3. 不同市场价格对比 创新点 前言 为了更好地了解农产品市场价格趋势和不同市场之间的价格差异&#xff0c;我设…

Leetcode—151.反转字符串中的单词【中等】

2023每日刷题&#xff08;六十五&#xff09; Leetcode—151.反转字符串中的单词 实现代码 class Solution { public:string reverseWords(string s) {stringstream strs(s);string word;vector<string> res;while(strs >> word) {res.push_back(word);}reverse(…