[转]Creating an iPhone Daemon
ref:
http://chrisalvares.com/blog/7/creating-an-iphone-daemon-part-1/
http://chrisalvares.com/blog/30/creating-an-iphone-daemon-part-2/
http://chrisalvares.com/blog/35/creating-an-iphone-daemon-part-3/
http://chrisalvares.com/blog/38/creating-an-iphone-daemon-part-4/
http://chrisalvares.com/blog/72/creating-an-iphone-daemon-part-5/
So I thought I would start this blog of with a BANG!, and show people how to create an iPhone Daemon.
A daemon is a program or application that runs in the background on the device. This differs from a regular program as it is started on boot of the device, and can run at certain intervals without the users permission. I am going to show you how to create a very simple one that polls the GPS on the iPhone, and stores the information on a database.
You will need to do the following things before we can get started.
1) Make sure your iPhone is jail broken
2) Install openSSH on your iPhone via Cyndia
3) xcode has the tool chain installed, if it does not there are very easy instructions over at the hackint0sh forums
4) Install Cyberduck/or another SFTP program on your mac
So now that we have done this, lets get coding!
Open up xcode and start a new xcode project with the open tool chain template.
The first thing to note is that it is not good to use the UIApplication class to start your daemon (it takes more memory than we need), so we are going to write our own main method.
#import
#import "CALocationDelegate.h"
int main(int argc, char *argv[]) {
//start a pool
NSAutoreleasePool * pool = [[NSAutoreleasePool alloc] init];
//initialize our LocationManager delegate so we can pick up GPS information
DLocationDelegate *obj = [[DLocationDelegate alloc] init];
//start a timer so that the process does not exit, this will GPS time to fetch and come back.
NSDate *now = [[NSDate alloc] init];
NSTimer *timer = [[NSTimer alloc] initWithFireDate:now
interval:.01
target:obj
selector:@selector(startIt:)
userInfo:nil
repeats:YES];
NSRunLoop *runLoop = [NSRunLoop currentRunLoop];
[runLoop addTimer:timer forMode:NSDefaultRunLoopMode];
[runLoop run];
[pool release];
NSLog(@"Finished Everything, now closing");
return 0;
}
You might notice that we started a timer and used the NSRunloop-run method. The run method blocks the thread, but still lets delegates (like the CoreLocationDelegate) receive delegate methods.
On the next segment, we will create the DLocationDelegate class to receive GPS coordinates, and send them to a server.
Here is part two of the blog series “Creating an iPhone Daemon”, for part one please click this link
As I said in part 1, we will be creating the DLocationDelegate class.
With most daemons, you do a task like read a file, do something with that file, sleep for a certain amount of time, then check for file changes, and repeat the steps over again. Unfortunately, with GPS coordinates, we have to wait for the CoreLocation delegate to give us the coordinates. The thing about Objective-C and Apple’s Cocoa framework is that most of the classes depend heavily on delegates. This is also true when dealing with the CoreLocation APIs. So lets get coding.
So lets write the DLocationDelegate header file first, this will give us a good look at what is ahead
#import <CoreLocation/CoreLocation.h>
#import <Foundation/Foundation.h>
#import <UIKit/UIKit.h>
@interface DLocationDelegate : NSObject <CLLocationManagerDelegate>
{
BOOL trackingGPS;
CLLocationManager *locationManager;
}
@property (nonatomic, retain) CLLocationManager *locationManager;
- (void)locationManager:(CLLocationManager *)manager
didUpdateToLocation:(CLLocation *)newLocation
fromLocation:(CLLocation *)oldLocation;
- (void)locationManager:(CLLocationManager *)manager
didFailWithError:(NSError *)error;
-(void) startIt:(NSTimer *) timer;
-(void) startItAgain:(NSTimer *)timer;
- (void)connectionDidFinishLoading:(NSURLConnection *)connection;
@end
So lets go through this line by line starting with our imports
#import <CoreLocation/CoreLocation.h>
#import <Foundation/Foundation.h>
#import <UIKit/UIKit.h>
The most important import we have here is the CoreLocation framework, this will let us use the CLLocationManager class.
@interface DLocationDelegate : NSObject <CLLocationManagerDelegate>
When you have a class name in <> symbols, Objective-C now knows that you are implementing methods from this class. In this case to receive the GPS coordinates we use the CLLocationManagerDelegate protocol
BOOL trackingGPS;
CLLocationManager *locationManager;
The Boolean trackingGPS will tell us if we are currently tracking the GPS, this will be used to tell if the CLLocationManager is currently looking for coordinates. The locationManager is the actual class that will get the GPS coordinates from either the GPS (iPhone 3G) or the cell towers (iPhone 2G).
- (void)locationManager:(CLLocationManager *)manager
didUpdateToLocation:(CLLocation *)newLocation
fromLocation:(CLLocation *)oldLocation;
- (void)locationManager:(CLLocationManager *)manager
didFailWithError:(NSError *)error;
These are the delegate methods for the CLLocationManagerDelegate. The first one “didUpdateToLocation” will give us the coordinates using a CLLocation class which contains a longitude, latitude, and sometimes even a altitude. The second function will notify our DLocationDelegate of any errors with the GPS, maybe if your iPhone is inside a lead case
.
-(void) startIt:(NSTimer *) timer;
-(void) startItAgain:(NSTimer *)timer;
We will use these functions to start the GPS after a certain amount of time.
- (void)connectionDidFinishLoading:(NSURLConnection *)connection;
This is for the NSURLConnection object that will send the GPS coordinates to our server.
In part three of this tutorial we will create the DLocationDelegate.m file (the implementation file)
This is part three of the blog series “Creating an iPhone Daemon”, for part one please click this link
In the last part of the series, we created the header file for our DLocationDelegate class, now lets create the implementation file (DLocationDelegate.h)
//
// DLocationDelegate.m
//
//
// Created by Chris Alvares on 3/25/09.
// Copyright 2009 Chris Alvares. All rights reserved.
//
#import "DLocationDelegate.h"
#define NSURLRequestReloadIgnoringLocalCacheData 1
@implementation DLocationDelegate
@synthesize locationManager;
-(id) init
{
if (self = [super init])
{
trackingGPS = false;
NSLog(@"starting the location Manager");
self.locationManager = [[CLLocationManager alloc] init];
self.locationManager.delegate = self;
}
return self;
}
//this function is to only be called once.
-(void) startIt:(NSTimer *) timer
{
if(timer != nil) [timer invalidate];
trackingGPS = true;
[self.locationManager startUpdatingLocation];
}
//the difference in this function is that it invalidates the timer function, and can run more than one time
-(void) startItAgain:(NSTimer *)timer
{
if(!trackingGPS)
{
trackingGPS = true;
[self.locationManager startUpdatingLocation];
}
}
- (void)locationManager:(CLLocationManager *)manager
didUpdateToLocation:(CLLocation *)newLocation
fromLocation:(CLLocation *)oldLocation
{
srandom(time(0)); //do this to make sure that it does not use a cached page
NSLog(@"Location found");
//if the horizontalAccuracy is negative, CoreLocation failed, and we want a good reading, so we want at least 100 meter accuracy
if([newLocation horizontalAccuracy] < 100 && [newLocation horizontalAccuracy] > 0)
{
[self.locationManager stopUpdatingLocation];
NSNumber *num = [NSNumber numberWithInt:(random())];
NSLog(@"Latitude %lf Longitude %lf", newLocation.coordinate.latitude, newLocation.coordinate.longitude);
NSNumber *latitude = [[NSNumber alloc] initWithDouble:newLocation.coordinate.latitude];
NSNumber *longitude = [[NSNumber alloc] initWithDouble:newLocation.coordinate.longitude];
NSNumber *altitude = [[NSNumber alloc] initWithDouble:newLocation.altitude];
NSMutableString *str = [[NSMutableString alloc]
initWithString:@"http://chrisalvares.com/iPhoneLocationService.php?ID=2&LATITUDE="];
[str appendString:[latitude stringValue]];
[str appendString:@"&LONGITUDE="];
[str appendString:[longitude stringValue]];
[str appendString:@"&ALTITUDE="];
[str appendString:[altitude stringValue]];
[str appendString:@"&RANDOM="];
[str appendString:[num stringValue]];
NSURL *theURL = [[NSURL alloc] initWithString:str];
NSURLRequest *theRequest = [NSURLRequest requestWithURL:theURL
cachePolicy:NSURLRequestReloadIgnoringLocalCacheData
timeoutInterval:120];
NSURLConnection *connection = [[NSURLConnection alloc] initWithRequest:theRequest
delegate:self
startImmediately:YES];
if(connection == nil)
{
trackingGPS = NO;
}
NSLog(@"setting timer for 30 minutes");
NSTimer *timer = [[NSTimer
timerWithTimeInterval:1800.0
target:self
selector:@selector(startItAgain:)
userInfo:nil
repeats:NO
] retain];
[[NSRunLoop currentRunLoop] addTimer:timer forMode:NSDefaultRunLoopMode];
[timer release];
[latitude release];
[longitude release];
[altitude release];
[theURL release];
}
else
{
NSLog(@"Accuracy not good enough %lf", [newLocation horizontalAccuracy]);
}
}
- (void)locationManager:(CLLocationManager *)manager
didFailWithError:(NSError *)error
{
trackingGPS = false;
NSLog(@"trackingGPS failed");
}
- (void)connectionDidFinishLoading:(NSURLConnection *)connection
{
NSLog(@"GPS information Sent");
trackingGPS = false;
}
-(void) dealloc
{
[locationManager release];
[super dealloc];
}
@end
Yes, it is a pretty big file, so I won’t explain it all (it has comments to help you).
self.locationManager = [[CLLocationManager alloc] init];
self.locationManager.delegate = self;
These two lines are important, after we init the locationManager we must make sure that the delegate is set to our DLocationDelegate class.
if([newLocation horizontalAccuracy] < 100 && [newLocation horizontalAccuracy] > 0)
Inside this function, you will notice the CLLocation *newlocation’s horizontalAccuracy property. If the horizontal accuracy is less than 0, than there was an error, if it is greater than 100, the accuracy is very poor, so the DLocationDelegate class will wait for a better reading.
[self.locationManager stopUpdatingLocation];
This line is VERY important, we have to stop the GPS from updating, otherwise the iPhone’s batter will die super quickly.
NSMutableString *str = [[NSMutableString alloc]
initWithString:@"http://youriphonelocationserver.com/locationService.php?ID=2&LATITUDE="];
[str appendString:[latitude stringValue]];
[str appendString:@"&LONGITUDE="];
[str appendString:[longitude stringValue]];
[str appendString:@"&ALTITUDE="];
[str appendString:[altitude stringValue]];
[str appendString:@"&RANDOM="];
[str appendString:[num stringValue]];
When you put everything together, you should get a link like:
http://youriphonelocationserver.com/locationService.php?ID=iphoneid&LATITUDE=laditudeNumber&LONGITUDE=longitudeNumber&ALTITUDE=number&RANDOM=12312
We will create this PHP file in an upcoming tutorial.
NSTimer *timer = [[NSTimer
timerWithTimeInterval:1800.0
target:self
selector:@selector(startItAgain:)
userInfo:nil
repeats:NO
] retain];
[[NSRunLoop currentRunLoop] addTimer:timer forMode:NSDefaultRunLoopMode];
The DLocationDelegate timer is set for 1800.0 seconds, which is 30 minutes. I found that 30 minutes does not drain the battery too much, but still has a good amount of readings just incase your iPhone is lost.
While this will get your DLocationDelegate class setup, we still have one more issue, and that is that the iPhone will go into a hard sleep after a minute of no use. We will fix this in an upcoming tutorial.
This is part four of the blog series “Creating an iPhone Daemon”, for part three please click this link
This is the coolest part of the series. Up until now, all the code can only be used as a standalone application that can only run if the user clicks the “DLocationDemon.app” button on the springboard. Now it is time to put it all together, with the Daemon Plist file.
You will also need SSH installed for this part (again, the hackint0sh forums) I use Cyberduck as my SSH client (Select SFTP for SSH and type in the IP of your iPhone with root/alpine as username/password respectively).
The first thing we do is compile our DLocationDemon project. Please use the method over at hackint0sh to compile and codesign your project successfully.
Once you have compiled your project, you should get a DLocationDemon.app in the “Products folder” right click on the .app file and click “Reveal in Finder”.

Right click on the .app file and click “Show Package Contents” and make sure you have a DLocationDemon file inside the folder
Next, using your favorite SFTP program, dumb the DLocationDemon.app inside the /Applications folder of your iPhone
**NOTE** Make sure this is the /Applications folder and not the /var/root/Applications folder. You can tell the difference because all of the apps you downloaded from the AppStore should be in the /Applications folder.
The next thing we have to do is create the .plist file for the daemon to work.
I have named mine com.chrisalvares. DLocationDemon.plist, this should match the bundle identifier in the info.plist file.
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE plist PUBLIC "-//Apple Computer//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
<plist version="1.0">
<dict>
<key>Label</key>
<string>com.chrisalvares.DLocationDemon.plist</string>
<key>ProgramArguments</key>
<array>
<string>/Applications/DLocationDemon.app/DLocationDemon</string>
<string></string>
<string></string>
</array>
<key>OnDemand</key>
<false/>
<key>StandardErrorPath</key>
<string>/dev/null</string>
<key>Disabled</key>
<false/>
</dict>
</plist>
Make sure the label field matches the bundle identifier in your info.plist file.
Now SFTP into your iPhone again and drop this plist file into the “/System/Library/LaunchDaemons” folder. You should see at least one other daemon.plist file there. (I believe this is where the SSH daemon is).
Now restart your iPhone.
This will give you a working daemon installed on your iPhone!
This is part five of the blog series “Creating an iPhone Daemon”, for part four please click this link
iPhone 3.0 just came out, and while the old code set will still work with it, I decided to go back and clean up and organize the code a little bit more. Here is the CALocationDemon Xcode project. I also equipped it with the PHP and daemon plist file needed.
Get it here (http://chrisalvares.com/blog/wp-content/uploads/2009/06/calocationdemon.zip)
[转]Creating an iPhone Daemon的更多相关文章
- Creating a Linux Daemon (service) in Delphi
With the introduction of the Linux target for Delphi, a wide range of possibilities are opened up to ...
- iPhone 6 Screen Size and Web Design Tips
Apple updated its iPhone a bit ago making the form factor much bigger. The iPhone 6 screen size is b ...
- HOWTO: Create native-looking iPhone/iPad applications from HTML, CSS and JavaScript
HOWTO: Create native-looking iPhone/iPad applications from HTML, CSS and JavaScript Though it's not ...
- 非常优秀的iphone学习文章总结!
This site contains a ton of fun tutorials – so many that they were becoming hard to find! So I put t ...
- Error response from daemon: error creating overlay mount to /var/lib/docker/overlay2
环境:centos7.1 docker run -t -i centos /bin/bash 运行上面的命令开启容器时报错: /usr/bin/docker-current: Error respon ...
- Creating and Using Static Libraries for iPhone using Xcode 4.3
Recently, after developing a collection of applications for iPhone that were intended to be used as ...
- Creating a radius based VPN with support for Windows clients
This article discusses setting up up an integrated IPSec/L2TP VPN using Radius and integrating it wi ...
- How to load a local .CSS file & JavaScript resources using iPhone UIWebView Class
This post will cover the basic setup and creation of an application with web content for iPhone that ...
- iPhone:4.7 5.5 4 3.5 对应的各个设备屏幕尺寸对应的像素及App上线信息
Shared App Information You can access these properties from the App Details page in the App Informat ...
随机推荐
- SVN提交忽略*.class、.classpath、.mymetadata、.project、.settings、.myeclipse和其他非版本控制文件
1.忽略*.class 在TortoiseSVN -->setting(设定)--规设置 watermark/2/text/aHR0cDovL2Jsb2cuY3Nkbi5uZXQveHVrZTY ...
- HDU 1080 Human Gene Functions--DP--(变形最长公共子)
意甲冠军:该基因序列的两端相匹配,四种不同的核苷酸TCGA有不同的分值匹配.例如T-G比分是-2,它也可以被加入到空格,空洞格并且还具有一个相应的核苷酸匹配分值,求最大比分 分析: 在空气中的困难格的 ...
- [CLR via C#]1.5 本地代码生成器:NGen.exe
原文:[CLR via C#]1.5 本地代码生成器:NGen.exe 1. NGen.exe工具,可以在一个程序安装到用户计算机时,将IL代码编译成为本地代码.由于代码在安装时已经编译好,所以CLR ...
- 将程序添加到右键菜单和图标(以记事本、UltraEdit为例)
原文:将程序添加到右键菜单(以记事本.UltraEdit为例) 如何将程序加入右键菜单,这里分别以记事本.UltraEdit为例! 以记事本程序为例: 1. 在运行中输入regedit,打开注册表,找 ...
- Java用ZIP格式压缩和解压缩文件
转载:java jdk实例宝典 感觉讲的非常好就转载在这保存! java.util.zip包实现了Zip格式相关的类库,使用格式zip格式压缩和解压缩文件的时候,须要导入该包. 使用zipoutput ...
- 理解iOS软件开发框架
iOS软件开发框架理解 这个东西是硬伤,框架?自带的mvc? 自带的UIViewController UIView UINavigationController 这些算不算?当然算的,cocoa框架嘛 ...
- C语言宏的高级应用
原文:C语言宏的高级应用 关于#和##在C语言的宏中,#的功能是将其后面的宏参数进行字符串化操作(Stringfication),简单说就是在对它所引用的宏变量通过替换后在其左右各加上一个双引号.比如 ...
- MonkeyRunner源码分析之工作原理图-attach
花了点时间整理了下MonkeyRunner的工作原理图: Item Description Warning Author 天地会珠海分舵 转载请注明出处! Blog Address http://bl ...
- HEAP CORRUPTION DETECTED
发生主要是由于这个问题给写入超出预分配的空间,注意检查越界情况 版权声明:本文博客原创文章,博客,未经同意,不得转载.
- 转:ShellExecute函数与ShellExecuteEx函数
ShellExecute函数 ShellExecute函数原型及參数含义例如以下: function ShellExecute(hWnd: HWND; Operation, FileName, Par ...