问题
我想用java7s NIO在java中编写一个数据导入。用户以字符串形式输入文件的路径,程序尝试使用路径打开它。当它想要读取其 DosFileAttributes 时,会发生 java.nio.file.NoSuchFileException: file.txt。
我发现了什么
到目前为止,我发现的唯一答案是使用资源流 - 但这不切实际,因为要加载的文件是由用户提供的,不应该是 jar 的一部分。还是我误会了?http://docs.oracle.com/javase/7/docs/api/java/lang/Class.html#getResourceAsStream%28java.lang.String%29
我有什么
设置:
- Maven 3
- Java7
- 测试NG
- 春天
项目结构:
- src/main/java - 类
- src/test/java - 测试用例
- src/test/resources - 也许是 file.txt ?实际上它在那里
加载文件的源:
import java.io.BufferedReader;
import java.io.IOException;
import java.nio.charset.Charset;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.nio.file.attribute.DosFileAttributes;
import java.util.ArrayList;
import java.util.List;
import org.springframework.stereotype.Component;
@Component( "fileLoader" )
public class BufferdFileLoader
implements FileLoader {
@Override
public List<String> loadFile( String path )
throws IOException {
if ( path == null || path.length() == 0 ) {
throw new IllegalArgumentException( "path should not be null" );
}
Path file = Paths.get( path );
// here the Exception is thrown
DosFileAttributes attrs = Files.readAttributes( file, DosFileAttributes.class );
if ( !attrs.isRegularFile() ) {
throw new IOException( "could not read file, invalid path" );
}
List<String> result = new ArrayList<String>();
try (BufferedReader reader = Files.newBufferedReader( file, Charset.forName( "UTF-8" ) )) {
String line = null;
while ( ( line = reader.readLine() ) != null ) {
result.add( line );
}
}
return result;
}
}
测试用例很简单:
import java.io.IOException;
import java.util.List;
import javax.inject.Inject;
import lombok.Setter;
import org.springframework.test.context.ContextConfiguration;
import org.springframework.test.context.testng.AbstractTestNGSpringContextTests;
import org.testng.Assert;
import org.testng.annotations.Test;
/**
* Class under test {@link BufferdFileLoader}
*
*/
@ContextConfiguration
public class BufferdFileLoaderTest
extends AbstractTestNGSpringContextTests {
/**
* Class under test
*/
@Inject
@Setter
private BufferdFileLoader bufferdFileLoader;
/**
* Method under test {@link BufferdFileLoader#loadFile(String)}
*
* @throws IOException
*/
@Test( groups = { "integration" }, enabled = true )
public void testImportFeedsFromXMLFileWitEmptyXml()
throws IOException {
String filename = "empty-example-takeout.xml";
List<String> list = this.bufferdFileLoader.loadFile( filename );
Assert.assertEquals( list.size(), 0 );
}
}
所以我的问题是
如何使用 NIO 加载文件以便它可以用 maven 测试并且也可以在生产环境中工作?