除了使用C#库中固有的System.Random之外,如何在MVC4中将此正确(或最佳方式)传递给C#。 System.Random似乎很笨重和繁琐,因为如果该方法被短时间连续调用,则该数字不会变得随机。
我遇到的另一个问题是System.Random方法需要Min和Max,如果我将要保持Quotation字符串的数据库不断增长,如何正确调整大小?
这是原始的JavaScript代码。
var which = Math.round(Math.random()*(Quotation.length - 1));
我正在尝试通过从可以使用新报价不断更新的模型中提取来重现此JavaScript代码以获得更好的功能。我不想继续更改此代码:
int ranNum;
Random random = new Random();
ranNum = random.Next(1,7);
每次报价增加......现在,它将列出7个报价字符串中的任何一个,但如果数据库报价从7增加到9,我将不得不返回并将7更改为9,依此类推。这很乏味,必须有更好的方法。
以下是原始JavaScript代码:
<script language="JavaScript">
function rotateEvery(sec)
{
var Quotation=new Array()
// QUOTATIONS
Quotation[0] = '<p>A journey of a thousand li begins with a single step.</p> Confucian Proverb.';
Quotation[1] = '<p>A picture is worth a thousand words.</p> Confucian Proverb.';
Quotation[2] = '<p>After all I have no nationality and am not anxious to claim any. Individuality is more than nationality.</p> Confucian Proverb.';
Quotation[3] = '<p>Be not ashamed of mistakes and thus make them crimes.</p> Confucian Proverb.';
Quotation[4] = '<p>He who counsels himself, counsels a fool.</p> Confucian Proverb.';
Quotation[5] = '<p>If thy strength will serve, go forward in the ranks; if not, stand still.</p> Confucian Proverb.';
Quotation[6] = '<p>Train equally the mind and body.</p> Confucian Proverb.';
var which = Math.round(Math.random()*(Quotation.length - 1));
document.getElementById('textrotator').innerHTML = Quotation[which];
setTimeout('rotateEvery('+sec+')', sec*1000);
}
</script>
提前谢谢。
答案 0 :(得分:7)
System.Random似乎很笨重而且很繁琐,因为如果这个方法被短时间连续调用,那么这个数字就不会随机变化。
这只是意味着你基本上没有错误地使用它。每次需要随机数时都不应该创建新实例 - 您应该重用现有实例。但是,您需要小心,因为Random
不是线程安全的。您基本上希望每个线程有一个实例,或者(更简单但效率更低)线程之间共享的单个实例,并通过锁定来避免线程安全问题。
我有一个article,它会详细介绍,但是这里有一个代码示例,您可以使用它来为任何线程获取适当的Random
实例:
using System;
using System.Threading;
public static class RandomProvider
{
private static int seed = Environment.TickCount;
private static ThreadLocal<Random> randomWrapper = new ThreadLocal<Random>(() =>
new Random(Interlocked.Increment(ref seed))
);
public static Random GetThreadRandom()
{
return randomWrapper.Value;
}
}