如何在C#代碼中使用Console.ReadLine()函數轉換字符串輸入?假設我已經創建了2個整數變量a和b。現在我想從用戶中獲取a和b的值。這怎麼可以在C#中執行?在C中將字符串輸入更改爲int#
回答
感謝CloudyMarble。 – 2013-06-19 05:25:02
試試這個(確保它們輸入有效的字符串):
int a = int.Parse(Console.ReadLine());
而且這樣的:
int a;
string input;
do
{
input = Console.ReadLine();
} while (!int.TryParse(input, out a));
'FormatException';) – Oded 2013-04-04 11:04:08
你也可以使用'int.TryParse',你不確定輸入是一個字符串,你想避免這個異常。 – 2013-04-04 11:04:15
另一種選擇,我一般用的是int.TryParse
int retunedInt;
bool conversionSucceed = int.TryParse("your string", out retunedInt);
所以它的非常適合錯誤tollerant模式,如:
if(!int.TryParse("your string", out retunedInt))
throw new FormatException("Not well formatted string");
+1。出於好奇,如果你拋出異常,爲什麼不使用int.parse並處理可能拋出的異常呢? – keyboardP 2013-04-04 11:24:56
@keyboardP:1.你可以處理一些presice(你提出的自定義異常)並繼續運行程序2.你可能認爲根本不使用exceptino,只是以某種方式處理流程。 – Tigran 2013-04-04 11:46:57
啊,好吧,我明白了。通常我會使用'TryParse'作爲第二個原因,但是我發現程序可能會有自定義的異常和日誌記錄,這很有用。只要確保我沒有錯過一些祕密的'TryParse'用法:D – keyboardP 2013-04-04 11:49:08
您可以使用int.TryParse
int number;
bool result = Int32.TryParse(value, out number);
該方法的TryParse就像解析方法,除了的TryParse 方法,如果轉換失敗也不會拋出異常。它 無需使用異常處理來測試 FormatException在s無效並且不能成功解析 的情況下。 Reference
使用Int32.TryParse以避免異常的情況下用戶不輸入一個整數
string userInput = Console.ReadLine();
int a;
if (Int32.TryParse(userInput, out a))
Console.WriteLine("You have typed an integer number");
else
Console.WriteLine("Your text is not an integer number");
您可以使用Int32.TryParse()
;
將數字的字符串表示形式轉換爲其32位有符號整數等效的 。返回值指示轉換 是否成功。
int i;
bool b = Int32.TryParse(yourstring, out i);
這是在c#中轉換東西的正確方法。 – Ramakrishnan 2013-04-04 11:26:44
使用int.TryParse
像:
int a;
Console.WriteLine("Enter number: ");
while (!int.TryParse(Console.ReadLine(), out a))
{
Console.Write("\nEnter valid number (integer): ");
}
Console.WriteLine("The number entered: {0}", a);
- 1. 如何在C++中將字符串更改爲int數字?
- 2. 將Int值更改爲字符串
- 3. 將字符串更改爲int
- 4. 將字符串變量從字符串更改爲int
- 5. C#將LINQ列表(int)項目更改爲(字符串)
- 6. 文件輸入int字符串c
- 7. 從C++中的輸入字符串中分隔字符串和int字符串
- 8. 將字符串轉換爲int在C++
- 9. C#將字符串更改爲字符串中的小索引
- 10. 試圖解析int字符串的輸入字符串int int
- 11. C#將字符串更改爲新值
- 12. 將字符串更改爲scala中的[int]
- 13. C:將int []轉換爲字符串
- 14. C:將int轉換爲字符串
- 15. 將字符串轉換爲int(C++)
- 16. C++將字符串轉換爲int
- 17. C++,將字符串轉換爲int
- 18. C++將int轉換爲字符串?
- 19. 將字符串轉換爲int-objective c
- 20. 將字符串轉換爲int c
- 21. 如何將字符串更改爲Int並將其相乘
- 22. 如何在inputdlg中將字符串輸入爲字符串?
- 23. 用戶輸入字符串公式,轉換爲int答案C#
- 24. 將字符串轉換爲int,int轉換爲字符串
- 25. 在C++中將字符串劃分爲更小的字符串
- 26. C++奇怪的輸出將字符串轉換爲int
- 27. 在Pentaho數據集成中將字段從字符串更改爲Int
- 28. ValueError:即使輸入爲int,也無法將字符串從Entry轉換爲int
- 29. 如何將用戶(int)的輸入轉換爲字符串
- 30. 將用戶輸入字符串轉換爲int
'int.Parse()'http://msdn.microsoft.com/en-gb/library/b3h1hf19.aspx。你有什麼嘗試? – Jodrell 2013-04-04 11:03:43