我想从目录中的所有文件名中删除特定的子字符串:
- 来自'Futurama s1e20的'XYZ.com' - [XYZ.com] .avi' -
所以基本上我需要为方法提供一个所需的子字符串,它必须遍历所有文件名并进行比较。
我无法弄清楚如何使用C。
遍历文件夹中的所有文件答案 0 :(得分:9)
#include <stdio.h>
#include <dirent.h>
#include <sys/stat.h>
#include <sys/types.h>
int main(int argc, char** argv)
{
struct dirent *dp;
DIR *dfd;
char *dir ;
dir = argv[1] ;
if ( argc == 1 )
{
printf("Usage: %s dirname\n",argv[0]);
return 0;
}
if ((dfd = opendir(dir)) == NULL)
{
fprintf(stderr, "Can't open %s\n", dir);
return 0;
}
char filename_qfd[100] ;
char new_name_qfd[100] ;
while ((dp = readdir(dfd)) != NULL)
{
struct stat stbuf ;
sprintf( filename_qfd , "%s/%s",dir,dp->d_name) ;
if( stat(filename_qfd,&stbuf ) == -1 )
{
printf("Unable to stat file: %s\n",filename_qfd) ;
continue ;
}
if ( ( stbuf.st_mode & S_IFMT ) == S_IFDIR )
{
continue;
// Skip directories
}
else
{
char* new_name = get_new_name( dp->d_name ) ;// returns the new string
// after removing reqd part
sprintf(new_name_qfd,"%s/%s",dir,new_name) ;
rename( filename_qfd , new_name_qfd ) ;
}
}
}
虽然我个人更喜欢脚本来完成这项工作,如
#!/bin/bash -f
dir=$1
for file in `ls $dir`
do
if [ -f $dir/$file ];then
new_name=`echo "$file" | sed s:to_change::g`
mv $dir/$file $dir/$new_name
fi
done
答案 1 :(得分:5)
您可以使用FTS(3)
使用C:
http://keramida.wordpress.com/2009/07/05/fts3-or-avoiding-to-reinvent-the-wheel/
答案 2 :(得分:2)
看看dirent.h。
答案 3 :(得分:2)
我知道这个答案会让我失望,但你的问题非常适合shell脚本,(或.cmd脚本),PHP脚本或PERL脚本。在C中完成这项工作比问题值得多。
答案 4 :(得分:1)
关键功能是_findfirst,_findnext和_findclose
struct _finddata_t file_info;
char discard[] = "XYZ.com";
char dir[256] = "c:\\folder\\";
char old_path[256];
char new_path[256];
intptr_t handle = 0;
memset(&file_info,0,sizeof(file_info));
strcpy(old_path,dir);
strcat(old_path,"*.avi");
handle = _findfirst(old_path,&file_info);
if (handle != -1)
{
do
{
char *new_name = NULL;
char *found = NULL;
new_name = strdup(file_info.name);
while ((found = strstr(new_name,discard)) != 0)
{
int pos = found - new_name;
char* temp = (char*)malloc(strlen(new_name));
char* remain = found+strlen(discard);
temp[pos] = '\0';
memcpy(temp,new_name,pos);
strcat(temp+pos,remain);
memcpy(new_name,temp,strlen(new_name));
free(temp);
}
strcpy(old_path,dir);
strcat(old_path,file_info.name);
strcpy(new_path,dir);
strcat(new_path,new_name);
rename(old_path,new_path);
free(new_name);
}while(_findnext(handle,&file_info) != -1);
}
_findclose(handle);
答案 5 :(得分:1)
fts
有一个很好的界面,但它是4.4BSD并且不可移植。 (我最近被一些与fts固有依赖的软件咬在后面。)opendir
和readdir
不那么有趣,但是POSIX标准并且是可移植的。