如何将字符串拆分为相应的对象?

时间:2017-08-08 07:04:26

标签: javascript jquery

鉴于此:

const MATCH_NAME = /\s+([a-z]+)\s+/i;

function parseDates(input) {
  const parts = input.split(MATCH_NAME);
  const result = {
    dates: [],
    year: null
  };

  while (parts.length > 2) {
    const [days, month, suffix] = parts.splice(0, 2);
    result.dates.push({
      month,
      days: days.split(/\D+/),
      suffix
    });
  }

  result.year = parts[0];
  return result;
}

console.log(parseDates('12-5 November 17 May 1954 CE'));
console.log(parseDates('1 January 1976 CE'));
console.log(parseDates('12 22 March 1965'));

year obj的结尾类似于1976 CE,而CE应该位于suffix

尝试前往:

Month: November
  Days: 12, 5
Month: May
  Days: 17
Year: 1954
Suffix: CE

jsFiddle here

1 个答案:

答案 0 :(得分:1)

根据我的理解,你的模式是这样的:

  • 您有一个以空格分隔的值列表。
  • 值可以是数字或字母。
  • 如果是数字,
    • 如果是<= 31,那么它应该被推到天数组。
    • 天数可以用连字符或空格分隔,如果大于1。
    • 这是一年。
  • 如果是字母,
    • 如果后面是年份且长度小于3(假设后缀为2位且您可以使用没有日期值的日期(例如:&#34; 2007年11月和#34;)
    • 这是月份。

注意:如果我的理解是正确的,那么以下解决方案将对您有所帮助。如果没有,请分享不一致之处。

&#13;
&#13;
function parseDates(input) {
  var parts = processHTMLString(input).split(/[-–,\/\s]/g);
  var result = [];
  var numRegex = /\d+/;
  var final = parts.reduce(function(temp, c) {
    if (numRegex.test(c)) {
      let num = parseInt(c);
      if (temp.year || (temp.month && num < 31)) {
        result.push(temp);
        temp = {};
      }
      temp.days = temp.days || []
      if (c.indexOf("-") >= 0) {
        temp.days = temp.days.concat(c.split("-"));
      } else if (num > 31)
        temp.year = c;
      else
        temp.days.push(c)
    } else if (c.length < 3 && temp.year) {
      temp.suffix = c
    } else {
      temp.month = c;
    }
    return temp;
  }, {});
  result.push(final);
  return result;
}

function processHTMLString(str) {
  var div = document.createElement("div");
  div.innerHTML = str;
  // This will process `&nbsp;` and any other such value.
  return div.textContent;
}

console.log(parseDates('12-5 November 2007 ce 17 May 1954 Ce'));
console.log(parseDates('1 January 1976 CE'));
console.log(parseDates('12 22 March 1965'));
&#13;
&#13;
&#13;