如何进行未来的调用并等到完成Python?

ora*_*nge 16 python future python-3.x

我有以下代码,其中有一个用户名列表,我尝试检查用户是否在特定的Windows用户组中使用net user \domain | find somegroup.

问题是我为每个用户名运行大约8个用户组的命令,但速度很慢.我想使用期货甚至单独的线程发送这些调用(如果它更快).

在我做任何其他事情之前,我只需要等到最后.我如何在Python中完成它?

for one_username in user_list:
    response = requests.get(somecontent)

    bs_parsed = BeautifulSoup(response.content, 'html.parser')

    find_all2 = bs_parsed.find("div", {"class": "QuickLinks"})
    name = re.sub("\s\s+", ' ', find_all2.find("td", text="Name").find_next_sibling("td").text)

    find_all = bs_parsed.find_all("div", {"class": "visible"})
    all_perms = ""
    d.setdefault(one_username + " (" + name + ")", [])
    for value in find_all:
        test = value.find("a", {"onmouseover": True})
        if test is not None:
            if "MyAppID" in test.text:
                d[one_username + " (" + name + ")"].append(test.text)

    for group in groups:
        try:
            d[one_username + " (" + name + ")"].append(check_output("net user /domain " + one_username + "| find \"" + group + "\"", shell=True, stderr=subprocess.STDOUT).strip().decode("utf-8"))
        except Exception:
            pass
Run Code Online (Sandbox Code Playgroud)

don*_*mus 11

(这个答案目前忽略了解析你的代码的HTML ...你可以将它排队到一个池中,与这种方法如何对net user调用进行排队相同)

首先,让我们定义一个函数,它接受一个tuple(user, group),并返回所需的信息.

# a function that calls net user to find info on a (user, group)
def get_group_info(usr_grp):
    # unpack the arguments
    usr, grp = usr_grp

    try:
        return (usr, grp, 
                check_output(
                    "net user /domain " + usr + "| find \"" + grp + "\"", 
                    shell=True, 
                    stderr=subprocess.STDOUT
                    ).strip().decode("utf-8")))
    except Exception:
        return (usr, grp, None)
Run Code Online (Sandbox Code Playgroud)

现在,我们可以使用在线程池中运行它 multiprocessing.dummy.Pool

from multiprocessing.dummy import Pool
import itertools

# create a pool with four worker threads
pool = Pool(4)

# run get_group_info for every user, group
async_result = pool.map_async(get_group_info, itertools.product(user_list, groups))

# now do some other work we care about
...

# and then wait on our results
results = async_result.get()
Run Code Online (Sandbox Code Playgroud)

results是一个(user, group, data)元组列表,可以根据需要进行处理.

注意: 由于平台不同,此代码目前尚未经过测试


Rol*_*oll 5

在python 3中,更简单方便的解决方案是使用concurrent.futures.

concurrent.futures模块为异步执行可调用对象提供高级接口。参考...

import concurrent.futures


# Get a list containing all groups of a user
def get_groups(username):
    # Do the request and check here
    # And return the groups of current user with a list
    return list()

with concurrent.futures.ThreadPoolExecutor(max_workers=5) as executor:
    # Mark each future with its groups
    future_to_groups = {executor.submit(get_groups, user): user
                        for user in user_list}

    # Now it comes to the result of each user
    for future in concurrent.futures.as_completed(future_to_groups):
        user = future_to_groups[future]
        try:
            # Receive the returned result of current user
            groups = future.result()
        except Exception as exc:
            print('%r generated an exception: %s' % (user, exc))
        else:
            # Here you do anything you need on `groups`
            # Output or collect them
            print('%r is in %d groups' % (user, len(groups)))
Run Code Online (Sandbox Code Playgroud)

请注意,max_workers这里指的是最大线程数。

请参阅此处此示例的来源。

编辑:

如果您需要在单独的线程中进行每次检查:

import concurrent.futures


# Check if a `user` is in a `group`
def check(user, group):
    # Do the check here
    # And return True if user is in this group, False if not
    return True

with concurrent.futures.ThreadPoolExecutor(max_workers=5) as executor:
    # Mark each future with its user and group
    future_to_checks = {executor.submit(check, user, group): (user, group)
                        for user in user_list for group in group_list}

    # Now it comes to the result of each check
    # The try-except-else clause is omitted here
    for future in concurrent.futures.as_completed(future_to_checks):
        user, group = future_to_checks[future]
        in_group = future.result()
        if in_group is True:
            print('%r is in %r' % (user, group))
Run Code Online (Sandbox Code Playgroud)

受到@donkopotamus 的启发,itertools.product可以在这里用来生成所有目标。

如果你不需要处理异常,那就简单多了:

import concurrent.futures
from itertools import product
from collections import defaultdict


def check(target):
    user, group = target
    return True

with concurrent.futures.ThreadPoolExecutor() as executor:
    results = defaultdict(list)
    targets = list(product(user_list, group_list))
    for (user, group), in_group in zip(targets, executor.map(check, targets)):
        if in_group is True:
            results[user].append(group)

    print(results)
Run Code Online (Sandbox Code Playgroud)