在我的采访中,他们问我一个实现一个函数来反转一个句子中的每个单词并从中创建最终的句子。例如:
s = 'my life is beautiful'
output - `ym efil si lufituaeb`
我知道问题非常简单,所以在几分钟内解决了这个问题:
s = 'my life is beautiful'
def reverse_sentence(s):
string_reverse = []
for i in s.split():
string_reverse.append("".join(list((reversed(i)))))
print " ".join(string_reverse)
reverse_sentence(s)
然后他们要求使用decorator
实现相同的功能,我在这里感到困惑。我知道decorator
它的使用方法以及使用时间的基础知识。他们没有提到wrap
使用decorator
所需的功能部分。他们告诉我使用args
和kwargs
来实现这一点,我无法解决它。谁能在这帮助我?如何将任何函数转换为装饰器?
根据我的知识,当您想要decorator
或想要修改某些功能时,可以使用wrap your function
。我的理解是否正确?
答案 0 :(得分:2)
def reverse_sentence(fn): # a decorator accepts a function as its argument
def __inner(s,*args,**kwargs): #it will return this modified function
string_reverse = []
for i in s.split():
string_reverse.append("".join(list((reversed(i)))))
return fn(" ".join(string_reverse),*args,**kwargs)
return __inner # return the modified function which does your string reverse on its first argument
我猜......
@reverse_sentence
def printer(s):
print(s)
printer("hello world")
答案 1 :(得分:1)
这是一个不同的看法 - 它定义了一个装饰器,它接受一个函数,它将字符串发送到字符串并返回另一个函数,该函数将传递的函数映射到一个拆分字符串然后重新加入:
def string_map(f): #accepts a function on strings, splits the string, maps the function, then rejoins
def __f(s,*args,**kwargs):
return " ".join(f(t,*args,**kwargs) for t in s.split())
return __f
@string_map
def reverse_string(s):
return s[::-1]
典型输出:
>>> reverse_string("Hello World")
'olleH dlroW'
答案 2 :(得分:1)
这个怎么样:
# decorator method
def my_decorator(old_func):
def new_func(*args):
newargs = (' '.join(''.join(list(args[0])[::-1]).split()[::-1]),)
old_func(*newargs) # call the 'real' function
return new_func # return the new function object
@my_decorator
def str_rev(mystr):
print mystr
str_rev('my life is beautiful')
# ym efil si lufituaeb