main.rs 5.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140
  1. extern crate discord;
  2. extern crate toml;
  3. extern crate serde;
  4. #[macro_use]
  5. extern crate serde_derive;
  6. use std::fs::File;
  7. use std::io::prelude::*;
  8. use discord::{Discord, State};
  9. use discord::model::Event;
  10. // A simple DJ bot example.
  11. // Use by issuing the command "!dj <youtube-link>" in PM or a visible text channel.
  12. // The bot will join the voice channel of the person issuing the command.
  13. // "!dj stop" will stop playing, and "!dj quit" will quit the voice channel.
  14. // The bot will quit any voice channel it is the last user in.
  15. #[derive(Debug, Deserialize)]
  16. struct Config {
  17. discord_token: String,
  18. command_prefix: String,
  19. }
  20. pub fn main() {
  21. // Load config file
  22. let mut file = File::open("config/config.toml").expect("failed to open config file");
  23. let mut contents = String::new();
  24. file.read_to_string(&mut contents).expect("failed to read config file");
  25. let config: Config = toml::from_str(&contents).expect("failed to parse config file");
  26. // Log in to Discord using a bot token from the environment
  27. let discord = Discord::from_bot_token(&config.discord_token).expect("login failed");
  28. // establish websocket and voice connection
  29. let (mut connection, ready) = discord.connect().expect("connect failed");
  30. println!("[Ready] {} is serving {} servers", ready.user.username, ready.servers.len());
  31. let mut state = State::new(ready);
  32. connection.sync_calls(&state.all_private_channels());
  33. // receive events forever
  34. loop {
  35. let event = match connection.recv_event() {
  36. Ok(event) => event,
  37. Err(err) => {
  38. println!("[Warning] Receive error: {:?}", err);
  39. if let discord::Error::WebSocket(..) = err {
  40. // Handle the websocket connection being dropped
  41. let (new_connection, ready) = discord.connect().expect("connect failed");
  42. connection = new_connection;
  43. state = State::new(ready);
  44. println!("[Ready] Reconnected successfully.");
  45. }
  46. if let discord::Error::Closed(..) = err {
  47. break
  48. }
  49. continue
  50. },
  51. };
  52. state.update(&event);
  53. match event {
  54. Event::MessageCreate(message) => {
  55. // safeguard: stop if the message is from us
  56. if message.author.id == state.user().id {
  57. continue
  58. }
  59. // reply to a command if there was one
  60. let mut split = message.content.split(' ');
  61. let first_word = split.next().unwrap_or("");
  62. let argument = split.next().unwrap_or("");
  63. let prefix = &config.command_prefix;
  64. if first_word.starts_with(prefix) {
  65. let vchan = state.find_voice_user(message.author.id);
  66. let command: String = first_word.chars().skip(prefix.chars().count()).collect();
  67. match command.as_ref() {
  68. "stop" => {
  69. vchan.map(|(sid, _)| connection.voice(sid).stop());
  70. },
  71. "quit" => {
  72. vchan.map(|(sid, _)| connection.drop_voice(sid));
  73. },
  74. "play" => {
  75. let output = if let Some((server_id, channel_id)) = vchan {
  76. match discord::voice::open_ytdl_stream(argument) {
  77. Ok(stream) => {
  78. let voice = connection.voice(server_id);
  79. voice.set_deaf(true);
  80. voice.connect(channel_id);
  81. voice.play(stream);
  82. String::new()
  83. },
  84. Err(error) => format!("Error: {}", error),
  85. }
  86. } else {
  87. "You must be in a voice channel to DJ".to_owned()
  88. };
  89. if !output.is_empty() {
  90. warn(discord.send_message(message.channel_id, &output, "", false));
  91. }
  92. },
  93. _ => {
  94. }
  95. }
  96. }
  97. }
  98. Event::VoiceStateUpdate(server_id, _) => {
  99. // If someone moves/hangs up, and we are in a voice channel,
  100. if let Some(cur_channel) = connection.voice(server_id).current_channel() {
  101. // and our current voice channel is empty, disconnect from voice
  102. match server_id {
  103. Some(server_id) => if let Some(srv) = state.servers().iter().find(|srv| srv.id == server_id) {
  104. if srv.voice_states.iter().filter(|vs| vs.channel_id == Some(cur_channel)).count() <= 1 {
  105. connection.voice(Some(server_id)).disconnect();
  106. }
  107. },
  108. None => if let Some(call) = state.calls().get(&cur_channel) {
  109. if call.voice_states.len() <= 1 {
  110. connection.voice(server_id).disconnect();
  111. }
  112. }
  113. }
  114. }
  115. }
  116. _ => {}, // discard other events
  117. }
  118. }
  119. }
  120. fn warn<T, E: ::std::fmt::Debug>(result: Result<T, E>) {
  121. match result {
  122. Ok(_) => {},
  123. Err(err) => println!("[Warning] {:?}", err)
  124. }
  125. }