我正在尝试将以下代码中的每个循环的新列表添加到字典中,但是我目前正遇到以下错误:
无法从'void'转换为'System.Collections.Generic.List
public class WeaponGen{
Dictionary<string, List<string>> weapons = new Dictionary <string, List<string>>();
public void WeaponGeneration(int GenerationCount)
{
Weapon weapon = new Weapon(); //this class contains basic calculation methods
weapons.Clear();
for (int i = 0; i < GenerationCount; i++)
{
string listname = "weapon" + i;
string id = Random.Range(1, 41).ToString();
List<string>[] _lists = new List<string>[GenerationCount];
_lists[i] = new List<string>();
weapons.Add(listname, _lists[i].Add(id)); //this line throws an error
weapons.Add(listname, _lists[i].Add(weapon.GetName(id))); //this line throws an error
weapons.Add(listname, _lists[i].Add(weapon.GetRarity(id))); //this line throws an error
weapons.Add(listname, _lists[i].Add(weapon.GetType(id))); //this line throws an error
weapons.Add(listname, _lists[i].Add(weapon.GetDmg(id).ToString())); //this line throws an error
weapons.Add(listname, _lists[i].Add(weapon.GetSpeed(id).ToString())); //this line throws an error
weapons.Add(listname, _lists[i].Add(weapon.GetCost(id).ToString())); //this line throws an error
}
}}
由于在某些方面确实缺少我的编码技能,因此我认为对语言有更好了解的人可以为我提供帮助。非常感谢您的帮助!
答案 0 :(得分:1)
欢迎您!
列表add
方法不返回任何值:https://docs.microsoft.com/en-us/dotnet/api/system.collections.generic.list-1.add?view=netframework-4.7.2。
因此,如果我正确理解了您的想法,则需要用所需的值填充列表,并将其本身添加到字典中,如下所示:
for (int i = 0; i < GenerationCount; i++)
{
string listname = "weapon" + i;
string id = Random.Range(1, 41).ToString();
List<string>[] _lists = new List<string>[GenerationCount];
_lists[i] = new List<string>();
_lists[i].Add(id);
_lists[i].Add(weapon.GetName(id));
_lists[i].Add(weapon.GetRarity(id));
_lists[i].Add(weapon.GetType(id));
_lists[i].Add(weapon.GetDmg(id).ToString());
_lists[i].Add(weapon.GetSpeed(id).ToString());
_lists[i].Add(weapon.GetCost(id).ToString());
weapons.Add(listname, _lists[i]);
}
P.S。 Random.Range
是什么?是某种扩展方法吗?无论如何,在如此小的间隔内基于随机值生成id似乎很危险。为什么不简单使用i.ToString()
?