user19476497
user19476497

Reputation: 557

How can I delete a specific character from each string in an array in React native?

I have a string in an array called imgss . At this time, I want to subtract only the number from the string and put it in the answer variable. So imgss copied and then splice was written, but it does not work as there may be multiple numbers. How do I fix my code?

this is my code

    const imgss = ["ecdysisInfo 1", "growthLength 2", "wormHeadSize 1234"]


    const image = [...imgss]

    image.splice(0, 2);

    expected answer 

    const answer = ["ecdysisInfo", "growthLength", "wormHeadSize"]

Upvotes: 1

Views: 743

Answers (2)

Abito Prakash
Abito Prakash

Reputation: 4770

You can split each item with space

const imgss = ["ecdysisInfo 1", "growthLength 2", "wormHeadSize 1234"]

const image = imgss.map((item) => item.split(' ')[0]);

console.log(image)

OR you can use replace and regex to remove all numbers and spaces

const imgss = ["ecdysisInfo 1", "growthLength 2", "wormHeadSize 1234"]

const result = imgss.map((item) => item.replace(/[0-9 ]/g, ''));

console.log(result);

Upvotes: 2

Ali Sattarzadeh
Ali Sattarzadeh

Reputation: 3549

here is what I did :

const imgss = ["ecdysisInfo 1", "growthLength 2", "wormHeadSize 1234"]
    const answer = imgss.map(str=> str.replace(' ','').split('').filter(item=>!item.match(/[0-9]/i)).join(''));
    console.log(answer)

Upvotes: 0

Related Questions