假设我想生成------
,只有-
,是否有一个C宏来生成重复的字符串?
答案 0 :(得分:14)
使用boost,E.g
#include <stdio.h>
#include <boost/preprocessor/repetition/repeat.hpp>
#define Fold(z, n, text) text
#define STRREP(str, n) BOOST_PP_REPEAT(n, Fold, str)
int main(){
printf("%s\n", STRREP("-", 6));
return 0;
}
答案 1 :(得分:6)
是和否。它并不简单,通常不是一个好主意,但你可以用有限的,恒定的大小和恒定的字符来做。使用C预处理器有很多方法可以做到这一点。这是一个:
#define DUP(n,c) DUP ## n ( c )
#define DUP7(c) c c c c c c c
#define DUP6(c) c c c c c c
#define DUP5(c) c c c c c
#define DUP4(c) c c c c
#define DUP3(c) c c c
#define DUP2(c) c c
#define DUP1(c) c
#include <stdio.h>
int main(int argc, char** argv)
{
printf("%s\n", DUP(5,"-"));
printf("%s\n", DUP(7,"-"));
return 0;
}
它并不漂亮,只有在您真正希望将字符串存储为静态(常量)数据时才有用。 n
的{{1}}和'c'参数都必须是常量(它们不能是变量)。 Boost.Preprocessor模块有很多关于如何以及何时(ab)使用这样的C / C ++预处理器的好信息。虽然Boost是一个C ++库,但预处理器信息很大程度上适用于直接C语言。
一般来说,在普通的C代码中执行此操作要好得多:
DUP
或者,使用/* In C99 (or C++) you could declare this:
static inline char* dupchar(int c, int n)
in the hopes that the compiler will inline. C89 does not support inline
functions, although many compilers offered (inconsistent) extensions for
inlining. */
char* dupchar(int c, int n)
{
int i;
char* s;
s = malloc(n + 1); /* need +1 for null character to terminate string */
if (s != NULL) {
for(i=0; i < n; i++) s[i] = c;
}
return s;
}
,如@Jack建议的那样。
答案 2 :(得分:5)
不符合C标准。您需要编写自己的实现。
修改强>
类似的东西:
#include <stdio.h>
#include <string.h>
#define REPEAT(buf, size, ch) memset(&buf, ch, size)
int main(void)
{
char str[10] = { 0 };
REPEAT(str, 9, '-');
printf("%s\n", str); //---------
return 0;
}