Java 相当于 Python repr()?

2022-09-01 19:21:25

有没有一种Java方法可以像Python的repr一样工作?例如,假设该函数被命名为 repr,

"foo\n\tbar".repr()

会再来的

"foo\n\tbar"

foo
        bar

至于String。


答案 1

在某些项目中,我使用以下帮助器函数来完成类似于Python的字符串repr

private static final char CONTROL_LIMIT = ' ';
private static final char PRINTABLE_LIMIT = '\u007e';
private static final char[] HEX_DIGITS = new char[] { '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'a', 'b', 'c', 'd', 'e', 'f' };

public static String toPrintableRepresentation(String source) {

    if( source == null ) return null;
    else {

        final StringBuilder sb = new StringBuilder();
        final int limit = source.length();
        char[] hexbuf = null;

        int pointer = 0;

        sb.append('"');

        while( pointer < limit ) {

            int ch = source.charAt(pointer++);

            switch( ch ) {

            case '\0': sb.append("\\0"); break;
            case '\t': sb.append("\\t"); break;
            case '\n': sb.append("\\n"); break;
            case '\r': sb.append("\\r"); break;
            case '\"': sb.append("\\\""); break;
            case '\\': sb.append("\\\\"); break;

            default:
                if( CONTROL_LIMIT <= ch && ch <= PRINTABLE_LIMIT ) sb.append((char)ch);
                else {

                    sb.append("\\u");

                    if( hexbuf == null ) 
                        hexbuf = new char[4];

                    for( int offs = 4; offs > 0; ) {

                        hexbuf[--offs] = HEX_DIGITS[ch & 0xf];
                        ch >>>= 4; 
                    }

                    sb.append(hexbuf, 0, 4);
                }
            }
        }

        return sb.append('"').toString();
    }
}

与此处给出的许多其他解决方案相比,它的主要优点是,它不仅过滤了一组有限的不可打印字符(如那些基于替换的解决方案),而只是过滤了所有不可打印的ASCII字符。其中一些本来可以写得稍微好一点,但它实际上做了它的工作......

请注意,与Python函数一样,这个函数将用引号将字符串括起来。如果您不希望这样做,则必须消除 while 循环之前和之后的 append('“') 调用。


答案 2

使用 Apache Commons Text 中该类中的静态方法。escapeJavaStringEscapeUtils

String repr = "\"" + StringEscapeUtils.escapeJava(myString) + "\"";