1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
|
/*
* File: map_file.c
*
* File mapping
*/
#include <stdint.h>
#include <stdio.h>
#include <string.h>
#include <fcntl.h>
#include <unistd.h>
#include <sys/stat.h>
#include <stlink.h>
#include "map_file.h"
#include "read_write.h"
#ifndef O_BINARY
#define O_BINARY 0
#endif
// 1 GB max file size
#ifndef MAX_FILE_SIZE
#define MAX_FILE_SIZE (1<<20)
#endif
/* Limit the block size to compare to 0x1800 as anything larger will stall the
* STLINK2 Maybe STLINK V1 needs smaller value!
*/
int32_t check_file(stlink_t *sl, mapped_file_t *mf, stm32_addr_t addr) {
uint32_t off;
uint32_t n_cmp = sl->flash_pgsz;
if (n_cmp > 0x1800) {
n_cmp = 0x1800;
}
for (off = 0; off < mf->len; off += n_cmp) {
uint32_t aligned_size;
uint32_t cmp_size = n_cmp; // adjust last page size
if ((off + n_cmp) > mf->len) {
cmp_size = mf->len - off;
}
aligned_size = cmp_size;
if (aligned_size & (4 - 1)) {
aligned_size = (cmp_size + 4) & ~(4 - 1);
}
stlink_read_mem32(sl, addr + off, (uint16_t)aligned_size);
if (memcmp(sl->q_buf, mf->base + off, cmp_size)) {
return (-1);
}
}
return (0);
}
int32_t map_file(mapped_file_t *mf, const char *path) {
int32_t error = -1;
struct stat st;
const int32_t fd = open(path, O_RDONLY | O_BINARY);
if (fd == -1) {
fprintf(stderr, "open(%s) == -1\n", path);
return (-1);
}
if (fstat(fd, &st) == -1) {
fprintf(stderr, "fstat(%s) == -1\n", path);
goto on_error;
}
if (sizeof(st.st_size) != sizeof(size_t)) {
// on 32 bit systems, check if there is an overflow
if (st.st_size > (off_t)MAX_FILE_SIZE /*1 GB*/ ) {
// limit file size to 1 GB
fprintf(stderr, "mmap() uint32_t overflow for file %s\n", path);
goto on_error;
}
}
mf->base =
(uint8_t *)mmap(NULL, (size_t)(st.st_size), PROT_READ, MAP_SHARED, fd, 0);
if (mf->base == MAP_FAILED) {
fprintf(stderr, "mmap() == MAP_FAILED for file %s\n", path);
goto on_error;
}
mf->len = (size_t)st.st_size;
error = 0; // success
on_error:
close(fd);
return (error);
}
void unmap_file(mapped_file_t *mf) {
munmap((void *)mf->base, mf->len);
mf->base = (unsigned char *)MAP_FAILED;
mf->len = 0;
}
|