How to write string literals in python without having to escape them?

前端 未结 6 1620
情歌与酒
情歌与酒 2020-11-27 05:18

Is there a way to declare a string variable in python such that everything inside of it is automatically escaped, or has its literal character value?

I\'m not

相关标签:
6条回答
  • 2020-11-27 05:51

    Raw string literals:

    >>> r'abc\dev\t'
    'abc\\dev\\t'
    
    0 讨论(0)
  • 2020-11-27 05:53

    if string is a variable, use the .repr method on it:

    >>> s = '\tgherkin\n'
    
    >>> s
    '\tgherkin\n'
    
    >>> print(s)
        gherkin
    
    >>> print(s.__repr__())
    '\tgherkin\n'
    
    0 讨论(0)
  • 2020-11-27 05:59

    (Assuming you are not required to input the string from directly within Python code)

    to get around the Issue Andrew Dalke pointed out, simply type the literal string into a text file and then use this;

    input_ = '/directory_of_text_file/your_text_file.txt' 
    input_open   = open(input_,'r+')
    input_string = input_open.read()
    
    print input_string
    

    This will print the literal text of whatever is in the text file, even if it is;

     '   ''' """  “ \
    

    Not fun or optimal, but can be useful, especially if you have 3 pages of code that would’ve needed character escaping.

    0 讨论(0)
  • 2020-11-27 06:03

    You will find Python's string literal documentation here:

    http://docs.python.org/tutorial/introduction.html#strings

    and here:

    http://docs.python.org/reference/lexical_analysis.html#literals

    The simplest example would be using the 'r' prefix:

    ss = r'Hello\nWorld'
    print(ss)
    Hello\nWorld
    
    0 讨论(0)
  • 2020-11-27 06:04

    If you're dealing with very large strings, specifically multiline strings, be aware of the triple-quote syntax:

    a = r"""This is a multiline string
    with more than one line
    in the source code."""
    
    0 讨论(0)
  • 2020-11-27 06:07

    There is no such thing. It looks like you want something like "here documents" in Perl and the shells, but Python doesn't have that.

    Using raw strings or multiline strings only means that there are fewer things to worry about. If you use a raw string then you still have to work around a terminal "\" and with any string solution you'll have to worry about the closing ", ', ''' or """ if it is included in your data.

    That is, there's no way to have the string

     '   ''' """  " \
    

    properly stored in any Python string literal without internal escaping of some sort.

    0 讨论(0)
提交回复
热议问题