0

関数 ptr * Os_printf * で 2 つ以上の引数を出力できますが、関数は 1 つの引数でしか機能しません。

たとえば -->

Os_printf("Moon %d %d",55,5);

アウト:

ムーン 55 5

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

char db[50];

void test_1(int (*debug)())
{
    debug("JOY %d %d \n",4,55);
}

volatile int (*ptr_fscreener)(char * __restrict, const char * __restrict, ...);

void Os_formater(int (*debug)() )
{
  ptr_fscreener=debug;
}

void Os_printf(const char  * __restrict out,void**d)
{
va_list args;
char db[50];
ptr_fscreener(db,out,d);
puts(db);
}

int main(void) {
    Os_formater(sprintf);
    Os_printf("Moon %d",55);
    test_1(printf);
    puts("!!!Hello World!!!"); /* prints !!!Hello World!!! */
    return EXIT_SUCCESS;
  }


/*******  OUTPUT For example  ******/
       Moon 55
       JOY 4 55
       !!!Hello World!!!
4

1 に答える 1

3

他の多くの変更の中でも<stdarg.h>、おそらく とを使用する必要があります。vsnprintf()

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

void test_1(int (*debug)(const char *format, ...))
{
    debug("JOY %d %d\n",4,55);
}

static int (*ptr_fscreener)(char *, size_t, const char *, va_list);

void Os_formatter(int (*debug)(char *buffer, size_t buflen, const char *format, va_list args))
{
    ptr_fscreener = debug;
}

void Os_printf(const char *out, ...)
{
    va_list args;
    char db[50];
    va_start(args, out);
    ptr_fscreener(db, sizeof(db), out, args);
    va_end(args);
    puts(db);
}

int main(void)
{
    Os_formatter(vsnprintf);
    Os_printf("Moon %d",55);
    test_1(printf);
    puts("!!!Hello World!!!");
    return EXIT_SUCCESS;
}

を使用vsnprintf()すると、正しく使用している限り、バッファ オーバーフローに対する保護が得られます。の使用に戻るのはかなり簡単vsnprintf()です。snprintf()確実に使用することはできないsprintf()と思います。

コンパイル:

gcc -O3 -g -std=c99 -Wall -Wextra va.c -o va  

結果:

Moon 55
JOY 4 55
!!!Hello World!!!
于 2012-04-23T23:40:17.330 に答える