IT tutorials
 
Technology
 

Windows Phone 8 : Services - The Network Stack

9/11/2013 9:23:01 PM
- Free product key for windows 10
- Free Product Key for Microsoft office 365
- Malwarebytes Premium 3.7.1 Serial Keys (LifeTime) 2019

The network stack on the phone enables you to access network (for example, Internet) resources. The phone dictates that all network calls must be performed asynchronously. This is to ensure that an errant network call does not tie up the user interface (or more importantly, make the phone think your application has locked up or crashed). If you are new to asynchronous programming, this will be a good place to start learning.

The WebClient Class

WebClient represents the main way you’ll communicate with websites and services, but WinRT supports a new class called HttpClient. You should keep an eye on this class because it’s clear that Windows Phone 8 is headed toward more WinRT compatibility.

In most cases the framework helps with classes that follow a common pattern which includes a method that ends with the word Async and starts an asynchronous execution, as well as an event that is called when the execution is complete.

One class that follows this pattern is the WebClient class. It is a simple way to make a basic web request on the phone, as shown here:

public partial class MainPage : PhoneApplicationPage
{
  // Constructor
  public MainPage()
  {
    InitializeComponent();

    // Create the client
    WebClient client = new WebClient();

    // Handle the event
    client.DownloadStringCompleted += client_DownloadStringCompleted;

    // Start the execution
    client.DownloadStringAsync(new Uri("http://wildermuth.com/rss"));
  }
}

In this example the WebClient class is created, the DownloadStringCompleted event is wired up, and the DownloadStringAsync method is called to start the download. When the download is complete, the event is fired like so:

void client_DownloadStringCompleted(object sender,
                                    DownloadStringCompletedEventArgs
e)
{
  // Make sure the process completed successfully
  if (e.Error == null)
  {
    // Use the result
    string rssFeed = e.Result;
  }
}

In the event argument, you are passed any exception that is thrown when the download is being attempted. This is returned to you as the Error property. In the preceding code, the error is null, which means no error occurred and the Result property will be filled with the result of the network call. Because of this pattern, you have to get used to the process of performing these types of operations asynchronously. Although still asynchronous, you can simplify the pattern a little by using a lambda for the event handler:

// Create the client
WebClient client = new WebClient();

// Handle the event
client.DownloadStringCompleted += (s, e) =>
  {
    // Make sure the process completed successfully
    if (e.Error == null)
    {
      // Use the result
      string rssFeed = e.Result;
    }
  };

// Start the execution
client.DownloadStringAsync(new Uri("http://wildermuth.com/rss"));

In this case, you’re writing the handling of the completed event as an inline block of code, which makes the process feel more linear.



What about async and await?

Although the .NET code running on the phone supports the async and await keywords, the WebClient client wasn’t updated with support for these keywords. You will continue to need to do the asynchronous work via event handlers. You could write wrappers to support this. You can see an example of these handlers at http://shawnw.me/UnoSLR.


The WebClient class is the starting point for most simple network calls. The class matches up an “Async” method and a “Completed” event for several types of operations, including the following:

DownloadString: This downloads a text result and returns a string.

OpenRead: This downloads a binary stream and returns a Stream object.

UploadString: This writes text to a server.

OpenWrite: This writes a binary stream to a server.

The code for using these other types of calls looks surprisingly similar. To download a binary stream (for example, any nontext object, such as an image), use this code:

// Create the client
WebClient client = new WebClient();

// Handle the event
client.OpenReadCompleted += (s, e) =>
  {
    // Make sure the process completed successfully
    if (e.Error == null)
    {
      // Use the result
      Stream image = e.Result;
    }
  };

// Start the execution
client.OpenReadAsync(new
Uri("http://wildermuth.com/images/headshot.jpg"));

Although the pattern is the same, the event and method names have changed and the result is now a stream instead of a string.


HttpWebRequest/HttpWebResponse

If you’ve written .NET networking code before, you might be used to working with the HttpWebRequest and HttpWebResponse classes. Because these are on the phone, though, these classes support only asynchronous execution. These classes are supported, but the WebClient class is more commonly used because it always fires its events on the same thread as they were originally called (usually the UI thread).


Accessing Network Information

Before you can execute network calls, you must have access to the network. On the phone you can test for whether connectivity is supported as well as the type of connectivity (which might help you decide how much data you can reliably download onto the phone). Although the .NET Framework contains several APIs for accessing network information, a specialized class in the Windows Phone SDK supplies much of this information all in one place. The DeviceNetworkInformation class enables you to access this network information.

The DeviceNetworkInformation class supports a number of static properties that will give you information about the phone’s network, including

IsNetworkAvailable: This is a Boolean value that indicates whether any network is currently available.

IsCellularDataEnabled: This is a Boolean value that indicates whether the phone has enabled cellular data (as opposed to Wi-Fi data).

IsCellularDataRoamingEnabled: This is a Boolean value that indicates whether the phone has enabled data roaming.

IsWifiEnabled: This is a Boolean value that indicates whether the phone has enabled Wi-Fi on the device.

CellularMobileOperator: This returns a string that contains the name of the mobile operator.

You can use this class to determine whether an active network connection is available:

if (DeviceNetworkInformation.IsNetworkAvailable)
{
  status.Text = "Network Found";
}
else
{
  status.Text = "Network not Found";
}

You can also access an event that indicates that the network information has changed:

public partial class MainPage : PhoneApplicationPage
{
  // Constructor
  public MainPage()
  {
    InitializeComponent();

    DeviceNetworkInformation.NetworkAvailabilityChanged +=
      DeviceNetworkInformation_NetworkAvailabilityChanged;
  }

  void DeviceNetworkInformation_NetworkAvailabilityChanged(
    object sender, NetworkNotificationEventArgs e)
  {
    switch (e.NotificationType)
    {
      case NetworkNotificationType.InterfaceConnected:
        status.Text = "Network Available";
        break;
      case NetworkNotificationType.InterfaceDisconnected:
        status.Text = "Network Not Available";
        break;
      case NetworkNotificationType.CharacteristicUpdate:
        status.Text = "Network Configuration Changed";
        break;
    }
  }
  // ...
}

The DeviceNetworkInformation class’s NetworkAvailabilityChanged event fires whenever the network changes. This example shows that you can access the NotificationType from the NetworkNotificationEventArgs class to see whether a network connection was just connected, disconnected, or just changed its configuration. In addition, this event passes in the network type:

public partial class MainPage : PhoneApplicationPage
{
  // Constructor
  public MainPage()
  {
    InitializeComponent();

    DeviceNetworkInformation.NetworkAvailabilityChanged +=
      DeviceNetworkInformation_NetworkAvailabilityChanged;
  }

  void DeviceNetworkInformation_NetworkAvailabilityChanged(
    object sender, NetworkNotificationEventArgs e)
  {
    switch (e.NetworkInterface.InterfaceSubtype)
    {
      case NetworkInterfaceSubType.Cellular_1XRTT:
      case NetworkInterfaceSubType.Cellular_EDGE:
      case NetworkInterfaceSubType.Cellular_GPRS:
        status.Text = "Cellular (2.5G)";
        break;
      case NetworkInterfaceSubType.Cellular_3G:
      case NetworkInterfaceSubType.Cellular_EVDO:
      case NetworkInterfaceSubType.Cellular_EVDV:
        status.Text = "Cellular (3G)";
        break;
      case NetworkInterfaceSubType.Cellular_HSPA:
        status.Text = "Cellular (3.5G)";
        break;
      case NetworkInterfaceSubType.WiFi:
        status.Text = "WiFi";
        break;
      case NetworkInterfaceSubType.LTE:
        status.Text = "LTE";
        break;
      case NetworkInterfaceSubType.Desktop_PassThru:
        status.Text = "Desktop Connection";
        break;
    }
  }
  // ...
}

By using the NetworkInterfaceInfo class’s NetworkInterfaceSubType enumeration, you can determine the exact type of network connection on the phone. The NetworkInterfaceInfo class also gives you access to several other useful properties, including the following:

Bandwidth: This is an integer that specifies the speed of the network interface.

Characteristics: This is an enumeration that specifies whether the phone is currently roaming.

Description: This is a description of the network interface.

InterfaceName: This is the name of the network interface.

InterfaceState: This states whether the network interface is connected or disconnected.


Ethernet Network Connections

Ethernet connections are available only if the phone is hooked up to a computer via a USB cable. This is a common way to tell whether the user is plugged into a computer.


By using this DeviceNetworkInformation class, you can have access to much of the network information you will need for your application.

 
Others
 
- Windows 8 : Working with Disks, Partitions, and Volumes, Using Disk Mirroring (part 4)
- Windows 8 : Working with Disks, Partitions, and Volumes, Using Disk Mirroring (part 3) - Assigning, Changing, or Removing Drive Letters and Paths
- Windows 8 : Working with Disks, Partitions, and Volumes, Using Disk Mirroring (part 2) - Creating Spanned and Striped Volumes, Shrinking or Extending Volumes
- Windows 8 : Working with Disks, Partitions, and Volumes, Using Disk Mirroring (part 1) - Creating Partitions, Logical Drives, and Simple Volumes
- Windows 8 : Working with Disks, Partitions, and Volumes, Using Disk Mirroring
- Windows 8 : Managing Disk Drives and File Systems - Using Basic and Dynamic Disks
- Windows 8 : Managing Disk Drives and File Systems - Working with Basic and Dynamic Disks
- Windows 8 : Managing Disk Drives and File Systems - Improving Disk Performance
- Windows Server : Designing the AD DS Physical Topology (part 5)
- Windows Server : Designing the AD DS Physical Topology (part 4) - Designing Printer Location Policies
 
 
Top 10
 
- Microsoft Visio 2013 : Adding Structure to Your Diagrams - Finding containers and lists in Visio (part 2) - Wireframes,Legends
- Microsoft Visio 2013 : Adding Structure to Your Diagrams - Finding containers and lists in Visio (part 1) - Swimlanes
- Microsoft Visio 2013 : Adding Structure to Your Diagrams - Formatting and sizing lists
- Microsoft Visio 2013 : Adding Structure to Your Diagrams - Adding shapes to lists
- Microsoft Visio 2013 : Adding Structure to Your Diagrams - Sizing containers
- Microsoft Access 2010 : Control Properties and Why to Use Them (part 3) - The Other Properties of a Control
- Microsoft Access 2010 : Control Properties and Why to Use Them (part 2) - The Data Properties of a Control
- Microsoft Access 2010 : Control Properties and Why to Use Them (part 1) - The Format Properties of a Control
- Microsoft Access 2010 : Form Properties and Why Should You Use Them - Working with the Properties Window
- Microsoft Visio 2013 : Using the Organization Chart Wizard with new data
Technology FAQ
- Is possible to just to use a wireless router to extend wireless access to wireless access points?
- Ruby - Insert Struct to MySql
- how to find my Symantec pcAnywhere serial number
- About direct X / Open GL issue
- How to determine eclipse version?
- What SAN cert Exchange 2010 for UM, OA?
- How do I populate a SQL Express table from Excel file?
- code for express check out with Paypal.
- Problem with Templated User Control
- ShellExecute SW_HIDE
programming4us programming4us