如何从字符串列表中删除引号并将其再次存储为列表..?

How to remove quotes from list of strings and store it as list again..?

我必须在 for 循环中调用该函数。所有这些函数都作为带引号的字符串存储在列表中。我需要删除那些引号并将值再次存储在列表中。

需要做的事情:

  1. 从数据库中获取函数列表
  2. 从字符串列表中删除 single/double 个引号
  3. 将这些字符串存储在列表中
  4. 循环列表执行函数

Python

fruits = ['apple','mango','orange']
print(type(fruits))
func = '[%s]'%','.join(map(str,fruits))
print(func) ## [apple,mango,orange]
print(type(func))

def apple():
  print("In apple")
def mango():
   print("In mango")
def orange():
   print("In orange")

n = len(func)
func_it = itertools.cycle(func)
for i in range(n):
   next(func_it)()

输出

<class 'list'>
[apple,mango,orange]
<class 'str'>

从字符串中删除引号后,其数据类型将更改为 . 有没有办法从字符串列表中删除引号并将这些值再次存储为列表?

你不能这样调用函数。从字符串中删除引号不会将其转换为函数。您正在将 func 构造为 '[apple, mango, orange]' 这是一个字符串。当你遍历它时,你会得到字符串的每个字符。即你得到 [a 等。每个都是一个字符串,你不能调用字符串。你基本上是在做 '['(),这是毫无意义的。

记住 - 在 Python 中 - 函数是 first-class 对象。如果您想列出函数,只需将对这些函数的引用放在列表中:

import itertools

def apple():
  print("In apple")
def mango():
   print("In mango")
def orange():
   print("In orange")

func = [apple, mango, orange]  # list of functions
n = len(func)
func_it = itertools.cycle(func)
for i in range(n):
    x = next(func_it)
    print(type(x))  # check the type
    x()

这导致:

<class 'function'>
In apple
<class 'function'>
In mango
<class 'function'>
In orange

因此,如果您想从字符串 '[apple, mango, orange]' 构建此列表,您需要 eval 它:

s = '[apple, mango, orange]'
func = eval(s)
print(func)

这导致:

[<function apple at 0x000001FB9E7CF040>, <function mango at 0x000001FB9ECB7940>, <function orange at 0x000001FB9ECB7DC0>]

然而,如果可能的话,你应该尽量避免使用 eval

根据你的代码,我猜你想调用一个基于字符串的函数?我建议使用字典

import itertools
fruits = ['apple','mango','orange']
def apple():
  print("In apple")
def mango():
   print("In mango")
def orange():
   print("In orange")
funcs = {'apple':apple()}
funcs['apple']

出来

In apple

您可以使用 globals() 使用名称获取函数对象,然后您可以使用该对象

func = [globals()[fun] for fun in fruits]
func_it = itertools.cycle(func)
for i in range(len(func)):
   next(func_it)()

输出:

In apple
In mango
In orange

您可以使用内置的 python exec() 函数将任何字符串作为代码执行。

#!/usr/bin/env python3

fruits = ['apple','mango','orange']

def apple():
  print("In apple")
def mango():
   print("In mango")
def orange():
   print("In orange")

for func in fruits:
    exec(func + '()')  

输出

In apple
In mango
In orange

在这里,行 hehe = eval(func) 创建了一个名称列表,稍后将其作为函数调用,这是可能的,因为结束括号“()”不是必需的,至少在 Python 3.9 .

import itertools

def apple():
  print("In apple")
def mango():
   print("In mango")
def orange():
   print("In orange")

fruits = ['apple','mango','orange']
print(type(fruits))
func = '[%s]'%','.join(map(str,fruits))
print(func) ## [apple,mango,orange]
hehe = eval(func)
print(type(hehe))

n = len(hehe)
func_it = itertools.cycle(hehe)
for i in range(n):
   next(func_it)()

输出:

<class 'list'>
[apple,mango,orange]
<class 'list'>
In apple
In mango
In orange