如何将这些Python代码翻译成c# ?
本文关键字:翻译 代码 Python | 更新日期: 2023-09-27 18:03:25
我需要将这段代码反向工程到c#中,关键是输出完全相同。对ord函数和"strHash % (1<<64)"部分有什么建议吗?
def easyHash(s):
"""
MDSD used the following hash algorithm to cal a first part of partition key
"""
strHash = 0
multiplier = 37
for c in s:
strHash = strHash * multiplier + ord(c)
#Only keep the last 64bit, since the mod base is 100
strHash = strHash % (1<<64)
return strHash % 100 #Assume eventVolume is Large
可能是这样的:
注意,我使用ulong
而不是long
,因为我不希望在溢出后出现负数(它们会扰乱计算)。我不需要做strHash = strHash % (1<<64)
,因为ulong
是隐含的。
public static int EasyHash(string s)
{
ulong strHash = 0;
const int multiplier = 37;
for (int i = 0; i < s.Length; i++)
{
unchecked
{
strHash = (strHash * multiplier) + s[i];
}
}
return (int)(strHash % 100);
}
unchecked
关键字通常是不必要的,因为"通常"c#是在unchecked
模式下编译的(因此不检查溢出),但是代码可以在checked
模式下编译(有一个选项)。正如所写的,这段代码需要unchecked
模式(因为它可能有溢出),所以我使用unchecked
关键字强制它。
Python: https://ideone.com/RtNsh7
c#: https://ideone.com/0U2Uyd