作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
短版:如何将任意字符串转换为具有最小冲突的 6 位数字?
长版:
我在一个小图书馆工作,里面有一堆没有 ISBN 的书。这些通常是来自从未获得 ISBN 的小型出版商的旧版绝版书,我想为他们生成假 ISBN 以帮助进行条形码扫描和外借。
从技术上讲,真正的 ISBN 由商业实体控制,但可以使用该格式分配不属于真正出版商的编号(因此不应引起任何冲突)。
格式是这样的:
978-0-01-######-?
最佳答案
使用 making a fixed-length hash 的代码片段后并计算 ISBN-13 checksum ,我设法创建了似乎有效的非常丑陋的 C# 代码。它将采用任意字符串并将其转换为有效(但假)的 ISBN-13:
public int GetStableHash(string s)
{
uint hash = 0;
// if you care this can be done much faster with unsafe
// using fixed char* reinterpreted as a byte*
foreach (byte b in System.Text.Encoding.Unicode.GetBytes(s))
{
hash += b;
hash += (hash << 10);
hash ^= (hash >> 6);
}
// final avalanche
hash += (hash << 3);
hash ^= (hash >> 11);
hash += (hash << 15);
// helpfully we only want positive integer < MUST_BE_LESS_THAN
// so simple truncate cast is ok if not perfect
return (int)(hash % MUST_BE_LESS_THAN);
}
public int CalculateChecksumDigit(ulong n)
{
string sTemp = n.ToString();
int iSum = 0;
int iDigit = 0;
// Calculate the checksum digit here.
for (int i = sTemp.Length; i >= 1; i--)
{
iDigit = Convert.ToInt32(sTemp.Substring(i - 1, 1));
// This appears to be backwards but the
// EAN-13 checksum must be calculated
// this way to be compatible with UPC-A.
if (i % 2 == 0)
{ // odd
iSum += iDigit * 3;
}
else
{ // even
iSum += iDigit * 1;
}
}
return (10 - (iSum % 10)) % 10;
}
private void generateISBN()
{
string titlehash = GetStableHash(BookTitle.Text).ToString("D6");
string fakeisbn = "978001" + titlehash;
string check = CalculateChecksumDigit(Convert.ToUInt64(fakeisbn)).ToString();
SixDigitID.Text = fakeisbn + check;
}
关于string - 从书名生成假 ISBN? (或 : How to hash a string into a 6-digit numeric ID),我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/12834771/
我是一名优秀的程序员,十分优秀!