Windows 8 keyboard shortcuts



  • Press the Windows key to open the Start screen or switch to the Desktop (if open).
  • Press the Windows key + D will open the Windows Desktop.
  • Press the Windows key + . to pin and unpin Windows apps on the side of the screen.
  • Press the Windows key + X to open the power user menu, which gives you access to many of the features most power users would want (e.g. Device Manager and Command Prompt).
  • Press the Windows key + C to open the Charms.
  • Press the Windows key + I to open the Settings, which is the same Settings found in Charms.
  • Press and hold the Windows key + Tab to show open apps.
  • Press the Windows key + Print screen to create a screen shot, which is automatically saved into your My Pictures folder.

Facebook Shortcut Keys for Internet Explorer

KeysAction
Alt + M + EnterNew Message
Alt + ? + EnterCursor in Search box
Alt + 0 + EnterHelp Center
Alt + 1 + EnterHome Page
Alt + 2 + EnterProfile Page
Alt + 3 + EnterFriend Request
Alt + 4 + EnterMessages if any
Alt + 5 + EnterNotification
Alt + 6 + EnterAccount Settings
Alt +7 + Enter Privacy Settings
Alt + 8 + EnterOfficial Facebook page
Alt + 9 + EnterService Agreement 
LLike/Unlike Photos in Light box

Facebook Shortcut Keys for Mozilla Firefox

KeysAction
Shift + Alt + MNew Message
Shift + Alt + ?Cursor in Search box
Shift + Alt + 0Help Center
Shift + Alt + 1Home Page
Shift + Alt + 2Profile Page
Shift + Alt + 3Friend Request
Shift + Alt + 4Messages if any
Shift + Alt + 5Notification
Shift + Alt + 6Account Settings
Shift + Alt +7 Privacy Settings
Shift + Alt + 8Official Facebook page
Shift + Alt + 9Service Agreement 
Shift + Alt + 6Account Settings
LLike/Unlike Photos in Light box

Facebook Shortcut Keys for Google Chrome

KeysAction
Alt + MNew Message
Alt + ?Cursor in Search box
Alt + 0Help Center
Alt + 1Home Page
Alt + 2Profile Page
Alt + 3Friend Request
Alt + 4Messages if any
Alt + 5Notification
Alt + 6Account Settings
Alt +7 Privacy Settings
Alt + 8Official Facebook page
Alt + 9Service Agreement 
LLike/Unlike Photos in Lightbox mode

ASP.NET MVC 3 With jQuery Mobile and Google Maps


How my app works

My ASP.NET MVC 3 project uses jQuery Mobile 1.0 Alpha 3 and Google Maps API 3. My data source is an XML file which contains a list of 10 Information Technology companies in Silicon Valley. A page is generated for each company and their headquarters are displayed on a map. There were a couple of gotchas I came across when implementing Google Maps with jQuery Mobile which I will discuss later on in the post.

Model

First, I created a Location.cs class based on the structure of my Locations.xml file.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
<?xml version="1.0" encoding="utf-8" ?>
<locations>

  <location>
    <id>1</id>
    <name>Google</name>
    <address>1600 Amphitheatre Parkway</address>
    <city>Mountain View</city>
    <state>CA</state>
    <zip>94043</zip>
  </location>

  <location>
    <id>2</id>
    <name>Apple</name>...
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
public class Location
{
    public Location(int id, string name, string address, string city, string state, string zip)
    {
        this.ID = id;
        this.Name = name;
        this.Address = address;
        this.City = city;
        this.State = state;
        this.Zip = zip;
    }

    public int ID { get; set; }
    public string Name { get; set; }
    public string Address { get; set; }
    public string City { get; set; }
    public string State { get; set; }
    public string Zip { get; set; }
    public double Lat { get; set; }
    public double Lng { get; set; }
}
I also created a LocationModel.cs class which uses LINQ to read the XML file and append each Location to a List of Location objects.
1
2
3
4
5
6
7
8
9
10
public LocationModel()
{
    // Linq to read XML data and create a List of Location objects
    XDocument locationMetaData = XDocument.Load(HttpContext.Current.Server.MapPath("~/App_Data/Locations.xml"));
    var locations = from location in locationMetaData.Descendants("location")
                    select new Location((int)location.Element("id"), location.Element("name").Value,
                    location.Element("address").Value, location.Element("city").Value,
                    location.Element("state").Value, location.Element("zip").Value);
    this.AddRange(locations.ToList<Location>());
}

Controller

I have one Controller named HomeController.cs which creates an instance of LocationModel at the class level and returns all locations to the Index View. It also looks up specific locations for the Map View based on the unique ID passed in the url to the Map method.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
LocationModel allLocs = new LocationModel();

public ActionResult Index()
{
    return View(allLocs);
}

public ActionResult Map(int id)
{
    Location loc = this.getLocation(id);

    // if the id does not match any location return error page
    if (loc == null)
    {
        return View("Error");
    }
    else
    {
        if (this.lookupGeoCode(loc))
        {
            return View(loc);
        }

        else
        {
            return View("Error");
        }
    }
}

// returns the Location object that matches the id parameter
private Location getLocation(int id)
{
    Location result = allLocs.Find(item => item.ID == id);
    return result;
}
I am using Google’s GeoCoding API to look up the Lat and Long for an address so it can be plotted on the map. I am requesting the results in an xml format and parsing them using LINQ. If the lookupGeoCode() method fails at getting the Lat and Long it returns false and the Map method returns the Error View.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
// uses Google GeoCoding API to lookup Lat and Long for an address (http://code.google.com/apis/maps/documentation/geocoding/)
private Boolean lookupGeoCode(Location loc)
{
    string PostUrl = "http://maps.googleapis.com/maps/api/geocode/xml?address=" + loc.Address + "," + loc.City + "," + loc.State + "&sensor=false";

    XDocument geo = XDocument.Load(PostUrl);

    // if an error occurs with the GeoCoding API return false
    try
    {
        loc.Lat = (double)(from geocode in geo.Descendants("location")
                           select geocode.Element("lat")).SingleOrDefault();

        loc.Lng = (double)(from geocode in geo.Descendants("location")
                           select geocode.Element("lng")).SingleOrDefault();

        return true;
    }
    catch
    {
        return false;
    }
}

View

I am using the new Razor view engine which is available with ASP.NET MVC 3. I have two Views, Index and Map, which are both strongly-typed. The _Layout.cshtml is my master page and in order to get Google Maps working with jQuery Mobile I had to put the JavaScript reference to the Google Maps API here along with the css style for the map.
_Layout.cshtml
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
<!DOCTYPE html>
<html>
<head>
    <!--Developed by Greg Jopa on 2/5/2011 - http://www.gregjopa.com/2011/02/asp-net-mvc-3-with-jquery-mobile-and-google-maps/ -->
    <title>@ViewBag.Title</title>
    <link rel="stylesheet" href="http://code.jquery.com/mobile/1.0a3/jquery.mobile-1.0a3.min.css" />
    <script src="http://code.jquery.com/jquery-1.5.min.js"></script>
    <script src="http://maps.google.com/maps/api/js?sensor=false"></script>
    <script src="http://code.jquery.com/mobile/1.0a3/jquery.mobile-1.0a3.min.js"></script>
    <style type="text/css">
        body { background: #dddddd;}
    .gmap { height: 330px; width: 100%; margin: 0px; padding: 0px }
  </style>
</head>
<body>
    @RenderBody()
</body>
</html>
My Index View returns a hyperlink for each location.
Index.cshtml
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
@using jQueryMobileMVC3.Helpers

@model IEnumerable<jQueryMobileMVC3.Models.Location>

@{
    ViewBag.Title = "jQuery Mobile w/ Google Maps";
}
<div data-role="page" class="page-home">

    <div data-role="header" data-theme="b">
        <h1>Silicon Valley</h1>
    </div>

    <div data-role="content">

        <ul data-role="listview" data-inset="true">
            @foreach (var item in Model)
            {
                <li>@Html.ActionLink((string)item.Name, "Map", "Home", new { id = item.ID }, null).AutoRemoveAlias()</li>
            }
        </ul>

    </div>
</div>
I am using Html.ActionLink to generate my hyperlinks and talk to my controller. When publishing this ASP.NET MVC Project to my GoDaddy shared hosting I ran into a problem with my hyperlinks including the directory path aliased to my subdomain name which made the url long and ugly. The relative url returned by Html.ActionLink was including /gregjopa/code/ which is aliased to code.gregjopa.com. So my url originally looked like:
1
http://code.gregjopa.com/gregjopa/code/mvc/jquerymobile/gmaps/#Home/Map/1
instead of:
1
http://code.gregjopa.com/mvc/jquerymobile/gmaps/#Home/Map/1
I originally tried to fix this by using the URL Rewrite Module available in IIS 7 but I couldn’t get this working with my GoDaddy hosting. So instead I created a helper method to remove the unwanted portion of the url generated by the Html.ActionLink method.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
/* Helper methods to remove the aliased directory added to the url for each hyperlink
     * Code adapted from the following stackoverflow.com post: http://stackoverflow.com/questions/604814/asp-net-mvc-actionlinks-and-shared-hosting-aliased-domains
     */
    public static class ActionLinkHelper
    {
        public static string RemoveAlias(this MvcHtmlString link, string alias)
        {
            // Find the href param and replace ...
            return link.ToHtmlString().Replace((alias+"/"), "");
        }

        public static MvcHtmlString AutoRemoveAlias(this MvcHtmlString link)
        {
            var appRoot = HttpContext.Current.Request.ApplicationPath;
            return appRoot != "/" ? MvcHtmlString.Create(link.RemoveAlias(appRoot)) : MvcHtmlString.Create(link.ToHtmlString());
        }
    }
The Map View includes the JavaScript for Google Maps. You cannot use document.ready() when using jQuery Mobile. Instead you must use specific jQuery Mobile page events to inject code into the DOM. My app uses the pagecreate, pageshow, and pagehide events to execute JavaScript. I had to add an id to each page so it could be uniquely referenced in the jQuery Mobile events. Also, in order to have a separate map on each page I had to use unique JavaScript variable names when defining each map.
Map.cshtml
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
<div data-role="page" id="page-map@(Model.ID.ToString())">

  <div data-role="header" data-theme="b">
        <h1>@Model.Name</h1>
  </div>

  <div data-role="content">

    <div id="map@(Model.ID.ToString())" class="gmap"></div>

    <script type="text/javascript">
      var map@(Model.ID.ToString()), latlng@(Model.ID.ToString()), options@(Model.ID.ToString()), infowindow@(Model.ID.ToString()), marker@(Model.ID.ToString()), contentString@(Model.ID.ToString());
      function initialize() {

          latlng@(Model.ID.ToString()) = new google.maps.LatLng(@(Model.Lat), @(Model.Lng));
          options@(Model.ID.ToString()) = { zoom: 12, center: latlng@(Model.ID.ToString()), mapTypeId: google.maps.MapTypeId.ROADMAP };
          map@(Model.ID.ToString()) = new google.maps.Map(document.getElementById("map@(Model.ID.ToString())"), options@(Model.ID.ToString()));

      }
      $('#page-map@(Model.ID.ToString())').live('pagecreate', function () {

          //console.log("pagecreate");
            initialize();
      });

      $('#page-map@(Model.ID.ToString())').live('pageshow', function () {

          //console.log("pageshow");
            google.maps.event.trigger(map@(Model.ID.ToString()), 'resize');
          map@(Model.ID.ToString()).setOptions(options@(Model.ID.ToString()));

             contentString@(Model.ID.ToString()) = '<div>'+
                '<p><b>@(Model.Name.ToString())</b><br />@(Model.Address.ToString())<br />' +
                '@(Model.City.ToString()), @(Model.State.ToString()) @(Model.Zip.ToString())</p>'+
                '</div>';

            infowindow@(Model.ID.ToString()) = new google.maps.InfoWindow({
                content: contentString@(Model.ID.ToString())
            });

            marker@(Model.ID.ToString()) = new google.maps.Marker({
                position: latlng@(Model.ID.ToString()),
                map: map@(Model.ID.ToString())
            });

            google.maps.event.addListener(marker@(Model.ID.ToString()), 'click', function() {
                infowindow@(Model.ID.ToString()).open(map@(Model.ID.ToString()), marker@(Model.ID.ToString()));
            });

            infowindow@(Model.ID.ToString()).open(map@(Model.ID.ToString()), marker@(Model.ID.ToString()));
      });

        $('#page-map@(Model.ID.ToString())').live('pagehide', function () {

            //console.log("pagehide");
            infowindow@(Model.ID.ToString()).close();
      });

    </script>

  </div>
</div>

Conclusion

jQuery Mobile rocks! It is easy to develop with and the themes look great. It also provides a standardized user interface across all popular mobile device platforms. So instead of developing a mobile site with custom code for the iPhone, custom code for Android, custom code for the Windows phone, etc… you can just have one mobile site for all platforms.

Search This Blog

Arsip Blog

Powered by Blogger.

Recent

Comment

Author Info

Like This Theme

Popular Posts

Video Of Day

jishnukanat@gmail.com

Sponsor

Most Popular