How to split a string only on the first occurrence of a character in TypeScript

2 Answers

0 votes
const s = 'typescript-c-c++-java';
  
let [first, ...rest] = s.split('-');
  
console.log(first); 
console.log(rest); 
  
const last_part = rest.join('-');
console.log(last_part); 
  
  
  
  
/*
run:
  
"typescript"
["c", "c++", "java"]
"c-c++-java" 
  
*/

 



answered Feb 6, 2022 by avibootz
0 votes
const s = 'typescript-c-c++-java';
  
const first = s.slice(0, s.indexOf('-'));
console.log(first); 
 
const rest = s.slice(s.indexOf('-') + 1);
console.log(rest); 
  
  
  
  
/*
run:
  
"typescript"
"c-c++-java" 
  
*/

 



answered Feb 6, 2022 by avibootz
...