我尝试从Main()调用静态类下定义的Extension方法,它起作用了。 现在我想在我的应用程序中使用它,为此我需要将Extension方法作为静态方法(因为我没有在我的应用程序中定义静态类)并从Main()调用它。
这是我正在尝试的事情:
public class Get
{
public static void CopyTo(Stream input, Stream output) //Method
{
byte[] buffer = new byte[32768];
int read;
while ((read = input.Read(buffer, 0, buffer.Length)) > 0)
{
output.Write (buffer, 0, read);
}
}
public static void Main ()
{
////I' m just mentioning a small part of my code
////Please ignore about the variables(url, baseURL,authenticatestr...) those are not declared here, they have been declared at some other part in the code
/////Here in the main method I have a call to the above method
HttpWebRequest request = (HttpWebRequest)WebRequest.Create (url);
request = (HttpWebRequest)WebRequest.Create (baseURL + uri);
request.Headers.Add ("Authn", authenticateStr);
request.Accept = "";
request.Method = "GET";
webResponse = (HttpWebResponse)request.GetResponse();
using (MemoryStream ms = new MemoryStream())
using (FileStream outfile = new FileStream("1" , FileMode.Create)) {
webResponse.GetResponseStream().CopyTo(ms);///Here I need to call my method
outfile.Write(ms.GetBuffer(), 0, (int)ms.Length);
}
但是这仍然试图调用.NetFramework CopyTo()方法。如何在代码中调用已定义的方法? 请帮帮我。
谢谢。
答案 0 :(得分:6)
如何在代码中调用已定义的方法?
只是不要在流上调用它(这使它看起来像一个实例方法)。将其称为普通静态方法,其中两个参数对应于两个参数:
CopyTo(webResponse.GetResponseStream(), ms);
永远不能在实例上调用非扩展静态方法。您只能使用简单名称,或使用类型名称(Get.CopyTo(...)
)限定它。
如果您使用的是支持CopyTo
的.NET 4+,目前尚不清楚为什么要使用此功能。
答案 1 :(得分:1)
如果我理解你的问题,你想创建一个将流复制到另一个流中的扩展方法。要定义扩展方法,请使用
public static class myExtensions
{
public static void myCopyTo(this Stream input, Stream output)
{
// your code goes here
}
}
然后你可以通过以下方式调用它:
webResponse.GetResponseStream().myCopyTo(ms);
注意:
this
作为第一个参数。此参数表示要扩展的类的类型。CopyTo
方法我希望有所帮助。如果您需要任何其他提示,请告诉我。