我想知道是否有某种方法可以用整数声明枚举。或者如果有其他替代方案我可以使用。
例如:
enum panelSizes { 300, 305, 310, 315, ..., 50000}
[0] [1] [2] [3] [940]
我需要为每个大小分配一些ID,所以当用户输入特定的宽度时,我必须能够识别出存储在不同数组中的相应cutSize。
这是我试图避免尝试将excel文件读入我的程序并进行某种LOOKUP以识别某些相关信息。
请帮忙
提前致谢
答案 0 :(得分:3)
由于您的方法无论如何都不允许使用名称,因此请使用数组:
readonly int[] panelSizes = { 300, 305, 310, 315, ..., 50000};
然后,也许,添加一个枚举来索引它:
enum panelSizeNames { a300, a305, a310, a315, ... , a50000 } // or better names
获取
int size = panelSizes[panelSizeNames.a315];
答案 1 :(得分:2)
对我而言,您似乎想要使用算法而不是查找来获得正确的剪切。如果您的值是这样的线性,则不需要字典/枚举/数组。
int panelSize = 5000;
int index = (panelSize - 300)/5;
反之亦然
int index = 940;
int panelSize = (index * 5) + 300;
答案 2 :(得分:1)
字典怎么样?
Dictionary<int, int> dic = new Dictionary<int, int>
{
{ 0, 300 },
{ 1, 305 },
{ 2, 310 }
....
};
请注意,如果键是从0到N的索引,那么一个简单的数组也可以......
答案 3 :(得分:1)
使用您在开头加载的Dictionary<int,int>
,其中的ID和宽度作为键和值。
答案 4 :(得分:0)
这就是我的所作所为:
使用结构,我能够将输入数组与填充大小的数组进行比较,然后将每个匹配大小的位置存储在数组“Identities”中。现在我可以轻松编写从相同位置的其他数组返回值的方法...(类似于电子表格lookUp)
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace PalisadeWorld
{
//struct to store all the 'identities' of each panel size in an array
struct ID
{
public int[] Identities;
public ID(int[] widths, int rows)
{
int[] allWidths = { 300, 305, 310, 315, 320, 325, 330, ..., 5000 };
int i,j;
int[] Ids = new int[rows];
for (i = 0; i < rows; i++)
{
for (j = 0; j < 941; j++)
{
if (widths[i] == allWidths[j])
{
Ids[i] = j;
break;
}
}
}
this.Identities = Ids;
}
public override string ToString()
{
string data = String.Format("{0}", this.Identities);
return data;
}
}
class LookUpSheet
{
//retrieve calculated widths and number of panels from NewOrder.cs
public int[] lookUp_Widths {get; set;}
public int lookUp_Rows { get; set; }
//Method returning number of pales
public int[] GetNumPales1()
{
int[] all_numPales = { 2, 2, 2, 2, 2, 2, 2, 2, 2, ..."goes on till [941]"...};
int[] numPales = new int[lookUp_Rows];
ID select = new ID(lookUp_Widths, lookUp_Rows);
for (int i = 0; i < lookUp_Rows; i++)
{
numPales[i] = all_numPales[select.Identities[i]];
}
return numPales;
}
//Method returning block sizes (mm)
public int[] GetBlocks1()
{
int[] all_blocks = { 56, 59, 61, 64, 66, 69, 71, 74, "goes on till [941]"...};
int[] blocks = new int[lookUp_Rows];
ID select = new ID(lookUp_Widths, lookUp_Rows);
for (int i = 0; i < lookUp_Rows; i++)
{
blocks[i] = all_blocks[select.Identities[i]];
}
return blocks;
}
谢谢大家!