…
作业1
…
某百货商场当日消费积分最高的8名顾客,他们的积分分别是18、25、7、36、13、2、89、63.编写程序找出最低的积分及它在数组中的原始位置。
…
代码
…
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace ConsoleApplication1
{
class Program
{
static void Main(string[] args)
{
try
{
int[] points=new int[8];
Console.WriteLine("请输入顾客的消费积分");
int i;
for (i = 0; i < points.Length; i++)
{
Console.Write("第{0}个顾客的积分是:",i+1);
points[i] = Convert.ToInt32(Console.ReadLine());
}
int min = points[0];
int index = 0;
for (i = 0; i < points.Length; i++)
{
if (min > points[i])
{
min = points[i];
index = i;
}
}
Console.WriteLine("顾客的最低积分是{0},它在数组中的原始位置是{1}",min,index);
}
catch
{ Console.WriteLine("输入错误,请重新输入"); }
Console.ReadKey();
}
}
}
…
效果
…
…
作业2
…
从键盘上输入10个整数,合法值为1,2或3,不是这3个数则为非法数字。试编程统计每个整数和非法数字的个数。程序运行结果如图所示
…
代码
…
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ConsoleApp46
{
class Program
{
static void Main(string[] args)
{
try
{
int[] num = new int[10];
int[] count = new int[4];
Console.WriteLine("请输入10个数字");
for (int i = 0; i < num.Length; i++)
{
Console.Write("请输入第{0}个数字:", i + 1);
num[i] = Convert.ToInt32(Console.ReadLine());
}
for (int i = 0; i < num.Length; i++)
{
switch (num[i])
{
case 1:
count[0] += 1;
break;
case 2:
count[1] += 1;
break;
case 3:
count[2] += 1;
break;
default:
count[3] += 1;
break;
}
}
Console.WriteLine("数字1的个数:{0}",count[0]);
Console.WriteLine("数字2的个数:{0}", count[1]);
Console.WriteLine("数字3的个数:{0}", count[2]);
Console.WriteLine("非法数字的个数:{0}", count[3]);
}
catch
{
Console.WriteLine("输入有误,请重新输入");
}
Console.ReadKey();
}
}
}
…
效果
…
…
作业3
…
假设有一个长度为5的数组,如下所示
int[] array = { 1, 3, -1, 5, -2 };
现创建一个新数组newArray[],要求新数组中元素的存放顺序与原数组中的元素逆序,并且如果原数组中的元素值小于0,在新数组中按0存储。试编程输出新数组中的元素,程序运行结果如下图所示
…
代码
…
…using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ConsoleApp47
{
class Program
{
static void Main(string[] args)
{
int[] array = { 1, 3, -1, 5, -2 };
int[] newarray = new int[array.Length];
int j = -1;
for (int i = array.Length - 1; i >= 0; i--)
{
j++;
if (array[i] > 0)
{
newarray[j] = array[i];
}
else
{
newarray[j] = 0;
}
}
Console.WriteLine("原来数组的值:");
foreach (var item in array)
{
Console.Write(item+" ");
}
Console.WriteLine("");
Console.WriteLine("新数组的值:");
foreach (var item in newarray)
{
Console.Write(item + " ");
}
Console.ReadKey();
}
}
}
效果
…
…