1use std::collections::HashMap;
49use std::env;
50use std::path::{Path, PathBuf};
51use std::process::{Child, ChildStdin, ChildStdout, Command, Stdio};
52
53use asupersync::Cx;
54use fastmcp_core::{McpError, McpResult};
55use fastmcp_transport::StdioTransport;
56use serde::{Deserialize, Serialize};
57
58use crate::{Client, ClientSession};
59use fastmcp_protocol::{ClientCapabilities, ClientInfo};
60
61#[derive(Debug, Clone, Default, Serialize, Deserialize)]
67#[serde(rename_all = "camelCase")]
68pub struct McpConfig {
69 #[serde(default)]
71 pub mcp_servers: HashMap<String, ServerConfig>,
72}
73
74#[derive(Debug, Clone, Serialize, Deserialize)]
76#[serde(rename_all = "camelCase")]
77pub struct ServerConfig {
78 pub command: String,
80
81 #[serde(default)]
83 pub args: Vec<String>,
84
85 #[serde(default)]
87 pub env: HashMap<String, String>,
88
89 #[serde(default)]
91 pub cwd: Option<String>,
92
93 #[serde(default)]
95 pub disabled: bool,
96}
97
98impl ServerConfig {
99 #[must_use]
101 pub fn new(command: impl Into<String>) -> Self {
102 Self {
103 command: command.into(),
104 args: Vec::new(),
105 env: HashMap::new(),
106 cwd: None,
107 disabled: false,
108 }
109 }
110
111 #[must_use]
113 pub fn with_args(mut self, args: impl IntoIterator<Item = impl Into<String>>) -> Self {
114 self.args = args.into_iter().map(Into::into).collect();
115 self
116 }
117
118 #[must_use]
120 pub fn with_env(mut self, key: impl Into<String>, value: impl Into<String>) -> Self {
121 self.env.insert(key.into(), value.into());
122 self
123 }
124
125 #[must_use]
127 pub fn with_cwd(mut self, cwd: impl Into<String>) -> Self {
128 self.cwd = Some(cwd.into());
129 self
130 }
131
132 #[must_use]
134 pub fn disabled(mut self) -> Self {
135 self.disabled = true;
136 self
137 }
138}
139
140#[derive(Debug)]
146pub enum ConfigError {
147 NotFound(String),
149 ReadError(std::io::Error),
151 ParseError(String),
153 ServerNotFound(String),
155 ServerDisabled(String),
157 SpawnError(String),
159}
160
161impl std::fmt::Display for ConfigError {
162 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
163 match self {
164 ConfigError::NotFound(path) => write!(f, "Configuration file not found: {path}"),
165 ConfigError::ReadError(e) => write!(f, "Failed to read configuration: {e}"),
166 ConfigError::ParseError(e) => write!(f, "Failed to parse configuration: {e}"),
167 ConfigError::ServerNotFound(name) => write!(f, "Server not found: {name}"),
168 ConfigError::ServerDisabled(name) => write!(f, "Server is disabled: {name}"),
169 ConfigError::SpawnError(e) => write!(f, "Failed to spawn server: {e}"),
170 }
171 }
172}
173
174impl std::error::Error for ConfigError {
175 fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
176 match self {
177 ConfigError::ReadError(e) => Some(e),
178 _ => None,
179 }
180 }
181}
182
183impl From<ConfigError> for McpError {
184 fn from(err: ConfigError) -> Self {
185 McpError::internal_error(err.to_string())
186 }
187}
188
189impl McpConfig {
194 #[must_use]
196 pub fn new() -> Self {
197 Self::default()
198 }
199
200 pub fn from_file(path: impl AsRef<Path>) -> Result<Self, ConfigError> {
206 let path = path.as_ref();
207 let content = std::fs::read_to_string(path).map_err(|e| {
208 if e.kind() == std::io::ErrorKind::NotFound {
209 ConfigError::NotFound(path.display().to_string())
210 } else {
211 ConfigError::ReadError(e)
212 }
213 })?;
214
215 Self::from_json(&content)
216 }
217
218 pub fn from_json(json: &str) -> Result<Self, ConfigError> {
224 serde_json::from_str(json).map_err(|e| ConfigError::ParseError(e.to_string()))
225 }
226
227 pub fn from_toml(toml: &str) -> Result<Self, ConfigError> {
244 toml::from_str(toml).map_err(|e| ConfigError::ParseError(e.to_string()))
245 }
246
247 #[must_use]
249 pub fn to_json(&self) -> String {
250 serde_json::to_string_pretty(self).unwrap_or_else(|_| "{}".to_string())
251 }
252
253 #[must_use]
255 pub fn to_toml(&self) -> String {
256 toml::to_string_pretty(self).unwrap_or_else(|_| String::new())
257 }
258
259 pub fn add_server(&mut self, name: impl Into<String>, config: ServerConfig) {
261 self.mcp_servers.insert(name.into(), config);
262 }
263
264 #[must_use]
266 pub fn get_server(&self, name: &str) -> Option<&ServerConfig> {
267 self.mcp_servers.get(name)
268 }
269
270 #[must_use]
272 pub fn server_names(&self) -> Vec<&str> {
273 self.mcp_servers.keys().map(String::as_str).collect()
274 }
275
276 #[must_use]
278 pub fn enabled_servers(&self) -> Vec<&str> {
279 self.mcp_servers
280 .iter()
281 .filter(|(_, c)| !c.disabled)
282 .map(|(n, _)| n.as_str())
283 .collect()
284 }
285
286 pub fn client(&self, name: &str) -> Result<Client, ConfigError> {
292 self.client_with_cx(name, Cx::for_request())
293 }
294
295 pub fn client_with_cx(&self, name: &str, cx: Cx) -> Result<Client, ConfigError> {
301 let config = self
302 .mcp_servers
303 .get(name)
304 .ok_or_else(|| ConfigError::ServerNotFound(name.to_string()))?;
305
306 if config.disabled {
307 return Err(ConfigError::ServerDisabled(name.to_string()));
308 }
309
310 spawn_client_from_config(name, config, cx)
311 }
312
313 pub fn merge(&mut self, other: McpConfig) {
317 self.mcp_servers.extend(other.mcp_servers);
318 }
319}
320
321fn spawn_client_from_config(
323 name: &str,
324 config: &ServerConfig,
325 cx: Cx,
326) -> Result<Client, ConfigError> {
327 let mut cmd = Command::new(&config.command);
329 cmd.args(&config.args);
330
331 for (key, value) in &config.env {
333 cmd.env(key, value);
334 }
335
336 if let Some(ref cwd) = config.cwd {
338 cmd.current_dir(cwd);
339 }
340
341 cmd.stdin(Stdio::piped());
343 cmd.stdout(Stdio::piped());
344 cmd.stderr(Stdio::inherit());
345
346 let mut child = cmd.spawn().map_err(|e| {
348 ConfigError::SpawnError(format!("Failed to spawn {}: {}", config.command, e))
349 })?;
350
351 let stdin = child.stdin.take().ok_or_else(|| {
353 ConfigError::SpawnError(format!("Failed to get stdin for server '{name}'"))
354 })?;
355 let stdout = child.stdout.take().ok_or_else(|| {
356 ConfigError::SpawnError(format!("Failed to get stdout for server '{name}'"))
357 })?;
358
359 let transport = StdioTransport::new(stdout, stdin);
361
362 let client_info = ClientInfo {
364 name: format!("fastmcp-client:{name}"),
365 version: env!("CARGO_PKG_VERSION").to_owned(),
366 };
367 let client_capabilities = ClientCapabilities::default();
368
369 create_and_initialize_client(child, transport, cx, client_info, client_capabilities)
371 .map_err(|e| ConfigError::SpawnError(format!("Initialization failed: {e}")))
372}
373
374fn create_and_initialize_client(
376 child: Child,
377 mut transport: StdioTransport<ChildStdout, ChildStdin>,
378 cx: Cx,
379 client_info: ClientInfo,
380 client_capabilities: ClientCapabilities,
381) -> McpResult<Client> {
382 use fastmcp_protocol::{
383 InitializeParams, InitializeResult, JsonRpcMessage, JsonRpcRequest, PROTOCOL_VERSION,
384 };
385 use fastmcp_transport::Transport;
386
387 let params = InitializeParams {
389 protocol_version: PROTOCOL_VERSION.to_string(),
390 capabilities: client_capabilities.clone(),
391 client_info: client_info.clone(),
392 };
393
394 let params_value = serde_json::to_value(¶ms)
395 .map_err(|e| McpError::internal_error(format!("Failed to serialize params: {e}")))?;
396
397 let request = JsonRpcRequest::new("initialize", Some(params_value), 1);
398
399 transport
400 .send(&cx, &JsonRpcMessage::Request(request))
401 .map_err(crate::transport_error_to_mcp)?;
402
403 let response = loop {
405 let message = transport.recv(&cx).map_err(crate::transport_error_to_mcp)?;
406 if let JsonRpcMessage::Response(resp) = message {
407 break resp;
408 }
409 };
410
411 if let Some(error) = response.error {
413 return Err(McpError::new(
414 fastmcp_core::McpErrorCode::from(error.code),
415 error.message,
416 ));
417 }
418
419 let result_value = response
421 .result
422 .ok_or_else(|| McpError::internal_error("No result in initialize response"))?;
423
424 let init_result: InitializeResult = serde_json::from_value(result_value)
425 .map_err(|e| McpError::internal_error(format!("Failed to parse initialize result: {e}")))?;
426
427 let notification = JsonRpcRequest {
429 jsonrpc: std::borrow::Cow::Borrowed(fastmcp_protocol::JSONRPC_VERSION),
430 method: "initialized".to_string(),
431 params: Some(serde_json::json!({})),
432 id: None,
433 };
434
435 transport
436 .send(&cx, &JsonRpcMessage::Request(notification))
437 .map_err(crate::transport_error_to_mcp)?;
438
439 let session = ClientSession::new(
441 client_info,
442 client_capabilities,
443 init_result.server_info,
444 init_result.capabilities,
445 init_result.protocol_version,
446 );
447
448 Ok(Client::from_parts(child, transport, cx, session, 30_000))
450}
451
452#[derive(Debug, Clone)]
461pub struct ConfigLoader {
462 search_paths: Vec<PathBuf>,
464}
465
466impl Default for ConfigLoader {
467 fn default() -> Self {
468 Self::new()
469 }
470}
471
472impl ConfigLoader {
473 #[must_use]
475 pub fn new() -> Self {
476 Self {
477 search_paths: default_config_paths(),
478 }
479 }
480
481 #[must_use]
483 pub fn from_path(path: impl Into<PathBuf>) -> Self {
484 Self {
485 search_paths: vec![path.into()],
486 }
487 }
488
489 #[must_use]
491 pub fn with_path(mut self, path: impl Into<PathBuf>) -> Self {
492 self.search_paths.push(path.into());
493 self
494 }
495
496 #[must_use]
498 pub fn with_priority_path(mut self, path: impl Into<PathBuf>) -> Self {
499 self.search_paths.insert(0, path.into());
500 self
501 }
502
503 pub fn load(&self) -> Result<McpConfig, ConfigError> {
509 for path in &self.search_paths {
510 if path.exists() {
511 return McpConfig::from_file(path);
512 }
513 }
514
515 Err(ConfigError::NotFound(
516 "No MCP configuration file found".to_string(),
517 ))
518 }
519
520 pub fn load_all(&self) -> McpConfig {
524 let mut config = McpConfig::new();
525
526 for path in &self.search_paths {
527 if path.exists() {
528 if let Ok(loaded) = McpConfig::from_file(path) {
529 config.merge(loaded);
530 }
531 }
532 }
533
534 config
535 }
536
537 #[must_use]
539 pub fn search_paths(&self) -> &[PathBuf] {
540 &self.search_paths
541 }
542
543 #[must_use]
545 pub fn existing_paths(&self) -> Vec<&PathBuf> {
546 self.search_paths.iter().filter(|p| p.exists()).collect()
547 }
548}
549
550#[must_use]
556pub fn default_config_paths() -> Vec<PathBuf> {
557 let mut paths = Vec::new();
558
559 paths.push(PathBuf::from(".mcp/config.json"));
561 paths.push(PathBuf::from(".vscode/mcp.json"));
562
563 if let Some(home) = dirs::home_dir() {
565 #[cfg(target_os = "macos")]
566 {
567 paths.push(home.join("Library/Application Support/Claude/claude_desktop_config.json"));
569 paths.push(home.join(".config/mcp/config.json"));
571 }
572
573 #[cfg(target_os = "windows")]
574 {
575 if let Some(appdata) = dirs::data_dir() {
577 paths.push(appdata.join("Claude/claude_desktop_config.json"));
578 }
579 paths.push(home.join(".mcp/config.json"));
581 }
582
583 #[cfg(target_os = "linux")]
584 {
585 if let Ok(xdg_config) = env::var("XDG_CONFIG_HOME") {
587 let xdg_path = PathBuf::from(xdg_config);
588 paths.push(xdg_path.join("mcp/config.json"));
589 paths.push(xdg_path.join("claude/config.json"));
590 } else {
591 paths.push(home.join(".config/mcp/config.json"));
592 paths.push(home.join(".config/claude/config.json"));
593 }
594 }
595 }
596
597 paths
598}
599
600#[must_use]
602pub fn claude_desktop_config_path() -> Option<PathBuf> {
603 #[cfg(target_os = "macos")]
604 {
605 dirs::home_dir()
606 .map(|h| h.join("Library/Application Support/Claude/claude_desktop_config.json"))
607 }
608
609 #[cfg(target_os = "windows")]
610 {
611 dirs::data_dir().map(|d| d.join("Claude/claude_desktop_config.json"))
612 }
613
614 #[cfg(target_os = "linux")]
615 {
616 if let Ok(xdg_config) = env::var("XDG_CONFIG_HOME") {
617 Some(PathBuf::from(xdg_config).join("claude/config.json"))
618 } else {
619 dirs::home_dir().map(|h| h.join(".config/claude/config.json"))
620 }
621 }
622}
623
624#[cfg(test)]
629mod tests {
630 use super::*;
631
632 #[test]
633 fn test_empty_config() {
634 let config = McpConfig::new();
635 assert!(config.mcp_servers.is_empty());
636 assert!(config.server_names().is_empty());
637 }
638
639 #[test]
640 fn test_parse_json_config() {
641 let json = r#"{
642 "mcpServers": {
643 "filesystem": {
644 "command": "npx",
645 "args": ["-y", "@modelcontextprotocol/server-filesystem", "/tmp"],
646 "env": {
647 "DEBUG": "true"
648 }
649 },
650 "other": {
651 "command": "python",
652 "args": ["-m", "my_server"],
653 "disabled": true
654 }
655 }
656 }"#;
657
658 let config = McpConfig::from_json(json).unwrap();
659
660 assert_eq!(config.mcp_servers.len(), 2);
661
662 let fs = config.get_server("filesystem").unwrap();
663 assert_eq!(fs.command, "npx");
664 assert_eq!(fs.args.len(), 3);
665 assert_eq!(fs.env.get("DEBUG"), Some(&"true".to_string()));
666 assert!(!fs.disabled);
667
668 let other = config.get_server("other").unwrap();
669 assert!(other.disabled);
670
671 let enabled = config.enabled_servers();
673 assert_eq!(enabled.len(), 1);
674 assert!(enabled.contains(&"filesystem"));
675 }
676
677 #[test]
678 fn test_parse_toml_config() {
679 let toml = r#"
681 [mcpServers.filesystem]
682 command = "npx"
683 args = ["-y", "@modelcontextprotocol/server-filesystem", "/tmp"]
684
685 [mcpServers.filesystem.env]
686 DEBUG = "true"
687 "#;
688
689 let config = McpConfig::from_toml(toml).unwrap();
690
691 let fs = config.get_server("filesystem").unwrap();
692 assert_eq!(fs.command, "npx");
693 assert_eq!(fs.args.len(), 3);
694 assert_eq!(fs.env.get("DEBUG"), Some(&"true".to_string()));
695 }
696
697 #[test]
698 fn test_server_config_builder() {
699 let config = ServerConfig::new("python")
700 .with_args(["-m", "my_server"])
701 .with_env("EXAMPLE_ENV", "example-value")
702 .with_cwd("/opt/server");
703
704 assert_eq!(config.command, "python");
705 assert_eq!(config.args, vec!["-m", "my_server"]);
706 assert_eq!(
707 config.env.get("EXAMPLE_ENV"),
708 Some(&"example-value".to_string())
709 );
710 assert_eq!(config.cwd, Some("/opt/server".to_string()));
711 assert!(!config.disabled);
712 }
713
714 #[test]
715 fn test_config_add_and_get_server() {
716 let mut config = McpConfig::new();
717
718 config.add_server("test", ServerConfig::new("echo").with_args(["hello"]));
719
720 assert_eq!(config.server_names().len(), 1);
721 assert!(config.get_server("test").is_some());
722 assert!(config.get_server("nonexistent").is_none());
723 }
724
725 #[test]
726 fn test_config_merge() {
727 let mut base = McpConfig::new();
728 base.add_server("server1", ServerConfig::new("cmd1"));
729 base.add_server("server2", ServerConfig::new("cmd2"));
730
731 let mut overlay = McpConfig::new();
732 overlay.add_server("server2", ServerConfig::new("cmd2-override"));
733 overlay.add_server("server3", ServerConfig::new("cmd3"));
734
735 base.merge(overlay);
736
737 assert_eq!(base.mcp_servers.len(), 3);
738 assert_eq!(base.get_server("server1").unwrap().command, "cmd1");
739 assert_eq!(base.get_server("server2").unwrap().command, "cmd2-override");
740 assert_eq!(base.get_server("server3").unwrap().command, "cmd3");
741 }
742
743 #[test]
744 fn test_config_serialization() {
745 let mut config = McpConfig::new();
746 config.add_server(
747 "test",
748 ServerConfig::new("npx")
749 .with_args(["-y", "server"])
750 .with_env("KEY", "value"),
751 );
752
753 let json = config.to_json();
754 assert!(json.contains("mcpServers"));
755 assert!(json.contains("npx"));
756
757 let toml = config.to_toml();
758 assert!(toml.contains("mcpServers"));
759 assert!(toml.contains("npx"));
760 }
761
762 #[test]
763 fn test_config_loader() {
764 let loader = ConfigLoader::new()
765 .with_path("/custom/path/config.json")
766 .with_priority_path("/priority/config.json");
767
768 let paths = loader.search_paths();
769 assert!(
770 paths
771 .first()
772 .unwrap()
773 .to_str()
774 .unwrap()
775 .contains("priority")
776 );
777 assert!(paths.last().unwrap().to_str().unwrap().contains("custom"));
778 }
779
780 #[test]
781 fn test_error_server_not_found() {
782 let config = McpConfig::new();
783 let result = config.client("nonexistent");
784 assert!(matches!(result, Err(ConfigError::ServerNotFound(_))));
785 }
786
787 #[test]
788 fn test_error_server_disabled() {
789 let mut config = McpConfig::new();
790 config.add_server("disabled", ServerConfig::new("echo").disabled());
791
792 let result = config.client("disabled");
793 assert!(matches!(result, Err(ConfigError::ServerDisabled(_))));
794 }
795
796 #[test]
797 fn test_default_config_paths_not_empty() {
798 let paths = default_config_paths();
799 assert!(!paths.is_empty());
800 }
801
802 #[test]
803 fn test_config_error_display() {
804 let errors = vec![
805 (ConfigError::NotFound("path".into()), "not found"),
806 (
807 ConfigError::ServerNotFound("name".into()),
808 "server not found",
809 ),
810 (ConfigError::ServerDisabled("name".into()), "disabled"),
811 (ConfigError::ParseError("msg".into()), "parse"),
812 ];
813
814 for (error, expected) in errors {
815 assert!(
816 error.to_string().to_lowercase().contains(expected),
817 "Expected '{}' to contain '{}'",
818 error,
819 expected
820 );
821 }
822 }
823
824 #[test]
825 fn test_config_error_source() {
826 let io_err = std::io::Error::new(std::io::ErrorKind::PermissionDenied, "no access");
827 let config_err = ConfigError::ReadError(io_err);
828 assert!(std::error::Error::source(&config_err).is_some());
829
830 let not_found = ConfigError::NotFound("path".into());
831 assert!(std::error::Error::source(¬_found).is_none());
832
833 let parse_err = ConfigError::ParseError("bad".into());
834 assert!(std::error::Error::source(&parse_err).is_none());
835 }
836
837 #[test]
838 fn test_config_error_into_mcp_error() {
839 let err = ConfigError::ServerNotFound("test-srv".into());
840 let mcp_err: McpError = err.into();
841 assert_eq!(mcp_err.code, fastmcp_core::McpErrorCode::InternalError);
842 assert!(mcp_err.message.contains("test-srv"));
843 }
844
845 #[test]
846 fn test_server_config_disabled_builder() {
847 let config = ServerConfig::new("echo").disabled();
848 assert!(config.disabled);
849 }
850
851 #[test]
852 fn test_config_json_round_trip() {
853 let mut config = McpConfig::new();
854 config.add_server(
855 "srv",
856 ServerConfig::new("cmd")
857 .with_args(["a1", "a2"])
858 .with_env("K", "V")
859 .with_cwd("/tmp"),
860 );
861
862 let json = config.to_json();
863 let restored = McpConfig::from_json(&json).expect("round-trip parse");
864 let srv = restored.get_server("srv").expect("server present");
865 assert_eq!(srv.command, "cmd");
866 assert_eq!(srv.args, vec!["a1", "a2"]);
867 assert_eq!(srv.env.get("K"), Some(&"V".to_string()));
868 assert_eq!(srv.cwd.as_deref(), Some("/tmp"));
869 }
870
871 #[test]
872 fn test_config_toml_round_trip() {
873 let mut config = McpConfig::new();
874 config.add_server(
875 "srv",
876 ServerConfig::new("python").with_args(["-m", "server"]),
877 );
878
879 let toml_str = config.to_toml();
880 let restored = McpConfig::from_toml(&toml_str).expect("round-trip parse");
881 let srv = restored.get_server("srv").expect("server present");
882 assert_eq!(srv.command, "python");
883 assert_eq!(srv.args, vec!["-m", "server"]);
884 }
885
886 #[test]
887 fn test_parse_invalid_json() {
888 let result = McpConfig::from_json("not json {{{");
889 assert!(matches!(result, Err(ConfigError::ParseError(_))));
890 }
891
892 #[test]
893 fn test_parse_invalid_toml() {
894 let result = McpConfig::from_toml("[invalid toml = = =");
895 assert!(matches!(result, Err(ConfigError::ParseError(_))));
896 }
897
898 #[test]
899 fn test_from_file_not_found() {
900 let result = McpConfig::from_file("/nonexistent/path/to/config.json");
901 assert!(matches!(result, Err(ConfigError::NotFound(_))));
902 }
903
904 #[test]
905 fn test_config_merge_empty() {
906 let mut base = McpConfig::new();
907 base.add_server("a", ServerConfig::new("cmd_a"));
908 base.merge(McpConfig::new());
909 assert_eq!(base.mcp_servers.len(), 1);
910 assert!(base.get_server("a").is_some());
911 }
912
913 #[test]
914 fn test_config_loader_from_path() {
915 let loader = ConfigLoader::from_path("/specific/path.json");
916 assert_eq!(loader.search_paths().len(), 1);
917 assert_eq!(
918 loader.search_paths()[0],
919 PathBuf::from("/specific/path.json")
920 );
921 }
922
923 #[test]
924 fn test_config_loader_load_no_files_exist() {
925 let loader =
926 ConfigLoader::from_path("/nonexistent/a.json").with_path("/nonexistent/b.json");
927 let result = loader.load();
928 assert!(matches!(result, Err(ConfigError::NotFound(_))));
929 }
930
931 #[test]
932 fn test_config_loader_load_all_no_files() {
933 let loader = ConfigLoader::from_path("/nonexistent/a.json");
934 let config = loader.load_all();
935 assert!(config.mcp_servers.is_empty());
936 }
937
938 #[test]
939 fn test_config_loader_existing_paths_empty() {
940 let loader = ConfigLoader::from_path("/nonexistent/file.json");
941 assert!(loader.existing_paths().is_empty());
942 }
943
944 #[test]
945 fn test_config_loader_default() {
946 let loader = ConfigLoader::default();
947 assert!(!loader.search_paths().is_empty());
948 }
949
950 #[test]
951 fn test_enabled_servers_all_disabled() {
952 let mut config = McpConfig::new();
953 config.add_server("a", ServerConfig::new("cmd").disabled());
954 config.add_server("b", ServerConfig::new("cmd").disabled());
955 assert!(config.enabled_servers().is_empty());
956 }
957
958 #[test]
959 fn test_claude_desktop_config_path_is_some() {
960 let path = claude_desktop_config_path();
962 if dirs::home_dir().is_some() {
964 assert!(path.is_some());
965 }
966 }
967
968 #[test]
969 fn test_server_config_with_multiple_env_vars() {
970 let config = ServerConfig::new("cmd")
971 .with_env("A", "1")
972 .with_env("B", "2")
973 .with_env("C", "3");
974 assert_eq!(config.env.len(), 3);
975 assert_eq!(config.env.get("A"), Some(&"1".to_string()));
976 assert_eq!(config.env.get("B"), Some(&"2".to_string()));
977 assert_eq!(config.env.get("C"), Some(&"3".to_string()));
978 }
979
980 #[test]
981 fn test_config_spawn_error_display() {
982 let err = ConfigError::SpawnError("process died".into());
983 let msg = err.to_string().to_lowercase();
984 assert!(msg.contains("spawn"));
985 assert!(msg.contains("process died"));
986 }
987
988 #[test]
989 fn test_config_empty_json_object() {
990 let config = McpConfig::from_json("{}").expect("parse empty object");
991 assert!(config.mcp_servers.is_empty());
992 }
993
994 #[test]
995 fn test_config_json_with_defaults() {
996 let json = r#"{"mcpServers": {"srv": {"command": "echo"}}}"#;
997 let config = McpConfig::from_json(json).expect("parse");
998 let srv = config.get_server("srv").unwrap();
999 assert!(srv.args.is_empty());
1000 assert!(srv.env.is_empty());
1001 assert!(srv.cwd.is_none());
1002 assert!(!srv.disabled);
1003 }
1004}