Introduction to C

18:53 Technology 0 Comments

Intro to C

Every full C program begins inside a function called "main". A function is simply a collection of commands that do "something". The main function is always called when the program first executes. From main, we can call other functions, whether they be written by us or by others or use built-in language features. To access the standard functions that comes with your compiler, you need to include a header with the #include directive. What this does is effectively take everything in the header and paste it into your program. Let's look at a working program:

#include <stdio.h>
int main()
{
    printf( "I am alive!  Beware.\n" );
    getchar();
    return 0;
}
 
Let's look at the elements of the program. The #include is a "preprocessor" directive that tells the compiler to put code from the header called stdio.h into our program before actually creating the executable. By including header files, you can gain access to many different functions--both the printf and getchar functions are included in stdio.h.

The next important line is int main(). This line tells the compiler that there is a function named main, and that the function returns an integer, hence int. The "curly braces" ({ and }) signal the beginning and end of functions and other code blocks. If you have programmed in Pascal, you will know them as BEGIN and END. Even if you haven't programmed in Pascal, this is a good way to think about their meaning.

The printf function is the standard C way of displaying output on the screen. The quotes tell the compiler that you want to output the literal string as-is (almost). The '\n' sequence is actually treated as a single character that stands for a newline (we'll talk about this later in more detail); for the time being, just remember that there are a few sequences that, when they appear in a string literal, are actually not displayed literally by printf and that '\n' is one of them. The actual effect of '\n' is to move the cursor on your screen to the next line. Notice the semicolon: it tells the compiler that you're at the end of a command, such as a function call. You will see that the semicolon is used to end many lines in C.

The next command is getchar(). This is another function call: it reads in a single character and waits for the user to hit enter before reading the character. This line is included because many compiler environments will open a new console window, run the program, and then close the window before you can see the output. This command keeps that window from closing because the program is not done yet because it waits for you to hit enter. Including that line gives you time to see the program run.

Finally, at the end of the program, we return a value from main to the operating system by using the return statement. This return value is important as it can be used to tell the operating system whether our program succeeded or not. A return value of 0 means success.

The final brace closes off the function. You should try compiling this program and running it. You can cut and paste the code into a file, save it as a .c file, and then compile it. If you are using a command-line compiler, such as Borland C++ 5.5, you should read the compiler instructions for information on how to compile. Otherwise compiling and running should be as simple as clicking a button with your mouse (perhaps the "build" or "run" button).

You might start playing around with the printf function and get used to writing simple C programs.

http://click.union.ucweb.com/index.php?service=RedirectService&pub=lianghl@knowdlegecloud2&offer_id=com.UCMobile.intl

Explaining your Code

Comments are critical for all but the most trivial programs and this tutorial will often use them to explain sections of code. When you tell the compiler a section of text is a comment, it will ignore it when running the code, allowing you to use any text you want to describe the real code. To create a comment in C, you surround the text with /* and then */ to block off everything between as a comment. Certain compiler environments or text editors will change the color of a commented area to make it easier to spot, but some will not. Be certain not to accidentally comment out code (that is, to tell the compiler part of your code is a comment) you need for the program.

When you are learning to program, it is also useful to comment out sections of code in order to see how the output is affected.

Using Variables

So far you should be able to write a simple program to display information typed in by you, the programmer and to describe your program with comments. That's great, but what about interacting with your user? Fortunately, it is also possible for your program to accept input.

But first, before you try to receive input, you must have a place to store that input. In programming, input and data are stored in variables. There are several different types of variables; when you tell the compiler you are declaring a variable, you must include the data type along with the name of the variable. Several basic types include char, int, and float. Each type can store different types of data.

A variable of type char stores a single character, variables of type int store integers (numbers without decimal places), and variables of type float store numbers with decimal places. Each of these variable types - char, int, and float - is each a keyword that you use when you declare a variable. Some variables also use more of the computer's memory to store their values.

It may seem strange to have multiple variable types when it seems like some variable types are redundant. But using the right variable size can be important for making your program efficient because some variables require more memory than others. For now, suffice it to say that the different variable types will almost all be used!

Before you can use a variable, you must tell the compiler about it by declaring it and telling the compiler about what its "type" is. To declare a variable you use the syntax <variable type> <name of variable>;. (The brackets here indicate that your replace the expression with text described within the brackets.) For instance, a basic variable declaration might look like this:
int myVariable;
Note once again the use of a semicolon at the end of the line. Even though we're not calling a function, a semicolon is still required at the end of the "expression". This code would create a variable called myVariable; now we are free to use myVariable later in the program.

It is permissible to declare multiple variables of the same type on the same line; each one should be separated by a comma. If you attempt to use an undefined variable, your program will not run, and you will receive an error message informing you that you have made a mistake.

Here are some variable declaration examples:

int x;
int a, b, c, d;
char letter;
float the_float;
 
While you can have multiple variables of the same type, you cannot have multiple variables with the same name. Moreover, you cannot have variables and functions with the same name.

A final restriction on variables is that variable declarations must come before other types of statements in the given "code block" (a code block is just a segment of code surrounded by { and }). So in C you must declare all of your variables before you do anything else:

Wrong
#include <stdio.h>
int main()
{
    /* wrong!  The variable declaration must appear first */
    printf( "Declare x next" );
    int x;

    return 0;
}
Fixed
#include <stdio.h>
int main() 
{
    int x;
    printf( "Declare x first" );

    return 0;
}

Reading input

Using variables in C for input or output can be a bit of a hassle at first, but bear with it and it will make sense. We'll be using the scanf function to read in a value and then printf to read it back out. Let's look at the program and then pick apart exactly what's going on. You can even compile this and run it if it helps you follow along.

#include <stdio.h>

int main()
{
    int this_is_a_number;

    printf( "Please enter a number: " );
    scanf( "%d", &this_is_a_number );
    printf( "You entered %d", this_is_a_number );
    getchar();
    return 0;
}
 
So what does all of this mean? We've seen the #include and main function before; main must appear in every program you intend to run, and the #include gives us access to printf (as well as scanf). (As you might have guessed, the io in stdio.h stands for "input/output"; std just stands for "standard.") The keyword int declares this_is_a_number to be an integer.

This is where things start to get interesting: the scanf function works by taking a string and some variables modified with &. The string tells scanf what variables to look for: notice that we have a string containing only "%d" -- this tells the scanf function to read in an integer. The second argument of scanf is the variable, sort of. We'll learn more about what is going on later, but the gist of it is that scanf needs to know where the variable is stored in order to change its value. Using & in front of a variable allows you to get its location and give that to scanf instead of the value of the variable. Think of it like giving someone directions to the soda aisle and letting them go get a coca-cola instead of fetching the coke for that person. The & gives the scanf function directions to the variable.

When the program runs, each call to scanf checks its own input string to see what kinds of input to expect, and then stores the value input into the variable.

The second printf statement also contains the same '%d'--both scanf and printf use the same format for indicating values embedded in strings. In this case, printf takes the first argument after the string, the variable this_is_a_number, and treats it as though it were of the type specified by the "format specifier". In this case, printf treats this_is_a_number as an integer based on the format specifier.

So what does it mean to treat a number as an integer? If the user attempts to type in a decimal number, it will be truncated (that is, the decimal component of the number will be ignored) when stored in the variable. Try typing in a sequence of characters or a decimal number when you run the example program; the response will vary from input to input, but in no case is it particularly pretty.

Of course, no matter what type you use, variables are uninteresting without the ability to modify them. Several operators used with variables include the following: *, -, +, /, =, ==, >, <. The * multiplies, the / divides, the - subtracts, and the + adds. It is of course important to realize that to modify the value of a variable inside the program it is rather important to use the equal sign. In some languages, the equal sign compares the value of the left and right values, but in C == is used for that task. The equal sign is still extremely useful. It sets the value of the variable on the left side of the equals sign equal to the value on the right side of the equals sign. The operators that perform mathematical functions should be used on the right side of an equal sign in order to assign the result to a variable on the left side.

Here are a few examples:

a = 4 * 6; /* (Note use of comments and of semicolon) a is 24 */
a = a + 5; /* a equals the original value of a with five added to it */
a == 5     /* Does NOT assign five to a. Rather, it checks to see if a equals 5.*/ 

The other form of equal, ==, is not a way to assign a value to a variable. Rather, it checks to see if the variables are equal. It is extremely useful in many areas of C; for example, you will often use == in such constructions as conditional statements and loops. You can probably guess how < and > function. They are greater than and less than operators.

For example:

a < 5  /* Checks to see if a is less than five */
a > 5  /* Checks to see if a is greater than five */ 
a == 5 /* Checks to see if a equals five, for good measure */ 

0 comments:

Google's 'Great Online Shopping Festival' ends today

18:42 Technology 0 Comments

Technology giant Google extended its mega event, Great Online Shopping Festival (GSOF) ends today which was extended for a day after getting a huge response from shoppers with over a million users visiting the site in the first 24 hours.
The second edition of India's Great Online Shopping Festival, which started yesterday, will now go on till Saturday instead of Friday. E-commerce firms said even the initial problems faced by the GOSF site on its launch day has not doused the enthusiasm of the online shoppers and they are witnessing growing numbers on their platforms.
"Great Online Shopping Festival is getting an overwhelming response from shoppers, despite a minor glitch we faced yesterday and to keep up the tempo and give more time to shoppers, we are extending GOSF by a day and will now run till December 14," Google India Industry Director e-commerce Nitin Bawankule said.
Great Online Shopping Festival's first edition last year witnessed over a million people visiting the site, but this time that number has already been surpassed, he added.
"The popularity can be gauged by the fact that Tata Value Homes sold 22 flats (housing units) and 3 cars have also been sold," Bawankule said.
GOSF's website faced issues on the launch day yesterday as the homepage of the website failed to redirect users to the intended pages.
"We're so sorry for the delay in the #GOSF launch. The site will be up soon and you can shop through the deals being offered until 13th Dec (sic)," Google India said in a tweet yesterday.
Despite the initials hiccups, e-commerce firms said that they are experiencing huge response from shoppers. Over 200 partners (e-commerce firms) are participating in the event. GOSF 2013 has started off with a blast on Snapdeal. We have seen 10x increase in sales as compared to last year," Snapdeal.com VP (Marketing) Sandeep Komaravelly said. Similarly, Jabong Co-founder Manu K Jain said from the first day Jabong is seeing a phenomenal increase in traffic and sales.
"Revenue has increased 4-5 times more than a usual day. Coping up with the increasing traffic our IT team is working very hard to keep

0 comments:

Sony unveils two-in-one USB stick for tablet storage

18:03 Technology 0 Comments

Forget storing everything in the cloud – Sony thinks many mobile device owners will want to carry around a USB stick.
The company has unveiled a two-ended USB stick, which plugs into a standard USB port as well as a micro-USB port for transferring data between mobile phones and tablets.
It isn't the first such device to be released - ADATA and Leef have similar products - but suggests that Sony thinks consumers aren't quite sold on storing everything in the cloud.
The device can be used for transferring files from a device to a PC and vice versa, and for backing up data, Sony said, and it can also be used to extend storage on devices that don't have micro SD card slots.
The "two-in-one" drive supports USB 2, and comes in 8GB, 16GB and 32GB capacities.
The micro-USB end fits most Android smartphones and tablets, but Sony promises support only for devices that run Android 4 and 4.3 - Ice Cream Sandwich and Jelly Bean - and offer the "on the go" (OTG) function, which lets a handset or tablet act like a host when connected to USB peripherals.
The company said it would also soon offer support for Android 4.4 as well. Sony has also created a free File Manager app to make finding files easier.
The storage tool will be available early next year in the US for $20 for the 8GB version, $30 for 16GB, and $63 for the 32GB - two to three times the price of a standard Sony USB drive.
UK pricing and availability is yet to be confirmed, but for those who find the idea appealing, the 16GB version of ADATA's dual USB stick is available on Amazon for about £15.

0 comments:

BenQ launches two Eye Care monitors

18:00 Technology 0 Comments

Staring at a computer screen for a number of hours every day can lead to eye strain, headaches and temporary vision impairment. These are symptoms of what is called the computer vision syndrome (CVS).

According to the National Institute of Occupational Safety and Health in the US, more than 90 per cent of those who spend three or more hours at a single stretch working on their computers are likely to get CVS.

BenQ on Thursday (December 12) launched the EW40 series monitors of Eye Care monitors. Eliminating flickering from the monitors, these screens have also included different modes which cut glare and significantly reduce blue LED light emissions.

There are different low blue light modes to reduce harmful blue light emission significantly and prevent macular degeneration, including be it in the multimedia mode, the web surfing mode, the office mode or the reading mode. Of these, the reading mode is designed to simulate the experience of reading paperbacks.

The monitors support MHL connections, which allow streaming of content from an MHL equipped Android smartphone. EW series monitors are available in 24" and 27" inch wide screen sizes and are priced at Rs 18,000 and Rs 25,000, respectively.

0 comments:

Build a Wireless Home Network without a Router

13:23 Technology 0 Comments

The easiest way to setup a wireless network, as we all know, is with the help of a router – just attach a wireless router to your modem and any Wi-Fi enabled gear, that’s located inside the signal range of your router, will be able to connect to the web using that lone Internet connection.

Setup Wireless Network without a Wireless Router

Now consider a slightly different scenario – you have all these Wi-Fi enabled devices at home but there’s no router. Well, there’s no reason to buy one because you can still easily setup a wireless network as long as your computers have a wireless network adapter*.
wireless network adapters
[*] Most new desktops and laptop computers are already equipped with internal network adapters so you are ready to go without a router. If your computer doesn’t have built-in wireless capabilities, you can either buy a USB network adapter that plugs into the USB port of your desktop or go for a wireless adapter that directly plugs into your notebook’s PC Card slot. Desktop users can also opt for an internal wireless PCI card but you’ll have to open the computer case in order to install this network adapter.

Create a Wi-Fi Network without a Router

Now that you have everything in place to create a Wi-Fi network, let’s actually build one.
For Windows XP and Vista users
If your main computer, that is already connected to the internet, is running Windows XP, Vista or even Mac OS X, you can set up an ad-hoc Wi-Fi network and the other wireless devices can then connect to the web via this ad-hoc network (also called a computer-to-computer network).
Wired Connection In, Wireless Connection Out
It’s an easy process. To set up an ad-hoc network in Windows Vista, go to Network and Sharing Center from the control panel, select “Set up a connection or network” and choose “Set up a wireless ad hoc (computer-to-computer) network”.
Make sure you select “Save this network” option else the ad hoc network will be removed if no other computers / devices are connecting to the network.
create wireless ad hoc network
save ad-hoc network
Turn on Internet Sharing in the next screen and now your other home computers can connect to the ad hoc network just like they would connect to any regular wireless network. Setting up an ad hoc network in XP takes a couple of extra steps but also make sure the host computer is running at least XP SP2 or SP3.
For Windows 7 users
If you are on Windows 7, you can instantly turn your  computer into a personal Wi-Fi hotspot without having to configure anything. All you need is a free software called Virtual Router and the computer connected to the internet must be running Windows 7.
[*] Virtual Router works will all editions of Windows 7 except the Starter edition because Microsoft has disabled the Virtual Wifi feature in that particular edition. virtual wifi router
Using the virtual router is simple – just run the program on any Windows 7 computer, assign a password and that’s it. In the above example, I used the Virtual Router to connect an iPod, an Ubuntu Linux laptop and a Windows desktop to the Internet via a Windows 7 notebook where that virtual router software was running.
As new devices join the Wireless network, their assigned IP and MAC addresses instantly appear in the Virtual Router window. And you can click the “Stop Router” button anytime to deactivate the hotspot and disable Internet sharing.

Virtual Wi-Fi vs Ad Hoc Wireless Networking

To set up Ad Hoc networking, your main computer needs to have an Ethernet based Internet connection as well as a Wireless (WLAN) network adapter. In the case of Virtual Wi-Fi, the Ethernet card is optional so you can turn a laptop into a hotspot even if your laptop itself is connected to a Wireless network and not to an Ethernet cable.
Computers and other wireless devices in ad hoc networks must be within 30 feet of each other but there’s no such restriction in the case of Virtual Wireless networks.
Ad-Hoc wireless networking is available on Windows XP, Vista and Windows 7 while Virtual WiFi, which is much easier to setup, is available on Windows 7 or Windows Server 2008.

0 comments:

Twitter to be available on mobile phones without Internet

12:29 Technology 0 Comments


Twitter Inc is tying up with a Singapore-based startup to make its 140-character messaging service available to users in emerging markets who have entry-level mobile phones which cannot access the Internet.
U2opia Mobile, which has a similar tie-up with Facebook Inc, will launch its Twitter service in the first quarter of next year, Chief Executive and Co-founder Sumesh Menon told Reuters.
Users will need to dial a simple code to get a feed of the popular trending topics on Twitter, he said.
More than 11 million people use U2opia's Fonetwish service, which helps access Facebook and Google Talk on mobile without a data connection.
Twitter, which boasts of about 230 million users, held a successful initial public offering last month that valued the company at around $25 billion.
U2opia uses a telecom protocol named USSD, or Unstructured Supplementary Service Data, which does not allow viewing of pictures, videos or other graphics.
"USSD as a vehicle for Twitter is almost hand in glove because Twitter has by design a character limit, it's a very text-driven social network," Menon said.
Eight out of 10 people in emerging markets are still not accessing data on their phone, he said.
U2opia, which is present in 30 countries in seven international languages, will localize the Twitter feed according to the location of the user.
"So somebody in Paraguay would definitely get content that would be very very localized to that market vis a vis somebody sitting in Mumbai or Bangalore," he said.
The company, whose biggest markets are Africa and South America, partners with telecom carriers such as Telenor, Vodafone and Bharti Airtel Ltd. U2opia usually gets 30 to 40 percent of what users pay its telecom partners to access Fonetwish.
"For a lot of end users in the emerging markets, it's going to be their first Twitter experience," Menon said.

0 comments:

Casio G-Shock GA-110AC-7A water-resistant watch @Rs 8,995

10:45 Technology 0 Comments

Casio G-Shock GA-110AC-7A water-resistant watch can be yours for Rs 8,995

The Casio G-Shock GA-110AC-7A watch has been launched for users who prefer stylish wrist watches to the plain ones. It’s a sturdy piece of hardware and can even resist water to an extent, making it pretty durable and apt for rough use. And by the looks of the accessory, it should even help you make a style statement. You can grab the timepiece in shades of red or blue.
As we said, it is water-proof, but only up to a depth of 200 meters and the watch even boasts of magnetic and shock resistance. Which means it should be able to survive even after falling from a certain height. And the mineral glass on the front only adds to its durability. The casing, bezel as well as the band of the wearable gadget have been constructed using resin.

Featuring LED light, the G-Shock GA-110AC-7A has been embedded with an auto light switch and it lets you decide for how long the illumination should last before going out. An afterglow can also be seen and you can use it in as many as 29 time zones from 48 cities. There’s an option for city code display and users can even put daylight saving on or off.
And if that’s not enough, it works as a 1/1000-second stopwatch with a measuring capacity of 99:59’59.999”. The watch’s modes include elapsed time, lap time and split time. Other than this, it has a countdown timer, with second as its measuring unit and a range of an entire day, that’s 24 hours. It even permits you to set 5 daily alarms, complete with the snooze option. The timepiece measuring 55 X 51.2 X 16.9 millimeters, weighs 72 grams.
The Casio G-Shock GA-110AC-7A watch is available now for Rs 8,995.

0 comments:

Tata Docomo launches unlimited WhatsApp data packs

10:41 Technology 0 Comments


Tata Docomo today launched two data packs for its pre-paid GSM customers which allow unlimited use of chat application WhatsApp.

The packs, valid for 15 and 30 days, are targetted at price sensitive pre-paid customers who just want to use WhatsApp for communication and don't want to spend on data usage, the company said.

The two packs have been priced at Rs 15 and Rs 30.

"These data packs will enable Tata Docomo prepay GSM customers to enjoy the hugely popular WhatsApp with specially customised value for money data plans and with unlimited use," the company said in a statement.

The company said it conducted an independent research and came to know that users need customised data offerings and want to pay only for the applications that they consume.

"Standing tall on the fundamental tenet of simplifying consumer's life, dedicated WhatsApp data packs serves up a hassle-free experience for our consumers with a clear focus on enriching the data experience," Tata Docomo Head VAS Marketing Rishimohan Malhotra said.

"This partnership allows us to tap into Tata's market presence in India and continue WhatsApp's significant growth as the global leader in the mobile communication space," WhatsApp Co-Founder Brian Acton said.

0 comments:

XOLO Play Tegra Note to launch in third week of Dec,goes on pre-order

10:38 Technology 0 Comments

XOLO Play Tegra Note tablet is now available for pre-orders at Flipkart and Infibeam  e-retailers. The tablet price is now being noted INR 17,999, which is INR 1,000 less than what we last saw on Flipkart. The latest price is expected to be the final pricing for this re-branded NVIDIA Tegra Note.
XOLO Play Tegra Note features a 7-inch 1280x800p display, Tegra 4 processor, 1GB of RAM, Android 4.2.2, 16GB of internal storage, microSD card slot and stylus support.
It is expected to be released in the third week of December in the Indian market, so we are expecting an official announcement next week.
 XOLO Play Tegra Note

0 comments:

Wipro:"Will focus on IT services only."shuts down PC and server manufacturing business

14:58 Technology 0 Comments

The country's third largest software services player, which has started marketing indigenous personal computers in 1985, has manufacturing units in Kotdwar (Uttarakhand) and Puducherry. The two facilities have a combined capacity of about 2.20 lakh units of desktops, laptops and servers.
S Raghavendra Prakash Wipro General Manager and Business Head (Systems and Technology) told:"The market is changing and so are the customer needs. Consumers are looking at smart devices like tablets while the enterprise space has seen more commoditisation (of IT). Wipro has decided to strengthen its position as system integrator (SI) and increase its focus on IT solutions and services," He declined to comment on the number of employees in the PC manufacturing business. However, sources suggest the number is lower than 2,000.
Wipro will re-deploy all the affected employees in the company, Prakash said adding that the company will continue to have a presence in the hardware business offering solutions in large integrated deals. Last month, HCL Infosystems said it will phase-off its manufacturing business in the next few years to improve margins and increase organisational efficiency.
Instead, HCL Infosystems will instead focus on strengthening its services and distribution verticals. Revenues for PC makers have been under pressure as newer devices like tablets and phablets are finding more takers. Also, over the last few years, most PC makers in the country have incurred losses due to the rupee's fluctuation against other currencies, especially the US dollar. This has hurt the PC business in India as it is low-margin and almost 90-95 per cent of the components are imported.
Wipro will, however, be present in the PC market by providing suitable brands as a part of its solutions offerings in large integrated deals, the Azim Premji-led company said.
"Our vision is to strengthen our position as a leading SI. Manufacturing our own PCs was not giving us a competitive differentiation in our SI solution offering," Wipro Infotech Senior VP and Head Soumitro Ghosh said in a statement. Wipro will fulfil its warranty and annual maintenance contracts obligations as per the terms of the existing contracts, he added.
The company will execute all customer commitments and provide support services to the entire installed base as part of its regular managed services offering, Wipro said.
Wipro, which reported revenue of Rs. 11,331.9 crores for the July-September 2013 quarter, does not split the numbers for its various businesses. Shares of Wipro closed 2 percent higher at Rs. 491.60 apiece.

0 comments:

Samsung Chromebook launched in India at Rs. 26,990

14:10 Technology 0 Comments

Samsung has now announced The Samsung Chromebook and is now available in market The Samsung Chromebook runs Google's Chrome OS, rather than Windows or Linux; much like other Chromebook siblings. It features an 11.6-inch display with a resolution of 1366x768 pixels. It weighs 1.1 kilogram and measures 17.5mm thin. The Samsung Chromebook offers up to 6.5 hours of battery life (active use). It is powered by a 1.7GHz dual-core Samsung Exynos 5 Dual processor with 2GB of RAM.The Samsung Chromebook has 16GB of SSD (Solid State Drive) space and in addition comes with 100GB of Google Drive Cloud storage, which is valid for 2 years, starting on the date the Drive offer is redeemed. Other features include a built-in dual band Wi-Fi 802.11 a/b/g/n, 3G modem (which is optional), VGA webcam, one USB port and one micro-USB port, HDMI port and Bluetooth 3.0 compatible.
it also includes preloaded Google products like Search, Gmail, YouTube, and Hangouts.
samsung-chromebook1-635.jpg
Samsung Chromebook key specifications
  • 11.6-inch (1366x768) display
  • 1.7GHz dual-core Samsung Exynos 5 Dual processor
  • 2GB of RAM
  • 100 GB Google Drive Cloud Storage (for 2 years) with 16GB Solid State Drive
  • Built-in dual band Wi-Fi 802.11 a/b/g/n, 3G modem (optional)
  • VGA Camera
  • 1x USB 3.0, 1x USB 2.0
  • Full size HDMI Port Bluetooth 3.0 Compatible
  • 1.1 kilogram and measures 17.5mm thin
  • Up to 6.5 hours of active use
  •  Samsung Chromebook price ia approx.Rs.26990

0 comments:

Next USB cable will be reversible

18:25 Technology 0 Comments

The next USB cable will be reversible, its developers have announced.
This will mean users of the Universal Serial Bus cables will be able to plug the part into a device no matter which way it is facing, ending frustrated attempts to charge a phone or tablet with an upside-down cable.
The Type-C cable, due to be finalised by mid-2014 and on the market by 2016, will also be smaller in size so that it is similar to the current Micro USB plug.
It will also be able to conduct data speed transfers of up to 10 Gbps, double the speed possible at the moment.
Apple’s Lightning connector is reversible, and the new USB will follow in its footsteps.
At present USB cables can only be plugged into a device one way round for the data connection to work, but the Promoter Group announced will not be the case with the Type-C.
Brad Saunders, USB 3.0 Promoter Group chairman, said: “While USB technology is well established as the favoured choice for connecting and powering devices, we recognize the need to develop a new connector to meet evolving design trends in terms of size and usability.
“The new Type-C connector will fit well with the market’s direction and affords an opportunity to lay a foundation for future versions of USB.”

The different models of USB
The vice president of the Platform’s engineering group, Alex Peleg, added that the new model “will enable an entirely new super thin class of devices from phones to tablets, to 2-in-1s, to laptops to desktops and a multitude of other more specific usage devices.”
The Promoter Group is made up of Intel, HP, Microsoft, Renesas Electronics, ST-Ericsson and Texas Instruments, and agrees the design of the standard USB.
India's leading GSM service provider Bharti AirtelBSE 0.96 % is set to launch voice call facility on its 4G LTE network in Bengaluru. The company has been offering 4G data services in Pune, Kolkata, Chandigarh, Mohali, Panchkula and Bengaluru.

Bharti Airtel through its Twitter account announced that Bengaluru customers will be able to use Airtel 4G services on LTE enabled smartphones in 3 weeks.

The telco has adopted Circuit Switched Fall Back (CSFB) technology for providi ..

Read more at:
http://economictimes.indiatimes.com/articleshow/26895962.cms?utm_source=contentofinterest&utm_medium=text&utm_campaign=cppst
The telco has adopted Circuit Switched Fall Back (CSFB) technology for providing voice calling facility over its 4G LTE networks in the country. With CSFB technology deployed within the newtork, the telco would be able to offer voice to its LTE subscribers through its 3G and even 2G network.

India's leading GSM service provider Bharti AirtelBSE 0.96 % is set to launch voice call facility on its 4G LTE network in Bengaluru. The company has been offering 4G data services in Pune, Kolkata, Chandigarh, Mohali, Panchkula and Bengaluru.

Bharti Airtel through its Twitter account announced that Bengaluru customers will be able to use Airtel 4G services on LTE enabled smartphones in 3 weeks.

The telco has adopted Circuit Switched Fall Back (CSFB) technology for providi ..

0 comments:

A budding trust of autonomous cars

18:20 Technology 0 Comments

Nissan shifts towards wearable tech, again
The Japanese automaker teased enthusiasts with a rather curious piece of wearable technology. A promotional video depicts a man wearing Google Glass-like specs called 3E, a new technology that officially debuted at the 2013 Tokyo motor show.
The concept glasses are intended to demonstrate how augmented reality might be used to display vehicle information to a driver. Some reporters at the motor show were permitted to try the 3E glasses, which relayed performance and technology statistics over live footage of Nissan vehicles in motion. It is not the company's first foray into wearable tech; Nissan showed a “smart watch” for drivers in September at the Frankfurt motor show.
US says it will regulate mobile devices in vehicles
(General Motors)
The US’s National Highway Traffic Safety Administration (NHTSA) said it will reissue new voluntary mobile device guidelines for major automakers operating in the country. In a congressional hearing earlier this month, NHTSA director David Strickland said the agency had the authority to regulate mobile devices in vehicles under the Motor Vehicle Safety Act.
The new regulations, though technically still voluntary, could help automakers strike a balance between providing drivers with high-tech options, while maintaining safety standards and avoiding distraction-causing features.
A budding trust of autonomous cars?
(Nissan North America)
A recent survey by online insurance retailer CarInsurance.com indicated  that one in five drivers would trust a fully autonomous vehicle for their driving needs. A full 90% of the 2,000 respondents would consider purchasing an autonomous vehicle if doing so would cause their insurance premiums to drop, the survey authors noted.
But it's not all good news for would-be autonomous vehicle makers. Around 64% of respondents said self-driving cars cannot make decisions as well as humans and 75% said they can drive better than a computer ever could. Speaking of…
Mazda automated test drive goes awry
(Mazda USA)
A Mazda CX-5 SUV drove into a barrier during a test drive in the automaker’s native Japan while a customer was testing a semi-autonomous drive feature. According to Bloomberg News, the driver was using the car’s automated braking system – called Smart City Brake Support – when the vehicle crashed into a barrier, injuring both the customer and a salesman. Though drivers can disengage the automatic braking system, Mazda and local authorities have not said whether the system was turned off at the time of the crash.
At MIT, viruses build a better battery
(Massachusetts Institute of Technology)
Researchers at the Massachusetts Institute of Technology (MIT) added a genetically modified virus to a lithium-air battery to increase its charging and discharging cycles. The benign virus was used to increase the surface area of the battery's “nanowires”, which act as the unit’s electrodes. Lithium-air batteries have some advantages over the currently popular lithium-ion batteries because they can store two to three times more power per the same amount of weight – a potential breakthrough for battery-electric cars, which currently lug around weight-intensive lithium-ion or nickel metal hydride packs.

0 comments:

Stolen Facebook and Yahoo passwords dumped online

18:08 Technology 0 Comments

More than two million stolen passwords used for sites such as Facebook, Google and Yahoo and other web services have been posted online.
The details had probably been uploaded by a criminal gang, security experts said.
It is suspected the data was taken from computers infected with malicious software that logged key presses.
It is not known how old the details are - but the experts warned that even out-dated information posed a risk.
"We don't know how many of these details still work," said security researcher Graham Cluley. "But we know that 30-40% of people use the same passwords on different websites.
"That's certainly something people shouldn't do."
Criminal botnet The site containing the passwords was discovered by researchers working for security firm Trustwave.
In a blog post outlining its findings, the team said it believed the passwords had been harvested by a large botnet - dubbed Pony - that had scooped up information from thousands of infected computers worldwide.
Data on the site showed how many new details were being scraped from users every day
A botnet is a network of machines controlled by criminals thanks to malicious software being installed on to computers without the owner's knowledge.
Often, criminal gangs will use botnets to steal large amounts of personal data, which can then be sold on to others or held to ransom.
In this instance, it was log-in information for popular social networks that featured most heavily.
The site - written in Russian - claimed to offer 318,121 username and password combinations for Facebook. Other services, including Google, Yahoo, Twitter and LinkedIn, all had entries in the database.
Russian-language sites VKontakte and Odnoklassniki also featured.
Chocolate teapot passwords Trustwave said it had notified the sites and services hit prior to posting the blog entry.
Facebook highlighted that it was not at fault, and that this security risk was due to infected user machines.
"While details of this case are not yet clear, it appears that people's computers may have been attacked by hackers using malware to scrape information directly from their web browsers," a spokesman said in an email.

Hi-tech crime terms
  • Bot - one of the individual computers in a botnet; bots are also called drones or zombies
  • Botnet - a network of hijacked home computers, typically controlled by a criminal gang
  • Malware - an abbreviation for malicious software ie a virus, trojan or worm that infects a PC
  • DDoS (Distributed Denial of Service) - an attack that knocks out a computer by overwhelming it with data; thousands of PCs can take part, hence the "distributed"
  • Drive-by download - a virus or trojan that starts to install as soon as a user visits a particular website
  • IP address - the numerical identifier every machine connected to the net needs to ensure data goes to the right place
"People can help protect themselves when using Facebook by activating Login Approvals and Login Notifications in their security settings.
"They will be notified when anyone tries to access their account from an unrecognized browser and new logins will require a unique passcode generated on their mobile phone."
The social network said all of the users found in the database had been put through a password reset process.
Analysis of the passwords by Trustwave showed a familiar picture - the most popular password, found in the database over 15,000 times, was "123456".
Such predictable combinations made passwords completely ineffective, said Mr Cluley.
"It's as much use a chocolate teapot," he said. "Absolutely useless

0 comments:

Karbonn Titanium X with 5-inch full-HD display launched at Rs. 18,490

13:40 Technology 0 Comments

Karbonn has unveiled its latest smartphone in India, the Titanium X priced at Rs, 18,490. Previously, in early November, the domestic handset maker had posted a teaser image of the Titanium X on its official website without pricing.The Karbonn Titanium X runs Android 4.2 Jelly Bean out-of-the-box. Notably, the smartphone is a single SIM device with support for a micro-SIM.
The Titanium X features a 5-inch full-HD (1080x1920) IPS display, and is powered by a quad-core 1.5GHz processor coupled with 1GB of RAM. The smartphone sports a 13-megapixel rear autofocus camera with dual-LED flash, and also houses a 5-megapixel front-facing camera. It includes 16GB of inbuilt storage, which is further expandable up to 32GB via microSD card.
On the connectivity front, the smartphone includes NFC support, which will make the Titanium X the first 'affordable' smartphone from an Indian brand to sport this feature. The smartphone is backed by a 2300mAh battery, which is rated to deliver up to 6 hours of talktime, and up to 240 hours of standby time. The Karbonn Titanium X includes a host of sensors that include proximity sensor, G sensor, magnetic sensor, gyro sensor, and light sensor.
Commenting on the launch, Shashin Devsare, Executive Director, Karbonn Mobiles said "With the Karbonn Titanium X we are taking the Indian smartphone market to a different level altogether - the level X. Our endeavour is to set a benchmark in the Indian smartphone market, and establish Karbonn Titanium X at the pinnacle of research innovation. Unlike any other smartphone in the market, the Karbonn Titanium X enables the Generation X to live life in the fast lane and discover more into their social interactions."

karbonn-titanium-x-635.jpg 
Karbonn Titanium X key specifications
  • 5-inch full-HD IPS display
  • 1.5GHz quad-core processor
  • 13-megapixel rear autofocus camera with dual LED flash
  • 5-megapixel front-facing camera
  • Single SIM (micro-SIM)
  • Android 4.2 Jelly Bean
  • NFC support
  • 2300mAh battery

0 comments:

Nokia Lumia 101 Smartwatch is a Nice Little, Elegant Bracelet

19:10 Technology 0 Comments

Nokia Lumia 101 Smartwatch is a Nice Little, Elegant Bracelet
It’s got an OLED 1080 x 110 pixel touch and flex screen, solar charging and Gorilla Glass 2 protection. There’s also Bluetooth 4.0 on board, LTE and the watch is water resistant, as well as dirt and shock resistant. We’ve got ID calling abilities here, player control, handsfree call answer features and email reading abilities.
Nokia Lumia 101 is shown in a variety of colors, like blue, yellow and red and its display is so subtle, you may not even notice it. It’s also flexible , so there’s no danger of damaging it easily. It’s also a fashionable bracelet to be wearing around, especially if it lights up at concerts.

0 comments:

YouTube home page goes down

19:05 Technology 0 Comments

The home page of world's most popular video sharing website YouTube went down for a while today. The web page showed that the site was facing the 500 internal server error. This error means that the website is facing issues at server level, but a more specific reason for the problem has not been ascertained yet.

Upon clicking YouTube, the visitor got this message: "500 Internal Server Error. Sorry, something went wrong. A team of highly trained monkeys has been dispatched to deal with this situation."
Analytics websites like DownRightNow, which track whether a particular site is facing problems in real-time, also showed that YouTube was facing a service disruption.

Even though the YouTube home page was inaccessible right now, particular web pages were still working at the time. For example, users could watch movies on the Google-owned website by logging on to www.youtube.com/movies. When the web page opened, they can search for any video on the website.

This method will work any time the YouTube home page faces service disruption. In order to access YouTube, users can also log in to their Gmail account and proceed to the video sharing website by opening their Google Dashboard. They simply need to follow this path:

Account --> Dashboard --> Manage YouTube Account

This will open the user's YouTube home page, which is unique for each Google account.

0 comments:

Meet the 8-core processor that may power your next phone

19:03 Technology 0 Comments

Intex, an Indian phone company will soon start selling a smartphone powered by an 8-core processor. This new processor is made by MediaTek, a Taiwanese company. Unlike the 8-core processor made by Samsung, which uses only four cores at a time in Galaxy Note 3 and Galaxy S4, the processor made by MediaTek can use all of its cores simultaneously.

The processor is called MT6592 and it can run at a speed of up to 2GHz. But in the phone that Intex will launch, the processor will run at the speed of up to 1.7GHz.

For now Intex is the only Indian company that has announced its intention to launch a phone powered by this 8-core processor but if past is any indication, MT6592 should soon come in other phones sold by local companies like Micromax and Spice. Currently most of the top-end phones sold by local players are powered by MT 6589, a quad-core processor made by MediaTek.

There are two key questions:

* How fast is an 8-core processor? Can it match or beat the high-end quad-core processors used by Samsung and Qualcomm?

* Does it help consumers get better experience from the phone? Do you need 8-cores in a processor?

Before we talk about MT6592, let's take a look at its specifications:
* MT6592 has 8 cores based on A7 architecture by ARM. A7 is a low-performance, low-power use architecture compared to technology used by Qualcomm and Samsung in their high-end processors.

* The processor has four cores of Mali 450 graphics chip

* MT6592 supports playback of 4K videos

* It supports new video codecs such as H.265 and VP9

* The chip supports up to 16 mega-pixel cameras

To check theoretical performance of MT6592, we ran some benchmarking apps on the Intex phone that will launch in January. The device is in prototype stage as the software running on it is not yet final. So performance figures we obtained through benchmarks are only indicative of the final performance, which is likely to be slightly better.

We used GeekBench 3, Vellamo HTML and Vellamo Metal, BrowserMark and Sunspider to find out the general computing performance.

To get an indication of gaming performance of MT6592, 3D Mark, GLBenchmark 2.7 and BaseMark X were run on the phone.

0 comments:

Apple charges Indians the most for iPhone 5S: Study

18:59 Technology 0 Comments

According to data compiled by technology website Mobiles Unlocked, the iPhone 5S costs the Indians the most globally when compared with their purchasing power. In fact, buyers here have to shell out 22.3% of the national gross domestic product per capita (GDP PPP). The GDP PPP is a means of measuring how much each person earns in a country.

This means that Indian buyers shell out over 22.3% of their disposable incomes if they purchase the iPhone 5S.

China, another emerging country and Apple's fastest-growing market, stands fifth in the list and there it acosts buyers less than 10% of their purchasing power.

The study details the countries where the iPhone 5S is most and least expensive across 47 countries. It only included the basic 16GB model of the iPhone 5S and took the pricing via official channels, not grey market.

While iPhone 5S is the most expensive for Indians, it costs the least to citizens of Qatar, who only pay 0.76% of their disposable incomes for the device. The US, home market of Apple, stands fourth-last in the list; buyers only have to pay 1.36% of their incomes for the model, as per the data.

Despite the high price, Apple has enjoyed its best-ever sales for the iPhone 5S in India. The model has been out of stock ever since it was launched in the country and retailers are still struggling to meet the demand.

0 comments:

Idea launches two international roaming packs

17:41 Technology 0 Comments

Idea Cellular launched two international roaming packs for its postpaid customers offering a discount of up to 95 per cent on data and 80 per cent on voice tariffs.
The packs, available across 40 countries including UAE, USA, Singapore, UK, Thailand, China, Germany, France and Switzerland, are priced at Rs 599 and Rs 1,499 with a validity of 10 and 30 days respectively, Idea said in a statement.
"Our international roaming arrangements across 40 frequently visited countries will enable Idea users enjoy seamless connectivity at affordable roaming rates, whether on a holiday or business trip, this season," Idea Cellular Chief Marketing Officer Sashi Shankar said.


With the two new packs, while on international roaming, local and international outgoing calls can be made for Rs 15 per minute and incoming calls for Rs 30 per minute.
Data will be charged at the rate of Rs 30 per MB. Apart from other voice and data benefits, the Rs 1,499 pack also offers 30 minutes of free incoming calls while roaming internationally, it added.
The standard rental rates for international roaming varies across countries with the company charging Rs 185 per minute for international calls and Rs 512 per MB for data while in UK.
For US, the standard charges are Rs 145 per minute for international calls and Rs 512 per MB for data.

0 comments:

US regulator approves Microsoft purchase of Nokia

17:38 Technology 0 Comments




 
The US Department of Justice on Monday approved Microsoft’s $7 billion purchase of Nokia’s handset unit, removing a major obstacle to the transaction.
The decision, announced by the Federal Trade Commission, means that the deal will be finalised as soon as European Commission regulators add their approval, which is expected.
Microsoft announced the deal in September, including the rights to Nokia patents as well its smartphone products which are the main implementation of Microsoft’s Window’s phone software. About 32,000 Nokia employees are expected to join Microsoft. Nokia shareholders approved the deal last month.
“We look forward to the date when our partners at Nokia will become members of the Microsoft family, and are pleased that the Department of Justice has cleared the deal unconditionally,” Microsoft said in a statement.

0 comments:

Microsoft Rolls Out Student Advantage, Giving Students Free Access To Its Office Suite

17:35 Technology 0 Comments

Today Microsoft flipped the switch on Student Advantage, a program, announced in October, that extends the availability of Office to students of educational institutions that pay for Office 365 for their staff and faculty.
According to Microsoft, 35,000 educational institutions are eligible for Student Advantage, which provides access to the ProPlus SKU of Office 365, again provided that its paid staff are current users of Office 365 ProPlus or Office Professional Plus.
Office 365 ProPlus includes Access and Lync, making it a robust set of tools. Microsoft took a dig at Google in its announcement, stating that “[e]ven Google's own job postings require competency with Microsoft Office tools.”
What this means in practice is that Microsoft is lowering the marginal cost of Office for students to zero, while guaranteeing itself revenue through contracts with universities and the like. Microsoft cannot afford to cede mind and market share to Google, which provides a free Office competitor, and it must preserve its revenue from the product, which is a key profit source.
Office 365 ProPlus generally costs around $12 per month, per user, so the amount of ‘free' software that Microsoft will provide is non-trivial. To protect Office from low, or zero-cost competitors, it's probably sensible for it to sacrifice some revenue opportunity to keep up its primacy in the productivity market.

0 comments:

WhatsApp finally updated for iOS 7, adds ‘broadcast to list’ feature and more

17:28 Technology 0 Comments


whatsapp 520x375 WhatsApp finally updated for iOS 7, adds broadcast to list feature and more
WhatsApp, the popular messaging service with over 350 million monthly users, has finally been redesigned for iOS 7 after getting an update that adds a number of other new features and tweaks.
Aside from the new layout, the app lets users send broadcast messages to specific lists — allowing them to reach specific work colleagues, friends, other people with a single status update message.
Changes to the app also include new notification sounds, larger thumbnail images, the option to crop images before sharing them, and more.
➤ WhatsApp for iOS

0 comments:

Protect your smartphones by getting insurance, extended warranty

17:24 Technology 0 Comments


Safeguard your smartphones from loss due to theft or accidental damage using a third party service.

The smartphone market in India is growing rapidly every year. Along with that the number of mobile thefts or accidental damages has also risen.
What happens when you buy a mobile phone which gets lost, stolen or stops functioning properly just after warranty has lapsed? Rest assured, for now, there are enough options to deal with such situations. Several third party services and insurance companies have stepped into the picture to help consumers safeguard their smartphone against such events. Of course, all of that is offered at a price.
A typical smartphone ships with a one-year warranty from the handset maker and after that tenure expires, the customer is on his/her own. So if one keeps changing one's handset every year, it certainly is tedious and costly. Meanwhile, select telcos have tapped the growing opportunity to provide extended warranty and insurance to consumers.
Extended warranty can be purchased for proper repairs and ensure functional condition of the smartphone after the handset maker's warranty expires. Every company offers and adheres to different terms and conditions in the extended warranty. Thus we recommend that readers thoroughly go through their product documentation. Insurance is offered against a certain percentage of the cost of the smartphone when the handset is purchased, or after assessment of the handset.


These services can be availed at a nominal extra cost. For instance, if one buys a smartphone worth Rs. 30,000, then making the best of such services at a nominal cost of Rs 1500 or higher does make sense.
We recommend reading the terms and conditions of each service to avoid any kind of dispute. Most services require the user to buy the policy within 90 days of purchase in order to claim maximum possible value and minimal depreciation.
Here is a list of services that offer extended warranty and insurance worthy of mention.
New India Assurance

Earlier this year, Nokia along with New India Assurance announced insurance plans for Nokia devices against theft and damage. For this service, consumers are charged a minimum amount Rs 50 or 1.25 per cent of the handset cost. Available through Nokia branded retail stores, the service also involves free pick-up by an insurance broker. The insurance policy covers conditions such as fire, riot/strike/malicious activities, accident, theft, or fortuitous circumstances. Situations other than the aforementioned are not included in the policy. The insurance cover includes compensation equivalent to the cost of replacement of the handset with a new instrument bearing the same specifications.
The Mobile Store

The Mobile Store offers theft insurance and extended warranty on smartphones. As of now, theft insurance appears to be 'out of stock' on the online store but one can always check in physical Mobile Store outlets. Theft insurance starts at Rs 69 for a handset priced up to Rs 3,000. It is available only on devices purchased from the Mobile Store, and continues for one year along with the extended warranty. In case of theft, customers needs to file an FIR and submit a copy to the store or to United Insurance. Compensation on the stolen device is calculated based on the time for which it has been used and estimated value on the remaining period. The extended warranty is similar to that provided by the handset manufacturer and does not cover any physical damage. This is probably the only service that offers theft insurance.
MobileAssist

An offering by OneAssist, MobileAssist covers insurance and a variety of features beneficial for mobile owners. The MobileAssist package offers handset insurance of up to Rs 15,000 against loss due to theft. Three different plans cover a variety of options such as blocking the phone and SIM from anywhere, remote phone lock and data wipe, and emergency messaging to friends and family. Membership fee includes an annual plan with other services like mobile assistance, firewall, antivirus, and even automatic backup of critical data. The basic plan from MobileAssist starts at Rs 1099 for a year.
The Power or Privilege plan in 40 cities you get Doorstep delivery of temporary handset with all your contacts & data on the same day
Onsite Secure

One of those rare third-party services that offers extended warranty on mobile devices. Onsite Secure covers damage to the screen caused by liquid spills or shocks. The motherboard and screen are covered under the plan but battery is not. Offering pickup and drop facility, the Onsite Secure service is available starting at Rs 499 and the cost varies with the value of the handset in question. The service promises cashless quick service from authorized service centers and uses genuine spare parts. The snag is that the warranty plan can be bought only for devices purchased in the last 90 days.
GadgetCops

Just like Onsite Secure, GadgetCops too offers extended warranty with a promise to get the handset repaired with genuine spares from authorised service centers. The Extended Warranty protection pack includes cover against liquid damage or accidents for up to two years. The protection pack also covers mechanical and electrical faults for two years from the date of purchase. GadgetCops is a one time payment service and it offers free pickup-drop of the device. With physical presence in six cities, the GadgetCops Protection Pack starts from Rs 1100 and more details can be read in our news story here.
iSmart Secure

How about buying a new phone every year without having to worry about selling the old one? iSmart Secure bumps the manufacturer's one year warranty to three years. The user can also enjoy protection against loss or replacement for irreparable damage caused to the smartphone. Not only that, iSmart Secure also buys back a year old device at 65 per cent of the market value to allow consumers an easy upgrade with some moolah in hand. The iSmart Secure by Syberplace is offered as three separate plans for a monthly or yearly subscription service.
Warranty Bazaar

Warranty Bazaar offers extended warranty plans starting at Rs 125 to Rs 1750. The only condition is that the customer must purchase relevant plans within 90 days of the mobile phone purchase. The extended warranty plan starts a year from the date on which the manufacturer's warranty expires. However, one must note that the extended warranty does not cover accidental damage or liquid damage to the device. Just in case the device cannot be repaired, the service promises to replace it with sole discretion. The only glitch is that the user has to take the device to the authorised service center-no pickup and drop facility.
eTechies

eTechies offers two types of warranties - 1st Year Accidental Damage Warranty and 2nd Year Extended Warranty. The 1st Year Accidental Damage Warranty protects the user from the cost of repairs that are not covered by the handset manufacturer. These include damage by water spill, power burns, falls and more. The 2nd Year Extended is basically taking the warranty to the next year once the manufacturer's warranty expires. However, this does not cover accidental damage or the conditions that are offered in the 1st Year Accidental Damage Warranty. In both, eTechies promises free pickup and delivery of the product. eTechies currently offers the extended warranty only for Apple and Samsung products.
Here is a piece of advice from us: save the copy of your mobile purchase receipt carefully and buy relevant insurance as well as extended warranty plans to safeguard your phone.

0 comments:

Karbonn Titanium S5+ with 5-inch display now available online

15:58 Technology 0 Comments


 

Karbonn Titanium S5+ is powered by Google’s Android 4.2 Jelly Bean operating system. Being a dual SIM phone, it supports GSM+GSM network connectivity. The device is installed with a 5-inch display that sports a 540x960 pixel resolution.
The smartphone runs on a 1.3GHz quad-core processor with 1GB of RAM. The chipset used in this device is not specified by the company yet. It also includes an 8-megapixel rear autofocus camera with LED flash and a VGA front camera.
Titanium S5+ comes with 4GB of internal storage capacity which is further expanded up to 32GB through microSD memory card. It includes Wi-Fi, Bluetooth, GPS/ AGPS and 3G as network connectivity options.
Key specifications:

  • 5-inch IPS display (540x960 pixels resolution)
  • 1.3GHz quad-core processor with 1GB of RAM
  • 4GB inbuilt storage, expandable up to 32GB
  • 8 MP rear autofocus camera with LED flash, VGA front camera
  • Android 4.2 Jelly Bean

0 comments:

New technology lets you control paper airplane with smartphone

15:54 Technology 0 Comments

Researchers have developed new technology that turns your self-made paper airplane into a smartphone-controlled flying machine capable of twisting and turning through open skies.

Power Up 3.0, built by US-based designer Shai Goitein, promises to give the basic paper model an

upgrade, using a small attachable propeller and rudder for a little more speed and steering control.

PowerUp 3.0's wireless communication is based on Bluetooth Smart technology.

Bluetooth connectivity allows the user to control the paper airplane via their smartphone with an accompanying app.

Tilting the phone to the left or right allows users to turn their airplane as it flies a whopping 60 yards. The app also includes a compass, controls for thrust and readouts for battery life and range, 'Mashable' reported.

To begin, a user has to simply fold a piece of copier paper into a paper airplane. Then, they have to attach the smart module to their paper plane with the patented clips underneath the Smart Module.

Starting the app connects the Smart Module with their cell phone.

Users can then push throttle to full and launch the paper airplane high up into the sky, according to the product's description on Kickstarter website.

0 comments:

Low-cost smartphones hurting feature phones in India: Report

15:52 Technology 0 Comments

Driven by lower-priced models from domestic handset makers, smartphone sales in India has grown over three-fold to touch 12.8 million units in third quarter of 2013 cannibalising the feature phone market, research firm IDC says.

According to IDC, the India smartphone market grew by 229% year-on-year to 12.8 million smartphones in third quarter of 2013 compared to 3.8 million units in Q3 of 2012.

Smartphone sales grew 28% in Q3 of 2013 compared to April-June 2013 (10.02 million), it added.

A smartphone is a mobile device built on a mobile operating system, with more advanced capabilities and connectivity than a feature phone.

IDC said 53.9 million feature phones numbers were sold in Q3 of 2013 compared to 55.7 million in Q3 of 2012.

The share of feature phones slipped to 81% (from 84%) of the total market in Q3 2013, it added.

This is despite feature phone sales growing three per cent quarter-on-quarter in the July-September 2013.

"The change agents for this rapid shift of consumer preference towards Smartphones have been the narrowing price gap between feature phones and smartphones," IDC India Research Manager Kiran Kumar said.

The smartphone market is expected to maintain these elevated levels of growth in the near future, Kumar added.

The overall mobile phone market (feature phones and smartphones) registered 12% year-on-year growth and 7% sequential growth.

The share of feature phones slipped to 81% of the total market in Q3 2013, even as the segment grew 3% quarter-on-quarter in the July-September 2013.

South Korean firm Samsung led the handset market with 15.3% share, followed by Nokia (14.7%), Micromax (10.1%) and Karbonn (9.1%). Other smaller players accounted for a cumulative share of 50.8%.

"The growth in the smartphone market continues to drive the overall growth numbers for the phone market - given that there's still a huge potential for smartphone penetration in India, this trend is expected to continue in the coming quarters," IDC India Senior Market Analyst Manasi Yadav said.

In the smartphone segment, Samsung held the leadership spot with 32.9 per cent share, while Micromax secured the second spot with 17.1% market share in Q3 of 2013. Karbonn had 11.2% share, followed by Nokia 5% and Lava at 4.7%.
Google has let us know the latest breakdown of its Android mobile operating system statistics, and for the first time, Android 4.4 KitKat has appeared on the radar. In this month’s pie chart, the Android 4.4 KitKat market share makes its debut, but needless to say, it remain extremely small in nature – measuring all of just 1.1%. That is not surprising since Android 4.4 KitKat happens to be made available to an extremely limited number of handsets, including the Nexus 4, Nexus 5, Nexus 7, the Google Play edition phones and the Moto X. As for the largest distribution of the Android version on the pie, it would be Android 4.1 to Android 4.3. Jelly Bean, where their combined total managed to touch a market share of 54.5%. This marks an increase of 2.4% in comparison to the previous month, while Android 4.0 Ice Cream Sandwich saw a decline of 1.2% to touch 18.6% this month. Android 3.2 Honeycomb remained pretty much the same at just 0.1%, while Android 2.3 Gingerbread makes haste on its downward spiral, dropping to just 24.1% with no sign of it making a comeback – which is a good thing, of course, since it would signal that more and more folks have jumped onto newer versions of the Android operating system. When do you think Android 4.4 KitKat will be the dominant version? KitKat has been ported over before to older handsets, too.: http://www.ubergizmo.com/2013/12/kitkat-now-part-of-android-distribution-stats/
Google has let us know the latest breakdown of its Android mobile operating system statistics, and for the first time, Android 4.4 KitKat has appeared on the radar. In this month’s pie chart, the Android 4.4 KitKat market share makes its debut, but needless to say, it remain extremely small in nature – measuring all of just 1.1%. That is not surprising since Android 4.4 KitKat happens to be made available to an extremely limited number of handsets, including the Nexus 4, Nexus 5, Nexus 7, the Google Play edition phones and the Moto X. As for the largest distribution of the Android version on the pie, it would be Android 4.1 to Android 4.3. Jelly Bean, where their combined total managed to touch a market share of 54.5%. This marks an increase of 2.4% in comparison to the previous month, while Android 4.0 Ice Cream Sandwich saw a decline of 1.2% to touch 18.6% this month. Android 3.2 Honeycomb remained pretty much the same at just 0.1%, while Android 2.3 Gingerbread makes haste on its downward spiral, dropping to just 24.1% with no sign of it making a comeback – which is a good thing, of course, since it would signal that more and more folks have jumped onto newer versions of the Android operating system. When do you think Android 4.4 KitKat will be the dominant version? KitKat has been ported over before to older handsets, too.: http://www.ubergizmo.com/2013/12/kitkat-now-part-of-android-distribution-stats/

0 comments:

Reliance Communications Ltd raises 3G internet rate by 26 per cent, cuts benefits by about 60 per cent

15:48 Technology 2 Comments

 

Telecom operator Reliance Communications has increased 3G mobile internet rates by 26 per cent and reduced benefit on internet packages by up to 60 per cent.
The company has increased the cost of 1 GB of 3G internet usage to Rs 156 from Rs 123 it charged earlier.
The Rs 123 mobile internet pack on its 3G network will now offer only 400 MB of internet surfing, which is down by about 60 per cent.
Under the high value 3G mobile internet pack of Rs 246 and Rs 492, the company has reduced usage limit from 2GB to 1.5 GB and from 4 GB to 3 GB respectively.
No immediate comments were received from Reliance Communications in this regard.
As on September 30, 2013, Reliance Communications had 9.1 million 3G customers out of 116 million mobile subscriber base on its network.
The increase in mobile internet rate from Reliance Communications comes within couple of months after the three major telecom operators - Airtel, Idea Cellular and Vodafone – increased their 2G mobile internet rates by similar levels.
The increased 3G mobile internet rates by Reliance Communications are at par with 2G mobile internet rates of Airtel, Idea and Vodafone.
Reliance Communications has rolled-out 3G services in all the 13 circles covering over 333 towns.
Shares of Reliance Communications were trading at Rs 141.1, down 0.84 per cent, during afternoon session at BSE today.

2 comments:

PS4: 2.1m consoles sold

15:44 Technology 0 Comments

Following reports yesterday that the PS4 had become the fastest selling video game console in UK history, Sony has announced that more than 2.1 million PS4s have been sold worldwide.
The company's President and Group CEO, Andrew House, described the milestone as "an impressive and record-setting accomplishment for our company and for our industry", adding that Sony will continue to introduce new features and services to PS4 in the months and years ahead.
"While PS4′s capabilities will continue to evolve, our commitment to gamers and breakthrough entertainment remains steadfast," said House in a blog post. "We believe that videogames represent the pinnacle of artistry and entertainment, and we will work tirelessly to make sure that PlayStation remains the best place to play."
The PS4 launched in North America on 15 November, selling more than one million in just 24 hours. The console is now available in 32 countries worldwide, including Europe and Latin America.
Trade magazine MCV reported yesterday that Sony had sold over 250,000 PlayStation 4 consoles in just 48 hours in the UK, blowing first weekend sales of the Xbox One out of the water. Microsoft is though to have sold 150,000 Xbox Ones in the UK during the first 48 hours after its launch.

However, Microsoft has not announced any official sales figures since its launch weekend, when it said that it had sold more than one million Xbox One consoles in less than 24 hours.
Despite Sony's apparent domination of the console market, some retailers appear to be backing the Xbox One over the PS4 this Christmas. Jonathan Marsh, head technology buyer at John Lewis, for example, said that the Xbox One "will appeal a bit more to our customers in terms of the experience it creates".
Meanwhile, data analyst InfoScout claims that the Xbox One was the highest selling console during last week's Black Friday sale in the US, comprising 31 per cent of total hardware sales.

0 comments:

Apple buys firm co-founded by two Indian-Americans

15:38 Technology 0 Comments

A social media analytics firm, co-founded by two Indian-American entrepreneurs, has been acquired by Apple for over USD 200 million.
A San Francisco-based startup, Topsy Labs was co-founded by Vipul Ved Prakash and Rishab Aiyer Ghosh.
The company tracks trending topics on microblogging site Twitter and other social media networks.
Topsy has analysed all tweets since 2006 and recently announced a free search engine for tweets.
While neither company gave details of the deal's cost, the Wall Street Journal reported that Apple dished out over USD 200 million for Topsy.
Among the features that made Topsy attractive to Apple is that it tracks what users are saying on Twitter as it happens, it also tracks how often terms are being tweeted.
While Apple confirmed to WSJ the acquisition, it did not say why it was interested in Topsy.
"Apple buys smaller technology companies from time to time, and we generally do not discuss our purpose or plans," said Apple spokesperson Kristin Huguet.
She did not disclose financial details of the deal.
According to Topsy's website, chief technology officer Prakash is a pioneer in the field of collaborative filtering.
In 2001, Prakash co-founded Cloudmark to create an internet scale version of his open-source spam filter, Vipul's Razor. Cloudmark crossed one billion subscribers in 2009 and is the leading worldwide platform for messaging security.
Prior to Cloudmark, Prakash was an engineer at Napster and was named one of the Top 100 Young Innovators in the world by MIT Technology Review.
Ghosh, chief scientist at Topsy, started "First Monday", the most widely read peer-reviewed journal of the Internet, in 1995.
For its part, Topsy calls itself "the only full-scale index of the public social web," noting that it has analysed all tweets since 2006, and says it can "instantly analyse any topic, term or hashtag across years of conversations on millions of web sites".

0 comments:

BlackBerry Z30

15:43 Technology 0 Comments

BlackBerry Z30

General  
Release date September 2013
Form factor Touchscreen
Dimensions (mm) 140.70 x 72.00 x 9.40
Weight (g) 170.00
Battery capacity (mAh) 2880
Removable battery No
SAR value NA
Display  
Screen size (inches) 5.00
Touchscreen Yes
Touchscreen type Capacitive
Resolution 720x1280 pixels
Pixels per inch (PPI) 295
Colours 16M
Hardware  
Processor 1.7GHz  dual-core
Processor make Snapdragon S4 Pro
RAM 2GB
Internal storage 16GB
Expandable storage Yes
Expandable storage type microSD
Expandable storage up to (GB) 64
Camera  
Rear camera 8-megapixel
Flash Yes
Front camera 2-megapixel
Software  
Operating System BlackBerry OS 10.2
Java support No
Browser HTML
Browser supports Flash Yes
Connectivity  
Wi-Fi Yes
Wi-Fi standards supported 802.11 a/ b/ g/ n
GPS Yes
Bluetooth Yes, v 4.00
NFC Yes
Infrared No
DLNA Yes
Wi-Fi Direct Yes
MHL Out No
HDMI Yes
Headphones 3.5mm
FM Yes
USB Micro-USB
Charging via Micro-USB Yes
Proprietary charging connector No
Proprietary data connector No
Number of SIMs 1
SIM Type Micro-SIM
GSM/ CDMA GSM
2G frequencies supported GSM 850/ 900/ 1800/ 1900
3G Yes
3G frequencies supported 900, 2100
Sensors  
Compass/ Magnetometer Yes
Proximity sensor Yes
Accelerometer Yes
Ambient light sensor No
Gyroscope Yes
Barometer No
Temperature sensor No

0 comments: