この文字列があるとします
string str = "1234"
この文字列をこの文字列に変換する関数が必要です。
"0x31 0x32 0x33 0x34"
オンラインで検索したところ、似たようなことがたくさん見つかりましたが、この質問に対する回答はありませんでした。
string str = "1234";
char[] charValues = str.ToCharArray();
string hexOutput="";
foreach (char _eachChar in charValues )
{
// Get the integral value of the character.
int value = Convert.ToInt32(_eachChar);
// Convert the decimal value to a hexadecimal value in string form.
hexOutput += String.Format("{0:X}", value);
// to make output as your eg
// hexOutput +=" "+ String.Format("{0:X}", value);
}
//here is the HEX hexOutput
//use hexOutput
これは拡張メソッドの仕事のようです
void Main()
{
string test = "ABCD1234";
string result = test.ToHex();
}
public static class StringExtensions
{
public static string ToHex(this string input)
{
StringBuilder sb = new StringBuilder();
foreach(char c in input)
sb.AppendFormat("0x{0:X2} ", (int)c);
return sb.ToString().Trim();
}
}
いくつかのヒント。
文字列連結を使用しないでください。文字列は不変であるため、文字列を連結するたびに新しい文字列が作成されます。 (メモリ使用量と断片化への圧力)StringBuilderは、通常この場合より効率的です。
文字列は文字の配列であり、文字列にforeachを使用すると、文字配列にすでにアクセスできます
これらの一般的なコードは、プロジェクトで常に利用可能なユーティリティライブラリに含まれる拡張メソッドに最適です(コードの再利用)。
static void Main(string[] args)
{
string str = "1234";
char[] array = str.ToCharArray();
string final = "";
foreach (var i in array)
{
string hex = String.Format("{0:X}", Convert.ToInt32(i));
final += hex.Insert(0, "0X") + " ";
}
final = final.TrimEnd();
Console.WriteLine(final);
}
出力は次のようになります。
0X31 0X32 0X33 0X34
これが DEMO
です。
バイト配列に変換してから16進数に変換する
string data = "1234";
// Convert to byte array
byte[] retval = System.Text.Encoding.ASCII.GetBytes(data);
// Convert to hex and add "0x"
data = "0x" + BitConverter.ToString(retval).Replace("-", " 0x");
System.Diagnostics.Debug.WriteLine(data);
これは私が使用したものです:
private static string ConvertToHex(byte[] bytes)
{
var builder = new StringBuilder();
var hexCharacters = new[] { '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'A', 'B', 'C', 'D', 'E', 'F' };
for (var i = 0; i < bytes.Length; i++)
{
int firstValue = (bytes[i] >> 4) & 0x0F;
int secondValue = bytes[i] & 0x0F;
char firstCharacter = hexCharacters[firstValue];
char secondCharacter = hexCharacters[secondValue];
builder.Append("0x");
builder.Append(firstCharacter);
builder.Append(secondCharacter);
builder.Append(' ');
}
return builder.ToString().Trim(' ');
}
そして、次のように使用されます:
string test = "1234";
ConvertToHex(Encoding.UTF8.GetBytes(test));
これを解決するための素晴らしい宣言的な方法は次のとおりです。
var str = "1234"
string.Join(" ", str.Select(c => $"0x{(int)c:X}"))
// Outputs "0x31 0x32 0x33 0x34"
[TestMethod]
public void ToHex()
{
string str = "1234A";
var result = str.Select(s => string.Format("0x{0:X2}", ((byte)s)));
foreach (var item in result)
{
Debug.WriteLine(item);
}
}