Outline

3 文件、进程、流和网络

  • 3.1 查询和读写文件
  • 3.2 创建和控制外部进程
  • 3.3 读写数据流

3 文件、进程、流和网络

3.1 查询和读写文件

path

从Node 0.8起,path模块只负责处理文件路径相关的字符串,不与实际文件或路径关联。

sample code:

/**
demonstration of module 'path' 's usage
*/
var path = require("path");

// 1 exists() - DEPRECATED use fs.exists("<path>", function(exists){}) instead
var fs = require("fs");
fs.exists("./path_demo.js", function(exists){// this file
  console.log(exists);
});
console.log(fs.existsSync("./path_demo.js"));// syn version

// 2 normalize()
console.log(path.normalize("/foo/bar/../baz"))

// 3 join()
var myPath = path.join("/foo", "bar", "..", "baz");
console.log(myPath);

// 4 resolve()
myPath = path.resolve("/hotdoc", "static_files/script", "../images/home.gif");
console.log(myPath);

// 5 relative()
myPath = path.relative("/data/test/aaa", "/data/src/aaa");
console.log(myPath);

// 6 dirname(), basename(), extname()
myPath = "/foo/bar/baz/index.html";
console.log("dirname="+path.dirname(myPath));
console.log("basename="+path.basename(myPath));
console.log("basename without extention="+path.basename(myPath, ".html"));
console.log("extname="+path.extname(myPath));

fs

fs模块用于查询文件的统计信息、文件的打开/读写/关闭等操作。

/**
demonstration of module 'fs''s usage,
files are put in $CWD/data
*/

var fs = require("fs");

// 1 stat()
fs.stat("./data/data.txt", function(error, stats){
  if(error){
    throw error;
  }
  console.log(stats);
  // hepler methods
  console.log("isFile="+stats.isFile());
  console.log("isDirectory="+stats.isDirectory());
  console.log("isBlockDevice="+stats.isBlockDevice());
  console.log("isCharacterDevice="+stats.isCharacterDevice());
  console.log("isSymbolicLink="+stats.isSymbolicLink());
  console.log("isFIFO="+stats.isFIFO());
  console.log("isSocket="+stats.isSocket());
});

// 2 open()
// 3 read()
fs.open("./data/data.txt", "r", function opened(error, fd){
  // fd: file descriptor
  if(error){ throw error; }

  var readBuffer = new Buffer(1024);
  fs.read(fd,
    readBuffer,
    0, // buffer's start position
    readBuffer.length,//data size
    0, // file postion
    function(error, readBytes){
      if(error) {throw error;}
      console.log("read "+ readBytes + " bytes");
      if(readBytes > 0){
        console.log(readBuffer.slice(0, readBytes).toString());
      }
    });

    fs.close(fd, function(){
      console.log("closed after read");
    });
});

// 4 write()
fs.open("./data/data.txt", "a", function(error, fd){// append mode
  if(error) {throw error;}

  var writeBuffer = new Buffer("this is the appended content");
  fs.write(fd,
    writeBuffer,
    0, // buffer's start position
    writeBuffer.length,// data size
    null, // current file's cursor
    function(error, writeBytes){
      if(error) {throw error;}
      console.log("write " + writeBytes + " bytes");
    }
  );

  fs.close(fd, function(){
    console.log("closed after write");
  });
});

// 5 close()
// default: file is closed when process end

3.2 创建和控制外部进程

(1) 执行外部进程

exec_external_cmd.js

/**
demonstration of execute external commands
*/

var exec = require("child_process").exec;
// execute "cat *.js | wc -l"
exec("cat *.js | wc -l", function(error, stdout, stderr){
  if(error){
    console.log("child process exited with error code: " + error.code);
    return;
  }
  console.log(stdout);//renderer the output of child process
});

// use configuration options
var options = {
  encoding: "utf8",
  timeout: 10000,
  killSignal: "SIGKILL",
  maxBuffer: 10 * 1024//default is 200*1024Bytes
};
exec("cat *.js | wc -c", options, function(error, stdout, stderr){
  if(error){
    console.log("child process exited with error code: " + error.code);
    return;
  }
  console.log(stdout);
});

// play with environment variables
// get this process's ENV
var env = process.env;
var envCopy = {};
for(var envVarname in env){
  envCopy[envVarname] = env[envVarname];// deep copy
}
envCopy["number"] = 123;// customed environment variable
exec("node child_env.js", {env: envCopy}, function(error, stdout, stderr){
  if(error) { throw error;}
  console.log("stdout:"+stdout);
  console.log("stderr:"+stderr);
});

child_env.js

/**
 a child process script to handle ENVs
*/
// ENV: number
var number = process.env.number;
console.log(typeof(number));// should be string

number = parseInt(number, 10);
console.log(typeof(number));

(2) 生成子进程

spawn_demo.js

/**
demonstration of spawn child processes
*/
var spawn = require("child_process").spawn;

// 1 spawn usage
// (1) not long-lived child process
// wc -l spawn_demo.js
//var child = spawn("wc", ["-l", "spawn_demo.js"]);

// (2) a long-lived child process
// tail -f spawn_demo.js
//var child = spawn("tail", ["-f", "spawn_demo.js"]);//this file

// (3) a sample IPC
/*
// node child_spawn.js
var child = spawn("node", ["child_spawn.js"]);
setInterval(function(){
  var number = Math.floor(Math.random() * 10000);

  // communicate to child process through FD stdin
  child.stdin.write(number+"\n");

  child.stdout.once("data", function(data){
    console.log("child's reply to " + number + " is " + data);
  });
}, 1000);
*/

// (4) child process killed by a singal
var child = spawn("sleep", ["5"]);

// 2 listen to child process's stdout
child.stdout.on("data", function(data){
  console.log("child output: "+ data);
});

child.stderr.on("data", function(data){
  console.log("child error output: " + data);
});

// listen to child process's exit
child.on("exit", function(code){
  console.log("child process exitd with code: " + code);
});

// listen to child process's exit with a returned signal
child.on("exit", function(code, signal){
  if(code){
    console.log("child process exitd with code: " + code);
  } else if(signal){
    console.log("child process killed by signal: " + signal);
  }
});

child_spawn_demo.js

/**
 demonstration of a spawnded child process to receive data from its stdin
*/

// unlock stream stdin's PAUSE state
process.stdin.resume();

process.stdin.on("data", function(data){
  var number;

  try{
    number = parseInt(data.toString(), 10);

    number += 1;

    // write to stdin
    process.stdout.write(number+"\n");
  } catch(error){
    process.stderr.write(err.message + "\n");
  }
});

(3) 进程间通信(IPC)

process_signal.js

/**
demonstration of sending signal to child process
*/
var spawn = require("child_process").spawn;

// [1]
//var child = spawn("sleep", ["10"]);

// [2]
var child = spawn("node", ["child_process_signal.js"]);

setTimeout(function(){
  // [1]
  // send a signal to child process: SIGTERM
  //child.kill();

  // [2]
  // send a signal to child process
  child.kill("SIGUSR2");
}, 3000);

// listeners
child.stdout.on("data", function(data){
  console.log("child stdout: " + data);
});

child.stderr.on("data", function(data){
  console.log("child stderr: " + data);
});

child.on("exit", function(code, signal){
  if(code){
    console.log("child process exitd with code: " + code);
  } else if(signal){
    console.log("child process killed by signal: " + signal);
  }
});

child_process_signal.js

/**
demonstration of process handle signals
*/
console.log("child process's pid="+process.pid);

var exec = require("child_process").exec;
exec("sleep 10", function(error, stdout, stderr){
  if(error){
    console.log("child process exited with error code: " + error.code);
    return;
  }
  console.log("stdout="+stdout);
  console.log("stderr="+stderr);
});

process.on("SIGUSR2", function(){
  console.log("incoming a SIGUSR2 singal, i will quit with killing myself");
  process.kill(process.pid);// kill self
});

3.3 读写数据流

文件流

可读read_stream.js

/**
demonstration of readable stream, including
events: data, end
method: pause(), resume()
*/
var fs = require("fs");

var options = {
  encoding: 'utf8',// null means will be Buffer in 'data' event, and  'utf8' means string
  fd: null, // an opened file descriptor
  bufferSize: 0,//size of file chunk
  start: 0, // start postion in file that want to read
  end:10 // end position in file that want to read
};
var readStream = fs.createReadStream("./data/data.txt", options);

readStream.on("data", function(data){
  console.log("type of data is : " + typeof(data));
  console.log(data.toString());
});

// pause the stream
readStream.pause();

// resume the paused stream
readStream.resume();

readStream.on("end", function(){
  console.log("the stream has ended");
})

可写write_stream.js

/**
demonstration of writeable stream, including
events: drain
method: write()
*/
var fs = require("fs");

var options = {
  flags: 'w',// same as fs.open()
  encoding: 'utf8',// same as readable buffer's options
  mode: 0666// file's priviledge
};
var writeStream = fs.createWriteStream("./data/data2.txt");

var inKernelOrQueue = writeStream.write("What is rational is real, and what is real is rational.");
// true means data has been sent to kernel's buffer,
// false means data had been save in queue in process's memory space
console.log("inKernelOrQueue="+inKernelOrQueue);

writeStream.on("drain", function(){
   console.log("data has been sent");
});

网络流

Socket是可读/可写流。
HTTP请求对象(request)是可读流,HTTP响应对象(response)是可写流。
具体内容见后面的模块说明。

慢客户端问题

典型场景:从可写流读,向可写流写入;但读的速度比写的速度快,需要可读流等待一下。

pipe_demo.js

/**
demonstration of readable stream's pipe() method,
it's used for handle write is more slow than read operation
*/
var http = require("http");
var fs = require("fs");

http.createServer(function(request, response){
  var readStream = fs.createReadStream("./data/data.txt");

  var options = {
    // true means the writeable stream's end() method will be called when the readable stream is end
    end: false
  };
  readStream.pipe(response, options);

  readStream.on("end", function(){
    response.write("that all the content");
    response.end();// directly call the end() method
  });

}).listen(8080);

Node.js高级编程读书笔记 - 2 文件和进程处理的更多相关文章

  1. Node.js高级编程读书笔记Outline

    Motivation 世俗一把,看看前端的JavaScript究竟能做什么. 顺便检验一下自己的学习能力. Audience 想看偏后台的Java程序员关于前端JavaScript的认识的职业前端工程 ...

  2. Node.js高级编程读书笔记 - 1 基本概念

    Outline 1 概述和安装 1.1 安装Node 1.2 Node简介 2 Node核心API基础 2.1 加载模块 2.2 应用缓冲区处理.编码和解码二进制数据 2.3 使用时间发射器模式简化事 ...

  3. Node.js高级编程读书笔记 - 6 应用程序构建和调试 - Never

    Explanation 现阶段console.log(...),util.inspect(...), JSON.stringify(...)在控制台输出已经够用了[2015/07/19]. 单元测试隶 ...

  4. Node.js高级编程读书笔记 - 4 构建Web应用程序

    Outline 5 构建Web应用程序 5.1 构建和使用HTTP中间件 5.2 用Express.js创建Web应用程序 5.3 使用Socket.IO创建通用的实时Web应用程序 5 构建Web应 ...

  5. Node.js高级编程读书笔记 - 3 网络编程

    Outline 3.4 构建TCP服务器 3.5 构建HTTP服务器 3.6 构建TCP客户端 3.7 创建HTTP请求 3.8 使用UDP 3.9 用TLS/SSL保证服务器的安全性 3.10 用H ...

  6. Node.js高级编程读书笔记 - 5 数据库 - Never

    Outline 6 连接数据库 6.1 使用node-mysql连接MySQL数据库 6.2 使用Nano连接CouchDB数据库 6.3 使用Mongoose连接MongoDB数据库 6 连接数据库 ...

  7. JS高级编程读书笔记

    导读:由于书的内容较多,内容划分也非常详尽,所以会分好几篇来写. 此页面仅作为跳转,权当个目录来用. 我会分块进行整理,大致如下: 第一章 简介 讲述javascript的历史,不打算整理,同学们大概 ...

  8. 《Node.js 高级编程》简介与第二章笔记

    <Node.js 高级编程> 作者简介 Pedro Teixerra 高产,开源项目程序员 Node 社区活跃成员,Node公司的创始人之一. 10岁开始编程,Visual Basic.C ...

  9. JavaScript、jQuery、HTML5、Node.js实例大全-读书笔记2

    技术很多,例子很多,只好慢慢学,慢慢实践!!现在学的这本书是[JavaScript实战----JavaScript.jQuery.HTML5.Node.js实例大全] JavaScript.jQuer ...

随机推荐

  1. Caffe + Ubuntu 14.04 64bit + CUDA6.5 + 无GPU 配置

    官网: http://caffe.berkeleyvision.org/installation.html#compilation 参考网站: http://www.cnblogs.com/dupul ...

  2. Learning Roadmap of Deep Reinforcement Learning

    1. 知乎上关于DQN入门的系列文章 1.1 DQN 从入门到放弃 DQN 从入门到放弃1 DQN与增强学习 DQN 从入门到放弃2 增强学习与MDP DQN 从入门到放弃3 价值函数与Bellman ...

  3. LTE Module User Documentation(翻译9)——Using the EPC with emulation mode

    LTE用户文档 (如有不当的地方,欢迎指正!) 15 Using the EPC with emulation mode(使用仿真方式的 EPC)     在上一节中,我们使用点对点链路连接基站和服务 ...

  4. Request获取URL地址相应方法

    以项目为BBS为例,以下代码置于modify.jsp: 1.request.getLocalName(): akiradunn 2.request.getServerName(): localhost ...

  5. SPSS数据分析—简单线性回归

    和相关分析一样,回归分析也可以描述两个变量间的关系,但二者也有所区别,相关分析可以通过相关系数大小描述变量间的紧密程度,而回归分析更进一步,不仅可以描述变量间的紧密程度,还可以定量的描述当一个变量变化 ...

  6. win7文件夹共享(不新建账户、不带密码直接访问)

    1.右键需要共享的文件夹>共享>特定用户>选择Everyone>“添加”>“共享” 2.打开控制面板>按类别的查看方式>网络和Internet下的选择家庭组和 ...

  7. mysql 关键字于数据库字段于关键字冲突的问题

    如果数据库存储字段 为MySQL关键字,那么在查询或者其他操作时会出错.那么我们应该怎么办, 可能有些人会说,换个字段不就好了啊.当然这样也是可以的,完全没问题. 然而,如果是在无法对数据库进行修改和 ...

  8. react native ScrollView

    ScrollView是一个通用的可滚动的容器,你可以在其中放入多个组件和视图,而且这些组件并不需要是同类型的.ScrollView不仅可以垂直滚动,还能水平滚动(通过horizontal属性来设置). ...

  9. PDF 补丁丁 0.4.2.1023 测试版使用手册发布

    由于 PDF 补丁丁新版本增加的功能颇多,界面也重新设计过,因此,使用手册需要作比较大幅度的改动才能与软件相匹配. 目前,使用手册已经撰写了一部分,但新增功能的介绍和新界面的截图还没完成,有2/3的内 ...

  10. mongostat 3.2指标详解

    存储引擎:wiredTiger /usr/local/mongodb-3.2.8/bin/mongostat  -uroot -pcEqHuoqiJYhjVpuL --host 127.0.0.1   ...