title: unity-lua单元测试 categories: Unity3d tags: [unity, tolua, 单元测试] date: 2022-01-02 12:19:51 comments: false mathjax: true toc: true
unity-lua单元测试
前篇
这里说的单元测试并不是真正意义上得单元测试, 只是为了开发中能不重启进程, 动态执行一些测试代码, 不然有些测试重现场景可能会比较耗时, 因此就需要有一种功能可以动态执行一些测试代码来验证是否能达到预期或者调试 bug.
这里是基于 unity 和 tolua 的实现, 其他引擎/其他脚本语言 (如: Python) 的话思路是一样.
步骤
核心就是重写 lua 全局函数, 然后执行 函数
-
扩展编辑器
-
读取 lua 脚本, 使用正则解析捕获到 要执行的方法, 如: private void Refresh() {
EditorUtils.Assert(File.Exists(mCustomLuaPath), "--- 找不到文件: {0}", mCustomLuaPath);
string txt = Utils.ReadAllTextFromFile(mCustomLuaPath);
MatchCollection mthArr = new Regex(@"function\s+gDebugCustom.(\w+).*?\(").Matches(txt);
if (mthArr.Count == 0) {
Debug.LogFormat("<color=#ff0000>--- 捕获方法失败</color>");
return;
}
mFuncArr = new List<string>();
for (int i = 0; i < mthArr.Count; i++) {
mFuncArr.Add(mthArr[i].Groups[1].Value.Trim());
}
}
-
捕获的的方法 mFuncArr 绘制到 editor 中 -
添加执行 lua 的代码 public void CallCustomLua(string luaFile, string funcName) {
if (!EditorApplication.isPlaying) {
EditorUtility.DisplayDialog("错误", "只能在运行时使用", "Ok");
EditorUtils.Assert(false, "只能在运行时使用");
}
GameObject go = GameObject.Find("GameMgr");
if (go == null) {
EditorUtility.DisplayDialog("错误", "找不到 GameMgr", "Ok");
EditorUtils.Assert(false, "找不到 GameMgr");
}
if (luaFile == null) {
return;
}
GameMgr.CallLuaFunction("Debug_ExecCustomLua", luaFile, funcName);
}
-
lua 中添加一个全局函数, 执行动态代码
function Debug_ExecCustomLua(luaFile, funcName)
local ok = xpcall(function()
gAssert(Utils.IsFileExist(luaFile), "--- 找不到lua 文件, path: {0}", luaFile)
dofile(luaFile)
gAssert(gDebugCustom, "--- 找不到全局 table: gDebugCustom")
gAssert(type(gDebugCustom[funcName]) == "function", "--- 找不到 gDebugCustom.{0} 方法", funcName)
gDebugCustom[funcName]()
end, __G__TRACKBACK__)
if ok then
gLog("<color=#00ff00ff>--- gDebugCustom.{0} success!</color>", funcName)
else
gLog("<color=yellow>--- gDebugCustom.{0} execute fail!</color>", funcName)
end
end
-
添加 单元测试 lua 文件, 如: custom_unittest.lua , 里面就是需要动态执行的逻辑 gDebugCustom = gDebugCustom or {}
function gDebugCustom.Test001()
gLog("--- Test001")
end
function gDebugCustom.Test002()
gLog("--- Test002")
end
-
done. 测试一下, 在 editor 中刷新一下方法, 然后执行
|