0

I am working with Spring Boot and Spring Security, but is my first time using Google cloud firebase Firestore, I am connecting to my database via Firebase Admin SDK. I have a configuration class that looks like this.

@Configuration
public class FirestoreUserConfig {  
    @Bean
    public Firestore getDB() {
        return FirestoreClient.getFirestore();
    }
}

I have BeanCreationException, my stack trace, in summary, looks like this.

org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'getDB' defined in class path resource [com/d1gaming/user/firebaseconfig/FirestoreUserConfig.class]: Bean instantiation via factory method failed; nested exception is org.springframework.beans.BeanInstantiationException: Failed to instantiate [com.google.cloud.firestore.Firestore]: Factory method 'getDB' threw exception; nested exception is java.lang.NoClassDefFoundError: com/google/api/gax/rpc/TransportChannelProvider
Caused by: java.lang.ClassNotFoundException: com.google.api.gax.rpc.TransportChannelProvider
    at java.net.URLClassLoader.findClass(URLClassLoader.java:382) ~[na:1.8.0_271]
    at java.lang.ClassLoader.loadClass(ClassLoader.java:418) ~[na:1.8.0_271]
    at sun.misc.Launcher$AppClassLoader.loadClass(Launcher.java:355) ~[na:1.8.0_271]
    at java.lang.ClassLoader.loadClass(ClassLoader.java:351) ~[na:1.8.0_271]
    ... 105 common frames omitted

The weird thing is I followed Google's documentation on Initializing firebase Admin SDK, I added the corresponding dependencies to my pom.xml file but it does not seem to work anyway. This is my Admin SDK dependency.

<dependency>
    <groupId>com.google.firebase</groupId>
    <artifactId>firebase-admin</artifactId>
    <version>7.0.1</version>
</dependency>

I imagine Maven is not able to find this TransportChannelProvider class, Im not sure. I also tried adding all of gcp core dependencies in case provided Admin SDK dependency didn't have the class but I had the same result. I am also making use of a Service and a RESTController for my back end application, I don't know if it is relevant to include it here but I am going to include it just in case.

@Service
public class UserService {
        
    public final String USERS_COLLECTION = "users";

    @Autowired
    private PasswordEncoder passwordEncoder;

    private Firestore firestore;
    
    //get users collcetion from Firestore.
    private CollectionReference getUsersCollection() {
        return firestore.collection(this.USERS_COLLECTION);
    }
    
    
    //Post a user onto the user collection. documentID is auto-generated by firestore.
    public String saveUser(User user) throws InterruptedException, ExecutionException {
        Query query = getUsersCollection().whereEqualTo("userName", user.getUserName());
        QuerySnapshot querySnapshot = query.get().get();
        //Query to validate if userName is already in use.
        if(querySnapshot.isEmpty()) {
            ApiFuture<DocumentReference> document = getUsersCollection().add(user);
            DocumentReference reference = document.get();
            String userId = document.get().getId();
            //Assign auto-generated Id to userId field for ease of querying.
            WriteBatch batch = FirestoreClient.getFirestore().batch();
            batch.update(reference, "userId",userId);
            //ENCODE USER PASSWORD!
            batch.update(reference, "userPassword",passwordEncoder.encode(reference.get().get().toObject(User.class).getUserPassword()));
            List<WriteResult> results = batch.commit().get();
            results.forEach(result -> {
                System.out.println("Update Time: " + result.getUpdateTime());
            });
            return "Created user with ID: " + "'" + userId + "'";
        }
        return "Username is already in use";
    }


    //Get User by given its email.
    public Optional<User> getUserByEmail(String userEmail) throws InterruptedException, ExecutionException{
        Query query = getUsersCollection().whereEqualTo("userEmail", userEmail);
        QuerySnapshot snapshot = query.get().get();
        //if user with provided Email exists in collection.
        if(!snapshot.isEmpty()) {
            List<User> userLs = snapshot.toObjects(User.class);
            //Since there is a unique email for each document,
            //There will only be on User object on list, we will retrieve the first one.
            for(User currUser: userLs) {
                return Optional.of(currUser);
            }
        }
        return null;
    }
    
    //Query for user by given userName. 
    public Optional<User> getUserByUserName(String userName) throws InterruptedException, ExecutionException{
        //Perform a query based on a user's Name.
        Query query = getUsersCollection().whereEqualTo("userName", userName);
        QuerySnapshot snapshot = query.get().get();
        if(!snapshot.isEmpty()) {
            List<User> userList = snapshot.toObjects(User.class);
            //Since there is a unique userName for each document,
            //there will only be one User object on the list, we will retrieve the first one.
            for(User currUser: userList) {
                return Optional.of(currUser);
            }
        }
        return null;
    }

    //Query for user by given userName. 
    public User getUserByName(String userName) throws InterruptedException, ExecutionException {
        //Perform a query based on a user's Name.
        Query query = getUsersCollection().whereEqualTo("userName", userName);
        QuerySnapshot snapshot = query.get().get();
        if(!snapshot.isEmpty()) {
            List<User> userList = snapshot.toObjects(User.class);
            //Since there is a unique userName for each document,
            //there will only be one User object on the list, we will retrieve the first one.
            for(User currUser : userList) {
                return currUser;
            }
        }
        return null;
    }
    
    
    //Get User by its auto-generated ID.
    public User getUserById(String userId) throws InterruptedException, ExecutionException {
        DocumentReference reference = getUsersCollection().document(userId);
        if(reference.get().get().exists()) {
            DocumentSnapshot snapshot = reference.get().get();
            User user = snapshot.toObject(User.class);
            return user;
        }
        return null;
    }
    
    //Get DocumentReference on a User.
    public DocumentReference getUserReference(String userId) throws InterruptedException, ExecutionException {
        DocumentReference reference = getUsersCollection().document(userId);
        //Evaluate if documentExists in users collection.
        if(reference.get().get().exists()) {
            return reference;
        }
        return null;
    }
    
    //return a list of objects located in the users collection.
    public List<User> getAllUsers() throws InterruptedException, ExecutionException {
        //asynchronously retrieve all documents
        ApiFuture<QuerySnapshot> future = getUsersCollection().get();
        List<QueryDocumentSnapshot> objects = future.get().getDocuments();
        //If there is no documents, return null.
        if(!objects.isEmpty()) {
            List<User> ls = new ArrayList<>();      
            objects.forEach((obj) -> {
                User currUser = obj.toObject(User.class);
                ls.add(currUser);
            });
            return ls;
        }   
        return null;
    }
    
    
    //delete a User from users collection by a given id.
    //In reality delete method just changes UserStatus from active to inactive or banned.
    public String deleteUserById(String userId) throws InterruptedException, ExecutionException {
        Firestore db = FirestoreClient.getFirestore();
        DocumentReference reference = db.collection(USERS_COLLECTION).document(userId);
        User user = reference.get().get().toObject(User.class);
        if(user == null) {
            return "User not found.";
        }
        WriteBatch batch = db.batch();
        batch.update(reference, "userStatusCode",UserStatus.INACTIVE);
        ApiFuture<List<WriteResult>> result = batch.commit();
        List<WriteResult> results = result.get();
        results.forEach(response -> {
            System.out.println("Update Time:" + response.getUpdateTime());
        });
        //Check if user did actually change status.
        if(reference.get().get().toObject(User.class).getStatusCode().equals(UserStatus.ACTIVE)) {
            return "User with ID: " + "'" +  userId + "'" + " was deleted.";
        }
        return "User could not be deleted";
    }
    
    //Delete a User's certain field value.
    public String deleteUserField(String userId, String userField) throws InterruptedException, ExecutionException {
        Firestore firestore = FirestoreClient.getFirestore();
        DocumentReference reference = getUsersCollection().document(userId);
        if(!reference.get().get().exists()) {
            return "User not found.";
        }
        Map<String,Object> map = new HashMap<>();
        map.put(userField, FieldValue.delete());
        WriteBatch batch = firestore.batch();
        batch.update(reference, map);
        List<WriteResult> results = batch.commit().get();
        results.forEach(response -> System.out.println("Update Time: " + response.getUpdateTime()));
        return "Field deleted Successfully";    
    }
    
    //Change UserStatus to BANNED
    public String banUserById(String userId) throws InterruptedException, ExecutionException {
        Firestore db = FirestoreClient.getFirestore();
        final DocumentReference reference = db.collection(this.USERS_COLLECTION).document(userId);
        WriteBatch batch = db.batch().update(reference,"userStatusCode",UserStatus.BANNED);
        List<WriteResult> results = batch.commit().get();
        results.forEach(response -> System.out.println("Update Time: " + response.getUpdateTime()));
        if(reference.get().get().toObject(User.class).getStatusCode().equals(UserStatus.BANNED)) {
            return "User with ID: " + "'" + userId + "'"  + " was BANNED.";
        }
        return "User could not be BANNED.";
    }
    
    //Set a user with all new fields. 
    public String updateUser(User user) throws InterruptedException, ExecutionException {
        Firestore firestore = FirestoreClient.getFirestore();
        final DocumentReference reference = getUsersCollection().document(user.getUserId());
        DocumentSnapshot snapshot = reference.get().get();
        if(snapshot.exists()) { 
            WriteBatch batch = firestore.batch();   
            batch.set(reference, user);
            List<WriteResult> results = batch.commit().get();
            results.forEach(response -> System.out.println("Update time: " + response.getUpdateTime()));
            return "User updated successfully";
        }
        return "User not found.";
    }
    

    // Update a specific field on a given document by another given value. In case userId is field to be changed, one integer will be subtracted from userTokens field.
    public String updateUserField(String userId,String objectField, String replaceValue) throws InterruptedException, ExecutionException {
        Firestore db = FirestoreClient.getFirestore();
        final DocumentReference reference = getUsersCollection().document(userId);
        if(!reference.get().get().exists()) {
            return "User not found.";
        }
        WriteBatch batch = db.batch();
        List<WriteResult> results = new ArrayList<>();
        //These fields cannot be updated.
        if(!objectField.equals("userName") && !objectField.equals("userCash") && !objectField.equals("userTokens") && !objectField.equals("userId")) {
            batch.update(reference, objectField, replaceValue);
            results = batch.commit().get();
            results.forEach(response ->{
                System.out.println("Update time: " + response.getUpdateTime()); 
            });
        }
        else if(objectField.equals("userName")) {
            String response = updateUserName(userId, replaceValue);
            return response;
        }
        else {
            return "This field canntot be updated.";
        }
        return "User field could not be updated.";
    }
    
        
    //Update a user's userName depending of availability and token adquisition capacity. i.e. if user has enough tokens to pay fee.
    public String updateUserName(String userId, String newUserName) throws InterruptedException, ExecutionException {
        Firestore db = FirestoreClient.getFirestore();
        final DocumentReference reference = getUsersCollection().document(userId);
        DocumentSnapshot snapshot = reference.get().get();
        if(!snapshot.exists()) {
            return "User not found.";
        }
        Query query = getUsersCollection().whereEqualTo("userName", newUserName);
        QuerySnapshot querySnapshot = query.get().get();
        //Evaluate if userName is already in use.
        String response = "Username is already taken";
        if(querySnapshot.isEmpty()) {
                //Transaction to get() tokens and update() tokens.
                ApiFuture<String> futureTransact = db.runTransaction(transaction -> {
                    DocumentSnapshot doc = transaction.get(reference).get();
                    double tokens = doc.getDouble("userTokens");
                    //evaluate if user holds more than one token
                    if(tokens >= 1) {
                        transaction.update(reference, "userTokens", tokens - 1);
                        transaction.update(reference, "userName", newUserName);
                        return "Username updated to: '"+ newUserName +"'";
                    }
                    else {
                        throw new Exception("Not enough Tokens");
                    }
                });
                response = futureTransact.get();
        }
        return response;
    }
    
    //update user Currency field.
    public String updateUserCash(String userId, double cashQuantity) throws InterruptedException, ExecutionException {
        Firestore firestore = FirestoreClient.getFirestore();
        final DocumentReference reference = getUsersCollection().document(userId);
        DocumentSnapshot snapshot = reference.get().get();
        String response = "User not found.";
        //evaluate if document exists 
        if(snapshot.exists()) {
            ApiFuture<String> futureTransaction = firestore.runTransaction(transaction -> {
                Map<String,Object> map = new HashMap<>();
                map.put("userCash", FieldValue.increment(cashQuantity));
                transaction.update(reference, map);
                return "Updated userCash";
            });
            response = futureTransaction.get();
            return response;
        }
        return response;
    }
    
    //Update user Token field.
    public String updateUserTokens(String userId, double tokenQuantity) throws InterruptedException, ExecutionException {
        Firestore firestore = FirestoreClient.getFirestore();
        final DocumentReference reference = getUsersCollection().document(userId);
        String response = "User not found.";
        //evaluate if user exists on collection.
        if(reference.get().get().exists()) {
            ApiFuture<String> futureTransaction = firestore.runTransaction(transaction -> {
                Map<String,Object> map = new HashMap<>();
                map.put("userTokens",tokenQuantity);
                transaction.update(reference, map);
                return "Updated userTokens";
            });
            response = futureTransaction.get();
            return response;
        }
        return response;
    }
    
    
    //evaluate if given documentId exists on given collection.
    public static boolean isPresent(String userId,String collectionName) throws InterruptedException, ExecutionException {
        Firestore db = FirestoreClient.getFirestore();
        DocumentReference reference = db.collection(collectionName).document(userId);
        ApiFuture<DocumentSnapshot> snapshot = reference.get();
        DocumentSnapshot document = snapshot.get();
        if(!document.exists()) {
            return false;
        }
        return true;
    }

    //Evaluate if given document's status corresponds to active.
    public static boolean isActive(String userId, String collectionName) throws InterruptedException, ExecutionException {
        Firestore db = FirestoreClient.getFirestore();
        DocumentReference reference = db.collection(collectionName).document(userId);
        ApiFuture<DocumentSnapshot> snapshot = reference.get();
        DocumentSnapshot result = snapshot.get();
        User user = result.toObject(User.class);    
        if(user.getStatusCode().equals(UserStatus.ACTIVE)) {
            return true;
        }
        return false;
    }
    
}

My Controller class:

@RestController
@RequestMapping("/userapi")
@CrossOrigin(origins = "http://localhost:4200")
public class UserController {
    
    @Autowired
    UserService userServ;
    
    @GetMapping(value = "/users/search",params="userName")
    @PreAuthorize("hasRole('PLAYER')")
    public ResponseEntity<Object> getUserByName(@RequestParam(value = "userName", required = true)final String userName) throws InterruptedException, ExecutionException{
        if(userName == null) {
            return new ResponseEntity<>("Invalid Input",HttpStatus.BAD_REQUEST);
        }
        User user = userServ.getUserByName(userName);
        if(user == null) {
            return new ResponseEntity<>("User Not Found", HttpStatus.NOT_FOUND);
        }
        return new ResponseEntity<>(user,HttpStatus.OK);
    }
    
    @GetMapping("/users")
    @PreAuthorize("hasRole('PLAYER')")
    public ResponseEntity<List<User>> getAllUsers() throws InterruptedException, ExecutionException{
        List<User> ls = userServ.getAllUsers();
        if(ls.isEmpty()) {
            return new ResponseEntity<List<User>>(ls, HttpStatus.NO_CONTENT);
        }
        return new ResponseEntity<List<User>>(ls, HttpStatus.OK);
    }
        
    @DeleteMapping(value = "/users/delete",params="userId")
    @PreAuthorize("hasRole('ADMINISTRATOR')")
    public ResponseEntity<Object> deleteUserById(@RequestParam(value="userId", required = true)String userId, @RequestParam(required = false, value="userField") String userField) throws InterruptedException, ExecutionException{
        if(userField != null) {
            String response = userServ.deleteUserField(userId, userField);
            if(response.equals("User not found.")) {
                return new ResponseEntity<>(response, HttpStatus.NOT_FOUND);            
            }
            return new ResponseEntity<>(response, HttpStatus.OK);
        }
        String response = userServ.deleteUserById(userId);
        if(response.equals("User not found.")) {
            return new ResponseEntity<>(response, HttpStatus.NOT_FOUND);
        }
        return new ResponseEntity<>(response, HttpStatus.OK);
    }
    
    
    @PutMapping(value = "/users/update")
    @PreAuthorize("hasRole('ADMINISTRATOR') or hasRole('PLAYER')")
    public ResponseEntity<Object> updateUser(@RequestBody User user) throws InterruptedException, ExecutionException{
        String response = userServ.updateUser(user);
        if(response.equals("User not found.")) {
            return new ResponseEntity<>(response, HttpStatus.NOT_FOUND);
        }
        return new ResponseEntity<>(response, HttpStatus.OK);
    }
    
    @PutMapping(value = "/users/update",params="userId")
    @PreAuthorize("hasRole('ADMINISTRATOR') or hasRole('PLAYER')")
    public ResponseEntity<Object> updateUserField(@RequestParam(required = true, value="userId")String userId, @RequestParam(required = true)String userField, @RequestParam(required = true)String replaceValue) throws InterruptedException, ExecutionException{
        String response = userServ.updateUserField(userId, userField, replaceValue);
        if(response.equals("User not found.")) {
            return new ResponseEntity<>(response, HttpStatus.NOT_FOUND);
        }
        else if(response.equals("This field cannot be updated.")) {
            return new ResponseEntity<>(response, HttpStatus.BAD_REQUEST);
        }
        return new ResponseEntity<>(response, HttpStatus.OK);
    }   
}

I didn't find ANY documentation on this particular problem and that is why I am here, I would be glad if anyone could help me solving this problem. Am I missing something? Anyways thank you for your time, happy coding.

2 Answers2

0

as you said, you are missing the TransportChannelProvider interface and it's implementations. it's not provided in the dependency you added.

try to add this dependency to your POM:

<dependency>
    <groupId>com.google.api</groupId>
    <artifactId>gax</artifactId>
    <version>1.57.0</version>
</dependency>

the interface included there.

Dev93
  • 93
  • 2
  • 13
  • Now it says it cannot find the following class: java.lang.NoClassDefFoundError: com/google/api/gax/core/RetrySettings – igorzelaya_ Nov 20 '20 at 01:32
  • from what i see this abstract class "RetrySettings" is included but in a different path. the path is com/google/api/gax/core/retrying/RetrySettings. try a higher/lower version of the dependency i adviced you to add. – Dev93 Nov 20 '20 at 01:35
  • I just tried the most updated version(1.60) and one of the most outdated ones(1.32), neither of the works. Why is this happening ? Shouldn't the firebase-admin dependency provided by Google englobe all these classes ? – igorzelaya_ Nov 20 '20 at 01:46
  • the fact is it does not. you can unzip the Jar provided by this dependency and see all classes provided. those you are looking for are not provided – Dev93 Nov 20 '20 at 02:08
  • you can try and add the dependencies suggested by this site. i think it will work.[link](https://jar-download.com/artifacts/com.google.firebase/firebase-admin) – Dev93 Nov 20 '20 at 02:22
  • The dependency the link provides is the same google documentation mentions, the one I tried at first. I specified about its malfunction at the description of the problem – igorzelaya_ Nov 20 '20 at 02:48
  • you have not tried the oldest version of gax..... try version 0.0.16 the class you are looking for appears there on the path you are looking for. please respond if its working. you can search here for specific classes you are missing and it will provide the artifact you need with version : https://jar-download.com/maven-repository-class-search.php?search_box=com.google.api.gax.core.RetrySettings – Dev93 Nov 20 '20 at 08:50
  • Just added the oldest dependency, ran a maven update, Maven clean, maven install, this is my stack trace now: An attempt was made to call a method that does not exist. The attempt was made from the following location: com.google.cloud.ServiceOptions.getDefaultRetrySettingsBuilder(ServiceOptions.java:579) The following method did not exist: com.google.api.gax.core.RetrySettings$Builder.setMaxAttempts(I)com/google/api/gax/core/RetrySettings$Builder; – igorzelaya_ Nov 20 '20 at 14:45
0

After checking my pom.xml and my dependency hierarchies(On Eclipse, found on the toolbar above the console when the pom.xml file is being viewed.), I found I had another dependency on another Spring Boot project that was overriding the one I had on my project, make sure to check all dependencies on different projects as well. The dependency version I had on my other project did not include the classes Spring needed to create a a bean.