подключение от узла к базе данных Azure CosmosDB Mongodb - PullRequest
1 голос
/ 04 апреля 2019

Я пытаюсь подключиться к Azure CosmosDB - MongoDb из приложения узла.

и следующий код:

Я использую строку подключения, которая имеет следующее:

var url = mongodb://<cosmosdb-name>:<primary_master_key>@<cosmosdb-name>.documents.azure.com:10255/?ssl=true&replicaSet=globaldb'

const { MongoClient } = require('mongodb')
const mongodbClient = new MongoClient(url, { useNewUrlParser: true })
const db = await mongodbClient.connect()
const database = db.db(<databasename>)

Но когда я пытаюсь читать, используя поиск или получение, код работает, и я могу получить данные, но я получил это предупреждение:

the options [servers] is not supported
the options [sslverifycertificate] is not supported
the options [caseTranslate] is not supported
the options [credentials] is not supported
the options [username] is not supported
the server/replset/mongos/db options are deprecated, all their options are supported at the top level of the options object [poolSize,ssl,sslValidate,sslCA,sslCert,sslKey,sslPass,sslCRL,autoReconnect,noDelay,keepAlive,keepAliveInitialDelay,connectTimeoutMS,family,socketTimeoutMS,reconnectTries,reconnectInterval,ha,haInterval,replicaSet,secondaryAcceptableLatencyMS,acceptableLatencyMS,connectWithNoPrimary,authSource,w,wtimeout,j,forceServerObjectId,serializeFunctions,ignoreUndefined,raw,bufferMaxEntries,readPreference,pkFactory,promiseLibrary,readConcern,maxStalenessSeconds,loggerLevel,logger,promoteValues,promoteBuffers,promoteLongs,domainsEnabled,checkServerIdentity,validateOptions,appname,auth,user,password,authMechanism,compression,fsync,readPreferenceTags,numberOfRetries,auto_reconnect,minSize,monitorCommands,retryWrites,useNewUrlParser,useUnifiedTopology,serverSelectionTimeoutMS,useRecoveryToken]
the options [source] is not supported
the options [mechanism] is not supported
the options [mechanismProperties] is not supported

Кроме того, я не могу найтихороший учебник / документация по возможностям подключения к mongodb в облаке.

1 Ответ

0 голосов
/ 05 апреля 2019

Я просто следую примеру кода из npm mongodb руководящих принципов , чтобы найти данные в моем космосе db mongo api успешно. Пожалуйста, обратитесь к нему.

const MongoClient = require('mongodb').MongoClient;
const assert = require('assert');

// Connection URL
const url = 'mongodb://***:***@***.documents.azure.com:10255/?ssl=true&replicaSet=globaldb';

// Database Name
const dbName = 'db';

// Use connect method to connect to the server
MongoClient.connect(url, 
  {useNewUrlParser: true},
function(err, client) {
  assert.equal(null, err);
  console.log("Connected successfully to server");

  const db = client.db(dbName);

  findDocuments(db, function() {
      client.close();
    });
});

const findDocuments = function(db, callback) {
  // Get the documents collection
  const collection = db.collection('jay');
  // Find some documents
  collection.find({}).toArray(function(err, docs) {
    assert.equal(err, null);
    console.log("Found the following records");
    console.log(docs)
    callback(docs);
  });
}

Выход:

enter image description here

...