Games For Windows Support

  • Subscribe to our RSS feed.
  • Twitter
  • StumbleUpon
  • Reddit
  • Facebook
  • Digg

Thursday, 28 February 2013

Starters guide to web scraping with the HTML Agility Pack for .NET

Posted on 11:11 by Unknown
I recently wanted to get a rough average MPG for each car available on the website fuelly.com, yet unfortunately there was no API for me to access the values, so I turned to Google and came across the NuGet package HTML Agility Pack. This post will get you up to speed on using HTML Agility Pack, basic XPath and some LINQ.

Before we start, please make sure to check the terms and conditions and any possible copyright terms that may be applicable to the data you are retrieving. You should be able to view this on the website, however it may vary from country to country. Please also keep in mind that you will effectively be accessing the site at a rapid rate, and so it would be sensible to save any communications to your local disk for later usage, and adding a delay between page downloads.

Getting Started

Identifying the data

The first thing you need to do is find where in the HTML the data is you want to download. Let's try going to fuelly and browsing all the cars. As you can see there are a large variety of cars available, and if you click on one of the models it takes you to a page that displays the year of the model and the average MPG for it. For my personal project, I wanted to obtain four values: Manufacturer, Model, Year and Average MPG. With this data I can then perform queries such as what vehicles between 2003 and 2008 give an MPG figure of above 50? - However, for the purpose of this blog post and simplicity, lets simply just retrieve a list of some models from a manufacturer.

So, lets start on the browse all cars page, and view the page source. If we look at the first manufacturer header on the page, we see Abarth, followed by AC, etc.

Open the page source (for Google Chrome: Settings > Tools > View Source), and find "Abarth":


You will see that the Manufacturer is wrapped in a <h3> tag. Below this, is a <div> that contains each model under the Abarth name: 500, Grande Punto and Punto Evo. Let's try and get hold of these models, but first, we need to setup the project.

Setting up the project

Create a new project in Visual Studio, a simple console project should suffice for this blog post. Add the HTML Agility Pack to the project via NuGet and add the following code:
1:    class Program  
2: {
3: static void Main(string[] args)
4: {
5: const string WEBSITE_LOCATION = @"http://www.fuelly.com/car/";
6: var htmlDocument = new HtmlAgilityPack.HtmlDocument();
7: using (var webClient = new System.Net.WebClient())
8: {
9: using (var stream = webClient.OpenRead(WEBSITE_LOCATION))
10: {
11: htmlDocument.Load(stream);
12: }
13: }
14: }
15: }

This simply loads the HTML page in to the HtmlDocument type so that we can run XPath queries against it to eventually get the value we are looking for.

Navigating Nodes with XPath

So, as noted earlier, we want to get a load of models from a manufacturer. Each <div> tag has a specific ID which we can use in our query (see "inline-list" below).
1:  <h3><a href="/car/abarth" style="text-decoration:none;color:#000;">Abarth</a></h3>  
2: <div id="inline-list">
3: <ul>
4: <li><nobr><a href="/car/abarth/500">500</a> <span class="smallcopy">(34)</span> &nbsp; </nobr></li>
5: <li><nobr><a href="/car/abarth/grande punto">Grande Punto</a> <span class="smallcopy">(1)</span> &nbsp;</nobr></li>
6: <li><nobr><a href="/car/abarth/punto evo">Punto EVO</a> <span class="smallcopy">(3)</span> &nbsp; </nobr></li>
7: </ul>
8: </div>

We can use this specific hook to get the values we want. So lets add the code:
1:  HtmlAgilityPack.HtmlNodeCollection divTags = htmlDocument.DocumentNode.SelectNodes("//div[@id='inline-list']");  

The above code returns a collection of <div> tags that represent each Manufacturer listed on the page. 

Let's break up the XPath syntax to make sense of it:
// - Selects nodes in the document from the current node that match the selection no matter where they are.
div - The specific nodes we are interested in.
[@id] - Predicate that defines a specific node.
[@id='inline-list'] - Predicate that defines a specific node with a specific value.

We can now dig deeper into each div tag, using a little more XPath and some LINQ to get the values we want.

Accessing the data using LINQ

OK, so within each item of the <div> tags we still have a load of rubbish we don't really need. All we want is the car models. Well we know each car model is between <a> (hyperlink) tags, with a href value. So using XPath and a little LINQ we can extract the data we need:


1:  HtmlAgilityPack.HtmlNode aTags = divTags.FirstOrDefault();  
2: var manufacturerList = from hyperlink in aTags.SelectNodes(".//a[@href]")
3: where hyperlink != null
4: select hyperlink.InnerText;

Line 1: Get the first manufacturer in the list 
Line 2: for each hyperlink inside the div, select all <a> tags with a 'href' node
Line 3: where the hyperlink isn't null (i.e. a href node was found), then:
Line 4: select the text inside of the hyperlink.

Conclusion

So, there you have it. You learned how to get specific values within a piece of HTML, a little XPath and some LINQ. Although the end data in this example probably isn't too useful, hopefully you can now see how you would expand upon this to find specific values and URLs to build a more complex system.

You can download the source here.

Read More
Posted in .net, agility, c#, developer, html, htmlagilitypack, linq, pack, programming | No comments

Wednesday, 27 February 2013

Reading other peoples code

Posted on 13:24 by Unknown
I think for me, this was the largest yet unforeseen struggle when I first because a full time software developer. Not learning new technologies, but the vast amount to learn in a short period of time.

Going through solo and academic programming, all the code I had previously seen were perfect world examples and well documented/commented code. I didn't really expect to see code that wasn't commented (I now believe commented code is usually a sign of bad code, but I will leave that for another post), code that was so abstract and loosely coupled that it was hard to follow. MVVM, MVC, Dependency Injection, Inversion of Control and Event Aggregators. All things that help separate out your code, and make it easier to maintain and expand - things that I had no experience with, and simply hitting F12 in Visual Studio to view a method or event would just take me to an interface or a class that doesn't even appear to link to anything.

However, they do make sense eventually, and you will wonder how you lived without them. Maybe I'll even write about them.
Read More
Posted in | No comments

First post!

Posted on 12:42 by Unknown
Well, I thought it would be a good idea to jump on the bandwagon and start writing a blog. I've been programming for many years but have only been a junior developer for around 10 months, and over those months I've worked with some great technologies and also bumped into all manner of strange and peculiar problems, many of which I should have blogged about. I've also gained a vast amount of knowledge just from reading other blogs and so I feel helping others out in the same way is the least I can do.

I'd like to talk over my first few posts about experience gained as a junior developer and tips for other junior developers / soon to be developers.
Read More
Posted in .net, blog, developer, junior, programming | No comments

Saturday, 23 February 2013

Download: Snapchat (Android, iOS)

Posted on 06:22 by Unknown

If you consider WhatsApp as a better alternative to SMSes, then SnapChat comes across as an MMS killer. Apart from images, the app allows you to share small video clips with your friends.

Unlike numerous messaging apps that crop up every day, this one is polished and easy to use: 
The developer has thoughtfully implemented some nifty safety features. These features include an option to set visibility limit for certain photographs. For instance, you can give a recipient as little as 1 second to see a snap. To make screen grabs difficult, the app requires the recipient to keep his finger on the screen to see the photograph. In the event that the reciever manages to take a screenshot, the app notifies the sender about it.

Apart from these safety features, the app comes with Facebook integration, which has become a norm these days. SnapChat was initially launched for the iPhone a couple of weeks ago, and has been awaited on the Android ever since.
Developer: Snapchat, Inc.
Price: Free
Size: 8 MB
Platforms: Android, iOS
Download: Android — play.google.com/store/apps/details?id=com.snapchat.android; iOS — itunes.apple.com/in/app/snapchat/id447188370
Read More
Posted in apps | No comments

Plants Vs Zombies HD, Now Free For iOS Devices

Posted on 06:22 by Unknown

The popular Plants Vs Zombies game is now free for download on Apple's smartphones and tablets. PopCap's runaway hit "tower defence" genre of game was initially priced at $3 (approx Rs 160). As far as the story is concerned, your only hope of defeating the Zombie horde relies on weaponised (maybe mutated?) plants.

In order to save your own house and life, you're required to place these plants tactfully to hold off the zombies in your lawn. As the game progresses, new power-ups and plants unlock at regular intervals.


Apart from the 50 levels in story mode, there are around 22 mini-games and Survival mode. In case you weren't aware, this game was first launched for the Windows PC platform. After getting overwhelming response from Windows computers, the developer wasted no time in porting it to other platforms - Android, iOS, Xbox 360, PlayStation 3, and Nintendo DS. Now that it's free for Apple devices, download it right away. The game is still selling for $3 on Android and Windows Phone platforms.

Developer: PopCap Games
Size: 160 MB
Price: Free
Platform: iOS
Download: https://itunes.apple.com/in/app/plants-vs.-zombies/id350642635

Read More
Posted in apps | No comments

Rumour: Supposed Images of Nokia Lumia 520 and 720 Surface on Twitter

Posted on 06:20 by Unknown

Last year just before the launch of Lumia 820 & 920, images from the press shots were leaked by@evleaks on Twitter and they were accurate to say the least. This time it is no different. We are just a couple of days away from the Mobile World Congress 2013 and new images of mid range Lumia smartphones have been leaked again by the same Twitter handle.

Below you can see the image of Nokia Lumia 520 (codenamed "Zeal") which WPCentralclaims to sport a 4-inch touchscreen with a 5 MP rear camera, 512 MB RAM, 8GB of internal storage and a dual-core 1 GHz processor.
And here is the image of Lumia 720 (codenamed "Fame") which is claimed of having a 4.3-inch Clear Black display, with 8 GB of internal memory, 512 MB RAM, dual-core 1 GHz processor, 2 MP front camera and a 6 MP rear snapper. It also comes with support for HSPA+ and a microSD card expansion slot. Both the devices are seen to come in an array of different colours.
Read More
Posted in news | No comments

Tuesday, 19 February 2013

DOMO Launches 7" Slate X2G

Posted on 01:16 by Unknown

A Mumbai-based company, DOMO has introduced its 7" Slate, X2G. This Android tablet has a SIM card slot which allows you to make and receive calls, and use data connectivity while on the move. The X2G is equipped with a 1.2 GHz Cortex A8 processor, and has 512MB of RAM. Graphics is handled by Mali 400 GPU (which is generations old, but at this price, you shouldn't complain). Internal storage is 4 GB and you can add more using a microSD card slot. The company claims that the tablet will be eligible for the future Jelly Bean update (I'd take that with a pinch of salt).


Detailed specs are given below:
  • 7" capacitive touch screen with pixel dimensions of 800x480.
  • Android 4.0 (ICS).
  • 1.2 GHz Cortex A8 Processor, Mali 400 GPU.
  • 512 MB DDR III RAM.
  • 2 megapixel rear camera, 0.3 megapixel (VGA) front camera.
  • Wi-Fi, Lacks Bluetooth and HDMI port.
  • 4 GB of internal storage, MicroSD card slot (supports up to 32 GB).
  • Supports voice calling and 2G data, Compatible with external 3G dongles.
  • 3200 mAh Li-Polymer Battery.
  • Package Contents: Charger, USB Cable, OTG Cable, Handsfree.

Read More
Posted in news | No comments

Google Celebrates Copernicus' 540th Birthday With An Animated Heliocentric Model Doodle

Posted on 01:14 by Unknown

Google has paid an interesting homage on its homepage to Polish physician, mathematician, astronomer, and a Renaissance scholar, Nicolaus Copernicus who turns 540 today. He is popular for his heliocentric theory which proves that the Sun, and not the Earth is at the centre of the universe, and the planets revolve around the Sun — not the other way around. The theory appears in his published work titled De revolutionibus orbium coelestium.


The animated doodle features the Sun (the second O in Google's logo) with planets such as Mercury, Venus, Earth, Mars, Mars, Jupiter and Saturn turning around the Sun. Only these planets had been discovered when the theory came into being, as described in his book. Also in the doodle, you can see the Moon revolving around the Earth.

For more information about Nicolaus Copernicus, click here.
Google Celebrates Copernicus' 540th Birthday With An Animated Heliocentric Model Doodle
Read More
Posted in news | No comments

Thursday, 14 February 2013

The Blackberry BB10 Launch Summary

Posted on 07:28 by Unknown

The Blackberry BB10 Launch SummaryBlackBerry 10 was the focal point of attention, through all of the company's attempts to revive the brand's positioning and relevance to users. Make what you will out of it, but this OS begot them two new highend smart phone releases (Z10 and Q10), a renaming of the company itself, 70,000 apps into the newly renamed BlackBerry World, music and video partners for the BB10 store, revived business user interest, and of course, a huge audience hanging onto every bit of news about it.

Whether the long wait since the announcement of the BB10 was worth it, will be known only when the new devices start shipping. Considering that the (previously discontinued) BlackBerry PlayBook tablet will get the update, we suspect that would be the first place to experience BB10 in action. When the PlayBook was available at fire-sale prices, large quantities were lapped up, so BlackBerry already has a paying audience waiting for the new OS.
Bye bye RIM, hello Blackberry: On January 30th, Chief Executive Thorsten Heins of Research In Motion Ltd announced that the company's name was being changed to BlackBerry, in a move to refresh its image. "BlackBerry is how we're known pretty much everywhere across the world other than North America, so we have an iconic global brand and when you have such a powerful brand, you want to make it central", said Frank Boulben, BlackBerry's chief marketing officer, in an interview. Note that he said 'other than North America'.  The company's market share in the US is less than its global average. And, the US is not in the list of countries first getting the new devices. Is this a sign of Blackberry looking outside of the US market for its new story? That means India should have been in the list of countries getting the initial shipment, but it isn't either.
Blackberry goes multimedia: A day before the BB10 launch, a number of big-name music and video partners were put together for its BlackBerry 10 storefront, ranging from Walt Disney Studios and Sony Pictures to Universal Music Group and Warner Music Group. With this, Blackberry is saying its devices too can be used for fun, rather than just business (but then, Apple got there first). The BlackBerry World content store would include an extensive catalog of songs, movies and television shows. Most movies would be available the same day they are released on DVD, with next-day availability for many TV series. 
 
Two new smartphones: On the same day the new BB10 platform was launched, the Canadian company also unveiled two smartphones at its event. The full-touch BlackBerry Z10 features a 4.2" capacitive touchscreen (1280x768 pixels), a dual-core 1.5 GHz CPU, 2 GB RAM, dual-cameras (8 MP and 2 MP), 16 GB internal storage, micro-SD card slot, HDMI port, NFC/GPS/WiFi support and 1800 mAh battery. The Q10 features the iconic BlackBerry QWERTY keyboard along with a squarish 3.1" touchscreen (720x720 pixels), but the rest of the specs are similar to the Z10. 

Customers: The enterprise segment is a clear low-hanging fruit for BlackBerry. Businesses may continue to bite the Blackberry, simply because it is a familiar fruit. If business executives find BlackBerry devices are competitively priced and IT departments find BB10 easy to administer, the trio of Apple/Android/Windows Phone may have to smarten up. They should know how to. After all, they reversed market share in the business smartphone segment in just a couple of years.
 
Interesting Aside: The operating system version 10 has been lucky in the past, for Apple. Mac OS X released in 2001 when Apple was desperately trying to stay alive in the desktop/laptop business.

Recent Events:
RIM To Rename Itself BlackBerry, Hoping For Fresh Start
BlackBerry Announces Z10 And Q10 With BB10 OS
RIM Faces Its Day Of Reckoning With BlackBerry 10 Launch
RIM Names Multiple Music And Video Partners For BlackBerry 10 Storefront
Timeline - From RIM To BlackBerry, A Company In Transition
RIM Sets Stage For Clients To Run BlackBerry 10 Devices
BlackBerry Renames The App World Web Store To BlackBerry World, Packs In More Features
Read More
Posted in blackberry | No comments

Recommended Apps For Android Phones And Tablets

Posted on 07:27 by Unknown

Recommended Apps For Android Phones And Tablets
There's no better example of the idiom, 'problem of plenty', in the tech world than the app stores of the major platforms. Which platform has greater number of apps is only a theoretical debate, since apps for most of the common tasks are covered under all platforms. Given the presence of multiple apps that do the same task, picking the right one becomes a matter of trial and error (other users' feedback notwithstanding). So here's a small list of TechTree recommended apps for your Android smartphone. We have tested these applications ourselves, so you won't have to go through the trial and error drill. 

[Note: This list is not exhaustive, and will be updated frequently] 

MXPlayer
Price: free (Ad supported)
The default video player isn't same on every Android phone. There are few handsets that offer support wide range of formats, while most aren't very friendly with AVI and MKV files. This is where MXPlayer kicks in. This app can not only play variety of formats, but also offer hardware acceleration and full-fledged subtitle support. Moreover, there's also gesture controls to adjust the brightness, volume, and to rewind or fast-forward the video.
Download: play.google.com/store/apps/details?id=com.mxtech.videoplayer.ad&feature=search_result

Recommended Apps For Android Phones And Tablets 

Snapseed
Price: Free
Photo enhancement apps for mobiles generally offer limited functionality. However, Nik Software's SnapSeed is an exception. The app allows you to crop, transform, enhance or adjust colours, tinker with white balance, saturation, and contrast. You can also apply various preset filters including Vintage (Instagram style), Drama, and Grunge. There's a lot more you can do by combining these enhancements. 
Download: play.google.com/store/apps/details?id=com.niksoftware.snapseed&feature=search_result#

Recommended Apps For Android Phones And Tablets 

WeChat
Price: Free
This WhatsApp clone is better than the original in many ways. Apart from individual and group messaging with text, you can send voice notes, images, videos, and location data. To top it off, the app allows you to make video calls. Another thing going into WeChat's favour is the fact that it's available free of cost (and claims to remain free for life, unlike WhatsApp).
Download: play.google.com/store/apps/details?id=com.tencent.mm&feature=search_result#

Recommended Apps For Android Phones And Tablets 

Kingsoft Office
Price: Free
Kingsoft Office is probably the best Office suite you could find for Android device. Be it a phone or a 10" tablet, the app works like a charm. It allows you to view and edit DOC, DOCX, XLS, XLSX, PPT, PPTX files. It's easy to use, and even offers file manager of its own. In addition to that, it's integrated with cloud storage services such as Google Drive, Dropbox, and Box.net. Most of us won't mind paying for this useful app, but then, it's available for free.
Download: play.google.com/store/apps/details?id=cn.wps.moffice_eng&feature=search_result#

Recommended Apps For Android Phones And Tablets 

Opera Mini
Price: Free
The default Android web browser offers rich browsing experience as long as it's backed by a speedy internet connection. But, if you're stuck with limited 3G or slow EDGE plans, you have to think twice before visiting image heavy websites. Or, simply use Opera Mini as your browser. With its server-side data compression technique, it not only minimises your GPRS data usage and phone bills, but also speeds up web browsing.
Download: play.google.com/store/apps/details?id=com.opera.mini.android&feature=search_result#
Recommended Apps For Android Phones And Tablets

Read More
Posted in apps | No comments

Samsung Launches REX Series Of Feature Phones

Posted on 07:23 by Unknown

With today's global launch of its newest family of feature phones called 'REX', Samsung is making no bones about the fact that is it also a feature phone maker. The first set of devices available under the REX umbrella will be the REX 60, REX 70, REX 80 and REX 90.
Features common across the REX brand:
  • Capacitive touchscreen except for the REX 60 which Samsung says has a "responsive" screen.
  • Dual-SIM capable, with a couple of models having hot-swappable SIM card slot.
  • TouchWiz interface;
  • These devices are not based on Android.
  • Preloaded applications include Opera mini web browser, ChatON messenger, Push Email with Activesync, Facebook, Twitter.
  • More applications can be downloaded using Samsung's in house App Store.
Here are some model-wise specs:
REX 60: 2.8-inch "responsive" display, 320 x 240 pixels, dual-SIM, 1.3 mp camera
REX 70: 3-inch capacitive display, 320 x 240 pixels, dual-SIM (hot swappable), 2 mp camera
REX 80: 3-inch capacitive display, 320 x 240 pixels, dual-SIM, Wi-Fi, 3 mp camera
REX 90: 3.5-inch capacitive display, 480 x 320 pixels, dual- SIM (hot swappable), Wi-Fi, 3.2 mp camera
The devices will be priced from Rs 4300 to Rs 6500. However, individual pricing is not available at the moment. The devices will be mostly competing with Nokia's popular Asha series of mobile phones. Whether the REX series will be able to gain ground on the Asha series is yet to be seen.
Samsung Launches REX Series Of Feature Phones
Read More
Posted in news | No comments

Technologies That Make Sports Fair And Fun

Posted on 07:21 by Unknown

Technologies That Make Sports Fair And Fun
Use of technology in sports is not new in itself  — the term photo-finish originates from horse racing and sprinting, where photos were taken at the finish line to determine which horse / runner won the race. Modern sports too, have warmed up to the idea of using technology to help make fair decisions in a game. A simple example is that of video of a run-out being played in slow motion to help make a decision that could have match changing consequences. Then, of course, there are more complex technologies, some of which were initially introduced for the benefit of television audiences (!), and later they made it into the sport itself. Here are some interesting technologies that are playing a part in sports:
Hawk-Eye (for tennis, cricket, baseballl, snooker and football)
Developed by a company called Roke Manor Research Ltd, in 1999; Hawk-Eye is a popular system consisting of high-speed cameras to record the motion of a ball and a complex computer program that tracks and predicts its trajectory (path taken). First used in the Ashes series (cricket) in 2001 by Channel 4, the technology was later picked up by BBC for its Davis Cup (tennis) coverage in 2002. While initially built to aid televised proceedings of the sport, the technology is now actively used in the adjudication (dispute settlement) process, mainly in tennis and cricket. Other sports like baseball, snooker, and football (goal-line technology, as they are called) are set to benefit from this in future. The technology is now completely owned by Sony since March 2011.
The technology first shot into limelight when Jennifer Capriati beat Serena Williams in thequarters of the 2004 US Open and Williams contested many wrong calls. While TV replays showed the decisions to be wrong, the calls weren't reversed. However, after this incident, the line calling assistance (Auto-Ref system) started penetrating into the system. It was officially accepted in the same tournament in 2006.
4 Technologies That Make Sports More Fun
As for cricket, the system is officially used to decide LBW decisions: It tracks where the ball pitched, where it hit the batsman's leg, and whether or not it would have gone on to hit the stumps. Apart from that, the technology is used in a variety of telecast animations, such as the wagon wheel (that shows which part of the field got the batsmen how many runs), despin (showing how the ball behaved after being pitched), ball speeds, and reaction time (the response time to take catches).
4 Technologies That Make Sports More Fun
GoalRef (for football)
GoalRef is a technology that is competing with Hawk-Eye for implementation in football. Both aim at determining if the ball has fully crossed the line. GoalRef, developed by Germany-based Fraunhofer IIS, is a radio-based sensing system which makes use of low-frequency magnetic fields placed around the goal post. The ball comes embedded with copper coils which trigger the magnetic strips placed along the goal post when the ball cross the goal post (in contrast to Hawk-Eye, mentioned above, which works using cameras that track the ball).
4 Technologies That Make Sports More Fun
Snickometer (for cricket)
Another technology used in television replays for cricket matches is the Snickometer. The system, created way back in the mid-1990s, uses a microphone placed on the stumps, with the sound intensity measured at every instant. By analysing the intensity of sound just before the wicket keeper catches the ball, commentators suggest if the ball has hit the batsman's pads, bat, the pitch, or has made no contact at all.
4 Technologies That Make Sports More Fun
Hot Spot (for cricket)
Hot Spot is considered more accurate than the Snickometer. The set up consists of infra-red cameras that measure heat that results from friction when the ball hits the pad, or bat, or the ground, or the batsman's glove, as the case may be. The amount of heat generated in each of these cases is different, and by knowing the 'heat signatures' of each of these contacts, the system can know exactly where the ball hit. 
4 Technologies That Make Sports More Fun
Read More
Posted in Tricks And Other Info | No comments

Friday, 8 February 2013

Rumour: Microsoft Office For Linux In 2014?

Posted on 06:23 by Unknown

Software giant Microsoft is considering a Linux variant of its popular "MS Office" next year, according to Extreme Tech. Speculation is that Microsoft is considering Linux as an option because of the open-source platform's increasing commercial potential. The report also states that Microsoft has already begun work on releasing an Android-specific Office version.

If these reports turn out to be true, it will be a first for Microsoft as the company does not have much Linux-specific software except Skype. The company is expected to stick to its paid-for, commercial model for Office deployments on Linux as well.

Considering that Microsoft Office is already developed for Apple's Mac OS, and that Microsoft has a division working closely with open source, this is a prospect that has been discussed by Linux users for a long while now. The main deterrent is the extent to which Linux licensing terms (under GPL) may require Microsoft to open up its hitherto proprietary source code and render it open source.

At present, Linux distributions come with free productivity application suites, such as Libre Office. Linux PCs are used extensively in many large set-ups like educational institutions and governmental organizations, and these organizations may possibly want to adopt Microsoft Office.
TAGS: Microsoft, Office, Software, Linux
Read More
Posted in news | No comments

CES 2013: A Tablet That Bends And Folds Like Paper

Posted on 06:02 by Unknown

  
After Samsung's Youm flexible display, CES 2013 witnessed a proof of concept of similar technology. A new concept tablet was shown off at the event, which can be folded, bent, and used just like paper. Called PaperTab, it is has a 10.7" form factor with a high resolution plastic display.






PaperTab is flexible and provides several mechanisms for users to interact with it (like bending it), and its display is claimed to be unbreakable. The gadget has been developed by a British Company in association with Intel and Queen's University of Canada. PaperTab can be used virtually like a paper sheet and claims to provide an experience that is comparable to reading a magazine. Its display looks far thinner and lighter in comparison to conventional tablet displays.
A demo of the Paper Tab can be watched here. In the video a user is shown using multiple PaperTabs to navigate through content. This shows the ease of usage that the PaperTab provides to users apart from other functionality.
 
With its paper-like interface, PaperTab virtually appears to blur the bridge between paper and tablets. In this case, its usefulness in reducing conventional paper printouts can be taken into consideration. If the gadget is successful in this aspect, this will surely lead to conserving hundreds of trees that are used to produce computer papers.
 PaperTab is still in the conception stage.
Read More
Posted in news | No comments
Newer Posts Older Posts Home
View mobile version
Subscribe to: Posts (Atom)

Popular Posts

  • Apple starts shipping new iPod touch, iPod nano
    W hen Apple  revealed  the new fifth-generation iPod Touch and the seventh-generation iPod nano at the widely-covered event in San Francisco...
  • Apple Will Announce iPhone 5 On September 12th Event
    Apple is known to be extremely secretive about upcoming product launches. We all know that the company takes the wraps off one flagship ha...
  • IFA 2012: HTC Announces Desire X Android 4.0 Budget Mobile Phone With 4" Screen
    After garnering some not-so-great reviews on its flagship handset the  One X ,  HTC  seems to be pinning its hopes on its mid-range Android ...
  • Best free iPhone apps of all time
    What are the best free iPhone apps worth downloading right now? Although there are a lot of great free iPhone apps to choose from, time is m...
  • IFA 2012: 10 best gadgets on display
                                                                                                                                                ...
  • Download: nexGTv Watch free live TV on your smartphone.
    View the full image nexGTv is a video streaming app that offers live TV on the move. Unlike other apps though, this one actually works, and ...
  • Download: my airtel app (Android, BlackBerry, Java, Symbian)
    After a few consumer complaints that went against Bharti airtel , the brand will score a few barfi points with its subscribers as it has l...
  • Sony Rolls Out Android 4.0 Upgrade For Xperia go, U, sola, And Tablet S
    Sony  has just given its users something to smile about. Ever since the  Xperia U ,  sola ,  and  go  were released , owners had been stuck ...
  • Review: Hitman: Sniper Challenge (PS3)
      Pros: Super addictive; Sniping is satisfying; Unlockable abilities; Requires good strategy to achieve high scores. Cons: Occasionally dumb...
  • F1 2012 – FULL – UNLOCKED – MULTI8
    F 1 2012 is set to deliver the most accessible and immersive FORMULA ONE game for fans of all abilities. In F1 2012 players will feel the un...

Categories

  • .net
  • a
  • aakash
  • acer
  • agility
  • anchor free hotspot sheild app
  • andoid
  • android
  • android buyers
  • android update on samsung galaxy tab
  • apple
  • apps
  • asus
  • blackberry
  • blog
  • buy best android
  • c#
  • cpp
  • dell
  • developer
  • facebook
  • galaxy s3 explodes
  • gaming
  • get android
  • google
  • google android 4.1
  • google news
  • googletab
  • hathway
  • hcl
  • hp
  • htc
  • html
  • htmlagilitypack
  • huawei
  • iball
  • indian isp block
  • intex
  • ios apps
  • ios london 2012
  • iphone
  • iphone 5
  • jokes
  • junior
  • karbonn
  • lenovo
  • lg
  • linq
  • london 2012 mobile game
  • maps
  • mercury
  • micromax
  • microsoft
  • microsoft news
  • microsoft smartphone
  • motorola
  • new android 4.1
  • new apple iphone 5
  • new microsoft phone
  • new windows phone
  • news
  • nokia
  • nokia 808 pureview
  • nokia vs samsung
  • pack
  • programming
  • samsung
  • samsung galaxy s3
  • samsung galaxy s3 vs nokia 808
  • samsung galaxy tab
  • shopping
  • sony
  • sony xperia s ics update
  • sonygame
  • spice
  • swiftkey 3
  • swiftkey keyboard for android
  • tablets
  • torrent blocked sites
  • Tricks And Other Info
  • tumblr for ios
  • unblock torrent sites
  • upcoming android
  • videocon
  • windows
  • windows 7.8 update
  • windows phone 8
  • wishtel
  • wp 7.8
  • xbox
  • xperia s update
  • yahoo

Blog Archive

  • ▼  2013 (45)
    • ►  August (2)
    • ►  July (2)
    • ►  June (1)
    • ►  May (7)
    • ►  April (1)
    • ►  March (15)
    • ▼  February (14)
      • Starters guide to web scraping with the HTML Agili...
      • Reading other peoples code
      • First post!
      • Download: Snapchat (Android, iOS)
      • Plants Vs Zombies HD, Now Free For iOS Devices
      • Rumour: Supposed Images of Nokia Lumia 520 and 720...
      • DOMO Launches 7" Slate X2G
      • Google Celebrates Copernicus' 540th Birthday With ...
      • The Blackberry BB10 Launch Summary
      • Recommended Apps For Android Phones And Tablets
      • Samsung Launches REX Series Of Feature Phones
      • Technologies That Make Sports Fair And Fun
      • Rumour: Microsoft Office For Linux In 2014?
      • CES 2013: A Tablet That Bends And Folds Like Paper
    • ►  January (3)
  • ►  2012 (462)
    • ►  November (2)
    • ►  October (124)
    • ►  September (93)
    • ►  August (60)
    • ►  July (106)
    • ►  June (77)
Powered by Blogger.

About Me

Unknown
View my complete profile