Matlab:
1. exist判断当前目录是否存在指定文件夹
例子1
if ~exist('Figure')
mkdir('Figure') % 若不存在,在当前目录中产生一个子目录‘Figure’
end
例子2 子文件夹
判断建立子目录的文件夹
if ~exist('.\fig\Figure')
mkdir('.\fig\Figure') % 若不存在,在当前目录中产生一个子目录‘Figure’
end
2. exist 还可以用于判断目录、内置函数(buildin)、文件、class和变量(var)是否存在
Syntax
exist name
exist name kind
A = exist('name','kind')
kind包括:
builtin Checks only for built-in functions.
class Checks only for classes.
dir Checks only for directories.
file Checks only for files or directories.
var Checks only for variables.
注意这里的var不能用于struct内的子field判定,field可参考下一段
3. isfield判断struct是否有指定子filed
% 定义一个struct
patient.name = 'John Doe';
patient.billing = 127.00;
patient.test = [79 75 73; 180 178 177.5; 220 210 205];
% 检测该struct是否存在指定filed
isfield(patient,'billing')
ans =
1
4.isempty用于判断矩阵是否为空
例子
B = rand(2,2,2);
B(:,:,:) = []; %B此时为零矩阵
isempty(B)
ans = 1
C++:
一、判断文件夹是否存在:
1.用CreateDirectory(".\\FileManege",NULL);如果文件夹FileManege不存在,则创建。
2.或者if(_access(".\\FileManege",0)==-1),表示FileManege不存在。
3.或者BOOL PathIsDirectory(LPCTSTR pszPath);
二、判断文件是否存在:
1.用if((file=fopen(".\\FileManege\\F\\F.dat","rb"))==NULL)
file=fopen(".\\FileManege\\F\\F.dat","ab+"); // 先判断有无文件,没的话新建一个
2.用if(_access(".\\FileManege\\F\\F.dat",0)==-1),表示文件不存在。
函数int _access( const char *path, int mode );可以判断文件或者文件夹的mode属性
mode=00;//Existence only
mode=02;//Write permission
mode=04;//Read permission
mode=06;//Read and write permission
需要包含头文件<io.h>。
http://blog.163.com/kevinlee_2010/blog/static/16982082020116295372304/
C++中fopen函数是没有创建文件夹功能的,也就是说如果??".\\1\\2\\3\\"这个目录不存在,那么下面的代码是运行报错的。
char *fileName=".\\1\\2\\3\\a.txt";
FILE *ftest=fopen(fileName,"w");
fprintf(ftest,"test\naldf\naldkf\m\n");
fclose(ftest);
要预防这种错误有两种方法,一种是逃避,一种是硬着头皮上。
一、逃避
char *fileName=".\\1\\2\\3\\a.txt";
FILE *ftest=fopen(fileName,"w");
if (!ftest)
{
printf("Can't open file!");
}else{
fprintf_s(ftest,"test\naldf\naldkf\m\n");
fclose(ftest);
}
好吧,当你看到文件没有打开的提示之后就去找这个目录是否存在,然后手动创建一个文件夹。再运行就好了。
二、主动创建文件夹
方法一:
用dos命令创建文件夹:system("md .\\1\\2\\3");
完整代码:
char *fileName=".\\1\\2\\3\\a.txt",*tag,path[1000];
strcpy(path,fileName);
int a=0;
for(tag=fileName;*tag;tag++)
{
if (*tag=='\\')
{
a=strlen(fileName)-strlen(tag);
}
}
path[a]=NULL;
char filePath[1000];
sprintf(filePath,"md %s",path);
system(filePath);
然后再open就可以打开了。如果文件夹存在的话,dos窗口会提示文件夹已经存在了。不想看到这句话的话那就换一种调用dos命令的函数,不用system。当然也可以用下面的方法。
方法二:
用到的函数:access和mkdir,分别包含头文件io.h和direct.h如果想深入了解就去查msdn。
完整代码:
char *fileName=".\\1\\2\\3\\a.txt",*tag;
for(tag=fileName;*tag;tag++)
{
if (*tag=='\\')
{
char buf[1000],path[1000];
strcpy(buf,fileName);
buf[strlen(fileName)-strlen(tag)+1]=NULL;
strcpy(path,buf);
if (access(path,6)==-1)
{
mkdir(path);
}
}
完成之后open文件就OK
推荐第二种方法,毕竟mkdir是c的函数。