Im extremely noob in C#. Could you please help me?
I get the following errors:
Could you please write me the code that could work properly. I really appreciate your help in advance.
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Net;
using (WebClient client = new WebClient ());
namespace ConsoleApplication3
{
class Program
{
static void Main(string[] args)
{
client.DownloadFile("http://yoursite.com/page.html", @"C:\localfile.html");
}
}
}
You've got this:
using (WebClient client = new WebClient ());
in the list of using
directives when you really meant it to be a using statement in the method:
static void Main(string[] args)
{
using (WebClient client = new WebClient())
{
client.DownloadFile("http://yoursite.com/page.html",
@"C:\localfile.html");
}
}
Basically the using
keyword has two different meanings in C#:
using
directives import namespaces and allow type aliases. For example:
using System; // Imports the System namespace
using Cons = System.Console; // Creates an alias for the System.Console type
using
statements allow a resource to be easily wrapped in a try/finally block to dispose of the resource at the end of the statement:
using (SomeResource resource = new SomeResource(...))
{
// Use the resource here; it will be disposed of automatically at the
// end of the block.
}
See more on this question at Stackoverflow