xv6-cs450/printf.c

86 lines
1.4 KiB
C
Raw Normal View History

#include "types.h"
#include "stat.h"
#include "user.h"
static void
putc(int fd, char c)
{
2006-09-06 19:27:19 +02:00
write(fd, &c, 1);
}
static void
printint(int fd, int xx, int base, int sgn)
{
2007-08-10 19:17:42 +02:00
static char digits[] = "0123456789ABCDEF";
char buf[16];
2007-08-10 19:17:42 +02:00
int i, neg;
uint x;
2006-09-06 19:27:19 +02:00
2007-08-10 19:17:42 +02:00
neg = 0;
if(sgn && xx < 0){
neg = 1;
2007-08-10 19:17:42 +02:00
x = -xx;
2007-08-28 20:37:41 +02:00
} else {
x = xx;
}
2007-08-10 19:17:42 +02:00
i = 0;
2007-08-28 20:32:08 +02:00
do{
buf[i++] = digits[x % base];
2007-08-28 20:32:08 +02:00
}while((x /= base) != 0);
if(neg)
buf[i++] = '-';
while(--i >= 0)
putc(fd, buf[i]);
}
2006-09-06 19:50:20 +02:00
// Print to the given fd. Only understands %d, %x, %p, %s.
void
printf(int fd, char *fmt, ...)
{
2007-08-10 19:17:42 +02:00
char *s;
int c, i, state;
uint *ap;
2007-08-10 19:17:42 +02:00
state = 0;
ap = (uint*)(void*)&fmt + 1;
for(i = 0; fmt[i]; i++){
c = fmt[i] & 0xff;
if(state == 0){
if(c == '%'){
state = '%';
2007-08-28 20:37:41 +02:00
} else {
putc(fd, c);
}
2007-08-28 20:37:41 +02:00
} else if(state == '%'){
if(c == 'd'){
printint(fd, *ap, 10, 1);
ap++;
2007-08-28 20:37:41 +02:00
} else if(c == 'x' || c == 'p'){
printint(fd, *ap, 16, 0);
ap++;
2007-08-28 20:37:41 +02:00
} else if(c == 's'){
2007-08-10 19:17:42 +02:00
s = (char*)*ap;
ap++;
2007-08-28 06:15:35 +02:00
if(s == 0)
s = "(null)";
while(*s != 0){
putc(fd, *s);
s++;
}
2007-08-28 20:37:41 +02:00
} else if(c == 'c'){
putc(fd, *ap);
ap++;
2007-08-28 20:37:41 +02:00
} else if(c == '%'){
putc(fd, c);
2007-08-28 20:37:41 +02:00
} else {
// Unknown % sequence. Print it to draw attention.
putc(fd, '%');
putc(fd, c);
}
state = 0;
}
}
}