开始场景------开始界面
step1:设置UI
data:image/s3,"s3://crabby-images/45ebc/45ebc7348e62facd3d4649eafbc5b954526fea1c" alt=""
data:image/s3,"s3://crabby-images/c77c3/c77c3cf6a6d7758ab2ad86ccf3a802d13f608622" alt=""
反正按照这张图拼就行了
data:image/s3,"s3://crabby-images/a43dc/a43dc67884b399c67514df78787bc7662e129eb9" alt=""
data:image/s3,"s3://crabby-images/f52dc/f52dc336f8abdaf9f95c7af98cc0ef66dad6b969" alt=""
step2:写脚本
data:image/s3,"s3://crabby-images/e278b/e278bd23aaa4e6e3712f164cb263baa2fe6cb42b" alt=""
前面的拼UI都是些比较机械化的工作,直到这里写代码的时候才真正开始有点意思了,从这里开始,我们就要利用面向对象的思路来进行分析:开始场景有三个面板(开始界面、设置、排行榜),而其他场景也会多多少少有一些UI面板------因为这些UI面板都有一些共同的特征,所以我们可以把这些共同的特征提取出来写成一个基类,然后再让其他类来继承这个基类,而每个子类中都只保留自己独有的逻辑,这样就可以实现代码的复用了。
文件夹管理:
data:image/s3,"s3://crabby-images/40ab9/40ab91fbf5d389bce7df5bec810116699ec9b4de" alt=""
面板基类
提供给子类用于继承的虚函数
data:image/s3,"s3://crabby-images/8344f/8344f5ed97759538c0ecf581763e0fe7e3b0a0a2" alt=""
这两个函数一定要掌握,其可以控制这个脚本挂载的物体的显隐。
单例模式
data:image/s3,"s3://crabby-images/d955b/d955b45a594e21917a506ab8d44057b213428bad" alt=""
这里用泛型是因为该脚本会供其他子类继承,所以就必须抽象(要不然就无法实现多态)
而且继承了MonoBehavior的类不能new,所以要在Awake生命函数中对instance进行赋值。
为什么这里要用单例模式?因为这个类所派生出的子类会在我们今后写UI逻辑的时候经常用到,为了方便就将其写成单例模式(处处都会出现的类就要写成单例模式)
这个脚本的意思就是:当子类继承它时,它就会将instance实例化成子类对应的类型
开始界面
data:image/s3,"s3://crabby-images/5f495/5f495d90c7a4f2271d6bf1dd39bc66a7f54b1016" alt=""
data:image/s3,"s3://crabby-images/8b658/8b65884eb14b6c83a1f69ea84da055be2eced9f0" alt=""
直到这里的BasePanel和BeginPanel代码如下
cs
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
public class BasePanel<T> : MonoBehaviour where T: class
{
//单例模式
private static T instance;
public static T Instance
{
get
{
return instance;
}
}
private void Awake()
{
instance = this as T;
}
//控制显隐
public virtual void ShowMe()
{
gameObject.SetActive(true);
}
public virtual void HideMe()
{
gameObject.SetActive(false);
}
}
cs
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.SceneManagement;
public class BeginPanle : BasePanel<BeginPanle>
{
//关联的各按钮控件
public CustomGUIButton btnBegin;
public CustomGUIButton btnSettings;
public CustomGUIButton btnExit;
public CustomGUIButton btnRank;
void Start()
{
//事件监听
btnBegin.clickEvent += () =>
{
SceneManager.LoadScene("GameScene");
};
btnSettings.clickEvent += () =>
{
};
btnExit.clickEvent += () =>
{
};
btnRank.clickEvent += () =>
{
};
}
}