MSDN声明
String.Intern检索系统 对指定String的引用
和
String.IsInterned检索一个 引用指定的String。
我认为IsInterned应该返回(我知道它没有)一个bool,说明指定的字符串是否被实习。这是正确的想法吗?我的意思是它至少与.net框架命名约定不一致。
我写了以下代码:
string s = "PK";
string k = "PK";
Console.WriteLine("s has hashcode " + s.GetHashCode());
Console.WriteLine("k has hashcode " + k.GetHashCode());
Console.WriteLine("PK Interned " + string.Intern("PK"));
Console.WriteLine("PK IsInterned " + string.IsInterned("PK"));
输出结果为:
s的哈希码为-837830672
k的哈希码为-837830672
PK Interned PK
PK IsInterned PK
为什么string.IsInterned(“PK”)返回“PK”?
答案 0 :(得分:18)
String.Intern
实习字符串; String.IsInterned
没有。
IsInterned("PK")
正在返回“PK”,因为它已经被实习。它返回字符串而不是bool
的原因是,您可以轻松获取对实习字符串本身的引用(可能与您传入的引用不同)。换句话说,它可以同时有效地返回两个相关的信息 - 您可以模拟它轻松返回bool
:
public static bool IsInternedBool(string text)
{
return string.IsInterned(text) != null;
}
我同意这个命名并不理想,虽然我不确定什么会更好:GetInterned
也许?
这是一个显示差异的例子 - 我没有使用字符串文字,以避免事先被实习:
using System;
class Test
{
static void Main()
{
string first = new string(new[] {'x'});
string second = new string(new[] {'y'});
string.Intern(first); // Interns it
Console.WriteLine(string.IsInterned(first) != null); // Check
string.IsInterned(second); // Doesn't intern it
Console.WriteLine(string.IsInterned(second) != null); // Check
}
}