标题: 文件引用问题之单元测试 [打印本页] 作者: lsekfe 时间: 2023-5-22 13:18 标题: 文件引用问题之单元测试 问题的产生
最近在写单元测试时,发现一个文件路径引用的问题。我先把背景说一下,看大家能不能发现这个问题。
我在本地写单元测试时,数据源文件用了上一级目录内的一个文件,通过相对路径的方式引用的,用IDE跑测试可以通过。当我把代码提交到线上跑集成测试时,测试不通过,原因是找不到对应的数据源文件。为什么会这样呢?
相对路径是相对于运行环境说的,本地的IDE中运行环境的路径与线上机器运行环境的路径不一致。这就导致相对路径指向了不同的绝对路径上去了。
那么这个问题怎么解决呢? 问题的解决方案 依赖代码源文件路径
因为数据源文件与测试代码的相对路径是固定的,取得测试代码在运行时的路径,这样就可以通过测试代码的路径定位出数据源文件的路径。下面举例说明在C++,Java,Python中是怎么实现的:
C++通过__FILE__宏来获取代码文件的路径,据此可得到其他相对路径。
#include <iostream>
#include <filesystem>
int main() {
// Get the full path to the current source file
std::string sourcePath = __FILE__;
// Get the directory of the source file
std::filesystem::path sourceDirectory = std::filesystem::path(sourcePath).parent_path();
// Construct the relative path to the file
std::filesystem::path relativePath = "path/to/file.txt";
// Construct the full path to the file
std::filesystem::path filePath = sourceDirectory / relativePath;
// Use the file path in your code
std::cout << filePath.string() << std::endl;
return 0;
}
Java 通过虚拟机定位class类的路径。
import java.nio.file.Paths;
public class MyClass {
public static void main(String[] args) {
// Get the path to the current class file
String classPath = MyClass.class.getProtectionDomain().getCodeSource().getLocation().getPath();
// Get the directory of the class file
String classDirectory = Paths.get(classPath).getParent().toString();
// Construct the relative path to the directory
String relativePath = "path/to/directory";
// Construct the full path to the directory
String directoryPath = Paths.get(classDirectory, relativePath).toString();
}
}
Python做法与C++类似,通过内置的__file__变量。
import os
# Get the directory of the currently executing assembly
assembly_directory = os.path.dirname(os.path.abspath(__file__))
# Construct the relative path to the file
relative_path = "path/to/file.txt"
# Construct the full path to the file
file_path = os.path.join(assembly_directory, relative_path)