0

嗨,我正在制作一个小应用程序,它将加载一些 .mp3 歌曲并将其封面调整为所需的字节大小。
我认为最好的办法是改变实际分辨率,直到它不会低于要求。但我真的不知道如何操作或如何保存 ID3 pic'。

歌曲从OpenFileDialog加载,所需大小从简单的textBox加载。
我正在使用 taglib# 和 C#(WPF),但如果有更好的库来解决这个问题,我不会抗拒。

这是我的示例,它真正调整了图片的大小,但它缩短了它。

private void MenuItem_Click(object sender, RoutedEventArgs e)
{
            int size;
            try
            {                
                size = int.Parse(textBox1.Text);
            }
            catch (FormatException)
            {
                MessageBox.Show("Enter requiered size!", "Err");
                return;
            }

            Microsoft.Win32.OpenFileDialog dlg = new Microsoft.Win32.OpenFileDialog();         
            dlg.DefaultExt = ".mp3";
            dlg.Filter = "mp3 files (.mp3) | *.mp3";
            dlg.Multiselect = true;

            Nullable<bool> result = dlg.ShowDialog();            

            if (result == true)
            {
                foreach (string file in dlg.FileNames)
                {
                    var song = TagLib.File.Create(file);
                    if (song.Tag.Pictures.Length > 0)
                    {
                        // var bin = (byte[])(song.Tag.Pictures[0].Data.Data);                                                
                        song.Tag.Pictures[0].Data.Resize(size);
                    }
                }
            }            
}
4

1 回答 1

1

Data属性是一个ArrayList<byte>表示原始图像文件。通过砍掉最后一个字节来减小大小就像通过删除最后一半或将一本书切成两半来缩小 MP3。您需要获取图像数据,将其转换为图像表示(例如 a System.Drawing.Image),缩放该图像,将其转换为字节数组,然后将其存储回图片属性中。它看起来像:

MemoryStream inputStream = new MemoryStream(song.Tag.Pictures[0].Data.Data);
Image picture = Image.FromStream(inputStream);
// Scale the image: http://www.codeproject.com/Articles/2941/Resizing-a-Photographic-image-with-GDI-for-NET
MemoryStream ouputStream = new MemoryStream();
picture.Save(outputStream, imageFormat);
song.Tag.Pictures[0].Data = outputStream.ToArray();

您必须在如何调整图像大小、如何选择输出格式等方面做一些工作。

于 2012-06-15T23:06:34.617 回答