1 /*
2 * Copyright (c) 2002, Intel Corporation. All rights reserved.
3 * Copyright (c) 2012, Cyril Hrubis <chrubis@suse.cz>
4 *
5 * This file is licensed under the GPL license. For the full content
6 * of this license, see the COPYING file at the top level of this
7 * source tree.
8 *
9 * MPR References within the address range starting at pa and
10 * continuing for len bytes to whole pages following the end
11 * of an object shall result in delivery of a SIGBUS signal.
12 *
13 * Test Steps:
14 * 1. Map a file with size = 1/2 page_size, while len = 2 * page_size
15 * 2. If Memory Protection option is supported, read the second page
16 * beyond the object (mapped file) size (NOT the patial page),
17 * should get SIGBUS;
18 */
19
20
21 #include <sys/mman.h>
22 #include <sys/types.h>
23 #include <sys/stat.h>
24 #include <sys/wait.h>
25 #include <errno.h>
26 #include <fcntl.h>
27 #include <signal.h>
28 #include <stdio.h>
29 #include <stdlib.h>
30 #include <string.h>
31 #include <unistd.h>
32
33 #include "posixtest.h"
34 #include "tempfile.h"
35
sigbus_handler(int signum)36 static void sigbus_handler(int signum)
37 {
38 if (signum == SIGBUS) {
39 PTS_WRITE_MSG("SIGBUS triggered\n");
40 PTS_WRITE_MSG("Test PASSED\n");
41 _exit(PTS_PASS);
42 }
43 }
44
main(void)45 int main(void)
46 {
47 #ifndef _POSIX_MEMORY_PROTECTION
48 printf("_POSIX_MEMORY_PROTECTION is not defined\n");
49 return PTS_UNTESTED;
50 #endif
51 char tmpfname[PATH_MAX];
52 long page_size;
53 long total_size;
54
55 void *pa;
56 size_t len;
57 int fd;
58
59 char *ch;
60 struct sigaction sa;
61
62 page_size = sysconf(_SC_PAGE_SIZE);
63
64 /* Size of the file to be mapped */
65 total_size = page_size / 2;
66
67 /* mmap 2 pages */
68 len = page_size * 2;
69
70 sigfillset(&sa.sa_mask);
71 sa.sa_handler = sigbus_handler;
72 sigaction(SIGBUS, &sa, NULL);
73
74 /* Create tmp file */
75 PTS_GET_TMP_FILENAME(tmpfname, "pts_mmap_11_2");
76 unlink(tmpfname);
77 fd = open(tmpfname, O_CREAT | O_RDWR | O_EXCL, S_IRUSR | S_IWUSR);
78 if (fd == -1) {
79 printf("Error at open(): %s\n", strerror(errno));
80 return PTS_UNRESOLVED;
81 }
82 unlink(tmpfname);
83
84 if (ftruncate(fd, total_size) == -1) {
85 printf("Error at ftruncate(): %s\n", strerror(errno));
86 return PTS_UNRESOLVED;
87 }
88
89 pa = mmap(NULL, len, PROT_READ | PROT_WRITE, MAP_SHARED, fd, 0);
90 if (pa == MAP_FAILED) {
91 printf("Error at mmap(): %s\n", strerror(errno));
92 return PTS_FAIL;
93 }
94
95 /* Read the second page */
96 ch = pa + page_size + 1;
97
98 /* This reference should trigger SIGBUS */
99 *ch = 0;
100
101 /* wait for a while */
102 sleep(1);
103
104 printf("Test FAILED: SIGBUS not triggered, "
105 "while Memory Protection is enabled\n");
106 return PTS_FAIL;
107 }
108