系统编程——write()函数

1、程序文件

#include <stdio.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <unistd.h>
#include <string.h>

#define SIZE 1024

// 简单文件写入
int main1()
{
	// 以只读方式打开文件
	// fd:文件描述符
	int fd = open("tmp.txt", O_WRONLY | O_CREAT);
	
	if (-1 == fd)
	{
		perror("打开test.c文件失败");
		
		return -1;
	}
	
	// ssize_t write(int fd, const void *buf, size_t count);
	ssize_t ret = write(fd, "hello world", 11);
	
	if (-1 == ret)
	{
		perror("写入失败");
		
		return -1;
	}
	
	printf ("写入成功,写入的字节数:%ld\n", ret);

	close(fd);
	
	return 0;
}

// 打开一个文件,并执行写入
int main2()
{
	//  O_APPEND:每次写之前,将标志位移动到文件的末端。
	int fd = open("tmp.txt", O_WRONLY | O_CREAT | O_APPEND, 0766);
	
	if (-1 == fd)
	{
		perror("打开tmp.txt文件失败!");
		
		return -1;
	}
	
	char buf[SIZE];
	
	while (1)
	{
		fgets(buf, SIZE, stdin);
		
		if (0 == strncmp(buf, "end", 3))
			break;
		
		ssize_t ret = write(fd, buf, strlen(buf));
		
		if (-1 == ret)
		{
			perror("写入失败");
			
			return -1;
		}
	}
	
	close(fd);
	
	return 0;
}

// 文件赋值
int main3()
{
	// fd1;文件描述符
	int fd1 = open("1.ppt", O_RDONLY);
	int fd2 = open("2.ppt", O_WRONLY | O_CREAT, 0766);
	
	if (-1 == fd1 || -1 == fd2)
	{
		perror("打开文件失败");
		
		return -1;
	}
	
	char buf[SIZE];
	ssize_t ret;
	
	// 返回值为实际读取到的字节数
	while((ret = read(fd1, buf, SIZE)) != 0)
	{
		if (-1 == ret)
		{
			perror("读失败");
			break;
		}
		
		ret = write(fd2, buf, ret);
		
		if (-1 == ret)
		{
			perror("写失败");
			
			break;
		} 
	}
	 
	close(fd1);
	close(fd2);
	
	return 0;
}

// 
int main()
{
	// int fd = open("tmp.txt", O_WRONLY|O_CREAT | O_TRUNC, 0766);
	int fd = open("tmp.txt", O_RDONLY);
	
	ssize_t ret1 = write(fd, "10", 1);

	if (-1 == fd)
	{
		perror("打开tmp.txt文件失败");
		
		return -1;
	}
	
	int a = 10;
	
	ssize_t ret = read(fd, &a, sizeof(int));
	
	printf ("a = %d\n", a);
	
	close(fd);
	
	return 0;
}

猜你喜欢

转载自blog.csdn.net/ypjsdtd/article/details/85129334