ios 从设备获取用户名的更好方法?

js81xvg6  于 2022-12-30  发布在  iOS
关注(0)|答案(7)|浏览(198)

我创建了一个函数,可以从设备名称中提取用户名
这个想法是跳过设置步骤,让用户直接进入播放在第一次启动应用程序。

这是一种次优方法,因为我永远无法信任设备名称来保存用户名称。问题是:还有什么更好的方法

我下面的函数得到了正确的名称...

  • ...如果设备的默认名称未更改(“Sanna's iPod”)
  • ......用英语说,
  • .法语和类似语言(“iPod de Sanna”)
  • ...在瑞典语和类似语言(“Sannas iPod”)中,如果名称不以S结尾(“Johannes iPod”=〉返回“Johannes”,但应该返回“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;
}

我用它来建议我的应用程序中的用户名。这样,大多数用户就不必费心写他们的用户名了。
我的应用没有连接到iTunes或Facebook等任何其他服务,但每个用户都需要一个用户名。那么我如何获取用户名呢?

kninwzqo

kninwzqo1#

我想对里奇·赫勒格森的答案做一个改进,它有以下特点:

  • 它稍微小一点,虽然效率较低,因为它使用正则表达式,但我认为它应该只被调用一次。
  • 我已经把它扩展到包括"电话"以及"ipod","iphone"和"ipad"。
  • 它只删除前面紧跟"iPad"、"iPhone"等的"s",但只删除字符串末尾的"s"。
  • 当"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:@" "];

这有点复杂,我会解释的
1.正则表达式包含三个部分;
1.在字符串的开头,匹配但不返回"iPhone"、"iPod"、"iPad"或"phone"以及可选单词"de"。
1.在字符串的末尾,匹配并返回一个单词,该单词后跟可选的"'s"(不返回),然后是"iPad"、"iPhone"、"iPod"或"phone"(也不返回)。
1.这个匹配和前面的一样,但是它应该可以用于中文设备名称。(改编自Travis Worm提交的文件。如果有错请告诉我。)
1.匹配并返回任何不符合前面规则的单词。
1.迭代所有匹配项,将它们大写并添加到数组中。
1.返回数组。
如果一个名字以"s"结尾,而在"iPad"等之前没有撇号,我不会试图改变它,因为没有万无一失的方法来弄清楚"s"是名字的一部分还是名字的复数形式。
好好享受吧!

6yoyoihd

6yoyoihd2#

这里有一个替代方法,它可以获取所有的名字。而且,它不会删除使用“de”或“s”的语言末尾的“s”。而且,它会将每个名字的第一个字母大写。
方法实施:

- (NSArray*) newNamesFromDeviceName: (NSString *) deviceName
{
    NSCharacterSet* characterSet = [NSCharacterSet characterSetWithCharactersInString:@" '’\\"];
    NSArray* words = [deviceName componentsSeparatedByCharactersInSet:characterSet];
    NSMutableArray* names = [[NSMutableArray alloc] init];

    bool foundShortWord = false;
    for (NSString *word in words)
    {
        if ([word length] <= 2)
            foundShortWord = true;
        if ([word compare:@"iPhone"] != 0 && [word compare:@"iPod"] != 0 && [word compare:@"iPad"] != 0 && [word length] > 2)
        {
            word = [word stringByReplacingCharactersInRange:NSMakeRange(0,1) withString:[[word substringToIndex:1] uppercaseString]];
            [names addObject:word];
        }
    }
    if (!foundShortWord && [names count] > 1)
    {
        int lastNameIndex = [names count] - 1;
        NSString* name = [names objectAtIndex:lastNameIndex];
        unichar lastChar = [name characterAtIndex:[name length] - 1];
        if (lastChar == 's')
        {
            [names replaceObjectAtIndex:lastNameIndex withObject:[name substringToIndex:[name length] - 1]];
        }
    }
    return names;
}

用法:

// Add default values for first name and last name
NSString* deviceName = [[UIDevice currentDevice] name];
NSArray* names = [self newNamesFromDeviceName:deviceName];
// This example sets the first and second names as the text property for some text boxes.
[self.txtFirstName setText:[names objectAtIndex:0]];
[self.txtLastName setText:[names objectAtIndex:1]];
[names release];
w8ntj3qf

w8ntj3qf3#

Swift 5 +本地化

这里有一个更新,因为我也想个性化一个入职和简化联系人导入过程中的应用程序意味着在认知下降。更多细节/缺陷/修订随着时间的推移are kept in a Gist

  • 之前的答案删除了两个字母单词(例如“de”),因为它们不是名字的一部分。这在意大利语中是不正确的,比如Chris Ng或Tim Yu。相反,向PersonNameComponentsFormatter中输入一个更干净的子字符串可以在更多语言中提取出给定的、家族的或全名,包括那些“de”或“la”重要的语言。
  • 我为中文加了一个单独的音轨。
  • 一个更好的构建可以覆盖更多语言的更多边缘情况。下面的方法更新起来不那么烦人,因为它使用Swift 5字符串解析而不是Regex层。
class Autofiller {
    
    enum NameComponent {
        case givenName
        case familyName
        case fullNameInCurrentPersonNameComponentsFormatterStyle
    }
    
    /// Proposes a localized name based on UIDevice.current.name (under the assumption that it contains a name).
    /// - Returns: A user's probable first, last, or full name — or a default if detection fails.
    ///
    /// Be aware that:
    /// * Non-name words may slip through
    /// ```
    /// Paul The Great // Paul the Great
    /// Paul's Really Old iPhone // Paul
    /// ```
    /// * This is only tested for romance languages and Chinese.
    /// * Chinese names return full name in `givenName` only mode. Options require uncommenting internal code.
    ///
    /// - Parameter name: Choose between given, family, and full name
    /// - Parameter style: Options for [PersonNameComponentsFormatter](https://developer.apple.com/documentation/foundation/personnamecomponentsformatter)
    /// - Parameter defaultUponFailure: Specify your default string should guessing fail
    func guessNameOfDeviceOwner(name: NameComponent,
                                style: PersonNameComponentsFormatter.Style = .default,
                                placeholderUponFailure: String = "Good Looking") -> String {
        
        let deviceName = UIDevice.current.name
        let nameFormatter = PersonNameComponentsFormatter()
        nameFormatter.style = style
        
        if let chineseName = extractNameComponentsInChinese(from: deviceName) {
            switch name {
            case .givenName:
                return nameFormatter.string(from: chineseName)
            // DEFAULT: RETURN FULL NAME (EVEN WHEN OTHER LANGUAGES RETURN GIVEN ONLY)
            // OPTION: CUTESY INFORMAL GIVEN NAME
            // if let givenName = chineseName.givenName {
            // return String("小").appending(givenName)
            case .familyName:
                if let familyName = chineseName.familyName {
                    return familyName
                }
            // OPTION: RESPECTFUL FAMILY NAME
            // if let familyName = chineseName.familyName {
            // return String("老").appending(familyName)
            case .fullNameInCurrentPersonNameComponentsFormatterStyle:
                return nameFormatter.string(from: chineseName)
            }
        }
        
        if let latinName = extractNameComponentsByPrefixOrSuffix(from: deviceName) {
            switch name {
            case .givenName:
                if let givenName = latinName.givenName {
                    return givenName
                }
            case .familyName:
                if let familyName = latinName.familyName {
                    return familyName
                }
            case .fullNameInCurrentPersonNameComponentsFormatterStyle:
                return nameFormatter.string(from: latinName)
            }
        }
        
        return placeholderUponFailure
    }
    
    /// Process common styles for English (Ryan's iPhone), Swedish (Ryan iPhone), French (iPhone de Ryan)
    private func extractNameComponentsByPrefixOrSuffix(from input: String) -> PersonNameComponents? {
        let formatter = PersonNameComponentsFormatter()
        
        let prefixes = ["iPhone de ",
                        "iPad de ",
                        "iPod de "
        ]
        
        for prefix in prefixes {
            guard input.contains(prefix) else { continue }
            var inputComponents = input.components(separatedBy: prefix)
            // First element is either empty or assumed to be extraneous
            inputComponents.removeFirst()
            let possibleName = inputComponents.joined()
            // Note: .personNameComponents(from:) will ignore brackets, parentheses
            guard let nameComponents = formatter.personNameComponents(from: possibleName) else { return nil }
            return nameComponents
        }
        
        let suffixes = ["'s iPhone",
                        "'s iPad'",
                        "'s iPod",
                        "'s ", // Capture if user removed "i" or has a descriptor (e.g., Paul's Really Old iPhone)
                        "iPhone", // For Swedish style, reached if posessive language not present
                        "iPad",
                        "iPod",
                        "Phone", // Latter iterations, if reached, cover an edge case like me, a nerd who named his phone "RyPhone"
                        "Pad",
                        "Pod"
        ]
        
        for suffix in suffixes {
            guard input.contains(suffix) else { continue }
            var inputComponents = input.components(separatedBy: suffix)
            
            // The last component is either emptty, contains the model (e.g., "XS"), or duplicate device number (e.g., "(2)")
            inputComponents.removeLast()
            let possibleName = inputComponents.joined()
            guard let nameComponents = formatter.personNameComponents(from: possibleName) else { return nil }
            return nameComponents
        }
        
        // If no prefix/suffix matches, attempt to parse a name. Otherwise return nil to indicate failure.
        guard let possibleName = formatter.personNameComponents(from: input) else { return nil }
        return possibleName
    }
    
    /// Process for Chinese name apart from neighboring English (e.g., "某人的iPhone")
    private func extractNameComponentsInChinese(from input: String) -> PersonNameComponents? {
        guard let range = input.range(of: "\\p{Han}*\\p{Han}", options: .regularExpression) else { return nil }
        // Extract of only Chinese characters, ignoring "iPhone" etc
        var possibleName = input[range]
        // Remove possible instance of "cell phone"
        possibleName = Substring(String(possibleName).replacingOccurrences(of: "手机", with: ""))
        // Remove possible posessive referring to iPhone or cell phone
        if possibleName.last == "的" { possibleName.removeLast(1) }
        let formatter = PersonNameComponentsFormatter()
        guard let nameComponents = formatter.personNameComponents(from: String(possibleName)) else { return nil }
        return nameComponents
    }
}
w6lpcovy

w6lpcovy4#

我已经将原来的Owen Godfrey答案转换为Swift,并更新了Regexpr以支持更多模式,如User's iPhone 6SiPhone 5 de User ...
我在这里创建了一个要点:https://gist.github.com/iGranDav/8a507eb9314391338507

extension UIDevice {

func username() -> String {

    let deviceName = self.name
    let expression = "^(?:iPhone|phone|iPad|iPod)\\s+(?:de\\s+)?(?:[1-9]?S?\\s+)?|(\\S+?)(?:['']?s)?(?:\\s+(?:iPhone|phone|iPad|iPod)\\s+(?:[1-9]?S?\\s+)?)?$|(\\S+?)(?:['']?的)?(?:\\s*(?:iPhone|phone|iPad|iPod))?$|(\\S+)\\s+"

    var username = deviceName

    do {
        let regex = try NSRegularExpression(pattern: expression, options: .CaseInsensitive)
        let matches = regex.matchesInString(deviceName as String,
                                            options: NSMatchingOptions.init(rawValue: 0),
                                            range: NSMakeRange(0, deviceName.characters.count))
        let rangeNotFound = NSMakeRange(NSNotFound, 0)

        var nameParts = [String]()
        for result in matches {
            for i in 1..<result.numberOfRanges {
                if !NSEqualRanges(result.rangeAtIndex(i), rangeNotFound) {
                    nameParts.append((deviceName as NSString).substringWithRange(result.rangeAtIndex(i)).capitalizedString)
                }
            }
        }

        if nameParts.count > 0 {
            username = nameParts.joinWithSeparator(" ")
        }
    }
    catch { NSLog("[Error] While searching for username from device name") }

    return username
}
}
db2dz4w8

db2dz4w85#

如果它只适用于iPod和iPhone,那么为什么还要使用用户名呢?如果你需要为你的网络服务识别设备,那么每个设备都有其他的唯一值(比如UDID)。另一个选择是让用户从地址簿中选择一个代表他们自己的联系人并使用这些数据。

axzmvihb

axzmvihb6#

NSString *dname=[[UIDevice currentDevice] name];
dname=[dname componentsSeparatedByCharactersInSet:[NSCharacterSet characterSetWithCharactersInString:@"'的"]][0];
gfttwv5a

gfttwv5a7#

由于iOS 16,你无法访问用户为手机指定的名称,只能获取设备的通用名称。这是因为苹果推出了新的隐私功能。不过,如果你的应用程序需要这些信息,你可以申请获取这些信息的权利。
标准是:

  • 用户分配的设备名称在你的应用的UI中对用户可见。你必须提供此UI的屏幕截图以请求授权。
  • 用户分配的设备名称正在支持多设备功能。你的应用仅将用户分配的设备名称用于用户可见的功能,以便用户能够识别自己的设备,并且该功能涉及同一用户操作的多个设备之间的交互。例如,具有多设备同步功能的应用程序可以显示用户为每个设备分配的设备名称,以便用户可以在它们之间进行选择。您必须提供此UI的屏幕截图以请求权利。
  • 使用用户分配的设备名称的功能可供所有或绝大多数用户使用。该功能为大多数应用用户提供了应用功能的重要组成部分。
  • 你的应用不使用用户分配的设备名称进行跟踪或指纹识别。你对应用中的所有代码(包括任何集成SDK)负责。有关跟踪的详细信息,请参阅跟踪;有关指纹识别,请参阅用户隐私和数据使用。
  • 你的应用不会与任何服务提供商或云托管服务提供商以外的第三方共享用户分配的设备名称。禁止的第三方包括但不限于第三方SDK、广告网络和移动测量合作伙伴(MMP)。云托管服务提供商仅出于存储或同步目的除外。

参见完整文档:

希望这对正在努力想办法获得这个名字的人有帮助:)

相关问题