泛型 HashSet

Generically typed HashSet

我在那里找到了一些关于这个主题的信息,但都是关于典型的 classes — 我不知道如何将下面的 class 转换为通用版本。

我继承了使用 SqlHashSet class 为数据库参数设置整数值的现有代码。它看起来像这样:

namespace Services
{
    public class SqlHashSet : HashSet<int>, IEnumerable<SqlDataRecord>
    {
        SqlDataRecord ret = new SqlDataRecord(new SqlMetaData("value", SqlDbType.Int));       
        foreach (var data in this)
        {
            ret.SetValue(0, data);
            yield return ret;
        }
    }
}

由于代码的结构,我必须使用SqlHashSet。我的问题是我需要一个 strings.

的 SqlHashSet

我在想也许我可以在 class 声明中使用 HashSet<T> 但我还必须检查该值的类型是 SqlDbType.int 还是 SqlDbType.VarChar

所以,我的问题是:

  1. 我可以这样做吗?

  2. 我需要做什么才能使用<T>

  3. 也许没有第三个问题;也许我可以在使用泛型类型后逐步执行代码,并弄清楚如何确定要将值设置为的 SqlDbType。

(请注意,您发布的代码无法编译;您不能直接在 class 中编写语句,它们必须在方法中)

您无法创建真正通用的 class,因为您需要根据 T 的类型使用不同的 SqlDbType。但是如果你不介意做一些稍微难看的事情,你可以这样做:

public class SqlHashSet<T> : HashSet<T>, IEnumerable<SqlDataRecord>
{
    private static readonly SqlDbType _sqlDbType = GetSqlDbType();
    private static SqlDbType GetSqlDbType()
    {
        if (typeof(T) == typeof(int))
            return SqlDbType.Int;
        if (typeof(T) == typeof(string))
            return SqlDbType.String;

        ...

        throw new InvalidOperationException($"Can't find the SqlDbType for {typeof(T)}");
    }

    ...

    SqlDataRecord ret = new SqlDataRecord(new SqlMetaData("value", _sqlDbType));
}

如果您不介意必须为每个值类型创建一个单独的 class 的缺点,Lee 的回答中建议的方法类似但更清晰一些。

您可以添加一个基地class:

public abstract class SqlHashSetBase<T> : HashSet<T>, IEnumerable<SqlDataRecord>
{
    protected abstract SqlDbType DbType { get; }

    IEnumerator<SqlDataRecord> IEnumerable<SqlDataRecord>.GetEnumerator()
    {
        SqlDataRecord ret = new SqlDataRecord(new SqlMetaData("value", this.DbType));
        foreach (T data in this)
        {
            ret.SetValue(0, data);
            yield return ret;
        }
    }
}

然后更改您现有的 class:

public class SqlHashSet : SqlHashSetBase<int> {
    protected override SqlDbType DbType {
        get { return SqlDbType.Int; }
    }
}

并添加一个新的:

public class SqlStringHashSet : SqlHashSetBase<string> {
    protected override SqlDbType DbType {
        get { return SqlDbType.NVarChar; }
    }
}

您可能需要考虑将 T => SqlDbType 映射提取到它自己的 class 中并将其作为参数传递,而不是使用抽象方法。您可能还想考虑使用组合而不是直接从 HashSet<T>.

继承