How to split a string only on the first occurrence of a character in Node.js

2 Answers

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

 



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

 



answered Feb 6, 2022 by avibootz
...