0

我需要能够将音频数据插入现有的 ac3 文件。AC3 文件非常简单,可以相互附加而无需剥离标题或任何东西。我遇到的问题是,如果你想添加/覆盖/擦除一块 ac3 文件,你必须以 32ms 为增量,每 32ms 等于 1536 个字节的数据。所以当我插入一个数据块(必须是 1536 字节,正如我刚才所说)时,我需要找到能被 1536 整除的最近偏移量(如 0、1536(0x600)、3072(0xC00)等)。假设我可以解决这个问题。我读过关于在特定偏移量处更改特定字符的信息,但我需要插入(而不是覆盖)整个 1536 字节数据块。给定起始偏移量和 1536 字节的数据块,我将如何在 C# 中执行此操作?

编辑:我要插入的数据块基本上只有 32 毫秒的静音,我有它的十六进制、ASCII 和 ANSI 文本翻译。当然,我可能想多次插入这个块来获得 128 毫秒的静音,而不是仅仅 32 毫秒。

4

2 回答 2

0
byte[] filbyte=File.ReadAllBytes(@"C:\abc.ac3");
byte[] tobeinserted=;//allocate in your way using encoding whatever

byte[] total=new byte[filebyte.Length+tobeinserted.Length];

for(int i=0;int j=0;i<total.Length;)
{
   if(i==1536*pos)//make pos your choice
   { 
     while(j<tobeinserted.Length) 
       total[i++]=tobeinserted[j++];
   }
   else{total[i++]=filbyte[i-j];}
}

File.WriteAllBytes(@"C:\abc.ac3",total);
于 2012-08-25T11:29:13.270 回答
0

这是可以满足您需要的辅助方法:

public static void Insert(string filepath, int insertOffset, Stream dataToInsert)
{
    var newFilePath = filepath + ".tmp";
    using (var source = File.OpenRead(filepath))
    using (var destination = File.OpenWrite(newFilePath))
    {
        CopyTo(source, destination, insertOffset);// first copy the data before insert
        dataToInsert.CopyTo(destination);// write data that needs to be inserted:
        CopyTo(source, destination, (int)(source.Length - insertOffset)); // copy remaining data
    }

    // delete old file and rename new one:
    File.Delete(filepath);
    File.Move(newFilePath, filepath);
}

private static void CopyTo(Stream source, Stream destination, int count)
{
    const int bufferSize = 32 * 1024;
    var buffer = new byte[bufferSize];

    var remaining = count;
    while (remaining > 0)
    {
        var toCopy = remaining > bufferSize ? bufferSize : remaining;
        var actualRead = source.Read(buffer, 0, toCopy);

        destination.Write(buffer, 0, actualRead);
        remaining -= actualRead;
    }
}

这是一个带有示例用法的 NUnit 测试:

[Test]
public void TestInsert()
{
    var originalString = "some original text";
    var insertString = "_ INSERTED TEXT _";
    var insertOffset = 8;

    var file = @"c:\someTextFile.txt";

    if (File.Exists(file))
        File.Delete(file);

    using (var originalData = new MemoryStream(Encoding.ASCII.GetBytes(originalString)))
    using (var f = File.OpenWrite(file))
        originalData.CopyTo(f);

    using (var dataToInsert = new MemoryStream(Encoding.ASCII.GetBytes(insertString)))
        Insert(file, insertOffset, dataToInsert);

    var expectedText = originalString.Insert(insertOffset, insertString);

    var actualText = File.ReadAllText(file);
    Assert.That(actualText, Is.EqualTo(expectedText));
}

请注意,我已经删除了一些代码清晰度检查 - 不要忘记检查 null、文件访问权限和文件大小。例如insertOffset可以大于文件长度 - 此处未检查此条件。

于 2012-08-25T12:59:22.327 回答