Skip to content

fix: turn atlas-connect-cluster async #343

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 26 commits into from
Jul 10, 2025
Merged
Show file tree
Hide file tree
Changes from 21 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 2 additions & 0 deletions src/logger.ts
Original file line number Diff line number Diff line change
Expand Up @@ -17,6 +17,8 @@ export const LogId = {
atlasDeleteDatabaseUserFailure: mongoLogId(1_001_002),
atlasConnectFailure: mongoLogId(1_001_003),
atlasInspectFailure: mongoLogId(1_001_004),
atlasConnectAttempt: mongoLogId(1_001_005),
atlasConnectSucceeded: mongoLogId(1_001_006),

telemetryDisabled: mongoLogId(1_002_001),
telemetryEmitFailure: mongoLogId(1_002_002),
Expand Down
43 changes: 20 additions & 23 deletions src/session.ts
Original file line number Diff line number Diff line change
Expand Up @@ -67,30 +67,27 @@ export class Session extends EventEmitter<{
}
this.serviceProvider = undefined;
}
if (!this.connectedAtlasCluster) {
this.emit("disconnect");
return;
}
void this.apiClient
.deleteDatabaseUser({
params: {
path: {
groupId: this.connectedAtlasCluster.projectId,
username: this.connectedAtlasCluster.username,
databaseName: "admin",
if (this.connectedAtlasCluster?.username && this.connectedAtlasCluster?.projectId) {
void this.apiClient
.deleteDatabaseUser({
params: {
path: {
groupId: this.connectedAtlasCluster.projectId,
username: this.connectedAtlasCluster.username,
databaseName: "admin",
},
},
},
})
.catch((err: unknown) => {
const error = err instanceof Error ? err : new Error(String(err));
logger.error(
LogId.atlasDeleteDatabaseUserFailure,
"atlas-connect-cluster",
`Error deleting previous database user: ${error.message}`
);
});
this.connectedAtlasCluster = undefined;

})
.catch((err: unknown) => {
const error = err instanceof Error ? err : new Error(String(err));
logger.error(
LogId.atlasDeleteDatabaseUserFailure,
"atlas-connect-cluster",
`Error deleting previous database user: ${error.message}`
);
});
this.connectedAtlasCluster = undefined;
}
this.emit("disconnect");
}

Expand Down
149 changes: 141 additions & 8 deletions src/tools/atlas/metadata/connectCluster.ts
Original file line number Diff line number Diff line change
Expand Up @@ -11,18 +11,56 @@
function sleep(ms: number): Promise<void> {
return new Promise((resolve) => setTimeout(resolve, ms));
}

export class ConnectClusterTool extends AtlasToolBase {
protected name = "atlas-connect-cluster";
protected description = "Connect to MongoDB Atlas cluster";
protected description = "Connect to / Inspect connection of MongoDB Atlas cluster";
protected operationType: OperationType = "metadata";
protected argsShape = {
projectId: z.string().describe("Atlas project ID"),
clusterName: z.string().describe("Atlas cluster name"),
};

protected async execute({ projectId, clusterName }: ToolArgs<typeof this.argsShape>): Promise<CallToolResult> {
await this.session.disconnect();
private async queryConnection(
projectId: string,
clusterName: string
): Promise<"connected" | "disconnected" | "connecting" | "connected-to-other-cluster" | "unknown"> {
if (!this.session.connectedAtlasCluster) {
if (this.session.serviceProvider) {
return "connected-to-other-cluster";
}
return "disconnected";
}

if (
this.session.connectedAtlasCluster.projectId !== projectId ||
this.session.connectedAtlasCluster.clusterName !== clusterName
) {
return "connected-to-other-cluster";
}

if (!this.session.serviceProvider) {
return "connecting";
}

try {
await this.session.serviceProvider.runCommand("admin", {
ping: 1,
});

return "connected";
} catch (err: unknown) {
const error = err instanceof Error ? err : new Error(String(err));
logger.debug(
LogId.atlasConnectFailure,
"atlas-connect-cluster",
`error querying cluster: ${error.message}`
);
return "unknown";
}
}

private async prepareClusterConnection(projectId: string, clusterName: string): Promise<string> {
const cluster = await inspectCluster(this.session.apiClient, projectId, clusterName);

if (!cluster.connectionString) {
Expand Down Expand Up @@ -81,14 +119,32 @@
cn.username = username;
cn.password = password;
cn.searchParams.set("authSource", "admin");
const connectionString = cn.toString();
return cn.toString();
}

private async connectToCluster(projectId: string, clusterName: string, connectionString: string): Promise<void> {
let lastError: Error | undefined = undefined;

for (let i = 0; i < 20; i++) {
logger.debug(
LogId.atlasConnectAttempt,
"atlas-connect-cluster",
`attempting to connect to cluster: ${this.session.connectedAtlasCluster?.clusterName}`
);

// try to connect for about 5 minutes
for (let i = 0; i < 600; i++) {
if (
!this.session.connectedAtlasCluster ||
this.session.connectedAtlasCluster.projectId != projectId ||
this.session.connectedAtlasCluster.clusterName != clusterName
) {
throw new Error("Cluster connection aborted");
}

try {
await this.session.connectToMongoDB(connectionString, this.config.connectOptions);
lastError = undefined;

await this.session.connectToMongoDB(connectionString, this.config.connectOptions);
break;
} catch (err: unknown) {
const error = err instanceof Error ? err : new Error(String(err));
Expand All @@ -106,14 +162,91 @@
}

if (lastError) {
if (
this.session.connectedAtlasCluster?.projectId == projectId &&
this.session.connectedAtlasCluster?.clusterName == clusterName &&
this.session.connectedAtlasCluster?.username
) {
void this.session.apiClient
.deleteDatabaseUser({
params: {
path: {
groupId: this.session.connectedAtlasCluster.projectId,
username: this.session.connectedAtlasCluster.username,
databaseName: "admin",
},
},
})
.catch((err: unknown) => {
const error = err instanceof Error ? err : new Error(String(err));
logger.debug(
LogId.atlasConnectFailure,
"atlas-connect-cluster",
`error deleting database user: ${error.message}`
);
});
}
this.session.connectedAtlasCluster = undefined;
throw lastError;
}

logger.debug(
LogId.atlasConnectSucceeded,
"atlas-connect-cluster",
`connected to cluster: ${this.session.connectedAtlasCluster?.clusterName}`
);
}

protected async execute({ projectId, clusterName }: ToolArgs<typeof this.argsShape>): Promise<CallToolResult> {
for (let i = 0; i < 60; i++) {
const state = await this.queryConnection(projectId, clusterName);
switch (state) {
case "connected":
return {
content: [
{
type: "text",
text: `Connected to cluster "${clusterName}".`,
},
],
};
case "connecting":
break;
case "connected-to-other-cluster":
case "disconnected":
case "unknown":
default:
await this.session.disconnect();
const connectionString = await this.prepareClusterConnection(projectId, clusterName);

Check failure on line 220 in src/tools/atlas/metadata/connectCluster.ts

View workflow job for this annotation

GitHub Actions / check-style

Unexpected lexical declaration in case block
Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

We should fix this, though it seems like we can move it entirely into connectToCluster, can't we?

Copy link
Collaborator

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actually, we can't - we need to await this before we continue because it's setting the connected cluster on the session. Guess we just need to wrap it in curly braces.

Copy link
Collaborator Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

fixed the tests and syntax


// try to connect for about 5 minutes asynchronously
void this.connectToCluster(projectId, clusterName, connectionString).catch((err: unknown) => {
const error = err instanceof Error ? err : new Error(String(err));
logger.error(
LogId.atlasConnectFailure,
"atlas-connect-cluster",
`error connecting to cluster: ${error.message}`
);
});
break;
}

await sleep(500);
}

return {
content: [
{
type: "text",
text: `Connected to cluster "${clusterName}"`,
type: "text" as const,
text: `Attempting to connect to cluster "${clusterName}"...`,
},
{
type: "text" as const,
text: `Warning: Provisioning a user and connecting to the cluster may take more time, please check again in a few seconds.`,
},
{
type: "text" as const,
text: `Warning: Make sure your IP address was enabled in the allow list setting of the Atlas cluster.`,
},
],
};
Expand Down
29 changes: 18 additions & 11 deletions src/tools/mongodb/mongodbTool.ts
Original file line number Diff line number Diff line change
Expand Up @@ -14,20 +14,27 @@ export abstract class MongoDBToolBase extends ToolBase {
protected category: ToolCategory = "mongodb";

protected async ensureConnected(): Promise<NodeDriverServiceProvider> {
if (!this.session.serviceProvider && this.config.connectionString) {
try {
await this.connectToMongoDB(this.config.connectionString);
} catch (error) {
logger.error(
LogId.mongodbConnectFailure,
"mongodbTool",
`Failed to connect to MongoDB instance using the connection string from the config: ${error as string}`
if (!this.session.serviceProvider) {
if (this.session.connectedAtlasCluster) {
throw new MongoDBError(
ErrorCodes.NotConnectedToMongoDB,
`Attempting to connect to Atlas cluster "${this.session.connectedAtlasCluster.clusterName}", try again in a few seconds.`
);
throw new MongoDBError(ErrorCodes.MisconfiguredConnectionString, "Not connected to MongoDB.");
}
}

if (!this.session.serviceProvider) {
if (this.config.connectionString) {
try {
await this.connectToMongoDB(this.config.connectionString);
} catch (error) {
logger.error(
LogId.mongodbConnectFailure,
"mongodbTool",
`Failed to connect to MongoDB instance using the connection string from the config: ${error as string}`
);
throw new MongoDBError(ErrorCodes.MisconfiguredConnectionString, "Not connected to MongoDB.");
}
}

throw new MongoDBError(ErrorCodes.NotConnectedToMongoDB, "Not connected to MongoDB");
}

Expand Down
28 changes: 21 additions & 7 deletions tests/integration/tools/atlas/clusters.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -183,13 +183,27 @@ describeWithAtlas("clusters", (integration) => {
it("connects to cluster", async () => {
const projectId = getProjectId();

const response = (await integration.mcpClient().callTool({
name: "atlas-connect-cluster",
arguments: { projectId, clusterName },
})) as CallToolResult;
expect(response.content).toBeArray();
expect(response.content).toHaveLength(1);
expect(response.content[0]?.text).toContain(`Connected to cluster "${clusterName}"`);
for (let i = 0; i < 10; i++) {
const response = (await integration.mcpClient().callTool({
name: "atlas-connect-cluster",
arguments: { projectId, clusterName },
})) as CallToolResult;
expect(response.content).toBeArray();
expect(response.content.length).toBeGreaterThanOrEqual(1);
expect(response.content[0]?.type).toEqual("text");
const c = response.content[0] as { text: string };
if (
c.text.includes("Cluster is already connected.") ||
c.text.includes(`Connected to cluster "${clusterName}"`)
) {
break; // success
} else {
expect(response.content[0]?.text).toContain(
`Attempting to connect to cluster "${clusterName}"...`
);
}
await sleep(500);
}
});
});
});
Expand Down
Loading