我正在遍历一串字符串,例如(1992年1月12日的Apple Truck 12/10/10橙色自行车)。数组的长度始终可以被3整除。我需要遍历数组并获取前3个项(我将它们插入数据库),然后获取接下来的3个,依此类推,直到所有他们已经经历了。
//iterate the array
for (int i = 0; i < theData.Length; i++)
{
//grab 3 items at a time and do db insert, continue until all items are gone. 'theData' will always be divisible by 3.
}
最佳答案
只需在每个步骤中将i
增加3:
Debug.Assert((theData.Length % 3) == 0); // 'theData' will always be divisible by 3
for (int i = 0; i < theData.Length; i += 3)
{
//grab 3 items at a time and do db insert,
// continue until all items are gone..
string item1 = theData[i+0];
string item2 = theData[i+1];
string item3 = theData[i+2];
// use the items
}
为了回答一些评论,已知
theData.Length
是3的倍数,因此不需要检查theData.Length-2
作为上限。那只会掩盖先决条件中的错误。关于c# - C#遍历数组,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/2412309/