Google测试中的存根系统功能

问题描述 投票:1回答:1

我正在尝试使用Google Test测试C代码,但遇到一些与系统功能的存根相关的问题,例如:fopen,fclose,fread,fwrite,memcpy,memset,stat等。。。我不知道如何正确对它们进行存根以覆盖功能中需要测试的所有分支。

示例,我有一个函数,如何通过存根fopen,fclose,fwrite,fread对其进行测试?仅存根,不模拟。

#include <stdio.h>
#include <stdlib.h>

int main(){
    FILE *f;
    //initialize the arr1 with values
    int arr1[5]={1,2,3,4,5};
    int arr2[5];
    int i=0;

    //open the file for write operation
    if((f=fopen("includehelp.txt","w"))==NULL){
        //if the file does not exist print the string
        printf("Cannot open the file...");
        exit(1);
    }
    //write the values on the file
    if((fwrite(arr1,sizeof(int),5,f))!=5){
        printf("File write error....\n");
    }
    //close the file
    fclose(f);

    //open the file for read operation
    if((f=fopen("includehelp.txt","r"))==NULL){
        //if the file does not exist print the string
        printf("Cannot open the file...");
        exit(1);
    }
    //read the values from the file and store it into the array
    if((fread(arr2,sizeof(int),5,f))!=5){
        printf("File write error....\n");
    }
    fclose(f);

    printf("The array content is-\n");
    for(i=0;i<5;i++){
        printf("%d\n",arr2[i]);
    }

    return 0;
}
c unit-testing googletest
1个回答
1
投票

您在file()中的sample.c函数将调用fopen()。在完全不同的文件(编译单元)中将fopen定义为其他内容将不会改变这一点。

您不能简单地mock a free function

您可以更改file()功能以获取指向要使用的fopen()功能的指针。然后,在测试中,您可以在调用file()函数时提供指向模拟函数的指针。这是依赖注入

的一种形式

另一个选择是使用条件编译。

使用依赖注入的示例:

// Typedef for our "fopen interface". Makes our code a bit more readable.
typedef FILE *(*fopen_type)(const char *, const char *);

FILE *file(fopen_type fopen_func)
{
    FILE *f = fopen_func("abc", "r"); // Call the provided "fopen" function.
    return f; // Let's return the opened file or `NULL`.
}

然后在您的测试代码中:

TEST(OPEN_FILE, OK)
{
    ASSERT_NE(NULL, file(&my_fopen));
}

如果使用许多要模拟的系统函数,也可以创建一个包含指向所有相关函数的指针的结构。

struct system_calls {
   fopen_type fopen;
   // Add more system calls here.
};

FILE *file(struct system_calls *p)
{
    FILE *f = p->fopen("abc", "r");
    return f;
}

这里的前提是,如果要测试代码,则需要编写可测试的代码。依赖注入是实现此目标的一种方法。

© www.soinside.com 2019 - 2024. All rights reserved.