用省略号截断字符串的理想方法

新手上路,请多包涵

我敢肯定我们所有人都在 Facebook 状态(或其他地方)上看到了省略号,然后单击“显示更多”并且只有另外 2 个字符左右。我猜这是因为惰性编程,因为肯定有一个理想的方法。

我的将细长字符 [iIl1] 视为“半字符”,但这并不能解决省略号在几乎不隐藏任何字符时看起来很傻的问题。

有理想的方法吗?这是我的:

 /**
 * Return a string with a maximum length of <code>length</code> characters.
 * If there are more than <code>length</code> characters, then string ends with an ellipsis ("...").
 *
 * @param text
 * @param length
 * @return
 */
public static String ellipsis(final String text, int length)
{
    // The letters [iIl1] are slim enough to only count as half a character.
    length += Math.ceil(text.replaceAll("[^iIl]", "").length() / 2.0d);

    if (text.length() > length)
    {
        return text.substring(0, length - 3) + "...";
    }

    return text;
}

语言并不重要,但被标记为 Java,因为这是我最感兴趣的。

原文由 Amy B 发布,翻译遵循 CC BY-SA 4.0 许可协议

阅读 513
2 个回答

我喜欢让“瘦”字符算作半个字符的想法。简单且很好的近似。

然而,大多数省略的主要问题是(恕我直言) 他们在中间切掉了单词。这是一个考虑到单词边界的解决方案(但不深入研究像素数学和 Swing-API)。

 private final static String NON_THIN = "[^iIl1\\.,']";

private static int textWidth(String str) {
    return (int) (str.length() - str.replaceAll(NON_THIN, "").length() / 2);
}

public static String ellipsize(String text, int max) {

    if (textWidth(text) <= max)
        return text;

    // Start by chopping off at the word before max
    // This is an over-approximation due to thin-characters...
    int end = text.lastIndexOf(' ', max - 3);

    // Just one long word. Chop it off.
    if (end == -1)
        return text.substring(0, max-3) + "...";

    // Step forward as long as textWidth allows.
    int newEnd = end;
    do {
        end = newEnd;
        newEnd = text.indexOf(' ', end + 1);

        // No more spaces.
        if (newEnd == -1)
            newEnd = text.length();

    } while (textWidth(text.substring(0, newEnd) + "...") < max);

    return text.substring(0, end) + "...";
}

该算法的测试如下所示:

在此处输入图像描述

原文由 aioobe 发布,翻译遵循 CC BY-SA 3.0 许可协议

我很震惊没有人提到 Commons Lang StringUtils#abbreviate()

更新:是的,它没有考虑到细长的字符,但我不同意考虑到每个人都有不同的屏幕和字体设置,而且大部分登陆此页面的人可能正在寻找一个维护的库,比如以上。

原文由 Adam Gent 发布,翻译遵循 CC BY-SA 4.0 许可协议

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题