C#实现简单音乐播放器

来源:互联网 发布:如何学习sql数据库 编辑:程序博客网 时间:2024/05/24 02:55

C#实现简单音乐播放器

1、简单音乐播放器实现

(1)新建WINFORM程序,窗体上添加三个按钮:打开:b_open;上一曲:b_up;下一曲:b_next。然后添加一个listbox控件。

要实现的功能:点击打开按钮,打开对话框选择多个音乐文件,可以将文件添加到ListBox控件中,双击ListBox控件中音乐文件名可以进行播放。点击上一曲可以切换到上一曲歌进行播放,点击下一曲可以切换到下一曲歌进行播放。

(2)为ListBox控件添加“DoubleClick”事件。

2、代码如下:

using System;using System.Collections.Generic;using System.ComponentModel;using System.Data;using System.Drawing;using System.Linq;using System.Text;using System.Windows.Forms;using System.IO;//Path类用到using System.Media;    //SoundPlayer命名空间namespace 音乐播放器{    public partial class Form1 : Form    {        public Form1()        {            InitializeComponent();        }        List<string> listsongs = new List<string>();   //用来存储音乐文件的全路径        private void b_open_Click(object sender, EventArgs e)        {            OpenFileDialog ofd = new OpenFileDialog();            ofd.Title = "请选择音乐文件";      //打开对话框的标题            ofd.InitialDirectory = @"F:\music";    //设置打开对话框的初始设置目录            ofd.Multiselect = true; //设置多选            ofd.Filter = @"音乐文件|*.mp3||*.wav|所有文件|*.*";    //设置文件格式筛选            ofd.ShowDialog();   //显示打开对话框            string[] pa_th = ofd.FileNames;       //获得在文件夹中选择的所有文件的全路径            for (int i = 0; i < pa_th.Length;i++ )            {                listBox1.Items.Add(Path.GetFileName(pa_th[i]));  //将音乐文件的文件名加载到listBox中                listsongs.Add(pa_th[i]);    //将音乐文件的全路径存储到泛型集合中            }        }        //实现双击播放        SoundPlayer sp = new SoundPlayer();        private void listBox1_DoubleClick(object sender, EventArgs e)        {            SoundPlayer sp = new SoundPlayer();            sp.SoundLocation=listsongs[listBox1.SelectedIndex];            sp.Play();        }        //点击下一曲        private void b_next_Click(object sender, EventArgs e)        {            int index = listBox1.SelectedIndex; //获得当前选中歌曲的索引            index++;            if (index==listBox1.Items.Count)            {                index = 0;            }            listBox1.SelectedIndex = index; //将改变后的索引重新赋值给我当前选中项的索引            sp.SoundLocation = listsongs[index];            sp.Play();        }        //点击上一曲        private void b_up_Click(object sender, EventArgs e)        {            int index = listBox1.SelectedIndex; //获得当前选中歌曲的索引            index--;            if (index <0)            {                index = listBox1.Items.Count-1;            }            listBox1.SelectedIndex = index; //将改变后的索引重新赋值给我当前选中项的索引            sp.SoundLocation = listsongs[index];            sp.Play();        }    }}

运行结果:


程序源代码下载:http://download.csdn.net/detail/liyuqian199695/9771151

1 0