Rumor: ‘Automatic Download’ of app updates in iOS 5

A MacRumors reader reports that iTunes has leaked a new “Automatic Download” function expected to debut in iOS 5. Currently, apps can be updated either in iTunes on a Mac/PC or directly on the iDevice itself, but app updates have always required user intervention thus far. By the sounds of this leaked info, app updates will now be downloaded automatically in the background if the user so chooses.

“If your device has Automatic Download enabled for apps, your updates will download to your device without having to sync,” the leaked info states. This setting doesn’t currently exist in iOS, which suggests it’s a forthcoming feature of the iOS 5 update, possibly tied in with Apple’s iCloud offering. If MacRumors’ source is accurate, and it most likely is given other rumors, we can expect to see this feature debuted at WWDC next week.

Rumor: ‘Automatic Download’ of app updates in iOS 5 originally appeared on TUAW – The Unofficial Apple Weblog on Sat, 04 Jun 2011 00:35:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

Save SHSH Blobs of an Old Firmware Running on iPhone, iPad, iPod Touch with iFaith

iFaith is a new SHSH dumping tool for all iOS devices which lets you save SHSH blobs an old firmware currently running on your iPhone, iPad or iPod Touch even if it’s not being signed by Apple….

[[ This is a content summary only. Visit my website for full links, other content, and more! ]]

Tutorial: Fetching And Parsing JSON And XML With Simple Reusable Classes

There are some good open source libraries for parsing JSON and XML available for iOS devices.  However, if a situation arrives where you cannot use on of those libraries or you just want to understand everything that’s going on I have found a tutorial you may want to check out.

In the tutorial Matt Gallagher provides a collection of basic classes for XML and JSON parsing along with a good explanation of his thoughts when developing those classes.

You can find the tutorial here:
http://cocoawithlove.com/2011/05/classes-for-fetching-and-parsing-xml-or.html

A good read for those looking to understand how to communicate with web services using Cocoa Touch.

©2011 iPhone, iOS 4, iPad SDK Development Tutorial and Programming Tips. All Rights Reserved.

.

DeliciousTwitterTechnoratiFacebookLinkedInEmail

Implement UIButton, UITextField and UILabel programmatically in iPhone

This is the very simple application. In this application we will see how to implement TextField, Label and button programmatically in iPhone. So let see how it will work.

Step 1: Open the Xcode, Create a new project using View Base application. Give the application “Example”.

Step 2: Xcode automatically creates the directory structure and adds essential frameworks to it. You can explore the directory structure to check out the content of the directory.

Step 3: We need to add one resource in resource folder. Give the resource name “anim.png”.

Step 4: Open the ExampleViewController.h file and make the following changes in the file:

#import <UIKit/UIKit.h>
@interface ExampleViewController : UIViewController {

UITextField *textFieldRounded;
UILabel *label;
UIImageView *image;
UISlider *slider;

}

@property(nonatomic,retain) UITextField *textFieldRounded;
@property(nonatomic,retain) UILabel *label;
@property(nonatomic,retain) UIImageView *image;
@property(nonatomic,retain) UISlider *slider;

@end

Step 5: In the Example.m file make the following changes in the file:

#import "ExampleViewController.h"

@implementation ExampleViewController

@synthesize textFieldRounded,label,image,slider;

(void)dealloc
{
    [super dealloc];
    [textFieldRounded release];
    [label release];
    [image release];
    [slider release];
}

(void)didReceiveMemoryWarning
{
    // Releases the view if it doesn’t have a superview.
    [super didReceiveMemoryWarning];
   
    // Release any cached data, images, etc that aren’t in use.
}

#pragma mark – View lifecycle

// Implement viewDidLoad to do additional setup after loading the view, typically from a nib.
(void)viewDidLoad
{
    [super viewDidLoad];
   
   textFieldRounded = [[UITextField alloc] initWithFrame:CGRectMake(20, 50, 280, 31)];
    textFieldRounded.borderStyle = UITextBorderStyleRoundedRect;
    textFieldRounded.textColor = [UIColor blackColor];
    textFieldRounded.font = [UIFont systemFontOfSize:17.0];
    textFieldRounded.placeholder = @"Enter Your name";  //place holder
    textFieldRounded.backgroundColor = [UIColor whiteColor];
    textFieldRounded.autocorrectionType = UITextAutocorrectionTypeNo;  
     textFieldRounded.backgroundColor = [UIColor clearColor];
    textFieldRounded.keyboardType = UIKeyboardTypeDefault;  
    textFieldRounded.returnKeyType = UIReturnKeyDone;  
   
    textFieldRounded.clearButtonMode = UITextFieldViewModeWhileEditing;
   
    [self.view addSubview:textFieldRounded];
   
    textFieldRounded.delegate = self;
   
     
    UIButton *button = [UIButton buttonWithType:UIButtonTypeRoundedRect];
    [button addTarget:self
               action:@selector(buttonPressed:)
     forControlEvents:UIControlEventTouchDown];
    [button setTitle:@"Button" forState:UIControlStateNormal];
    button.frame = CGRectMake(20, 108, 97, 37);
    [self.view addSubview:button];
   
   
    label = [[UILabel alloc] initWithFrame:CGRectMake(40, 243, 240, 21)];
    label.backgroundColor = [UIColor clearColor];
    label.textAlignment = UITextAlignmentCenter; // UITextAlignmentCenter, UITextAlignmentLeft

    label.text = @"Label";
    [self.view addSubview:label];
   
   
   
    CGRect myImageRect = CGRectMake(40.0f, 190.0f, 240.0f, 128.0f);
    image = [[UIImageView alloc] initWithFrame:myImageRect];
    [image setImage:[UIImage imageNamed:@"anim.png"]];
     image.backgroundColor = [UIColor clearColor];
    image.opaque = YES;
    image.alpha = 0;
    [self.view addSubview:image];
    [image release];
   
    CGRect frame = CGRectMake(18.0, 348.0, 284.0, 23.0);
    slider = [[UISlider alloc] initWithFrame:frame];
    [slider addTarget:self action:@selector(sliderAction:) forControlEvents:UIControlEventValueChanged];
    [slider setBackgroundColor:[UIColor clearColor]];
    slider.continuous = YES;
    slider.value = 0.0;
    [self.view addSubview:slider];
   
}

(IBAction) sliderAction:(id) sender{
    image.alpha = slider.value;
}

(IBAction) buttonPressed:(id) sender{
    [textFieldRounded resignFirstResponder];
        label.text = textFieldRounded.text;
}

(BOOL)textFieldShouldReturn:(UITextField *)textField{
        [textField resignFirstResponder];
        return YES;
}

(void)viewDidUnload
{
    [super viewDidUnload];
    // Release any retained subviews of the main view.
    // e.g. self.myOutlet = nil;
}

(BOOL)shouldAutorotateToInterfaceOrientation:(UIInterfaceOrientation)interfaceOrientation
{
    // Return YES for supported orientations
    return (interfaceOrientation == UIInterfaceOrientationPortrait);
}

@end

Step 6: Now compile and run the application on the simulator.

You can Download SourceCode from here Example

Ten One Design introduces the Fling mini joystick for iPhone

You have probably seen Fling, the joystick put together by Ten One Design that sticks right onto your iPad. And now the company has introduced a new version called the Fling mini, available for preorder right now. As you can imagine, the Fling mini is smaller than the iPad version, but Ten1 says it still feels like an analog stick and works just fine on the iPhone’s haptic touchscreen.

I was very impressed with the Fling joystick when I tried it at Macworld earlier this year, and while it’s tough to see how Ten One could replicate that same balance and feel in a smaller model, I have no doubt the company was able to do it. As you can see above, the designers had to compromise a bit and add those little arms that sit out on the non-screen part of the iPhone. But while it does cover up the screen quite a bit (maybe too much for some games), this thing is more about the feel of the joystick and getting that just right.

The full Fling sells for US$29.95 in a two-pack, and the Fling mini will be $5 less — $24.95 for a dual pack. We’re told they’ll start arriving in mid-July, and we’ll get our hands on one to try out as soon as possible.

[via Touch Arcade]

Gallery: Fling mini

Ten One Design introduces the Fling mini joystick for iPhone originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 21:00:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

iOS devs appear in new Develop 100 listing

The Develop 100 is a list put together every year of the top video game developers in the world, and this year there’s a surprising trend showing up: a lot of iPhone and iOS developers are starting to make the grade. Touch Arcade spotted around 50 iPhone and iPad developers in the list, which is more than I’ve ever seen in a list usually populated with the likes of Bioware, Nintendo and Blizzard Entertainment.

Sure enough, Nintendo is number one this year, but World of Goo creator 2D Boy is in the second spot, with Cut the Rope developer Zepto Lab in third. A little further down, there’s Chaos Rings developers Media Vision, along with 1337 Game Design (Dark Nebula), Rockstar Leeds (GTA: Chinatown Wars for iOS) and The Coding Monkeys (Carcassone).

That’s pretty amazing — these little iOS developers are beating out much larger devs, like Halo’s Bungie and Call of Duty’s Treyarch, for the top spots on a pretty prestigious list. One reason for the changes is probably that the list is now weighted more towards the ratings on Metacritic, where iOS games tend to do very well compared to other video game titles (for a number of reasons, from a lower price to a completely different type of media and market). Still, it’s interesting to see upstart iOS developers we know and love stacked up in such a favorable way against much larger and more experienced traditional game developers.

iOS devs appear in new Develop 100 listing originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 20:00:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

London Apple fans can watch the WWDC keynote and drink beer

That’s it. I’m moving to London.

The London Mac User Group is meeting up at the Wood Marylebone NW1 Pub at 17:45 BST on Monday to watch the WWDC keynote, which sounds like a wonderful idea to me. What could be better than quaffing a pint or two, listening to “one more thing” from Steve Jobs, playing Keynote Rumor Bingo, and sitting down to a plate of curry?

To find out more about the festivities, visit the London Mac User Group Facebook page or go directly to the event listing here to RSVP. If anyone else is planning on a keynote watching party, use our handy new “Tip Us” button to let us know about it. And if you need a place to watch the keynote all by your lonesome, don’t worry — we at TUAW will be covering it and all of the news from it as usual, so you can come join us.

A tip of the TUAW bowler hat to Steve N.

London Apple fans can watch the WWDC keynote and drink beer originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 19:00:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

Comscore says the iPhone now tops RIM in US subscribers

It’s probably not a gigantic surprise that Apple has slipped past the RIM BlackBerry phones, but it’s a benchmark that should be noted. There may even be a few toasts in Cupertino.

Comscore keeps an eye on mobile trends, and a report released today says Apple has increased market share from 24.7% to 26% from January until April of this year. Google (Android) rose 5% to 36.4%, while RIM has 25.7% of smartphone subscribers. Microsoft, even with the addition of its new Windows Phone 7 line, has dropped 1.3% to a 6.7% share. A look at the numbers shows Android on top and gaining market share along with the iPhone, while RIM, Microsoft and Palm are all declining.

The report also describe how those polled use their phones. A full 68% of users send text messages, which is the most popular activity. Meanwhile, 39% use a browser, 37% download apps and 26% play games on their phones.

Continue reading Comscore says the iPhone now tops RIM in US subscribers

Comscore says the iPhone now tops RIM in US subscribers originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 19:00:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

Rosetta Stone launches iPad app for well-heeled language learners

rosetta2.jpg

The language-learning behemoth known as Rosetta Stone has launched itself into the iPad world with the new TOTALe Companion HD app, a supersized version of the iPhone TOTALe Companion that arrived earlier this year.

TOTALe Companion HD delivers access to core Rosetta Stone v4 features on the mobile device: build vocabulary with the Rosetta Course module, and extend/enhance pronunciation with voice recognition. It does not include the Rosetta Studio ‘live interaction’ video chat, at least not for now. iPad users can sync their progress with the desktop versions of RS.

Rosetta Stone may be the dominant brand in computer-aided language learning, but needless to say, it does not come cheap. You can download the iPad app for free, but it doesn’t do anything without a corresponding Rosetta Stone account. You activate the app by purchasing the boxed $179 level I lessons for Mac or PC, which provide 3 months of online access (ouch!).

Additional levels cost more (it’s almost $500 for a five-level course suite), and if you want to continue your access past the 3-month window prices start at $25/month (going as low as $15/month with a 15-month commitment). The $199/299 3 or 6-month online-only (no boxed software) subscription also works with the iPad app.

It may not be for the casual student, but if you have a professional or personal need to get conversant in a new tongue pronto, check it out. We will be taking a deeper look at the iPad app shortly.

[via CrunchGear]

Rosetta Stone launches iPad app for well-heeled language learners originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 18:30:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

7 Little Words offers great fluffy fun but not enough content

Recently, developer Christopher York pinged me and asked me to take a look at his latest offering, 7 Little Words. He’s the developer who brought us the well-designed Moxie 2 last year. Being a word-aholic, I was happy to take a peek at this new title.

A freemium-styled game, 7 Little Words ropes you in with a sampler of 25 short word puzzles, which you can then upgrade to a paid set.

The game play is simple but engaging. The app splits seven words into component letters. It’s up to you to recombine those words using the clue list. “Four score” is EI + GH + TY, six letters long. Some of the clues are a bit pop-culture-y and over-thirties may be at an advantage for these.

It’s really easy to play in short spurts, and there are 25 free levels in total. The problem is that those levels go very quickly, and there’s only a single premium upgrade set currently available for purchase, with more promised on the horizon.

I really enjoyed 7 Little Words — I just wish there were more of it available for in-app purchase today.

7 Little Words offers great fluffy fun but not enough content originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 18:00:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

Aviiq Smart Case is sweet protection for your iPad 2

iPad 2 owners looking for a classy case that works with the Smart Cover can stop searching. Aviiq’s Smart Case for iPad 2 is just what you were trying to find.

I first heard about this case back in the beginning of April. After receiving a review case to try out, I’ll be buying one of the US$49.99 Smart Cases for my iPad 2. It’s lightweight — just 4.1 ounces. It’s strong — made of thin aluminum to keep the back of your iPad 2 scratch-free, with a gray plastic material protecting the sides. It is easy to install — some of the cases I’ve reviewed recently have actually taken tools (a plastic spudger) to get on and off, while the Smart Case just pops on and off with little effort. It works with the Smart Cover (not included). And best of all, the colors of the Smart Case compliment the Smart Cover.

The colors on the Smart Case and Smart Cover aren’t a perfect match, since it’s difficult to exactly match colors on two completely different materials. But they’re close enough that it looks as if the two products were made in the same factory.

Aviiq made sure that the Smart Case didn’t add a lot of thickness to the package. The aluminum casing is only 1.5 mm thick, so you’re not stuck holding a big wad ‘o case. According to information I received from Aviiq prior to the release of the Smart Case, they made sure that the shell didn’t block Wi-Fi or 3G transmissions, which explains the plastic material around the sides of the iPad 2.

With the Smart Case and Smart Cover combination, your iPad 2 is totally protected and looks great as well. Kudos to the Aviiq team on a well-done product. Check out the gallery below for some details and shots of the Smart Case in action.

Aviiq Smart Case is sweet protection for your iPad 2 originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 17:30:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

Considering iCloud’s potential against existing cloud services

There have been any number of rumors floating around in the last day or so about Apple’s Time Capsule integrating with the new iCloud service. Ars Technica reports that the updated Capsules might mirror Apple TV’s CPU strength with capable A4 or A5 processors that do more than just perform backups and store data locally. Here at TUAW, we think the story could be a lot bigger that just pre-fetching and caching updates for computer-free mobile updates.

You don’t build a really, really, we mean really big data center like that in North Carolina and use it only for streaming music, do you? Especially when startups like Pogoplug, Dolly Drive and CrashPlan have demonstrated just how useful remote storage can be.

Continue reading Considering iCloud’s potential against existing cloud services

Considering iCloud’s potential against existing cloud services originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 17:00:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

LG Optimus Black vs. iPhone 4, others in stop-motion video

I’ve never been a big fan of the company’s phones, but LG sure makes some great videos. Its latest is the Smartphone Championship Race, a stop-motion NASCAR-inspired film that pits the LG Optimus Black against the iPhone, Sony Ericsson’s Xperia Arc and Samsung’s Galaxy S. The competitors’ phones are called other names so that LG doesn’t get sued (the iPhone 4 is called “Waffle’s Ivan”).

As the phones race around the track, the competitors are eliminated one-by-one because of the phones’ flaws. One is eliminated when it crashes because it can’t clear a 9.3 mm entrance. The iPhone 4 is the last one to be eliminated; it doesn’t finish the race because its weight keeps it from making it to the other side when it jumps from a ramp. The video is pretty clever, and hey, if you can’t make the best phone in the world, at least you can make some cool stop-motion action.

[via MacNN]

Continue reading LG Optimus Black vs. iPhone 4, others in stop-motion video

LG Optimus Black vs. iPhone 4, others in stop-motion video originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 16:30:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

iOS notifications might be getting a jailbreak boost (Updated)

When Steve Jobs takes the stage next Monday to introduce the world to iOS 5, one of the things we’re most hoping to see is an update to the notifications system — it’s a little old at this point, and we’ve seen some really innovative suggestions on how to spice it up. Like, for example, this design scheme, put together by a designer named Peter Hajas. In fact, wouldn’t it be great if Apple saw this design, and actually hired Hajas to work on an official iOS release?

In point of fact, that might be exactly what happened. Last week, the iPhone Download Blog noticed that Hajas posted on his blog about “taking a break” from the public eye and his jailbreak work (his notifications were created as a jailbreak app called MobileNotifier), and Redmond Pie points out that he later tweeted about he’s going to work for a “fruit company” in California. It’s not too big a jump to guess that he doesn’t mean one of California’s many citrus-based farms, right?

No, we’re joking, he very likely has gone to work actually designing notifications for Apple. In fact, the RP post now features an official-looking screenshot of Hajas’ internal directory entry, listing him as an employee in iOS apps and frameworks.

Hajas posted on May 9 that he was heading out to Cupertino, so it’s unlikely we’ll see his work right away in any iOS 5 preview on Monday. Still, his story shows that Apple is watching the jailbreak community closely and hopefully bringing some of the best features over into the official OS.

This isn’t the first talent grab by Apple that might impact notifications. A year ago, former Palm developer Rich Dellinger was bodysnatched to Cupertino, which drove speculation around Apple’s plans for revamping the notifications.

iOS notifications might be getting a jailbreak boost (Updated) originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 16:00:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments

NYPost: Apple paying major music labels up to $150 million for rights to music on iCloud

The New York Post is reporting that three separate sources have told them Apple is paying the big four music labels between $100-150 million for the rights to distribute their music through the new iCloud service, which is set to debut on Monday. Their sources say that each label will get between $25-50 million depending on the number of tracks iTunes users are storing.

On Tuesday, Apple issued a press release stating that Steve Jobs will unveil the iCloud service on June 6. iCloud is widely expected to be a cloud-based digital locker that allows users to stream any music they own to any device they own. Apple has been aggressively working on deals with the major music labels for a while now, first getting Warner, then EMI and Sony to get on board. The last holdout, Universal, is rumored to have signed with Apple late last week. With up to a $50 million signing bonus, any cash-strapped music label would be crazy not to accept Apple’s offer.

NYPost: Apple paying major music labels up to $150 million for rights to music on iCloud originally appeared on TUAW – The Unofficial Apple Weblog on Fri, 03 Jun 2011 15:30:00 EST. Please see our terms for use of feeds.

Source | Permalink | Email this | Comments