transform.position.x和transform.position.y的值含义是世界坐标。

世界坐标与屏幕坐标有时一样,有时不同,这和Canvas的渲染模式有关。

Canvas共有三种渲染模式

unityui坐标的相互转化 unity设置坐标_unityui坐标的相互转化

Screen Space - Overlay (此模式UGUI层一直在最上面,其他例如粒子等物体一直在UGUI层的下面)
在该模式下,世界坐标(transform.Position)和屏幕坐标是重合的,即左下为(0,0),右上为(screen.width,screen.height).此时世界坐标和屏幕坐标是一样的。

Screen Space - Camera(此模式UGUI层上面可以设置其他物体的显示,例如粒子显示,UGUI层不是一直在最上面)。

在没有设置Camera时,它和Screen Space - Overlay一样世界坐标,此时世界坐标和屏幕坐标是一样的。(transform.Position)和屏幕坐标是重合的。具体是如下图的设置,2D开发推荐用如下的设置

unityui坐标的相互转化 unity设置坐标_世界坐标_02

在设置了Camera时,世界坐标(transform.Postion)和它的Camera相关

unityui坐标的相互转化 unity设置坐标_世界坐标_03

在正交相机投影时与Size有关

unityui坐标的相互转化 unity设置坐标_屏幕坐标_04

在透视投影时与FOV和Plane Distance相关

unityui坐标的相互转化 unity设置坐标_世界坐标_05

2D主要用正交相机模式

不挂相机时,显示的是从屏幕左下角到该物体的距离,此时此时世界坐标和屏幕坐标是一样的。

unityui坐标的相互转化 unity设置坐标_世界坐标_06

挂上相机后,世界坐标的值是显示和相机的位置(相机默认一般是在屏幕的中间)。

unityui坐标的相互转化 unity设置坐标_c#_07

这种模式下,想获得屏幕坐标,需要使用camera.WorldToScreenPoint(transform.position);进行转换。

unityui坐标的相互转化 unity设置坐标_c#_08

unityui坐标的相互转化 unity设置坐标_世界坐标_09

此时转换后的屏幕坐标和之前没挂相机前的数值一致的。

unityui坐标的相互转化 unity设置坐标_c#_10

using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.UI;

public class Demo : MonoBehaviour
{
    public Button test;
    public Camera camera;

    void Start()
    {
        Debug.Log("世界坐标:transform.position.x = " + test.transform.position.x);
        Debug.Log("世界坐标转换为屏幕坐标:WorldToScreenPoint.x = " + camera.WorldToScreenPoint(test.transform.position).x);
        Debug.Log("test.GetComponent<RectTransform>().anchoredPosition.x = " + test.GetComponent<RectTransform>().anchoredPosition.x);
        Debug.Log("test.transform.localPosition.x = " + test.transform.localPosition.x);
    }

}

此时获得屏幕坐标还可以通过camera.ScreenToWorldPoint转回世界坐标

using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.UI;

public class Demo : MonoBehaviour
{
    public Button test;
    public Camera camera;

    void Start()
    {
        Debug.Log("世界坐标:transform.position.x = " + test.transform.position.x);
        Debug.Log("世界坐标转换为屏幕坐标:WorldToScreenPoint.x = " + camera.WorldToScreenPoint(test.transform.position).x);
        Debug.Log("test.GetComponent<RectTransform>().anchoredPosition.x = " + test.GetComponent<RectTransform>().anchoredPosition.x);
        Debug.Log("test.transform.localPosition.x = " + test.transform.localPosition.x);

        Vector3 myVector = camera.WorldToScreenPoint(test.transform.position);

        Debug.Log("屏幕坐标转换为世界坐标为:ScreenToWorldPoint.x = " + camera.ScreenToWorldPoint(myVector).x);

    }

}

打印效果如下

unityui坐标的相互转化 unity设置坐标_屏幕坐标_11