起因: 产品提个需求,调起短信页面之后,要把短信内容传输过去,且点击取消要返回短信列表页面,而不是返回 APP。。。
下面来分步解决需求。需求可以分两个部分:
1.讲短信内容传输到短信页面
2.取消或发送后留在短信页面
1.短信内容传输到短信页面
实现此功能,一般使用程序内调用系统。首先将头文件引入
#import <MessageUI/MessageUI.h>
实现代码:
if( [MFMessageComposeViewController canSendText]) {
MFMessageComposeViewController * controller = [[MFMessageComposeViewController alloc] init];
controller.recipients = @[@"10086"];//发送短信的号码,数组形式入参
controller.navigationBar.tintColor = [UIColor redColor];
controller.body = @"body"; //此处的body就是短信将要发生的内容
controller.messageComposeDelegate = self;
[self presentViewController:controller animated:YES completion:nil];
[[[[controller viewControllers] lastObject] navigationItem] setTitle:@"title"];//修改短信界面标题
}
else {
UIAlertView *alert = [[UIAlertView alloc] initWithTitle:@"提示信息"
message:@"该设备不支持短信功能"
delegate:nil
cancelButtonTitle:@"确定"
otherButtonTitles:nil, nil];
[alert show];
}
如要获取发送状态,遵守代理 MFMessageComposeViewControllerDelegate
并实现代理方法
-(void)messageComposeViewController:(MFMessageComposeViewController *)controller didFinishWithResult:(MessageComposeResult)result {
[self dismissViewControllerAnimated:YES completion:nil];
switch (result) {
case MessageComposeResultSent:
//信息传送成功
break;
case MessageComposeResultFailed:
//信息传送失败
break;
case MessageComposeResultCancelled:
//信息被用户取消传送
break;
default:
break;
}
}
此方法优点在于
1.发完短信或取消后能直接返回 APP
2.可将多个号码传输到短信页面
2.取消或发送后留在短信页面
这个就很简单啦,直接调用 openURL。发完短信或取消后将会到短信列表页,不会直接返APP。但只能把一个号码传输到短信页面
NSString *phoneStr = [NSString stringWithFormat:@"10086"];//发短信的号码
NSString *urlStr = [NSString stringWithFormat:@"sms://%@", phoneStr];
NSURL *url = [NSURL URLWithString:urlStr];
[[UIApplication sharedApplication] openURL:url];
至此,两个需求都分别完成,但是并没有达到产品的要求。经过分析得知,要停留在短信页面,只能用采取第二种方法。所以,接下来需要解决的是怎么才能用第二种方法把短信内容传过去。
观察 openURL 传入的参数 sms://手机号码,这种格式于 url 有些相似,url 要拼接多个参数用 &,所以可以尝试一下在号码后拼接一个参数。在第一种方法中,短信内容赋值给 body,所以尝试把入参拼成 sms://手机号码&body=短信内容。就这样完成需求。
NSString *phoneStr = [NSString stringWithFormat:@"10086"];//发短信的号码
NSString *smsContentStr = [NSString stringWithFormat:@"短信内容"];
NSString *urlStr = [NSString stringWithFormat:@"sms://%@&body=%@", phoneStr, smsContentStr];
NSURL *url = [NSURL URLWithString:urlStr];
[[UIApplication sharedApplication] openURL:url];
关于拼参数的方法,并不是所有都是显而易见的,也遇到过很多问题:例如是要 & 还是用 ? 来拼接;短信内容前是否需要带参数名等等问题,经常很多次尝试最终才得到的结果,深感不易。
2019.3.29 更新
之前一直没注意传输中文, 会导致 URL 为 nil 的问题, 楼下有人提醒, 特此来修改
NSString *phoneStr = [NSString stringWithFormat:@"10086"];//发短信的号码
NSString *smsContentStr = [NSString stringWithFormat:@"短信内容"];
NSString *urlStr = [NSString stringWithFormat:@"sms://%@&body=%@", phoneStr, smsContentStr];
urlStr = [urlStr stringByAddingPercentEncodingWithAllowedCharacters:[NSCharacterSet URLQueryAllowedCharacterSet]]; // 对中文进行编码
NSURL *url = [NSURL URLWithString:urlStr];
if (@available(iOS 10.0, *)) {
[[UIApplication sharedApplication] openURL:url options:@{} completionHandler:nil];
} else {
[[UIApplication sharedApplication] openURL:url];
}