How to compose multi-character emoji from raw hex

▼魔方 西西 提交于 2020-01-15 05:33:06

问题


I'm getting JSON like this from the server:

{
    "unicode":"1f468-1f468-1f467-1f467"
}

and I'm supposed to translate it into its composite character for display and/or copying to the pasteboard: 👨‍👨‍👧‍👧

The solution so far comes from this SO question:

let u = json["unicode"] as? String
let dashless = u.characters.split{$0 == "-"}.map(String.init)
let charArray = dashless.map { char -> Character in
    let code = Int(strtoul(char, nil, 16))
    return Character(UnicodeScalar(code))
}
let unicode = String(charArray)
UIPasteboard.generalPasteboard().string = unicode

This works great for single-character emoji definitions.

E.g., I can run the code above with this JSON…

{
    "unicode":"1f4a9"
}

…and paste the expected result: 💩. But when I do with the mmgg family emoji listed earlier, I get the following in iOS, minus the spaces: 👨‍ 👨‍ 👧‍ 👧. They just don't seem to want to combine when pasted into a text field.

Is this an iOS bug, or am I doing something wrong?


回答1:


try this in your playground, to see the difference ...

"👨👨👧👧".unicodeScalars.forEach { (c) in
    print(c.escape(asASCII: true),terminator: "")
}

print("")

"👨‍👨‍👧‍👧".unicodeScalars.forEach { (c) in
    print(c.escape(asASCII: true), terminator: "")
}

/*
 \u{0001F468}\u{0001F468}\u{0001F467}\u{0001F467}
 \u{0001F468}\u{200D}\u{0001F468}\u{200D}\u{0001F467}\u{200D}\u{0001F467}
 */

your original, slightly modified code

import Darwin // stroul

let u = "1f468-1f468-1f467-1f467"
let dashless = u.characters.split{$0 == "-"}.map(String.init)
let emoji = dashless.map { char -> String in
    let code = Int(strtoul(char, nil, 16))
    return String(UnicodeScalar(code))
    }.joinWithSeparator("\u{200D}")

print(emoji) // 👨‍👨‍👧‍👧

pure Swift code, no Foundation, without strtoul

let u = "1f468-1f468-1f467-1f467"
let emoji = u.characters.split("-")
    .map {String(UnicodeScalar(Int(String($0),radix: 16) ?? 0))}
    .joinWithSeparator("\u{200D}")

print(emoji) // 👨‍👨‍👧‍👧


来源:https://stackoverflow.com/questions/36216598/how-to-compose-multi-character-emoji-from-raw-hex

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!