Python: пользовательская функция печати, которая печатает функциональный текст - PullRequest
0 голосов
/ 28 января 2020

Python script:

a = "abcde"
print("b[::-1] : ", b[::-1])
print("b[5:0:-1] : ", b[5:0:-1])

Вывод:

 b[::-1] : edcba
 b[5:0:-1] : edcb

Можно ли определить пользовательскую функцию, позволяющую избежать дублирования при наборе текста? Например:

def fuc(a):
    print(a, ":", a) # change here

fuc(b[::-1])
fuc(b[5:0:-1])

Треб. Выход:

b[::-1] : edcba
b[5:0:-1] : edcb

Ответы [ 2 ]

2 голосов
/ 28 января 2020

В python 3.8+ вы можете использовать самодокументированное выражение

>>> print(f"{a[::-1]=}") 
a[::-1]='edcba'
0 голосов
/ 28 января 2020

Решение, включающее интерполяцию строк, возможно с использованием f-строк. Однако f-строки доступны только с Python 3.8 +

Однако мы можем легко реализовать интерполяцию строк, как описано в Как реализовать интерполяцию строк в Python

Текущая модификация расширяет вышеуказанную ссылку, чтобы разрешить выражения в дополнение к поиску переменных.

import sys
from re import sub

def interp(s):
  '''Implement simple string interpolation to handle
    "{var}" replaces var with its value from locals
    "{var=}" replaces var= with var=value, where value is the value of var from locals
    "{expressions} use eval to evaluate expressions (make eval safe by only allowing items from local functions and variables in expression'''

  # 1. Implement self-documenting expressions similar to https://docs.python.org/3/whatsnew/3.8.html#f-strings-support-for-self-documenting-expressions-and-debugging
  s1 = sub( r'{\s*(.*?)=\s*}', lambda m: m.group(1) + '=' + '{' + m.group(1) + '}', s)

  # Get the locals from the previous frame
  previous_frame = sys._getframe(1)  # i.e. current frame(0), previous is frame(1)
  d = previous_frame.f_locals        # get locals from previous frame

  # 2--Replace variable and expression with values
  # Use technique from http://lybniz2.sourceforge.net/safeeval.html to limit eval to make it safe
  # by only allowing locals from d and no globals
  s2 = sub(r'{\s*([^\s]+)\s*}', lambda m: str(d[m.group(1)]) if m.group(1) in d else str(eval(m.group(1), {}, d)), s1)
  return s2

# Test
a = "abcde"

print(interp("a has value {a}"))  # without self-doc =
#Output>>> a has value abcde

print(interp("{a[::-1]=}"))       # with self-doc =
#Output>>> a[::-1]=edcba

print(interp('{a[4:0:-1]=}'))     # with self-doc =
#Output>>> a[4:0:-1]=edcb

print(interp('sum {1+1}') # without self-doc =
#Output>>> sum 2

print(interp('{1+1=}'))  # with self-doc =
#Output>>> 1+1=2
...