30

是否可以使用 JavaScript 打开文本文件(位置如 http://example.com/directory/file.txt)并检查文件是否包含给定的字符串/变量?

在 PHP 中,这可以通过以下方式轻松完成:

$file = file_get_contents("filename.ext");
if (!strpos($file, "search string")) {
    echo "String not found!";
} else {
    echo "String found!";
}

有没有办法做到这一点?我正在.js使用 Node.js appfog 在文件中运行“函数”。

4

5 回答 5

41

您无法使用 javascript 打开文件客户端。

您可以在服务器端使用 node.js 来完成。

fs.readFile(FILE_LOCATION, function (err, data) {
  if (err) throw err;
  if(data.indexOf('search string') >= 0){
   console.log(data) //Do Things
  }
});

较新版本的 node.js (>= 6.0.0) 具有includes在字符串中搜索匹配项的功能。

fs.readFile(FILE_LOCATION, function (err, data) {
  if (err) throw err;
  if(data.includes('search string')){
   console.log(data)
  }
});
于 2013-07-03T13:23:41.027 回答
11

您也可以使用流。他们可以处理更大的文件。例如:

var fs = require('fs');
var stream = fs.createReadStream(path);
var found = false;

stream.on('data',function(d){
  if(!found) found=!!(''+d).match(content)
});

stream.on('error',function(err){
    then(err, found);
});

stream.on('close',function(err){
    then(err, found);
});

将发生“错误”或“关闭”。然后,流将关闭,因为 autoClose 的默认值为 true。

于 2015-05-14T16:25:31.247 回答
2

有没有一种最好是简单的方法来做到这一点?

是的。

require("fs").readFile("filename.ext", function(err, cont) {
    if (err)
        throw err;
    console.log("String"+(cont.indexOf("search string")>-1 ? " " : " not ")+"found");
});
于 2013-07-03T13:26:03.543 回答
1

面向对象的方式:

var JFile=require('jfile');
var txtFile=new JFile(PATH);
var result=txtFile.grep("word") ;
 //txtFile.grep("word",true) -> Add 2nd argument "true" to ge index of lines which contains "word"/

要求 :

npm install jfile

简短的 :

((JFile)=>{
      var result= new JFile(PATH).grep("word");
})(require('jfile'))
于 2016-07-03T17:22:15.760 回答
-1

从客户端你绝对可以这样做:

var xhttp = new XMLHttpRequest(), searchString = "foobar";

xhttp.onreadystatechange = function() {

  if (xhttp.readyState == 4 && xhttp.status == 200) {

      console.log(xhttp.responseText.indexOf(searchString) > -1 ? "has string" : "does not have string")

  }
};

xhttp.open("GET", "http://somedomain.io/test.txt", true);
xhttp.send();

如果您想在服务器端使用 node.js 执行此操作,请以这种方式使用文件系统包:

var fs = require("fs"), searchString = "somestring";

fs.readFile("somefile.txt", function(err, content) {

    if (err) throw err;

     console.log(content.indexOf(searchString)>-1 ? "has string" : "does not have string")

});
于 2016-07-03T17:50:30.720 回答