標籤:style blog http color io 使用 ar strong sp
解剖SQLSERVER 第三篇 資料類型的實現(譯)
http://improve.dk/implementing-data-types-in-orcamdf/
實現對SQLSERVER資料類型的解析在OrcaMDF 軟體裡面是一件比較簡單的事,只需要實現ISqlType 介面
public interface ISqlType{ bool IsVariableLength { get; } short? FixedLength { get; } object GetValue(byte[] value);}
IsVariableLength 返回資料類型是否是定長的還是變長的。
FixedLength 返回定長資料類型的長度,否則他返回null
資料類型解譯器不關心變長欄位的長度,輸入的位元組大小會決定長度
最後,GetValue 將輸入位元組參數進行解釋並將位元組解釋為相關的.NET對象
SqlInt實現
int類型作為定長類型是非常簡單的,能直接使用BitConverter進行轉換
public class SqlInt : ISqlType{ public bool IsVariableLength { get { return false; } } public short? FixedLength { get { return 4; } } public object GetValue(byte[] value) { if (value.Length != 4) throw new ArgumentException("Invalid value length: " + value.Length); return BitConverter.ToInt32(value, 0); }}
相關測試
[TestFixture]public class SqlIntTests{ [Test] public void GetValue() { var type = new SqlInt(); byte[] input; input = new byte[] { 0x5e, 0x3b, 0x27, 0x2a }; Assert.AreEqual(707214174, Convert.ToInt32(type.GetValue(input))); input = new byte[] { 0x8d, 0xf9, 0xaa, 0x30 }; Assert.AreEqual(816511373, Convert.ToInt32(type.GetValue(input))); input = new byte[] { 0x7a, 0x4a, 0x72, 0xe2 }; Assert.AreEqual(-495826310, Convert.ToInt32(type.GetValue(input))); } [Test] public void Length() { var type = new SqlInt(); Assert.Throws<ArgumentException>(() => type.GetValue(new byte[3])); Assert.Throws<ArgumentException>(() => type.GetValue(new byte[5])); }}
SqlNVarchar 實現
nvarchar 類型也是非常簡單的,注意,如果是可變長度我們返回長度的結果是null
ISqlType 介面實現必須是無狀態的
GetValue 簡單的將輸入的位元組的數進行轉換,這將轉換為相關的.NET 類型,這裡是string類型
public class SqlNVarchar : ISqlType{ public bool IsVariableLength { get { return true; } } public short? FixedLength { get { return null; } } public object GetValue(byte[] value) { return Encoding.Unicode.GetString(value); }}
相關測試
[TestFixture]public class SqlNvarcharTests{ [Test] public void GetValue() { var type = new SqlNVarchar(); byte[] input = new byte[] { 0x47, 0x04, 0x2f, 0x04, 0xe6, 0x00 }; Assert.AreEqual("u0447u042fu00e6", (string)type.GetValue(input)); }}
其他類型的實現
OrcaMDF 軟體現在支援12種資料類型,以後將會支援datetime和bit類型,因為這兩個類型相比起其他類型有些特殊
其餘類型我以後也將會進行實現
第三篇完
解剖SQLSERVER 第三篇 資料類型的實現(譯)