Company logo
  • Jobs
  • Bootcamp
  • About Us
  • For professionals
    • Home
    • Jobs
    • Courses
    • Questions
    • Teachers
    • Bootcamp
  • For business
    • Home
    • Our process
    • Plans
    • Assessments
    • Payroll
    • Blog
    • Sales
    • Calculator

0

81
Views
JS String how to extract an array of substring that matches a condition?

I have a string like this:

"|hello| + |world| / |again|"

And I need to get the substrings inside the | and return an array like this:

["hello", "world", "again"]

What is the best approach to accomplish this?

7 months ago · Juan Pablo Isaza
3 answers
Answer question

0

You can use a regex that searches for groups consisting only of letters (([A-Za-z])) between pipes (/|) where the pipes are to omitted from the actual match (wrapped with (?:))-- then use .matchAll to get all the matches and .map the result to get the captured groups only (non-captures omitted) -- see below:

const str = "|hello| + |world| / |again|";

const re = /(?:\|)([A-Za-z]+)(?:\|)/g;

const results = [...str.matchAll(re)].map((entry) => entry[1]);

console.log(results);

This will work to match only those words that are between pipes. If you have other words in your string that are not wrapped between pipes, they will be ignored. Like the following snippet:

const str = "|hello| + |world| / |again| how are |you| doing?";

const re = /(?:\|)([A-Za-z]+)(?:\|)/g;

const results = [...str.matchAll(re)].map((entry) => entry[1]);

console.log(results);

7 months ago · Juan Pablo Isaza Report

0

array = [];
let name = "";
let input = "|hello| + |world| / |again|";
let index = 0;
let isStart = false;

while (index < input.length) {
  if (input[index] == '|') {
    isStart = !isStart;
    if (!isStart) {
      array.push(name);
      name = "";
    }
  } else {
    if (isStart) {
      name = name + input[index];
    }
  }
  index++;
}
console.log(array);

7 months ago · Juan Pablo Isaza Report

0

If that string doesn't change format use a regular expression to match against multiple lower-case letters.

const str = '|hello| + |world| / |again|';
const regex = /[a-z]+/g;
console.log(str.match(regex));

7 months ago · Juan Pablo Isaza Report
Answer question
Find remote jobs