C#で数値を文字列に変換したり文字列を数値に変換したりする方法のまとめ。
数値 ⇒ 文字列の変換
数値から文字列への変換にはToString()
が使えます。
サンプルコード
using System;
public class Example1
{
public static void Main()
{
int value1 = 123;
float value2 = 456.78f;
Console.WriteLine("value1 = " + value1.ToString());
Console.WriteLine("value2 = " + value2.ToString());
}
}
実行結果
value1 = 123
value2 = 456.78
文字列 ⇒ 数値の変換
文字列から数値への変換はParse()
が使えます。
例外を発生させたくない場合はTryParse()も使えます。
サンプルコード
using System;
public class Example2
{
public static void Main()
{
try
{
int value1 = int.Parse("123");
float value2 = float.Parse("456.78");
Console.WriteLine("value1 = " + value1);
Console.WriteLine("value2 = " + value2);
}
catch (FormatException)
{
}
}
}
実行結果
value1 = 123
value2 = 456.78
文字列 ⇒ 数値の変換(TryParse編)
サンプルコード
using System;
public class Example3
{
public static void Main()
{
if (int.TryParse("123", out int value1))
{
Console.WriteLine("value1 = " + value1);
}
if (float.TryParse("456.78", out float value2))
{
Console.WriteLine("value2 = " + value2);
}
}
}
実行結果
value1 = 123
value2 = 456.78
リンク
How to convert a string to a number – C# Programming Guide | Microsoft Docs
https://docs.microsoft.com/en-us/dotnet/csharp/programming-guide/types/how-to-convert-a-string-to-a-number