4

我努力寻找解决问题的方法,尽管分享它会很棒。这是问题所在:

我有一个文本,它可能包含任何类型的标点符号。我想把它分成两部分:

  1. 最多 X 个单词
    • 包括附在最后一个单词上的标点符号,例如点或逗号
  2. 文本的结尾
    • 从两部分之间的间距开始

这里有些例子:

str = "one two, three, quatro 5! : six sept  ocho nine 10!"

splitAfterXWords(str, 2)
// ["one two,", "three, quatro 5! : six sept  ocho nine 10!"]

splitAfterXWords(str, 5)
// ["one two, three, quatro 5!", " : six sept  ocho nine 10!"]

splitAfterXWords(str, 20)
// ["one two, three, quatro 5! : six sept  ocho nine 10!", ""]

splitAfterXWords(str, 6)
// ["one two, three, quatro 5! : six", " sept  ocho nine 10!"]
4

2 回答 2

3

n这是我从给定句子中获取单词的尝试:

var regexp = /\s*\S+\/;
function truncateToNWords(s, n) {
   var l=0;
   if (s == null || n<= 0) return l;
   for (var i=0; i<n && (match = regexp.exec(s)) != null; i++) {
      s = s.substring(match[0].length);
      l += match[0].length;
   }
   return l;
}

// your sentence
var s = "one two, three, quatro 5!: six sept  ocho nine 10!";

l = truncateToNWords(s, 2);
console.log([s.substring(0, l), s.substring(l)]);

l = truncateToNWords(s, 5);
console.log([s.substring(0, l), s.substring(l)]);

l = truncateToNWords(s, 6);
console.log([s.substring(0, l), s.substring(l)]);

l = truncateToNWords(s, 20);
console.log([s.substring(0, l), s.substring(l)]);

输出:

["one two,", " three, quatro 5!: six sept ocho nine 10!"]
["one two, three, quatro 5!:", " six sept ocho nine 10!"]
["one two, three, quatro 5!: six", " sept ocho nine 10!"]
["one two, three, quatro 5!: six sept ocho nine 10!", ""]
于 2013-10-22T18:00:35.647 回答
3

这是一个可以完成工作的函数:

function splitAfterXWords(to_split, words){
    regex = new RegExp("(([\\s;:!,.?\"'’]*[^\\s]+){" + words + "})(.*)")
    result = regex.exec(to_split)
    return result ? [result[1], to_split.substr(result[1].length)] : [to_split, '']
}

你可以看到它在这个 fiddle上工作。

欢迎改进和评论!

于 2013-10-22T11:58:55.010 回答