我在YouTube上找到了一个使用Unity 2017.3.1f1在画布上准确添加文件资源管理器和图像上传到'RawImage'的教程。
我要做的是在“按下按钮”之后将相同的图像添加到像彩色立方体所示的立方体或平面之类的3D对象。当我运行下面的代码时,它注册为存在于多维数据集但不呈现。任何帮助表示赞赏。
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.UI;
using UnityEditor;
public class Explorer : MonoBehaviour
{
string path;
public RawImage image;
public void OpenExplorer()
{
path = EditorUtility.OpenFilePanel("Overwrite with png", "", "png");
GetImage();
}
void GetImage()
{
if (path != null)
{
UpdateImage();
}
}
void UpdateImage()
{
WWW www = new WWW("file:///" + path);
image.texture = www.texture;
}
}
答案 0 :(得分:3)
您的代码中存在一个小错误。它应该有时工作,其他时候失败。它工作与否的可能性取决于图像的大小。如果图像非常小,它将起作用,但当它是一个大图像时会失败。
原因在于UpdateImage
函数中的代码。 WWW
应该用在协程函数中,因为在使用www.texture
访问纹理之前,您需要让它等待它完成加载或下载文件。你现在不这样做。将它更改为一个协同程序函数,然后产生它,它应该工作正常,。
void GetImage()
{
if (path != null)
{
StartCoroutine(UpdateImage());
}
}
IEnumerator UpdateImage()
{
WWW www = new WWW("file:///" + path);
yield return www;
image.texture = www.texture;
}
如果由于某种原因您无法使用协同程序,因为它是一个编辑器插件,那么就会忘记WWW
API并使用File.ReadAllBytes
来阅读图片。
void GetImage()
{
if (path != null)
{
UpdateImage();
}
}
void UpdateImage()
{
byte[] imgByte = File.ReadAllBytes(path);
Texture2D texture = new Texture2D(2, 2);
texture.LoadImage(imgByte);
image.texture = texture;
}
要将图像指定给3D对象,请获取MeshRenderer
,然后将纹理设置为渲染器正在使用的材质的mainTexture
:
//Drag the 3D Object here
public MeshRenderer mRenderer;
void UpdateImage()
{
byte[] imgByte = File.ReadAllBytes(path);
Texture2D texture = new Texture2D(2, 2);
texture.LoadImage(imgByte);
mRenderer.material.mainTexture = texture;
}
答案 1 :(得分:0)
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.UI;
using UnityEditor;
using System.IO;
public class Explorer : MonoBehaviour
{
string path;
public MeshRenderer mRenderer;
public void OpenExplorer()
{
path = EditorUtility.OpenFilePanel("Overwrite with png", "", "png");
GetImage();
}
void GetImage()
{
if (path != null)
{
UpdateImage();
}
}
void UpdateImage()
{
byte[] imgByte = File.ReadAllBytes(path);
Texture2D texture = new Texture2D (2, 2);
texture.LoadImage(imgByte);
mRenderer.material.mainTexture = texture;
//WWW www = new WWW("file:///" + path);
//yield return www;
//image.texture = texture;
}
}