我需要查看第一行文本是否以By
开头,如果为true,则剪切整行并将其存储在变量中并删除所有空行,直到下一段开始。查找By
的方法需要不区分大小写,并且它也可能有一些前面的空格。如果第一行未以do nothing
开头,则为By
。
var findBy = 'By Bob';
if (findBy.startsWith('By ')) {
findBy = copyBy;
findBy.split("\n").slice(1).join("\n");
}
var pasteBy = copyBy;
让我自我改写:查找第一行是否以By
开头如果是,请将包含By
的整行保存在变量中,然后将其删除。
答案 0 :(得分:1)
调整 ...
function removeBy(textArray) {
var capture = false;
rebuild = [];
for (var i=0,len=textArray.length; i<len; i++) {
var s = textArray[i].trim();
if (s.substring(0,3).toUpperCase()==="BY ") {
capture = true;
} else if (capture && s!=="") {
capture = false;
}
if (capture) {
rebuild.push(s);
}
}
return rebuild;
}
此函数假定您正在发送一个字符串数组并返回一个剥离的数组。
var answer = removeBy(["By Bob", "", "", "This is the result"]);
// answer = ["By Bob"];
小提琴:http://jsfiddle.net/rfornal/ojL72L8b/
如果传入数据由换行符分隔,您可以使用.strip()
函数制作textArray
;相反,返回的rebuild
可以与answer.join("\n");
<强>更新强>
根据评论,将substring
更改为(0,3)
并与"BY "
(空格)进行比较,以便只关注BY而不是BYA。
答案 1 :(得分:0)
如果我理解你的要求,你可以使用这个正则表达式 (也许不是最强大的,我根本不是正则表达式专家)
/^(\s\bby\b|\bby\b).*$/gmi
g
全球,它不会在第一次出现时返回
m
多行,^
和$
将匹配行的开头/结尾,而不是字符串i
不敏感,我打赌你明白了^
将在字符串的开头搜索
(x|y)
是一个捕获组,有两个选项(x或y)\s\
是任何空格(\ r \ n \ t \ f)\bword\b
是一个单词 boundary ,例如它不会捕获“word s ”
.*
匹配任何字符(换行符除外),直到$
字符串/行的结尾
//those should be found
var text = "by test 1 \n" +
" by test 2 \n" +
"By test 3 \n" +
" By test 4 \n" +
//Those should not
"test By 5 \n" +
"test by 6 \n" +
"Bya test 7 \n" +
"bya test 8 \n" +
" Bya test 9 \n" +
" bya test 10 \n";
var matchingLines = text.match(/^(\s\bby\b|\bby\b).*$/gmi);
document.querySelector('p').textContent = "|" + matchingLines.join("|") + "|";
<p/>