1

这是通过nunit3.ConsoleRunner.

这真的很奇怪,但是在我假期之前可以完美运行的相同代码现在挂了长达 2 小时或更长时间。我为我们的测试创建了自己的方法,因为在导航过去的第二级菜单项时MenuClick(),标准方法也经常挂起。MenuBar.MenuItem()正如我所说,我的方法在假期前效果很好。

反正现在Menu.SubMenu()通话频繁需要2个小时甚至更长时间才能完成,这是不能接受的。

另一个奇怪的地方是测试代码成对地点击了第三级菜单项,它们都打开了一个浏览文件夹对话框。第一个选择源文件夹,另一个选择目标文件夹。“挂起”仅在(到目前为止)尝试submenu在一对 3 级菜单项点击中为第二级获得第二级时发生。

目前为了解决这个问题,我正在生成一个调用 menu = menuBar.MenuItem() 的新线程。在主线程中,我等待菜单为非空或超时发生,然后在检查之间进行 500 毫秒的睡眠。这至少可以让我重试。但是,出现这种情况时,整个被测应用程序中的其余菜单操作都挂起,因此我无法重试。似乎是 TestStack.White 菜单处理区域中的错误。

    public static void GetSubMenu(object obj)
{
    string[] menuNames = obj as string[];
    menu = menuBar.MenuItem(menuNames);
}

private static MenuBar menuBar = null;
private static Menu menu = null;

public static int ClickMenu(MenuBar mainMenu, params string[] menuItems)
{
    menuBar = mainMenu;
    bool bDone = false;
    menu = null;

    System.Threading.Thread t = new System.Threading.Thread(GetSubMenu);
    t.Start(menuItems);
    System.Threading.Thread.Sleep(500);

    DateTime timeOut = DateTime.Now + TimeSpan.FromSeconds(10);

    while (menu == null && DateTime.Now < timeOut)
    {
        System.Threading.Thread.Sleep(500);
    }

    if (menu != null)
    {
        menu.Click();
        bDone = true;
        log.Info($"ClickMenu success");
    }

    t.Abort();

    return bDone ? 1 : 2;
}
4

1 回答 1

1

好的,我已经确定TestStack.White菜单操作容易受到系统繁忙状态的影响,其中尝试执行操作的线程没有足够的时间片来工作,因此可能需要非常非常长的时间。

将工作线程优先级设置为ThreadPriority.Highest是我实现测试套件ClickMenu()方法的关键,如下所示:

public static class Util
{
    static log4net.ILog log = log4net.LogManager.GetLogger(System.Reflection.MethodBase.GetCurrentMethod().DeclaringType);

    private static MenuBar menuBar = null;

    public static void MenuItem(object obj)
    {
        string[] path = obj as string[];

        menuBar.MenuItem(path).Click();
    }

    public static void ClickMenu(MenuBar mainMenu, params string[] menuItems)
    {
        menuBar = mainMenu;

        System.Threading.Thread t = new System.Threading.Thread(MenuItem);
        t.Priority = System.Threading.ThreadPriority.Highest;
        t.Start(menuItems);

        DateTime startTime = DateTime.Now;

        while (t.IsAlive)
        {
            System.Threading.Thread.Sleep(100);
        }

        DateTime endTime = DateTime.Now;
        TimeSpan duration = endTime - startTime;

        if (duration.Seconds > 60)
        {
            log.Info($"Menu Operation duration = {duration.Seconds} sec");
        }
    }
}
于 2019-01-09T17:51:17.773 回答