这个想法是跳过设置步骤,允许用户在第一次启动应用程序时直接播放.
这是一个次优的方法,因为我永远不能相信设备名称来保存用户名.问题是:什么是更好的方法呢?
> …如果设备的默认名称没有改变(“Sanna的iPod”)
> …用英文,
> …法语和类似(“iPod de Sanna”)
> …在瑞典语和类似(“Sannas iPod”),如果名称不以S结尾(“Johannes iPod”=>返回“Johanne”,但应该返回“Johannes”为正确,因为名称本身结束与S.)
如果用户将设备的名称更改为其他默认格式,那么显然无法获取该名称.
- (NSString *) extractPlayerNameFromDeviceName: (NSString *) deviceName { // get words in device name NSArray *words = [deviceName componentsSeparatedByString:@" "]; NSMutableArray *substrings = [[NSMutableArray alloc] init]; for (NSString *word in words) { NSArray *subwords = [word componentsSeparatedByString:@"'"]; [substrings addObjectsFromArray:subwords]; } // find the name part of the device name NSString *playerName = [NSString stringWithString: @""]; for (NSString *word in substrings) { if ([word compare:@"iPhone"] != 0 && [word compare:@"iPod"] != 0 && [word compare:@"iPad"] != 0 && [word length] > 2) { playerName = word; } } // remove genitive unichar lastChar = [playerName characterAtIndex:[playerName length] - 1]; if (lastChar == 's') { playerName = [playerName substringToIndex:[playerName length] - 1]; } lastChar = [playerName characterAtIndex:[playerName length] - 1]; if (lastChar == '\'') { playerName = [playerName substringToIndex:[playerName length] - 1]; } return playerName; }
解决方法
>它有点小,虽然效率较低,因为它使用正则表达式,但后来我认为它应该只调用一次.
>我已经花了它包括“手机”以及“iPod”,“iPhone”和“iPad”.
>它只会在“iPad”,“iPhone”等之前删除“’”,但只能在字符串的末尾.
>如“iPad模拟器”一样,它会删除“iPad”等等.
>它利用每个单词的第一个字母.
>不区分大小写.
>它是一个函数,因为它没有依赖关系.
这是代码:
NSArray * nameFromDeviceName(NSString * deviceName) { NSError * error; static NSString * expression = (@"^(?:iPhone|phone|iPad|iPod)\\s+(?:de\\s+)?|" "(\\S+?)(?:['’]?s)?(?:\\s+(?:iPhone|phone|iPad|iPod))?$|" "(\\S+?)(?:['’]?的)?(?:\\s*(?:iPhone|phone|iPad|iPod))?$|" "(\\S+)\\s+"); static NSRange RangeNotFound = (NSRange){.location=NSNotFound,.length=0}; NSRegularExpression * regex = [NSRegularExpression regularExpressionWithPattern:expression options:(NSRegularExpressionCaseInsensitive) error:&error]; NSMutableArray * name = [NSMutableArray new]; for (NSTextCheckingResult * result in [regex matchesInString:deviceName options:0 range:NSMakeRange(0,deviceName.length)]) { for (int i = 1; i < result.numberOfRanges; i++) { if (! NSEqualRanges([result rangeAtIndex:i],RangeNotFound)) { [name addObject:[deviceName substringWithRange:[result rangeAtIndex:i]].capitalizedString]; } } } return name; }
使用这个来返回一个名字;
NSString* name = [nameFromDeviceName(UIDevice.currentDevice.name) componentsJoinedByString:@" "];
这有点复杂,所以我会解释一下
正则表达式有三部分:
>在字符串的开始,匹配但不返回“iPhone”,“iPod”,“iPad”或“手机”和可选字词“de”.
>在字符串的末尾,匹配并返回一个单词,其后跟可选的“”(不返回),然后“iPad”,“iPhone”,“iPod”或“手机”返回).
>这个匹配与以前的一样,但它应该适用于中文设备名称. (改编自Travis Worm的提交,请告诉我,如果错了)
>匹配并返回与以前规则不匹配的任何单词.
>通过所有的比赛迭代,将它们大小写并添加到数组中.
>返回数组.
如果一个名字在“iPad”之前没有撇号的话就以“s”结尾,所以我不试图改变它,因为没有万无一失的方式来确定“s”是名称的一部分还是多元化名字.
请享用!