1.Console类可实现输入输出功能
2.Write方法:控制台输出(屏幕输出)
示例:
3.WriteLine方法:控制台输出并换行
示例:
1
|
Console.WriteLine(“我后面一个换行符”); |
4.格式化输出
1
|
Console.Write(“格式化字符串”,值0,值1, …)
|
注意①:格式化输出第一个参数是格式字符串,它个字符串,必须在引号中。
注意②:格式字符串后面是参数,用逗号与格式字符串隔开,一定不能和格式字符串包含在一个引号中。
示例:
1
2
|
int i=10, j=20,k=30;
Console.WriteLine(“one{0}two{1}three{2}”,i,j,k);
|
5.Console类输入输出
Console.ReadLine( )从键盘输入一行字符串。可以是0到多个字符,直到遇到回车键。一般将其保存到一个变量中以便使用。
示例:
1
|
string s = Console.ReadLine( );
|
6.Console输入
如果要输入一个整数(或者其他如DateTime类型),则先输入一个字符串,再进行类型转换。用int.Parse可以将string转成整数。
示例1:
1
2
3
|
string s=“123”;
int i;
i=int.Parse(s);
|
示例2:输入一个整数。
1
2
3
4
|
string s=Console.ReadLine( );
int i = int.Parse(s);
//或者2个步骤合并,如下:
int i = int.Parse(Console.ReadLine( ));
|
7.题目设计
1.输入十个学生成绩,按照从小到大排序后输出,同时求平均成绩并输出。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
|
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace lianxi1
{
class Program
{
static void Main(string[] args)
{
Console.WriteLine("请输入10个学生成绩(输入一个成绩后按回车继续):");
int[] a = new int[10];
int sum = 0;
for (int i = 0; i < a.Length; i++)
{
a[i] = Int32.Parse(Console.ReadLine());
sum += a[i];
}
int t;
for (int i = 0; i < a.Length - 1; i++) //冒泡排序
{
for (int j = 0; j < a.Length - 1 - i; j++)
{
if (a[j] > a[j + 1])
{
t = a[j];
a[j] = a[j + 1];
a[j + 1] = t;
}
}
}
Console.WriteLine("从小到大依次为:");
for (int i = 0; i < a.Length; i++)
{
Console.Write("{0} ", a[i]);
}
Console.WriteLine("\n平均成绩为:"+sum/10);
Console.ReadLine(); //让程序停住,看到输出结果。
}
}
}
|
2.输入随机数的个数,生成100~1000内的随机数进行排序。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
|
static void Main(string[] args)
{
Console.Write("请输入随机数的个数:");
int count = int.Parse(Console.ReadLine());
Random r = new Random();
int[] arr=new int [count];
for (int i = 0; i < arr.Length; i++)
{
arr[i]=r.Next(100, 1000);
}
Console.WriteLine("排序前:");
for (int i = 0; i < arr.Length; i++)
{
Console.Write("{0}\t",arr[i]);
}
for (int i = 0; i < arr.Length - 1; i++)
{
for (int j = 0; j < arr.Length - 1 - i; j++)
{
int temp;
if (arr[j] > arr[j + 1])
{
temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
Console.WriteLine("\n排序后:");
for (int i = 0; i < arr.Length; i++)
{
Console.Write("{0}\t",arr[i]);
}
Console.ReadLine();
}
|