用C#编写一个程序,要求定义若干变量(共6个值类型,至少一种类型定义一个变量),选择使用合适的数据类型,并显示这些变量。
时间: 2024-10-15 08:11:36 浏览: 89
c#6入门经典,第十章代码
在 C# 中,你可以定义不同类型的数据变量来存储各种数据。这里是一个简单的示例,展示了如何定义并初始化6个不同类型的变量:
```csharp
using System;
class Program
{
// 定义整型变量
int integerVariable = 10;
// 定义浮点型变量
double decimalVariable = 3.14;
// 定义字符串类型变量
string stringVariable = "Hello, World!";
// 定义布尔类型变量
bool booleanVariable = true;
// 定义整型数组(可以存放多个同类型数值)
int[] integerArray = { 5, 15, 25 };
// 定义自定义结构体类型(假设我们有一个简单的Point类)
struct Point
{
public float x;
public float y;
}
Point pointVariable = new Point() { x = 1.5f, y = 2.75f };
static void Main(string[] args)
{
Console.WriteLine("Integer Variable: " + integerVariable);
Console.WriteLine("Decimal Variable: " + decimalVariable);
Console.WriteLine("String Variable: " + stringVariable);
Console.WriteLine("Boolean Variable: " + (booleanVariable ? "True" : "False"));
Console.WriteLine("Integer Array: ");
foreach (int i in integerArray)
{
Console.Write(i + " ");
}
Console.WriteLine("\nPoint Structure:");
Console.WriteLine($"X: {pointVariable.x}, Y: {pointVariable.y}");
}
}
```
这个程序会分别打印出每个变量的值。注意,对于数组和自定义结构体,我们还展示了它们的用法。
阅读全文