Web 前端 与 Unity 通信

概要

  • UI 部分,由 HTML+CSS 实现
  • 图形绘制部分,由 Unity 实现
  • 【通信方向:Web 应用 => WebGL项目(iframe组件) => Unity】下拉框切换方块颜色
  • 【通信方向:Unity => WebGL项目(iframe组件) => Web 应用】场景加载完成通知、物体聚焦/失焦

Demo 预览


初始化 Unity 项目

新建项目
替换案例场景
添加物体至场景,并附上 tag

脚本绑定

相机
  • 拖拽场景,相机基于方块物体,进行环绕运动
using System.Collections;
using System.Collections.Generic;
using System.Runtime.InteropServices;
using UnityEngine;

public class MouseDragger : MonoBehaviour
{

    public Transform target;    // 获取跟随目标(围绕中心)
    public float speed = 10;    // 自动环绕速度

    private void Update()
    {
        cameraRotate();
        cameraZoom();
    }

    // 左键:手动环绕
    private void cameraRotate() //摄像机围绕目标旋转操作
    {
        transform.RotateAround(target.position, Vector3.up, speed * Time.deltaTime);    // 自动环绕目标
        var mouse_x = Input.GetAxis("Mouse X");     // 获取鼠标 X 轴移动
        var mouse_y = -Input.GetAxis("Mouse Y");    // 获取鼠标 Y 轴移动
        if (Input.GetKey(KeyCode.Mouse0))
        {
            transform.RotateAround(target.transform.position, Vector3.up, mouse_x * 5);
            transform.RotateAround(target.transform.position, transform.right, mouse_y * 5);
        }
    }

    // 滚轮:缩放
    private void cameraZoom() 
    {
        if (Input.GetAxis("Mouse ScrollWheel") > 0)
        {
            transform.Translate(Vector3.forward * 0.5f);
        }


        if (Input.GetAxis("Mouse ScrollWheel") < 0)
        {
            transform.Translate(Vector3.forward * -0.5f);
        }
    }
}
  • 光线投射,判断物体是否获取焦点
using System.Collections;
using System.Collections.Generic;
using System.Runtime.InteropServices;
using UnityEngine;

public class RayDetection : MonoBehaviour
{

    // 事件:聚焦,射线命中对应 tag 的物体
    [DllImport("__Internal")]
    private static extern void FocusEventUnity(string objectName, string mousePosition);

    // 事件:失焦
    [DllImport("__Internal")]
    private static extern void UnfocusEventUnity();

    private UnityEngine.Ray ray;
    private RaycastHit hit;
    private string nameObject;      // 用于节流,减少事件触发次数
    private bool isFocus = false;   // 用于节流,减少事件触发次数
    private float widthScreen;
    private float heightScreen;

    private void Start()
    {
        getSizeScreen();
    }

    private void Update()
    {
        rayJudgment();
    }

    // 获取视窗尺寸
    private void getSizeScreen()
    {
        widthScreen = UnityEngine.Screen.width;
        heightScreen = UnityEngine.Screen.height;
    }

    // 获取鼠标位置
    private string getMousePosition()
    {
        Vector3 mousePosition = Input.mousePosition;
        string res = mousePosition.x + "," + (heightScreen - mousePosition.y);
        return res;
    }

    // 鼠标悬浮:光线投射到场景,判断是否穿过物体
    private void rayJudgment()
    {
        ray = Camera.main.ScreenPointToRay(Input.mousePosition);

        if (Physics.Raycast(ray, out hit, 100) && hit.collider.tag == "target")
        {
            if (nameObject != hit.collider.name)
            {
                isFocus = true;
                nameObject = hit.collider.name;
                string mousePosition = getMousePosition();
                Debug.Log(mousePosition);
                #if UNITY_WEBGL
                    FocusEventUnity(hit.collider.name, mousePosition);
                #endif
            }
        }
        else
        {
            if (isFocus)
            {
                isFocus = false;
                nameObject = null;
                #if UNITY_WEBGL
                    UnfocusEventUnity();
                #endif
            }
        }
    }
}
  • 判断 Unity 是否加载完成
using System.Collections;
using System.Collections.Generic;
using System.Runtime.InteropServices;
using UnityEngine;

public class LoadDetection : MonoBehaviour
{

    // 事件:场景加载完成
    [DllImport("__Internal")]
    private static extern void LoadedEventUnity();

    void Start()
    {
        #if UNITY_WEBGL
            LoadedEventUnity();
        #endif
    }
}
方块(切换颜色)
using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class ChangeMaterial : MonoBehaviour
{

    private void ChangeMaterialColor(string colorKey)
    {
        Dictionary<string, Color> colorDictionary = new Dictionary<string, Color>();
        colorDictionary.Add("red", Color.red);
        colorDictionary.Add("green", Color.green);
        colorDictionary.Add("blue", Color.blue);
        gameObject.GetComponent<Renderer>().material.color = colorDictionary[colorKey];
    }
}

新建 Plugins 目录,定义 jslib

作用:提供内部接口,便于 Unity 调用 JavaScript 接口

var param = {

    LoadedEventUnity: function () {
        window.LoadedEventUnity();
    },

    FocusEventUnity: function (objectName, mousePosition) {
        window.FocusEventUnity(Pointer_stringify(objectName), Pointer_stringify(mousePosition));
    },

    UnfocusEventUnity: function () {
        window.UnfocusEventUnity();
    }
}


mergeInto(LibraryManager.library, param);

构建 WebGL 项目

创建构建目录
  • Dist:Unity 构建输出
  • index.css:Web 应用 样式
  • index.html:Web 应用 入口
  • JSBridge.js:UnityWebGL项目(iframe组件) 的通信接口定义
  • unityWebGL.css:WebGL项目(iframe组件) 样式
输出构建内容
清理无用文件(TemplateData 目录)

编辑代码 WebGL项目(iframe组件)

入口(Dist/index.html)
<!DOCTYPE html>
<html lang="en-us">
  <head>
    <meta charset="utf-8">
    <meta http-equiv="Content-Type" content="text/html; charset=utf-8">
    <title>Unity WebGL Player | VueUnityCommunication</title>

    <link rel="stylesheet" href="../unityWebGL.css">

    <script src="./Build/UnityLoader.js"></script>
    <script src="../JSBridge.js"></script>
  </head>
  <body>
    <div class="webgl-content">
      <div id="unityContainer"></div>
    </div>
  </body>
</html>
样式(unityWebGL.css)
body {
    margin: 0;
}

#unityContainer {
    background: none !important;
    visibility: hidden;
}
JSBridge.js
const unityInstance = UnityLoader.instantiate("unityContainer", "Build/Dist.json")
const parentWindow = window.parent

// 隐藏 Unity 个人版欢迎 Brand(也可以在加载期间,显示自定义的 html loading 组件)
window.LoadedEventUnity = () => {
    document.querySelector('#unityContainer').style.visibility = 'visible'
}

// 调用父级页面 showObjectInfo 函数,显示物体信息
window.FocusEventUnity = (objectName, mousePosition) => {
    parentWindow.showObjectInfoCard(objectName, mousePosition)
}

// 调用父级页面 hideObjectInfo 函数,隐藏物体信息
window.UnfocusEventUnity = () => {
    parentWindow.hideObjectInfoCard()
}

window.ChangeMaterialColor = colorKey => {
    unityInstance.SendMessage('Cube', 'ChangeMaterialColor', colorKey)
}

编辑代码 Web 应用

入口(index.html)

<iframe> src 替换为对应的域

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta http-equiv="X-UA-Compatible" content="IE=edge">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
    <link rel="stylesheet" href="./index.css">
</head>
<body>

    <iframe
        id="iframeUnity"
        src="http://192.168.123.218:8000/Dist/"
        width="960"
        scrolling="no"
        frameborder="0"
        onload="this.height = this.contentWindow.document.querySelector('canvas').scrollHeight"
        ></iframe>
    
    <select id="colorPicker">
        <option value="">默认</option>
        <option value="red">红</option>
        <option value="green">绿</option>
        <option value="blue">蓝</option>
    </select>
    <div id="infoCard"></div>

    <script>

        window.showObjectInfoCard = (objectName, mousePosition) => {
            const nodeInfoCard = document.querySelector('#infoCard')
            const listPos = mousePosition.split(',')
            const x = listPos[0]
            const y = listPos[1]
            nodeInfoCard.style.top = `${y}px`
            nodeInfoCard.style.left = `${x}px`
            console.log(x, y)
            nodeInfoCard.style.visibility = 'visible'
            nodeInfoCard.innerText = objectName
        }

        window.hideObjectInfoCard = () => {
            const nodeInfoCard = document.querySelector('#infoCard')
            nodeInfoCard.style.visibility = 'hidden'
            nodeInfoCard.innerText = ''
        }

        // 调用子级页面 ChangeMaterialColor 函数,更改方块颜色
        document.querySelector("#colorPicker").addEventListener("change", function () {
            window.frames[0].ChangeMaterialColor(this.value)
        })
    </script>
</body>
</html>
样式(index.css)
body {
    position: relative;
}

#iframeUnity {
    background-color: #ccc;
}

#colorPicker {
    margin: 16px;
    position: absolute;
    top: 0;
    left: 0;
}

#infoCard {
    padding: 16px;
    position: absolute;
    background-color: #ccc;
    visibility: hidden;
}

运行 Demo

此处使用基于 nodejs 的静态服务器启动工具 anywhere

cd VueUnityCommunication/Build
anywhere
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,772评论 6 477
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,458评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,610评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,640评论 1 276
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,657评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,590评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,962评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,631评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,870评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,611评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,704评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,386评论 4 319
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,969评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,944评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,179评论 1 260
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 44,742评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,440评论 2 342

推荐阅读更多精彩内容

  • 现今的可视化网页也越来越趋向于炫酷风了。这样的 这样的 参考:阿里云上海城市数据可视化概念设计稿[https://...
    xuelulu阅读 4,062评论 0 11
  • 【转载】CSDN - 张林blog http://blog.csdn.net/XIAOZHUXMEN/articl...
    竿牍阅读 3,479评论 1 14
  • 面试题一:https://github.com/jimuyouyou/node-interview-questio...
    R_X阅读 1,611评论 0 5
  • 1.一些开放性题目 1.自我介绍:除了基本个人信息以外,面试官更想听的是你与众不同的地方和你的优势。 2.项目介绍...
    55lover阅读 632评论 0 6
  • 1.一些开放性题目 1.自我介绍:除了基本个人信息以外,面试官更想听的是你与众不同的地方和你的优势。 2.项目介绍...
    这是这时阅读 636评论 0 4