我遇到了一个我不知道如何解决它的问题。我创建了一个包含日期和价格的二维数组。我想删除日期时间在两个日期之间的行。下面的例子,我想删除第三行。
for (int i=0;i<row.length;i++)
{
for (int j=0;j<col.length;j++)
{
if (Array[row,0]=" ")
{
Array[row,j]=Array[row+1,j];
i++
}
}
}
这是我的代码:(我不知道它为什么会起作用)
form.document.getElementById('deleteAlertsButton').disabled=true;
答案 0 :(得分:2)
如果我是你,我会创建一个对象并将日期和价格存储为属性。
例如:
public class DateAndPrice //let this name be whatever you want
{
public DateTime Date { get; set; }
public int Price { get; set; }
}
然后,将它们存储在List中,以便您可以使用Remove方法轻松删除它们。
List<DateAndPrice> list = new List<DateAndPrice>();
答案 1 :(得分:1)
如果您在使用数组时受到严重限制,可以使用Linq查询过滤掉结果并返回一个新数组:
var data = new[] {
new { Date = "01/07", Price = 10 },
new { Date = "02/07", Price = 20 },
new { Date = "", Price = 30 },
new { Date = "03/07", Price = 40 }
};
var noBlanks = (from d in data
where !string.IsNullOrWhiteSpace(d.Date)
select d).ToArray();
将选择没有空,空或空白日期项的数据,并将它们放在一个新数组中。
答案 2 :(得分:1)
如果您仍然坚持使用非2D列表,请尝试以下方法:
string[,] array =
{
{ "01/07", "10" },
{ "02/07", "20" },
{ String.Empty, "30" },
{ "03/07", "40" },
};
array = RemoveEmptyDates(array);
for (int i = 0; i <= array.GetUpperBound(0); i++)
{
for (int j = 0; j <= array.GetUpperBound(1); j++)
{
Console.Write("{0} \t", array[i, j]);
}
Console.WriteLine();
}
RemoveEmptyDates看起来像:
public static string[,] RemoveEmptyDates(string[,] array)
{
// Find how many rows have an empty date
int rowsToRemove = 0;
for (int i = 0; i <= array.GetUpperBound(0); i++)
{
if (string.IsNullOrEmpty(array[i, 0]))
{
rowsToRemove++;
}
}
// Reinitialize an array minus the number of empty date rows
string[,] results = new string[array.GetUpperBound(0) + 1 - rowsToRemove, array.GetUpperBound(1) + 1];
int row = 0;
for (int i = 0; i <= array.GetUpperBound(0); i++)
{
int col = 0;
if (!string.IsNullOrEmpty(array[i, 0]))
{
for (int j = 0; j <= array.GetUpperBound(1); j++)
{
results[row, col] = array[i, j];
col++;
}
row++;
}
}
return results;
}
结果:
01/07 10
02/07 20
03/07 40
答案 3 :(得分:0)
你对此的态度不是最好的。你应该创建一个帮助类:
public class DatePrice
{
public DateTime Date { get; set; }
public decimal Price { get; set; }
}
然后创建一个集合类:
var prices = new List<DatePrice>();
然后你可以添加这样的数据:
prices.Add(new DatePrice() { Date = DateTime.Now, Price = 10m });
您可以根据以下索引轻松删除项目:
prices.RemoveAt(2);
如果你真的必须使用数组,那么你需要一个扩展方法,例如这样删除一个项目(从here复制):
public static T[] RemoveAt<T>(this T[] source, int index)
{
T[] dest = new T[source.Length - 1];
if( index > 0 )
Array.Copy(source, 0, dest, 0, index);
if( index < source.Length - 1 )
Array.Copy(source, index + 1, dest, index, source.Length - index - 1);
return dest;
}
对于二维数组,请使用:
string[][] a = new string[][] {
new string[] { "a", "b" } /*1st row*/,
new string[] { "c", "d" } /*2nd row*/,
new string[] { "e", "f" } /*3rd row*/
};
int rowToRemove = 1; // 2nd row
a = a.Where((el, i) => i != rowToRemove).ToArray();