我的游戏允许用户在运行时修改地形,但是现在我需要保存所述地形。我尝试将地形的高度图直接保存到文件中,但是为此513x513高度图几乎要花两分钟的时间来编写。
什么是解决此问题的好方法?有什么方法可以优化书写速度,还是我以错误的方式来处理?
public static void Save(string pathraw, TerrainData terrain)
{
//Get full directory to save to
System.IO.FileInfo path = new System.IO.FileInfo(Application.persistentDataPath + "/" + pathraw);
path.Directory.Create();
System.IO.File.Delete(path.FullName);
Debug.Log(path);
//Get the width and height of the heightmap, and the heights of the terrain
int w = terrain.heightmapWidth;
int h = terrain.heightmapHeight;
float[,] tData = terrain.GetHeights(0, 0, w, h);
//Write the heights of the terrain to a file
for (int y = 0; y < h; y++)
{
for (int x = 0; x < w; x++)
{
//Mathf.Round is to round up the floats to decrease file size, where something like 5.2362534 becomes 5.24
System.IO.File.AppendAllText(path.FullName, (Mathf.Round(tData[x, y] * 100) / 100) + ";");
}
}
}
作为旁注,Mathf.Round似乎并没有太大地影响节省时间。
答案 0 :(得分:2)
您正在进行许多小的单个文件IO调用。文件IO总是很耗时且昂贵,因为它包含打开文件,写入文件,保存文件和关闭文件的操作。
我宁愿使用例如生成完整的字符串StringBuilder
比使用类似
var someString 对于(...) { someString + =“ xyz” }
因为后者总是分配一个新的string
。
然后使用例如FileStream和StringWriter.WriteAsync(string)
用于编写异步代码。
也应使用Path.Combine
而不是通过/
直接连接字符串。 Path.Combine
根据使用的操作系统自动使用正确的连接器。
而不是FileInfo.Directory.Create
而是使用Directory.CreateDirectory
,如果目录已经存在,它不会引发异常。
类似
using System.IO;
...
public static void Save(string pathraw, TerrainData terrain)
{
//Get full directory to save to
var filePath = Path.Combine(Application.persistentDataPath, pathraw);
var path = new FileInfo(filePath);
Directory.CreateDirectory(path.DirectoryName);
// makes no sense to delete
// ... rather simply overwrite the file if exists
//File.Delete(path.FullName);
Debug.Log(path);
//Get the width and height of the heightmap, and the heights of the terrain
var w = terrain.heightmapWidth;
var h = terrain.heightmapHeight;
var tData = terrain.GetHeights(0, 0, w, h);
// put the string together
// StringBuilder is more efficient then using
// someString += "xyz" because latter always allocates a new string
var stringBuilder = new StringBuilder();
for (var y = 0; y < h; y++)
{
for (var x = 0; x < w; x++)
{
// also add the linebreak if needed
stringBuilder.Append(Mathf.Round(tData[x, y] * 100) / 100).Append(';').Append('\n');
}
}
using (var file = File.Open(filePath, FileMode.OpenOrCreate, FileAccess.Write))
{
using (var streamWriter = new StreamWriter(file, Encoding.UTF8))
{
streamWriter.WriteAsync(stringBuilder.ToString());
}
}
}
您可能希望指定如何准确地以一定的精度打印数字,例如
(Mathf.Round(tData[x, y] * 100) / 100).ToString("0.00000000");