I am reading an excel file that is located in “Resources” folder of my Unity application. I now want to load the same file from different location, i.e. StreamingAssets. Now there is no StreamingAssets.Load(), so how do I load and convert the file to TextAsset?
using UnityEngine;
using System;
using System.Collections;
using System.Collections.Generic;
using System.Text.RegularExpressions;
public class CSVReader
{
static string SPLIT_RE = @",(?=(?:[^""]*""[^""]*"")*(?![^""]*""))";
static string LINE_SPLIT_RE = @"\r\n|\n\r|\n|\r";
static char[] TRIM_CHARS = { '\"' };
public static List<Dictionary<string, object>> Read(string file)
{
var list = new List<Dictionary<string, object>>();
TextAsset data = Resources.Load(file) as TextAsset;
var lines = Regex.Split(data.text, LINE_SPLIT_RE);
if (lines.Length <= 1) return list;
var header = Regex.Split(lines[0], SPLIT_RE);
for (var i = 1; i < lines.Length; i++)
{
var values = Regex.Split(lines[i], SPLIT_RE);
if (values.Length == 0 || values[0] == "") continue;
var entry = new Dictionary<string, object>();
for (var j = 0; j < header.Length && j < values.Length; j++)
{
string value = values[j];
value = value.TrimStart(TRIM_CHARS).TrimEnd(TRIM_CHARS).Replace("\\", "");
object finalvalue = value;
int n;
float f;
if (int.TryParse(value, out n))
{
finalvalue = n;
}
else if (float.TryParse(value, out f))
{
finalvalue = f;
}
entry[header[j]] = finalvalue;
}
list.Add(entry);
}
return list;
}
}
and my LoadExcel is as :
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
public class LoadExcel : MonoBehaviour
{
// Start is called before the first frame update
void Start()
{
LoadItemData();
}
public void LoadItemData(){
//Read csv
List<Dictionary<string, object>> data = CSVReader.Read("MyExcel");
}
}
I know the way to load file from StreamingAssets is this way:
IEnumerator Start () {
string path = Path.Combine (Application.streamingAssetsPath, "MyExcel.csv");
UnityWebRequest uwr = UnityWebRequest.Get(path);
yield return uwr.SendWebRequest();
}
But how do I now convert it?