Python returning the wrong length of string when using special characters

前端 未结 5 1336
庸人自扰
庸人自扰 2020-12-03 05:48

I have a string ë́aúlt that I want to get the length of a manipulate based on character positions and so on. The problem is that the first ë́ is being counted twice, or I gu

5条回答
  •  挽巷
    挽巷 (楼主)
    2020-12-03 06:10

    UTF-8 is an unicode encoding which uses more than one byte for special characters. If you don't want the length of the encoded string, simple decode it and use len() on the unicode object (and not the str object!).

    Here are some examples:

    >>> # creates a str literal (with utf-8 encoding, if this was
    >>> # specified on the beginning of the file):
    >>> len('ë́aúlt') 
    9
    >>> # creates a unicode literal (you should generally use this
    >>> # version if you are dealing with special characters):
    >>> len(u'ë́aúlt') 
    6
    >>> # the same str literal (written in an encoded notation):
    >>> len('\xc3\xab\xcc\x81a\xc3\xbalt') 
    9
    >>> # you can convert any str to an unicode object by decoding() it:
    >>> len('\xc3\xab\xcc\x81a\xc3\xbalt'.decode('utf-8')) 
    6
    

    Of course, you can also access single characters in an unicode object like you would do in a str object (they are both inheriting from basestring and therefore have the same methods):

    >>> test = u'ë́aúlt'
    >>> print test[0]
    ë
    

    If you develop localized applications, it's generally a good idea to use only unicode-objects internally, by decoding all inputs you get. After the work is done, you can encode the result again as 'UTF-8'. If you keep to this principle, you will never see your server crashing because of any internal UnicodeDecodeErrors you might get otherwise ;)

    PS: Please note, that the str and unicode datatype have changed significantly in Python 3. In Python 3 there are only unicode strings and plain byte strings which can't be mixed anymore. That should help to avoid common pitfalls with unicode handling...

    Regards, Christoph

提交回复
热议问题