How to get the last word from string in Node.js

2 Answers

0 votes
const str = 'node.js javascript typescript python';

const last_word = str.split(' ').pop();

console.log(last_word); 
   
   
   
   
   
/*
run:
   
python
   
*/

 



answered Jul 7, 2022 by avibootz
0 votes
/**
 * Returns the last word from a string.
 * Empty or whitespace-only strings return an empty string.
 */
function getLastWord(input) {
    const trimmed = input.trim();

    if (trimmed === "") {
        return "";
    }

    // Split on whitespace and return the last element
    return trimmed.split(/\s+/).pop();
}

const tests = [
    "nodejs javascript php c c# python c++",
    "",
    "c#",
    "c c++ java ",
    "  "
];

tests.forEach((t, i) => {
    console.log(`${i + 1}. ${getLastWord(t)}`);
});



/*
run:

1. c++
2. 
3. c#
4. java
5.

*/

 



answered Mar 27 by avibootz
...