Scrivi byte su file


88

Ho una stringa esadecimale (ad esempio 0CFE9E69271557822FE715A8B3E564BE) e voglio scriverla in un file come byte. Per esempio,

Offset      0  1  2  3  4  5  6  7   8  9 10 11 12 13 14 15
00000000   0C FE 9E 69 27 15 57 82  2F E7 15 A8 B3 E5 64 BE   .þži'.W‚/ç.¨³åd¾

Come posso ottenere ciò utilizzando .NET e C #?



1
@Steven: solo parziale. Non è la parte più importante.
John Doe

1
Possibile duplicato di Can a Byte [] Array essere scritto in un file in C #? (anche forse solo un duplicato parziale).
Jeff B

Risposte:


158

Se ti capisco correttamente, questo dovrebbe funzionare. Avrai bisogno di aggiungere using System.IOall'inizio del tuo file se non lo hai già.

public bool ByteArrayToFile(string fileName, byte[] byteArray)
{
    try
    {
        using (var fs = new FileStream(fileName, FileMode.Create, FileAccess.Write))
        {
            fs.Write(byteArray, 0, byteArray.Length);
            return true;
        }
    }
    catch (Exception ex)
    {
        Console.WriteLine("Exception caught in process: {0}", ex);
        return false;
    }
}

74

Il modo più semplice sarebbe convertire la stringa esadecimale in un array di byte e utilizzare il File.WriteAllBytesmetodo.

Usando il StringToByteArray()metodo da questa domanda , faresti qualcosa del genere:

string hexString = "0CFE9E69271557822FE715A8B3E564BE";

File.WriteAllBytes("output.dat", StringToByteArray(hexString));

Il StringToByteArraymetodo è incluso di seguito:

public static byte[] StringToByteArray(string hex) {
    return Enumerable.Range(0, hex.Length)
                     .Where(x => x % 2 == 0)
                     .Select(x => Convert.ToByte(hex.Substring(x, 2), 16))
                     .ToArray();
}

Grazie, questo funziona bene. Come posso aggiungere byte allo stesso file? (dopo la prima 'stringa')
John Doe

1
@Robertico: aggiungi un valore booleano true al terzo parametro di WriteAllBytes. Hai già scoperto MSDN? Questo è il primo collegamento di Google durante la ricerca di WriteAllBytes append.

1
Ho ricevuto un errore durante l'aggiunta del valore booleano "Nessun sovraccarico per il metodo" WriteAllBytes "accetta" 3 "argomenti". MSDN descrive: "Tuttavia, se si aggiungono dati a un file utilizzando un ciclo, un oggetto BinaryWriter può fornire prestazioni migliori perché è sufficiente aprire e chiudere il file una volta." Sto usando un loop. Uso l'esempio di @ 0A0D e ho cambiato "FileMode.Create" in "FileMode.Append".
John Doe

3

Prova questo:

private byte[] Hex2Bin(string hex) 
{
 if ((hex == null) || (hex.Length < 1)) {
  return new byte[0];
 }
 int num = hex.Length / 2;
 byte[] buffer = new byte[num];
 num *= 2;
 for (int i = 0; i < num; i++) {
  int num3 = int.Parse(hex.Substring(i, 2), NumberStyles.HexNumber);
  buffer[i / 2] = (byte) num3;
  i++;
 }
 return buffer;
}

private string Bin2Hex(byte[] binary) 
{
 StringBuilder builder = new StringBuilder();
 foreach(byte num in binary) {
  if (num > 15) {
   builder.AppendFormat("{0:X}", num);
  } else {
   builder.AppendFormat("0{0:X}", num); /////// 大于 15 就多加个 0
  }
 }
 return builder.ToString();
}

Grazie, anche questo funziona bene. Come posso aggiungere byte allo stesso file? (dopo la prima 'stringa')
John Doe

2

Converti la stringa esadecimale in una matrice di byte.

public static byte[] StringToByteArray(string hex) {
return Enumerable.Range(0, hex.Length)
                 .Where(x => x % 2 == 0)
                 .Select(x => Convert.ToByte(hex.Substring(x, 2), 16))
                 .ToArray();
}

Credito: Jared Par

Quindi utilizzare WriteAllBytes per scrivere nel file system.


1
Se stai facendo riferimento a una risposta di Stack Overflow esistente come risposta a questa domanda, allora è una scommessa abbastanza sicura che questa è una domanda duplicata e dovrebbe essere contrassegnata come tale.
ChrisF

1
In questo caso ha risposto solo a una parte della sua domanda, quindi ho sentito che non aveva bisogno di essere contrassegnato come duplicato. Con quella conoscenza sarebbe arrivato solo a metà strada.
Khepri

0

Questo esempio legge 6 byte in un array di byte e lo scrive su un altro array di byte. Esegue un'operazione XOR con i byte in modo che il risultato scritto nel file sia lo stesso dei valori iniziali originali. Il file ha sempre una dimensione di 6 byte, poiché scrive nella posizione 0.

using System;
using System.IO;

namespace ConsoleApplication1
{
    class Program
    {
        static void Main()
        {
        byte[] b1 = { 1, 2, 4, 8, 16, 32 };
        byte[] b2 = new byte[6];
        byte[] b3 = new byte[6];
        byte[] b4 = new byte[6];

        FileStream f1;
        f1 = new FileStream("test.txt", FileMode.Create, FileAccess.Write);

        // write the byte array into a new file
        f1.Write(b1, 0, 6);
        f1.Close();

        // read the byte array
        f1 = new FileStream("test.txt", FileMode.Open, FileAccess.Read);

        f1.Read(b2, 0, 6);
        f1.Close();

        // make changes to the byte array
        for (int i = 1; i < b2.Length; i++)
        {
            b2[i] = (byte)(b2[i] ^ (byte)10); //xor 10
        }

        f1 = new FileStream("test.txt", FileMode.Open, FileAccess.Write);
        // write the new byte array into the file
        f1.Write(b2, 0, 6);
        f1.Close();

        f1 = new FileStream("test.txt", FileMode.Open, FileAccess.Read);

        // read the byte array
        f1.Read(b3, 0, 6);
        f1.Close();

        // make changes to the byte array
        for (int i = 1; i < b3.Length; i++)
        {
            b4[i] = (byte)(b3[i] ^ (byte)10); //xor 10
        }

        f1 = new FileStream("test.txt", FileMode.Open, FileAccess.Write);

        // b4 will have the same values as b1
        f1.Write(b4, 0, 6);
        f1.Close();
        }
    }
}
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.