【C# Programming】编程入门:方法和参数

一、方法

1、方法的定义

        由一系列以执行特定的操作或计算结果语句组成。方法总是和类关联,类型将相关的方法分为一组。

  • 方法名称  
  • 形参和实参(parameter & argument)
  • 返回值

2、命名空间

        一种分类机制,用于组合功能相关的所有类型。命名空间是分级的,级数可以是任意。 命名空间层级一般从公司名开始,然后是产品名,最后是功能领域,例如:

  • Microsoft.Win32.Networking

        主要用于按照功能领域组织,以便更容易查找和理解它们。除此之外,命名空间还有助于防止类型名称发生冲突.

3、作用域

  • 可以通过非限定名称引用到的区域  
  • 对于某个类型中一个方法的调用,如果这个方法在类型中声明,那么对该方法的调用不需要使用类型限定符; 类似的,一个类型对声明了它的整个命名空间也都在作用域内。

二、表达式

1、表达式主题成员

        表达式主体成员提供了一种更简洁、更可读的成员实现

MemberSupported as of...
MethodC# 6
ConstructorC# 7
FinalizerC# 7
Property GetC# 6
Property SetC# 7
IndexerC# 7

        语法:member => expression

2、表达式主体方法

        表达式主体方法使用箭头操作符 (=>) 将单个表达式分配到一个属性或方法来替代语句体 ,如果方法有返回值, 该表达式返回值必须与方法返回类型相同;如果方法无返回值,则表达式执行一系列操作。

public class Person 
{ public Person(string firstName, string lastName) { fname = firstName; lname = lastName; }private string fname; private string lname; public override string ToString() => $"{fname} {lname}".Trim();public void DisplayName() => Console.WriteLine(ToString());} 

三、方法声明

        C# 不支持全局方法,所有方法都必须在某个类型中。

public class Program
{public static void ChapterMain(){string firstName, lastName, fullName, initials;System.Console.WriteLine("Hey you!");firstName = GetUserInput("Enter your first name: ");lastName = GetUserInput("Enter your last name: ");fullName = GetFullName(firstName, lastName);initials = GetInitials(firstName, lastName);DisplayGreeting(fullName, initials);}static string GetUserInput(string prompt){System.Console.Write(prompt);return System.Console.ReadLine();}static string GetFullName(  string firstName, string lastName) => $"{ firstName } { lastName }";static void DisplayGreeting(string fullName, string initials){System.Console.WriteLine($"Hello { fullName }! Your initials are { initials }");}static string GetInitials(string firstName, string lastName){return $"{ firstName[0] }. { lastName[0] }.";}
}

四、Main() 的返回值和参数

        C# 支持在执行程序时提供命令行参数,并运行从Main() 方法返回状态标识符,当需要从非Main()方法中访问命令行参数时, 可用System.Environment.GetcommandLineArgs() 方法:

public static int  Main(string[] args)
{int result;string targetFileName, string url;switch(args.Length){default:Console.WriteLine("ERROR:  You must specify the "+ "URL and the file name"); // Exactly two arguments must be specified; give an error.targetFileName = null;url = null;break;case 2:url = args[0];targetFileName = args[1];break;}if(targetFileName != null && url != null){using (HttpClient httpClient = new HttpClient())using (HttpRequestMessage request = new HttpRequestMessage(HttpMethod.Get, url))using (HttpResponseMessage message = httpClient.SendAsync(request).Result)using (Stream contentStream = message.Content.ReadAsStreamAsync().Result)using (FileStream fileStream = new FileStream(targetFileName, FileMode.Create, FileAccess.Write, FileShare.None)){contentStream.CopyToAsync(fileStream);}return 0;}Console.WriteLine("Usage: Downloader.exe <URL> <TargetFileName>");return 1;
}

五、方法的参数

1、值参数

C# 中,参数传递默认是值传递的, 也就是说,参数表达式的值会复制到目标参数中。

  • 对于值类型参数,方法获得是值的副本,所以方法内无法改变实参的值  
  • 对于引用类型参数,方法获得的是引用(地址)的副本,方法可以改变引用对象的值
public static void ChapterMain()
{string fullName;string driveLetter = "C:";string folderPath = "Data";string fileName = "index.html";fullName = Combine(driveLetter, folderPath, fileName);Console.WriteLine(fullName);
}
static string Combine(string driveLetter, string folderPath, string fileName)
{string path;path = string.Format("{1}{0}{2}{0}{3}", System.IO.Path.DirectorySeparatorChar, driveLetter, folderPath, fileName);return path;
}

2、引用参数(ref)

  • ref 关键字表明参数是通过引用传递而不是值传递。无论实参是值类型还是引用类型,都可以通过引用传递
  • 如果方法定义使用了ref 关键字,调用方法时实参前必须显式使用ref 限定
  • 使用ref 限定的实参必须在调用前初始化  
  • 对于值类型参数,引用传递使得方法 可以改变实参的值
class RefExample 
{ static void Method(ref int i){ i = i + 44;} static void Main() { int val = 1; Method(ref val); Console.WriteLine(val); // Output: 45 }
}
  • 对于引用类型参数,引用传递使得方法不仅可以改变引用对象的值,也可以更换引用参数引用的对象
class RefExample2
{static void Main(){Product item = new Product("Fasteners", 54321);// Declare an instance of Product and display its initial values.System.Console.WriteLine("Original values in Main.  Name: {0}, ID: {1}\n", item.ItemName, item.ItemID);ChangeByReference(ref item); // Pass the product instance to ChangeByReference.System.Console.WriteLine("Back in Main.  Name: {0}, ID: {1}\n", item.ItemName, item.ItemID);}static void ChangeByReference(ref Product itemRef){// Change the address that is stored in the itemRef parameter.   itemRef = new Product("Stapler", 99999);itemRef.ItemID = 12345;}
}
class Product
{public Product(string name, int newID){ItemName = name;ItemID = newID;}public string ItemName { get; set; }public int ItemID { get; set; }
}

3、out参数

  1. 类似ref,out也表明参数是通过引用传递而不是值传递; 方法定义时形参指定了out,调用时实参也必须使用out 显式指定 
  2. out 和ref 区别如下: 
    1. 使用out限定的实参不必在调用前初始化
    2. 方法在返回前必须对所有out参数赋值,编译器会检查所有返回路径确保所有的out 参数被赋值
  3. out 常用于需要从方法返回多个值的场合
class OutReturnExample
{static void Method(out int i, out string s1, out string s2){i = 44;s1 = "I've been returned";s2 = null;}static void Main(){int value;string str1, str2;Method(out value, out str1, out str2);}
}

4、参数数组(param)

通过在方法参数前显式指定 param,   C# 允许在调用方法时提供可变数量参数  

  • 参数数组不一定是方法的唯一参数,但必须是方法最后一个参数  
  • 实参的类型必须兼容与参数数组中元素的类型  
  • 调用者既可以传递以逗号分隔的参数,也可以显式使用数组  
  • 调用者可以指定和参数数组对应的零个实参
public static void ChapterMain()
{string fullName;fullName = Combine(Directory.GetCurrentDirectory(), "bin", "config", "index.html");   // Call Combine() with four parametersConsole.WriteLine(fullName);fullName = Combine(Directory.GetParent(Directory.GetCurrentDirectory()).FullName, "Temp", "index.html");     // Call Combine() with only three parametersConsole.WriteLine(fullName);fullName = Combine( new string[] {$"C:{Path.DirectorySeparatorChar}", "Data", "HomeDir", "index.html" });     // Call Combine() with an arrayConsole.WriteLine(fullName);
}
static string Combine(params string[] paths)
{string result = string.Empty;foreach (string path in paths)result = System.IO.Path.Combine(result, path);return result;
}

5、命名参数(named argument)

调用者显式地为一个参数赋值

  • 调用者能以任何次序指定参数  
  • 当命名参数和常规方法混合使用时,命名参数必须在所有常规参数传递之后
static void Main(string[] args)
{PrintOrderDetails("Gift Shop", 31, "Red Mug"); // The method can be called in the normal way, by using positional arguments.// Named arguments can be supplied for the parameters in any order.PrintOrderDetails(orderNum: 31, productName: "Red Mug", sellerName: "Gift Shop");PrintOrderDetails(productName: "Red Mug", sellerName: "Gift Shop", orderNum: 31);// Named arguments mixed with positional arguments are valid  as long as they are used in their correct position.PrintOrderDetails("Gift Shop", 31, productName: "Red Mug");// However, mixed arguments are invalid if used out-of-order. The following statements will cause a compiler error.// PrintOrderDetails(productName: "Red Mug", 31, "Gift Shop");// PrintOrderDetails(31, sellerName: "Gift Shop", "Red Mug");// PrintOrderDetails(31, "Red Mug", sellerName: "Gift Shop");
}
static void PrintOrderDetails(string sellerName, int orderNum, string productName)
{if (string.IsNullOrWhiteSpace(sellerName))throw new ArgumentException(message: "Seller name cannot be null or empty.", paramName: nameof(sellerName));Console.WriteLine($"Seller: {sellerName}, Order #: {orderNum}, Product: {productName}");
}

6、可选参数(optional arguments)

  1. 方法定义时可指定参数是否可选。方法调用时必须提供所有非可选参数,允许忽略可选参数。
  2. 每个可选参数都必须有缺省值,缺省值为以下类型之一
    1. 常量表达式  
    2. 形如 new valType 的表达式; valType 为值类型,比如:struct 和 enum
    3. 形如 default(valType) 的表达式; valType为值类型
  3. 可选参数类型必须在所有非可选参数之后定义。
  4. 方法调用时,如果为某一可选参数提供了值,该参数之前的所有可选参数都必须指定值;但是使用命名参数可以忽略该规则

可选参数例子:

static void Main(string[] args)
{// Instance anExample does not send an argument for the constructor‘s optional parameter.ExampleClass anExample = new ExampleClass();anExample.ExampleMethod(1, "One", 1);anExample.ExampleMethod(2, "Two");anExample.ExampleMethod(3);// Instance anotherExample sends an argument for the constructor‘s optional parameter.ExampleClass anotherExample = new ExampleClass("Provided name");anotherExample.ExampleMethod(1, "One", 1);anotherExample.ExampleMethod(2, "Two");anotherExample.ExampleMethod(3);// You cannot leave a gap in the provided arguments.//anExample.ExampleMethod(3, ,4);//anExample.ExampleMethod(3, 4);// You can use a named parameter to make the previous statement work.anExample.ExampleMethod(3, optionalint: 4);
}
class ExampleClass
{private string _name;public ExampleClass(string name = "Default name"){_name = name;}public void ExampleMethod(int required, string optionalstr = "default string", int optionalint = 10){Console.WriteLine("{0}: {1}, {2}, and {3}.", _name, required, optionalstr, optionalint);}
}

六、方法重载

类似于C++, C# 也支持方法重载。C# 根据参数类型和参数个数选择最匹配的方法

命名参数和可选参数影响重载规则

  • 如果方法每个参数或者是可选的,或按名称或位置恰好对一个实参,且该实参可转换为参数的类型,则方法成为候选项。
  • 如果找到多个候选项,则首选转换的重载规则应用于显式指定的实参。忽略调用者没有提供实参的所有可选参数 。
  • 如果两个候选项不相上下,优先选择没有使用缺省值的可选参数的候选项。 这是重载决策中优先选择参数较少的候选项规则产生 的结果。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/72763.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

架构师成长之路|Redis实现延迟队列的三种方式

延迟队列实现 基于监听key过期实现的延迟队列实现,这里需要继承KeyspaceEventMessageListener类来实现监听redis键过期 public class KeyExpirationEventMessageListener extends KeyspaceEventMessageListener implementsApplicationEventPublisherAware {private static f…

HarmonyOS开发:探索动态共享包的依赖与使用

前言 所谓共享包&#xff0c;和Android中的Library本质是一样的&#xff0c;目的是为了实现代码和资源的共享&#xff0c;在HarmonyOS中&#xff0c;给开发者提供了两种共享包&#xff0c;HAR&#xff08;Harmony Archive&#xff09;静态共享包&#xff0c;和HSP&#xff08;H…

docker镜像配置mysql、redis

mysql 拉取mysql镜像 docker pull mysql:5.7创建并运行mysql容器 docker run -p 3306:3306 --name mysql\-v /mydata/mysql/log:/var/log/mysql\-v /mydata/mysql/data:/var/lib/mysql\-v /mydata/mysql/conf:/etc/mysql \-e MYSQL_ROOT_PASSWORD123456\-d mysql:5.7-e 设置…

Spring整合tomcat的WebSocket详细逻辑(图解)

主要解决存在的疑问 为什么存在2种spring整合websocket的方式&#xff0c;一种是使用ServerEndpoint注解的方式&#xff0c;一种是使用EnableWebSocket注解的方式&#xff0c;这2种有什么区别和联系&#xff1f;可以共存吗&#xff1f;它们实现的原理是什么&#xff1f;它们的各…

redis实战篇之导入黑马点评项目

1. 搭建黑马点评项目 链接&#xff1a;https://pan.baidu.com/s/1Q0AAlb4jM-5Fc0H_RYUX-A?pwd6666 提取码&#xff1a;6666 1.1 首先&#xff0c;导入SQL文件 其中的表有&#xff1a; tb_user&#xff1a;用户表 tb_user_info&#xff1a;用户详情表 tb_shop&#xff1a;商户…

windows11安装docker时,修改默认安装到C盘

1、修改默认安装到C盘 2、如果之前安装过docker&#xff0c;请删除如下目录&#xff1a;C:\Program Files\Docker 3、在D盘新建目录&#xff1a;D:\Program Files\Docker 4、winr&#xff0c;以管理员权限运行cmd 5、在cmd中执行如下命令&#xff0c;建立软联接&#xff1a; m…

【办公类-19-03】办公中的思考——Python批量制作word单元格照片和文字(小照片系列)

背景需求&#xff1a; 工会老师求助&#xff1a;如何在word里面插入4*8的框&#xff0c;我怎么也拉不到4*8大小&#xff08;她用的是我WORD 文本框&#xff09; 我一听&#xff0c;这又是要手动反复黏贴“文本框”“照片”“文字”的节奏哦 我问&#xff1a;你要做几个人&…

WEB APIs day6

一、正则表达式 RegExp是正则表达式的意思 <!DOCTYPE html> <html lang"en"><head><meta charset"UTF-8"><meta http-equiv"X-UA-Compatible" content"IEedge"><meta name"viewport" co…

Ubuntu离线或在线安装Python解释器

这里以安装Python3.5.7为例。 首先进入官网&#xff0c;下载Python-3.5.7.tgz&#xff0c;或者使用以下命令下载&#xff08;需要联网&#xff09;&#xff1a; wget https://www.python.org/ftp/python/3.5.7/Python-3.5.7.tgz下载完成后&#xff0c;使用以下命令进行解压缩…

【教程】安防监控/视频存储/视频汇聚平台EasyCVR接入智能分析网关V4的操作步骤

TSINGSEE青犀AI边缘计算网关硬件 —— 智能分析网关目前有5个版本&#xff1a;V1、V2、V3、V4、V5&#xff0c;每个版本都能实现对监控视频的智能识别和分析&#xff0c;支持抓拍、记录、告警等&#xff0c;每个版本在算法模型及性能配置上略有不同。硬件可实现的AI检测包括&am…

Qt利用QTime实现sleep效果分时调用串口下发报文解决串口下发给下位机后产生的粘包问题

Qt利用QTime实现sleep效果分时调用串口下发报文解决串口下发给下位机后产生的粘包问题 文章目录 Qt利用QTime实现sleep效果分时调用串口下发报文解决串口下发给下位机后产生的粘包问题现象解决方法 现象 当有多包数据需要连续下发给下位机时&#xff0c;比如下载数据等&#x…

1987-2021年全国31省专利申请数和授权数

1987-2021年全国31省国内三种专利申请数和授权数 1、时间&#xff1a;1987-2021年 2、来源&#xff1a;整理自国家统计局、科技统计年鉴、各省年鉴 3、范围&#xff1a;31省市 4、指标&#xff1a;国内专利申请受理量、国内发明专利申请受理量、国内实用新型专利申请受理量…

Java“牵手”阿里巴巴商品详情数据,阿里巴巴商品详情API接口,阿里巴巴国际站API接口申请指南

阿里巴巴平台商品详情接口是开放平台提供的一种API接口&#xff0c;通过调用API接口&#xff0c;开发者可以获取阿里巴巴商品的标题、价格、库存、月销量、总销量、库存、详情描述、图片等详细信息 。 获取商品详情接口API是一种用于获取电商平台上商品详情数据的接口&#xf…

高频知识汇总 |【计算机网络】面试题汇总(万字长文通俗易懂)

我之前也已经在写了好几篇高频知识点汇总&#xff0c;简要介绍一下&#xff0c;有需要的同学可以点进去先收藏&#xff0c;之后用到时可以看一看。如果有帮助的话&#xff0c;希望大家给个赞&#xff0c;给个收藏&#xff01;有疑问的也可以在评论区留言讨论&#xff0c;能帮的…

WebStorm2023新版设置多个窗口,支持同时显示多个项目工程

调整设置 Appearance & Behavior -> System Settings> Project open project in New window&#xff1a;

数据结构之队列的实现(附源码)

目录 一、队列的概念及结构 二、队列的实现 拓展&#xff1a;循环队列 三、初学的队列以及栈和队列结合的练习题 一、队列的概念及结构 队列&#xff1a;只允许在一端进行插入数据操作&#xff0c;在另一端进行删除数据操作的特殊线性表&#xff0c;队列具有先进先出FIFO(Fi…

RabbitMQ:work结构

> 只需要在消费者端&#xff0c;添加Qos能力以及更改为手动ack即可让消费者&#xff0c;根据自己的能力去消费指定的消息&#xff0c;而不是默认情况下由RabbitMQ平均分配了&#xff0c;生产者不变&#xff0c;正常发布消息到默认的exchange > 消费者指定Qoa和手动ack …

uview 组件 u-form-item 点击事件

问题 click"showCalendar(false)"点击没反应 原因&#xff1a; 组件未定义此事件&#xff0c;可使用原生点击事件.native click.native"showCalendar()" <u-form-item label"开始时间" label-width"150" right-icon"arrow…

angular:HtmlElement的子节点有Shadow dom时奇怪的现象

描述&#xff1a; 这样写时&#xff0c;会自动跳过shadow dom节点的遍历 const cloneElement this.contentElement.cloneNode(true) as HTMLElement; for(let childNodeIndex 0; childNodeIndex < cloneElement.childNodes.length; childNodeIndex) {element.appendChild…

【C++】模拟实现二叉搜索树的增删查改功能

个人主页&#xff1a;&#x1f35d;在肯德基吃麻辣烫 我的gitee&#xff1a;C仓库 个人专栏&#xff1a;C专栏 文章目录 一、二叉搜索树的Insert操作&#xff08;非递归&#xff09;分析过程代码求解 二、二叉搜索树的Erase操作&#xff08;非递归&#xff09;分析过程代码求解…