如何在Firestore上使用具有有限权限的Admin SDK?

时间:2017-11-02 16:00:07

标签: javascript firebase firebase-security google-cloud-functions google-cloud-firestore

我在使用云功能和firestore规则方面遇到了一些麻烦。 我想在Firestore上使用具有有限特权的云功能并给予 仅具有安全规则

中定义的访问权限

它在RTDB上没有问题,但在Firestore上没有问题。

我已尝试使用此规则

service cloud.firestore {
  match /databases/{database}/documents {

    match /init/{ID=**} {
        allow read, write: if true;
    }

    match /test/{ID=**} {
        allow read, write: if false;
    }
  }
}

这个

const admin = require('firebase-admin');
const functions = require('firebase-functions');
const FieldValue = require('firebase-admin').firestore.FieldValue;

admin.initializeApp({
    credential: admin.credential.cert(serviceAccount),
    databaseURL: 'https://******.firebaseio.com',
    databaseAuthVariableOverride: {
        uid: 'my-worker',
    },
});

const db = admin.firestore();

exports.onTestRights = functions.firestore
    .document('init/{initID}')
    .onCreate((event) => {
        const initID = event.params.initID;
        return db.collection('test').doc(initID).set({'random key': 'random value'}).then(()=>{
            console.log('working');
            return;
        }).catch((err) =>{
            console.log('error: ', err);
            return;
        });
    });

但它仍在写作,而应该是“许可被拒绝”

任何人都知道在火店上是否正常(或尚未植入)或者我误解了什么?

修改 当然,我的最终目标不是遵循这个规则,而只是使用(allow read, write: if request.auth.uid == 'my-worker';

对某些文档/集合进行写/读访问。

EDIT2: 如果在流程using this model

期间没有变化,我想使用安全规则进行检查,就像交易一样

1 个答案:

答案 0 :(得分:4)

正如您所注意到的,databaseAuthVariableOverride仅适用于实时数据库。现在没有什么可以让您在Admin SDK中对Firestore执行相同的操作。

如果要限制服务器代码的访问权限,可以使用的一种解决方法是使用Client JS SDK而不是Firebase Admin,并使用自定义令牌对用户进行签名。以下是执行此操作的示例代码:

// Configure Firebase Client SDK.
const firebase = require('firebase/app');
require('firebase/auth');
require('firebase/firestore');
firebase.initializeApp({
  // ... Initialization settings for web apps. You get this from your Firebase console > Add Firebase to your web app
});

// Configure Firebase Admin SDK.
const admin = require('firebase-admin');
admin.initializeApp({
  credential: admin.credential.cert(serviceAccount),
});

// Create Custom Auth token for 'my-worker'.
const firebaseReady = admin.auth().createCustomToken('my-worker').then(token => {
  // Sign in the Client SDK as 'my-worker'
  return firebase.auth().signInWithCustomToken(token).then(user => {
    console.log('User now signed-in! uid:', user.uid);

    return firebase.firestore();
  });
});

// Now firebaseReady gives you a Promise that completes with a authorized firestore instance. Use it like this:

exports.onTestRights = functions.firestore
  .document('init/{initID}')
  .onCreate(event => {
    const initID = event.params.initID;
    return firebaseReady.then(db => db.collection('test').doc(initID).set({'random key': 'random value'}).then(() => {
      console.log('working');
      return;
    }).catch((err) =>{
      console.log('error: ', err);
      return;
    });
  );
});