Make Friends & Chat Article iMeetzu.com

if you are familiar with previous Chatroulette and Omegle, which is a social networking site that allows anyone to chat with the person of his choice. You who like a social network, here I will bring you to a new site iMeetzu.com that is almost similar with Chatroulette and Omegle. However, iMeetzu.com also adds a social network so that users can save their favorite new friends. With iMeetzu you can chat truly broaden your horizons about Internet users.

Like Chatroulette, iMeetzu offers a more personal experience than a standard anonymous chat room because users utilize webcams to see one another. It’s amazing what you will see using the program as you will encounter people from all around the world of different ages, from 14 to 35. The word roulette in the service’s name is truly fitting as you never know if you’ll come out with a successful encounter or with an awkward experience you’d rather have forgotten.

Not only that, there are many interesting features such as Chat rooms to talk to your new friends worlwide, it's called chatroulette, yes that's true, you can connecting the world via chatroulette. You can also using your web cam to cam to cam chat, imeetzu.com also can be called as omegle, what does it mean? it means website which randomly connects you to an anoymous stranger in order to chat. So i think this is the most unique way to make friends online without being worried that you are being deceived.Are you ready start making new friends?meet your old friends?look for serious relationship?look for new business partner?so there is no doubt that this site is the right place to get those things.


Read more


Optimization Techniques for Air for Android apps

Day one everything I heard about mobile development was performance, memory optimization, and battery consumption. Spread all over the internet are a variety of articles and presentations with a variety of [great] optimization techniques.

As with my previous posts on performance optimization I like to focus on the big gains and these techniques that are practical. I say practical because you can’t always spend a year working on each component and optimizing every interaction, but what you can do is focus on the big gains and when time permits – the details. I don’t mean to play down the importance of code optimization; especially for mobile applications optimization is of the highest importance.

In no particular order of importance let’s look at some excellent places for performance and memory allocation gains.

Keep framerate as low as possible
For anyone that hasn’t looked into it, the default framerate for the Flash Player is 24 frames per second. That means that 24 times every second new code is being executed, regions are being redrawn, and user interactions are being calculated. So it stands to reason that the quickest way to reduce memory consumption, code execution, and redrawing algorithms is to reduce the framerate and therefore the amount of times per second that all these calculations are being run.

What few developers know is that you can change your framerate dynamically dependent on what is happening within your application. The first recommendation is to set your framerate to something low but tolerable – like 4 frames per second. Then when a transition or other animation is going to play increase your framerate to keep your animation smooth.

stage.frameRate = 4;
Monitoring your framerate is very important as many flash designers want to ramp up the framerate to 60 frames per second because it will make the animations “pretty”.







Avoid timers
Each timer that you add and use in your application connects into the Flash Player environment and calculates time on each frame, thus adding additional computations on each frame for each timer you create. Real fast you can multiply these calculations if you aren’t careful.

To improve performance avoid high rate timers, this will reduce the amount of events being fired and the quantity of code being executed.

The second performance increase is to have one timer for the entire application. Think of it as a heartbeat for your application keeping the internal timing for all your functions. This will reduce the amount of timers you have and the amount of time calculations taken from the Flash Player environment.

Blends and Filters
It has long been known that as filters and blends cause for an extra amount of lifting from the Flash Player, lifting that can truly slow down performance. So where possible avoid blends and filters. “But I want to have a 2px drop shadow around this box.” Does it really need to be a filter? Can you not use a dark line that is 2 pixels thick? I know this sounds elementary but many people seem to forget that there are other more creative solutions that might get you to the same goal.

Cache As Bitmap
If you’ve been in the Flash Player world for a while you will remember the day you saw Adobe’s cacheAsBitmap presentation and how quickly everything rendered. My mind was blown and I had found my magic bullet to all my slow rendering woes.

Well not exactly. cacheAsBitmap is amazing and in many situations can be very helpful. How does it achieve it’s amazing win? By caching a bitmap off screen that can be used as opposed to needing to recreate the bitmap over and over again. The issue comes if you change the alpha/rotation/colors on your bitmap. Now the renderer needs to make a new bitmap to cache and you are doing extra lifting to cache and draw rather than just draw. What this means for you is if you are going to be making lots of alpha/rotation/colors changes then you might not want to set cacheAsBitmap to true.

myBall.cacheAsBitmap = true;
One other little used cache method is cacheAsBitmapMatrix. Similar to the cacheAsBitmap this will also cache the x, y, rotation, scale, skew properties. Keeping the Flash Player from having to redraw the object. Again, if you make any changes to alpha/color or the children sprites matrix the object will be redrawn and you will be spending more time and memory to cache an object that is constantly redrawn.

myBall.cacheAsBitmap = true;
myBall.cacheAsBitmapMatrix = new Matrix();

Asset Management
Asset management is extremely important with mobile because all those images can eat up memory quick.

First: Make sure your images are the right size. I’ve seen many developers take icons that are 40×40 and just resize them to 20×20 at runtime. I know this seems picky and obvious but this is a quick way to double your memory and hurt rendering performance with unnecessary calculations. Just make sure that images are set to their proper size.

Second: Don’t embed fonts/images/media you aren’t using. It’s easy to forget about all the items you are embedding. Be an asset nazi.

Third: Compress Compress Compress. Do you really need that high quality sound file? Or that PNG with the transparency layer when there is no transparency? Compress those media files. Use JPGs rather than PNG when possible. And if you are just trying to see the background through an icon, think or building the icon with the correct background already in the file. Transparency is another calculation that isn’t necessary if you can be sure of the end goal.

Don’t forget that images split by the power of 2 are going to be more efficient on memory than odd sized images. This can’t always be avoided by it’s good to remember. This is definitely a nit-picky thing.

“Make bitmaps in sizes that are close to, but less than, 2n by 2m bits. The dimensions do not have to be power of 2, but they should be close to a power of 2, without being larger. For example, a 31-by-15–pixel image renders faster than a 33-by-17–pixel image. (31 and 15 are just less than powers of 2: 32 and 16.)”
-From the Developing Air Apps for Android Guide.

Events and Bubbling
I’m really interested to see how Mate responds to this one. We’ve known for a long time that events are costly and that lots of events and event bubbling through deeply nested component trees can lead to bottle necks and performance issues.

A quick way to deal with these issues is to not bubble your events when possible and when you do need to bubble, stop propagation when the events have reached a point that they don’t need to bubble anymore.

event.stopPropagation();
Simplifying your display tree whenever possible is a great way to improve performance. Don’t do this for just the events but for your entire application.

One other thing you can do is prevent mouse events (that are set to bubble by default) from effecting children you weren’t intending. Try setting mouseChildren and mouseEnabled to false.

Drawing API
For you masochists that love to write out Actionscript drawings I’d take particular notice of this part. Watch out how much you draw dynamically because each drawing is drawn to the stage and then rendered in the rasterizer. When you build assets at authoring time your assets are rendered and stored in memory rather than created on the fly.




Color Selection
This gain is specifically to do with battery life. The color white takes more power to show than the color black. Am I saying to have all your applications look like tributes to The Dark Knight? Nope. Just giving your designers a warning that their decisions directly effect performance and battery consumption.

Embedded Fonts and Device Fonts
Android devices have fonts that are embedded within the system, these fonts will require the smallest amount of memory because it won’t require embedding any additional fonts and they render remarkably fast. Use these fonts when possible.

But what if you have a picky designer that has to have the fonts his way? Embed your fonts for the fastest rendering and follow best practices to limit the glyphs that you include with your embed.

You can find out what fonts your Android system has in the /system/fonts folder.

Garbage Collection
First off I think I need to say “stop running the garbage collection”. Yes developers, I know you want your application to clean itself up immediately. However, I’ve seen more than one app become sluggish because of an over worked garbage collector. So all those tricks that you’ve found to run the garbage collector, stop. The Flash Player runs the garbage collection when it needs to. If something isn’t going away the way you expect maybe you should check for other leaks caused by listener references or other common leaks.

Memory Allocation
Not enough programmers take advantage of Object Pooling. This is probably why I was impressed with PushButton Engine right from day one, everything is based off object pools. This is an easy and tested way to reuse objects and save your application from the costly ‘new’ function.

What do I mean by the costly new function? Whenever you use the “new” function and create a new object you are running a costly operation. Multiple things happen deep within the Flash Player including heap/memory allocation, garbage collection, and component creation. If you know you are going to be creating and destroying something frequently make the change to Object Pools early and save yourself the memory and performance woes.

A few months back I wrote another article doing a series of performance tests. I devote an entire section of tests to the “new” operator in Practical Performance Tweaks.

Video
This is something that your designers are going to hate: stop messing with the video player! All those crazy graphics, overlays, and blends that you may put over your video to add the grunge border will need to go. If you are worried about performance these are a quick way to cause redraws and layering calculations on each video frame.

When encoding your video thing of the final endpoint. Most devices have a native codec (usually H.264) that will help improve decompression and playback on the hardware level rather than the software level. Make sure to target these native codecs and see the performance and battery life improvement.

Show Redraw Regions
This is pretty low on the priority list but very important if you get it wrong. Flex visual components build off of the Flash Sprite class. As such they are interactive objects without animation timelines. However, when working with Flash based components, Flex developers often forget the MovieClip Class – the lowest class to include a timeline. This class can be set to run causing all sorts of redraws on each frame of animation until it is eventually told to stop playing.

When working with visual components from Flash or especially components that are based off of Movieclip make sure to stop the timeline when the component is not visible. Even when invisible the timeline is running and redraws are occurring. Using the Show Redraw Regions will expose this.

movieClipComponent.stop();
It is also best practices to look over your application as a whole and make sure that components aren’t needlessly being redrawn. This may be caused by a bad property or a misbehaving function. Check that only regions that change are actually getting redrawn for some pretty nice performance increases.

Open To Comments
I’d be interested to see where else others have seen visible improvements when using specific performance improvement methods. Feel free to comment! All the methods displayed above I have personally tested and seen the difference between using them and not using them.


Read more


List Of Cheapest Android Mobile Phones

Recently there has been a flood of Android based Smart phones in Indian market. The most of the Android phones in India is less than Rs. 15000 price range. These phones contain a lot of latest features like 3G, GPRS, dual camera, Video chat etc. The costs of these phones are also very low. I have given details about 10 such android based mobile phones.


1.Android Based Low Cost Mobile from Intex :

Intex is launching an android based Smartphone at a very low cost of Rs 5500. The Smartphone is expected to be released in February 2011. It will be running on Android 2.2 operating system and has a 3.2 MP front camera. Supports 3G, Wi-Fi, GPS and has expandable storage space.

2.Maxx MR440:

Maxx MR440 is an android based Smartphone from Low cost mobile provider Maxx we estimate the MA440′s price to be between Rs. 6,500 – Rs. 7,500. Runs on Android 2.1, has a 3.1’ inch touchscree and supports 3G, GPRS. Wi-Fi.

3.Micromax Andro A60:

Micromax Andro A60 is one of the cheapest Android based mobile from Micromax. Priced at Rs.8000, runs on Android 2.2 has a full touch screen of 2.8 inches. It is a dual sim phone ans supports Wireless connectivity via 3G, HSUPA, HSDPA, Wi-Fi and Bluetooth

4.Vodafone 845:

Vodafone 845 is an Android 2.1 based Smartphone launched by Vodaphone. Its price is around Rs 10,000 .Some of its key specifications are it has a 2.8 inch touch scree, 3.2 megapixcel camera , supports connectivity like Wi Fi , GPS HSPDPA.

5.LG OPTIMUS:

LG Optimus is a low cost android mobile from the Electronics giant LG. The phone is priced at Rs.11,000 and runs on Android 2.2 Froyo . It has a 1Ghz NVIDIA Tegra 2 Dual-core Processor ,a WVGA touch screen of 4 inches ,8 MP back camera and a 1.3 MP front camera

6.Videocon Zeus:

Videocon has launched it’s own low priced Android based Smartphone Videocon Zeus Evolve or v7500 at an affordable cost of Rs 12,900. It is powered by Android 1.6 and can be upgraded to Android 2.1 Eclair. It has a 5 megapixel back camera with LED is also flash and capable of HD video recording.



7.Samsung galaxy i899:

Samsung galaxy i899 is an Android based Smartphone from the electronics giant Samsung with a price tag under 20,000 Indian rupees. Has a dust resistant 3.2” touch screen with a resolution of 320x480 pixels. Supports Bluetooth, Wi-Fi, GPS and almost all video and audio formats.



8.Huawei U8300 and U8500:

Huawei is a Chinese mobile company that is launching cheap Android based mobile in India. It’s chief marketing officer, Mr Victor Xu said “With the Indian telecom industry growing at the rate of 20 million subscribers each month, and poised to reach 1 billion by 2015, Huawei sees traction in the Indian telecom device segment,”

specifications of Huawei U8300 are

•QWERTY keyboard

•Wi-Fi connectivity

•3.2 megapixel camera with LED flash

specifications of Huawei U8500 are

•Full touch screen

•3G, Wi-Fi, HSPDA and GPRS supported

•3.2 inch WVGA display

•3.2 megapixel camera

The cost of both these phones are expected to be around Rs 10,000

9.Huawei Ascend:

Huawei has also introduced the cheapest Android based mobile Phone called Ascend. It is costing only $149.99 in the US which works out to around Rs 6700 in Indian currency.

Specification:

•HVGA capacitive touch screen of 3.5 inches

•3.2 MP camera with fixed focus and digital zooming facility

•Has special Physical Android related buttons for Send, Back, End, Menu and camera.

10. Sony Ericsson Xperia X10 Mini:

Xperia X10 mini has an impressive 5 megapixel camera and is priced at Rs.12899. It has 2.5 inch screen size and a 3.5 hours talk time is just not a good bargain. Xperia is powered by Qualcomm’s 600 MHz processor.

Read more


Zynga Mobile Poker Now Available on Android

The massively popular play-chips Zynga poker platform is now available for Android mobile users.

Rumors of a Zynga Android launch have been circulating for some time; the company formally announced development of the application in November 2010. Iphone users have been able to to access the popular Facebook-based play money poker application via Zynga’s Live Poker app since 2008.

Both applications require you to have a Facebook account to play.

Note that the application connects you to Zynga Poker via your Facebook log in, so you might want to double-check all of your broadcasting settings before playing Zynga Poker on your mobile in order to avoid word of your poker exploits reaching those you’d prefer it not.


Android users can search for the app in the Market or use the attached QR Code to download the application.

Zynga’s increasing reach in the casual poker market places the company in an interesting position as regulation of online poker advances on both the state and federal level in the US. The company would be a very attractive potential partner for a casino entity looking to access a massive player base in a hurry, especially given the inherently viral nature of the Facebook-based game.

Major players in the real-money poker world such as the World Poker Tour (WPT) and the World Series of Poker (WSOP) are currently playing catch-up to Zynga when it comes to Facebook poker player bases.

Zynga’s entry into the Android universe is the second piece of big news for Android-owning poker fans in under a month. In late November, Full Tilt Poker announced the release of a Rush Poker Mobile application – one of the first forays into real-money mobile poker by a major online poker room.

The application was dropped from the Market after new ratings guidelines put the kibosh on real-money gambling, but Android users can still play Rush Poker on their devices – you just need to download the application directly from Full Tilt or use the QR code FTP provides.

Read more


Samsung Epic 4G Review

Samsung introduced a handful of Galaxy S smartphones this summer, and all of them are impressive. The problem is, however, that most of them are so similar that they can be hard to distinguish. But not the Samsung Epic 4G. This powerful Android-based phone packs in two features that none of its siblings offers: support for high-speed 4G networks and a slide-out QWERTY keyboard. The keyboard adds some bulk to the phone, and the 4G supports boosts its price, but both additions are welcome.





Price and Availability

The Samsung Epic 4G will be available from Sprint for $249.99 starting August 31. That price, which factors in a $100 mail-in rebate, is more than what you'll pay for competing smartphones. T-Mobile offers the Samsung Vibrant for $199.99, the same price that AT&T charges for the Samsung Captivate and a 16GB Apple iPhone 4. It's also what Verizon is charging for the Motorola Droid X.

The price of the Epic 4G also is $50 more than what Sprint currently charges for its other 4G-capable phone, the HTC EVO 4G. And like the EVO 4G, the Samsung Epic 4G comes with an extra cost each month: Sprint requires that you subscribe to a PDA/Smart Device service plan, such as the carrier's $69.99-per-month Everything Data plan, and that you pay a $10-per-month Premium Data add-on for its 4G service. Keep in mind that the add-on plan is required whether you live in an area with 4G coverage or not.

High-Speed 4G Wireless

Sprint says its 4G network can offer download speeds that are ten times faster than a 3G connection, and the Epic 4G is only the second 4G phone to hit stores. Sprint's nascent 4G network, also called WiMax wireless, is not yet available in the Boston area, where I tested the Epic 4G, though Sprint says it should be available soon.

For more information on 4G networks, read What Is 4G Wireless and Where Is Sprint's 4G Network Available?.

Design

Unlike its sleek and sexy sibling, the Samsung Vibrant, the Epic 4G is a bit on the bulky side. It measures 4.9 inches tall by 2.5 inches wide by .6 inches thick and weighs 5.5 ounces; I placed it next to an Apple iPhone 4, and the Epic 4G made the iPhone look positively diminutive.

But the tradeoff for the Epic 4G's size is its excellent hardware QWERT keyboard, which slides out from the left side of the display. At first glance, I thought the keys would be too flat for comfortable typing, but I was quickly proven wrong. Even though the keys are flat, they depress enough to make typing a breeze. I also appreciated the roomy layout of the keys.

Like all of Samsung's Galaxy S phones, the Epic 4G features a Super AMOLED touch screen, which is just gorgeous. Colors pop off the screen, and, with its 800 by 480 resolution, everything from images to text looks crisp and clear. The touch screen is nicely responsive, too.

The display measures 4-inches diagonally, noticeably larger than the 3.5-inch screen found on the Apple iPhone , but smaller than the mammoth 4.3-inch displays found on the Droid X and the HTC EVO 4G. The screen felt very roomy when using the phone, and was especially spacious when composing messages on the hardware keyboard.

Making Calls

Call quality was very good in my test calls, made over Sprint's network. Voices came through loud and clear on both ends of the line, though I sometimes noticed a slight echo.

Software

The Samsung Epic 4G ships with Android 2.1, which is no longer the latest version of the Android OS. Android has since been updated to version 2.2, which is already available on Google's Nexus One and will ship on the Droid 2.

Android has come a long way from its earliest versions, and even though version 2.1 is not the latest version, it does offer refinements that previous versions were lacking. Navigating through the OS's many options has gotten easier, and the Epic 4G performed well when I was zipping around the phone, checking out its many options. Keep in mind, however, that Android is still a bit geeky enough to overwhelm some newbies. For more details on Android, read my complete review of the mobile OS.

On top of its Android OS, the Epic 4G features Samsung's TouchWiz interface, which has been nicely updated. When I tested it on the Samsung Behold II, I found that TouchWiz didn't mesh well with the Android OS; so many of its features were already offered by Android that it just felt superfluous. But the new version of TouchWiz blends into the Android environment nicely, offering new widgets that are more useful. I particularly liked the "Feeds and Updates" widget, which offers easy access to various social networks.

Web Browsing

The Epic 4G, as already mentioned, supports Sprint's super-fast 4G network, but if you don't live in an area with 4G coverage, the phone will connect to the carrier's high-speed 3G network. It also supports wireless Wi-Fi networks, so you have plenty of options for speedy browsing. In my tests of the Epic 4G in and around the Boston area, Sprint's 3G network delivered speedy page loads and downloads.

I also liked the browser on the Samsung Epic 4G. In the past, Android's browser required you to dig through menus to access simple functions (like the address bar or the back button). That doesn't seem to be the cast on the newer batch of Android phones. Like the Droid X and the Samsung Vibrant, the Epic 4G features a browser that just makes sense. The address bar is just where you'd expect to find it, and you can use the handy back button below the display to move back through Web pages. The 4-inch screen felt very roomy when I was browsing the Web, too, and I liked that you can pinch and spread the screen to zoom in and out as needed.

What you won't find on the Epic 4G -- yet -- is support for Adobe's Flash technology. You'll get this support, which will allow you to view multimedia Web pages as you would on a desktop computer, when the phone is updated to the next version of Android. version 2.2.

The Epic 4G also can be used as a mobile hotspot, to which you can connect up to 5 Wi-Fi enabled devices. To use the mobile hotspot service, you'll have to pay an additional $29.99 a month, though.

Camera

The Epic 4G features a 5-megapixel camera with an LED flash (which is missing on siblings like the Samsung Vibrant). It also offers a 4X digital zoom, autofocus, and HD video recording. You also get a front-facing camera for video conferencing.

The camera was a definite step up from the one found on the Samsung Vibrant. Pictures looked crisper and brighter, and photo quality overall was improved.

Multimedia

The Epic 4G's video features include a YouTube app and a variety of Sprint services, including Sprint TV, which offers a mix of live channels (showing the same content you'd see on your TV) and content that has been specially packaged for viewing on your mobile phone. I watched a baseball game on ESPN and noticed occasional stuttering and buffering. But I was impressed by the level of detail I was able to see on the 4-inch screen.

What the Epic 4G -- like all Android phones -- is missing is the kind of connected eco-system that Apple's iPhone and iTunes offer. iTunes allows you to easily purchase or rent movies for viewing on your phone, offers a simple way to download music, and lets you transfer content easily between your iPhone and your computer. Right now, Android phones offer access to Amazon's MP3 store for purchasing music downloads, but the experience doesn't extend beyond that. That should change later this year when Samsung launches its Media Hub, which will allow users to purchase music and video. The Media Hub will be a definite advantage for Samsung's phone, provided it offers enough content.

Bottom Line

With its attractive design, stellar screen, and impressive multimedia offerings, the Samsung Epic 4G is a top-notch smartphone. It packs in enough features to compensate for its price, and to earn a spot on my list of today's best Android phones and my list of today's best smartphones.


Read more


Samsung Galaxi Fit (android)

Samsung has announced a bundle of new phones today, but none as vain-sounding as the Samsung Galaxy Fit.

This touchscreen handset has a 3.31-inch QVGA display, 5MP camera and is packing a 600MHz processor, so it is more than capable of doing web browsing and the like.

Android 2.2 is the OS that powers the device, but this won't be a clean version of Android as Samsung has added its own apps to the handset, to sit alongside the Google Market ones.

This includes something called Social Hub, which if you are a Samsung fan you are more than aware that it is the place that aggregates contacts, calendar and widgets.

Feature focus

Apps such as Swype and Quick Office are also on the phone by default and you get 160MB plus 2GB inbox memory built into the device.

This may sound a little flimsy but you can expand this with the microSD card slot.

Connectivity comes in the form of Bluetooth, USB 2.0 and WiFi and you also get a 3.5mm jack, FM radio and a speaker – which everyone on the bus will love.

The Samsung Galaxy Fit has a UK release date of March 2011, with pricing and carriers to be announced.

TechRadar will get its hands-on with the Samsung Galaxy Fit at Mobile World Congress 2011.

Read more


Best sex toys at HotGVibe

Have you been around to many places but failed to find specific sex toy you exactly needed? Well, now the time has come for you to try HotGVibe.com to shop any sexual toy you needed. We all know how it is always a bit tricky to find good store with the incredible sextoy collections provided inside, and thanks to HotGVibe as now you don’t have to risk everything to shop those vibrators or dildos online.



Though there are about hundreds or even thousands online sex shops available that offer various discounts or great deals, you shouldn’t get easily tricked by these offers. In fact, only few of hundreds stores are trustable. Therefore, you have to be really careful in choosing one to shop the needed item; otherwise you’ll end up being scammed or deal with fraud websites in the future. Here I recommend you http://www.hotgvibe.com/, a nice online sex shop where you can shop any sex toy you wanted safely. Countless number of customers got really satisfied with the services and sextoy collections provided by the site, which makes it be the mot favored online sex shop today.



Unlike other sex stores whom only offering some limited sex toy collections available, now you can avoid such things and enjoy enormous collections of toys available at HotGVibe. The sex shop has already been in the business for many years until today, which that means you can always count on the team for the biggest sex toy collections ranging on both old and latest toys to fulfill the wildest sexual fantasies you ever have. It is highly recommended for you to try HotGVibe especially when you have only very limited collections available locally. They will make sure the item to be shipped in discreet package to keep your privacy and you’ll get the item arrived sooner than what you’ve expected.

Read more


top credit repair service

What make you happy? You will happy when you can get all things that you want. Today you will able to get all things in very easy ways. You must know about credit card. You often use it to buy all things that you needs. It is great to use credit card but you need to know that if you can not pay for your bill your bill become worst. You need to know about credit repair service. You need to know how credit repair help you to out from your problem.

You need to apply for credit repair services. You just need to open the site and follow the interview. They will ask you about your credit and they will give you recommendation for your credit repair services. You don’t need to worry because you just need three minutes to get your credit repair companies

You will need credit repair service to help you to out from your problems. Check the reliable company and you will able to avoid from bad credit repair service. It is easy to get all that you want only by open the site. You will get top credit repair service advice too form them. Open the site now to get your credit repair.

Its strategy on online privacy, are devoted to offer details gathered in person to provide them the chance to repair credit. These citizens are still real to defend the safety measure linked with the use of the body using the digital wire, as well as steps towards the mistreatment, the decrease of Thievery, or even any type of personalization details has been composed. Go simple when you are under the top Credit Repair Company to assist you keep your credit achieves as well as to follow its objectives assess. These are companies that have live for decades, occupy hundreds of citizens and have assist millions of people with their praise problems.


Read more


Smartphone OS shootout: Android vs. iOS vs. Windows Phone

The past year has been a remarkable one for smartphones, with the meteoric rise of Google's Android OS, the restart of Microsoft's mobile strategy with its much-ballyhooed release of Windows Phone 7 and the continuing success of Apple's iPhone, buoyed by its new availability to Verizon subscribers. Never has there been so much choice in the smartphone market. As a result, hype and overstatement have been the order of the day.

Which smartphone operating system really is the best? More important, which one is best for you?

If you're in the market for a new smartphone, choosing which one to buy has much to do with the operating system that runs the phone as with the hardware itself. To help you decide, I put the latest versions of the three top mobile operating systems through their paces: Android 2.3, Windows Phone 7 and iOS 4.3.

There are, of course, two other smartphone operating systems out there: RIM's BlackBerry OS and Hewlett-Packard's webOS. However, we decided not to include them at this point.

Smartphone OS shootout
Introduction
User interface
Apps and openness
Features and data integration
Customization
Bottom line
Although RIM still has a considerable presence, its market share has been plunging, dropping from nearly 36% to just over 30% in the most recent quarter, and its developer support has been anemic, with an estimated 20,000 apps available even though it's been around for far longer than the iPhone and Android platforms, each of which has hundreds of thousands apps. (Windows Phone 7, which was launched just last October, has about 9,500 apps.) In other words, it no longer feels like a contender.

If BlackBerry makes a comeback, we'll include it in our next roundup. We'll also be watching HP's webOS, which will be available on several new devices this summer.

In this roundup, I concentrated as much as I could on the underlying operating systems, not the hardware on which they run. To get the truest look at Android, I tested it using a Samsung Nexus S, which ships with a version of Android that hasn't been customized by either the device maker or the service provider -- it's Android as Google intended it. For a look at Windows Phone 7, I chose the HTC Surround. And for iOS, I looked at the iPhone 4.

I've compared the platforms in several different categories, including ease of use, app availability, features, integration with desktop and Web-based apps, customization and platform openness. Come along for the ride and see if you agree.


User interface
Apple stuck to its decades-long recipe for success when designing iOS -- keep it simple and elegant, and marry the hardware to the operating system in as seamless a way as possible. Google, meanwhile, true to its techie roots, gives you an operating system you can tweak and customize to your heart's content, although that also means you may sometimes get confused along the way.

Microsoft made what may be the biggest gamble of all, by designing a phone that puts accessing information, rather than running apps, center stage.



Android

Like iOS, Android is app-centric, and so it features app icons front and center. The home screen is simple and stripped down -- all the app icons can be moved or deleted, except for three unmovable icons: the Dialer (for making a phone call), the Application Tray (an overlay that shows you all your apps) and the Web app.

There are also four hard buttons across the bottom of each Android device for bringing up a context menu, returning to the Home screen, going back a screen and performing a search.

Smartphone OS shootout
Introduction
User interface
Apps and openness
Features and data integration
Customization
Bottom line
As shipped by Google, Android includes five built-in panes, including the home screen. You can move among them by either sliding your finger to the left or right, or by touching a dot at the bottom of the screen that represents one of the panes. Each of these panes can be customized by adding widgets, shortcuts and files. So, for example, you can devote one pane to social networking apps and communications, another to news and feeds, another to entertainment and so on.

Overall, the interface is simple and straightforward. But at times it also has the feel of being not quite baked -- a little rough around the edges. It's as if the designers were still taking whacks at finalizing the design.


Android
For example, there are inconsistencies in the way Android performs familiar tasks. Take the way it handles Contacts. Run the Contacts app by tapping its icon, and you'll come to a complete list of contacts, including those imported from Gmail, those you've input on the phone itself, and contacts from social networking sites such as Facebook.

If you run the Dialer app (to make a phone call) and then tap Contacts from inside the Dialer, you'll come to what looks like the identical Contacts list -- but that list does not include your contacts from social networking sites. Nowhere are you warned that they're not truly identical.

You may also have trouble finding some of Android's interesting features. For example, Android's Universal Inbox is extremely useful -- it puts all of the e-mail from all of your accounts into a single location. But finding it isn't especially easy. First you have to find the Messaging app, and from there the Universal Inbox. You would expect a Universal Inbox for e-mail to live in the E-mail app, but it's not there.


iOS

It's like this: If you want the most elegant, best-integrated marriage of hardware and software -- not to mention absolute simplicity when it comes to ease of use -- you want the iPhone.

This is the phone that launched the smartphone revolution (yes, the BlackBerry may have gotten there sooner, but the iPhone perfected it), and for style and ease of use, it can't be beat.


iOS

Apple's iOS interface is the iconic design that people have come to associate with smartphones: a spare screen with app icons arrayed in a clean grid, a single hard button at the bottom of the phone that returns you to the main screen, and tiny notification icons across the top that inform you about things such as whether you have a 3G connection, your connection strength, battery level and so on.

At the very bottom of the screen, above the hard button, are icons for the most important apps, the ones for things like sending e-mail and making phone calls. Because apps are front and center, it's easy to choose the app you want to run.

You can have up to 11 home screens with their own apps and folders. And you can drag and drop icons between screens -- you hold and press an icon until all of the icons shake, then drag the icon to the screen where you want it to live. You can group multiple apps into folders as well.



Windows Phone 7

The most well-known of the slogans Apple has used over the years is probably "Think different" -- but when it comes to smartphone interfaces, Microsoft is the one thinking differently. Whether you like that new way of thinking will determine whether you'll be a fan of Windows Phone 7.

Rather than taking an app-centric approach, as the iOS and Android platforms do, Windows Phone 7 is organized around a series of hubs -- displayed as tiles -- that deliver information to you or let you perform certain tasks. So when you fire up a Windows Phone 7 device, you won't be greeted by a screen full of app icons but a collection of large tiles.


Windows Phone 7

In some instances, the tiles are little more than big buttons that, when tapped, launch standard apps for, say, e-mail. However, others deliver updates on changing information, such as the activity of your friends on Facebook, the number of unread messages in your e-mail account or the next upcoming appointment on your calendar. That's why the tiles are oversized, rather than being small icons -- they deliver useful information at a glance, without having to run the underlying app. If you're focused on getting information fast, this operating system is the easiest of all to use.

On the other hand, you get only two screens -- not seven, as you do with Android, or 11, as you get with the iPhone. All in all, the main interface and panes are the least customizable of any of the three phone operating systems.

There's another way that Windows Phone 7 differs from both iOS and Android -- instead of emphasizing how long you'll want to play with your smartphone, Microsoft 's ad campaign pushes the idea that Windows Phone 7 has been designed so that you'll spend less time on your phone. To a great extent, it delivers on that promise, but overall, Windows Phone 7 still isn't as intuitive, as elegantly conceived or as simple to use as iOS.

Conclusion
For simplicity, elegance and beautiful design, iOS has no peer. Android, while not badly designed, remains a bit rough around the edges. And Windows Phone 7 is designed to show information at a glance and isn't app-centric, so if you're the kind of person who isn't enamored with apps and just wants to get information fast, it's worth a look.

Read more


Windows Mobile

Windows Mobile is a mobile operating system developed by Microsoft that was used in smartphones and mobile devices, but by 2011 was rarely supplied on new phones. The last version is "Windows Mobile 6.5"; it is superseded by Windows Phone 7, which does not run Windows Mobile software. Unlike operating systems for desktop computers, it is usually not possible to upgrade the operating system on a mobile phone, even by a later release of the same basic operating system let alone a different one; hardware replacement is the only way.

Windows Mobile is based on the Windows CE 5.2 kernel. and first appeared appeared as the Pocket PC 2000 operating system. It is supplied with a suite of basic applications developed with the Microsoft Windows API, and is designed to have features and appearance somewhat similar to desktop versions of Windows. Third parties can develop software for Windows Mobile with no restrictions imposed by Microsoft. Some software applications can be purchased via the Windows Marketplace for Mobile. By 2011 much software is developed and maintained only for the newer Windows Phone 7; there is little development and support for the obsolescent Windows Mobile.

Most Windows Mobile devices come with a stylus, which is used to enter commands by tapping it on the screen. Microsoft announced a completely new phone platform, Windows Phone 7, at the Mobile World Congress in Barcelona on February 15, 2010. Phones running Windows Mobile 6.x will not be upgradeable to version 7,officially. Several developers however, have ported Windows Phone 7 to devices natively running Windows Mobile, an example being the HTC HD2.

Windows Mobile's share of the smartphone market has fallen year-on-year, decreasing by 20% in Q3 2009. In August 2010 it was the fifth most popular smartphone operating system, with a 5% share of the worldwide smartphone market (after Symbian, BlackBerry OS, Android and iOS).

source : wikipedia

Read more


Samsung Outed Galaxy Ace, Galaxy Fit, Galaxy Gio and Galaxy Mini

Samsung has announced four new android devices into its Galaxy lineup naming as Galaxy Ace, Galaxy Fit, Galaxy Gio and Galaxy mini. All four Android-based phones seem to be less proficient compared to their Galaxy S sibling, when it comes to hardware. It doesn’t sound like any of these models are coming to the US, but Europe and Asia are scheduled for appearances.




Samsung Galaxy Ace

Samsung Galaxy Ace is a mid-level device, powered by an 800MHz processor and based on the Android 2.2 Froyo platform.

It packs a 5-megapixel camera with autofocus and LED flash, Bluetooth and Wi-Fi connectivity, as well as GPS with A-GPS support.

The phone is quad-band GSM compatible, includes HSDPA technology and comes with a 3.5-inch HVGA TFT display.


Samsung Galaxy Fit

Samsung Galaxy Fit is an entry-level bar smartphone; it is powered by a 600MHz processor. Aside from the fact that it sports a 5-megapixel camera with autofocus, Galaxy Fit features almost the same spec sheet as LG’s Optimus One.

It comes with a 3.31-inch QVGA TFT display, Android 2.2 Froyo, HSDPA, GPS with A-GPS support, Bluetooth and Wi-Fi connectivity.



Samsung Galaxy Gio

Samsung Galaxy Gio is also a mid-tier handset powered by an 800MHz processor and runs Android 2.2 Froyo.

It comes with a 3.2-inch HVGA TFT display, 3-megapixel camera with autofocus, HSDPA, GPS with A-GPS support, Bluetooth and Wi-Fi connectivity.





Samsung Galaxy mini

Samsung Galaxy mini features a 3.14-inch QVGA TFT display and a 3-megapixel camera with fixed-focus.

The entry-level smartphone is powered by a 600MHz processor and runs Android 2.2 Froyo. It is quad-band GSM compatible and comes with GPS with A-GPS support, Bluetooth and Wi-Fi connectivity, as well as HSDPA.



Read more


tips for you to choose a good Android tablet PC

Android Tablet PC heat up nowadays. More than hundreds of Android Tablet PC on the market. Which one is the best for you? I can give you some suggestions.

What will you do with an Android Tablet?

This question is very important. It all depends on yourself. There are many application for Android Tablet, so it can complete many tasks. The main functions of Android Tablet are: surf internet with WIFI or 3G (Facebook, Twitter, Youtube, Skype, email, etc.), watch video and listen to music, reading ebook and documents and play games. Almost all the Android Tablet have above functions.



Main specification

1. Operation system

Different version of operation system can support different function. However, many application require the system should be above Android 2.1. Therefore, at present Android 2.1 is minimum requirement. My suggestion is Android 2.2, because it can support Adobe Flash, you can watch video on a normal webpage. Android 2.3 does not have big difference with 2.2. Android 3.0 has been released, but in my opinion, it takes time to test and not stable as 2.2. (I am writing this article on April, 2011)

2. Screen Size

7 inch, 8 inch, 9.7 inch, 10 inch — small size is lighter but image is small when you watch video or webpage. Big size is heavier. It depends on yourself.

3. CPU

CPU is the most important. It decides the reflection and the price of a Tablet PC. The CPU with cortex A8 or A9 is the best at present, such as Freescale and Telechips. CPU VIA is the cheapest one. The difference of CPU can have more than US$50 difference of price. My suggestion is to take CPU with cortex A8 or A9, it works much faster.

4. RAM

RAM is another important element which decides the reflection of Tablet PC. The bigger RAM is the better reflection of Tablet PC. At this moment, 512MB is the most popular size on the market.

5. Touch screen

Resistive touch panel is more accurate when you touch a point. However, more and more manufacturer use capacitive touch panel because it is faster (no delay when you type on the keyboard) and support multi-touch. Therefore, capacitive touch panel is the better choice.

CPU, RAM and Touch screen decides the reflection of a Tablet PC. They are the most important specification when you are looking for a Tablet.

6. ROM

ROM is the memory. It is like a hard disk. So the bigger the better. But this is not very important, because you can extend the memory capacity with a TF card.

7. Camera

The camera is almost useless unless the Tablet PC is with Android 3.0 operation system (Android 3.0 supports video talk).



Main function

1. G-sensor

G-sensor is the great creation from Apple company. It becomes the basic function for all Tablet PC. With this function, you can not only rotate the picture or menu, but also play G-sensor games such as racing car etc.

2. Adobe Flash

Tablet PC which support Adobe Flash can enable you watch video on www webpage. I think you don’t wanna buy a Tablet PC and still read small webpage like in a mobile phone.

3. Multi-touch

Multi-touch is another interesting function. With this function, you can enlarge a picture or webpage or documents by your two finger. It is also another basic function for a Tablet PC.

In the end, I personnally recommend two models of Android Tablet PC for your reference —2011 New Android 2.2 OS Tablet PC with 7 Inch LCD Touchscreen and WiFi  and Newest 9.7 Inch Touch Widescreen Android 2.2 OS Tablet PC with 2.0 MP Camera They are the best China cheap Android Tablet PC at present. You can visit website ePathChina.com to see more details.



Read more

Follow me please

Blog Archive

coins 4 me :)



drop me

my rank

alexa


visitor

free counters

google analystic

Recent Visitor