標籤:c# 參考型別 記憶體位址 字串 string
對於C/OC/C++程式員來說,輸出一下所建立對象的記憶體位址,觀察、分析或者單純處於好奇心,都是很平常的事情。
然而對於將安全放在第一位的C#語言來說,這個“平常事”貌似並不那麼直接。
本文在stackoverflow的問答基礎上對C#語言顯示參考型別記憶體的地址的方法進行了封裝,
並以System.String和StringBuilder兩個類為例展示了他們的記憶體位址變化情況。
博文首發地址:http://blog.csdn.net/duzixi
首先,在工程設定中,勾選“允許不安全的程式碼”
其次,編寫原始碼如下:
/// <summary>/// Get the memory address of reference type./// 擷取參考型別的記憶體位址/// /// Created by duzixi.com 2014.11.27/// www.lanou3g.com All Rights Reserved/// </summary>using System;using System.Text;using System.Runtime.InteropServices;namespace GetMemory{class MainClass{public static string getMemory(object o) // 擷取參考型別的記憶體位址方法{GCHandle h = GCHandle.Alloc(o, GCHandleType.Pinned);IntPtr addr = h.AddrOfPinnedObject();return "0x" + addr.ToString("X");}public static void Main (string[] args){/// 不可變字串 System.Stringstring str1 = "不可變字串";string str2 = str1;string str3 = str1;str2 = "新的字串"; // 當有新的賦值時,開闢新的空間,Console.WriteLine (str3); // 不發生改變// str2指向新的地址,其它不變Console.WriteLine("str1:" + getMemory(str1));Console.WriteLine("str2:" + getMemory(str2));Console.WriteLine("str3:" + getMemory(str3) + "\n");/// 可變字串 StringBuilderStringBuilder txt = new StringBuilder ("可變字串");StringBuilder aTxt = txt;StringBuilder bTxt = txt;aTxt.Append ("\n 後面追加另一個字串"); Console.WriteLine (bTxt); // 另一個引用字串內容隨之發生改變// 記憶體位址不變Console.WriteLine(" txt:" + getMemory(txt));Console.WriteLine("aTxt:" + getMemory(aTxt));Console.WriteLine("bTxt:" + getMemory(bTxt));}}}
關於神奇的GCHandle以及相關方法還有待進一步研究,不過從運行結果來看這樣已經可以說明一些關於記憶體的問題了。
C#中顯示參考型別變數的記憶體位址(以字串為例)