I had a simple performance test between go(1.11) and java(1.8) on my Mac(version Majave) with 4Cpus/i5 and 16G memory, I found that, reading a small file, golang is 6~7 times faster than java. Below is my test code, I want to confirm whether my test code wrong or I missed something?
- Java
with concurrent.ExecutorService
import java.io.*;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Date;
import java.util.List;
import java.util.concurrent.Callable;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.Future;
class TaskWithResult implements Callable<String> {
private static String readToString() {
String fileName = "/Users/pis/IdeaProjects/Test/src/data/test.txt";
File file = new File(fileName);
Long filelength = file.length();
byte[] filecontent = new byte[filelength.intValue()];
try {
FileInputStream in = new FileInputStream(file);
in.read(filecontent);
in.close();
} catch (IOException e) {
e.printStackTrace();
}
SimpleDateFormat myFmt=new SimpleDateFormat("yyyy-MM-dd HH: mm: ss: SSS: ");
Date d1 = new Date();
return myFmt.format(d1);
}
/**
* 任务的具体过程,一旦任务传给ExecutorService的submit方法,
* 则该方法自动在一个线程上执行
*/
public String call() throws Exception {
String result = readToString();
System.out.println(result);
//该返回结果将被Future的get方法得到
return result;
}
}
public class readFile{
public static void main(String args[]){
ExecutorService es = Executors.newFixedThreadPool(5);
List<Future<String>> resultList = new ArrayList<Future<String>>();
SimpleDateFormat myFmt=new SimpleDateFormat("yyyy-MM-dd HH: mm: ss: SSS");
Date d1 = new Date();
System.out.println("Start Time:"+myFmt.format(d1));
for (int i = 0; i < 1000; i++){
//使用ExecutorService执行Callable类型的任务,并将结果保存在future变量中
Future<String> future = es.submit(new TaskWithResult());
//将任务执行结果存储到List中
resultList.add(future);
}
}
}
- Go
with channel
package main
import (
"fmt"
"io/ioutil"
"time"
)
func readFile(fileName string, p chan string)chan string {
f, err := ioutil.ReadFile(fileName)
if err!=nil{
fmt.Println("read file error")
}
p<-string(f)
return p
}
func main() {
le := 1000
p := make(chan string, le)
start := time.Now()
for i:=0;i<le;i++{
go readFile("test.txt", p)
}
fmt.Println(fmt.Sprintf("Start Time: %s", start))
for i:=0;i<le;i++{
<-p
fmt.Println(fmt.Sprintf("End Time: %s, duration: %f", time.Now(), time.Since(start).Seconds()))
}
}
Result
Go:complete all task in about 0.0197s
Start Time: 2018-12-24 15:30:50.333694 +0800 CST m=+0.000325519
...
End Time
...
End Time: 2018-12-24 15:30:50.353409 +0800 CST m=+0.020040254, duration: 0.019715
Java: complete all task in about 122ms
Start Time:2018-12-24 15: 30: 31: 301
...
2018-12-24 15: 30: 31: 422
My test data file is a very simple txt in several lines(about 362B). Is there something wrong with my test code in test reading a small file between go and java? Somebody pls help me out. Thanks in advance:)