つまり、この無限ループで UI スレッドをブロックしています。
非同期で実行します:
public partial class Form1 : Form
{
    public Form1()
    {
        InitializeComponent();
        BeginWork();
    }
    private async void BeginWork()
    {
        while (true)
        {
            // Since we asynchronously wait, the UI thread is not blocked by the file download.
            var result = await DoWork(formTextField.Text);
            // Since we resume on the UI context, we can directly access UI elements.
            formTextField.Text = result;
        }
    }
    private async Task<string> DoWork(object text)
    {
        // Do actual work
        await Task.Delay(1000);
        // Return Actual Result
        return DateTime.Now.Ticks.ToString();
    }
}
while(true) は、更新ループに対して少し過剰になる可能性があります。タイマーを潜在的に使用するか、キャンセル トークンを活用して、高パフォーマンスのシナリオで古い結果で UI を更新しないように時間がかかりすぎたリクエストを積極的にキャンセルすることをお勧めします。
例えば
public partial class Form1 : Form
{
    private readonly Timer _sampleTimer;
    public Form1()
    {
        InitializeComponent();
        _sampleTimer = new Timer
            {
                Interval = 500 // 0.5 Seconds
            };
        _sampleTimer.Tick += DoWorkAndUpdateUIAsync;
    }
    private async void DoWorkAndUpdateUIAsync(object sender, EventArgs e)
    {
        // Since we asynchronously wait, the UI thread is not blocked by "the work".
        var result = await DoWorkAsync();
        // Since we resume on the UI context, we can directly access UI elements.
        resultTextField.Text = result;
    }
    private async Task<string> DoWorkAsync()
    {
        await Task.Delay(1000); // Do actual work sampling usb async (not blocking ui)
        return DateTime.Now.Ticks.ToString(); // Sample Result
    }
    private void startButton_Click(object sender, EventArgs e)
    {
        _sampleTimer.Start();
    }
    private void stopButton_Click(object sender, EventArgs e)
    {
        _sampleTimer.Stop();
    }
}