Unity顺序读取一个文件下的所有文本文档里面的数据,将所有的文本文档里面的数据汇总输入到指定的文本文档下。每0.1秒执行一次该指令,每次读取忽略之前读取的内容,每读取一次写出一次。整体代码
时间: 2024-05-03 21:19:34 浏览: 92
按时间先后读取文件
以下是一个简单的示例代码实现:
```csharp
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using System.IO;
public class ReadFiles : MonoBehaviour
{
public string folderPath; // 文件夹路径
public string outputFilePath; // 输出文件路径
private List<string> fileNames = new List<string>(); // 文件名列表
private int currentFileIndex = 0; // 当前读取的文件索引
private string currentFileName; // 当前读取的文件名
private string currentFileContents; // 当前读取的文件内容
private float timer = 0.0f; // 计时器
// Start is called before the first frame update
void Start()
{
// 获取文件夹下所有txt文件名
DirectoryInfo dir = new DirectoryInfo(folderPath);
foreach (FileInfo fileInfo in dir.GetFiles())
{
if (fileInfo.Extension == ".txt")
{
fileNames.Add(fileInfo.Name);
}
}
}
// Update is called once per frame
void Update()
{
// 每0.1秒读取一个文件并将其内容写入输出文件中
timer += Time.deltaTime;
if (timer >= 0.1f)
{
timer = 0.0f;
if (currentFileIndex < fileNames.Count)
{
currentFileName = fileNames[currentFileIndex];
currentFileContents = File.ReadAllText(Path.Combine(folderPath, currentFileName));
File.AppendAllText(outputFilePath, currentFileContents);
currentFileIndex++;
}
}
}
}
```
在上述代码中,我们首先在 `Start()` 方法中获取指定文件夹下所有的 `.txt` 文件名,并将它们存储在 `fileNames` 列表中。在每一帧的 `Update()` 方法中,我们使用计时器来控制每0.1秒读取一个文件并将其内容写入指定的输出文件中。我们使用 `File.ReadAllText()` 方法来读取指定文件的内容,并使用 `File.AppendAllText()` 方法将其追加写入到输出文件中。
需要注意的是,这段代码并没有考虑文件读取的顺序问题。如果需要严格按照文件名顺序读取,可以在获取文件名列表时进行排序。如果要实现循环读取文件的功能,可以在读取到最后一个文件时将 `currentFileIndex` 重置为0。
阅读全文