Submitted My Windows 8 App for their Contest

This afternoon I have finally completed my Metro style Windows 8 application.  I’m still entering data into the database, but the app itself is completed.  When the app is launched it pulls that data and displays it to the users.

Here are a few screen shots of my application:

My application is based on the House of Representatives.  It allows you to quickly discover your congress person and provides you with contact information including Twitter, Facebook and other links they’ve shared on their websites.

The contest started here:  https://buildwindowscontest.com/

If I win, I will be included in the first round of apps added to the new Microsoft App store… very exciting!

Wish me luck!

Congressional District Polygons

Here I am again working on my House of Congress/Windows 8/Metro app contest when I’m wanting to show the individual districts each Congress person represents.  Using a Bing search I found myself back at the Census website.  This time looking at the congressional boundary files:  http://www.census.gov/geo/www/cob/cd110.html

I don’t know anything about the e00 or shp files, so I’ll be working with the available ascii files.

Each state’s zip file contains two dat files.  One dat contains the Long/Lat coordinates for various map-polygons which represent districts that are defined in the other dat file.  What I wanted was a way to tie together the dat files with the Districts table I’d already defined at the start of my development.

I need this information to be in the most covenant format for my application, therefore, I’ll be importing the information for each state into my SQL database.  I created a new table defined as follows:image

SNAGHTML6ef6126

Like many of my tables, I’ve setup an Id which auto increments and is the primary key for each row.  Next we have the linked DistrictID, the PolygonID identified within the dat file as well as the Latitude and Longitude values.

First thing was to download each individual ascii file, unblock (windows 7 “feature”), extract and rename each file… only took 20min.

Then using my import program, I follow the following sudo code to get into my database:

foreach DAT file
    read in dat and def files
    extract state name //will use this later to get district reference
    
    open database
    find state
   
    foreach dat file line
        parse Long/Lat and cur Polygon # if available
        if cur Polygon # found, then
            foreach def file line
                if cur polygon # then
                    district id = line
        if have district id and current polygon
            insert new coordinates into database

In the end we have a database called Boundaries that looks something like this:

image

If you have any questions or would like to see the source code for my importer mention it in the comments section below.

XML Deserialization

So, you have an XML document, your programming in Visual Studio 11 for your new Windows 8 Metro app, and you need to access the data within?  I’m here to help…

DE serializing your XML document is very simple.  First you’ll need to define a CLASS object the way your XML document is…

Here’s my example XML document:

<?xml version="1.0" encoding="UTF-8" ?>

<Congress>
  <Regions>
    <Region>
      <Title>Northeast</Title>

      <States>
        <State>
          <Title>Connecticut</Title>

          <Districts>
            <District>
              <Title>District 1</Title>
              <SubTitle>Larson, John B.</SubTitle>
            </District>
          </Districts>
        </State>
      </States>
    </Region>
  </Regions>
</Congress>

This is an example of an XML document I’m currently using in my contest application.  As you can see there can be multiple Regions, States or Districts.  Each organized in sub objects… I am showing you only one of each since it would get pretty long otherwise…

Now, we’ll need a few classes organized just like this XML document:

[XmlRoot("Congress")]
public class clsCongress
{
    [XmlArray("Regions")]
    [XmlArrayItem("Region", typeof(clsRegion))]
    public clsRegion[] Region { get; set; }
}

[XmlRoot("Regions")]
public class clsRegion
{
    [XmlElement("Title")]
    public string Title { get; set; }

    [XmlArray("States")]
    [XmlArrayItem("State", typeof(clsState))] 
    public clsState[] State { get; set; }
}

[XmlRoot("States")]
public class clsState
{
    [XmlElement("Title")]
    public string Title { get; set; }
        
    [XmlArray("Districts")]
    [XmlArrayItem("District", typeof(clsDistrict))]
    public clsDistrict[] District { get; set; }
}

[XmlRoot("Districts")]
public class clsDistrict
{        
    [XmlElement("Title")]
    public string Title { get; set; }
        
    [XmlElement("SubTitle")]
    public string SubTitle { get; set; }
}


As you can see form my class objects, you’ll need to specify the XmlRoot for each class as well as each XmlElement so everything maps correctly.  In my example, the elements match, but they don’t have to so long as they’re mapped with the XmlElement tag.

Now, I know you can find this code anywhere on the net… but what they don’t go into detail explaining is the array variables I have shown here. 

In my example, I have Congress which is made up of multiple Regions, which is made up of multiple States, and Districts.  In my example here, I demonstrate how to get multiple sub-objects pulled in easily and quickly.

Here is the code I use to load up the XML text, oh and I’m downloading this content using the new fancy async features from VS11 and Windows 8:

internal async Task PullRegionsAsync(Uri baseUri)
{
    string baseUrl = "https://danielheth.com/myexample.xml";

    //download the data xml
    //http://msdn.microsoft.com/en-us/library/windows/apps/system.net.http.httpclienthandler.maxrequestcontentbuffersize(v=VS.110).aspx
    //says there is a 65k limit on the size of what this function will download...
    var client = new HttpClient();
    var response = await client.GetAsync(baseUrl + "Data.xml");
            
    //------------------------------------------------
    //convert xml into an easily digestable object
    clsCongress congress = null;
    XmlSerializer des = new XmlSerializer(typeof(clsCongress));
    congress = (clsCongress)des.Deserialize(response.Content.ContentReadStream);
    //------------------------------------------------

    foreach (clsRegion r in congress.Region)
    {
        string RegionTitle = r.Title;

        foreach (clsState s in r.State)
        {
            string StateTitle = s.Title;

            foreach (clsDistrict d in s.District)
            {
                string DistrictTitle = d.Title;
            }
        }
    }
}

There you have it… deserializing your XML document into an easily digestible object within C#.

If you have any questions or comments please leave them below…

Windows 8 Metro Application–Bing Maps

I’ve entered myself into a new Windows 8 application contest.  I’ve come up with a wonderful idea which includes utilizing Bing Maps.  After an awful lot of research I’ve come up with something that works… Perfectly!!!

Since this is a Windows 8 application, I’m writing this in Visual Studio 11 express which utilizes an awesome multi-threading feature called async/await.  So I’ll be taking advantage of that here.

First thing I needed to do was acquire my Bing Map Developers key… Acquire yours free from:  https://www.bingmapsportal.com

Let’s start coding!!!

I followed the following MSDN article to setup my app for access to the Bing SOAP API’s.  http://msdn.microsoft.com/en-us/library/cc966738.aspx

Then added the following to the top of my code:

using HouseofRepresentatives.GeocodeService;
using HouseofRepresentatives.SearchService;
using HouseofRepresentatives.ImageryService;
using HouseofRepresentatives.RouteService;


private ImageSource _map = null;
public String Latitude = "";
public String Longitude = "";


public ImageSource Map
{
    get
    {
        if (this._map == null) UpdateMap();
        return this._map;
    }

    set
    {
        if (this._map != value)
        {
            this._map = value;
            this.OnPropertyChanged("Map");
        }
    }
}

I had two situations for my locations… in one case I knew the exact Lat/Lon, and in others I only knew an address… in my case a state name.  First I needed to turn that address into a Lat/Lon for passing onto the get map function.

private async Task<string> getLocationPoint(string address)
{
    if (address != null && address != "")
    {
        GeocodeRequest request = new GeocodeRequest();
        request.ExecutionOptions = new HouseofRepresentatives.GeocodeService.ExecutionOptions();
        request.ExecutionOptions.SuppressFaults = true;
        GeocodeServiceClient geocodeClient = 
            new GeocodeServiceClient(GeocodeServiceClient.EndpointConfiguration.BasicHttpBinding_IGeocodeService);
        HouseofRepresentatives.GeocodeService.Credentials t = 
            new HouseofRepresentatives.GeocodeService.Credentials();
        t.Token = "[[put your Bing Maps Key Here]]";

        request.Query = address;
        request.Credentials = t;

        GeocodeResponse response = await geocodeClient.GeocodeAsync(request);
        if (response.Results.Count() > 0)
        {
            return response.Results[0].Locations[0].Latitude.ToString() + 
                "," + response.Results[0].Locations[0].Longitude.ToString();
        }
    }
    return "";
}

Next I needed to actually get the Image from Bing.  Now let’s do that using the following function:

private async Task<string> GetImagery(string locationString)
{  //http://msdn.microsoft.com/en-us/library/dd221354.aspx
    string key = "[[insert your Bing Maps Key here]]";
    MapUriRequest mapUriRequest = new MapUriRequest();

    // Set credentials using a valid Bing Maps key
    mapUriRequest.Credentials = 
        new HouseofRepresentatives.ImageryService.Credentials();
    mapUriRequest.Credentials.ApplicationId = key;
                      

    // Set the location of the requested image
    mapUriRequest.Center = new HouseofRepresentatives.ImageryService.Location();
    string[] digits = locationString.Split(',');
            
    mapUriRequest.Center.Latitude = double.Parse(digits[0].Trim());
    mapUriRequest.Center.Longitude = double.Parse(digits[1].Trim());

    // Set the map style and zoom level
    MapUriOptions mapUriOptions = new MapUriOptions();
    mapUriOptions.Style = MapStyle.AerialWithLabels;
    mapUriOptions.ZoomLevel = 17;

    // Set the size of the requested image in pixels
    mapUriOptions.ImageSize = new HouseofRepresentatives.ImageryService.SizeOfint();
    mapUriOptions.ImageSize.Height = 240;
    mapUriOptions.ImageSize.Width = 480;

    mapUriRequest.Options = mapUriOptions;

    //Make the request and return the URI
    ImageryServiceClient imageryService = 
        new ImageryServiceClient(ImageryServiceClient.EndpointConfiguration.BasicHttpBinding_IImageryService);
            
    try
    {
        MapUriResponse mapUriResponse = await imageryService.GetMapUriAsync(mapUriRequest);

        if (mapUriResponse.Uri != null)
        {
            return mapUriResponse.Uri;
        }
        else { return ""; }
    }
    catch (Exception ex)
    {
        return "";
    }
}

Ok… now that I have my image Uri, it’s time to use it to load a picture:

public async Task<bool> UpdateMap(string address = "")
{
    if (address != "")
    {
        //then user is specifying an address instead of a specific long/lat.  
        //We need to get that info in order to proceed...
        string point = await getLocationPoint(address);
        if (point != "")
        {
            string[] p = point.Split(',');
            Latitude = p[0];
            Longitude = p[1];
        }
    }

    if (Longitude != "" && Latitude != "")
    {
        string uripath = await GetImagery(Longitude + "," + Latitude);
        if (uripath != "")
        {
            this.Map = new BitmapImage(new Uri(uripath));
            return true;
        }
        else
        {
            this.Map = new BitmapImage(new Uri(imageBaseUri, "Data/blank.png"));
            return false;
        }
    }
    else
    {
        this.Map = new BitmapImage(new Uri(imageBaseUri, "Data/blank.png"));
        return false;
    }
}

If you’ve stuck with me this far… you are a programmer… LOL.

In each of my functions I utilized the new async/await features.  This means when I call either of the two functions as below, it will load the image once the OS has downloaded and cached it.  The image will automatically appear when ready…

//calling the get-map function with an address
UpdateMap("Arkansas");

//or
UpdateMap("1 Microsoft Way, Redmond, Washington");

//or i can configure my lat/lon then update
Latitude = "39.450000762939453";
Longitude = "-98.907997131347656";
UpdateMap();

If you guys have any questions or comments, be sure to post them below!

Attach Windows 8 to a Domain

My personal test lab has a fully functional Windows Domain in order to properly test my applications for corporate networks.  As a result, I require all of my windows boxes, when possible, to be attached to my domain for further testing purposes.  Since I’ve just added a few Windows 8 boxes, I had to “learn” the attachment process all over again.

image

image

image

image

image

image

image

image

image

image

image

image

image

After the system reboots, I’m presented with the customized disclaimer message I configured for my domain users… which was the expected results.

image

image_thumb[16]

Now that my system is attached to the domain, I’ll want to log in with my Domain account…

image

image

image

image

Then I’m presented with the new default windows 8 screen…

image

But let’s say I want my domain account to be linked to my Windows Live account.

image

image

image

Warning… the tab button does not work on this user/pass screen… grrrr!

image

image

image

image

 

Please leave your comments and questions below!

Installing Windows 8 without a DVD Drive

image

I just completed downloading the Windows 8 Developer Preview with tools and have a tiny problem.  Well, not so tiny… all of my blank DVD media is 4.7Gbs in size, however the Developers Preview with tools tops the 4.8Gbs mark.  I was searching high and low for a larger blank DVD disk when I remembered a previous article from a few years back where my Netbook didn’t even have an optical drive and I turned to a USB thumb drive to save me.  Time to do it again!

 

1. Format USB flash drive to NTFS format

Format the USB drive to NTFS format

formatL

2. Disk-Part the Drive

On the Start menu, navigate to the command prompt entry. Right-click and select Run as administrator.

startmenu

Type

diskpart

list disk

Record the disk number of your USB flash drive.

diskpart

Select the USB disk.

select disk X (X is the drive number of the USB flash drive)

List the current partition. Record the partition number.

list partition

Select the current partition and make it active.

select partition Y (Y is the partition number of the USB flash drive)

active

diskpart2

3. Prepare the OS files

Download Windows 8 Developers Preview ISO to your desktop.

Download and install PowerISO from http://poweriso.com/.

Right-click on the Windows 8 iso file and select Extract files. Extract the files to a folder (you can name the folder any name you want, but for illustration purpose, I name it win-8) in your desktop.

image

In your command prompt, cd to the windows 8 folder where you extracted the files.

cd Desktop/win-8 (Change the destination to the folder that you have extracted)

cd boot

bootsect /nt60 X: (X is the drive latter of your USB drive )

Now, copy all the files from the Windows 8 folder to the USB flash drive (of appropriate size of course, I’m using a Patriot 8Gb purchased for cheap off NewEgg.

Reboot the computer. Remember to change the first boot device to your USB drive in the BIOS.

You should be able to install Windows 8 from your USB flash drive now.

My first experience with Windows 8

Not so good…

Launching the News tile left me trapped. The Done button does not do what I’d expect… which is to close the news feed and return me to the Tiles screen.

image_thumb[35]

A classic Crtl-Alt-Del allowed me to access the task manager where I was able to kill the news feed.

image_thumb[36]

image_thumb[37]

While I’m here… let’s look at the improvements of one of my favorite tools… Task Manager.

After a tad bit of research, and button pushing… I found that closing out of any of the tile’d apps in Windows 8 was easy… push the Windows key on your keyboard and your back to the “Start” or tile screen.

(This forum was helpful in finding the information I needed!)

 

Leave your comments and questions below!

Installing Microsoft Windows 8 Developers Preview

I have gotten ahold of the Developers Preview of Windows 8 and figured you guys would like to see the installation.  This is the basic 64bit version.  I’m currently downloading and will be installing the 64bit with developer tools onto a physical box I just freed up for this purpose.  More on that later…

After watching “Microsoft Reimages Windows, Presents Windows 8 Developers Preview” I was extremely excited to get started…

I’m setting Windows 8 up on a Hyper-V virtual.  I’ve also allocated 80GB vhd for this particular virtual which grows as needed.  For this initial installation I’ve given the Virtual 2gigs of memory until installation is complete, then I’ll probably switch it to dynamic memory like my other virtuals.

image  (started at 11:55am)

image

image

image

image

image

image

image

Reboots…

image

Switches to graphical boot mode at this point.

image

image

Reboots…

image

image

Almost caught that opening screen… it’s a little faded but this is what is displayed just before the personalize screen.

image

image

image

I keep very close tabs on bandwidth leaving my home… so I never signup for the sending tracking and usage information to anybody… thus I’ll chose the Customize option.

image

I try to limit any sharing of anything from workstations due to the servers running within my environment.  If I want to share files, I’ll create a share on a server not the workstation.  Only reason I access workstations is for administrative purposes so I’ll just use the hidden $ shares.

image

I know a moment ago I mentioned keeping close tabs on my bandwidth, however I believe security patches are the most important thing to allow.  Thus I’ll allow the system to automatically download and install important patches.

image

I turned most of these off, however one is locked down probably due to the developers preview and their desire to receive feedback on that.

image

image

image

It’s connecting to the online resources for Windows Live now… then asks me to login.

image

image

image

image

image

image

After a few minutes, Windows 8 is now loaded.

image (completed at 12:24pm)

Clicking the 3rd row 1st icon gave us our classic Desktop view…

image

Clicking the start menu brought us back to the Tiled start screen.

Also turns out they’ll send you a confirmation email asking you to validate the connection of your new Windows 8 computer to your Windows Live account…

SNAGHTMLde96bd5

image


I started using windows update to get the very latest fixes and rebooted… I was welcomed by the following login screen:

image

A quick click/drag-up and I’m back to the login screen:

image