Ожидание запуска приложения без использования Thread.Sleep() с использованием FLAUI

Я новичок в использовании FLAUI и автоматизации тестирования и хотел бы использовать его для тестирования моей системы. В настоящее время я использую Thread.Sleep(), чтобы дождаться запуска приложения, а затем найти текстовое поле для входа. Есть ли более эффективный способ сделать это, чем использовать Thread.Sleep()?

В данный момент я запускаю приложение и использую Thread.sleep(10000), чтобы дождаться полного запуска приложения и того, что текстовое поле входа в систему можно найти, прежде чем нажать на элемент управления, чтобы ввести пароль для входа в приложение. Однако я понимаю, что Thread.Sleep - это худший способ заставить систему ждать, особенно в автоматических тестах. Может ли кто-нибудь предложить что-нибудь еще, что я мог бы проверить?

3 ответа

Решение

Всегда лучше использовать механизм повтора и подождать, пока загрузится главное окно и элементы управления станут видны. Например, после вызова Application.Launch вы можете повторить попытку до 30 секунд, чтобы найти главное окно, и txtLogin в нем:

        Retry.WhileException(() =>
        {
            using (var automation = new UIA3Automation())
            {
                Window mainWindow = Application.GetMainWindow(automation, TimeSpan.FromSeconds(60));

                Assert.IsNotNull(Mainwindow, "Main window is not found");

                TextBox loginTextBox = mainWindow.FindFirstDescendant(x => x.ByAutomationId("txtLogin")).AsTextBox();

                Assert.IsNotNull(loginTextBox, "txtLogin is not found");
            }

        }, TimeSpan.FromSeconds(30), null, true);

Вопрос уже имеет хорошие ответы, но я нашел еще один способ ждать любого элемента (в том числе главного окна), используя класс Retry в FlaUI.Core.Tools.Retry классе

[TestFixture]
public class SmokeTests
{
    private Application _theApp;
    private UIA3Automation _automation;
    private Window _mainWindow;
    private const int BigWaitTimeout = 3000;
    private const int SmallWaitTimeout = 1000;

    [SetUp]
    public void Setup()
    {
        _theApp = FlaUI.Core.Application.Launch(new ProcessStartInfo("YOUR_APPLICATION.exe", "/quickStart"));
        _automation = new UIA3Automation();
        _mainWindow = _theApp.GetMainWindow(_automation);
    }

    [TearDown]
    public void Teardown()
    {
        _automation?.Dispose();
        _theApp?.Close();
    }

    [Test]
    public void Foo()
    {
        // This will wait until the element is available, or timeout passed
        var examplesWrapPanel = WaitForElement(() => _mainWindow.FindFirstDescendant(cf => cf.ByAutomationId("ExamplesWrapPanel")));

        // This will wait for the child element or timeout 
        var exampleButton = WaitForElement(() => examplesWrapPanel?.FindFirstDescendant(cf => cf.ByAutomationId("Another Automation Id")).AsButton());

        // Do something with your elements 
        exampleButton?.WaitUntilClickable();
        exampleButton?.Invoke();
    }

    private T WaitForElement<T>(Func<T> getter)
    {
        var retry = Retry.WhileNull<T>(
            () => getter(),
            TimeSpan.FromMilliseconds(BigWaitTimeout));

        if (!retry.Success)
        {
            Assert.Fail("Failed to get an element within a wait timeout");
        }

        return retry.Result;
    }
}

}

private void RunProc()
{
Process.Start("exeName");
}


public async Task StartProcessAsync()
{
var result= await Task.Run(()=>RunProc());
//optional
Task.Delay(new TimeSpan.FromSeconds(5));
}

Вы пробовали это решение?

public static void LaunchApplication(string exePath, string arguments, bool waitForExit, bool waitForStart, int waitForStartTimeout)
    {
        ProcessStartInfo thisProcessInfo = new ProcessStartInfo();
        thisProcessInfo.CreateNoWindow = true;
        thisProcessInfo.UseShellExecute = false;
        thisProcessInfo.RedirectStandardOutput = false;
        thisProcessInfo.FileName = exePath;
        thisProcessInfo.Arguments = arguments;
        using(Process thisProcess = Process.Start(thisProcessInfo))
        {
            if(waitForStart)
                thisProcess.WaitForInputIdle(waitForStartTimeout);
            if(waitForExit)
                thisProcess.WaitForExit();
        }
    }
Другие вопросы по тегам