Use string "includes ()" in case of Javascript

In Javascript, is there a way to achieve something like this?

const databaseObjectID = "someId"; // like "product/217637"

switch(databaseObjectID) {
    case includes('product'): actionOnProduct(databaseObjectID); break;
    case includes('user'): actionOnUser(databaseObjectID); break;
    // .. a long list of different object types
}

      

This is a more curious question to understand the switch / case possibilities since in this particular case I solved my problem with const type = databaseObjectID.split('/')[0];

and applied the switch case totype

+3


source to share


3 answers


You would abuse the case.

Instead, just use ifs

     if (databaseObjectId.includes('product')) actionOnProduct(databaseObjectID); 
else if (databaseObjectId.includes('user'))    actionOnUser(databaseObjectID); 
// .. a long list of different object types

      



If the ObjectId contains static content around a product or user, you can remove it and use the user or product as a key:

var actions = {
  "product":actionOnProduct,
  "user"   :actionOnUser
}

actions[databaseObjectId.replace(/..../,"")](databaseObjectId);

      

+1


source


This will work, but it cannot be used in practice.



const databaseObjectID = "someId"; // like "product/217637"

switch(true) {
    case databaseObjectID.includes('product'): actionOnProduct(databaseObjectID); break;
    case databaseObjectID.includes('user'): actionOnUser(databaseObjectID); break;
    // .. a long list of different object types
}

      

+5


source


Sorry I'm a nob so someone might have to clean this up, but here's the idea. Go to the function to check and return the category, then use the switch.

function classify(string){
  var category = categorize(string);
  switch (category) {
    case 'product':
      console.log('this is a product');
      break;
    case 'user':
      console.log('this is a user');
      break;
    default:
      console.log('category undefined');    
  }
}

function categorize(string){
  if (string.includes('product')){
    return 'product';
  }
  if (string.includes('user')){
    return 'user';
  }
}

classify("product789");
classify("user123");
classify("test567");

      

Sorry to not match your example.

0


source







All Articles