我正在使用Visual Studio性能测试。我想在每个请求之前生成一个随机名称。我正在为此使用WebTestRequestPlugin:
using System;
using System.ComponentModel;
using System.Linq;
using Microsoft.VisualStudio.TestTools.WebTesting;
namespace TransCEND.Tests.Performance.Plugins
{
public class RandomStringContextParameterWebRequestPlugin : WebTestRequestPlugin
{
[Description("Name of the Context Paramter that will sotre the random string.")]
[DefaultValue("RandomString")]
public string ContextParameter { get; set; }
[Description("Length of the random string.")]
[DefaultValue(10)]
public int Length { get; set; }
[Description("Prefix for the random string.")]
[DefaultValue("")]
public string Prefix { get; set; }
private readonly string _chars = "ABCDEFGHIJKLMNOPQRSTUVWXYZ";
private Random _random = new Random();
public RandomStringContextParameterWebRequestPlugin()
{
ContextParameter = "RandomString";
Prefix = "";
Length = 10;
}
public override void PreRequestDataBinding(object sender, PreRequestDataBindingEventArgs e)
{
e.WebTest.Context[ContextParameter] = CreateNewRandomString();
base.PreRequestDataBinding(sender, e);
}
private string CreateNewRandomString()
{
var randomString = new string(Enumerable.Repeat(_chars, Length).Select(s => s[_random.Next(s.Length)]).ToArray()).ToLower();
return $"{Prefix}{randomString}";
}
}
}
我的问题是,当我开始对多个虚拟用户进行负载测试时,preRequest代码立即针对前几个用户运行,并在每次运行时重写RandomName上下文参数。因此,当我的请求实际运行时,它们使用的是相同的随机名称,从而导致我的后端代码发生冲突。
我的问题是,即使用户负载很高,如何为每个请求生成随机名称?
答案 0 :(得分:1)
我认为问题在于标准随机数例程不是线程安全的。因此,每个虚拟用户(VU)获得相同的随机种子值,并因此获得相同的随机数。有关更完整的说明,请参见ignored-modules
option和here。
问题中未显示public static class RandomNumber
{
private static Random rand = new Random(DateTime.Now.Millisecond);
private static object randLock = new object();
/// <summary>
/// Generate a random number.
/// </summary>
/// <param name="maxPlus1">1 more than the maximum value wanted.</param>
/// <returns>Value between 0 and maxPlus1-1 inclusive. Ie 0 .le. returned value .lt. maxPlus1</returns>
public static int Next(int maxPlus1)
{
int result;
lock (randLock)
{
result = rand.Next(maxPlus1);
}
return result;
}
}
的代码,但它可能使用具有上述问题的基本C#随机数代码。解决方案是使用更安全的随机数。 here提供了一些有关更好的随机数生成器的想法。
在一些性能测试中,我基于以下内容使用了代码:
lock{ ... }
在上面的代码中添加字符串创建方法应该很简单,它可以在{{1}}语句中生成所需的字符串。
陈述“ ”的问题部分“每次运行都重写RandomName上下文参数。因此,当我的请求实际运行时,它们使用相同的随机名称” 误解了正在发生的事情。每个VU都有自己的CP集,只是随机数相同。