1

我有一个结合使用 JavaScript 和 UltraEdit 脚本的程序。该程序具有要在文件/选项卡中搜索的字符串数组。如果找到,它将相应的行移动到新文件/选项卡。使用完全匹配时效果很好。

但是,我的源值不完全匹配。文件中的值为######-##,其中破折号后的值各不相同。我的价值达到了破折号。我尝试将通配符构建到数组值中,并尝试将其连接到 .find 函数,但没有成功。任何想法将不胜感激。

这是我在 UltraEdit 中作为脚本执行的代码。出于演示的目的,我已经从它包含的 50 个值中截断了数组。

// Start at the beginning of the file
UltraEdit.activeDocument.top();

// Search string variable used for copying of lines
//DD011881 - Building an array of values
var delString = new Array()
delString[0] = "'99999999'";
delString[1] = "'169-*'";
delString[2] = "'5482-*'";
delString[3] = "'5998-*'";
delString[4] = "'36226-*'";
delString[5] = "'215021-*'";


// Array loop value
var x = 0;
var arrayLen = delString.length

// Start with nothing on the clipboard
UltraEdit.clearClipboard();

for (x=0; x<arrayLen; x++)
{

    // Establish our search string for the loop condition
    var bFound = false;

    while (UltraEdit.activeDocument.findReplace.find(delString[x])){

        UltraEdit.activeDocument.selectLine();
        UltraEdit.activeDocument.copyAppend("^c" + "\n");
        bFound = true;
    }

    UltraEdit.activeDocument.top();
    if (bFound) {
        UltraEdit.document[6].paste();
        UltraEdit.activeDocument.top();
        UltraEdit.clearClipboard();
    }
} // For Loop
4

1 回答 1

1

在您的 UltraEdit 脚本中,您希望在 while 循环中运行 UltraEdit 正则表达式查找,但您从未设置正则表达式引擎或任何查找参数。因此脚本正在使用查找的内部默认值执行查找(不区分大小写,非正则表达式向下搜索,不匹配整个单词并选择 Perl 正则表达式引擎)。

在命令下方的 UltraEdit 脚本中插入UltraEdit.clearClipboard();以下行:

UltraEdit.ueReOn();
UltraEdit.activeDocument.findReplace.mode = 0;
UltraEdit.activeDocument.findReplace.matchCase = true;
UltraEdit.activeDocument.findReplace.matchWord = false;
UltraEdit.activeDocument.findReplace.regExp = true;
UltraEdit.activeDocument.findReplace.searchDown = true;

if (typeof(UltraEdit.activeDocument.findReplace.searchInColumn) == "boolean") {

    UltraEdit.activeDocument.findReplace.searchInColumn = false;
}

现在为脚本选择了 UltraEdit 正则表达式,并设置了查找参数以运行区分大小写(更快)的正则表达式搜索。

"^c" + "\n"从命令中删除,UltraEdit.activeDocument.copyAppend()因为该命令不带任何参数。使用上面的命令,包括行终止的整行已经被选中,并且这个选择被附加到剪贴板,而不是你放在 command 括号中的字符串copyAppend()

于 2013-12-06T15:33:49.927 回答