Why “single bulk” delete collection in Cloud Firestore is not possible like it is with Realtime Database?












16














With Firebase real time database we can delete a huge list of items with one single command simply by calling remove () on the parent node (the node is deleted and all is children too).



But according to the documentation with Firestore (https://firebase.google.com/docs/firestore/manage-data/delete-data#collections ) :

to delete a Collection we have to code a batch that will to loop over all its documents and delete them one by one .



This is not efficient at all. Is it because Firestore is in beta version or is it structurally impossible to delete the full node (Collection) in one single call ?










share|improve this question





























    16














    With Firebase real time database we can delete a huge list of items with one single command simply by calling remove () on the parent node (the node is deleted and all is children too).



    But according to the documentation with Firestore (https://firebase.google.com/docs/firestore/manage-data/delete-data#collections ) :

    to delete a Collection we have to code a batch that will to loop over all its documents and delete them one by one .



    This is not efficient at all. Is it because Firestore is in beta version or is it structurally impossible to delete the full node (Collection) in one single call ?










    share|improve this question



























      16












      16








      16


      1





      With Firebase real time database we can delete a huge list of items with one single command simply by calling remove () on the parent node (the node is deleted and all is children too).



      But according to the documentation with Firestore (https://firebase.google.com/docs/firestore/manage-data/delete-data#collections ) :

      to delete a Collection we have to code a batch that will to loop over all its documents and delete them one by one .



      This is not efficient at all. Is it because Firestore is in beta version or is it structurally impossible to delete the full node (Collection) in one single call ?










      share|improve this question















      With Firebase real time database we can delete a huge list of items with one single command simply by calling remove () on the parent node (the node is deleted and all is children too).



      But according to the documentation with Firestore (https://firebase.google.com/docs/firestore/manage-data/delete-data#collections ) :

      to delete a Collection we have to code a batch that will to loop over all its documents and delete them one by one .



      This is not efficient at all. Is it because Firestore is in beta version or is it structurally impossible to delete the full node (Collection) in one single call ?







      firebase google-cloud-firestore






      share|improve this question















      share|improve this question













      share|improve this question




      share|improve this question








      edited Mar 9 at 8:45









      Thomas David Kehoe

      1,95711434




      1,95711434










      asked Oct 11 '17 at 16:05









      ThierryC

      76631024




      76631024
























          3 Answers
          3






          active

          oldest

          votes


















          22














          The RTDB is able to do this because each database is local to a single region. In order to provide a serialized view, when you call remove(), the database stops all other work until the removal is complete.



          This behavior has been the cause of several apparent outages: if a remove() call has to delete huge swaths of data, all other activity is effectively locked out until it completes. As a result even for RTDB users that want to delete large quantities of data we have recommended recursively finding and deleting documents in groups.



          Firestore on the other hand is based on more traditional Google-style storage infrastructure where different ranges of keys are assigned dynamically to different servers (storage isn't actually backed by BigTable, but the same principles apply). This means that deleting data is no longer a necessarily a single region action and it becomes very expensive to effectively make the deletion appear transactional. Firestore transactions are currently limited to 100 participants and this means that any non-trivial transactional bulk deletion is impossible.



          We're investigating how best to surface an API that does a bulk deletion without promising transactional behavior. It's straightforward to imagine how to do this from a mobile client, but as you've observed this wouldn't be efficient if all we did is embedded the loop and batch delete for you. We also don't want to make REST clients second-class citizens either.



          Firestore is a new product and there are ton of things still to do. Unfortunately this just hasn't made the cut. While this is something we hope to address eventually I can't provide any timeline on when that would be.



          In the meantime the console and the firebase command-line both provide a non-transactional means of doing this, e.g. for test automation.



          Thanks for your understanding and thanks for trying Firestore!






          share|improve this answer





















          • I think the example in the Firestore doc (linked by @toofoo in the question) is incorrect. ´resolve()´ should be called when ´(numDeleted == 0)´.
            – Leo
            Dec 31 '17 at 14:54










          • BTW, should upload currently be done as batch? Or could transactions be used?
            – Leo
            Dec 31 '17 at 14:58










          • And another question. You wrote "bulk deletion without promising transactional behavior". I need transactional behavior. Can I hope for that?
            – Leo
            Dec 31 '17 at 15:06








          • 1




            Deletion of large numbers of documents in a single transaction is not anything we're planning for. If you really need to remove large numbers of documents at the same time you may need to search for alternatives to deletion. For example: you could name which subcollection to use in a parent and then change the name when you want to logically delete the contents.
            – Gil Gilbert
            Jan 29 at 17:48












          • @GilGilbert is it possible to change the name of collection or the id of document? if so , any link to how
            – Snake
            Mar 6 at 6:46



















          5














          I was happily refactoring my app for Firestore from Realtime Database, enjoying the shorter code and simpler syntax, until I refactored the delete() functions! To delete a document with subcollections:




          • Create an array of promises.


          • get() a subcollection, that doesn't have further subcollections.

          • Iterate through a forEach() function to read each document in the subcollection.

          • Delete each document, and push the delete command into the array of promises.

          • Go on to the next subcollection and repeat this.

          • Use Promise.all(arrayOfPromises) to wait until all the subcollections have been deleted.

          • Then delete the top-level document.


          With multi layers of collections and documents you'll want to make that a function, then call it from another function to get the next higher layer, etc.



          You can see this in the console. To manually delete collections and documents, delete the right-most document, then delete the right-most collection, and so on working left.



          Here's my code, in AngularJS. It only works if the top-level collection wasn't deleted before the subcollections.



          $scope.deleteClip = function(docId) {
          if (docId === undefined) {
          docId = $scope.movieOrTvShow + '_' + $scope.clipInMovieModel;
          }
          $scope.languageVideos = longLanguageFactory.toController($scope.language) + 'Videos';
          var promises = ;
          firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceTranslations').get()
          .then(function(translations) {
          translations.forEach(function(doc) {
          console.log(doc.id);
          promises.push(firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceTranslations').doc(doc.id).delete());
          });
          });
          firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceExplanations').get()
          .then(function(explanations) {
          explanations.forEach(function(doc) {
          console.log(doc.id);
          promises.push(firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceExplanations').doc(doc.id).delete());
          });
          });
          Promise.all(promises).then(function() {
          console.log("All subcollections deleted.");
          firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).delete()
          .then(function() {
          console.log("Collection deleted.");
          $scope.clipInMovieModel = null;
          $scope.$apply();
          })
          .catch(function(error) {
          console.log("Remove failed: " + error.message);
          });
          })
          .catch(function(error){
          console.log("Error deleting subcollections: " + error);
          });
          };


          All that would have been one line in Realtime Database.






          share|improve this answer





























            1














            This is the fastest way to delete all documents in a collection:
            mix between python delete collection loop and python batch method



            def delete_collection(coll_ref, batch_size, counter):
            batch = db.batch()
            init_counter=counter
            docs = coll_ref.limit(500).get()
            deleted = 0

            for doc in docs:
            batch.delete(doc.reference)
            deleted = deleted + 1

            if deleted >= batch_size:
            new_counter= init_counter + deleted
            batch.commit()
            print("potentially deleted: " + str(new_counter))
            return delete_collection(coll_ref, batch_size, new_counter)
            batch.commit()

            delete_collection(db.collection(u'productsNew'), 500, 0)


            this delete all documents from collection "productNew" in blocks of 500, which is currently the maximum number of documents which can be passed to a commit. See Firebase write and transaction quotas.



            You can get more sophisticated and handle also API errors, but this just works fine for me.






            share|improve this answer























              Your Answer






              StackExchange.ifUsing("editor", function () {
              StackExchange.using("externalEditor", function () {
              StackExchange.using("snippets", function () {
              StackExchange.snippets.init();
              });
              });
              }, "code-snippets");

              StackExchange.ready(function() {
              var channelOptions = {
              tags: "".split(" "),
              id: "1"
              };
              initTagRenderer("".split(" "), "".split(" "), channelOptions);

              StackExchange.using("externalEditor", function() {
              // Have to fire editor after snippets, if snippets enabled
              if (StackExchange.settings.snippets.snippetsEnabled) {
              StackExchange.using("snippets", function() {
              createEditor();
              });
              }
              else {
              createEditor();
              }
              });

              function createEditor() {
              StackExchange.prepareEditor({
              heartbeatType: 'answer',
              autoActivateHeartbeat: false,
              convertImagesToLinks: true,
              noModals: true,
              showLowRepImageUploadWarning: true,
              reputationToPostImages: 10,
              bindNavPrevention: true,
              postfix: "",
              imageUploader: {
              brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
              contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
              allowUrls: true
              },
              onDemand: true,
              discardSelector: ".discard-answer"
              ,immediatelyShowMarkdownHelp:true
              });


              }
              });














              draft saved

              draft discarded


















              StackExchange.ready(
              function () {
              StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f46692845%2fwhy-single-bulk-delete-collection-in-cloud-firestore-is-not-possible-like-it-i%23new-answer', 'question_page');
              }
              );

              Post as a guest















              Required, but never shown

























              3 Answers
              3






              active

              oldest

              votes








              3 Answers
              3






              active

              oldest

              votes









              active

              oldest

              votes






              active

              oldest

              votes









              22














              The RTDB is able to do this because each database is local to a single region. In order to provide a serialized view, when you call remove(), the database stops all other work until the removal is complete.



              This behavior has been the cause of several apparent outages: if a remove() call has to delete huge swaths of data, all other activity is effectively locked out until it completes. As a result even for RTDB users that want to delete large quantities of data we have recommended recursively finding and deleting documents in groups.



              Firestore on the other hand is based on more traditional Google-style storage infrastructure where different ranges of keys are assigned dynamically to different servers (storage isn't actually backed by BigTable, but the same principles apply). This means that deleting data is no longer a necessarily a single region action and it becomes very expensive to effectively make the deletion appear transactional. Firestore transactions are currently limited to 100 participants and this means that any non-trivial transactional bulk deletion is impossible.



              We're investigating how best to surface an API that does a bulk deletion without promising transactional behavior. It's straightforward to imagine how to do this from a mobile client, but as you've observed this wouldn't be efficient if all we did is embedded the loop and batch delete for you. We also don't want to make REST clients second-class citizens either.



              Firestore is a new product and there are ton of things still to do. Unfortunately this just hasn't made the cut. While this is something we hope to address eventually I can't provide any timeline on when that would be.



              In the meantime the console and the firebase command-line both provide a non-transactional means of doing this, e.g. for test automation.



              Thanks for your understanding and thanks for trying Firestore!






              share|improve this answer





















              • I think the example in the Firestore doc (linked by @toofoo in the question) is incorrect. ´resolve()´ should be called when ´(numDeleted == 0)´.
                – Leo
                Dec 31 '17 at 14:54










              • BTW, should upload currently be done as batch? Or could transactions be used?
                – Leo
                Dec 31 '17 at 14:58










              • And another question. You wrote "bulk deletion without promising transactional behavior". I need transactional behavior. Can I hope for that?
                – Leo
                Dec 31 '17 at 15:06








              • 1




                Deletion of large numbers of documents in a single transaction is not anything we're planning for. If you really need to remove large numbers of documents at the same time you may need to search for alternatives to deletion. For example: you could name which subcollection to use in a parent and then change the name when you want to logically delete the contents.
                – Gil Gilbert
                Jan 29 at 17:48












              • @GilGilbert is it possible to change the name of collection or the id of document? if so , any link to how
                – Snake
                Mar 6 at 6:46
















              22














              The RTDB is able to do this because each database is local to a single region. In order to provide a serialized view, when you call remove(), the database stops all other work until the removal is complete.



              This behavior has been the cause of several apparent outages: if a remove() call has to delete huge swaths of data, all other activity is effectively locked out until it completes. As a result even for RTDB users that want to delete large quantities of data we have recommended recursively finding and deleting documents in groups.



              Firestore on the other hand is based on more traditional Google-style storage infrastructure where different ranges of keys are assigned dynamically to different servers (storage isn't actually backed by BigTable, but the same principles apply). This means that deleting data is no longer a necessarily a single region action and it becomes very expensive to effectively make the deletion appear transactional. Firestore transactions are currently limited to 100 participants and this means that any non-trivial transactional bulk deletion is impossible.



              We're investigating how best to surface an API that does a bulk deletion without promising transactional behavior. It's straightforward to imagine how to do this from a mobile client, but as you've observed this wouldn't be efficient if all we did is embedded the loop and batch delete for you. We also don't want to make REST clients second-class citizens either.



              Firestore is a new product and there are ton of things still to do. Unfortunately this just hasn't made the cut. While this is something we hope to address eventually I can't provide any timeline on when that would be.



              In the meantime the console and the firebase command-line both provide a non-transactional means of doing this, e.g. for test automation.



              Thanks for your understanding and thanks for trying Firestore!






              share|improve this answer





















              • I think the example in the Firestore doc (linked by @toofoo in the question) is incorrect. ´resolve()´ should be called when ´(numDeleted == 0)´.
                – Leo
                Dec 31 '17 at 14:54










              • BTW, should upload currently be done as batch? Or could transactions be used?
                – Leo
                Dec 31 '17 at 14:58










              • And another question. You wrote "bulk deletion without promising transactional behavior". I need transactional behavior. Can I hope for that?
                – Leo
                Dec 31 '17 at 15:06








              • 1




                Deletion of large numbers of documents in a single transaction is not anything we're planning for. If you really need to remove large numbers of documents at the same time you may need to search for alternatives to deletion. For example: you could name which subcollection to use in a parent and then change the name when you want to logically delete the contents.
                – Gil Gilbert
                Jan 29 at 17:48












              • @GilGilbert is it possible to change the name of collection or the id of document? if so , any link to how
                – Snake
                Mar 6 at 6:46














              22












              22








              22






              The RTDB is able to do this because each database is local to a single region. In order to provide a serialized view, when you call remove(), the database stops all other work until the removal is complete.



              This behavior has been the cause of several apparent outages: if a remove() call has to delete huge swaths of data, all other activity is effectively locked out until it completes. As a result even for RTDB users that want to delete large quantities of data we have recommended recursively finding and deleting documents in groups.



              Firestore on the other hand is based on more traditional Google-style storage infrastructure where different ranges of keys are assigned dynamically to different servers (storage isn't actually backed by BigTable, but the same principles apply). This means that deleting data is no longer a necessarily a single region action and it becomes very expensive to effectively make the deletion appear transactional. Firestore transactions are currently limited to 100 participants and this means that any non-trivial transactional bulk deletion is impossible.



              We're investigating how best to surface an API that does a bulk deletion without promising transactional behavior. It's straightforward to imagine how to do this from a mobile client, but as you've observed this wouldn't be efficient if all we did is embedded the loop and batch delete for you. We also don't want to make REST clients second-class citizens either.



              Firestore is a new product and there are ton of things still to do. Unfortunately this just hasn't made the cut. While this is something we hope to address eventually I can't provide any timeline on when that would be.



              In the meantime the console and the firebase command-line both provide a non-transactional means of doing this, e.g. for test automation.



              Thanks for your understanding and thanks for trying Firestore!






              share|improve this answer












              The RTDB is able to do this because each database is local to a single region. In order to provide a serialized view, when you call remove(), the database stops all other work until the removal is complete.



              This behavior has been the cause of several apparent outages: if a remove() call has to delete huge swaths of data, all other activity is effectively locked out until it completes. As a result even for RTDB users that want to delete large quantities of data we have recommended recursively finding and deleting documents in groups.



              Firestore on the other hand is based on more traditional Google-style storage infrastructure where different ranges of keys are assigned dynamically to different servers (storage isn't actually backed by BigTable, but the same principles apply). This means that deleting data is no longer a necessarily a single region action and it becomes very expensive to effectively make the deletion appear transactional. Firestore transactions are currently limited to 100 participants and this means that any non-trivial transactional bulk deletion is impossible.



              We're investigating how best to surface an API that does a bulk deletion without promising transactional behavior. It's straightforward to imagine how to do this from a mobile client, but as you've observed this wouldn't be efficient if all we did is embedded the loop and batch delete for you. We also don't want to make REST clients second-class citizens either.



              Firestore is a new product and there are ton of things still to do. Unfortunately this just hasn't made the cut. While this is something we hope to address eventually I can't provide any timeline on when that would be.



              In the meantime the console and the firebase command-line both provide a non-transactional means of doing this, e.g. for test automation.



              Thanks for your understanding and thanks for trying Firestore!







              share|improve this answer












              share|improve this answer



              share|improve this answer










              answered Oct 11 '17 at 20:40









              Gil Gilbert

              3,3791115




              3,3791115












              • I think the example in the Firestore doc (linked by @toofoo in the question) is incorrect. ´resolve()´ should be called when ´(numDeleted == 0)´.
                – Leo
                Dec 31 '17 at 14:54










              • BTW, should upload currently be done as batch? Or could transactions be used?
                – Leo
                Dec 31 '17 at 14:58










              • And another question. You wrote "bulk deletion without promising transactional behavior". I need transactional behavior. Can I hope for that?
                – Leo
                Dec 31 '17 at 15:06








              • 1




                Deletion of large numbers of documents in a single transaction is not anything we're planning for. If you really need to remove large numbers of documents at the same time you may need to search for alternatives to deletion. For example: you could name which subcollection to use in a parent and then change the name when you want to logically delete the contents.
                – Gil Gilbert
                Jan 29 at 17:48












              • @GilGilbert is it possible to change the name of collection or the id of document? if so , any link to how
                – Snake
                Mar 6 at 6:46


















              • I think the example in the Firestore doc (linked by @toofoo in the question) is incorrect. ´resolve()´ should be called when ´(numDeleted == 0)´.
                – Leo
                Dec 31 '17 at 14:54










              • BTW, should upload currently be done as batch? Or could transactions be used?
                – Leo
                Dec 31 '17 at 14:58










              • And another question. You wrote "bulk deletion without promising transactional behavior". I need transactional behavior. Can I hope for that?
                – Leo
                Dec 31 '17 at 15:06








              • 1




                Deletion of large numbers of documents in a single transaction is not anything we're planning for. If you really need to remove large numbers of documents at the same time you may need to search for alternatives to deletion. For example: you could name which subcollection to use in a parent and then change the name when you want to logically delete the contents.
                – Gil Gilbert
                Jan 29 at 17:48












              • @GilGilbert is it possible to change the name of collection or the id of document? if so , any link to how
                – Snake
                Mar 6 at 6:46
















              I think the example in the Firestore doc (linked by @toofoo in the question) is incorrect. ´resolve()´ should be called when ´(numDeleted == 0)´.
              – Leo
              Dec 31 '17 at 14:54




              I think the example in the Firestore doc (linked by @toofoo in the question) is incorrect. ´resolve()´ should be called when ´(numDeleted == 0)´.
              – Leo
              Dec 31 '17 at 14:54












              BTW, should upload currently be done as batch? Or could transactions be used?
              – Leo
              Dec 31 '17 at 14:58




              BTW, should upload currently be done as batch? Or could transactions be used?
              – Leo
              Dec 31 '17 at 14:58












              And another question. You wrote "bulk deletion without promising transactional behavior". I need transactional behavior. Can I hope for that?
              – Leo
              Dec 31 '17 at 15:06






              And another question. You wrote "bulk deletion without promising transactional behavior". I need transactional behavior. Can I hope for that?
              – Leo
              Dec 31 '17 at 15:06






              1




              1




              Deletion of large numbers of documents in a single transaction is not anything we're planning for. If you really need to remove large numbers of documents at the same time you may need to search for alternatives to deletion. For example: you could name which subcollection to use in a parent and then change the name when you want to logically delete the contents.
              – Gil Gilbert
              Jan 29 at 17:48






              Deletion of large numbers of documents in a single transaction is not anything we're planning for. If you really need to remove large numbers of documents at the same time you may need to search for alternatives to deletion. For example: you could name which subcollection to use in a parent and then change the name when you want to logically delete the contents.
              – Gil Gilbert
              Jan 29 at 17:48














              @GilGilbert is it possible to change the name of collection or the id of document? if so , any link to how
              – Snake
              Mar 6 at 6:46




              @GilGilbert is it possible to change the name of collection or the id of document? if so , any link to how
              – Snake
              Mar 6 at 6:46













              5














              I was happily refactoring my app for Firestore from Realtime Database, enjoying the shorter code and simpler syntax, until I refactored the delete() functions! To delete a document with subcollections:




              • Create an array of promises.


              • get() a subcollection, that doesn't have further subcollections.

              • Iterate through a forEach() function to read each document in the subcollection.

              • Delete each document, and push the delete command into the array of promises.

              • Go on to the next subcollection and repeat this.

              • Use Promise.all(arrayOfPromises) to wait until all the subcollections have been deleted.

              • Then delete the top-level document.


              With multi layers of collections and documents you'll want to make that a function, then call it from another function to get the next higher layer, etc.



              You can see this in the console. To manually delete collections and documents, delete the right-most document, then delete the right-most collection, and so on working left.



              Here's my code, in AngularJS. It only works if the top-level collection wasn't deleted before the subcollections.



              $scope.deleteClip = function(docId) {
              if (docId === undefined) {
              docId = $scope.movieOrTvShow + '_' + $scope.clipInMovieModel;
              }
              $scope.languageVideos = longLanguageFactory.toController($scope.language) + 'Videos';
              var promises = ;
              firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceTranslations').get()
              .then(function(translations) {
              translations.forEach(function(doc) {
              console.log(doc.id);
              promises.push(firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceTranslations').doc(doc.id).delete());
              });
              });
              firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceExplanations').get()
              .then(function(explanations) {
              explanations.forEach(function(doc) {
              console.log(doc.id);
              promises.push(firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceExplanations').doc(doc.id).delete());
              });
              });
              Promise.all(promises).then(function() {
              console.log("All subcollections deleted.");
              firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).delete()
              .then(function() {
              console.log("Collection deleted.");
              $scope.clipInMovieModel = null;
              $scope.$apply();
              })
              .catch(function(error) {
              console.log("Remove failed: " + error.message);
              });
              })
              .catch(function(error){
              console.log("Error deleting subcollections: " + error);
              });
              };


              All that would have been one line in Realtime Database.






              share|improve this answer


























                5














                I was happily refactoring my app for Firestore from Realtime Database, enjoying the shorter code and simpler syntax, until I refactored the delete() functions! To delete a document with subcollections:




                • Create an array of promises.


                • get() a subcollection, that doesn't have further subcollections.

                • Iterate through a forEach() function to read each document in the subcollection.

                • Delete each document, and push the delete command into the array of promises.

                • Go on to the next subcollection and repeat this.

                • Use Promise.all(arrayOfPromises) to wait until all the subcollections have been deleted.

                • Then delete the top-level document.


                With multi layers of collections and documents you'll want to make that a function, then call it from another function to get the next higher layer, etc.



                You can see this in the console. To manually delete collections and documents, delete the right-most document, then delete the right-most collection, and so on working left.



                Here's my code, in AngularJS. It only works if the top-level collection wasn't deleted before the subcollections.



                $scope.deleteClip = function(docId) {
                if (docId === undefined) {
                docId = $scope.movieOrTvShow + '_' + $scope.clipInMovieModel;
                }
                $scope.languageVideos = longLanguageFactory.toController($scope.language) + 'Videos';
                var promises = ;
                firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceTranslations').get()
                .then(function(translations) {
                translations.forEach(function(doc) {
                console.log(doc.id);
                promises.push(firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceTranslations').doc(doc.id).delete());
                });
                });
                firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceExplanations').get()
                .then(function(explanations) {
                explanations.forEach(function(doc) {
                console.log(doc.id);
                promises.push(firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceExplanations').doc(doc.id).delete());
                });
                });
                Promise.all(promises).then(function() {
                console.log("All subcollections deleted.");
                firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).delete()
                .then(function() {
                console.log("Collection deleted.");
                $scope.clipInMovieModel = null;
                $scope.$apply();
                })
                .catch(function(error) {
                console.log("Remove failed: " + error.message);
                });
                })
                .catch(function(error){
                console.log("Error deleting subcollections: " + error);
                });
                };


                All that would have been one line in Realtime Database.






                share|improve this answer
























                  5












                  5








                  5






                  I was happily refactoring my app for Firestore from Realtime Database, enjoying the shorter code and simpler syntax, until I refactored the delete() functions! To delete a document with subcollections:




                  • Create an array of promises.


                  • get() a subcollection, that doesn't have further subcollections.

                  • Iterate through a forEach() function to read each document in the subcollection.

                  • Delete each document, and push the delete command into the array of promises.

                  • Go on to the next subcollection and repeat this.

                  • Use Promise.all(arrayOfPromises) to wait until all the subcollections have been deleted.

                  • Then delete the top-level document.


                  With multi layers of collections and documents you'll want to make that a function, then call it from another function to get the next higher layer, etc.



                  You can see this in the console. To manually delete collections and documents, delete the right-most document, then delete the right-most collection, and so on working left.



                  Here's my code, in AngularJS. It only works if the top-level collection wasn't deleted before the subcollections.



                  $scope.deleteClip = function(docId) {
                  if (docId === undefined) {
                  docId = $scope.movieOrTvShow + '_' + $scope.clipInMovieModel;
                  }
                  $scope.languageVideos = longLanguageFactory.toController($scope.language) + 'Videos';
                  var promises = ;
                  firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceTranslations').get()
                  .then(function(translations) {
                  translations.forEach(function(doc) {
                  console.log(doc.id);
                  promises.push(firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceTranslations').doc(doc.id).delete());
                  });
                  });
                  firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceExplanations').get()
                  .then(function(explanations) {
                  explanations.forEach(function(doc) {
                  console.log(doc.id);
                  promises.push(firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceExplanations').doc(doc.id).delete());
                  });
                  });
                  Promise.all(promises).then(function() {
                  console.log("All subcollections deleted.");
                  firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).delete()
                  .then(function() {
                  console.log("Collection deleted.");
                  $scope.clipInMovieModel = null;
                  $scope.$apply();
                  })
                  .catch(function(error) {
                  console.log("Remove failed: " + error.message);
                  });
                  })
                  .catch(function(error){
                  console.log("Error deleting subcollections: " + error);
                  });
                  };


                  All that would have been one line in Realtime Database.






                  share|improve this answer












                  I was happily refactoring my app for Firestore from Realtime Database, enjoying the shorter code and simpler syntax, until I refactored the delete() functions! To delete a document with subcollections:




                  • Create an array of promises.


                  • get() a subcollection, that doesn't have further subcollections.

                  • Iterate through a forEach() function to read each document in the subcollection.

                  • Delete each document, and push the delete command into the array of promises.

                  • Go on to the next subcollection and repeat this.

                  • Use Promise.all(arrayOfPromises) to wait until all the subcollections have been deleted.

                  • Then delete the top-level document.


                  With multi layers of collections and documents you'll want to make that a function, then call it from another function to get the next higher layer, etc.



                  You can see this in the console. To manually delete collections and documents, delete the right-most document, then delete the right-most collection, and so on working left.



                  Here's my code, in AngularJS. It only works if the top-level collection wasn't deleted before the subcollections.



                  $scope.deleteClip = function(docId) {
                  if (docId === undefined) {
                  docId = $scope.movieOrTvShow + '_' + $scope.clipInMovieModel;
                  }
                  $scope.languageVideos = longLanguageFactory.toController($scope.language) + 'Videos';
                  var promises = ;
                  firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceTranslations').get()
                  .then(function(translations) {
                  translations.forEach(function(doc) {
                  console.log(doc.id);
                  promises.push(firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceTranslations').doc(doc.id).delete());
                  });
                  });
                  firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceExplanations').get()
                  .then(function(explanations) {
                  explanations.forEach(function(doc) {
                  console.log(doc.id);
                  promises.push(firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).collection('SentenceExplanations').doc(doc.id).delete());
                  });
                  });
                  Promise.all(promises).then(function() {
                  console.log("All subcollections deleted.");
                  firebase.firestore().collection($scope.languageVideos).doc($scope.movieOrTvShow).collection('Video Clips').doc(docId).delete()
                  .then(function() {
                  console.log("Collection deleted.");
                  $scope.clipInMovieModel = null;
                  $scope.$apply();
                  })
                  .catch(function(error) {
                  console.log("Remove failed: " + error.message);
                  });
                  })
                  .catch(function(error){
                  console.log("Error deleting subcollections: " + error);
                  });
                  };


                  All that would have been one line in Realtime Database.







                  share|improve this answer












                  share|improve this answer



                  share|improve this answer










                  answered Mar 7 at 21:37









                  Thomas David Kehoe

                  1,95711434




                  1,95711434























                      1














                      This is the fastest way to delete all documents in a collection:
                      mix between python delete collection loop and python batch method



                      def delete_collection(coll_ref, batch_size, counter):
                      batch = db.batch()
                      init_counter=counter
                      docs = coll_ref.limit(500).get()
                      deleted = 0

                      for doc in docs:
                      batch.delete(doc.reference)
                      deleted = deleted + 1

                      if deleted >= batch_size:
                      new_counter= init_counter + deleted
                      batch.commit()
                      print("potentially deleted: " + str(new_counter))
                      return delete_collection(coll_ref, batch_size, new_counter)
                      batch.commit()

                      delete_collection(db.collection(u'productsNew'), 500, 0)


                      this delete all documents from collection "productNew" in blocks of 500, which is currently the maximum number of documents which can be passed to a commit. See Firebase write and transaction quotas.



                      You can get more sophisticated and handle also API errors, but this just works fine for me.






                      share|improve this answer




























                        1














                        This is the fastest way to delete all documents in a collection:
                        mix between python delete collection loop and python batch method



                        def delete_collection(coll_ref, batch_size, counter):
                        batch = db.batch()
                        init_counter=counter
                        docs = coll_ref.limit(500).get()
                        deleted = 0

                        for doc in docs:
                        batch.delete(doc.reference)
                        deleted = deleted + 1

                        if deleted >= batch_size:
                        new_counter= init_counter + deleted
                        batch.commit()
                        print("potentially deleted: " + str(new_counter))
                        return delete_collection(coll_ref, batch_size, new_counter)
                        batch.commit()

                        delete_collection(db.collection(u'productsNew'), 500, 0)


                        this delete all documents from collection "productNew" in blocks of 500, which is currently the maximum number of documents which can be passed to a commit. See Firebase write and transaction quotas.



                        You can get more sophisticated and handle also API errors, but this just works fine for me.






                        share|improve this answer


























                          1












                          1








                          1






                          This is the fastest way to delete all documents in a collection:
                          mix between python delete collection loop and python batch method



                          def delete_collection(coll_ref, batch_size, counter):
                          batch = db.batch()
                          init_counter=counter
                          docs = coll_ref.limit(500).get()
                          deleted = 0

                          for doc in docs:
                          batch.delete(doc.reference)
                          deleted = deleted + 1

                          if deleted >= batch_size:
                          new_counter= init_counter + deleted
                          batch.commit()
                          print("potentially deleted: " + str(new_counter))
                          return delete_collection(coll_ref, batch_size, new_counter)
                          batch.commit()

                          delete_collection(db.collection(u'productsNew'), 500, 0)


                          this delete all documents from collection "productNew" in blocks of 500, which is currently the maximum number of documents which can be passed to a commit. See Firebase write and transaction quotas.



                          You can get more sophisticated and handle also API errors, but this just works fine for me.






                          share|improve this answer














                          This is the fastest way to delete all documents in a collection:
                          mix between python delete collection loop and python batch method



                          def delete_collection(coll_ref, batch_size, counter):
                          batch = db.batch()
                          init_counter=counter
                          docs = coll_ref.limit(500).get()
                          deleted = 0

                          for doc in docs:
                          batch.delete(doc.reference)
                          deleted = deleted + 1

                          if deleted >= batch_size:
                          new_counter= init_counter + deleted
                          batch.commit()
                          print("potentially deleted: " + str(new_counter))
                          return delete_collection(coll_ref, batch_size, new_counter)
                          batch.commit()

                          delete_collection(db.collection(u'productsNew'), 500, 0)


                          this delete all documents from collection "productNew" in blocks of 500, which is currently the maximum number of documents which can be passed to a commit. See Firebase write and transaction quotas.



                          You can get more sophisticated and handle also API errors, but this just works fine for me.







                          share|improve this answer














                          share|improve this answer



                          share|improve this answer








                          edited Dec 1 at 1:04

























                          answered Nov 19 at 23:16









                          Shahin Ghannadian

                          627




                          627






























                              draft saved

                              draft discarded




















































                              Thanks for contributing an answer to Stack Overflow!


                              • Please be sure to answer the question. Provide details and share your research!

                              But avoid



                              • Asking for help, clarification, or responding to other answers.

                              • Making statements based on opinion; back them up with references or personal experience.


                              To learn more, see our tips on writing great answers.





                              Some of your past answers have not been well-received, and you're in danger of being blocked from answering.


                              Please pay close attention to the following guidance:


                              • Please be sure to answer the question. Provide details and share your research!

                              But avoid



                              • Asking for help, clarification, or responding to other answers.

                              • Making statements based on opinion; back them up with references or personal experience.


                              To learn more, see our tips on writing great answers.




                              draft saved


                              draft discarded














                              StackExchange.ready(
                              function () {
                              StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f46692845%2fwhy-single-bulk-delete-collection-in-cloud-firestore-is-not-possible-like-it-i%23new-answer', 'question_page');
                              }
                              );

                              Post as a guest















                              Required, but never shown





















































                              Required, but never shown














                              Required, but never shown












                              Required, but never shown







                              Required, but never shown

































                              Required, but never shown














                              Required, but never shown












                              Required, but never shown







                              Required, but never shown







                              Popular posts from this blog

                              If I really need a card on my start hand, how many mulligans make sense? [duplicate]

                              Alcedinidae

                              Can an atomic nucleus contain both particles and antiparticles? [duplicate]