admin管理员组

文章数量:1342659

I'm writing a function to convert a name into initials. This function return strictly takes two words with one space in between them.

The output should be two capital letters with a dot separating them.

It should be like this:

alex cross => A.C

jaber ali => J.A

Here is my solution

function initialName(firstLetterFirstName, firstLetterLastName) {
    'use strict'
    let x = firstLetterFirstName.charAt(0).toUpperCase();
    let y = firstLetterLastName.charAt(0).toUpperCase();
    return x + '.' + y;
}

console.log(initialName('momin', 'riyadh'));  // M.R

Have I solved this problem with hardcoded, and my approach is right? or could it be better!

I'm writing a function to convert a name into initials. This function return strictly takes two words with one space in between them.

The output should be two capital letters with a dot separating them.

It should be like this:

alex cross => A.C

jaber ali => J.A

Here is my solution

function initialName(firstLetterFirstName, firstLetterLastName) {
    'use strict'
    let x = firstLetterFirstName.charAt(0).toUpperCase();
    let y = firstLetterLastName.charAt(0).toUpperCase();
    return x + '.' + y;
}

console.log(initialName('momin', 'riyadh'));  // M.R

Have I solved this problem with hardcoded, and my approach is right? or could it be better!

Share Improve this question asked May 6, 2020 at 9:56 MominMomin 3,3083 gold badges34 silver badges51 bronze badges 4
  • 2 Obligatory read about names. How would you abbreviate Jean-Claud Van Damme? – VLAZ Commented May 6, 2020 at 10:01
  • One problem can introduce more, but a solution! – Momin Commented May 6, 2020 at 10:19
  • @VLAZ : it's not even close to Antoine de Saint-Exupéry – Yevhen Horbunkov Commented May 6, 2020 at 10:33
  • @YevgenGorbunkov I thought I'd start off easy. – VLAZ Commented May 6, 2020 at 10:37
Add a ment  | 

4 Answers 4

Reset to default 7

Use regex for that:

function initialName(words) {
    'use strict'
    
    return words
        .replace(/\b(\w)\w+/g, '$1.')
        .replace(/\s/g, '')
        .replace(/\.$/, '')
        .toUpperCase();
}

console.log(initialName('momin riyadh'));  // M.R
console.log(initialName('momin riyadh ralph')); // M.R.R

Try this:

name.split(' ').map(el => el[0]).join('.').toUpperCase()

In you case with multiple parts could be like this:

function make(...parts) {
   return parts.map(el => el[0]).join('.').toUpperCase()
}

You can try this

    var str = "Abdul Basit";
    var str1 = "This is a car";
    console.log(getInitials(str));
    console.log(getInitials(str1));
    
    function getInitials(str) {
      var matches = str.match(/\b(\w)/g);
      return matches.join('.').toUpperCase();
    }

It works, but it could be written in a one-liners:

console.log(
  ['john', 'doe']
  .map(word => `${word[0].toUpperCase()}.`).join('')
)

本文标签: Abbreviate a two word name in JavaScriptStack Overflow