a2a74b7ed2c61acef0be1729572161044ba3317c
[platform/kernel/linux-rpi.git] / kernel / bpf / verifier.c
1 // SPDX-License-Identifier: GPL-2.0-only
2 /* Copyright (c) 2011-2014 PLUMgrid, http://plumgrid.com
3  * Copyright (c) 2016 Facebook
4  * Copyright (c) 2018 Covalent IO, Inc. http://covalent.io
5  */
6 #include <uapi/linux/btf.h>
7 #include <linux/kernel.h>
8 #include <linux/types.h>
9 #include <linux/slab.h>
10 #include <linux/bpf.h>
11 #include <linux/btf.h>
12 #include <linux/bpf_verifier.h>
13 #include <linux/filter.h>
14 #include <net/netlink.h>
15 #include <linux/file.h>
16 #include <linux/vmalloc.h>
17 #include <linux/stringify.h>
18 #include <linux/bsearch.h>
19 #include <linux/sort.h>
20 #include <linux/perf_event.h>
21 #include <linux/ctype.h>
22 #include <linux/error-injection.h>
23 #include <linux/bpf_lsm.h>
24 #include <linux/btf_ids.h>
25
26 #include "disasm.h"
27
28 static const struct bpf_verifier_ops * const bpf_verifier_ops[] = {
29 #define BPF_PROG_TYPE(_id, _name, prog_ctx_type, kern_ctx_type) \
30         [_id] = & _name ## _verifier_ops,
31 #define BPF_MAP_TYPE(_id, _ops)
32 #define BPF_LINK_TYPE(_id, _name)
33 #include <linux/bpf_types.h>
34 #undef BPF_PROG_TYPE
35 #undef BPF_MAP_TYPE
36 #undef BPF_LINK_TYPE
37 };
38
39 /* bpf_check() is a static code analyzer that walks eBPF program
40  * instruction by instruction and updates register/stack state.
41  * All paths of conditional branches are analyzed until 'bpf_exit' insn.
42  *
43  * The first pass is depth-first-search to check that the program is a DAG.
44  * It rejects the following programs:
45  * - larger than BPF_MAXINSNS insns
46  * - if loop is present (detected via back-edge)
47  * - unreachable insns exist (shouldn't be a forest. program = one function)
48  * - out of bounds or malformed jumps
49  * The second pass is all possible path descent from the 1st insn.
50  * Since it's analyzing all pathes through the program, the length of the
51  * analysis is limited to 64k insn, which may be hit even if total number of
52  * insn is less then 4K, but there are too many branches that change stack/regs.
53  * Number of 'branches to be analyzed' is limited to 1k
54  *
55  * On entry to each instruction, each register has a type, and the instruction
56  * changes the types of the registers depending on instruction semantics.
57  * If instruction is BPF_MOV64_REG(BPF_REG_1, BPF_REG_5), then type of R5 is
58  * copied to R1.
59  *
60  * All registers are 64-bit.
61  * R0 - return register
62  * R1-R5 argument passing registers
63  * R6-R9 callee saved registers
64  * R10 - frame pointer read-only
65  *
66  * At the start of BPF program the register R1 contains a pointer to bpf_context
67  * and has type PTR_TO_CTX.
68  *
69  * Verifier tracks arithmetic operations on pointers in case:
70  *    BPF_MOV64_REG(BPF_REG_1, BPF_REG_10),
71  *    BPF_ALU64_IMM(BPF_ADD, BPF_REG_1, -20),
72  * 1st insn copies R10 (which has FRAME_PTR) type into R1
73  * and 2nd arithmetic instruction is pattern matched to recognize
74  * that it wants to construct a pointer to some element within stack.
75  * So after 2nd insn, the register R1 has type PTR_TO_STACK
76  * (and -20 constant is saved for further stack bounds checking).
77  * Meaning that this reg is a pointer to stack plus known immediate constant.
78  *
79  * Most of the time the registers have SCALAR_VALUE type, which
80  * means the register has some value, but it's not a valid pointer.
81  * (like pointer plus pointer becomes SCALAR_VALUE type)
82  *
83  * When verifier sees load or store instructions the type of base register
84  * can be: PTR_TO_MAP_VALUE, PTR_TO_CTX, PTR_TO_STACK, PTR_TO_SOCKET. These are
85  * four pointer types recognized by check_mem_access() function.
86  *
87  * PTR_TO_MAP_VALUE means that this register is pointing to 'map element value'
88  * and the range of [ptr, ptr + map's value_size) is accessible.
89  *
90  * registers used to pass values to function calls are checked against
91  * function argument constraints.
92  *
93  * ARG_PTR_TO_MAP_KEY is one of such argument constraints.
94  * It means that the register type passed to this function must be
95  * PTR_TO_STACK and it will be used inside the function as
96  * 'pointer to map element key'
97  *
98  * For example the argument constraints for bpf_map_lookup_elem():
99  *   .ret_type = RET_PTR_TO_MAP_VALUE_OR_NULL,
100  *   .arg1_type = ARG_CONST_MAP_PTR,
101  *   .arg2_type = ARG_PTR_TO_MAP_KEY,
102  *
103  * ret_type says that this function returns 'pointer to map elem value or null'
104  * function expects 1st argument to be a const pointer to 'struct bpf_map' and
105  * 2nd argument should be a pointer to stack, which will be used inside
106  * the helper function as a pointer to map element key.
107  *
108  * On the kernel side the helper function looks like:
109  * u64 bpf_map_lookup_elem(u64 r1, u64 r2, u64 r3, u64 r4, u64 r5)
110  * {
111  *    struct bpf_map *map = (struct bpf_map *) (unsigned long) r1;
112  *    void *key = (void *) (unsigned long) r2;
113  *    void *value;
114  *
115  *    here kernel can access 'key' and 'map' pointers safely, knowing that
116  *    [key, key + map->key_size) bytes are valid and were initialized on
117  *    the stack of eBPF program.
118  * }
119  *
120  * Corresponding eBPF program may look like:
121  *    BPF_MOV64_REG(BPF_REG_2, BPF_REG_10),  // after this insn R2 type is FRAME_PTR
122  *    BPF_ALU64_IMM(BPF_ADD, BPF_REG_2, -4), // after this insn R2 type is PTR_TO_STACK
123  *    BPF_LD_MAP_FD(BPF_REG_1, map_fd),      // after this insn R1 type is CONST_PTR_TO_MAP
124  *    BPF_RAW_INSN(BPF_JMP | BPF_CALL, 0, 0, 0, BPF_FUNC_map_lookup_elem),
125  * here verifier looks at prototype of map_lookup_elem() and sees:
126  * .arg1_type == ARG_CONST_MAP_PTR and R1->type == CONST_PTR_TO_MAP, which is ok,
127  * Now verifier knows that this map has key of R1->map_ptr->key_size bytes
128  *
129  * Then .arg2_type == ARG_PTR_TO_MAP_KEY and R2->type == PTR_TO_STACK, ok so far,
130  * Now verifier checks that [R2, R2 + map's key_size) are within stack limits
131  * and were initialized prior to this call.
132  * If it's ok, then verifier allows this BPF_CALL insn and looks at
133  * .ret_type which is RET_PTR_TO_MAP_VALUE_OR_NULL, so it sets
134  * R0->type = PTR_TO_MAP_VALUE_OR_NULL which means bpf_map_lookup_elem() function
135  * returns ether pointer to map value or NULL.
136  *
137  * When type PTR_TO_MAP_VALUE_OR_NULL passes through 'if (reg != 0) goto +off'
138  * insn, the register holding that pointer in the true branch changes state to
139  * PTR_TO_MAP_VALUE and the same register changes state to CONST_IMM in the false
140  * branch. See check_cond_jmp_op().
141  *
142  * After the call R0 is set to return type of the function and registers R1-R5
143  * are set to NOT_INIT to indicate that they are no longer readable.
144  *
145  * The following reference types represent a potential reference to a kernel
146  * resource which, after first being allocated, must be checked and freed by
147  * the BPF program:
148  * - PTR_TO_SOCKET_OR_NULL, PTR_TO_SOCKET
149  *
150  * When the verifier sees a helper call return a reference type, it allocates a
151  * pointer id for the reference and stores it in the current function state.
152  * Similar to the way that PTR_TO_MAP_VALUE_OR_NULL is converted into
153  * PTR_TO_MAP_VALUE, PTR_TO_SOCKET_OR_NULL becomes PTR_TO_SOCKET when the type
154  * passes through a NULL-check conditional. For the branch wherein the state is
155  * changed to CONST_IMM, the verifier releases the reference.
156  *
157  * For each helper function that allocates a reference, such as
158  * bpf_sk_lookup_tcp(), there is a corresponding release function, such as
159  * bpf_sk_release(). When a reference type passes into the release function,
160  * the verifier also releases the reference. If any unchecked or unreleased
161  * reference remains at the end of the program, the verifier rejects it.
162  */
163
164 /* verifier_state + insn_idx are pushed to stack when branch is encountered */
165 struct bpf_verifier_stack_elem {
166         /* verifer state is 'st'
167          * before processing instruction 'insn_idx'
168          * and after processing instruction 'prev_insn_idx'
169          */
170         struct bpf_verifier_state st;
171         int insn_idx;
172         int prev_insn_idx;
173         struct bpf_verifier_stack_elem *next;
174         /* length of verifier log at the time this state was pushed on stack */
175         u32 log_pos;
176 };
177
178 #define BPF_COMPLEXITY_LIMIT_JMP_SEQ    8192
179 #define BPF_COMPLEXITY_LIMIT_STATES     64
180
181 #define BPF_MAP_KEY_POISON      (1ULL << 63)
182 #define BPF_MAP_KEY_SEEN        (1ULL << 62)
183
184 #define BPF_MAP_PTR_UNPRIV      1UL
185 #define BPF_MAP_PTR_POISON      ((void *)((0xeB9FUL << 1) +     \
186                                           POISON_POINTER_DELTA))
187 #define BPF_MAP_PTR(X)          ((struct bpf_map *)((X) & ~BPF_MAP_PTR_UNPRIV))
188
189 static bool bpf_map_ptr_poisoned(const struct bpf_insn_aux_data *aux)
190 {
191         return BPF_MAP_PTR(aux->map_ptr_state) == BPF_MAP_PTR_POISON;
192 }
193
194 static bool bpf_map_ptr_unpriv(const struct bpf_insn_aux_data *aux)
195 {
196         return aux->map_ptr_state & BPF_MAP_PTR_UNPRIV;
197 }
198
199 static void bpf_map_ptr_store(struct bpf_insn_aux_data *aux,
200                               const struct bpf_map *map, bool unpriv)
201 {
202         BUILD_BUG_ON((unsigned long)BPF_MAP_PTR_POISON & BPF_MAP_PTR_UNPRIV);
203         unpriv |= bpf_map_ptr_unpriv(aux);
204         aux->map_ptr_state = (unsigned long)map |
205                              (unpriv ? BPF_MAP_PTR_UNPRIV : 0UL);
206 }
207
208 static bool bpf_map_key_poisoned(const struct bpf_insn_aux_data *aux)
209 {
210         return aux->map_key_state & BPF_MAP_KEY_POISON;
211 }
212
213 static bool bpf_map_key_unseen(const struct bpf_insn_aux_data *aux)
214 {
215         return !(aux->map_key_state & BPF_MAP_KEY_SEEN);
216 }
217
218 static u64 bpf_map_key_immediate(const struct bpf_insn_aux_data *aux)
219 {
220         return aux->map_key_state & ~(BPF_MAP_KEY_SEEN | BPF_MAP_KEY_POISON);
221 }
222
223 static void bpf_map_key_store(struct bpf_insn_aux_data *aux, u64 state)
224 {
225         bool poisoned = bpf_map_key_poisoned(aux);
226
227         aux->map_key_state = state | BPF_MAP_KEY_SEEN |
228                              (poisoned ? BPF_MAP_KEY_POISON : 0ULL);
229 }
230
231 struct bpf_call_arg_meta {
232         struct bpf_map *map_ptr;
233         bool raw_mode;
234         bool pkt_access;
235         int regno;
236         int access_size;
237         int mem_size;
238         u64 msize_max_value;
239         int ref_obj_id;
240         int func_id;
241         u32 btf_id;
242         u32 ret_btf_id;
243 };
244
245 struct btf *btf_vmlinux;
246
247 static DEFINE_MUTEX(bpf_verifier_lock);
248
249 static const struct bpf_line_info *
250 find_linfo(const struct bpf_verifier_env *env, u32 insn_off)
251 {
252         const struct bpf_line_info *linfo;
253         const struct bpf_prog *prog;
254         u32 i, nr_linfo;
255
256         prog = env->prog;
257         nr_linfo = prog->aux->nr_linfo;
258
259         if (!nr_linfo || insn_off >= prog->len)
260                 return NULL;
261
262         linfo = prog->aux->linfo;
263         for (i = 1; i < nr_linfo; i++)
264                 if (insn_off < linfo[i].insn_off)
265                         break;
266
267         return &linfo[i - 1];
268 }
269
270 void bpf_verifier_vlog(struct bpf_verifier_log *log, const char *fmt,
271                        va_list args)
272 {
273         unsigned int n;
274
275         n = vscnprintf(log->kbuf, BPF_VERIFIER_TMP_LOG_SIZE, fmt, args);
276
277         WARN_ONCE(n >= BPF_VERIFIER_TMP_LOG_SIZE - 1,
278                   "verifier log line truncated - local buffer too short\n");
279
280         n = min(log->len_total - log->len_used - 1, n);
281         log->kbuf[n] = '\0';
282
283         if (log->level == BPF_LOG_KERNEL) {
284                 pr_err("BPF:%s\n", log->kbuf);
285                 return;
286         }
287         if (!copy_to_user(log->ubuf + log->len_used, log->kbuf, n + 1))
288                 log->len_used += n;
289         else
290                 log->ubuf = NULL;
291 }
292
293 static void bpf_vlog_reset(struct bpf_verifier_log *log, u32 new_pos)
294 {
295         char zero = 0;
296
297         if (!bpf_verifier_log_needed(log))
298                 return;
299
300         log->len_used = new_pos;
301         if (put_user(zero, log->ubuf + new_pos))
302                 log->ubuf = NULL;
303 }
304
305 /* log_level controls verbosity level of eBPF verifier.
306  * bpf_verifier_log_write() is used to dump the verification trace to the log,
307  * so the user can figure out what's wrong with the program
308  */
309 __printf(2, 3) void bpf_verifier_log_write(struct bpf_verifier_env *env,
310                                            const char *fmt, ...)
311 {
312         va_list args;
313
314         if (!bpf_verifier_log_needed(&env->log))
315                 return;
316
317         va_start(args, fmt);
318         bpf_verifier_vlog(&env->log, fmt, args);
319         va_end(args);
320 }
321 EXPORT_SYMBOL_GPL(bpf_verifier_log_write);
322
323 __printf(2, 3) static void verbose(void *private_data, const char *fmt, ...)
324 {
325         struct bpf_verifier_env *env = private_data;
326         va_list args;
327
328         if (!bpf_verifier_log_needed(&env->log))
329                 return;
330
331         va_start(args, fmt);
332         bpf_verifier_vlog(&env->log, fmt, args);
333         va_end(args);
334 }
335
336 __printf(2, 3) void bpf_log(struct bpf_verifier_log *log,
337                             const char *fmt, ...)
338 {
339         va_list args;
340
341         if (!bpf_verifier_log_needed(log))
342                 return;
343
344         va_start(args, fmt);
345         bpf_verifier_vlog(log, fmt, args);
346         va_end(args);
347 }
348
349 static const char *ltrim(const char *s)
350 {
351         while (isspace(*s))
352                 s++;
353
354         return s;
355 }
356
357 __printf(3, 4) static void verbose_linfo(struct bpf_verifier_env *env,
358                                          u32 insn_off,
359                                          const char *prefix_fmt, ...)
360 {
361         const struct bpf_line_info *linfo;
362
363         if (!bpf_verifier_log_needed(&env->log))
364                 return;
365
366         linfo = find_linfo(env, insn_off);
367         if (!linfo || linfo == env->prev_linfo)
368                 return;
369
370         if (prefix_fmt) {
371                 va_list args;
372
373                 va_start(args, prefix_fmt);
374                 bpf_verifier_vlog(&env->log, prefix_fmt, args);
375                 va_end(args);
376         }
377
378         verbose(env, "%s\n",
379                 ltrim(btf_name_by_offset(env->prog->aux->btf,
380                                          linfo->line_off)));
381
382         env->prev_linfo = linfo;
383 }
384
385 static bool type_is_pkt_pointer(enum bpf_reg_type type)
386 {
387         return type == PTR_TO_PACKET ||
388                type == PTR_TO_PACKET_META;
389 }
390
391 static bool type_is_sk_pointer(enum bpf_reg_type type)
392 {
393         return type == PTR_TO_SOCKET ||
394                 type == PTR_TO_SOCK_COMMON ||
395                 type == PTR_TO_TCP_SOCK ||
396                 type == PTR_TO_XDP_SOCK;
397 }
398
399 static bool reg_type_not_null(enum bpf_reg_type type)
400 {
401         return type == PTR_TO_SOCKET ||
402                 type == PTR_TO_TCP_SOCK ||
403                 type == PTR_TO_MAP_VALUE ||
404                 type == PTR_TO_SOCK_COMMON;
405 }
406
407 static bool reg_type_may_be_null(enum bpf_reg_type type)
408 {
409         return type == PTR_TO_MAP_VALUE_OR_NULL ||
410                type == PTR_TO_SOCKET_OR_NULL ||
411                type == PTR_TO_SOCK_COMMON_OR_NULL ||
412                type == PTR_TO_TCP_SOCK_OR_NULL ||
413                type == PTR_TO_BTF_ID_OR_NULL ||
414                type == PTR_TO_MEM_OR_NULL ||
415                type == PTR_TO_RDONLY_BUF_OR_NULL ||
416                type == PTR_TO_RDWR_BUF_OR_NULL;
417 }
418
419 static bool reg_may_point_to_spin_lock(const struct bpf_reg_state *reg)
420 {
421         return reg->type == PTR_TO_MAP_VALUE &&
422                 map_value_has_spin_lock(reg->map_ptr);
423 }
424
425 static bool reg_type_may_be_refcounted_or_null(enum bpf_reg_type type)
426 {
427         return type == PTR_TO_SOCKET ||
428                 type == PTR_TO_SOCKET_OR_NULL ||
429                 type == PTR_TO_TCP_SOCK ||
430                 type == PTR_TO_TCP_SOCK_OR_NULL ||
431                 type == PTR_TO_MEM ||
432                 type == PTR_TO_MEM_OR_NULL;
433 }
434
435 static bool arg_type_may_be_refcounted(enum bpf_arg_type type)
436 {
437         return type == ARG_PTR_TO_SOCK_COMMON;
438 }
439
440 static bool arg_type_may_be_null(enum bpf_arg_type type)
441 {
442         return type == ARG_PTR_TO_MAP_VALUE_OR_NULL ||
443                type == ARG_PTR_TO_MEM_OR_NULL ||
444                type == ARG_PTR_TO_CTX_OR_NULL ||
445                type == ARG_PTR_TO_SOCKET_OR_NULL ||
446                type == ARG_PTR_TO_ALLOC_MEM_OR_NULL;
447 }
448
449 /* Determine whether the function releases some resources allocated by another
450  * function call. The first reference type argument will be assumed to be
451  * released by release_reference().
452  */
453 static bool is_release_function(enum bpf_func_id func_id)
454 {
455         return func_id == BPF_FUNC_sk_release ||
456                func_id == BPF_FUNC_ringbuf_submit ||
457                func_id == BPF_FUNC_ringbuf_discard;
458 }
459
460 static bool may_be_acquire_function(enum bpf_func_id func_id)
461 {
462         return func_id == BPF_FUNC_sk_lookup_tcp ||
463                 func_id == BPF_FUNC_sk_lookup_udp ||
464                 func_id == BPF_FUNC_skc_lookup_tcp ||
465                 func_id == BPF_FUNC_map_lookup_elem ||
466                 func_id == BPF_FUNC_ringbuf_reserve;
467 }
468
469 static bool is_acquire_function(enum bpf_func_id func_id,
470                                 const struct bpf_map *map)
471 {
472         enum bpf_map_type map_type = map ? map->map_type : BPF_MAP_TYPE_UNSPEC;
473
474         if (func_id == BPF_FUNC_sk_lookup_tcp ||
475             func_id == BPF_FUNC_sk_lookup_udp ||
476             func_id == BPF_FUNC_skc_lookup_tcp ||
477             func_id == BPF_FUNC_ringbuf_reserve)
478                 return true;
479
480         if (func_id == BPF_FUNC_map_lookup_elem &&
481             (map_type == BPF_MAP_TYPE_SOCKMAP ||
482              map_type == BPF_MAP_TYPE_SOCKHASH))
483                 return true;
484
485         return false;
486 }
487
488 static bool is_ptr_cast_function(enum bpf_func_id func_id)
489 {
490         return func_id == BPF_FUNC_tcp_sock ||
491                 func_id == BPF_FUNC_sk_fullsock ||
492                 func_id == BPF_FUNC_skc_to_tcp_sock ||
493                 func_id == BPF_FUNC_skc_to_tcp6_sock ||
494                 func_id == BPF_FUNC_skc_to_udp6_sock ||
495                 func_id == BPF_FUNC_skc_to_tcp_timewait_sock ||
496                 func_id == BPF_FUNC_skc_to_tcp_request_sock;
497 }
498
499 /* string representation of 'enum bpf_reg_type' */
500 static const char * const reg_type_str[] = {
501         [NOT_INIT]              = "?",
502         [SCALAR_VALUE]          = "inv",
503         [PTR_TO_CTX]            = "ctx",
504         [CONST_PTR_TO_MAP]      = "map_ptr",
505         [PTR_TO_MAP_VALUE]      = "map_value",
506         [PTR_TO_MAP_VALUE_OR_NULL] = "map_value_or_null",
507         [PTR_TO_STACK]          = "fp",
508         [PTR_TO_PACKET]         = "pkt",
509         [PTR_TO_PACKET_META]    = "pkt_meta",
510         [PTR_TO_PACKET_END]     = "pkt_end",
511         [PTR_TO_FLOW_KEYS]      = "flow_keys",
512         [PTR_TO_SOCKET]         = "sock",
513         [PTR_TO_SOCKET_OR_NULL] = "sock_or_null",
514         [PTR_TO_SOCK_COMMON]    = "sock_common",
515         [PTR_TO_SOCK_COMMON_OR_NULL] = "sock_common_or_null",
516         [PTR_TO_TCP_SOCK]       = "tcp_sock",
517         [PTR_TO_TCP_SOCK_OR_NULL] = "tcp_sock_or_null",
518         [PTR_TO_TP_BUFFER]      = "tp_buffer",
519         [PTR_TO_XDP_SOCK]       = "xdp_sock",
520         [PTR_TO_BTF_ID]         = "ptr_",
521         [PTR_TO_BTF_ID_OR_NULL] = "ptr_or_null_",
522         [PTR_TO_PERCPU_BTF_ID]  = "percpu_ptr_",
523         [PTR_TO_MEM]            = "mem",
524         [PTR_TO_MEM_OR_NULL]    = "mem_or_null",
525         [PTR_TO_RDONLY_BUF]     = "rdonly_buf",
526         [PTR_TO_RDONLY_BUF_OR_NULL] = "rdonly_buf_or_null",
527         [PTR_TO_RDWR_BUF]       = "rdwr_buf",
528         [PTR_TO_RDWR_BUF_OR_NULL] = "rdwr_buf_or_null",
529 };
530
531 static char slot_type_char[] = {
532         [STACK_INVALID] = '?',
533         [STACK_SPILL]   = 'r',
534         [STACK_MISC]    = 'm',
535         [STACK_ZERO]    = '0',
536 };
537
538 static void print_liveness(struct bpf_verifier_env *env,
539                            enum bpf_reg_liveness live)
540 {
541         if (live & (REG_LIVE_READ | REG_LIVE_WRITTEN | REG_LIVE_DONE))
542             verbose(env, "_");
543         if (live & REG_LIVE_READ)
544                 verbose(env, "r");
545         if (live & REG_LIVE_WRITTEN)
546                 verbose(env, "w");
547         if (live & REG_LIVE_DONE)
548                 verbose(env, "D");
549 }
550
551 static struct bpf_func_state *func(struct bpf_verifier_env *env,
552                                    const struct bpf_reg_state *reg)
553 {
554         struct bpf_verifier_state *cur = env->cur_state;
555
556         return cur->frame[reg->frameno];
557 }
558
559 const char *kernel_type_name(u32 id)
560 {
561         return btf_name_by_offset(btf_vmlinux,
562                                   btf_type_by_id(btf_vmlinux, id)->name_off);
563 }
564
565 static void print_verifier_state(struct bpf_verifier_env *env,
566                                  const struct bpf_func_state *state)
567 {
568         const struct bpf_reg_state *reg;
569         enum bpf_reg_type t;
570         int i;
571
572         if (state->frameno)
573                 verbose(env, " frame%d:", state->frameno);
574         for (i = 0; i < MAX_BPF_REG; i++) {
575                 reg = &state->regs[i];
576                 t = reg->type;
577                 if (t == NOT_INIT)
578                         continue;
579                 verbose(env, " R%d", i);
580                 print_liveness(env, reg->live);
581                 verbose(env, "=%s", reg_type_str[t]);
582                 if (t == SCALAR_VALUE && reg->precise)
583                         verbose(env, "P");
584                 if ((t == SCALAR_VALUE || t == PTR_TO_STACK) &&
585                     tnum_is_const(reg->var_off)) {
586                         /* reg->off should be 0 for SCALAR_VALUE */
587                         verbose(env, "%lld", reg->var_off.value + reg->off);
588                 } else {
589                         if (t == PTR_TO_BTF_ID ||
590                             t == PTR_TO_BTF_ID_OR_NULL ||
591                             t == PTR_TO_PERCPU_BTF_ID)
592                                 verbose(env, "%s", kernel_type_name(reg->btf_id));
593                         verbose(env, "(id=%d", reg->id);
594                         if (reg_type_may_be_refcounted_or_null(t))
595                                 verbose(env, ",ref_obj_id=%d", reg->ref_obj_id);
596                         if (t != SCALAR_VALUE)
597                                 verbose(env, ",off=%d", reg->off);
598                         if (type_is_pkt_pointer(t))
599                                 verbose(env, ",r=%d", reg->range);
600                         else if (t == CONST_PTR_TO_MAP ||
601                                  t == PTR_TO_MAP_VALUE ||
602                                  t == PTR_TO_MAP_VALUE_OR_NULL)
603                                 verbose(env, ",ks=%d,vs=%d",
604                                         reg->map_ptr->key_size,
605                                         reg->map_ptr->value_size);
606                         if (tnum_is_const(reg->var_off)) {
607                                 /* Typically an immediate SCALAR_VALUE, but
608                                  * could be a pointer whose offset is too big
609                                  * for reg->off
610                                  */
611                                 verbose(env, ",imm=%llx", reg->var_off.value);
612                         } else {
613                                 if (reg->smin_value != reg->umin_value &&
614                                     reg->smin_value != S64_MIN)
615                                         verbose(env, ",smin_value=%lld",
616                                                 (long long)reg->smin_value);
617                                 if (reg->smax_value != reg->umax_value &&
618                                     reg->smax_value != S64_MAX)
619                                         verbose(env, ",smax_value=%lld",
620                                                 (long long)reg->smax_value);
621                                 if (reg->umin_value != 0)
622                                         verbose(env, ",umin_value=%llu",
623                                                 (unsigned long long)reg->umin_value);
624                                 if (reg->umax_value != U64_MAX)
625                                         verbose(env, ",umax_value=%llu",
626                                                 (unsigned long long)reg->umax_value);
627                                 if (!tnum_is_unknown(reg->var_off)) {
628                                         char tn_buf[48];
629
630                                         tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
631                                         verbose(env, ",var_off=%s", tn_buf);
632                                 }
633                                 if (reg->s32_min_value != reg->smin_value &&
634                                     reg->s32_min_value != S32_MIN)
635                                         verbose(env, ",s32_min_value=%d",
636                                                 (int)(reg->s32_min_value));
637                                 if (reg->s32_max_value != reg->smax_value &&
638                                     reg->s32_max_value != S32_MAX)
639                                         verbose(env, ",s32_max_value=%d",
640                                                 (int)(reg->s32_max_value));
641                                 if (reg->u32_min_value != reg->umin_value &&
642                                     reg->u32_min_value != U32_MIN)
643                                         verbose(env, ",u32_min_value=%d",
644                                                 (int)(reg->u32_min_value));
645                                 if (reg->u32_max_value != reg->umax_value &&
646                                     reg->u32_max_value != U32_MAX)
647                                         verbose(env, ",u32_max_value=%d",
648                                                 (int)(reg->u32_max_value));
649                         }
650                         verbose(env, ")");
651                 }
652         }
653         for (i = 0; i < state->allocated_stack / BPF_REG_SIZE; i++) {
654                 char types_buf[BPF_REG_SIZE + 1];
655                 bool valid = false;
656                 int j;
657
658                 for (j = 0; j < BPF_REG_SIZE; j++) {
659                         if (state->stack[i].slot_type[j] != STACK_INVALID)
660                                 valid = true;
661                         types_buf[j] = slot_type_char[
662                                         state->stack[i].slot_type[j]];
663                 }
664                 types_buf[BPF_REG_SIZE] = 0;
665                 if (!valid)
666                         continue;
667                 verbose(env, " fp%d", (-i - 1) * BPF_REG_SIZE);
668                 print_liveness(env, state->stack[i].spilled_ptr.live);
669                 if (state->stack[i].slot_type[0] == STACK_SPILL) {
670                         reg = &state->stack[i].spilled_ptr;
671                         t = reg->type;
672                         verbose(env, "=%s", reg_type_str[t]);
673                         if (t == SCALAR_VALUE && reg->precise)
674                                 verbose(env, "P");
675                         if (t == SCALAR_VALUE && tnum_is_const(reg->var_off))
676                                 verbose(env, "%lld", reg->var_off.value + reg->off);
677                 } else {
678                         verbose(env, "=%s", types_buf);
679                 }
680         }
681         if (state->acquired_refs && state->refs[0].id) {
682                 verbose(env, " refs=%d", state->refs[0].id);
683                 for (i = 1; i < state->acquired_refs; i++)
684                         if (state->refs[i].id)
685                                 verbose(env, ",%d", state->refs[i].id);
686         }
687         verbose(env, "\n");
688 }
689
690 #define COPY_STATE_FN(NAME, COUNT, FIELD, SIZE)                         \
691 static int copy_##NAME##_state(struct bpf_func_state *dst,              \
692                                const struct bpf_func_state *src)        \
693 {                                                                       \
694         if (!src->FIELD)                                                \
695                 return 0;                                               \
696         if (WARN_ON_ONCE(dst->COUNT < src->COUNT)) {                    \
697                 /* internal bug, make state invalid to reject the program */ \
698                 memset(dst, 0, sizeof(*dst));                           \
699                 return -EFAULT;                                         \
700         }                                                               \
701         memcpy(dst->FIELD, src->FIELD,                                  \
702                sizeof(*src->FIELD) * (src->COUNT / SIZE));              \
703         return 0;                                                       \
704 }
705 /* copy_reference_state() */
706 COPY_STATE_FN(reference, acquired_refs, refs, 1)
707 /* copy_stack_state() */
708 COPY_STATE_FN(stack, allocated_stack, stack, BPF_REG_SIZE)
709 #undef COPY_STATE_FN
710
711 #define REALLOC_STATE_FN(NAME, COUNT, FIELD, SIZE)                      \
712 static int realloc_##NAME##_state(struct bpf_func_state *state, int size, \
713                                   bool copy_old)                        \
714 {                                                                       \
715         u32 old_size = state->COUNT;                                    \
716         struct bpf_##NAME##_state *new_##FIELD;                         \
717         int slot = size / SIZE;                                         \
718                                                                         \
719         if (size <= old_size || !size) {                                \
720                 if (copy_old)                                           \
721                         return 0;                                       \
722                 state->COUNT = slot * SIZE;                             \
723                 if (!size && old_size) {                                \
724                         kfree(state->FIELD);                            \
725                         state->FIELD = NULL;                            \
726                 }                                                       \
727                 return 0;                                               \
728         }                                                               \
729         new_##FIELD = kmalloc_array(slot, sizeof(struct bpf_##NAME##_state), \
730                                     GFP_KERNEL);                        \
731         if (!new_##FIELD)                                               \
732                 return -ENOMEM;                                         \
733         if (copy_old) {                                                 \
734                 if (state->FIELD)                                       \
735                         memcpy(new_##FIELD, state->FIELD,               \
736                                sizeof(*new_##FIELD) * (old_size / SIZE)); \
737                 memset(new_##FIELD + old_size / SIZE, 0,                \
738                        sizeof(*new_##FIELD) * (size - old_size) / SIZE); \
739         }                                                               \
740         state->COUNT = slot * SIZE;                                     \
741         kfree(state->FIELD);                                            \
742         state->FIELD = new_##FIELD;                                     \
743         return 0;                                                       \
744 }
745 /* realloc_reference_state() */
746 REALLOC_STATE_FN(reference, acquired_refs, refs, 1)
747 /* realloc_stack_state() */
748 REALLOC_STATE_FN(stack, allocated_stack, stack, BPF_REG_SIZE)
749 #undef REALLOC_STATE_FN
750
751 /* do_check() starts with zero-sized stack in struct bpf_verifier_state to
752  * make it consume minimal amount of memory. check_stack_write() access from
753  * the program calls into realloc_func_state() to grow the stack size.
754  * Note there is a non-zero 'parent' pointer inside bpf_verifier_state
755  * which realloc_stack_state() copies over. It points to previous
756  * bpf_verifier_state which is never reallocated.
757  */
758 static int realloc_func_state(struct bpf_func_state *state, int stack_size,
759                               int refs_size, bool copy_old)
760 {
761         int err = realloc_reference_state(state, refs_size, copy_old);
762         if (err)
763                 return err;
764         return realloc_stack_state(state, stack_size, copy_old);
765 }
766
767 /* Acquire a pointer id from the env and update the state->refs to include
768  * this new pointer reference.
769  * On success, returns a valid pointer id to associate with the register
770  * On failure, returns a negative errno.
771  */
772 static int acquire_reference_state(struct bpf_verifier_env *env, int insn_idx)
773 {
774         struct bpf_func_state *state = cur_func(env);
775         int new_ofs = state->acquired_refs;
776         int id, err;
777
778         err = realloc_reference_state(state, state->acquired_refs + 1, true);
779         if (err)
780                 return err;
781         id = ++env->id_gen;
782         state->refs[new_ofs].id = id;
783         state->refs[new_ofs].insn_idx = insn_idx;
784
785         return id;
786 }
787
788 /* release function corresponding to acquire_reference_state(). Idempotent. */
789 static int release_reference_state(struct bpf_func_state *state, int ptr_id)
790 {
791         int i, last_idx;
792
793         last_idx = state->acquired_refs - 1;
794         for (i = 0; i < state->acquired_refs; i++) {
795                 if (state->refs[i].id == ptr_id) {
796                         if (last_idx && i != last_idx)
797                                 memcpy(&state->refs[i], &state->refs[last_idx],
798                                        sizeof(*state->refs));
799                         memset(&state->refs[last_idx], 0, sizeof(*state->refs));
800                         state->acquired_refs--;
801                         return 0;
802                 }
803         }
804         return -EINVAL;
805 }
806
807 static int transfer_reference_state(struct bpf_func_state *dst,
808                                     struct bpf_func_state *src)
809 {
810         int err = realloc_reference_state(dst, src->acquired_refs, false);
811         if (err)
812                 return err;
813         err = copy_reference_state(dst, src);
814         if (err)
815                 return err;
816         return 0;
817 }
818
819 static void free_func_state(struct bpf_func_state *state)
820 {
821         if (!state)
822                 return;
823         kfree(state->refs);
824         kfree(state->stack);
825         kfree(state);
826 }
827
828 static void clear_jmp_history(struct bpf_verifier_state *state)
829 {
830         kfree(state->jmp_history);
831         state->jmp_history = NULL;
832         state->jmp_history_cnt = 0;
833 }
834
835 static void free_verifier_state(struct bpf_verifier_state *state,
836                                 bool free_self)
837 {
838         int i;
839
840         for (i = 0; i <= state->curframe; i++) {
841                 free_func_state(state->frame[i]);
842                 state->frame[i] = NULL;
843         }
844         clear_jmp_history(state);
845         if (free_self)
846                 kfree(state);
847 }
848
849 /* copy verifier state from src to dst growing dst stack space
850  * when necessary to accommodate larger src stack
851  */
852 static int copy_func_state(struct bpf_func_state *dst,
853                            const struct bpf_func_state *src)
854 {
855         int err;
856
857         err = realloc_func_state(dst, src->allocated_stack, src->acquired_refs,
858                                  false);
859         if (err)
860                 return err;
861         memcpy(dst, src, offsetof(struct bpf_func_state, acquired_refs));
862         err = copy_reference_state(dst, src);
863         if (err)
864                 return err;
865         return copy_stack_state(dst, src);
866 }
867
868 static int copy_verifier_state(struct bpf_verifier_state *dst_state,
869                                const struct bpf_verifier_state *src)
870 {
871         struct bpf_func_state *dst;
872         u32 jmp_sz = sizeof(struct bpf_idx_pair) * src->jmp_history_cnt;
873         int i, err;
874
875         if (dst_state->jmp_history_cnt < src->jmp_history_cnt) {
876                 kfree(dst_state->jmp_history);
877                 dst_state->jmp_history = kmalloc(jmp_sz, GFP_USER);
878                 if (!dst_state->jmp_history)
879                         return -ENOMEM;
880         }
881         memcpy(dst_state->jmp_history, src->jmp_history, jmp_sz);
882         dst_state->jmp_history_cnt = src->jmp_history_cnt;
883
884         /* if dst has more stack frames then src frame, free them */
885         for (i = src->curframe + 1; i <= dst_state->curframe; i++) {
886                 free_func_state(dst_state->frame[i]);
887                 dst_state->frame[i] = NULL;
888         }
889         dst_state->speculative = src->speculative;
890         dst_state->curframe = src->curframe;
891         dst_state->active_spin_lock = src->active_spin_lock;
892         dst_state->branches = src->branches;
893         dst_state->parent = src->parent;
894         dst_state->first_insn_idx = src->first_insn_idx;
895         dst_state->last_insn_idx = src->last_insn_idx;
896         for (i = 0; i <= src->curframe; i++) {
897                 dst = dst_state->frame[i];
898                 if (!dst) {
899                         dst = kzalloc(sizeof(*dst), GFP_KERNEL);
900                         if (!dst)
901                                 return -ENOMEM;
902                         dst_state->frame[i] = dst;
903                 }
904                 err = copy_func_state(dst, src->frame[i]);
905                 if (err)
906                         return err;
907         }
908         return 0;
909 }
910
911 static void update_branch_counts(struct bpf_verifier_env *env, struct bpf_verifier_state *st)
912 {
913         while (st) {
914                 u32 br = --st->branches;
915
916                 /* WARN_ON(br > 1) technically makes sense here,
917                  * but see comment in push_stack(), hence:
918                  */
919                 WARN_ONCE((int)br < 0,
920                           "BUG update_branch_counts:branches_to_explore=%d\n",
921                           br);
922                 if (br)
923                         break;
924                 st = st->parent;
925         }
926 }
927
928 static int pop_stack(struct bpf_verifier_env *env, int *prev_insn_idx,
929                      int *insn_idx, bool pop_log)
930 {
931         struct bpf_verifier_state *cur = env->cur_state;
932         struct bpf_verifier_stack_elem *elem, *head = env->head;
933         int err;
934
935         if (env->head == NULL)
936                 return -ENOENT;
937
938         if (cur) {
939                 err = copy_verifier_state(cur, &head->st);
940                 if (err)
941                         return err;
942         }
943         if (pop_log)
944                 bpf_vlog_reset(&env->log, head->log_pos);
945         if (insn_idx)
946                 *insn_idx = head->insn_idx;
947         if (prev_insn_idx)
948                 *prev_insn_idx = head->prev_insn_idx;
949         elem = head->next;
950         free_verifier_state(&head->st, false);
951         kfree(head);
952         env->head = elem;
953         env->stack_size--;
954         return 0;
955 }
956
957 static struct bpf_verifier_state *push_stack(struct bpf_verifier_env *env,
958                                              int insn_idx, int prev_insn_idx,
959                                              bool speculative)
960 {
961         struct bpf_verifier_state *cur = env->cur_state;
962         struct bpf_verifier_stack_elem *elem;
963         int err;
964
965         elem = kzalloc(sizeof(struct bpf_verifier_stack_elem), GFP_KERNEL);
966         if (!elem)
967                 goto err;
968
969         elem->insn_idx = insn_idx;
970         elem->prev_insn_idx = prev_insn_idx;
971         elem->next = env->head;
972         elem->log_pos = env->log.len_used;
973         env->head = elem;
974         env->stack_size++;
975         err = copy_verifier_state(&elem->st, cur);
976         if (err)
977                 goto err;
978         elem->st.speculative |= speculative;
979         if (env->stack_size > BPF_COMPLEXITY_LIMIT_JMP_SEQ) {
980                 verbose(env, "The sequence of %d jumps is too complex.\n",
981                         env->stack_size);
982                 goto err;
983         }
984         if (elem->st.parent) {
985                 ++elem->st.parent->branches;
986                 /* WARN_ON(branches > 2) technically makes sense here,
987                  * but
988                  * 1. speculative states will bump 'branches' for non-branch
989                  * instructions
990                  * 2. is_state_visited() heuristics may decide not to create
991                  * a new state for a sequence of branches and all such current
992                  * and cloned states will be pointing to a single parent state
993                  * which might have large 'branches' count.
994                  */
995         }
996         return &elem->st;
997 err:
998         free_verifier_state(env->cur_state, true);
999         env->cur_state = NULL;
1000         /* pop all elements and return */
1001         while (!pop_stack(env, NULL, NULL, false));
1002         return NULL;
1003 }
1004
1005 #define CALLER_SAVED_REGS 6
1006 static const int caller_saved[CALLER_SAVED_REGS] = {
1007         BPF_REG_0, BPF_REG_1, BPF_REG_2, BPF_REG_3, BPF_REG_4, BPF_REG_5
1008 };
1009
1010 static void __mark_reg_not_init(const struct bpf_verifier_env *env,
1011                                 struct bpf_reg_state *reg);
1012
1013 /* This helper doesn't clear reg->id */
1014 static void ___mark_reg_known(struct bpf_reg_state *reg, u64 imm)
1015 {
1016         reg->var_off = tnum_const(imm);
1017         reg->smin_value = (s64)imm;
1018         reg->smax_value = (s64)imm;
1019         reg->umin_value = imm;
1020         reg->umax_value = imm;
1021
1022         reg->s32_min_value = (s32)imm;
1023         reg->s32_max_value = (s32)imm;
1024         reg->u32_min_value = (u32)imm;
1025         reg->u32_max_value = (u32)imm;
1026 }
1027
1028 /* Mark the unknown part of a register (variable offset or scalar value) as
1029  * known to have the value @imm.
1030  */
1031 static void __mark_reg_known(struct bpf_reg_state *reg, u64 imm)
1032 {
1033         /* Clear id, off, and union(map_ptr, range) */
1034         memset(((u8 *)reg) + sizeof(reg->type), 0,
1035                offsetof(struct bpf_reg_state, var_off) - sizeof(reg->type));
1036         ___mark_reg_known(reg, imm);
1037 }
1038
1039 static void __mark_reg32_known(struct bpf_reg_state *reg, u64 imm)
1040 {
1041         reg->var_off = tnum_const_subreg(reg->var_off, imm);
1042         reg->s32_min_value = (s32)imm;
1043         reg->s32_max_value = (s32)imm;
1044         reg->u32_min_value = (u32)imm;
1045         reg->u32_max_value = (u32)imm;
1046 }
1047
1048 /* Mark the 'variable offset' part of a register as zero.  This should be
1049  * used only on registers holding a pointer type.
1050  */
1051 static void __mark_reg_known_zero(struct bpf_reg_state *reg)
1052 {
1053         __mark_reg_known(reg, 0);
1054 }
1055
1056 static void __mark_reg_const_zero(struct bpf_reg_state *reg)
1057 {
1058         __mark_reg_known(reg, 0);
1059         reg->type = SCALAR_VALUE;
1060 }
1061
1062 static void mark_reg_known_zero(struct bpf_verifier_env *env,
1063                                 struct bpf_reg_state *regs, u32 regno)
1064 {
1065         if (WARN_ON(regno >= MAX_BPF_REG)) {
1066                 verbose(env, "mark_reg_known_zero(regs, %u)\n", regno);
1067                 /* Something bad happened, let's kill all regs */
1068                 for (regno = 0; regno < MAX_BPF_REG; regno++)
1069                         __mark_reg_not_init(env, regs + regno);
1070                 return;
1071         }
1072         __mark_reg_known_zero(regs + regno);
1073 }
1074
1075 static bool reg_is_pkt_pointer(const struct bpf_reg_state *reg)
1076 {
1077         return type_is_pkt_pointer(reg->type);
1078 }
1079
1080 static bool reg_is_pkt_pointer_any(const struct bpf_reg_state *reg)
1081 {
1082         return reg_is_pkt_pointer(reg) ||
1083                reg->type == PTR_TO_PACKET_END;
1084 }
1085
1086 /* Unmodified PTR_TO_PACKET[_META,_END] register from ctx access. */
1087 static bool reg_is_init_pkt_pointer(const struct bpf_reg_state *reg,
1088                                     enum bpf_reg_type which)
1089 {
1090         /* The register can already have a range from prior markings.
1091          * This is fine as long as it hasn't been advanced from its
1092          * origin.
1093          */
1094         return reg->type == which &&
1095                reg->id == 0 &&
1096                reg->off == 0 &&
1097                tnum_equals_const(reg->var_off, 0);
1098 }
1099
1100 /* Reset the min/max bounds of a register */
1101 static void __mark_reg_unbounded(struct bpf_reg_state *reg)
1102 {
1103         reg->smin_value = S64_MIN;
1104         reg->smax_value = S64_MAX;
1105         reg->umin_value = 0;
1106         reg->umax_value = U64_MAX;
1107
1108         reg->s32_min_value = S32_MIN;
1109         reg->s32_max_value = S32_MAX;
1110         reg->u32_min_value = 0;
1111         reg->u32_max_value = U32_MAX;
1112 }
1113
1114 static void __mark_reg64_unbounded(struct bpf_reg_state *reg)
1115 {
1116         reg->smin_value = S64_MIN;
1117         reg->smax_value = S64_MAX;
1118         reg->umin_value = 0;
1119         reg->umax_value = U64_MAX;
1120 }
1121
1122 static void __mark_reg32_unbounded(struct bpf_reg_state *reg)
1123 {
1124         reg->s32_min_value = S32_MIN;
1125         reg->s32_max_value = S32_MAX;
1126         reg->u32_min_value = 0;
1127         reg->u32_max_value = U32_MAX;
1128 }
1129
1130 static void __update_reg32_bounds(struct bpf_reg_state *reg)
1131 {
1132         struct tnum var32_off = tnum_subreg(reg->var_off);
1133
1134         /* min signed is max(sign bit) | min(other bits) */
1135         reg->s32_min_value = max_t(s32, reg->s32_min_value,
1136                         var32_off.value | (var32_off.mask & S32_MIN));
1137         /* max signed is min(sign bit) | max(other bits) */
1138         reg->s32_max_value = min_t(s32, reg->s32_max_value,
1139                         var32_off.value | (var32_off.mask & S32_MAX));
1140         reg->u32_min_value = max_t(u32, reg->u32_min_value, (u32)var32_off.value);
1141         reg->u32_max_value = min(reg->u32_max_value,
1142                                  (u32)(var32_off.value | var32_off.mask));
1143 }
1144
1145 static void __update_reg64_bounds(struct bpf_reg_state *reg)
1146 {
1147         /* min signed is max(sign bit) | min(other bits) */
1148         reg->smin_value = max_t(s64, reg->smin_value,
1149                                 reg->var_off.value | (reg->var_off.mask & S64_MIN));
1150         /* max signed is min(sign bit) | max(other bits) */
1151         reg->smax_value = min_t(s64, reg->smax_value,
1152                                 reg->var_off.value | (reg->var_off.mask & S64_MAX));
1153         reg->umin_value = max(reg->umin_value, reg->var_off.value);
1154         reg->umax_value = min(reg->umax_value,
1155                               reg->var_off.value | reg->var_off.mask);
1156 }
1157
1158 static void __update_reg_bounds(struct bpf_reg_state *reg)
1159 {
1160         __update_reg32_bounds(reg);
1161         __update_reg64_bounds(reg);
1162 }
1163
1164 /* Uses signed min/max values to inform unsigned, and vice-versa */
1165 static void __reg32_deduce_bounds(struct bpf_reg_state *reg)
1166 {
1167         /* Learn sign from signed bounds.
1168          * If we cannot cross the sign boundary, then signed and unsigned bounds
1169          * are the same, so combine.  This works even in the negative case, e.g.
1170          * -3 s<= x s<= -1 implies 0xf...fd u<= x u<= 0xf...ff.
1171          */
1172         if (reg->s32_min_value >= 0 || reg->s32_max_value < 0) {
1173                 reg->s32_min_value = reg->u32_min_value =
1174                         max_t(u32, reg->s32_min_value, reg->u32_min_value);
1175                 reg->s32_max_value = reg->u32_max_value =
1176                         min_t(u32, reg->s32_max_value, reg->u32_max_value);
1177                 return;
1178         }
1179         /* Learn sign from unsigned bounds.  Signed bounds cross the sign
1180          * boundary, so we must be careful.
1181          */
1182         if ((s32)reg->u32_max_value >= 0) {
1183                 /* Positive.  We can't learn anything from the smin, but smax
1184                  * is positive, hence safe.
1185                  */
1186                 reg->s32_min_value = reg->u32_min_value;
1187                 reg->s32_max_value = reg->u32_max_value =
1188                         min_t(u32, reg->s32_max_value, reg->u32_max_value);
1189         } else if ((s32)reg->u32_min_value < 0) {
1190                 /* Negative.  We can't learn anything from the smax, but smin
1191                  * is negative, hence safe.
1192                  */
1193                 reg->s32_min_value = reg->u32_min_value =
1194                         max_t(u32, reg->s32_min_value, reg->u32_min_value);
1195                 reg->s32_max_value = reg->u32_max_value;
1196         }
1197 }
1198
1199 static void __reg64_deduce_bounds(struct bpf_reg_state *reg)
1200 {
1201         /* Learn sign from signed bounds.
1202          * If we cannot cross the sign boundary, then signed and unsigned bounds
1203          * are the same, so combine.  This works even in the negative case, e.g.
1204          * -3 s<= x s<= -1 implies 0xf...fd u<= x u<= 0xf...ff.
1205          */
1206         if (reg->smin_value >= 0 || reg->smax_value < 0) {
1207                 reg->smin_value = reg->umin_value = max_t(u64, reg->smin_value,
1208                                                           reg->umin_value);
1209                 reg->smax_value = reg->umax_value = min_t(u64, reg->smax_value,
1210                                                           reg->umax_value);
1211                 return;
1212         }
1213         /* Learn sign from unsigned bounds.  Signed bounds cross the sign
1214          * boundary, so we must be careful.
1215          */
1216         if ((s64)reg->umax_value >= 0) {
1217                 /* Positive.  We can't learn anything from the smin, but smax
1218                  * is positive, hence safe.
1219                  */
1220                 reg->smin_value = reg->umin_value;
1221                 reg->smax_value = reg->umax_value = min_t(u64, reg->smax_value,
1222                                                           reg->umax_value);
1223         } else if ((s64)reg->umin_value < 0) {
1224                 /* Negative.  We can't learn anything from the smax, but smin
1225                  * is negative, hence safe.
1226                  */
1227                 reg->smin_value = reg->umin_value = max_t(u64, reg->smin_value,
1228                                                           reg->umin_value);
1229                 reg->smax_value = reg->umax_value;
1230         }
1231 }
1232
1233 static void __reg_deduce_bounds(struct bpf_reg_state *reg)
1234 {
1235         __reg32_deduce_bounds(reg);
1236         __reg64_deduce_bounds(reg);
1237 }
1238
1239 /* Attempts to improve var_off based on unsigned min/max information */
1240 static void __reg_bound_offset(struct bpf_reg_state *reg)
1241 {
1242         struct tnum var64_off = tnum_intersect(reg->var_off,
1243                                                tnum_range(reg->umin_value,
1244                                                           reg->umax_value));
1245         struct tnum var32_off = tnum_intersect(tnum_subreg(reg->var_off),
1246                                                 tnum_range(reg->u32_min_value,
1247                                                            reg->u32_max_value));
1248
1249         reg->var_off = tnum_or(tnum_clear_subreg(var64_off), var32_off);
1250 }
1251
1252 static void __reg_assign_32_into_64(struct bpf_reg_state *reg)
1253 {
1254         reg->umin_value = reg->u32_min_value;
1255         reg->umax_value = reg->u32_max_value;
1256         /* Attempt to pull 32-bit signed bounds into 64-bit bounds
1257          * but must be positive otherwise set to worse case bounds
1258          * and refine later from tnum.
1259          */
1260         if (reg->s32_min_value >= 0 && reg->s32_max_value >= 0)
1261                 reg->smax_value = reg->s32_max_value;
1262         else
1263                 reg->smax_value = U32_MAX;
1264         if (reg->s32_min_value >= 0)
1265                 reg->smin_value = reg->s32_min_value;
1266         else
1267                 reg->smin_value = 0;
1268 }
1269
1270 static void __reg_combine_32_into_64(struct bpf_reg_state *reg)
1271 {
1272         /* special case when 64-bit register has upper 32-bit register
1273          * zeroed. Typically happens after zext or <<32, >>32 sequence
1274          * allowing us to use 32-bit bounds directly,
1275          */
1276         if (tnum_equals_const(tnum_clear_subreg(reg->var_off), 0)) {
1277                 __reg_assign_32_into_64(reg);
1278         } else {
1279                 /* Otherwise the best we can do is push lower 32bit known and
1280                  * unknown bits into register (var_off set from jmp logic)
1281                  * then learn as much as possible from the 64-bit tnum
1282                  * known and unknown bits. The previous smin/smax bounds are
1283                  * invalid here because of jmp32 compare so mark them unknown
1284                  * so they do not impact tnum bounds calculation.
1285                  */
1286                 __mark_reg64_unbounded(reg);
1287                 __update_reg_bounds(reg);
1288         }
1289
1290         /* Intersecting with the old var_off might have improved our bounds
1291          * slightly.  e.g. if umax was 0x7f...f and var_off was (0; 0xf...fc),
1292          * then new var_off is (0; 0x7f...fc) which improves our umax.
1293          */
1294         __reg_deduce_bounds(reg);
1295         __reg_bound_offset(reg);
1296         __update_reg_bounds(reg);
1297 }
1298
1299 static bool __reg64_bound_s32(s64 a)
1300 {
1301         return a > S32_MIN && a < S32_MAX;
1302 }
1303
1304 static bool __reg64_bound_u32(u64 a)
1305 {
1306         if (a > U32_MIN && a < U32_MAX)
1307                 return true;
1308         return false;
1309 }
1310
1311 static void __reg_combine_64_into_32(struct bpf_reg_state *reg)
1312 {
1313         __mark_reg32_unbounded(reg);
1314
1315         if (__reg64_bound_s32(reg->smin_value) && __reg64_bound_s32(reg->smax_value)) {
1316                 reg->s32_min_value = (s32)reg->smin_value;
1317                 reg->s32_max_value = (s32)reg->smax_value;
1318         }
1319         if (__reg64_bound_u32(reg->umin_value))
1320                 reg->u32_min_value = (u32)reg->umin_value;
1321         if (__reg64_bound_u32(reg->umax_value))
1322                 reg->u32_max_value = (u32)reg->umax_value;
1323
1324         /* Intersecting with the old var_off might have improved our bounds
1325          * slightly.  e.g. if umax was 0x7f...f and var_off was (0; 0xf...fc),
1326          * then new var_off is (0; 0x7f...fc) which improves our umax.
1327          */
1328         __reg_deduce_bounds(reg);
1329         __reg_bound_offset(reg);
1330         __update_reg_bounds(reg);
1331 }
1332
1333 /* Mark a register as having a completely unknown (scalar) value. */
1334 static void __mark_reg_unknown(const struct bpf_verifier_env *env,
1335                                struct bpf_reg_state *reg)
1336 {
1337         /*
1338          * Clear type, id, off, and union(map_ptr, range) and
1339          * padding between 'type' and union
1340          */
1341         memset(reg, 0, offsetof(struct bpf_reg_state, var_off));
1342         reg->type = SCALAR_VALUE;
1343         reg->var_off = tnum_unknown;
1344         reg->frameno = 0;
1345         reg->precise = env->subprog_cnt > 1 || !env->bpf_capable;
1346         __mark_reg_unbounded(reg);
1347 }
1348
1349 static void mark_reg_unknown(struct bpf_verifier_env *env,
1350                              struct bpf_reg_state *regs, u32 regno)
1351 {
1352         if (WARN_ON(regno >= MAX_BPF_REG)) {
1353                 verbose(env, "mark_reg_unknown(regs, %u)\n", regno);
1354                 /* Something bad happened, let's kill all regs except FP */
1355                 for (regno = 0; regno < BPF_REG_FP; regno++)
1356                         __mark_reg_not_init(env, regs + regno);
1357                 return;
1358         }
1359         __mark_reg_unknown(env, regs + regno);
1360 }
1361
1362 static void __mark_reg_not_init(const struct bpf_verifier_env *env,
1363                                 struct bpf_reg_state *reg)
1364 {
1365         __mark_reg_unknown(env, reg);
1366         reg->type = NOT_INIT;
1367 }
1368
1369 static void mark_reg_not_init(struct bpf_verifier_env *env,
1370                               struct bpf_reg_state *regs, u32 regno)
1371 {
1372         if (WARN_ON(regno >= MAX_BPF_REG)) {
1373                 verbose(env, "mark_reg_not_init(regs, %u)\n", regno);
1374                 /* Something bad happened, let's kill all regs except FP */
1375                 for (regno = 0; regno < BPF_REG_FP; regno++)
1376                         __mark_reg_not_init(env, regs + regno);
1377                 return;
1378         }
1379         __mark_reg_not_init(env, regs + regno);
1380 }
1381
1382 static void mark_btf_ld_reg(struct bpf_verifier_env *env,
1383                             struct bpf_reg_state *regs, u32 regno,
1384                             enum bpf_reg_type reg_type, u32 btf_id)
1385 {
1386         if (reg_type == SCALAR_VALUE) {
1387                 mark_reg_unknown(env, regs, regno);
1388                 return;
1389         }
1390         mark_reg_known_zero(env, regs, regno);
1391         regs[regno].type = PTR_TO_BTF_ID;
1392         regs[regno].btf_id = btf_id;
1393 }
1394
1395 #define DEF_NOT_SUBREG  (0)
1396 static void init_reg_state(struct bpf_verifier_env *env,
1397                            struct bpf_func_state *state)
1398 {
1399         struct bpf_reg_state *regs = state->regs;
1400         int i;
1401
1402         for (i = 0; i < MAX_BPF_REG; i++) {
1403                 mark_reg_not_init(env, regs, i);
1404                 regs[i].live = REG_LIVE_NONE;
1405                 regs[i].parent = NULL;
1406                 regs[i].subreg_def = DEF_NOT_SUBREG;
1407         }
1408
1409         /* frame pointer */
1410         regs[BPF_REG_FP].type = PTR_TO_STACK;
1411         mark_reg_known_zero(env, regs, BPF_REG_FP);
1412         regs[BPF_REG_FP].frameno = state->frameno;
1413 }
1414
1415 #define BPF_MAIN_FUNC (-1)
1416 static void init_func_state(struct bpf_verifier_env *env,
1417                             struct bpf_func_state *state,
1418                             int callsite, int frameno, int subprogno)
1419 {
1420         state->callsite = callsite;
1421         state->frameno = frameno;
1422         state->subprogno = subprogno;
1423         init_reg_state(env, state);
1424 }
1425
1426 enum reg_arg_type {
1427         SRC_OP,         /* register is used as source operand */
1428         DST_OP,         /* register is used as destination operand */
1429         DST_OP_NO_MARK  /* same as above, check only, don't mark */
1430 };
1431
1432 static int cmp_subprogs(const void *a, const void *b)
1433 {
1434         return ((struct bpf_subprog_info *)a)->start -
1435                ((struct bpf_subprog_info *)b)->start;
1436 }
1437
1438 static int find_subprog(struct bpf_verifier_env *env, int off)
1439 {
1440         struct bpf_subprog_info *p;
1441
1442         p = bsearch(&off, env->subprog_info, env->subprog_cnt,
1443                     sizeof(env->subprog_info[0]), cmp_subprogs);
1444         if (!p)
1445                 return -ENOENT;
1446         return p - env->subprog_info;
1447
1448 }
1449
1450 static int add_subprog(struct bpf_verifier_env *env, int off)
1451 {
1452         int insn_cnt = env->prog->len;
1453         int ret;
1454
1455         if (off >= insn_cnt || off < 0) {
1456                 verbose(env, "call to invalid destination\n");
1457                 return -EINVAL;
1458         }
1459         ret = find_subprog(env, off);
1460         if (ret >= 0)
1461                 return 0;
1462         if (env->subprog_cnt >= BPF_MAX_SUBPROGS) {
1463                 verbose(env, "too many subprograms\n");
1464                 return -E2BIG;
1465         }
1466         env->subprog_info[env->subprog_cnt++].start = off;
1467         sort(env->subprog_info, env->subprog_cnt,
1468              sizeof(env->subprog_info[0]), cmp_subprogs, NULL);
1469         return 0;
1470 }
1471
1472 static int check_subprogs(struct bpf_verifier_env *env)
1473 {
1474         int i, ret, subprog_start, subprog_end, off, cur_subprog = 0;
1475         struct bpf_subprog_info *subprog = env->subprog_info;
1476         struct bpf_insn *insn = env->prog->insnsi;
1477         int insn_cnt = env->prog->len;
1478
1479         /* Add entry function. */
1480         ret = add_subprog(env, 0);
1481         if (ret < 0)
1482                 return ret;
1483
1484         /* determine subprog starts. The end is one before the next starts */
1485         for (i = 0; i < insn_cnt; i++) {
1486                 if (insn[i].code != (BPF_JMP | BPF_CALL))
1487                         continue;
1488                 if (insn[i].src_reg != BPF_PSEUDO_CALL)
1489                         continue;
1490                 if (!env->bpf_capable) {
1491                         verbose(env,
1492                                 "function calls to other bpf functions are allowed for CAP_BPF and CAP_SYS_ADMIN\n");
1493                         return -EPERM;
1494                 }
1495                 ret = add_subprog(env, i + insn[i].imm + 1);
1496                 if (ret < 0)
1497                         return ret;
1498         }
1499
1500         /* Add a fake 'exit' subprog which could simplify subprog iteration
1501          * logic. 'subprog_cnt' should not be increased.
1502          */
1503         subprog[env->subprog_cnt].start = insn_cnt;
1504
1505         if (env->log.level & BPF_LOG_LEVEL2)
1506                 for (i = 0; i < env->subprog_cnt; i++)
1507                         verbose(env, "func#%d @%d\n", i, subprog[i].start);
1508
1509         /* now check that all jumps are within the same subprog */
1510         subprog_start = subprog[cur_subprog].start;
1511         subprog_end = subprog[cur_subprog + 1].start;
1512         for (i = 0; i < insn_cnt; i++) {
1513                 u8 code = insn[i].code;
1514
1515                 if (code == (BPF_JMP | BPF_CALL) &&
1516                     insn[i].imm == BPF_FUNC_tail_call &&
1517                     insn[i].src_reg != BPF_PSEUDO_CALL)
1518                         subprog[cur_subprog].has_tail_call = true;
1519                 if (BPF_CLASS(code) == BPF_LD &&
1520                     (BPF_MODE(code) == BPF_ABS || BPF_MODE(code) == BPF_IND))
1521                         subprog[cur_subprog].has_ld_abs = true;
1522                 if (BPF_CLASS(code) != BPF_JMP && BPF_CLASS(code) != BPF_JMP32)
1523                         goto next;
1524                 if (BPF_OP(code) == BPF_EXIT || BPF_OP(code) == BPF_CALL)
1525                         goto next;
1526                 off = i + insn[i].off + 1;
1527                 if (off < subprog_start || off >= subprog_end) {
1528                         verbose(env, "jump out of range from insn %d to %d\n", i, off);
1529                         return -EINVAL;
1530                 }
1531 next:
1532                 if (i == subprog_end - 1) {
1533                         /* to avoid fall-through from one subprog into another
1534                          * the last insn of the subprog should be either exit
1535                          * or unconditional jump back
1536                          */
1537                         if (code != (BPF_JMP | BPF_EXIT) &&
1538                             code != (BPF_JMP | BPF_JA)) {
1539                                 verbose(env, "last insn is not an exit or jmp\n");
1540                                 return -EINVAL;
1541                         }
1542                         subprog_start = subprog_end;
1543                         cur_subprog++;
1544                         if (cur_subprog < env->subprog_cnt)
1545                                 subprog_end = subprog[cur_subprog + 1].start;
1546                 }
1547         }
1548         return 0;
1549 }
1550
1551 /* Parentage chain of this register (or stack slot) should take care of all
1552  * issues like callee-saved registers, stack slot allocation time, etc.
1553  */
1554 static int mark_reg_read(struct bpf_verifier_env *env,
1555                          const struct bpf_reg_state *state,
1556                          struct bpf_reg_state *parent, u8 flag)
1557 {
1558         bool writes = parent == state->parent; /* Observe write marks */
1559         int cnt = 0;
1560
1561         while (parent) {
1562                 /* if read wasn't screened by an earlier write ... */
1563                 if (writes && state->live & REG_LIVE_WRITTEN)
1564                         break;
1565                 if (parent->live & REG_LIVE_DONE) {
1566                         verbose(env, "verifier BUG type %s var_off %lld off %d\n",
1567                                 reg_type_str[parent->type],
1568                                 parent->var_off.value, parent->off);
1569                         return -EFAULT;
1570                 }
1571                 /* The first condition is more likely to be true than the
1572                  * second, checked it first.
1573                  */
1574                 if ((parent->live & REG_LIVE_READ) == flag ||
1575                     parent->live & REG_LIVE_READ64)
1576                         /* The parentage chain never changes and
1577                          * this parent was already marked as LIVE_READ.
1578                          * There is no need to keep walking the chain again and
1579                          * keep re-marking all parents as LIVE_READ.
1580                          * This case happens when the same register is read
1581                          * multiple times without writes into it in-between.
1582                          * Also, if parent has the stronger REG_LIVE_READ64 set,
1583                          * then no need to set the weak REG_LIVE_READ32.
1584                          */
1585                         break;
1586                 /* ... then we depend on parent's value */
1587                 parent->live |= flag;
1588                 /* REG_LIVE_READ64 overrides REG_LIVE_READ32. */
1589                 if (flag == REG_LIVE_READ64)
1590                         parent->live &= ~REG_LIVE_READ32;
1591                 state = parent;
1592                 parent = state->parent;
1593                 writes = true;
1594                 cnt++;
1595         }
1596
1597         if (env->longest_mark_read_walk < cnt)
1598                 env->longest_mark_read_walk = cnt;
1599         return 0;
1600 }
1601
1602 /* This function is supposed to be used by the following 32-bit optimization
1603  * code only. It returns TRUE if the source or destination register operates
1604  * on 64-bit, otherwise return FALSE.
1605  */
1606 static bool is_reg64(struct bpf_verifier_env *env, struct bpf_insn *insn,
1607                      u32 regno, struct bpf_reg_state *reg, enum reg_arg_type t)
1608 {
1609         u8 code, class, op;
1610
1611         code = insn->code;
1612         class = BPF_CLASS(code);
1613         op = BPF_OP(code);
1614         if (class == BPF_JMP) {
1615                 /* BPF_EXIT for "main" will reach here. Return TRUE
1616                  * conservatively.
1617                  */
1618                 if (op == BPF_EXIT)
1619                         return true;
1620                 if (op == BPF_CALL) {
1621                         /* BPF to BPF call will reach here because of marking
1622                          * caller saved clobber with DST_OP_NO_MARK for which we
1623                          * don't care the register def because they are anyway
1624                          * marked as NOT_INIT already.
1625                          */
1626                         if (insn->src_reg == BPF_PSEUDO_CALL)
1627                                 return false;
1628                         /* Helper call will reach here because of arg type
1629                          * check, conservatively return TRUE.
1630                          */
1631                         if (t == SRC_OP)
1632                                 return true;
1633
1634                         return false;
1635                 }
1636         }
1637
1638         if (class == BPF_ALU64 || class == BPF_JMP ||
1639             /* BPF_END always use BPF_ALU class. */
1640             (class == BPF_ALU && op == BPF_END && insn->imm == 64))
1641                 return true;
1642
1643         if (class == BPF_ALU || class == BPF_JMP32)
1644                 return false;
1645
1646         if (class == BPF_LDX) {
1647                 if (t != SRC_OP)
1648                         return BPF_SIZE(code) == BPF_DW;
1649                 /* LDX source must be ptr. */
1650                 return true;
1651         }
1652
1653         if (class == BPF_STX) {
1654                 if (reg->type != SCALAR_VALUE)
1655                         return true;
1656                 return BPF_SIZE(code) == BPF_DW;
1657         }
1658
1659         if (class == BPF_LD) {
1660                 u8 mode = BPF_MODE(code);
1661
1662                 /* LD_IMM64 */
1663                 if (mode == BPF_IMM)
1664                         return true;
1665
1666                 /* Both LD_IND and LD_ABS return 32-bit data. */
1667                 if (t != SRC_OP)
1668                         return  false;
1669
1670                 /* Implicit ctx ptr. */
1671                 if (regno == BPF_REG_6)
1672                         return true;
1673
1674                 /* Explicit source could be any width. */
1675                 return true;
1676         }
1677
1678         if (class == BPF_ST)
1679                 /* The only source register for BPF_ST is a ptr. */
1680                 return true;
1681
1682         /* Conservatively return true at default. */
1683         return true;
1684 }
1685
1686 /* Return TRUE if INSN doesn't have explicit value define. */
1687 static bool insn_no_def(struct bpf_insn *insn)
1688 {
1689         u8 class = BPF_CLASS(insn->code);
1690
1691         return (class == BPF_JMP || class == BPF_JMP32 ||
1692                 class == BPF_STX || class == BPF_ST);
1693 }
1694
1695 /* Return TRUE if INSN has defined any 32-bit value explicitly. */
1696 static bool insn_has_def32(struct bpf_verifier_env *env, struct bpf_insn *insn)
1697 {
1698         if (insn_no_def(insn))
1699                 return false;
1700
1701         return !is_reg64(env, insn, insn->dst_reg, NULL, DST_OP);
1702 }
1703
1704 static void mark_insn_zext(struct bpf_verifier_env *env,
1705                            struct bpf_reg_state *reg)
1706 {
1707         s32 def_idx = reg->subreg_def;
1708
1709         if (def_idx == DEF_NOT_SUBREG)
1710                 return;
1711
1712         env->insn_aux_data[def_idx - 1].zext_dst = true;
1713         /* The dst will be zero extended, so won't be sub-register anymore. */
1714         reg->subreg_def = DEF_NOT_SUBREG;
1715 }
1716
1717 static int check_reg_arg(struct bpf_verifier_env *env, u32 regno,
1718                          enum reg_arg_type t)
1719 {
1720         struct bpf_verifier_state *vstate = env->cur_state;
1721         struct bpf_func_state *state = vstate->frame[vstate->curframe];
1722         struct bpf_insn *insn = env->prog->insnsi + env->insn_idx;
1723         struct bpf_reg_state *reg, *regs = state->regs;
1724         bool rw64;
1725
1726         if (regno >= MAX_BPF_REG) {
1727                 verbose(env, "R%d is invalid\n", regno);
1728                 return -EINVAL;
1729         }
1730
1731         reg = &regs[regno];
1732         rw64 = is_reg64(env, insn, regno, reg, t);
1733         if (t == SRC_OP) {
1734                 /* check whether register used as source operand can be read */
1735                 if (reg->type == NOT_INIT) {
1736                         verbose(env, "R%d !read_ok\n", regno);
1737                         return -EACCES;
1738                 }
1739                 /* We don't need to worry about FP liveness because it's read-only */
1740                 if (regno == BPF_REG_FP)
1741                         return 0;
1742
1743                 if (rw64)
1744                         mark_insn_zext(env, reg);
1745
1746                 return mark_reg_read(env, reg, reg->parent,
1747                                      rw64 ? REG_LIVE_READ64 : REG_LIVE_READ32);
1748         } else {
1749                 /* check whether register used as dest operand can be written to */
1750                 if (regno == BPF_REG_FP) {
1751                         verbose(env, "frame pointer is read only\n");
1752                         return -EACCES;
1753                 }
1754                 reg->live |= REG_LIVE_WRITTEN;
1755                 reg->subreg_def = rw64 ? DEF_NOT_SUBREG : env->insn_idx + 1;
1756                 if (t == DST_OP)
1757                         mark_reg_unknown(env, regs, regno);
1758         }
1759         return 0;
1760 }
1761
1762 /* for any branch, call, exit record the history of jmps in the given state */
1763 static int push_jmp_history(struct bpf_verifier_env *env,
1764                             struct bpf_verifier_state *cur)
1765 {
1766         u32 cnt = cur->jmp_history_cnt;
1767         struct bpf_idx_pair *p;
1768
1769         cnt++;
1770         p = krealloc(cur->jmp_history, cnt * sizeof(*p), GFP_USER);
1771         if (!p)
1772                 return -ENOMEM;
1773         p[cnt - 1].idx = env->insn_idx;
1774         p[cnt - 1].prev_idx = env->prev_insn_idx;
1775         cur->jmp_history = p;
1776         cur->jmp_history_cnt = cnt;
1777         return 0;
1778 }
1779
1780 /* Backtrack one insn at a time. If idx is not at the top of recorded
1781  * history then previous instruction came from straight line execution.
1782  */
1783 static int get_prev_insn_idx(struct bpf_verifier_state *st, int i,
1784                              u32 *history)
1785 {
1786         u32 cnt = *history;
1787
1788         if (cnt && st->jmp_history[cnt - 1].idx == i) {
1789                 i = st->jmp_history[cnt - 1].prev_idx;
1790                 (*history)--;
1791         } else {
1792                 i--;
1793         }
1794         return i;
1795 }
1796
1797 /* For given verifier state backtrack_insn() is called from the last insn to
1798  * the first insn. Its purpose is to compute a bitmask of registers and
1799  * stack slots that needs precision in the parent verifier state.
1800  */
1801 static int backtrack_insn(struct bpf_verifier_env *env, int idx,
1802                           u32 *reg_mask, u64 *stack_mask)
1803 {
1804         const struct bpf_insn_cbs cbs = {
1805                 .cb_print       = verbose,
1806                 .private_data   = env,
1807         };
1808         struct bpf_insn *insn = env->prog->insnsi + idx;
1809         u8 class = BPF_CLASS(insn->code);
1810         u8 opcode = BPF_OP(insn->code);
1811         u8 mode = BPF_MODE(insn->code);
1812         u32 dreg = 1u << insn->dst_reg;
1813         u32 sreg = 1u << insn->src_reg;
1814         u32 spi;
1815
1816         if (insn->code == 0)
1817                 return 0;
1818         if (env->log.level & BPF_LOG_LEVEL) {
1819                 verbose(env, "regs=%x stack=%llx before ", *reg_mask, *stack_mask);
1820                 verbose(env, "%d: ", idx);
1821                 print_bpf_insn(&cbs, insn, env->allow_ptr_leaks);
1822         }
1823
1824         if (class == BPF_ALU || class == BPF_ALU64) {
1825                 if (!(*reg_mask & dreg))
1826                         return 0;
1827                 if (opcode == BPF_MOV) {
1828                         if (BPF_SRC(insn->code) == BPF_X) {
1829                                 /* dreg = sreg
1830                                  * dreg needs precision after this insn
1831                                  * sreg needs precision before this insn
1832                                  */
1833                                 *reg_mask &= ~dreg;
1834                                 *reg_mask |= sreg;
1835                         } else {
1836                                 /* dreg = K
1837                                  * dreg needs precision after this insn.
1838                                  * Corresponding register is already marked
1839                                  * as precise=true in this verifier state.
1840                                  * No further markings in parent are necessary
1841                                  */
1842                                 *reg_mask &= ~dreg;
1843                         }
1844                 } else {
1845                         if (BPF_SRC(insn->code) == BPF_X) {
1846                                 /* dreg += sreg
1847                                  * both dreg and sreg need precision
1848                                  * before this insn
1849                                  */
1850                                 *reg_mask |= sreg;
1851                         } /* else dreg += K
1852                            * dreg still needs precision before this insn
1853                            */
1854                 }
1855         } else if (class == BPF_LDX) {
1856                 if (!(*reg_mask & dreg))
1857                         return 0;
1858                 *reg_mask &= ~dreg;
1859
1860                 /* scalars can only be spilled into stack w/o losing precision.
1861                  * Load from any other memory can be zero extended.
1862                  * The desire to keep that precision is already indicated
1863                  * by 'precise' mark in corresponding register of this state.
1864                  * No further tracking necessary.
1865                  */
1866                 if (insn->src_reg != BPF_REG_FP)
1867                         return 0;
1868                 if (BPF_SIZE(insn->code) != BPF_DW)
1869                         return 0;
1870
1871                 /* dreg = *(u64 *)[fp - off] was a fill from the stack.
1872                  * that [fp - off] slot contains scalar that needs to be
1873                  * tracked with precision
1874                  */
1875                 spi = (-insn->off - 1) / BPF_REG_SIZE;
1876                 if (spi >= 64) {
1877                         verbose(env, "BUG spi %d\n", spi);
1878                         WARN_ONCE(1, "verifier backtracking bug");
1879                         return -EFAULT;
1880                 }
1881                 *stack_mask |= 1ull << spi;
1882         } else if (class == BPF_STX || class == BPF_ST) {
1883                 if (*reg_mask & dreg)
1884                         /* stx & st shouldn't be using _scalar_ dst_reg
1885                          * to access memory. It means backtracking
1886                          * encountered a case of pointer subtraction.
1887                          */
1888                         return -ENOTSUPP;
1889                 /* scalars can only be spilled into stack */
1890                 if (insn->dst_reg != BPF_REG_FP)
1891                         return 0;
1892                 if (BPF_SIZE(insn->code) != BPF_DW)
1893                         return 0;
1894                 spi = (-insn->off - 1) / BPF_REG_SIZE;
1895                 if (spi >= 64) {
1896                         verbose(env, "BUG spi %d\n", spi);
1897                         WARN_ONCE(1, "verifier backtracking bug");
1898                         return -EFAULT;
1899                 }
1900                 if (!(*stack_mask & (1ull << spi)))
1901                         return 0;
1902                 *stack_mask &= ~(1ull << spi);
1903                 if (class == BPF_STX)
1904                         *reg_mask |= sreg;
1905         } else if (class == BPF_JMP || class == BPF_JMP32) {
1906                 if (opcode == BPF_CALL) {
1907                         if (insn->src_reg == BPF_PSEUDO_CALL)
1908                                 return -ENOTSUPP;
1909                         /* regular helper call sets R0 */
1910                         *reg_mask &= ~1;
1911                         if (*reg_mask & 0x3f) {
1912                                 /* if backtracing was looking for registers R1-R5
1913                                  * they should have been found already.
1914                                  */
1915                                 verbose(env, "BUG regs %x\n", *reg_mask);
1916                                 WARN_ONCE(1, "verifier backtracking bug");
1917                                 return -EFAULT;
1918                         }
1919                 } else if (opcode == BPF_EXIT) {
1920                         return -ENOTSUPP;
1921                 }
1922         } else if (class == BPF_LD) {
1923                 if (!(*reg_mask & dreg))
1924                         return 0;
1925                 *reg_mask &= ~dreg;
1926                 /* It's ld_imm64 or ld_abs or ld_ind.
1927                  * For ld_imm64 no further tracking of precision
1928                  * into parent is necessary
1929                  */
1930                 if (mode == BPF_IND || mode == BPF_ABS)
1931                         /* to be analyzed */
1932                         return -ENOTSUPP;
1933         }
1934         return 0;
1935 }
1936
1937 /* the scalar precision tracking algorithm:
1938  * . at the start all registers have precise=false.
1939  * . scalar ranges are tracked as normal through alu and jmp insns.
1940  * . once precise value of the scalar register is used in:
1941  *   .  ptr + scalar alu
1942  *   . if (scalar cond K|scalar)
1943  *   .  helper_call(.., scalar, ...) where ARG_CONST is expected
1944  *   backtrack through the verifier states and mark all registers and
1945  *   stack slots with spilled constants that these scalar regisers
1946  *   should be precise.
1947  * . during state pruning two registers (or spilled stack slots)
1948  *   are equivalent if both are not precise.
1949  *
1950  * Note the verifier cannot simply walk register parentage chain,
1951  * since many different registers and stack slots could have been
1952  * used to compute single precise scalar.
1953  *
1954  * The approach of starting with precise=true for all registers and then
1955  * backtrack to mark a register as not precise when the verifier detects
1956  * that program doesn't care about specific value (e.g., when helper
1957  * takes register as ARG_ANYTHING parameter) is not safe.
1958  *
1959  * It's ok to walk single parentage chain of the verifier states.
1960  * It's possible that this backtracking will go all the way till 1st insn.
1961  * All other branches will be explored for needing precision later.
1962  *
1963  * The backtracking needs to deal with cases like:
1964  *   R8=map_value(id=0,off=0,ks=4,vs=1952,imm=0) R9_w=map_value(id=0,off=40,ks=4,vs=1952,imm=0)
1965  * r9 -= r8
1966  * r5 = r9
1967  * if r5 > 0x79f goto pc+7
1968  *    R5_w=inv(id=0,umax_value=1951,var_off=(0x0; 0x7ff))
1969  * r5 += 1
1970  * ...
1971  * call bpf_perf_event_output#25
1972  *   where .arg5_type = ARG_CONST_SIZE_OR_ZERO
1973  *
1974  * and this case:
1975  * r6 = 1
1976  * call foo // uses callee's r6 inside to compute r0
1977  * r0 += r6
1978  * if r0 == 0 goto
1979  *
1980  * to track above reg_mask/stack_mask needs to be independent for each frame.
1981  *
1982  * Also if parent's curframe > frame where backtracking started,
1983  * the verifier need to mark registers in both frames, otherwise callees
1984  * may incorrectly prune callers. This is similar to
1985  * commit 7640ead93924 ("bpf: verifier: make sure callees don't prune with caller differences")
1986  *
1987  * For now backtracking falls back into conservative marking.
1988  */
1989 static void mark_all_scalars_precise(struct bpf_verifier_env *env,
1990                                      struct bpf_verifier_state *st)
1991 {
1992         struct bpf_func_state *func;
1993         struct bpf_reg_state *reg;
1994         int i, j;
1995
1996         /* big hammer: mark all scalars precise in this path.
1997          * pop_stack may still get !precise scalars.
1998          */
1999         for (; st; st = st->parent)
2000                 for (i = 0; i <= st->curframe; i++) {
2001                         func = st->frame[i];
2002                         for (j = 0; j < BPF_REG_FP; j++) {
2003                                 reg = &func->regs[j];
2004                                 if (reg->type != SCALAR_VALUE)
2005                                         continue;
2006                                 reg->precise = true;
2007                         }
2008                         for (j = 0; j < func->allocated_stack / BPF_REG_SIZE; j++) {
2009                                 if (func->stack[j].slot_type[0] != STACK_SPILL)
2010                                         continue;
2011                                 reg = &func->stack[j].spilled_ptr;
2012                                 if (reg->type != SCALAR_VALUE)
2013                                         continue;
2014                                 reg->precise = true;
2015                         }
2016                 }
2017 }
2018
2019 static int __mark_chain_precision(struct bpf_verifier_env *env, int regno,
2020                                   int spi)
2021 {
2022         struct bpf_verifier_state *st = env->cur_state;
2023         int first_idx = st->first_insn_idx;
2024         int last_idx = env->insn_idx;
2025         struct bpf_func_state *func;
2026         struct bpf_reg_state *reg;
2027         u32 reg_mask = regno >= 0 ? 1u << regno : 0;
2028         u64 stack_mask = spi >= 0 ? 1ull << spi : 0;
2029         bool skip_first = true;
2030         bool new_marks = false;
2031         int i, err;
2032
2033         if (!env->bpf_capable)
2034                 return 0;
2035
2036         func = st->frame[st->curframe];
2037         if (regno >= 0) {
2038                 reg = &func->regs[regno];
2039                 if (reg->type != SCALAR_VALUE) {
2040                         WARN_ONCE(1, "backtracing misuse");
2041                         return -EFAULT;
2042                 }
2043                 if (!reg->precise)
2044                         new_marks = true;
2045                 else
2046                         reg_mask = 0;
2047                 reg->precise = true;
2048         }
2049
2050         while (spi >= 0) {
2051                 if (func->stack[spi].slot_type[0] != STACK_SPILL) {
2052                         stack_mask = 0;
2053                         break;
2054                 }
2055                 reg = &func->stack[spi].spilled_ptr;
2056                 if (reg->type != SCALAR_VALUE) {
2057                         stack_mask = 0;
2058                         break;
2059                 }
2060                 if (!reg->precise)
2061                         new_marks = true;
2062                 else
2063                         stack_mask = 0;
2064                 reg->precise = true;
2065                 break;
2066         }
2067
2068         if (!new_marks)
2069                 return 0;
2070         if (!reg_mask && !stack_mask)
2071                 return 0;
2072         for (;;) {
2073                 DECLARE_BITMAP(mask, 64);
2074                 u32 history = st->jmp_history_cnt;
2075
2076                 if (env->log.level & BPF_LOG_LEVEL)
2077                         verbose(env, "last_idx %d first_idx %d\n", last_idx, first_idx);
2078                 for (i = last_idx;;) {
2079                         if (skip_first) {
2080                                 err = 0;
2081                                 skip_first = false;
2082                         } else {
2083                                 err = backtrack_insn(env, i, &reg_mask, &stack_mask);
2084                         }
2085                         if (err == -ENOTSUPP) {
2086                                 mark_all_scalars_precise(env, st);
2087                                 return 0;
2088                         } else if (err) {
2089                                 return err;
2090                         }
2091                         if (!reg_mask && !stack_mask)
2092                                 /* Found assignment(s) into tracked register in this state.
2093                                  * Since this state is already marked, just return.
2094                                  * Nothing to be tracked further in the parent state.
2095                                  */
2096                                 return 0;
2097                         if (i == first_idx)
2098                                 break;
2099                         i = get_prev_insn_idx(st, i, &history);
2100                         if (i >= env->prog->len) {
2101                                 /* This can happen if backtracking reached insn 0
2102                                  * and there are still reg_mask or stack_mask
2103                                  * to backtrack.
2104                                  * It means the backtracking missed the spot where
2105                                  * particular register was initialized with a constant.
2106                                  */
2107                                 verbose(env, "BUG backtracking idx %d\n", i);
2108                                 WARN_ONCE(1, "verifier backtracking bug");
2109                                 return -EFAULT;
2110                         }
2111                 }
2112                 st = st->parent;
2113                 if (!st)
2114                         break;
2115
2116                 new_marks = false;
2117                 func = st->frame[st->curframe];
2118                 bitmap_from_u64(mask, reg_mask);
2119                 for_each_set_bit(i, mask, 32) {
2120                         reg = &func->regs[i];
2121                         if (reg->type != SCALAR_VALUE) {
2122                                 reg_mask &= ~(1u << i);
2123                                 continue;
2124                         }
2125                         if (!reg->precise)
2126                                 new_marks = true;
2127                         reg->precise = true;
2128                 }
2129
2130                 bitmap_from_u64(mask, stack_mask);
2131                 for_each_set_bit(i, mask, 64) {
2132                         if (i >= func->allocated_stack / BPF_REG_SIZE) {
2133                                 /* the sequence of instructions:
2134                                  * 2: (bf) r3 = r10
2135                                  * 3: (7b) *(u64 *)(r3 -8) = r0
2136                                  * 4: (79) r4 = *(u64 *)(r10 -8)
2137                                  * doesn't contain jmps. It's backtracked
2138                                  * as a single block.
2139                                  * During backtracking insn 3 is not recognized as
2140                                  * stack access, so at the end of backtracking
2141                                  * stack slot fp-8 is still marked in stack_mask.
2142                                  * However the parent state may not have accessed
2143                                  * fp-8 and it's "unallocated" stack space.
2144                                  * In such case fallback to conservative.
2145                                  */
2146                                 mark_all_scalars_precise(env, st);
2147                                 return 0;
2148                         }
2149
2150                         if (func->stack[i].slot_type[0] != STACK_SPILL) {
2151                                 stack_mask &= ~(1ull << i);
2152                                 continue;
2153                         }
2154                         reg = &func->stack[i].spilled_ptr;
2155                         if (reg->type != SCALAR_VALUE) {
2156                                 stack_mask &= ~(1ull << i);
2157                                 continue;
2158                         }
2159                         if (!reg->precise)
2160                                 new_marks = true;
2161                         reg->precise = true;
2162                 }
2163                 if (env->log.level & BPF_LOG_LEVEL) {
2164                         print_verifier_state(env, func);
2165                         verbose(env, "parent %s regs=%x stack=%llx marks\n",
2166                                 new_marks ? "didn't have" : "already had",
2167                                 reg_mask, stack_mask);
2168                 }
2169
2170                 if (!reg_mask && !stack_mask)
2171                         break;
2172                 if (!new_marks)
2173                         break;
2174
2175                 last_idx = st->last_insn_idx;
2176                 first_idx = st->first_insn_idx;
2177         }
2178         return 0;
2179 }
2180
2181 static int mark_chain_precision(struct bpf_verifier_env *env, int regno)
2182 {
2183         return __mark_chain_precision(env, regno, -1);
2184 }
2185
2186 static int mark_chain_precision_stack(struct bpf_verifier_env *env, int spi)
2187 {
2188         return __mark_chain_precision(env, -1, spi);
2189 }
2190
2191 static bool is_spillable_regtype(enum bpf_reg_type type)
2192 {
2193         switch (type) {
2194         case PTR_TO_MAP_VALUE:
2195         case PTR_TO_MAP_VALUE_OR_NULL:
2196         case PTR_TO_STACK:
2197         case PTR_TO_CTX:
2198         case PTR_TO_PACKET:
2199         case PTR_TO_PACKET_META:
2200         case PTR_TO_PACKET_END:
2201         case PTR_TO_FLOW_KEYS:
2202         case CONST_PTR_TO_MAP:
2203         case PTR_TO_SOCKET:
2204         case PTR_TO_SOCKET_OR_NULL:
2205         case PTR_TO_SOCK_COMMON:
2206         case PTR_TO_SOCK_COMMON_OR_NULL:
2207         case PTR_TO_TCP_SOCK:
2208         case PTR_TO_TCP_SOCK_OR_NULL:
2209         case PTR_TO_XDP_SOCK:
2210         case PTR_TO_BTF_ID:
2211         case PTR_TO_BTF_ID_OR_NULL:
2212         case PTR_TO_RDONLY_BUF:
2213         case PTR_TO_RDONLY_BUF_OR_NULL:
2214         case PTR_TO_RDWR_BUF:
2215         case PTR_TO_RDWR_BUF_OR_NULL:
2216         case PTR_TO_PERCPU_BTF_ID:
2217         case PTR_TO_MEM:
2218         case PTR_TO_MEM_OR_NULL:
2219                 return true;
2220         default:
2221                 return false;
2222         }
2223 }
2224
2225 /* Does this register contain a constant zero? */
2226 static bool register_is_null(struct bpf_reg_state *reg)
2227 {
2228         return reg->type == SCALAR_VALUE && tnum_equals_const(reg->var_off, 0);
2229 }
2230
2231 static bool register_is_const(struct bpf_reg_state *reg)
2232 {
2233         return reg->type == SCALAR_VALUE && tnum_is_const(reg->var_off);
2234 }
2235
2236 static bool __is_scalar_unbounded(struct bpf_reg_state *reg)
2237 {
2238         return tnum_is_unknown(reg->var_off) &&
2239                reg->smin_value == S64_MIN && reg->smax_value == S64_MAX &&
2240                reg->umin_value == 0 && reg->umax_value == U64_MAX &&
2241                reg->s32_min_value == S32_MIN && reg->s32_max_value == S32_MAX &&
2242                reg->u32_min_value == 0 && reg->u32_max_value == U32_MAX;
2243 }
2244
2245 static bool register_is_bounded(struct bpf_reg_state *reg)
2246 {
2247         return reg->type == SCALAR_VALUE && !__is_scalar_unbounded(reg);
2248 }
2249
2250 static bool __is_pointer_value(bool allow_ptr_leaks,
2251                                const struct bpf_reg_state *reg)
2252 {
2253         if (allow_ptr_leaks)
2254                 return false;
2255
2256         return reg->type != SCALAR_VALUE;
2257 }
2258
2259 static void save_register_state(struct bpf_func_state *state,
2260                                 int spi, struct bpf_reg_state *reg)
2261 {
2262         int i;
2263
2264         state->stack[spi].spilled_ptr = *reg;
2265         state->stack[spi].spilled_ptr.live |= REG_LIVE_WRITTEN;
2266
2267         for (i = 0; i < BPF_REG_SIZE; i++)
2268                 state->stack[spi].slot_type[i] = STACK_SPILL;
2269 }
2270
2271 /* check_stack_read/write functions track spill/fill of registers,
2272  * stack boundary and alignment are checked in check_mem_access()
2273  */
2274 static int check_stack_write(struct bpf_verifier_env *env,
2275                              struct bpf_func_state *state, /* func where register points to */
2276                              int off, int size, int value_regno, int insn_idx)
2277 {
2278         struct bpf_func_state *cur; /* state of the current function */
2279         int i, slot = -off - 1, spi = slot / BPF_REG_SIZE, err;
2280         u32 dst_reg = env->prog->insnsi[insn_idx].dst_reg;
2281         struct bpf_reg_state *reg = NULL;
2282
2283         err = realloc_func_state(state, round_up(slot + 1, BPF_REG_SIZE),
2284                                  state->acquired_refs, true);
2285         if (err)
2286                 return err;
2287         /* caller checked that off % size == 0 and -MAX_BPF_STACK <= off < 0,
2288          * so it's aligned access and [off, off + size) are within stack limits
2289          */
2290         if (!env->allow_ptr_leaks &&
2291             state->stack[spi].slot_type[0] == STACK_SPILL &&
2292             size != BPF_REG_SIZE) {
2293                 verbose(env, "attempt to corrupt spilled pointer on stack\n");
2294                 return -EACCES;
2295         }
2296
2297         cur = env->cur_state->frame[env->cur_state->curframe];
2298         if (value_regno >= 0)
2299                 reg = &cur->regs[value_regno];
2300
2301         if (reg && size == BPF_REG_SIZE && register_is_bounded(reg) &&
2302             !register_is_null(reg) && env->bpf_capable) {
2303                 if (dst_reg != BPF_REG_FP) {
2304                         /* The backtracking logic can only recognize explicit
2305                          * stack slot address like [fp - 8]. Other spill of
2306                          * scalar via different register has to be conervative.
2307                          * Backtrack from here and mark all registers as precise
2308                          * that contributed into 'reg' being a constant.
2309                          */
2310                         err = mark_chain_precision(env, value_regno);
2311                         if (err)
2312                                 return err;
2313                 }
2314                 save_register_state(state, spi, reg);
2315         } else if (reg && is_spillable_regtype(reg->type)) {
2316                 /* register containing pointer is being spilled into stack */
2317                 if (size != BPF_REG_SIZE) {
2318                         verbose_linfo(env, insn_idx, "; ");
2319                         verbose(env, "invalid size of register spill\n");
2320                         return -EACCES;
2321                 }
2322
2323                 if (state != cur && reg->type == PTR_TO_STACK) {
2324                         verbose(env, "cannot spill pointers to stack into stack frame of the caller\n");
2325                         return -EINVAL;
2326                 }
2327
2328                 if (!env->bypass_spec_v4) {
2329                         bool sanitize = false;
2330
2331                         if (state->stack[spi].slot_type[0] == STACK_SPILL &&
2332                             register_is_const(&state->stack[spi].spilled_ptr))
2333                                 sanitize = true;
2334                         for (i = 0; i < BPF_REG_SIZE; i++)
2335                                 if (state->stack[spi].slot_type[i] == STACK_MISC) {
2336                                         sanitize = true;
2337                                         break;
2338                                 }
2339                         if (sanitize) {
2340                                 int *poff = &env->insn_aux_data[insn_idx].sanitize_stack_off;
2341                                 int soff = (-spi - 1) * BPF_REG_SIZE;
2342
2343                                 /* detected reuse of integer stack slot with a pointer
2344                                  * which means either llvm is reusing stack slot or
2345                                  * an attacker is trying to exploit CVE-2018-3639
2346                                  * (speculative store bypass)
2347                                  * Have to sanitize that slot with preemptive
2348                                  * store of zero.
2349                                  */
2350                                 if (*poff && *poff != soff) {
2351                                         /* disallow programs where single insn stores
2352                                          * into two different stack slots, since verifier
2353                                          * cannot sanitize them
2354                                          */
2355                                         verbose(env,
2356                                                 "insn %d cannot access two stack slots fp%d and fp%d",
2357                                                 insn_idx, *poff, soff);
2358                                         return -EINVAL;
2359                                 }
2360                                 *poff = soff;
2361                         }
2362                 }
2363                 save_register_state(state, spi, reg);
2364         } else {
2365                 u8 type = STACK_MISC;
2366
2367                 /* regular write of data into stack destroys any spilled ptr */
2368                 state->stack[spi].spilled_ptr.type = NOT_INIT;
2369                 /* Mark slots as STACK_MISC if they belonged to spilled ptr. */
2370                 if (state->stack[spi].slot_type[0] == STACK_SPILL)
2371                         for (i = 0; i < BPF_REG_SIZE; i++)
2372                                 state->stack[spi].slot_type[i] = STACK_MISC;
2373
2374                 /* only mark the slot as written if all 8 bytes were written
2375                  * otherwise read propagation may incorrectly stop too soon
2376                  * when stack slots are partially written.
2377                  * This heuristic means that read propagation will be
2378                  * conservative, since it will add reg_live_read marks
2379                  * to stack slots all the way to first state when programs
2380                  * writes+reads less than 8 bytes
2381                  */
2382                 if (size == BPF_REG_SIZE)
2383                         state->stack[spi].spilled_ptr.live |= REG_LIVE_WRITTEN;
2384
2385                 /* when we zero initialize stack slots mark them as such */
2386                 if (reg && register_is_null(reg)) {
2387                         /* backtracking doesn't work for STACK_ZERO yet. */
2388                         err = mark_chain_precision(env, value_regno);
2389                         if (err)
2390                                 return err;
2391                         type = STACK_ZERO;
2392                 }
2393
2394                 /* Mark slots affected by this stack write. */
2395                 for (i = 0; i < size; i++)
2396                         state->stack[spi].slot_type[(slot - i) % BPF_REG_SIZE] =
2397                                 type;
2398         }
2399         return 0;
2400 }
2401
2402 static int check_stack_read(struct bpf_verifier_env *env,
2403                             struct bpf_func_state *reg_state /* func where register points to */,
2404                             int off, int size, int value_regno)
2405 {
2406         struct bpf_verifier_state *vstate = env->cur_state;
2407         struct bpf_func_state *state = vstate->frame[vstate->curframe];
2408         int i, slot = -off - 1, spi = slot / BPF_REG_SIZE;
2409         struct bpf_reg_state *reg;
2410         u8 *stype;
2411
2412         if (reg_state->allocated_stack <= slot) {
2413                 verbose(env, "invalid read from stack off %d+0 size %d\n",
2414                         off, size);
2415                 return -EACCES;
2416         }
2417         stype = reg_state->stack[spi].slot_type;
2418         reg = &reg_state->stack[spi].spilled_ptr;
2419
2420         if (stype[0] == STACK_SPILL) {
2421                 if (size != BPF_REG_SIZE) {
2422                         if (reg->type != SCALAR_VALUE) {
2423                                 verbose_linfo(env, env->insn_idx, "; ");
2424                                 verbose(env, "invalid size of register fill\n");
2425                                 return -EACCES;
2426                         }
2427                         if (value_regno >= 0) {
2428                                 mark_reg_unknown(env, state->regs, value_regno);
2429                                 state->regs[value_regno].live |= REG_LIVE_WRITTEN;
2430                         }
2431                         mark_reg_read(env, reg, reg->parent, REG_LIVE_READ64);
2432                         return 0;
2433                 }
2434                 for (i = 1; i < BPF_REG_SIZE; i++) {
2435                         if (stype[(slot - i) % BPF_REG_SIZE] != STACK_SPILL) {
2436                                 verbose(env, "corrupted spill memory\n");
2437                                 return -EACCES;
2438                         }
2439                 }
2440
2441                 if (value_regno >= 0) {
2442                         /* restore register state from stack */
2443                         state->regs[value_regno] = *reg;
2444                         /* mark reg as written since spilled pointer state likely
2445                          * has its liveness marks cleared by is_state_visited()
2446                          * which resets stack/reg liveness for state transitions
2447                          */
2448                         state->regs[value_regno].live |= REG_LIVE_WRITTEN;
2449                 } else if (__is_pointer_value(env->allow_ptr_leaks, reg)) {
2450                         /* If value_regno==-1, the caller is asking us whether
2451                          * it is acceptable to use this value as a SCALAR_VALUE
2452                          * (e.g. for XADD).
2453                          * We must not allow unprivileged callers to do that
2454                          * with spilled pointers.
2455                          */
2456                         verbose(env, "leaking pointer from stack off %d\n",
2457                                 off);
2458                         return -EACCES;
2459                 }
2460                 mark_reg_read(env, reg, reg->parent, REG_LIVE_READ64);
2461         } else {
2462                 int zeros = 0;
2463
2464                 for (i = 0; i < size; i++) {
2465                         if (stype[(slot - i) % BPF_REG_SIZE] == STACK_MISC)
2466                                 continue;
2467                         if (stype[(slot - i) % BPF_REG_SIZE] == STACK_ZERO) {
2468                                 zeros++;
2469                                 continue;
2470                         }
2471                         verbose(env, "invalid read from stack off %d+%d size %d\n",
2472                                 off, i, size);
2473                         return -EACCES;
2474                 }
2475                 mark_reg_read(env, reg, reg->parent, REG_LIVE_READ64);
2476                 if (value_regno >= 0) {
2477                         if (zeros == size) {
2478                                 /* any size read into register is zero extended,
2479                                  * so the whole register == const_zero
2480                                  */
2481                                 __mark_reg_const_zero(&state->regs[value_regno]);
2482                                 /* backtracking doesn't support STACK_ZERO yet,
2483                                  * so mark it precise here, so that later
2484                                  * backtracking can stop here.
2485                                  * Backtracking may not need this if this register
2486                                  * doesn't participate in pointer adjustment.
2487                                  * Forward propagation of precise flag is not
2488                                  * necessary either. This mark is only to stop
2489                                  * backtracking. Any register that contributed
2490                                  * to const 0 was marked precise before spill.
2491                                  */
2492                                 state->regs[value_regno].precise = true;
2493                         } else {
2494                                 /* have read misc data from the stack */
2495                                 mark_reg_unknown(env, state->regs, value_regno);
2496                         }
2497                         state->regs[value_regno].live |= REG_LIVE_WRITTEN;
2498                 }
2499         }
2500         return 0;
2501 }
2502
2503 static int check_stack_access(struct bpf_verifier_env *env,
2504                               const struct bpf_reg_state *reg,
2505                               int off, int size)
2506 {
2507         /* Stack accesses must be at a fixed offset, so that we
2508          * can determine what type of data were returned. See
2509          * check_stack_read().
2510          */
2511         if (!tnum_is_const(reg->var_off)) {
2512                 char tn_buf[48];
2513
2514                 tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
2515                 verbose(env, "variable stack access var_off=%s off=%d size=%d\n",
2516                         tn_buf, off, size);
2517                 return -EACCES;
2518         }
2519
2520         if (off >= 0 || off < -MAX_BPF_STACK) {
2521                 verbose(env, "invalid stack off=%d size=%d\n", off, size);
2522                 return -EACCES;
2523         }
2524
2525         return 0;
2526 }
2527
2528 static int check_map_access_type(struct bpf_verifier_env *env, u32 regno,
2529                                  int off, int size, enum bpf_access_type type)
2530 {
2531         struct bpf_reg_state *regs = cur_regs(env);
2532         struct bpf_map *map = regs[regno].map_ptr;
2533         u32 cap = bpf_map_flags_to_cap(map);
2534
2535         if (type == BPF_WRITE && !(cap & BPF_MAP_CAN_WRITE)) {
2536                 verbose(env, "write into map forbidden, value_size=%d off=%d size=%d\n",
2537                         map->value_size, off, size);
2538                 return -EACCES;
2539         }
2540
2541         if (type == BPF_READ && !(cap & BPF_MAP_CAN_READ)) {
2542                 verbose(env, "read from map forbidden, value_size=%d off=%d size=%d\n",
2543                         map->value_size, off, size);
2544                 return -EACCES;
2545         }
2546
2547         return 0;
2548 }
2549
2550 /* check read/write into memory region (e.g., map value, ringbuf sample, etc) */
2551 static int __check_mem_access(struct bpf_verifier_env *env, int regno,
2552                               int off, int size, u32 mem_size,
2553                               bool zero_size_allowed)
2554 {
2555         bool size_ok = size > 0 || (size == 0 && zero_size_allowed);
2556         struct bpf_reg_state *reg;
2557
2558         if (off >= 0 && size_ok && (u64)off + size <= mem_size)
2559                 return 0;
2560
2561         reg = &cur_regs(env)[regno];
2562         switch (reg->type) {
2563         case PTR_TO_MAP_VALUE:
2564                 verbose(env, "invalid access to map value, value_size=%d off=%d size=%d\n",
2565                         mem_size, off, size);
2566                 break;
2567         case PTR_TO_PACKET:
2568         case PTR_TO_PACKET_META:
2569         case PTR_TO_PACKET_END:
2570                 verbose(env, "invalid access to packet, off=%d size=%d, R%d(id=%d,off=%d,r=%d)\n",
2571                         off, size, regno, reg->id, off, mem_size);
2572                 break;
2573         case PTR_TO_MEM:
2574         default:
2575                 verbose(env, "invalid access to memory, mem_size=%u off=%d size=%d\n",
2576                         mem_size, off, size);
2577         }
2578
2579         return -EACCES;
2580 }
2581
2582 /* check read/write into a memory region with possible variable offset */
2583 static int check_mem_region_access(struct bpf_verifier_env *env, u32 regno,
2584                                    int off, int size, u32 mem_size,
2585                                    bool zero_size_allowed)
2586 {
2587         struct bpf_verifier_state *vstate = env->cur_state;
2588         struct bpf_func_state *state = vstate->frame[vstate->curframe];
2589         struct bpf_reg_state *reg = &state->regs[regno];
2590         int err;
2591
2592         /* We may have adjusted the register pointing to memory region, so we
2593          * need to try adding each of min_value and max_value to off
2594          * to make sure our theoretical access will be safe.
2595          */
2596         if (env->log.level & BPF_LOG_LEVEL)
2597                 print_verifier_state(env, state);
2598
2599         /* The minimum value is only important with signed
2600          * comparisons where we can't assume the floor of a
2601          * value is 0.  If we are using signed variables for our
2602          * index'es we need to make sure that whatever we use
2603          * will have a set floor within our range.
2604          */
2605         if (reg->smin_value < 0 &&
2606             (reg->smin_value == S64_MIN ||
2607              (off + reg->smin_value != (s64)(s32)(off + reg->smin_value)) ||
2608               reg->smin_value + off < 0)) {
2609                 verbose(env, "R%d min value is negative, either use unsigned index or do a if (index >=0) check.\n",
2610                         regno);
2611                 return -EACCES;
2612         }
2613         err = __check_mem_access(env, regno, reg->smin_value + off, size,
2614                                  mem_size, zero_size_allowed);
2615         if (err) {
2616                 verbose(env, "R%d min value is outside of the allowed memory range\n",
2617                         regno);
2618                 return err;
2619         }
2620
2621         /* If we haven't set a max value then we need to bail since we can't be
2622          * sure we won't do bad things.
2623          * If reg->umax_value + off could overflow, treat that as unbounded too.
2624          */
2625         if (reg->umax_value >= BPF_MAX_VAR_OFF) {
2626                 verbose(env, "R%d unbounded memory access, make sure to bounds check any such access\n",
2627                         regno);
2628                 return -EACCES;
2629         }
2630         err = __check_mem_access(env, regno, reg->umax_value + off, size,
2631                                  mem_size, zero_size_allowed);
2632         if (err) {
2633                 verbose(env, "R%d max value is outside of the allowed memory range\n",
2634                         regno);
2635                 return err;
2636         }
2637
2638         return 0;
2639 }
2640
2641 /* check read/write into a map element with possible variable offset */
2642 static int check_map_access(struct bpf_verifier_env *env, u32 regno,
2643                             int off, int size, bool zero_size_allowed)
2644 {
2645         struct bpf_verifier_state *vstate = env->cur_state;
2646         struct bpf_func_state *state = vstate->frame[vstate->curframe];
2647         struct bpf_reg_state *reg = &state->regs[regno];
2648         struct bpf_map *map = reg->map_ptr;
2649         int err;
2650
2651         err = check_mem_region_access(env, regno, off, size, map->value_size,
2652                                       zero_size_allowed);
2653         if (err)
2654                 return err;
2655
2656         if (map_value_has_spin_lock(map)) {
2657                 u32 lock = map->spin_lock_off;
2658
2659                 /* if any part of struct bpf_spin_lock can be touched by
2660                  * load/store reject this program.
2661                  * To check that [x1, x2) overlaps with [y1, y2)
2662                  * it is sufficient to check x1 < y2 && y1 < x2.
2663                  */
2664                 if (reg->smin_value + off < lock + sizeof(struct bpf_spin_lock) &&
2665                      lock < reg->umax_value + off + size) {
2666                         verbose(env, "bpf_spin_lock cannot be accessed directly by load/store\n");
2667                         return -EACCES;
2668                 }
2669         }
2670         return err;
2671 }
2672
2673 #define MAX_PACKET_OFF 0xffff
2674
2675 static enum bpf_prog_type resolve_prog_type(struct bpf_prog *prog)
2676 {
2677         return prog->aux->dst_prog ? prog->aux->dst_prog->type : prog->type;
2678 }
2679
2680 static bool may_access_direct_pkt_data(struct bpf_verifier_env *env,
2681                                        const struct bpf_call_arg_meta *meta,
2682                                        enum bpf_access_type t)
2683 {
2684         enum bpf_prog_type prog_type = resolve_prog_type(env->prog);
2685
2686         switch (prog_type) {
2687         /* Program types only with direct read access go here! */
2688         case BPF_PROG_TYPE_LWT_IN:
2689         case BPF_PROG_TYPE_LWT_OUT:
2690         case BPF_PROG_TYPE_LWT_SEG6LOCAL:
2691         case BPF_PROG_TYPE_SK_REUSEPORT:
2692         case BPF_PROG_TYPE_FLOW_DISSECTOR:
2693         case BPF_PROG_TYPE_CGROUP_SKB:
2694                 if (t == BPF_WRITE)
2695                         return false;
2696                 fallthrough;
2697
2698         /* Program types with direct read + write access go here! */
2699         case BPF_PROG_TYPE_SCHED_CLS:
2700         case BPF_PROG_TYPE_SCHED_ACT:
2701         case BPF_PROG_TYPE_XDP:
2702         case BPF_PROG_TYPE_LWT_XMIT:
2703         case BPF_PROG_TYPE_SK_SKB:
2704         case BPF_PROG_TYPE_SK_MSG:
2705                 if (meta)
2706                         return meta->pkt_access;
2707
2708                 env->seen_direct_write = true;
2709                 return true;
2710
2711         case BPF_PROG_TYPE_CGROUP_SOCKOPT:
2712                 if (t == BPF_WRITE)
2713                         env->seen_direct_write = true;
2714
2715                 return true;
2716
2717         default:
2718                 return false;
2719         }
2720 }
2721
2722 static int check_packet_access(struct bpf_verifier_env *env, u32 regno, int off,
2723                                int size, bool zero_size_allowed)
2724 {
2725         struct bpf_reg_state *regs = cur_regs(env);
2726         struct bpf_reg_state *reg = &regs[regno];
2727         int err;
2728
2729         /* We may have added a variable offset to the packet pointer; but any
2730          * reg->range we have comes after that.  We are only checking the fixed
2731          * offset.
2732          */
2733
2734         /* We don't allow negative numbers, because we aren't tracking enough
2735          * detail to prove they're safe.
2736          */
2737         if (reg->smin_value < 0) {
2738                 verbose(env, "R%d min value is negative, either use unsigned index or do a if (index >=0) check.\n",
2739                         regno);
2740                 return -EACCES;
2741         }
2742         err = __check_mem_access(env, regno, off, size, reg->range,
2743                                  zero_size_allowed);
2744         if (err) {
2745                 verbose(env, "R%d offset is outside of the packet\n", regno);
2746                 return err;
2747         }
2748
2749         /* __check_mem_access has made sure "off + size - 1" is within u16.
2750          * reg->umax_value can't be bigger than MAX_PACKET_OFF which is 0xffff,
2751          * otherwise find_good_pkt_pointers would have refused to set range info
2752          * that __check_mem_access would have rejected this pkt access.
2753          * Therefore, "off + reg->umax_value + size - 1" won't overflow u32.
2754          */
2755         env->prog->aux->max_pkt_offset =
2756                 max_t(u32, env->prog->aux->max_pkt_offset,
2757                       off + reg->umax_value + size - 1);
2758
2759         return err;
2760 }
2761
2762 /* check access to 'struct bpf_context' fields.  Supports fixed offsets only */
2763 static int check_ctx_access(struct bpf_verifier_env *env, int insn_idx, int off, int size,
2764                             enum bpf_access_type t, enum bpf_reg_type *reg_type,
2765                             u32 *btf_id)
2766 {
2767         struct bpf_insn_access_aux info = {
2768                 .reg_type = *reg_type,
2769                 .log = &env->log,
2770         };
2771
2772         if (env->ops->is_valid_access &&
2773             env->ops->is_valid_access(off, size, t, env->prog, &info)) {
2774                 /* A non zero info.ctx_field_size indicates that this field is a
2775                  * candidate for later verifier transformation to load the whole
2776                  * field and then apply a mask when accessed with a narrower
2777                  * access than actual ctx access size. A zero info.ctx_field_size
2778                  * will only allow for whole field access and rejects any other
2779                  * type of narrower access.
2780                  */
2781                 *reg_type = info.reg_type;
2782
2783                 if (*reg_type == PTR_TO_BTF_ID || *reg_type == PTR_TO_BTF_ID_OR_NULL)
2784                         *btf_id = info.btf_id;
2785                 else
2786                         env->insn_aux_data[insn_idx].ctx_field_size = info.ctx_field_size;
2787                 /* remember the offset of last byte accessed in ctx */
2788                 if (env->prog->aux->max_ctx_offset < off + size)
2789                         env->prog->aux->max_ctx_offset = off + size;
2790                 return 0;
2791         }
2792
2793         verbose(env, "invalid bpf_context access off=%d size=%d\n", off, size);
2794         return -EACCES;
2795 }
2796
2797 static int check_flow_keys_access(struct bpf_verifier_env *env, int off,
2798                                   int size)
2799 {
2800         if (size < 0 || off < 0 ||
2801             (u64)off + size > sizeof(struct bpf_flow_keys)) {
2802                 verbose(env, "invalid access to flow keys off=%d size=%d\n",
2803                         off, size);
2804                 return -EACCES;
2805         }
2806         return 0;
2807 }
2808
2809 static int check_sock_access(struct bpf_verifier_env *env, int insn_idx,
2810                              u32 regno, int off, int size,
2811                              enum bpf_access_type t)
2812 {
2813         struct bpf_reg_state *regs = cur_regs(env);
2814         struct bpf_reg_state *reg = &regs[regno];
2815         struct bpf_insn_access_aux info = {};
2816         bool valid;
2817
2818         if (reg->smin_value < 0) {
2819                 verbose(env, "R%d min value is negative, either use unsigned index or do a if (index >=0) check.\n",
2820                         regno);
2821                 return -EACCES;
2822         }
2823
2824         switch (reg->type) {
2825         case PTR_TO_SOCK_COMMON:
2826                 valid = bpf_sock_common_is_valid_access(off, size, t, &info);
2827                 break;
2828         case PTR_TO_SOCKET:
2829                 valid = bpf_sock_is_valid_access(off, size, t, &info);
2830                 break;
2831         case PTR_TO_TCP_SOCK:
2832                 valid = bpf_tcp_sock_is_valid_access(off, size, t, &info);
2833                 break;
2834         case PTR_TO_XDP_SOCK:
2835                 valid = bpf_xdp_sock_is_valid_access(off, size, t, &info);
2836                 break;
2837         default:
2838                 valid = false;
2839         }
2840
2841
2842         if (valid) {
2843                 env->insn_aux_data[insn_idx].ctx_field_size =
2844                         info.ctx_field_size;
2845                 return 0;
2846         }
2847
2848         verbose(env, "R%d invalid %s access off=%d size=%d\n",
2849                 regno, reg_type_str[reg->type], off, size);
2850
2851         return -EACCES;
2852 }
2853
2854 static struct bpf_reg_state *reg_state(struct bpf_verifier_env *env, int regno)
2855 {
2856         return cur_regs(env) + regno;
2857 }
2858
2859 static bool is_pointer_value(struct bpf_verifier_env *env, int regno)
2860 {
2861         return __is_pointer_value(env->allow_ptr_leaks, reg_state(env, regno));
2862 }
2863
2864 static bool is_ctx_reg(struct bpf_verifier_env *env, int regno)
2865 {
2866         const struct bpf_reg_state *reg = reg_state(env, regno);
2867
2868         return reg->type == PTR_TO_CTX;
2869 }
2870
2871 static bool is_sk_reg(struct bpf_verifier_env *env, int regno)
2872 {
2873         const struct bpf_reg_state *reg = reg_state(env, regno);
2874
2875         return type_is_sk_pointer(reg->type);
2876 }
2877
2878 static bool is_pkt_reg(struct bpf_verifier_env *env, int regno)
2879 {
2880         const struct bpf_reg_state *reg = reg_state(env, regno);
2881
2882         return type_is_pkt_pointer(reg->type);
2883 }
2884
2885 static bool is_flow_key_reg(struct bpf_verifier_env *env, int regno)
2886 {
2887         const struct bpf_reg_state *reg = reg_state(env, regno);
2888
2889         /* Separate to is_ctx_reg() since we still want to allow BPF_ST here. */
2890         return reg->type == PTR_TO_FLOW_KEYS;
2891 }
2892
2893 static int check_pkt_ptr_alignment(struct bpf_verifier_env *env,
2894                                    const struct bpf_reg_state *reg,
2895                                    int off, int size, bool strict)
2896 {
2897         struct tnum reg_off;
2898         int ip_align;
2899
2900         /* Byte size accesses are always allowed. */
2901         if (!strict || size == 1)
2902                 return 0;
2903
2904         /* For platforms that do not have a Kconfig enabling
2905          * CONFIG_HAVE_EFFICIENT_UNALIGNED_ACCESS the value of
2906          * NET_IP_ALIGN is universally set to '2'.  And on platforms
2907          * that do set CONFIG_HAVE_EFFICIENT_UNALIGNED_ACCESS, we get
2908          * to this code only in strict mode where we want to emulate
2909          * the NET_IP_ALIGN==2 checking.  Therefore use an
2910          * unconditional IP align value of '2'.
2911          */
2912         ip_align = 2;
2913
2914         reg_off = tnum_add(reg->var_off, tnum_const(ip_align + reg->off + off));
2915         if (!tnum_is_aligned(reg_off, size)) {
2916                 char tn_buf[48];
2917
2918                 tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
2919                 verbose(env,
2920                         "misaligned packet access off %d+%s+%d+%d size %d\n",
2921                         ip_align, tn_buf, reg->off, off, size);
2922                 return -EACCES;
2923         }
2924
2925         return 0;
2926 }
2927
2928 static int check_generic_ptr_alignment(struct bpf_verifier_env *env,
2929                                        const struct bpf_reg_state *reg,
2930                                        const char *pointer_desc,
2931                                        int off, int size, bool strict)
2932 {
2933         struct tnum reg_off;
2934
2935         /* Byte size accesses are always allowed. */
2936         if (!strict || size == 1)
2937                 return 0;
2938
2939         reg_off = tnum_add(reg->var_off, tnum_const(reg->off + off));
2940         if (!tnum_is_aligned(reg_off, size)) {
2941                 char tn_buf[48];
2942
2943                 tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
2944                 verbose(env, "misaligned %saccess off %s+%d+%d size %d\n",
2945                         pointer_desc, tn_buf, reg->off, off, size);
2946                 return -EACCES;
2947         }
2948
2949         return 0;
2950 }
2951
2952 static int check_ptr_alignment(struct bpf_verifier_env *env,
2953                                const struct bpf_reg_state *reg, int off,
2954                                int size, bool strict_alignment_once)
2955 {
2956         bool strict = env->strict_alignment || strict_alignment_once;
2957         const char *pointer_desc = "";
2958
2959         switch (reg->type) {
2960         case PTR_TO_PACKET:
2961         case PTR_TO_PACKET_META:
2962                 /* Special case, because of NET_IP_ALIGN. Given metadata sits
2963                  * right in front, treat it the very same way.
2964                  */
2965                 return check_pkt_ptr_alignment(env, reg, off, size, strict);
2966         case PTR_TO_FLOW_KEYS:
2967                 pointer_desc = "flow keys ";
2968                 break;
2969         case PTR_TO_MAP_VALUE:
2970                 pointer_desc = "value ";
2971                 break;
2972         case PTR_TO_CTX:
2973                 pointer_desc = "context ";
2974                 break;
2975         case PTR_TO_STACK:
2976                 pointer_desc = "stack ";
2977                 /* The stack spill tracking logic in check_stack_write()
2978                  * and check_stack_read() relies on stack accesses being
2979                  * aligned.
2980                  */
2981                 strict = true;
2982                 break;
2983         case PTR_TO_SOCKET:
2984                 pointer_desc = "sock ";
2985                 break;
2986         case PTR_TO_SOCK_COMMON:
2987                 pointer_desc = "sock_common ";
2988                 break;
2989         case PTR_TO_TCP_SOCK:
2990                 pointer_desc = "tcp_sock ";
2991                 break;
2992         case PTR_TO_XDP_SOCK:
2993                 pointer_desc = "xdp_sock ";
2994                 break;
2995         default:
2996                 break;
2997         }
2998         return check_generic_ptr_alignment(env, reg, pointer_desc, off, size,
2999                                            strict);
3000 }
3001
3002 static int update_stack_depth(struct bpf_verifier_env *env,
3003                               const struct bpf_func_state *func,
3004                               int off)
3005 {
3006         u16 stack = env->subprog_info[func->subprogno].stack_depth;
3007
3008         if (stack >= -off)
3009                 return 0;
3010
3011         /* update known max for given subprogram */
3012         env->subprog_info[func->subprogno].stack_depth = -off;
3013         return 0;
3014 }
3015
3016 /* starting from main bpf function walk all instructions of the function
3017  * and recursively walk all callees that given function can call.
3018  * Ignore jump and exit insns.
3019  * Since recursion is prevented by check_cfg() this algorithm
3020  * only needs a local stack of MAX_CALL_FRAMES to remember callsites
3021  */
3022 static int check_max_stack_depth(struct bpf_verifier_env *env)
3023 {
3024         int depth = 0, frame = 0, idx = 0, i = 0, subprog_end;
3025         struct bpf_subprog_info *subprog = env->subprog_info;
3026         struct bpf_insn *insn = env->prog->insnsi;
3027         bool tail_call_reachable = false;
3028         int ret_insn[MAX_CALL_FRAMES];
3029         int ret_prog[MAX_CALL_FRAMES];
3030         int j;
3031
3032 process_func:
3033         /* protect against potential stack overflow that might happen when
3034          * bpf2bpf calls get combined with tailcalls. Limit the caller's stack
3035          * depth for such case down to 256 so that the worst case scenario
3036          * would result in 8k stack size (32 which is tailcall limit * 256 =
3037          * 8k).
3038          *
3039          * To get the idea what might happen, see an example:
3040          * func1 -> sub rsp, 128
3041          *  subfunc1 -> sub rsp, 256
3042          *  tailcall1 -> add rsp, 256
3043          *   func2 -> sub rsp, 192 (total stack size = 128 + 192 = 320)
3044          *   subfunc2 -> sub rsp, 64
3045          *   subfunc22 -> sub rsp, 128
3046          *   tailcall2 -> add rsp, 128
3047          *    func3 -> sub rsp, 32 (total stack size 128 + 192 + 64 + 32 = 416)
3048          *
3049          * tailcall will unwind the current stack frame but it will not get rid
3050          * of caller's stack as shown on the example above.
3051          */
3052         if (idx && subprog[idx].has_tail_call && depth >= 256) {
3053                 verbose(env,
3054                         "tail_calls are not allowed when call stack of previous frames is %d bytes. Too large\n",
3055                         depth);
3056                 return -EACCES;
3057         }
3058         /* round up to 32-bytes, since this is granularity
3059          * of interpreter stack size
3060          */
3061         depth += round_up(max_t(u32, subprog[idx].stack_depth, 1), 32);
3062         if (depth > MAX_BPF_STACK) {
3063                 verbose(env, "combined stack size of %d calls is %d. Too large\n",
3064                         frame + 1, depth);
3065                 return -EACCES;
3066         }
3067 continue_func:
3068         subprog_end = subprog[idx + 1].start;
3069         for (; i < subprog_end; i++) {
3070                 if (insn[i].code != (BPF_JMP | BPF_CALL))
3071                         continue;
3072                 if (insn[i].src_reg != BPF_PSEUDO_CALL)
3073                         continue;
3074                 /* remember insn and function to return to */
3075                 ret_insn[frame] = i + 1;
3076                 ret_prog[frame] = idx;
3077
3078                 /* find the callee */
3079                 i = i + insn[i].imm + 1;
3080                 idx = find_subprog(env, i);
3081                 if (idx < 0) {
3082                         WARN_ONCE(1, "verifier bug. No program starts at insn %d\n",
3083                                   i);
3084                         return -EFAULT;
3085                 }
3086
3087                 if (subprog[idx].has_tail_call)
3088                         tail_call_reachable = true;
3089
3090                 frame++;
3091                 if (frame >= MAX_CALL_FRAMES) {
3092                         verbose(env, "the call stack of %d frames is too deep !\n",
3093                                 frame);
3094                         return -E2BIG;
3095                 }
3096                 goto process_func;
3097         }
3098         /* if tail call got detected across bpf2bpf calls then mark each of the
3099          * currently present subprog frames as tail call reachable subprogs;
3100          * this info will be utilized by JIT so that we will be preserving the
3101          * tail call counter throughout bpf2bpf calls combined with tailcalls
3102          */
3103         if (tail_call_reachable)
3104                 for (j = 0; j < frame; j++)
3105                         subprog[ret_prog[j]].tail_call_reachable = true;
3106
3107         /* end of for() loop means the last insn of the 'subprog'
3108          * was reached. Doesn't matter whether it was JA or EXIT
3109          */
3110         if (frame == 0)
3111                 return 0;
3112         depth -= round_up(max_t(u32, subprog[idx].stack_depth, 1), 32);
3113         frame--;
3114         i = ret_insn[frame];
3115         idx = ret_prog[frame];
3116         goto continue_func;
3117 }
3118
3119 #ifndef CONFIG_BPF_JIT_ALWAYS_ON
3120 static int get_callee_stack_depth(struct bpf_verifier_env *env,
3121                                   const struct bpf_insn *insn, int idx)
3122 {
3123         int start = idx + insn->imm + 1, subprog;
3124
3125         subprog = find_subprog(env, start);
3126         if (subprog < 0) {
3127                 WARN_ONCE(1, "verifier bug. No program starts at insn %d\n",
3128                           start);
3129                 return -EFAULT;
3130         }
3131         return env->subprog_info[subprog].stack_depth;
3132 }
3133 #endif
3134
3135 int check_ctx_reg(struct bpf_verifier_env *env,
3136                   const struct bpf_reg_state *reg, int regno)
3137 {
3138         /* Access to ctx or passing it to a helper is only allowed in
3139          * its original, unmodified form.
3140          */
3141
3142         if (reg->off) {
3143                 verbose(env, "dereference of modified ctx ptr R%d off=%d disallowed\n",
3144                         regno, reg->off);
3145                 return -EACCES;
3146         }
3147
3148         if (!tnum_is_const(reg->var_off) || reg->var_off.value) {
3149                 char tn_buf[48];
3150
3151                 tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
3152                 verbose(env, "variable ctx access var_off=%s disallowed\n", tn_buf);
3153                 return -EACCES;
3154         }
3155
3156         return 0;
3157 }
3158
3159 static int __check_buffer_access(struct bpf_verifier_env *env,
3160                                  const char *buf_info,
3161                                  const struct bpf_reg_state *reg,
3162                                  int regno, int off, int size)
3163 {
3164         if (off < 0) {
3165                 verbose(env,
3166                         "R%d invalid %s buffer access: off=%d, size=%d\n",
3167                         regno, buf_info, off, size);
3168                 return -EACCES;
3169         }
3170         if (!tnum_is_const(reg->var_off) || reg->var_off.value) {
3171                 char tn_buf[48];
3172
3173                 tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
3174                 verbose(env,
3175                         "R%d invalid variable buffer offset: off=%d, var_off=%s\n",
3176                         regno, off, tn_buf);
3177                 return -EACCES;
3178         }
3179
3180         return 0;
3181 }
3182
3183 static int check_tp_buffer_access(struct bpf_verifier_env *env,
3184                                   const struct bpf_reg_state *reg,
3185                                   int regno, int off, int size)
3186 {
3187         int err;
3188
3189         err = __check_buffer_access(env, "tracepoint", reg, regno, off, size);
3190         if (err)
3191                 return err;
3192
3193         if (off + size > env->prog->aux->max_tp_access)
3194                 env->prog->aux->max_tp_access = off + size;
3195
3196         return 0;
3197 }
3198
3199 static int check_buffer_access(struct bpf_verifier_env *env,
3200                                const struct bpf_reg_state *reg,
3201                                int regno, int off, int size,
3202                                bool zero_size_allowed,
3203                                const char *buf_info,
3204                                u32 *max_access)
3205 {
3206         int err;
3207
3208         err = __check_buffer_access(env, buf_info, reg, regno, off, size);
3209         if (err)
3210                 return err;
3211
3212         if (off + size > *max_access)
3213                 *max_access = off + size;
3214
3215         return 0;
3216 }
3217
3218 /* BPF architecture zero extends alu32 ops into 64-bit registesr */
3219 static void zext_32_to_64(struct bpf_reg_state *reg)
3220 {
3221         reg->var_off = tnum_subreg(reg->var_off);
3222         __reg_assign_32_into_64(reg);
3223 }
3224
3225 /* truncate register to smaller size (in bytes)
3226  * must be called with size < BPF_REG_SIZE
3227  */
3228 static void coerce_reg_to_size(struct bpf_reg_state *reg, int size)
3229 {
3230         u64 mask;
3231
3232         /* clear high bits in bit representation */
3233         reg->var_off = tnum_cast(reg->var_off, size);
3234
3235         /* fix arithmetic bounds */
3236         mask = ((u64)1 << (size * 8)) - 1;
3237         if ((reg->umin_value & ~mask) == (reg->umax_value & ~mask)) {
3238                 reg->umin_value &= mask;
3239                 reg->umax_value &= mask;
3240         } else {
3241                 reg->umin_value = 0;
3242                 reg->umax_value = mask;
3243         }
3244         reg->smin_value = reg->umin_value;
3245         reg->smax_value = reg->umax_value;
3246
3247         /* If size is smaller than 32bit register the 32bit register
3248          * values are also truncated so we push 64-bit bounds into
3249          * 32-bit bounds. Above were truncated < 32-bits already.
3250          */
3251         if (size >= 4)
3252                 return;
3253         __reg_combine_64_into_32(reg);
3254 }
3255
3256 static bool bpf_map_is_rdonly(const struct bpf_map *map)
3257 {
3258         return (map->map_flags & BPF_F_RDONLY_PROG) && map->frozen;
3259 }
3260
3261 static int bpf_map_direct_read(struct bpf_map *map, int off, int size, u64 *val)
3262 {
3263         void *ptr;
3264         u64 addr;
3265         int err;
3266
3267         err = map->ops->map_direct_value_addr(map, &addr, off);
3268         if (err)
3269                 return err;
3270         ptr = (void *)(long)addr + off;
3271
3272         switch (size) {
3273         case sizeof(u8):
3274                 *val = (u64)*(u8 *)ptr;
3275                 break;
3276         case sizeof(u16):
3277                 *val = (u64)*(u16 *)ptr;
3278                 break;
3279         case sizeof(u32):
3280                 *val = (u64)*(u32 *)ptr;
3281                 break;
3282         case sizeof(u64):
3283                 *val = *(u64 *)ptr;
3284                 break;
3285         default:
3286                 return -EINVAL;
3287         }
3288         return 0;
3289 }
3290
3291 static int check_ptr_to_btf_access(struct bpf_verifier_env *env,
3292                                    struct bpf_reg_state *regs,
3293                                    int regno, int off, int size,
3294                                    enum bpf_access_type atype,
3295                                    int value_regno)
3296 {
3297         struct bpf_reg_state *reg = regs + regno;
3298         const struct btf_type *t = btf_type_by_id(btf_vmlinux, reg->btf_id);
3299         const char *tname = btf_name_by_offset(btf_vmlinux, t->name_off);
3300         u32 btf_id;
3301         int ret;
3302
3303         if (off < 0) {
3304                 verbose(env,
3305                         "R%d is ptr_%s invalid negative access: off=%d\n",
3306                         regno, tname, off);
3307                 return -EACCES;
3308         }
3309         if (!tnum_is_const(reg->var_off) || reg->var_off.value) {
3310                 char tn_buf[48];
3311
3312                 tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
3313                 verbose(env,
3314                         "R%d is ptr_%s invalid variable offset: off=%d, var_off=%s\n",
3315                         regno, tname, off, tn_buf);
3316                 return -EACCES;
3317         }
3318
3319         if (env->ops->btf_struct_access) {
3320                 ret = env->ops->btf_struct_access(&env->log, t, off, size,
3321                                                   atype, &btf_id);
3322         } else {
3323                 if (atype != BPF_READ) {
3324                         verbose(env, "only read is supported\n");
3325                         return -EACCES;
3326                 }
3327
3328                 ret = btf_struct_access(&env->log, t, off, size, atype,
3329                                         &btf_id);
3330         }
3331
3332         if (ret < 0)
3333                 return ret;
3334
3335         if (atype == BPF_READ && value_regno >= 0)
3336                 mark_btf_ld_reg(env, regs, value_regno, ret, btf_id);
3337
3338         return 0;
3339 }
3340
3341 static int check_ptr_to_map_access(struct bpf_verifier_env *env,
3342                                    struct bpf_reg_state *regs,
3343                                    int regno, int off, int size,
3344                                    enum bpf_access_type atype,
3345                                    int value_regno)
3346 {
3347         struct bpf_reg_state *reg = regs + regno;
3348         struct bpf_map *map = reg->map_ptr;
3349         const struct btf_type *t;
3350         const char *tname;
3351         u32 btf_id;
3352         int ret;
3353
3354         if (!btf_vmlinux) {
3355                 verbose(env, "map_ptr access not supported without CONFIG_DEBUG_INFO_BTF\n");
3356                 return -ENOTSUPP;
3357         }
3358
3359         if (!map->ops->map_btf_id || !*map->ops->map_btf_id) {
3360                 verbose(env, "map_ptr access not supported for map type %d\n",
3361                         map->map_type);
3362                 return -ENOTSUPP;
3363         }
3364
3365         t = btf_type_by_id(btf_vmlinux, *map->ops->map_btf_id);
3366         tname = btf_name_by_offset(btf_vmlinux, t->name_off);
3367
3368         if (!env->allow_ptr_to_map_access) {
3369                 verbose(env,
3370                         "%s access is allowed only to CAP_PERFMON and CAP_SYS_ADMIN\n",
3371                         tname);
3372                 return -EPERM;
3373         }
3374
3375         if (off < 0) {
3376                 verbose(env, "R%d is %s invalid negative access: off=%d\n",
3377                         regno, tname, off);
3378                 return -EACCES;
3379         }
3380
3381         if (atype != BPF_READ) {
3382                 verbose(env, "only read from %s is supported\n", tname);
3383                 return -EACCES;
3384         }
3385
3386         ret = btf_struct_access(&env->log, t, off, size, atype, &btf_id);
3387         if (ret < 0)
3388                 return ret;
3389
3390         if (value_regno >= 0)
3391                 mark_btf_ld_reg(env, regs, value_regno, ret, btf_id);
3392
3393         return 0;
3394 }
3395
3396
3397 /* check whether memory at (regno + off) is accessible for t = (read | write)
3398  * if t==write, value_regno is a register which value is stored into memory
3399  * if t==read, value_regno is a register which will receive the value from memory
3400  * if t==write && value_regno==-1, some unknown value is stored into memory
3401  * if t==read && value_regno==-1, don't care what we read from memory
3402  */
3403 static int check_mem_access(struct bpf_verifier_env *env, int insn_idx, u32 regno,
3404                             int off, int bpf_size, enum bpf_access_type t,
3405                             int value_regno, bool strict_alignment_once)
3406 {
3407         struct bpf_reg_state *regs = cur_regs(env);
3408         struct bpf_reg_state *reg = regs + regno;
3409         struct bpf_func_state *state;
3410         int size, err = 0;
3411
3412         size = bpf_size_to_bytes(bpf_size);
3413         if (size < 0)
3414                 return size;
3415
3416         /* alignment checks will add in reg->off themselves */
3417         err = check_ptr_alignment(env, reg, off, size, strict_alignment_once);
3418         if (err)
3419                 return err;
3420
3421         /* for access checks, reg->off is just part of off */
3422         off += reg->off;
3423
3424         if (reg->type == PTR_TO_MAP_VALUE) {
3425                 if (t == BPF_WRITE && value_regno >= 0 &&
3426                     is_pointer_value(env, value_regno)) {
3427                         verbose(env, "R%d leaks addr into map\n", value_regno);
3428                         return -EACCES;
3429                 }
3430                 err = check_map_access_type(env, regno, off, size, t);
3431                 if (err)
3432                         return err;
3433                 err = check_map_access(env, regno, off, size, false);
3434                 if (!err && t == BPF_READ && value_regno >= 0) {
3435                         struct bpf_map *map = reg->map_ptr;
3436
3437                         /* if map is read-only, track its contents as scalars */
3438                         if (tnum_is_const(reg->var_off) &&
3439                             bpf_map_is_rdonly(map) &&
3440                             map->ops->map_direct_value_addr) {
3441                                 int map_off = off + reg->var_off.value;
3442                                 u64 val = 0;
3443
3444                                 err = bpf_map_direct_read(map, map_off, size,
3445                                                           &val);
3446                                 if (err)
3447                                         return err;
3448
3449                                 regs[value_regno].type = SCALAR_VALUE;
3450                                 __mark_reg_known(&regs[value_regno], val);
3451                         } else {
3452                                 mark_reg_unknown(env, regs, value_regno);
3453                         }
3454                 }
3455         } else if (reg->type == PTR_TO_MEM) {
3456                 if (t == BPF_WRITE && value_regno >= 0 &&
3457                     is_pointer_value(env, value_regno)) {
3458                         verbose(env, "R%d leaks addr into mem\n", value_regno);
3459                         return -EACCES;
3460                 }
3461                 err = check_mem_region_access(env, regno, off, size,
3462                                               reg->mem_size, false);
3463                 if (!err && t == BPF_READ && value_regno >= 0)
3464                         mark_reg_unknown(env, regs, value_regno);
3465         } else if (reg->type == PTR_TO_CTX) {
3466                 enum bpf_reg_type reg_type = SCALAR_VALUE;
3467                 u32 btf_id = 0;
3468
3469                 if (t == BPF_WRITE && value_regno >= 0 &&
3470                     is_pointer_value(env, value_regno)) {
3471                         verbose(env, "R%d leaks addr into ctx\n", value_regno);
3472                         return -EACCES;
3473                 }
3474
3475                 err = check_ctx_reg(env, reg, regno);
3476                 if (err < 0)
3477                         return err;
3478
3479                 err = check_ctx_access(env, insn_idx, off, size, t, &reg_type, &btf_id);
3480                 if (err)
3481                         verbose_linfo(env, insn_idx, "; ");
3482                 if (!err && t == BPF_READ && value_regno >= 0) {
3483                         /* ctx access returns either a scalar, or a
3484                          * PTR_TO_PACKET[_META,_END]. In the latter
3485                          * case, we know the offset is zero.
3486                          */
3487                         if (reg_type == SCALAR_VALUE) {
3488                                 mark_reg_unknown(env, regs, value_regno);
3489                         } else {
3490                                 mark_reg_known_zero(env, regs,
3491                                                     value_regno);
3492                                 if (reg_type_may_be_null(reg_type))
3493                                         regs[value_regno].id = ++env->id_gen;
3494                                 /* A load of ctx field could have different
3495                                  * actual load size with the one encoded in the
3496                                  * insn. When the dst is PTR, it is for sure not
3497                                  * a sub-register.
3498                                  */
3499                                 regs[value_regno].subreg_def = DEF_NOT_SUBREG;
3500                                 if (reg_type == PTR_TO_BTF_ID ||
3501                                     reg_type == PTR_TO_BTF_ID_OR_NULL)
3502                                         regs[value_regno].btf_id = btf_id;
3503                         }
3504                         regs[value_regno].type = reg_type;
3505                 }
3506
3507         } else if (reg->type == PTR_TO_STACK) {
3508                 off += reg->var_off.value;
3509                 err = check_stack_access(env, reg, off, size);
3510                 if (err)
3511                         return err;
3512
3513                 state = func(env, reg);
3514                 err = update_stack_depth(env, state, off);
3515                 if (err)
3516                         return err;
3517
3518                 if (t == BPF_WRITE)
3519                         err = check_stack_write(env, state, off, size,
3520                                                 value_regno, insn_idx);
3521                 else
3522                         err = check_stack_read(env, state, off, size,
3523                                                value_regno);
3524         } else if (reg_is_pkt_pointer(reg)) {
3525                 if (t == BPF_WRITE && !may_access_direct_pkt_data(env, NULL, t)) {
3526                         verbose(env, "cannot write into packet\n");
3527                         return -EACCES;
3528                 }
3529                 if (t == BPF_WRITE && value_regno >= 0 &&
3530                     is_pointer_value(env, value_regno)) {
3531                         verbose(env, "R%d leaks addr into packet\n",
3532                                 value_regno);
3533                         return -EACCES;
3534                 }
3535                 err = check_packet_access(env, regno, off, size, false);
3536                 if (!err && t == BPF_READ && value_regno >= 0)
3537                         mark_reg_unknown(env, regs, value_regno);
3538         } else if (reg->type == PTR_TO_FLOW_KEYS) {
3539                 if (t == BPF_WRITE && value_regno >= 0 &&
3540                     is_pointer_value(env, value_regno)) {
3541                         verbose(env, "R%d leaks addr into flow keys\n",
3542                                 value_regno);
3543                         return -EACCES;
3544                 }
3545
3546                 err = check_flow_keys_access(env, off, size);
3547                 if (!err && t == BPF_READ && value_regno >= 0)
3548                         mark_reg_unknown(env, regs, value_regno);
3549         } else if (type_is_sk_pointer(reg->type)) {
3550                 if (t == BPF_WRITE) {
3551                         verbose(env, "R%d cannot write into %s\n",
3552                                 regno, reg_type_str[reg->type]);
3553                         return -EACCES;
3554                 }
3555                 err = check_sock_access(env, insn_idx, regno, off, size, t);
3556                 if (!err && value_regno >= 0)
3557                         mark_reg_unknown(env, regs, value_regno);
3558         } else if (reg->type == PTR_TO_TP_BUFFER) {
3559                 err = check_tp_buffer_access(env, reg, regno, off, size);
3560                 if (!err && t == BPF_READ && value_regno >= 0)
3561                         mark_reg_unknown(env, regs, value_regno);
3562         } else if (reg->type == PTR_TO_BTF_ID) {
3563                 err = check_ptr_to_btf_access(env, regs, regno, off, size, t,
3564                                               value_regno);
3565         } else if (reg->type == CONST_PTR_TO_MAP) {
3566                 err = check_ptr_to_map_access(env, regs, regno, off, size, t,
3567                                               value_regno);
3568         } else if (reg->type == PTR_TO_RDONLY_BUF) {
3569                 if (t == BPF_WRITE) {
3570                         verbose(env, "R%d cannot write into %s\n",
3571                                 regno, reg_type_str[reg->type]);
3572                         return -EACCES;
3573                 }
3574                 err = check_buffer_access(env, reg, regno, off, size, false,
3575                                           "rdonly",
3576                                           &env->prog->aux->max_rdonly_access);
3577                 if (!err && value_regno >= 0)
3578                         mark_reg_unknown(env, regs, value_regno);
3579         } else if (reg->type == PTR_TO_RDWR_BUF) {
3580                 err = check_buffer_access(env, reg, regno, off, size, false,
3581                                           "rdwr",
3582                                           &env->prog->aux->max_rdwr_access);
3583                 if (!err && t == BPF_READ && value_regno >= 0)
3584                         mark_reg_unknown(env, regs, value_regno);
3585         } else {
3586                 verbose(env, "R%d invalid mem access '%s'\n", regno,
3587                         reg_type_str[reg->type]);
3588                 return -EACCES;
3589         }
3590
3591         if (!err && size < BPF_REG_SIZE && value_regno >= 0 && t == BPF_READ &&
3592             regs[value_regno].type == SCALAR_VALUE) {
3593                 /* b/h/w load zero-extends, mark upper bits as known 0 */
3594                 coerce_reg_to_size(&regs[value_regno], size);
3595         }
3596         return err;
3597 }
3598
3599 static int check_xadd(struct bpf_verifier_env *env, int insn_idx, struct bpf_insn *insn)
3600 {
3601         int err;
3602
3603         if ((BPF_SIZE(insn->code) != BPF_W && BPF_SIZE(insn->code) != BPF_DW) ||
3604             insn->imm != 0) {
3605                 verbose(env, "BPF_XADD uses reserved fields\n");
3606                 return -EINVAL;
3607         }
3608
3609         /* check src1 operand */
3610         err = check_reg_arg(env, insn->src_reg, SRC_OP);
3611         if (err)
3612                 return err;
3613
3614         /* check src2 operand */
3615         err = check_reg_arg(env, insn->dst_reg, SRC_OP);
3616         if (err)
3617                 return err;
3618
3619         if (is_pointer_value(env, insn->src_reg)) {
3620                 verbose(env, "R%d leaks addr into mem\n", insn->src_reg);
3621                 return -EACCES;
3622         }
3623
3624         if (is_ctx_reg(env, insn->dst_reg) ||
3625             is_pkt_reg(env, insn->dst_reg) ||
3626             is_flow_key_reg(env, insn->dst_reg) ||
3627             is_sk_reg(env, insn->dst_reg)) {
3628                 verbose(env, "BPF_XADD stores into R%d %s is not allowed\n",
3629                         insn->dst_reg,
3630                         reg_type_str[reg_state(env, insn->dst_reg)->type]);
3631                 return -EACCES;
3632         }
3633
3634         /* check whether atomic_add can read the memory */
3635         err = check_mem_access(env, insn_idx, insn->dst_reg, insn->off,
3636                                BPF_SIZE(insn->code), BPF_READ, -1, true);
3637         if (err)
3638                 return err;
3639
3640         /* check whether atomic_add can write into the same memory */
3641         return check_mem_access(env, insn_idx, insn->dst_reg, insn->off,
3642                                 BPF_SIZE(insn->code), BPF_WRITE, -1, true);
3643 }
3644
3645 static int __check_stack_boundary(struct bpf_verifier_env *env, u32 regno,
3646                                   int off, int access_size,
3647                                   bool zero_size_allowed)
3648 {
3649         struct bpf_reg_state *reg = reg_state(env, regno);
3650
3651         if (off >= 0 || off < -MAX_BPF_STACK || off + access_size > 0 ||
3652             access_size < 0 || (access_size == 0 && !zero_size_allowed)) {
3653                 if (tnum_is_const(reg->var_off)) {
3654                         verbose(env, "invalid stack type R%d off=%d access_size=%d\n",
3655                                 regno, off, access_size);
3656                 } else {
3657                         char tn_buf[48];
3658
3659                         tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
3660                         verbose(env, "invalid stack type R%d var_off=%s access_size=%d\n",
3661                                 regno, tn_buf, access_size);
3662                 }
3663                 return -EACCES;
3664         }
3665         return 0;
3666 }
3667
3668 /* when register 'regno' is passed into function that will read 'access_size'
3669  * bytes from that pointer, make sure that it's within stack boundary
3670  * and all elements of stack are initialized.
3671  * Unlike most pointer bounds-checking functions, this one doesn't take an
3672  * 'off' argument, so it has to add in reg->off itself.
3673  */
3674 static int check_stack_boundary(struct bpf_verifier_env *env, int regno,
3675                                 int access_size, bool zero_size_allowed,
3676                                 struct bpf_call_arg_meta *meta)
3677 {
3678         struct bpf_reg_state *reg = reg_state(env, regno);
3679         struct bpf_func_state *state = func(env, reg);
3680         int err, min_off, max_off, i, j, slot, spi;
3681
3682         if (tnum_is_const(reg->var_off)) {
3683                 min_off = max_off = reg->var_off.value + reg->off;
3684                 err = __check_stack_boundary(env, regno, min_off, access_size,
3685                                              zero_size_allowed);
3686                 if (err)
3687                         return err;
3688         } else {
3689                 /* Variable offset is prohibited for unprivileged mode for
3690                  * simplicity since it requires corresponding support in
3691                  * Spectre masking for stack ALU.
3692                  * See also retrieve_ptr_limit().
3693                  */
3694                 if (!env->bypass_spec_v1) {
3695                         char tn_buf[48];
3696
3697                         tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
3698                         verbose(env, "R%d indirect variable offset stack access prohibited for !root, var_off=%s\n",
3699                                 regno, tn_buf);
3700                         return -EACCES;
3701                 }
3702                 /* Only initialized buffer on stack is allowed to be accessed
3703                  * with variable offset. With uninitialized buffer it's hard to
3704                  * guarantee that whole memory is marked as initialized on
3705                  * helper return since specific bounds are unknown what may
3706                  * cause uninitialized stack leaking.
3707                  */
3708                 if (meta && meta->raw_mode)
3709                         meta = NULL;
3710
3711                 if (reg->smax_value >= BPF_MAX_VAR_OFF ||
3712                     reg->smax_value <= -BPF_MAX_VAR_OFF) {
3713                         verbose(env, "R%d unbounded indirect variable offset stack access\n",
3714                                 regno);
3715                         return -EACCES;
3716                 }
3717                 min_off = reg->smin_value + reg->off;
3718                 max_off = reg->smax_value + reg->off;
3719                 err = __check_stack_boundary(env, regno, min_off, access_size,
3720                                              zero_size_allowed);
3721                 if (err) {
3722                         verbose(env, "R%d min value is outside of stack bound\n",
3723                                 regno);
3724                         return err;
3725                 }
3726                 err = __check_stack_boundary(env, regno, max_off, access_size,
3727                                              zero_size_allowed);
3728                 if (err) {
3729                         verbose(env, "R%d max value is outside of stack bound\n",
3730                                 regno);
3731                         return err;
3732                 }
3733         }
3734
3735         if (meta && meta->raw_mode) {
3736                 meta->access_size = access_size;
3737                 meta->regno = regno;
3738                 return 0;
3739         }
3740
3741         for (i = min_off; i < max_off + access_size; i++) {
3742                 u8 *stype;
3743
3744                 slot = -i - 1;
3745                 spi = slot / BPF_REG_SIZE;
3746                 if (state->allocated_stack <= slot)
3747                         goto err;
3748                 stype = &state->stack[spi].slot_type[slot % BPF_REG_SIZE];
3749                 if (*stype == STACK_MISC)
3750                         goto mark;
3751                 if (*stype == STACK_ZERO) {
3752                         /* helper can write anything into the stack */
3753                         *stype = STACK_MISC;
3754                         goto mark;
3755                 }
3756
3757                 if (state->stack[spi].slot_type[0] == STACK_SPILL &&
3758                     state->stack[spi].spilled_ptr.type == PTR_TO_BTF_ID)
3759                         goto mark;
3760
3761                 if (state->stack[spi].slot_type[0] == STACK_SPILL &&
3762                     state->stack[spi].spilled_ptr.type == SCALAR_VALUE) {
3763                         __mark_reg_unknown(env, &state->stack[spi].spilled_ptr);
3764                         for (j = 0; j < BPF_REG_SIZE; j++)
3765                                 state->stack[spi].slot_type[j] = STACK_MISC;
3766                         goto mark;
3767                 }
3768
3769 err:
3770                 if (tnum_is_const(reg->var_off)) {
3771                         verbose(env, "invalid indirect read from stack off %d+%d size %d\n",
3772                                 min_off, i - min_off, access_size);
3773                 } else {
3774                         char tn_buf[48];
3775
3776                         tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
3777                         verbose(env, "invalid indirect read from stack var_off %s+%d size %d\n",
3778                                 tn_buf, i - min_off, access_size);
3779                 }
3780                 return -EACCES;
3781 mark:
3782                 /* reading any byte out of 8-byte 'spill_slot' will cause
3783                  * the whole slot to be marked as 'read'
3784                  */
3785                 mark_reg_read(env, &state->stack[spi].spilled_ptr,
3786                               state->stack[spi].spilled_ptr.parent,
3787                               REG_LIVE_READ64);
3788         }
3789         return update_stack_depth(env, state, min_off);
3790 }
3791
3792 static int check_helper_mem_access(struct bpf_verifier_env *env, int regno,
3793                                    int access_size, bool zero_size_allowed,
3794                                    struct bpf_call_arg_meta *meta)
3795 {
3796         struct bpf_reg_state *regs = cur_regs(env), *reg = &regs[regno];
3797
3798         switch (reg->type) {
3799         case PTR_TO_PACKET:
3800         case PTR_TO_PACKET_META:
3801                 return check_packet_access(env, regno, reg->off, access_size,
3802                                            zero_size_allowed);
3803         case PTR_TO_MAP_VALUE:
3804                 if (check_map_access_type(env, regno, reg->off, access_size,
3805                                           meta && meta->raw_mode ? BPF_WRITE :
3806                                           BPF_READ))
3807                         return -EACCES;
3808                 return check_map_access(env, regno, reg->off, access_size,
3809                                         zero_size_allowed);
3810         case PTR_TO_MEM:
3811                 return check_mem_region_access(env, regno, reg->off,
3812                                                access_size, reg->mem_size,
3813                                                zero_size_allowed);
3814         case PTR_TO_RDONLY_BUF:
3815                 if (meta && meta->raw_mode)
3816                         return -EACCES;
3817                 return check_buffer_access(env, reg, regno, reg->off,
3818                                            access_size, zero_size_allowed,
3819                                            "rdonly",
3820                                            &env->prog->aux->max_rdonly_access);
3821         case PTR_TO_RDWR_BUF:
3822                 return check_buffer_access(env, reg, regno, reg->off,
3823                                            access_size, zero_size_allowed,
3824                                            "rdwr",
3825                                            &env->prog->aux->max_rdwr_access);
3826         case PTR_TO_STACK:
3827                 return check_stack_boundary(env, regno, access_size,
3828                                             zero_size_allowed, meta);
3829         default: /* scalar_value or invalid ptr */
3830                 /* Allow zero-byte read from NULL, regardless of pointer type */
3831                 if (zero_size_allowed && access_size == 0 &&
3832                     register_is_null(reg))
3833                         return 0;
3834
3835                 verbose(env, "R%d type=%s expected=%s\n", regno,
3836                         reg_type_str[reg->type],
3837                         reg_type_str[PTR_TO_STACK]);
3838                 return -EACCES;
3839         }
3840 }
3841
3842 /* Implementation details:
3843  * bpf_map_lookup returns PTR_TO_MAP_VALUE_OR_NULL
3844  * Two bpf_map_lookups (even with the same key) will have different reg->id.
3845  * For traditional PTR_TO_MAP_VALUE the verifier clears reg->id after
3846  * value_or_null->value transition, since the verifier only cares about
3847  * the range of access to valid map value pointer and doesn't care about actual
3848  * address of the map element.
3849  * For maps with 'struct bpf_spin_lock' inside map value the verifier keeps
3850  * reg->id > 0 after value_or_null->value transition. By doing so
3851  * two bpf_map_lookups will be considered two different pointers that
3852  * point to different bpf_spin_locks.
3853  * The verifier allows taking only one bpf_spin_lock at a time to avoid
3854  * dead-locks.
3855  * Since only one bpf_spin_lock is allowed the checks are simpler than
3856  * reg_is_refcounted() logic. The verifier needs to remember only
3857  * one spin_lock instead of array of acquired_refs.
3858  * cur_state->active_spin_lock remembers which map value element got locked
3859  * and clears it after bpf_spin_unlock.
3860  */
3861 static int process_spin_lock(struct bpf_verifier_env *env, int regno,
3862                              bool is_lock)
3863 {
3864         struct bpf_reg_state *regs = cur_regs(env), *reg = &regs[regno];
3865         struct bpf_verifier_state *cur = env->cur_state;
3866         bool is_const = tnum_is_const(reg->var_off);
3867         struct bpf_map *map = reg->map_ptr;
3868         u64 val = reg->var_off.value;
3869
3870         if (!is_const) {
3871                 verbose(env,
3872                         "R%d doesn't have constant offset. bpf_spin_lock has to be at the constant offset\n",
3873                         regno);
3874                 return -EINVAL;
3875         }
3876         if (!map->btf) {
3877                 verbose(env,
3878                         "map '%s' has to have BTF in order to use bpf_spin_lock\n",
3879                         map->name);
3880                 return -EINVAL;
3881         }
3882         if (!map_value_has_spin_lock(map)) {
3883                 if (map->spin_lock_off == -E2BIG)
3884                         verbose(env,
3885                                 "map '%s' has more than one 'struct bpf_spin_lock'\n",
3886                                 map->name);
3887                 else if (map->spin_lock_off == -ENOENT)
3888                         verbose(env,
3889                                 "map '%s' doesn't have 'struct bpf_spin_lock'\n",
3890                                 map->name);
3891                 else
3892                         verbose(env,
3893                                 "map '%s' is not a struct type or bpf_spin_lock is mangled\n",
3894                                 map->name);
3895                 return -EINVAL;
3896         }
3897         if (map->spin_lock_off != val + reg->off) {
3898                 verbose(env, "off %lld doesn't point to 'struct bpf_spin_lock'\n",
3899                         val + reg->off);
3900                 return -EINVAL;
3901         }
3902         if (is_lock) {
3903                 if (cur->active_spin_lock) {
3904                         verbose(env,
3905                                 "Locking two bpf_spin_locks are not allowed\n");
3906                         return -EINVAL;
3907                 }
3908                 cur->active_spin_lock = reg->id;
3909         } else {
3910                 if (!cur->active_spin_lock) {
3911                         verbose(env, "bpf_spin_unlock without taking a lock\n");
3912                         return -EINVAL;
3913                 }
3914                 if (cur->active_spin_lock != reg->id) {
3915                         verbose(env, "bpf_spin_unlock of different lock\n");
3916                         return -EINVAL;
3917                 }
3918                 cur->active_spin_lock = 0;
3919         }
3920         return 0;
3921 }
3922
3923 static bool arg_type_is_mem_ptr(enum bpf_arg_type type)
3924 {
3925         return type == ARG_PTR_TO_MEM ||
3926                type == ARG_PTR_TO_MEM_OR_NULL ||
3927                type == ARG_PTR_TO_UNINIT_MEM;
3928 }
3929
3930 static bool arg_type_is_mem_size(enum bpf_arg_type type)
3931 {
3932         return type == ARG_CONST_SIZE ||
3933                type == ARG_CONST_SIZE_OR_ZERO;
3934 }
3935
3936 static bool arg_type_is_alloc_size(enum bpf_arg_type type)
3937 {
3938         return type == ARG_CONST_ALLOC_SIZE_OR_ZERO;
3939 }
3940
3941 static bool arg_type_is_int_ptr(enum bpf_arg_type type)
3942 {
3943         return type == ARG_PTR_TO_INT ||
3944                type == ARG_PTR_TO_LONG;
3945 }
3946
3947 static int int_ptr_type_to_size(enum bpf_arg_type type)
3948 {
3949         if (type == ARG_PTR_TO_INT)
3950                 return sizeof(u32);
3951         else if (type == ARG_PTR_TO_LONG)
3952                 return sizeof(u64);
3953
3954         return -EINVAL;
3955 }
3956
3957 static int resolve_map_arg_type(struct bpf_verifier_env *env,
3958                                  const struct bpf_call_arg_meta *meta,
3959                                  enum bpf_arg_type *arg_type)
3960 {
3961         if (!meta->map_ptr) {
3962                 /* kernel subsystem misconfigured verifier */
3963                 verbose(env, "invalid map_ptr to access map->type\n");
3964                 return -EACCES;
3965         }
3966
3967         switch (meta->map_ptr->map_type) {
3968         case BPF_MAP_TYPE_SOCKMAP:
3969         case BPF_MAP_TYPE_SOCKHASH:
3970                 if (*arg_type == ARG_PTR_TO_MAP_VALUE) {
3971                         *arg_type = ARG_PTR_TO_BTF_ID_SOCK_COMMON;
3972                 } else {
3973                         verbose(env, "invalid arg_type for sockmap/sockhash\n");
3974                         return -EINVAL;
3975                 }
3976                 break;
3977
3978         default:
3979                 break;
3980         }
3981         return 0;
3982 }
3983
3984 struct bpf_reg_types {
3985         const enum bpf_reg_type types[10];
3986         u32 *btf_id;
3987 };
3988
3989 static const struct bpf_reg_types map_key_value_types = {
3990         .types = {
3991                 PTR_TO_STACK,
3992                 PTR_TO_PACKET,
3993                 PTR_TO_PACKET_META,
3994                 PTR_TO_MAP_VALUE,
3995         },
3996 };
3997
3998 static const struct bpf_reg_types sock_types = {
3999         .types = {
4000                 PTR_TO_SOCK_COMMON,
4001                 PTR_TO_SOCKET,
4002                 PTR_TO_TCP_SOCK,
4003                 PTR_TO_XDP_SOCK,
4004         },
4005 };
4006
4007 #ifdef CONFIG_NET
4008 static const struct bpf_reg_types btf_id_sock_common_types = {
4009         .types = {
4010                 PTR_TO_SOCK_COMMON,
4011                 PTR_TO_SOCKET,
4012                 PTR_TO_TCP_SOCK,
4013                 PTR_TO_XDP_SOCK,
4014                 PTR_TO_BTF_ID,
4015         },
4016         .btf_id = &btf_sock_ids[BTF_SOCK_TYPE_SOCK_COMMON],
4017 };
4018 #endif
4019
4020 static const struct bpf_reg_types mem_types = {
4021         .types = {
4022                 PTR_TO_STACK,
4023                 PTR_TO_PACKET,
4024                 PTR_TO_PACKET_META,
4025                 PTR_TO_MAP_VALUE,
4026                 PTR_TO_MEM,
4027                 PTR_TO_RDONLY_BUF,
4028                 PTR_TO_RDWR_BUF,
4029         },
4030 };
4031
4032 static const struct bpf_reg_types int_ptr_types = {
4033         .types = {
4034                 PTR_TO_STACK,
4035                 PTR_TO_PACKET,
4036                 PTR_TO_PACKET_META,
4037                 PTR_TO_MAP_VALUE,
4038         },
4039 };
4040
4041 static const struct bpf_reg_types fullsock_types = { .types = { PTR_TO_SOCKET } };
4042 static const struct bpf_reg_types scalar_types = { .types = { SCALAR_VALUE } };
4043 static const struct bpf_reg_types context_types = { .types = { PTR_TO_CTX } };
4044 static const struct bpf_reg_types alloc_mem_types = { .types = { PTR_TO_MEM } };
4045 static const struct bpf_reg_types const_map_ptr_types = { .types = { CONST_PTR_TO_MAP } };
4046 static const struct bpf_reg_types btf_ptr_types = { .types = { PTR_TO_BTF_ID } };
4047 static const struct bpf_reg_types spin_lock_types = { .types = { PTR_TO_MAP_VALUE } };
4048 static const struct bpf_reg_types percpu_btf_ptr_types = { .types = { PTR_TO_PERCPU_BTF_ID } };
4049
4050 static const struct bpf_reg_types *compatible_reg_types[__BPF_ARG_TYPE_MAX] = {
4051         [ARG_PTR_TO_MAP_KEY]            = &map_key_value_types,
4052         [ARG_PTR_TO_MAP_VALUE]          = &map_key_value_types,
4053         [ARG_PTR_TO_UNINIT_MAP_VALUE]   = &map_key_value_types,
4054         [ARG_PTR_TO_MAP_VALUE_OR_NULL]  = &map_key_value_types,
4055         [ARG_CONST_SIZE]                = &scalar_types,
4056         [ARG_CONST_SIZE_OR_ZERO]        = &scalar_types,
4057         [ARG_CONST_ALLOC_SIZE_OR_ZERO]  = &scalar_types,
4058         [ARG_CONST_MAP_PTR]             = &const_map_ptr_types,
4059         [ARG_PTR_TO_CTX]                = &context_types,
4060         [ARG_PTR_TO_CTX_OR_NULL]        = &context_types,
4061         [ARG_PTR_TO_SOCK_COMMON]        = &sock_types,
4062 #ifdef CONFIG_NET
4063         [ARG_PTR_TO_BTF_ID_SOCK_COMMON] = &btf_id_sock_common_types,
4064 #endif
4065         [ARG_PTR_TO_SOCKET]             = &fullsock_types,
4066         [ARG_PTR_TO_SOCKET_OR_NULL]     = &fullsock_types,
4067         [ARG_PTR_TO_BTF_ID]             = &btf_ptr_types,
4068         [ARG_PTR_TO_SPIN_LOCK]          = &spin_lock_types,
4069         [ARG_PTR_TO_MEM]                = &mem_types,
4070         [ARG_PTR_TO_MEM_OR_NULL]        = &mem_types,
4071         [ARG_PTR_TO_UNINIT_MEM]         = &mem_types,
4072         [ARG_PTR_TO_ALLOC_MEM]          = &alloc_mem_types,
4073         [ARG_PTR_TO_ALLOC_MEM_OR_NULL]  = &alloc_mem_types,
4074         [ARG_PTR_TO_INT]                = &int_ptr_types,
4075         [ARG_PTR_TO_LONG]               = &int_ptr_types,
4076         [ARG_PTR_TO_PERCPU_BTF_ID]      = &percpu_btf_ptr_types,
4077 };
4078
4079 static int check_reg_type(struct bpf_verifier_env *env, u32 regno,
4080                           enum bpf_arg_type arg_type,
4081                           const u32 *arg_btf_id)
4082 {
4083         struct bpf_reg_state *regs = cur_regs(env), *reg = &regs[regno];
4084         enum bpf_reg_type expected, type = reg->type;
4085         const struct bpf_reg_types *compatible;
4086         int i, j;
4087
4088         compatible = compatible_reg_types[arg_type];
4089         if (!compatible) {
4090                 verbose(env, "verifier internal error: unsupported arg type %d\n", arg_type);
4091                 return -EFAULT;
4092         }
4093
4094         for (i = 0; i < ARRAY_SIZE(compatible->types); i++) {
4095                 expected = compatible->types[i];
4096                 if (expected == NOT_INIT)
4097                         break;
4098
4099                 if (type == expected)
4100                         goto found;
4101         }
4102
4103         verbose(env, "R%d type=%s expected=", regno, reg_type_str[type]);
4104         for (j = 0; j + 1 < i; j++)
4105                 verbose(env, "%s, ", reg_type_str[compatible->types[j]]);
4106         verbose(env, "%s\n", reg_type_str[compatible->types[j]]);
4107         return -EACCES;
4108
4109 found:
4110         if (type == PTR_TO_BTF_ID) {
4111                 if (!arg_btf_id) {
4112                         if (!compatible->btf_id) {
4113                                 verbose(env, "verifier internal error: missing arg compatible BTF ID\n");
4114                                 return -EFAULT;
4115                         }
4116                         arg_btf_id = compatible->btf_id;
4117                 }
4118
4119                 if (!btf_struct_ids_match(&env->log, reg->off, reg->btf_id,
4120                                           *arg_btf_id)) {
4121                         verbose(env, "R%d is of type %s but %s is expected\n",
4122                                 regno, kernel_type_name(reg->btf_id),
4123                                 kernel_type_name(*arg_btf_id));
4124                         return -EACCES;
4125                 }
4126
4127                 if (!tnum_is_const(reg->var_off) || reg->var_off.value) {
4128                         verbose(env, "R%d is a pointer to in-kernel struct with non-zero offset\n",
4129                                 regno);
4130                         return -EACCES;
4131                 }
4132         }
4133
4134         return 0;
4135 }
4136
4137 static int check_func_arg(struct bpf_verifier_env *env, u32 arg,
4138                           struct bpf_call_arg_meta *meta,
4139                           const struct bpf_func_proto *fn)
4140 {
4141         u32 regno = BPF_REG_1 + arg;
4142         struct bpf_reg_state *regs = cur_regs(env), *reg = &regs[regno];
4143         enum bpf_arg_type arg_type = fn->arg_type[arg];
4144         enum bpf_reg_type type = reg->type;
4145         int err = 0;
4146
4147         if (arg_type == ARG_DONTCARE)
4148                 return 0;
4149
4150         err = check_reg_arg(env, regno, SRC_OP);
4151         if (err)
4152                 return err;
4153
4154         if (arg_type == ARG_ANYTHING) {
4155                 if (is_pointer_value(env, regno)) {
4156                         verbose(env, "R%d leaks addr into helper function\n",
4157                                 regno);
4158                         return -EACCES;
4159                 }
4160                 return 0;
4161         }
4162
4163         if (type_is_pkt_pointer(type) &&
4164             !may_access_direct_pkt_data(env, meta, BPF_READ)) {
4165                 verbose(env, "helper access to the packet is not allowed\n");
4166                 return -EACCES;
4167         }
4168
4169         if (arg_type == ARG_PTR_TO_MAP_VALUE ||
4170             arg_type == ARG_PTR_TO_UNINIT_MAP_VALUE ||
4171             arg_type == ARG_PTR_TO_MAP_VALUE_OR_NULL) {
4172                 err = resolve_map_arg_type(env, meta, &arg_type);
4173                 if (err)
4174                         return err;
4175         }
4176
4177         if (register_is_null(reg) && arg_type_may_be_null(arg_type))
4178                 /* A NULL register has a SCALAR_VALUE type, so skip
4179                  * type checking.
4180                  */
4181                 goto skip_type_check;
4182
4183         err = check_reg_type(env, regno, arg_type, fn->arg_btf_id[arg]);
4184         if (err)
4185                 return err;
4186
4187         if (type == PTR_TO_CTX) {
4188                 err = check_ctx_reg(env, reg, regno);
4189                 if (err < 0)
4190                         return err;
4191         }
4192
4193 skip_type_check:
4194         if (reg->ref_obj_id) {
4195                 if (meta->ref_obj_id) {
4196                         verbose(env, "verifier internal error: more than one arg with ref_obj_id R%d %u %u\n",
4197                                 regno, reg->ref_obj_id,
4198                                 meta->ref_obj_id);
4199                         return -EFAULT;
4200                 }
4201                 meta->ref_obj_id = reg->ref_obj_id;
4202         }
4203
4204         if (arg_type == ARG_CONST_MAP_PTR) {
4205                 /* bpf_map_xxx(map_ptr) call: remember that map_ptr */
4206                 meta->map_ptr = reg->map_ptr;
4207         } else if (arg_type == ARG_PTR_TO_MAP_KEY) {
4208                 /* bpf_map_xxx(..., map_ptr, ..., key) call:
4209                  * check that [key, key + map->key_size) are within
4210                  * stack limits and initialized
4211                  */
4212                 if (!meta->map_ptr) {
4213                         /* in function declaration map_ptr must come before
4214                          * map_key, so that it's verified and known before
4215                          * we have to check map_key here. Otherwise it means
4216                          * that kernel subsystem misconfigured verifier
4217                          */
4218                         verbose(env, "invalid map_ptr to access map->key\n");
4219                         return -EACCES;
4220                 }
4221                 err = check_helper_mem_access(env, regno,
4222                                               meta->map_ptr->key_size, false,
4223                                               NULL);
4224         } else if (arg_type == ARG_PTR_TO_MAP_VALUE ||
4225                    (arg_type == ARG_PTR_TO_MAP_VALUE_OR_NULL &&
4226                     !register_is_null(reg)) ||
4227                    arg_type == ARG_PTR_TO_UNINIT_MAP_VALUE) {
4228                 /* bpf_map_xxx(..., map_ptr, ..., value) call:
4229                  * check [value, value + map->value_size) validity
4230                  */
4231                 if (!meta->map_ptr) {
4232                         /* kernel subsystem misconfigured verifier */
4233                         verbose(env, "invalid map_ptr to access map->value\n");
4234                         return -EACCES;
4235                 }
4236                 meta->raw_mode = (arg_type == ARG_PTR_TO_UNINIT_MAP_VALUE);
4237                 err = check_helper_mem_access(env, regno,
4238                                               meta->map_ptr->value_size, false,
4239                                               meta);
4240         } else if (arg_type == ARG_PTR_TO_PERCPU_BTF_ID) {
4241                 if (!reg->btf_id) {
4242                         verbose(env, "Helper has invalid btf_id in R%d\n", regno);
4243                         return -EACCES;
4244                 }
4245                 meta->ret_btf_id = reg->btf_id;
4246         } else if (arg_type == ARG_PTR_TO_SPIN_LOCK) {
4247                 if (meta->func_id == BPF_FUNC_spin_lock) {
4248                         if (process_spin_lock(env, regno, true))
4249                                 return -EACCES;
4250                 } else if (meta->func_id == BPF_FUNC_spin_unlock) {
4251                         if (process_spin_lock(env, regno, false))
4252                                 return -EACCES;
4253                 } else {
4254                         verbose(env, "verifier internal error\n");
4255                         return -EFAULT;
4256                 }
4257         } else if (arg_type_is_mem_ptr(arg_type)) {
4258                 /* The access to this pointer is only checked when we hit the
4259                  * next is_mem_size argument below.
4260                  */
4261                 meta->raw_mode = (arg_type == ARG_PTR_TO_UNINIT_MEM);
4262         } else if (arg_type_is_mem_size(arg_type)) {
4263                 bool zero_size_allowed = (arg_type == ARG_CONST_SIZE_OR_ZERO);
4264
4265                 /* This is used to refine r0 return value bounds for helpers
4266                  * that enforce this value as an upper bound on return values.
4267                  * See do_refine_retval_range() for helpers that can refine
4268                  * the return value. C type of helper is u32 so we pull register
4269                  * bound from umax_value however, if negative verifier errors
4270                  * out. Only upper bounds can be learned because retval is an
4271                  * int type and negative retvals are allowed.
4272                  */
4273                 meta->msize_max_value = reg->umax_value;
4274
4275                 /* The register is SCALAR_VALUE; the access check
4276                  * happens using its boundaries.
4277                  */
4278                 if (!tnum_is_const(reg->var_off))
4279                         /* For unprivileged variable accesses, disable raw
4280                          * mode so that the program is required to
4281                          * initialize all the memory that the helper could
4282                          * just partially fill up.
4283                          */
4284                         meta = NULL;
4285
4286                 if (reg->smin_value < 0) {
4287                         verbose(env, "R%d min value is negative, either use unsigned or 'var &= const'\n",
4288                                 regno);
4289                         return -EACCES;
4290                 }
4291
4292                 if (reg->umin_value == 0) {
4293                         err = check_helper_mem_access(env, regno - 1, 0,
4294                                                       zero_size_allowed,
4295                                                       meta);
4296                         if (err)
4297                                 return err;
4298                 }
4299
4300                 if (reg->umax_value >= BPF_MAX_VAR_SIZ) {
4301                         verbose(env, "R%d unbounded memory access, use 'var &= const' or 'if (var < const)'\n",
4302                                 regno);
4303                         return -EACCES;
4304                 }
4305                 err = check_helper_mem_access(env, regno - 1,
4306                                               reg->umax_value,
4307                                               zero_size_allowed, meta);
4308                 if (!err)
4309                         err = mark_chain_precision(env, regno);
4310         } else if (arg_type_is_alloc_size(arg_type)) {
4311                 if (!tnum_is_const(reg->var_off)) {
4312                         verbose(env, "R%d unbounded size, use 'var &= const' or 'if (var < const)'\n",
4313                                 regno);
4314                         return -EACCES;
4315                 }
4316                 meta->mem_size = reg->var_off.value;
4317         } else if (arg_type_is_int_ptr(arg_type)) {
4318                 int size = int_ptr_type_to_size(arg_type);
4319
4320                 err = check_helper_mem_access(env, regno, size, false, meta);
4321                 if (err)
4322                         return err;
4323                 err = check_ptr_alignment(env, reg, 0, size, true);
4324         }
4325
4326         return err;
4327 }
4328
4329 static bool may_update_sockmap(struct bpf_verifier_env *env, int func_id)
4330 {
4331         enum bpf_attach_type eatype = env->prog->expected_attach_type;
4332         enum bpf_prog_type type = resolve_prog_type(env->prog);
4333
4334         if (func_id != BPF_FUNC_map_update_elem)
4335                 return false;
4336
4337         /* It's not possible to get access to a locked struct sock in these
4338          * contexts, so updating is safe.
4339          */
4340         switch (type) {
4341         case BPF_PROG_TYPE_TRACING:
4342                 if (eatype == BPF_TRACE_ITER)
4343                         return true;
4344                 break;
4345         case BPF_PROG_TYPE_SOCKET_FILTER:
4346         case BPF_PROG_TYPE_SCHED_CLS:
4347         case BPF_PROG_TYPE_SCHED_ACT:
4348         case BPF_PROG_TYPE_XDP:
4349         case BPF_PROG_TYPE_SK_REUSEPORT:
4350         case BPF_PROG_TYPE_FLOW_DISSECTOR:
4351         case BPF_PROG_TYPE_SK_LOOKUP:
4352                 return true;
4353         default:
4354                 break;
4355         }
4356
4357         verbose(env, "cannot update sockmap in this context\n");
4358         return false;
4359 }
4360
4361 static bool allow_tail_call_in_subprogs(struct bpf_verifier_env *env)
4362 {
4363         return env->prog->jit_requested && IS_ENABLED(CONFIG_X86_64);
4364 }
4365
4366 static int check_map_func_compatibility(struct bpf_verifier_env *env,
4367                                         struct bpf_map *map, int func_id)
4368 {
4369         if (!map)
4370                 return 0;
4371
4372         /* We need a two way check, first is from map perspective ... */
4373         switch (map->map_type) {
4374         case BPF_MAP_TYPE_PROG_ARRAY:
4375                 if (func_id != BPF_FUNC_tail_call)
4376                         goto error;
4377                 break;
4378         case BPF_MAP_TYPE_PERF_EVENT_ARRAY:
4379                 if (func_id != BPF_FUNC_perf_event_read &&
4380                     func_id != BPF_FUNC_perf_event_output &&
4381                     func_id != BPF_FUNC_skb_output &&
4382                     func_id != BPF_FUNC_perf_event_read_value &&
4383                     func_id != BPF_FUNC_xdp_output)
4384                         goto error;
4385                 break;
4386         case BPF_MAP_TYPE_RINGBUF:
4387                 if (func_id != BPF_FUNC_ringbuf_output &&
4388                     func_id != BPF_FUNC_ringbuf_reserve &&
4389                     func_id != BPF_FUNC_ringbuf_submit &&
4390                     func_id != BPF_FUNC_ringbuf_discard &&
4391                     func_id != BPF_FUNC_ringbuf_query)
4392                         goto error;
4393                 break;
4394         case BPF_MAP_TYPE_STACK_TRACE:
4395                 if (func_id != BPF_FUNC_get_stackid)
4396                         goto error;
4397                 break;
4398         case BPF_MAP_TYPE_CGROUP_ARRAY:
4399                 if (func_id != BPF_FUNC_skb_under_cgroup &&
4400                     func_id != BPF_FUNC_current_task_under_cgroup)
4401                         goto error;
4402                 break;
4403         case BPF_MAP_TYPE_CGROUP_STORAGE:
4404         case BPF_MAP_TYPE_PERCPU_CGROUP_STORAGE:
4405                 if (func_id != BPF_FUNC_get_local_storage)
4406                         goto error;
4407                 break;
4408         case BPF_MAP_TYPE_DEVMAP:
4409         case BPF_MAP_TYPE_DEVMAP_HASH:
4410                 if (func_id != BPF_FUNC_redirect_map &&
4411                     func_id != BPF_FUNC_map_lookup_elem)
4412                         goto error;
4413                 break;
4414         /* Restrict bpf side of cpumap and xskmap, open when use-cases
4415          * appear.
4416          */
4417         case BPF_MAP_TYPE_CPUMAP:
4418                 if (func_id != BPF_FUNC_redirect_map)
4419                         goto error;
4420                 break;
4421         case BPF_MAP_TYPE_XSKMAP:
4422                 if (func_id != BPF_FUNC_redirect_map &&
4423                     func_id != BPF_FUNC_map_lookup_elem)
4424                         goto error;
4425                 break;
4426         case BPF_MAP_TYPE_ARRAY_OF_MAPS:
4427         case BPF_MAP_TYPE_HASH_OF_MAPS:
4428                 if (func_id != BPF_FUNC_map_lookup_elem)
4429                         goto error;
4430                 break;
4431         case BPF_MAP_TYPE_SOCKMAP:
4432                 if (func_id != BPF_FUNC_sk_redirect_map &&
4433                     func_id != BPF_FUNC_sock_map_update &&
4434                     func_id != BPF_FUNC_map_delete_elem &&
4435                     func_id != BPF_FUNC_msg_redirect_map &&
4436                     func_id != BPF_FUNC_sk_select_reuseport &&
4437                     func_id != BPF_FUNC_map_lookup_elem &&
4438                     !may_update_sockmap(env, func_id))
4439                         goto error;
4440                 break;
4441         case BPF_MAP_TYPE_SOCKHASH:
4442                 if (func_id != BPF_FUNC_sk_redirect_hash &&
4443                     func_id != BPF_FUNC_sock_hash_update &&
4444                     func_id != BPF_FUNC_map_delete_elem &&
4445                     func_id != BPF_FUNC_msg_redirect_hash &&
4446                     func_id != BPF_FUNC_sk_select_reuseport &&
4447                     func_id != BPF_FUNC_map_lookup_elem &&
4448                     !may_update_sockmap(env, func_id))
4449                         goto error;
4450                 break;
4451         case BPF_MAP_TYPE_REUSEPORT_SOCKARRAY:
4452                 if (func_id != BPF_FUNC_sk_select_reuseport)
4453                         goto error;
4454                 break;
4455         case BPF_MAP_TYPE_QUEUE:
4456         case BPF_MAP_TYPE_STACK:
4457                 if (func_id != BPF_FUNC_map_peek_elem &&
4458                     func_id != BPF_FUNC_map_pop_elem &&
4459                     func_id != BPF_FUNC_map_push_elem)
4460                         goto error;
4461                 break;
4462         case BPF_MAP_TYPE_SK_STORAGE:
4463                 if (func_id != BPF_FUNC_sk_storage_get &&
4464                     func_id != BPF_FUNC_sk_storage_delete)
4465                         goto error;
4466                 break;
4467         case BPF_MAP_TYPE_INODE_STORAGE:
4468                 if (func_id != BPF_FUNC_inode_storage_get &&
4469                     func_id != BPF_FUNC_inode_storage_delete)
4470                         goto error;
4471                 break;
4472         default:
4473                 break;
4474         }
4475
4476         /* ... and second from the function itself. */
4477         switch (func_id) {
4478         case BPF_FUNC_tail_call:
4479                 if (map->map_type != BPF_MAP_TYPE_PROG_ARRAY)
4480                         goto error;
4481                 if (env->subprog_cnt > 1 && !allow_tail_call_in_subprogs(env)) {
4482                         verbose(env, "tail_calls are not allowed in non-JITed programs with bpf-to-bpf calls\n");
4483                         return -EINVAL;
4484                 }
4485                 break;
4486         case BPF_FUNC_perf_event_read:
4487         case BPF_FUNC_perf_event_output:
4488         case BPF_FUNC_perf_event_read_value:
4489         case BPF_FUNC_skb_output:
4490         case BPF_FUNC_xdp_output:
4491                 if (map->map_type != BPF_MAP_TYPE_PERF_EVENT_ARRAY)
4492                         goto error;
4493                 break;
4494         case BPF_FUNC_get_stackid:
4495                 if (map->map_type != BPF_MAP_TYPE_STACK_TRACE)
4496                         goto error;
4497                 break;
4498         case BPF_FUNC_current_task_under_cgroup:
4499         case BPF_FUNC_skb_under_cgroup:
4500                 if (map->map_type != BPF_MAP_TYPE_CGROUP_ARRAY)
4501                         goto error;
4502                 break;
4503         case BPF_FUNC_redirect_map:
4504                 if (map->map_type != BPF_MAP_TYPE_DEVMAP &&
4505                     map->map_type != BPF_MAP_TYPE_DEVMAP_HASH &&
4506                     map->map_type != BPF_MAP_TYPE_CPUMAP &&
4507                     map->map_type != BPF_MAP_TYPE_XSKMAP)
4508                         goto error;
4509                 break;
4510         case BPF_FUNC_sk_redirect_map:
4511         case BPF_FUNC_msg_redirect_map:
4512         case BPF_FUNC_sock_map_update:
4513                 if (map->map_type != BPF_MAP_TYPE_SOCKMAP)
4514                         goto error;
4515                 break;
4516         case BPF_FUNC_sk_redirect_hash:
4517         case BPF_FUNC_msg_redirect_hash:
4518         case BPF_FUNC_sock_hash_update:
4519                 if (map->map_type != BPF_MAP_TYPE_SOCKHASH)
4520                         goto error;
4521                 break;
4522         case BPF_FUNC_get_local_storage:
4523                 if (map->map_type != BPF_MAP_TYPE_CGROUP_STORAGE &&
4524                     map->map_type != BPF_MAP_TYPE_PERCPU_CGROUP_STORAGE)
4525                         goto error;
4526                 break;
4527         case BPF_FUNC_sk_select_reuseport:
4528                 if (map->map_type != BPF_MAP_TYPE_REUSEPORT_SOCKARRAY &&
4529                     map->map_type != BPF_MAP_TYPE_SOCKMAP &&
4530                     map->map_type != BPF_MAP_TYPE_SOCKHASH)
4531                         goto error;
4532                 break;
4533         case BPF_FUNC_map_peek_elem:
4534         case BPF_FUNC_map_pop_elem:
4535         case BPF_FUNC_map_push_elem:
4536                 if (map->map_type != BPF_MAP_TYPE_QUEUE &&
4537                     map->map_type != BPF_MAP_TYPE_STACK)
4538                         goto error;
4539                 break;
4540         case BPF_FUNC_sk_storage_get:
4541         case BPF_FUNC_sk_storage_delete:
4542                 if (map->map_type != BPF_MAP_TYPE_SK_STORAGE)
4543                         goto error;
4544                 break;
4545         case BPF_FUNC_inode_storage_get:
4546         case BPF_FUNC_inode_storage_delete:
4547                 if (map->map_type != BPF_MAP_TYPE_INODE_STORAGE)
4548                         goto error;
4549                 break;
4550         default:
4551                 break;
4552         }
4553
4554         return 0;
4555 error:
4556         verbose(env, "cannot pass map_type %d into func %s#%d\n",
4557                 map->map_type, func_id_name(func_id), func_id);
4558         return -EINVAL;
4559 }
4560
4561 static bool check_raw_mode_ok(const struct bpf_func_proto *fn)
4562 {
4563         int count = 0;
4564
4565         if (fn->arg1_type == ARG_PTR_TO_UNINIT_MEM)
4566                 count++;
4567         if (fn->arg2_type == ARG_PTR_TO_UNINIT_MEM)
4568                 count++;
4569         if (fn->arg3_type == ARG_PTR_TO_UNINIT_MEM)
4570                 count++;
4571         if (fn->arg4_type == ARG_PTR_TO_UNINIT_MEM)
4572                 count++;
4573         if (fn->arg5_type == ARG_PTR_TO_UNINIT_MEM)
4574                 count++;
4575
4576         /* We only support one arg being in raw mode at the moment,
4577          * which is sufficient for the helper functions we have
4578          * right now.
4579          */
4580         return count <= 1;
4581 }
4582
4583 static bool check_args_pair_invalid(enum bpf_arg_type arg_curr,
4584                                     enum bpf_arg_type arg_next)
4585 {
4586         return (arg_type_is_mem_ptr(arg_curr) &&
4587                 !arg_type_is_mem_size(arg_next)) ||
4588                (!arg_type_is_mem_ptr(arg_curr) &&
4589                 arg_type_is_mem_size(arg_next));
4590 }
4591
4592 static bool check_arg_pair_ok(const struct bpf_func_proto *fn)
4593 {
4594         /* bpf_xxx(..., buf, len) call will access 'len'
4595          * bytes from memory 'buf'. Both arg types need
4596          * to be paired, so make sure there's no buggy
4597          * helper function specification.
4598          */
4599         if (arg_type_is_mem_size(fn->arg1_type) ||
4600             arg_type_is_mem_ptr(fn->arg5_type)  ||
4601             check_args_pair_invalid(fn->arg1_type, fn->arg2_type) ||
4602             check_args_pair_invalid(fn->arg2_type, fn->arg3_type) ||
4603             check_args_pair_invalid(fn->arg3_type, fn->arg4_type) ||
4604             check_args_pair_invalid(fn->arg4_type, fn->arg5_type))
4605                 return false;
4606
4607         return true;
4608 }
4609
4610 static bool check_refcount_ok(const struct bpf_func_proto *fn, int func_id)
4611 {
4612         int count = 0;
4613
4614         if (arg_type_may_be_refcounted(fn->arg1_type))
4615                 count++;
4616         if (arg_type_may_be_refcounted(fn->arg2_type))
4617                 count++;
4618         if (arg_type_may_be_refcounted(fn->arg3_type))
4619                 count++;
4620         if (arg_type_may_be_refcounted(fn->arg4_type))
4621                 count++;
4622         if (arg_type_may_be_refcounted(fn->arg5_type))
4623                 count++;
4624
4625         /* A reference acquiring function cannot acquire
4626          * another refcounted ptr.
4627          */
4628         if (may_be_acquire_function(func_id) && count)
4629                 return false;
4630
4631         /* We only support one arg being unreferenced at the moment,
4632          * which is sufficient for the helper functions we have right now.
4633          */
4634         return count <= 1;
4635 }
4636
4637 static bool check_btf_id_ok(const struct bpf_func_proto *fn)
4638 {
4639         int i;
4640
4641         for (i = 0; i < ARRAY_SIZE(fn->arg_type); i++) {
4642                 if (fn->arg_type[i] == ARG_PTR_TO_BTF_ID && !fn->arg_btf_id[i])
4643                         return false;
4644
4645                 if (fn->arg_type[i] != ARG_PTR_TO_BTF_ID && fn->arg_btf_id[i])
4646                         return false;
4647         }
4648
4649         return true;
4650 }
4651
4652 static int check_func_proto(const struct bpf_func_proto *fn, int func_id)
4653 {
4654         return check_raw_mode_ok(fn) &&
4655                check_arg_pair_ok(fn) &&
4656                check_btf_id_ok(fn) &&
4657                check_refcount_ok(fn, func_id) ? 0 : -EINVAL;
4658 }
4659
4660 /* Packet data might have moved, any old PTR_TO_PACKET[_META,_END]
4661  * are now invalid, so turn them into unknown SCALAR_VALUE.
4662  */
4663 static void __clear_all_pkt_pointers(struct bpf_verifier_env *env,
4664                                      struct bpf_func_state *state)
4665 {
4666         struct bpf_reg_state *regs = state->regs, *reg;
4667         int i;
4668
4669         for (i = 0; i < MAX_BPF_REG; i++)
4670                 if (reg_is_pkt_pointer_any(&regs[i]))
4671                         mark_reg_unknown(env, regs, i);
4672
4673         bpf_for_each_spilled_reg(i, state, reg) {
4674                 if (!reg)
4675                         continue;
4676                 if (reg_is_pkt_pointer_any(reg))
4677                         __mark_reg_unknown(env, reg);
4678         }
4679 }
4680
4681 static void clear_all_pkt_pointers(struct bpf_verifier_env *env)
4682 {
4683         struct bpf_verifier_state *vstate = env->cur_state;
4684         int i;
4685
4686         for (i = 0; i <= vstate->curframe; i++)
4687                 __clear_all_pkt_pointers(env, vstate->frame[i]);
4688 }
4689
4690 static void release_reg_references(struct bpf_verifier_env *env,
4691                                    struct bpf_func_state *state,
4692                                    int ref_obj_id)
4693 {
4694         struct bpf_reg_state *regs = state->regs, *reg;
4695         int i;
4696
4697         for (i = 0; i < MAX_BPF_REG; i++)
4698                 if (regs[i].ref_obj_id == ref_obj_id)
4699                         mark_reg_unknown(env, regs, i);
4700
4701         bpf_for_each_spilled_reg(i, state, reg) {
4702                 if (!reg)
4703                         continue;
4704                 if (reg->ref_obj_id == ref_obj_id)
4705                         __mark_reg_unknown(env, reg);
4706         }
4707 }
4708
4709 /* The pointer with the specified id has released its reference to kernel
4710  * resources. Identify all copies of the same pointer and clear the reference.
4711  */
4712 static int release_reference(struct bpf_verifier_env *env,
4713                              int ref_obj_id)
4714 {
4715         struct bpf_verifier_state *vstate = env->cur_state;
4716         int err;
4717         int i;
4718
4719         err = release_reference_state(cur_func(env), ref_obj_id);
4720         if (err)
4721                 return err;
4722
4723         for (i = 0; i <= vstate->curframe; i++)
4724                 release_reg_references(env, vstate->frame[i], ref_obj_id);
4725
4726         return 0;
4727 }
4728
4729 static void clear_caller_saved_regs(struct bpf_verifier_env *env,
4730                                     struct bpf_reg_state *regs)
4731 {
4732         int i;
4733
4734         /* after the call registers r0 - r5 were scratched */
4735         for (i = 0; i < CALLER_SAVED_REGS; i++) {
4736                 mark_reg_not_init(env, regs, caller_saved[i]);
4737                 check_reg_arg(env, caller_saved[i], DST_OP_NO_MARK);
4738         }
4739 }
4740
4741 static int check_func_call(struct bpf_verifier_env *env, struct bpf_insn *insn,
4742                            int *insn_idx)
4743 {
4744         struct bpf_verifier_state *state = env->cur_state;
4745         struct bpf_func_info_aux *func_info_aux;
4746         struct bpf_func_state *caller, *callee;
4747         int i, err, subprog, target_insn;
4748         bool is_global = false;
4749
4750         if (state->curframe + 1 >= MAX_CALL_FRAMES) {
4751                 verbose(env, "the call stack of %d frames is too deep\n",
4752                         state->curframe + 2);
4753                 return -E2BIG;
4754         }
4755
4756         target_insn = *insn_idx + insn->imm;
4757         subprog = find_subprog(env, target_insn + 1);
4758         if (subprog < 0) {
4759                 verbose(env, "verifier bug. No program starts at insn %d\n",
4760                         target_insn + 1);
4761                 return -EFAULT;
4762         }
4763
4764         caller = state->frame[state->curframe];
4765         if (state->frame[state->curframe + 1]) {
4766                 verbose(env, "verifier bug. Frame %d already allocated\n",
4767                         state->curframe + 1);
4768                 return -EFAULT;
4769         }
4770
4771         func_info_aux = env->prog->aux->func_info_aux;
4772         if (func_info_aux)
4773                 is_global = func_info_aux[subprog].linkage == BTF_FUNC_GLOBAL;
4774         err = btf_check_func_arg_match(env, subprog, caller->regs);
4775         if (err == -EFAULT)
4776                 return err;
4777         if (is_global) {
4778                 if (err) {
4779                         verbose(env, "Caller passes invalid args into func#%d\n",
4780                                 subprog);
4781                         return err;
4782                 } else {
4783                         if (env->log.level & BPF_LOG_LEVEL)
4784                                 verbose(env,
4785                                         "Func#%d is global and valid. Skipping.\n",
4786                                         subprog);
4787                         clear_caller_saved_regs(env, caller->regs);
4788
4789                         /* All global functions return a 64-bit SCALAR_VALUE */
4790                         mark_reg_unknown(env, caller->regs, BPF_REG_0);
4791                         caller->regs[BPF_REG_0].subreg_def = DEF_NOT_SUBREG;
4792
4793                         /* continue with next insn after call */
4794                         return 0;
4795                 }
4796         }
4797
4798         callee = kzalloc(sizeof(*callee), GFP_KERNEL);
4799         if (!callee)
4800                 return -ENOMEM;
4801         state->frame[state->curframe + 1] = callee;
4802
4803         /* callee cannot access r0, r6 - r9 for reading and has to write
4804          * into its own stack before reading from it.
4805          * callee can read/write into caller's stack
4806          */
4807         init_func_state(env, callee,
4808                         /* remember the callsite, it will be used by bpf_exit */
4809                         *insn_idx /* callsite */,
4810                         state->curframe + 1 /* frameno within this callchain */,
4811                         subprog /* subprog number within this prog */);
4812
4813         /* Transfer references to the callee */
4814         err = transfer_reference_state(callee, caller);
4815         if (err)
4816                 return err;
4817
4818         /* copy r1 - r5 args that callee can access.  The copy includes parent
4819          * pointers, which connects us up to the liveness chain
4820          */
4821         for (i = BPF_REG_1; i <= BPF_REG_5; i++)
4822                 callee->regs[i] = caller->regs[i];
4823
4824         clear_caller_saved_regs(env, caller->regs);
4825
4826         /* only increment it after check_reg_arg() finished */
4827         state->curframe++;
4828
4829         /* and go analyze first insn of the callee */
4830         *insn_idx = target_insn;
4831
4832         if (env->log.level & BPF_LOG_LEVEL) {
4833                 verbose(env, "caller:\n");
4834                 print_verifier_state(env, caller);
4835                 verbose(env, "callee:\n");
4836                 print_verifier_state(env, callee);
4837         }
4838         return 0;
4839 }
4840
4841 static int prepare_func_exit(struct bpf_verifier_env *env, int *insn_idx)
4842 {
4843         struct bpf_verifier_state *state = env->cur_state;
4844         struct bpf_func_state *caller, *callee;
4845         struct bpf_reg_state *r0;
4846         int err;
4847
4848         callee = state->frame[state->curframe];
4849         r0 = &callee->regs[BPF_REG_0];
4850         if (r0->type == PTR_TO_STACK) {
4851                 /* technically it's ok to return caller's stack pointer
4852                  * (or caller's caller's pointer) back to the caller,
4853                  * since these pointers are valid. Only current stack
4854                  * pointer will be invalid as soon as function exits,
4855                  * but let's be conservative
4856                  */
4857                 verbose(env, "cannot return stack pointer to the caller\n");
4858                 return -EINVAL;
4859         }
4860
4861         state->curframe--;
4862         caller = state->frame[state->curframe];
4863         /* return to the caller whatever r0 had in the callee */
4864         caller->regs[BPF_REG_0] = *r0;
4865
4866         /* Transfer references to the caller */
4867         err = transfer_reference_state(caller, callee);
4868         if (err)
4869                 return err;
4870
4871         *insn_idx = callee->callsite + 1;
4872         if (env->log.level & BPF_LOG_LEVEL) {
4873                 verbose(env, "returning from callee:\n");
4874                 print_verifier_state(env, callee);
4875                 verbose(env, "to caller at %d:\n", *insn_idx);
4876                 print_verifier_state(env, caller);
4877         }
4878         /* clear everything in the callee */
4879         free_func_state(callee);
4880         state->frame[state->curframe + 1] = NULL;
4881         return 0;
4882 }
4883
4884 static void do_refine_retval_range(struct bpf_reg_state *regs, int ret_type,
4885                                    int func_id,
4886                                    struct bpf_call_arg_meta *meta)
4887 {
4888         struct bpf_reg_state *ret_reg = &regs[BPF_REG_0];
4889
4890         if (ret_type != RET_INTEGER ||
4891             (func_id != BPF_FUNC_get_stack &&
4892              func_id != BPF_FUNC_probe_read_str &&
4893              func_id != BPF_FUNC_probe_read_kernel_str &&
4894              func_id != BPF_FUNC_probe_read_user_str))
4895                 return;
4896
4897         ret_reg->smax_value = meta->msize_max_value;
4898         ret_reg->s32_max_value = meta->msize_max_value;
4899         ret_reg->smin_value = -MAX_ERRNO;
4900         ret_reg->s32_min_value = -MAX_ERRNO;
4901         __reg_deduce_bounds(ret_reg);
4902         __reg_bound_offset(ret_reg);
4903         __update_reg_bounds(ret_reg);
4904 }
4905
4906 static int
4907 record_func_map(struct bpf_verifier_env *env, struct bpf_call_arg_meta *meta,
4908                 int func_id, int insn_idx)
4909 {
4910         struct bpf_insn_aux_data *aux = &env->insn_aux_data[insn_idx];
4911         struct bpf_map *map = meta->map_ptr;
4912
4913         if (func_id != BPF_FUNC_tail_call &&
4914             func_id != BPF_FUNC_map_lookup_elem &&
4915             func_id != BPF_FUNC_map_update_elem &&
4916             func_id != BPF_FUNC_map_delete_elem &&
4917             func_id != BPF_FUNC_map_push_elem &&
4918             func_id != BPF_FUNC_map_pop_elem &&
4919             func_id != BPF_FUNC_map_peek_elem)
4920                 return 0;
4921
4922         if (map == NULL) {
4923                 verbose(env, "kernel subsystem misconfigured verifier\n");
4924                 return -EINVAL;
4925         }
4926
4927         /* In case of read-only, some additional restrictions
4928          * need to be applied in order to prevent altering the
4929          * state of the map from program side.
4930          */
4931         if ((map->map_flags & BPF_F_RDONLY_PROG) &&
4932             (func_id == BPF_FUNC_map_delete_elem ||
4933              func_id == BPF_FUNC_map_update_elem ||
4934              func_id == BPF_FUNC_map_push_elem ||
4935              func_id == BPF_FUNC_map_pop_elem)) {
4936                 verbose(env, "write into map forbidden\n");
4937                 return -EACCES;
4938         }
4939
4940         if (!BPF_MAP_PTR(aux->map_ptr_state))
4941                 bpf_map_ptr_store(aux, meta->map_ptr,
4942                                   !meta->map_ptr->bypass_spec_v1);
4943         else if (BPF_MAP_PTR(aux->map_ptr_state) != meta->map_ptr)
4944                 bpf_map_ptr_store(aux, BPF_MAP_PTR_POISON,
4945                                   !meta->map_ptr->bypass_spec_v1);
4946         return 0;
4947 }
4948
4949 static int
4950 record_func_key(struct bpf_verifier_env *env, struct bpf_call_arg_meta *meta,
4951                 int func_id, int insn_idx)
4952 {
4953         struct bpf_insn_aux_data *aux = &env->insn_aux_data[insn_idx];
4954         struct bpf_reg_state *regs = cur_regs(env), *reg;
4955         struct bpf_map *map = meta->map_ptr;
4956         struct tnum range;
4957         u64 val;
4958         int err;
4959
4960         if (func_id != BPF_FUNC_tail_call)
4961                 return 0;
4962         if (!map || map->map_type != BPF_MAP_TYPE_PROG_ARRAY) {
4963                 verbose(env, "kernel subsystem misconfigured verifier\n");
4964                 return -EINVAL;
4965         }
4966
4967         range = tnum_range(0, map->max_entries - 1);
4968         reg = &regs[BPF_REG_3];
4969
4970         if (!register_is_const(reg) || !tnum_in(range, reg->var_off)) {
4971                 bpf_map_key_store(aux, BPF_MAP_KEY_POISON);
4972                 return 0;
4973         }
4974
4975         err = mark_chain_precision(env, BPF_REG_3);
4976         if (err)
4977                 return err;
4978
4979         val = reg->var_off.value;
4980         if (bpf_map_key_unseen(aux))
4981                 bpf_map_key_store(aux, val);
4982         else if (!bpf_map_key_poisoned(aux) &&
4983                   bpf_map_key_immediate(aux) != val)
4984                 bpf_map_key_store(aux, BPF_MAP_KEY_POISON);
4985         return 0;
4986 }
4987
4988 static int check_reference_leak(struct bpf_verifier_env *env)
4989 {
4990         struct bpf_func_state *state = cur_func(env);
4991         int i;
4992
4993         for (i = 0; i < state->acquired_refs; i++) {
4994                 verbose(env, "Unreleased reference id=%d alloc_insn=%d\n",
4995                         state->refs[i].id, state->refs[i].insn_idx);
4996         }
4997         return state->acquired_refs ? -EINVAL : 0;
4998 }
4999
5000 static int check_helper_call(struct bpf_verifier_env *env, int func_id, int insn_idx)
5001 {
5002         const struct bpf_func_proto *fn = NULL;
5003         struct bpf_reg_state *regs;
5004         struct bpf_call_arg_meta meta;
5005         bool changes_data;
5006         int i, err;
5007
5008         /* find function prototype */
5009         if (func_id < 0 || func_id >= __BPF_FUNC_MAX_ID) {
5010                 verbose(env, "invalid func %s#%d\n", func_id_name(func_id),
5011                         func_id);
5012                 return -EINVAL;
5013         }
5014
5015         if (env->ops->get_func_proto)
5016                 fn = env->ops->get_func_proto(func_id, env->prog);
5017         if (!fn) {
5018                 verbose(env, "unknown func %s#%d\n", func_id_name(func_id),
5019                         func_id);
5020                 return -EINVAL;
5021         }
5022
5023         /* eBPF programs must be GPL compatible to use GPL-ed functions */
5024         if (!env->prog->gpl_compatible && fn->gpl_only) {
5025                 verbose(env, "cannot call GPL-restricted function from non-GPL compatible program\n");
5026                 return -EINVAL;
5027         }
5028
5029         if (fn->allowed && !fn->allowed(env->prog)) {
5030                 verbose(env, "helper call is not allowed in probe\n");
5031                 return -EINVAL;
5032         }
5033
5034         /* With LD_ABS/IND some JITs save/restore skb from r1. */
5035         changes_data = bpf_helper_changes_pkt_data(fn->func);
5036         if (changes_data && fn->arg1_type != ARG_PTR_TO_CTX) {
5037                 verbose(env, "kernel subsystem misconfigured func %s#%d: r1 != ctx\n",
5038                         func_id_name(func_id), func_id);
5039                 return -EINVAL;
5040         }
5041
5042         memset(&meta, 0, sizeof(meta));
5043         meta.pkt_access = fn->pkt_access;
5044
5045         err = check_func_proto(fn, func_id);
5046         if (err) {
5047                 verbose(env, "kernel subsystem misconfigured func %s#%d\n",
5048                         func_id_name(func_id), func_id);
5049                 return err;
5050         }
5051
5052         meta.func_id = func_id;
5053         /* check args */
5054         for (i = 0; i < 5; i++) {
5055                 err = check_func_arg(env, i, &meta, fn);
5056                 if (err)
5057                         return err;
5058         }
5059
5060         err = record_func_map(env, &meta, func_id, insn_idx);
5061         if (err)
5062                 return err;
5063
5064         err = record_func_key(env, &meta, func_id, insn_idx);
5065         if (err)
5066                 return err;
5067
5068         /* Mark slots with STACK_MISC in case of raw mode, stack offset
5069          * is inferred from register state.
5070          */
5071         for (i = 0; i < meta.access_size; i++) {
5072                 err = check_mem_access(env, insn_idx, meta.regno, i, BPF_B,
5073                                        BPF_WRITE, -1, false);
5074                 if (err)
5075                         return err;
5076         }
5077
5078         if (func_id == BPF_FUNC_tail_call) {
5079                 err = check_reference_leak(env);
5080                 if (err) {
5081                         verbose(env, "tail_call would lead to reference leak\n");
5082                         return err;
5083                 }
5084         } else if (is_release_function(func_id)) {
5085                 err = release_reference(env, meta.ref_obj_id);
5086                 if (err) {
5087                         verbose(env, "func %s#%d reference has not been acquired before\n",
5088                                 func_id_name(func_id), func_id);
5089                         return err;
5090                 }
5091         }
5092
5093         regs = cur_regs(env);
5094
5095         /* check that flags argument in get_local_storage(map, flags) is 0,
5096          * this is required because get_local_storage() can't return an error.
5097          */
5098         if (func_id == BPF_FUNC_get_local_storage &&
5099             !register_is_null(&regs[BPF_REG_2])) {
5100                 verbose(env, "get_local_storage() doesn't support non-zero flags\n");
5101                 return -EINVAL;
5102         }
5103
5104         /* reset caller saved regs */
5105         for (i = 0; i < CALLER_SAVED_REGS; i++) {
5106                 mark_reg_not_init(env, regs, caller_saved[i]);
5107                 check_reg_arg(env, caller_saved[i], DST_OP_NO_MARK);
5108         }
5109
5110         /* helper call returns 64-bit value. */
5111         regs[BPF_REG_0].subreg_def = DEF_NOT_SUBREG;
5112
5113         /* update return register (already marked as written above) */
5114         if (fn->ret_type == RET_INTEGER) {
5115                 /* sets type to SCALAR_VALUE */
5116                 mark_reg_unknown(env, regs, BPF_REG_0);
5117         } else if (fn->ret_type == RET_VOID) {
5118                 regs[BPF_REG_0].type = NOT_INIT;
5119         } else if (fn->ret_type == RET_PTR_TO_MAP_VALUE_OR_NULL ||
5120                    fn->ret_type == RET_PTR_TO_MAP_VALUE) {
5121                 /* There is no offset yet applied, variable or fixed */
5122                 mark_reg_known_zero(env, regs, BPF_REG_0);
5123                 /* remember map_ptr, so that check_map_access()
5124                  * can check 'value_size' boundary of memory access
5125                  * to map element returned from bpf_map_lookup_elem()
5126                  */
5127                 if (meta.map_ptr == NULL) {
5128                         verbose(env,
5129                                 "kernel subsystem misconfigured verifier\n");
5130                         return -EINVAL;
5131                 }
5132                 regs[BPF_REG_0].map_ptr = meta.map_ptr;
5133                 if (fn->ret_type == RET_PTR_TO_MAP_VALUE) {
5134                         regs[BPF_REG_0].type = PTR_TO_MAP_VALUE;
5135                         if (map_value_has_spin_lock(meta.map_ptr))
5136                                 regs[BPF_REG_0].id = ++env->id_gen;
5137                 } else {
5138                         regs[BPF_REG_0].type = PTR_TO_MAP_VALUE_OR_NULL;
5139                 }
5140         } else if (fn->ret_type == RET_PTR_TO_SOCKET_OR_NULL) {
5141                 mark_reg_known_zero(env, regs, BPF_REG_0);
5142                 regs[BPF_REG_0].type = PTR_TO_SOCKET_OR_NULL;
5143         } else if (fn->ret_type == RET_PTR_TO_SOCK_COMMON_OR_NULL) {
5144                 mark_reg_known_zero(env, regs, BPF_REG_0);
5145                 regs[BPF_REG_0].type = PTR_TO_SOCK_COMMON_OR_NULL;
5146         } else if (fn->ret_type == RET_PTR_TO_TCP_SOCK_OR_NULL) {
5147                 mark_reg_known_zero(env, regs, BPF_REG_0);
5148                 regs[BPF_REG_0].type = PTR_TO_TCP_SOCK_OR_NULL;
5149         } else if (fn->ret_type == RET_PTR_TO_ALLOC_MEM_OR_NULL) {
5150                 mark_reg_known_zero(env, regs, BPF_REG_0);
5151                 regs[BPF_REG_0].type = PTR_TO_MEM_OR_NULL;
5152                 regs[BPF_REG_0].mem_size = meta.mem_size;
5153         } else if (fn->ret_type == RET_PTR_TO_MEM_OR_BTF_ID_OR_NULL ||
5154                    fn->ret_type == RET_PTR_TO_MEM_OR_BTF_ID) {
5155                 const struct btf_type *t;
5156
5157                 mark_reg_known_zero(env, regs, BPF_REG_0);
5158                 t = btf_type_skip_modifiers(btf_vmlinux, meta.ret_btf_id, NULL);
5159                 if (!btf_type_is_struct(t)) {
5160                         u32 tsize;
5161                         const struct btf_type *ret;
5162                         const char *tname;
5163
5164                         /* resolve the type size of ksym. */
5165                         ret = btf_resolve_size(btf_vmlinux, t, &tsize);
5166                         if (IS_ERR(ret)) {
5167                                 tname = btf_name_by_offset(btf_vmlinux, t->name_off);
5168                                 verbose(env, "unable to resolve the size of type '%s': %ld\n",
5169                                         tname, PTR_ERR(ret));
5170                                 return -EINVAL;
5171                         }
5172                         regs[BPF_REG_0].type =
5173                                 fn->ret_type == RET_PTR_TO_MEM_OR_BTF_ID ?
5174                                 PTR_TO_MEM : PTR_TO_MEM_OR_NULL;
5175                         regs[BPF_REG_0].mem_size = tsize;
5176                 } else {
5177                         regs[BPF_REG_0].type =
5178                                 fn->ret_type == RET_PTR_TO_MEM_OR_BTF_ID ?
5179                                 PTR_TO_BTF_ID : PTR_TO_BTF_ID_OR_NULL;
5180                         regs[BPF_REG_0].btf_id = meta.ret_btf_id;
5181                 }
5182         } else if (fn->ret_type == RET_PTR_TO_BTF_ID_OR_NULL) {
5183                 int ret_btf_id;
5184
5185                 mark_reg_known_zero(env, regs, BPF_REG_0);
5186                 regs[BPF_REG_0].type = PTR_TO_BTF_ID_OR_NULL;
5187                 ret_btf_id = *fn->ret_btf_id;
5188                 if (ret_btf_id == 0) {
5189                         verbose(env, "invalid return type %d of func %s#%d\n",
5190                                 fn->ret_type, func_id_name(func_id), func_id);
5191                         return -EINVAL;
5192                 }
5193                 regs[BPF_REG_0].btf_id = ret_btf_id;
5194         } else {
5195                 verbose(env, "unknown return type %d of func %s#%d\n",
5196                         fn->ret_type, func_id_name(func_id), func_id);
5197                 return -EINVAL;
5198         }
5199
5200         if (reg_type_may_be_null(regs[BPF_REG_0].type))
5201                 regs[BPF_REG_0].id = ++env->id_gen;
5202
5203         if (is_ptr_cast_function(func_id)) {
5204                 /* For release_reference() */
5205                 regs[BPF_REG_0].ref_obj_id = meta.ref_obj_id;
5206         } else if (is_acquire_function(func_id, meta.map_ptr)) {
5207                 int id = acquire_reference_state(env, insn_idx);
5208
5209                 if (id < 0)
5210                         return id;
5211                 /* For mark_ptr_or_null_reg() */
5212                 regs[BPF_REG_0].id = id;
5213                 /* For release_reference() */
5214                 regs[BPF_REG_0].ref_obj_id = id;
5215         }
5216
5217         do_refine_retval_range(regs, fn->ret_type, func_id, &meta);
5218
5219         err = check_map_func_compatibility(env, meta.map_ptr, func_id);
5220         if (err)
5221                 return err;
5222
5223         if ((func_id == BPF_FUNC_get_stack ||
5224              func_id == BPF_FUNC_get_task_stack) &&
5225             !env->prog->has_callchain_buf) {
5226                 const char *err_str;
5227
5228 #ifdef CONFIG_PERF_EVENTS
5229                 err = get_callchain_buffers(sysctl_perf_event_max_stack);
5230                 err_str = "cannot get callchain buffer for func %s#%d\n";
5231 #else
5232                 err = -ENOTSUPP;
5233                 err_str = "func %s#%d not supported without CONFIG_PERF_EVENTS\n";
5234 #endif
5235                 if (err) {
5236                         verbose(env, err_str, func_id_name(func_id), func_id);
5237                         return err;
5238                 }
5239
5240                 env->prog->has_callchain_buf = true;
5241         }
5242
5243         if (func_id == BPF_FUNC_get_stackid || func_id == BPF_FUNC_get_stack)
5244                 env->prog->call_get_stack = true;
5245
5246         if (changes_data)
5247                 clear_all_pkt_pointers(env);
5248         return 0;
5249 }
5250
5251 static bool signed_add_overflows(s64 a, s64 b)
5252 {
5253         /* Do the add in u64, where overflow is well-defined */
5254         s64 res = (s64)((u64)a + (u64)b);
5255
5256         if (b < 0)
5257                 return res > a;
5258         return res < a;
5259 }
5260
5261 static bool signed_add32_overflows(s32 a, s32 b)
5262 {
5263         /* Do the add in u32, where overflow is well-defined */
5264         s32 res = (s32)((u32)a + (u32)b);
5265
5266         if (b < 0)
5267                 return res > a;
5268         return res < a;
5269 }
5270
5271 static bool signed_sub_overflows(s64 a, s64 b)
5272 {
5273         /* Do the sub in u64, where overflow is well-defined */
5274         s64 res = (s64)((u64)a - (u64)b);
5275
5276         if (b < 0)
5277                 return res < a;
5278         return res > a;
5279 }
5280
5281 static bool signed_sub32_overflows(s32 a, s32 b)
5282 {
5283         /* Do the sub in u32, where overflow is well-defined */
5284         s32 res = (s32)((u32)a - (u32)b);
5285
5286         if (b < 0)
5287                 return res < a;
5288         return res > a;
5289 }
5290
5291 static bool check_reg_sane_offset(struct bpf_verifier_env *env,
5292                                   const struct bpf_reg_state *reg,
5293                                   enum bpf_reg_type type)
5294 {
5295         bool known = tnum_is_const(reg->var_off);
5296         s64 val = reg->var_off.value;
5297         s64 smin = reg->smin_value;
5298
5299         if (known && (val >= BPF_MAX_VAR_OFF || val <= -BPF_MAX_VAR_OFF)) {
5300                 verbose(env, "math between %s pointer and %lld is not allowed\n",
5301                         reg_type_str[type], val);
5302                 return false;
5303         }
5304
5305         if (reg->off >= BPF_MAX_VAR_OFF || reg->off <= -BPF_MAX_VAR_OFF) {
5306                 verbose(env, "%s pointer offset %d is not allowed\n",
5307                         reg_type_str[type], reg->off);
5308                 return false;
5309         }
5310
5311         if (smin == S64_MIN) {
5312                 verbose(env, "math between %s pointer and register with unbounded min value is not allowed\n",
5313                         reg_type_str[type]);
5314                 return false;
5315         }
5316
5317         if (smin >= BPF_MAX_VAR_OFF || smin <= -BPF_MAX_VAR_OFF) {
5318                 verbose(env, "value %lld makes %s pointer be out of bounds\n",
5319                         smin, reg_type_str[type]);
5320                 return false;
5321         }
5322
5323         return true;
5324 }
5325
5326 static struct bpf_insn_aux_data *cur_aux(struct bpf_verifier_env *env)
5327 {
5328         return &env->insn_aux_data[env->insn_idx];
5329 }
5330
5331 static int retrieve_ptr_limit(const struct bpf_reg_state *ptr_reg,
5332                               const struct bpf_reg_state *off_reg,
5333                               u32 *ptr_limit, u8 opcode)
5334 {
5335         bool off_is_neg = off_reg->smin_value < 0;
5336         bool mask_to_left = (opcode == BPF_ADD &&  off_is_neg) ||
5337                             (opcode == BPF_SUB && !off_is_neg);
5338         u32 off, max;
5339
5340         if (!tnum_is_const(off_reg->var_off) &&
5341             (off_reg->smin_value < 0) != (off_reg->smax_value < 0))
5342                 return -EACCES;
5343
5344         switch (ptr_reg->type) {
5345         case PTR_TO_STACK:
5346                 /* Offset 0 is out-of-bounds, but acceptable start for the
5347                  * left direction, see BPF_REG_FP.
5348                  */
5349                 max = MAX_BPF_STACK + mask_to_left;
5350                 /* Indirect variable offset stack access is prohibited in
5351                  * unprivileged mode so it's not handled here.
5352                  */
5353                 off = ptr_reg->off + ptr_reg->var_off.value;
5354                 if (mask_to_left)
5355                         *ptr_limit = MAX_BPF_STACK + off;
5356                 else
5357                         *ptr_limit = -off - 1;
5358                 return *ptr_limit >= max ? -ERANGE : 0;
5359         case PTR_TO_MAP_VALUE:
5360                 max = ptr_reg->map_ptr->value_size;
5361                 if (mask_to_left) {
5362                         *ptr_limit = ptr_reg->umax_value + ptr_reg->off;
5363                 } else {
5364                         off = ptr_reg->smin_value + ptr_reg->off;
5365                         *ptr_limit = ptr_reg->map_ptr->value_size - off - 1;
5366                 }
5367                 return *ptr_limit >= max ? -ERANGE : 0;
5368         default:
5369                 return -EINVAL;
5370         }
5371 }
5372
5373 static bool can_skip_alu_sanitation(const struct bpf_verifier_env *env,
5374                                     const struct bpf_insn *insn)
5375 {
5376         return env->bypass_spec_v1 || BPF_SRC(insn->code) == BPF_K;
5377 }
5378
5379 static int update_alu_sanitation_state(struct bpf_insn_aux_data *aux,
5380                                        u32 alu_state, u32 alu_limit)
5381 {
5382         /* If we arrived here from different branches with different
5383          * state or limits to sanitize, then this won't work.
5384          */
5385         if (aux->alu_state &&
5386             (aux->alu_state != alu_state ||
5387              aux->alu_limit != alu_limit))
5388                 return -EACCES;
5389
5390         /* Corresponding fixup done in fixup_bpf_calls(). */
5391         aux->alu_state = alu_state;
5392         aux->alu_limit = alu_limit;
5393         return 0;
5394 }
5395
5396 static int sanitize_val_alu(struct bpf_verifier_env *env,
5397                             struct bpf_insn *insn)
5398 {
5399         struct bpf_insn_aux_data *aux = cur_aux(env);
5400
5401         if (can_skip_alu_sanitation(env, insn))
5402                 return 0;
5403
5404         return update_alu_sanitation_state(aux, BPF_ALU_NON_POINTER, 0);
5405 }
5406
5407 static int sanitize_ptr_alu(struct bpf_verifier_env *env,
5408                             struct bpf_insn *insn,
5409                             const struct bpf_reg_state *ptr_reg,
5410                             struct bpf_reg_state *dst_reg,
5411                             bool off_is_neg)
5412 {
5413         struct bpf_verifier_state *vstate = env->cur_state;
5414         struct bpf_insn_aux_data *aux = cur_aux(env);
5415         bool ptr_is_dst_reg = ptr_reg == dst_reg;
5416         u8 opcode = BPF_OP(insn->code);
5417         u32 alu_state, alu_limit;
5418         struct bpf_reg_state tmp;
5419         bool ret;
5420         int err;
5421
5422         if (can_skip_alu_sanitation(env, insn))
5423                 return 0;
5424
5425         /* We already marked aux for masking from non-speculative
5426          * paths, thus we got here in the first place. We only care
5427          * to explore bad access from here.
5428          */
5429         if (vstate->speculative)
5430                 goto do_sim;
5431
5432         alu_state  = off_is_neg ? BPF_ALU_NEG_VALUE : 0;
5433         alu_state |= ptr_is_dst_reg ?
5434                      BPF_ALU_SANITIZE_SRC : BPF_ALU_SANITIZE_DST;
5435
5436         err = retrieve_ptr_limit(ptr_reg, off_reg, &alu_limit, opcode);
5437         if (err < 0)
5438                 return err;
5439
5440         err = update_alu_sanitation_state(aux, alu_state, alu_limit);
5441         if (err < 0)
5442                 return err;
5443 do_sim:
5444         /* Simulate and find potential out-of-bounds access under
5445          * speculative execution from truncation as a result of
5446          * masking when off was not within expected range. If off
5447          * sits in dst, then we temporarily need to move ptr there
5448          * to simulate dst (== 0) +/-= ptr. Needed, for example,
5449          * for cases where we use K-based arithmetic in one direction
5450          * and truncated reg-based in the other in order to explore
5451          * bad access.
5452          */
5453         if (!ptr_is_dst_reg) {
5454                 tmp = *dst_reg;
5455                 *dst_reg = *ptr_reg;
5456         }
5457         ret = push_stack(env, env->insn_idx + 1, env->insn_idx, true);
5458         if (!ptr_is_dst_reg && ret)
5459                 *dst_reg = tmp;
5460         return !ret ? -EFAULT : 0;
5461 }
5462
5463 /* Handles arithmetic on a pointer and a scalar: computes new min/max and var_off.
5464  * Caller should also handle BPF_MOV case separately.
5465  * If we return -EACCES, caller may want to try again treating pointer as a
5466  * scalar.  So we only emit a diagnostic if !env->allow_ptr_leaks.
5467  */
5468 static int adjust_ptr_min_max_vals(struct bpf_verifier_env *env,
5469                                    struct bpf_insn *insn,
5470                                    const struct bpf_reg_state *ptr_reg,
5471                                    const struct bpf_reg_state *off_reg)
5472 {
5473         struct bpf_verifier_state *vstate = env->cur_state;
5474         struct bpf_func_state *state = vstate->frame[vstate->curframe];
5475         struct bpf_reg_state *regs = state->regs, *dst_reg;
5476         bool known = tnum_is_const(off_reg->var_off);
5477         s64 smin_val = off_reg->smin_value, smax_val = off_reg->smax_value,
5478             smin_ptr = ptr_reg->smin_value, smax_ptr = ptr_reg->smax_value;
5479         u64 umin_val = off_reg->umin_value, umax_val = off_reg->umax_value,
5480             umin_ptr = ptr_reg->umin_value, umax_ptr = ptr_reg->umax_value;
5481         u8 opcode = BPF_OP(insn->code);
5482         u32 dst = insn->dst_reg;
5483         int ret;
5484
5485         dst_reg = &regs[dst];
5486
5487         if ((known && (smin_val != smax_val || umin_val != umax_val)) ||
5488             smin_val > smax_val || umin_val > umax_val) {
5489                 /* Taint dst register if offset had invalid bounds derived from
5490                  * e.g. dead branches.
5491                  */
5492                 __mark_reg_unknown(env, dst_reg);
5493                 return 0;
5494         }
5495
5496         if (BPF_CLASS(insn->code) != BPF_ALU64) {
5497                 /* 32-bit ALU ops on pointers produce (meaningless) scalars */
5498                 if (opcode == BPF_SUB && env->allow_ptr_leaks) {
5499                         __mark_reg_unknown(env, dst_reg);
5500                         return 0;
5501                 }
5502
5503                 verbose(env,
5504                         "R%d 32-bit pointer arithmetic prohibited\n",
5505                         dst);
5506                 return -EACCES;
5507         }
5508
5509         switch (ptr_reg->type) {
5510         case PTR_TO_MAP_VALUE_OR_NULL:
5511                 verbose(env, "R%d pointer arithmetic on %s prohibited, null-check it first\n",
5512                         dst, reg_type_str[ptr_reg->type]);
5513                 return -EACCES;
5514         case CONST_PTR_TO_MAP:
5515                 /* smin_val represents the known value */
5516                 if (known && smin_val == 0 && opcode == BPF_ADD)
5517                         break;
5518                 fallthrough;
5519         case PTR_TO_PACKET_END:
5520         case PTR_TO_SOCKET:
5521         case PTR_TO_SOCKET_OR_NULL:
5522         case PTR_TO_SOCK_COMMON:
5523         case PTR_TO_SOCK_COMMON_OR_NULL:
5524         case PTR_TO_TCP_SOCK:
5525         case PTR_TO_TCP_SOCK_OR_NULL:
5526         case PTR_TO_XDP_SOCK:
5527                 verbose(env, "R%d pointer arithmetic on %s prohibited\n",
5528                         dst, reg_type_str[ptr_reg->type]);
5529                 return -EACCES;
5530         default:
5531                 break;
5532         }
5533
5534         /* In case of 'scalar += pointer', dst_reg inherits pointer type and id.
5535          * The id may be overwritten later if we create a new variable offset.
5536          */
5537         dst_reg->type = ptr_reg->type;
5538         dst_reg->id = ptr_reg->id;
5539
5540         if (!check_reg_sane_offset(env, off_reg, ptr_reg->type) ||
5541             !check_reg_sane_offset(env, ptr_reg, ptr_reg->type))
5542                 return -EINVAL;
5543
5544         /* pointer types do not carry 32-bit bounds at the moment. */
5545         __mark_reg32_unbounded(dst_reg);
5546
5547         switch (opcode) {
5548         case BPF_ADD:
5549                 ret = sanitize_ptr_alu(env, insn, ptr_reg, dst_reg, smin_val < 0);
5550                 if (ret < 0) {
5551                         verbose(env, "R%d tried to add from different maps, paths, or prohibited types\n", dst);
5552                         return ret;
5553                 }
5554                 /* We can take a fixed offset as long as it doesn't overflow
5555                  * the s32 'off' field
5556                  */
5557                 if (known && (ptr_reg->off + smin_val ==
5558                               (s64)(s32)(ptr_reg->off + smin_val))) {
5559                         /* pointer += K.  Accumulate it into fixed offset */
5560                         dst_reg->smin_value = smin_ptr;
5561                         dst_reg->smax_value = smax_ptr;
5562                         dst_reg->umin_value = umin_ptr;
5563                         dst_reg->umax_value = umax_ptr;
5564                         dst_reg->var_off = ptr_reg->var_off;
5565                         dst_reg->off = ptr_reg->off + smin_val;
5566                         dst_reg->raw = ptr_reg->raw;
5567                         break;
5568                 }
5569                 /* A new variable offset is created.  Note that off_reg->off
5570                  * == 0, since it's a scalar.
5571                  * dst_reg gets the pointer type and since some positive
5572                  * integer value was added to the pointer, give it a new 'id'
5573                  * if it's a PTR_TO_PACKET.
5574                  * this creates a new 'base' pointer, off_reg (variable) gets
5575                  * added into the variable offset, and we copy the fixed offset
5576                  * from ptr_reg.
5577                  */
5578                 if (signed_add_overflows(smin_ptr, smin_val) ||
5579                     signed_add_overflows(smax_ptr, smax_val)) {
5580                         dst_reg->smin_value = S64_MIN;
5581                         dst_reg->smax_value = S64_MAX;
5582                 } else {
5583                         dst_reg->smin_value = smin_ptr + smin_val;
5584                         dst_reg->smax_value = smax_ptr + smax_val;
5585                 }
5586                 if (umin_ptr + umin_val < umin_ptr ||
5587                     umax_ptr + umax_val < umax_ptr) {
5588                         dst_reg->umin_value = 0;
5589                         dst_reg->umax_value = U64_MAX;
5590                 } else {
5591                         dst_reg->umin_value = umin_ptr + umin_val;
5592                         dst_reg->umax_value = umax_ptr + umax_val;
5593                 }
5594                 dst_reg->var_off = tnum_add(ptr_reg->var_off, off_reg->var_off);
5595                 dst_reg->off = ptr_reg->off;
5596                 dst_reg->raw = ptr_reg->raw;
5597                 if (reg_is_pkt_pointer(ptr_reg)) {
5598                         dst_reg->id = ++env->id_gen;
5599                         /* something was added to pkt_ptr, set range to zero */
5600                         dst_reg->raw = 0;
5601                 }
5602                 break;
5603         case BPF_SUB:
5604                 ret = sanitize_ptr_alu(env, insn, ptr_reg, dst_reg, smin_val < 0);
5605                 if (ret < 0) {
5606                         verbose(env, "R%d tried to sub from different maps, paths, or prohibited types\n", dst);
5607                         return ret;
5608                 }
5609                 if (dst_reg == off_reg) {
5610                         /* scalar -= pointer.  Creates an unknown scalar */
5611                         verbose(env, "R%d tried to subtract pointer from scalar\n",
5612                                 dst);
5613                         return -EACCES;
5614                 }
5615                 /* We don't allow subtraction from FP, because (according to
5616                  * test_verifier.c test "invalid fp arithmetic", JITs might not
5617                  * be able to deal with it.
5618                  */
5619                 if (ptr_reg->type == PTR_TO_STACK) {
5620                         verbose(env, "R%d subtraction from stack pointer prohibited\n",
5621                                 dst);
5622                         return -EACCES;
5623                 }
5624                 if (known && (ptr_reg->off - smin_val ==
5625                               (s64)(s32)(ptr_reg->off - smin_val))) {
5626                         /* pointer -= K.  Subtract it from fixed offset */
5627                         dst_reg->smin_value = smin_ptr;
5628                         dst_reg->smax_value = smax_ptr;
5629                         dst_reg->umin_value = umin_ptr;
5630                         dst_reg->umax_value = umax_ptr;
5631                         dst_reg->var_off = ptr_reg->var_off;
5632                         dst_reg->id = ptr_reg->id;
5633                         dst_reg->off = ptr_reg->off - smin_val;
5634                         dst_reg->raw = ptr_reg->raw;
5635                         break;
5636                 }
5637                 /* A new variable offset is created.  If the subtrahend is known
5638                  * nonnegative, then any reg->range we had before is still good.
5639                  */
5640                 if (signed_sub_overflows(smin_ptr, smax_val) ||
5641                     signed_sub_overflows(smax_ptr, smin_val)) {
5642                         /* Overflow possible, we know nothing */
5643                         dst_reg->smin_value = S64_MIN;
5644                         dst_reg->smax_value = S64_MAX;
5645                 } else {
5646                         dst_reg->smin_value = smin_ptr - smax_val;
5647                         dst_reg->smax_value = smax_ptr - smin_val;
5648                 }
5649                 if (umin_ptr < umax_val) {
5650                         /* Overflow possible, we know nothing */
5651                         dst_reg->umin_value = 0;
5652                         dst_reg->umax_value = U64_MAX;
5653                 } else {
5654                         /* Cannot overflow (as long as bounds are consistent) */
5655                         dst_reg->umin_value = umin_ptr - umax_val;
5656                         dst_reg->umax_value = umax_ptr - umin_val;
5657                 }
5658                 dst_reg->var_off = tnum_sub(ptr_reg->var_off, off_reg->var_off);
5659                 dst_reg->off = ptr_reg->off;
5660                 dst_reg->raw = ptr_reg->raw;
5661                 if (reg_is_pkt_pointer(ptr_reg)) {
5662                         dst_reg->id = ++env->id_gen;
5663                         /* something was added to pkt_ptr, set range to zero */
5664                         if (smin_val < 0)
5665                                 dst_reg->raw = 0;
5666                 }
5667                 break;
5668         case BPF_AND:
5669         case BPF_OR:
5670         case BPF_XOR:
5671                 /* bitwise ops on pointers are troublesome, prohibit. */
5672                 verbose(env, "R%d bitwise operator %s on pointer prohibited\n",
5673                         dst, bpf_alu_string[opcode >> 4]);
5674                 return -EACCES;
5675         default:
5676                 /* other operators (e.g. MUL,LSH) produce non-pointer results */
5677                 verbose(env, "R%d pointer arithmetic with %s operator prohibited\n",
5678                         dst, bpf_alu_string[opcode >> 4]);
5679                 return -EACCES;
5680         }
5681
5682         if (!check_reg_sane_offset(env, dst_reg, ptr_reg->type))
5683                 return -EINVAL;
5684
5685         __update_reg_bounds(dst_reg);
5686         __reg_deduce_bounds(dst_reg);
5687         __reg_bound_offset(dst_reg);
5688
5689         /* For unprivileged we require that resulting offset must be in bounds
5690          * in order to be able to sanitize access later on.
5691          */
5692         if (!env->bypass_spec_v1) {
5693                 if (dst_reg->type == PTR_TO_MAP_VALUE &&
5694                     check_map_access(env, dst, dst_reg->off, 1, false)) {
5695                         verbose(env, "R%d pointer arithmetic of map value goes out of range, "
5696                                 "prohibited for !root\n", dst);
5697                         return -EACCES;
5698                 } else if (dst_reg->type == PTR_TO_STACK &&
5699                            check_stack_access(env, dst_reg, dst_reg->off +
5700                                               dst_reg->var_off.value, 1)) {
5701                         verbose(env, "R%d stack pointer arithmetic goes out of range, "
5702                                 "prohibited for !root\n", dst);
5703                         return -EACCES;
5704                 }
5705         }
5706
5707         return 0;
5708 }
5709
5710 static void scalar32_min_max_add(struct bpf_reg_state *dst_reg,
5711                                  struct bpf_reg_state *src_reg)
5712 {
5713         s32 smin_val = src_reg->s32_min_value;
5714         s32 smax_val = src_reg->s32_max_value;
5715         u32 umin_val = src_reg->u32_min_value;
5716         u32 umax_val = src_reg->u32_max_value;
5717
5718         if (signed_add32_overflows(dst_reg->s32_min_value, smin_val) ||
5719             signed_add32_overflows(dst_reg->s32_max_value, smax_val)) {
5720                 dst_reg->s32_min_value = S32_MIN;
5721                 dst_reg->s32_max_value = S32_MAX;
5722         } else {
5723                 dst_reg->s32_min_value += smin_val;
5724                 dst_reg->s32_max_value += smax_val;
5725         }
5726         if (dst_reg->u32_min_value + umin_val < umin_val ||
5727             dst_reg->u32_max_value + umax_val < umax_val) {
5728                 dst_reg->u32_min_value = 0;
5729                 dst_reg->u32_max_value = U32_MAX;
5730         } else {
5731                 dst_reg->u32_min_value += umin_val;
5732                 dst_reg->u32_max_value += umax_val;
5733         }
5734 }
5735
5736 static void scalar_min_max_add(struct bpf_reg_state *dst_reg,
5737                                struct bpf_reg_state *src_reg)
5738 {
5739         s64 smin_val = src_reg->smin_value;
5740         s64 smax_val = src_reg->smax_value;
5741         u64 umin_val = src_reg->umin_value;
5742         u64 umax_val = src_reg->umax_value;
5743
5744         if (signed_add_overflows(dst_reg->smin_value, smin_val) ||
5745             signed_add_overflows(dst_reg->smax_value, smax_val)) {
5746                 dst_reg->smin_value = S64_MIN;
5747                 dst_reg->smax_value = S64_MAX;
5748         } else {
5749                 dst_reg->smin_value += smin_val;
5750                 dst_reg->smax_value += smax_val;
5751         }
5752         if (dst_reg->umin_value + umin_val < umin_val ||
5753             dst_reg->umax_value + umax_val < umax_val) {
5754                 dst_reg->umin_value = 0;
5755                 dst_reg->umax_value = U64_MAX;
5756         } else {
5757                 dst_reg->umin_value += umin_val;
5758                 dst_reg->umax_value += umax_val;
5759         }
5760 }
5761
5762 static void scalar32_min_max_sub(struct bpf_reg_state *dst_reg,
5763                                  struct bpf_reg_state *src_reg)
5764 {
5765         s32 smin_val = src_reg->s32_min_value;
5766         s32 smax_val = src_reg->s32_max_value;
5767         u32 umin_val = src_reg->u32_min_value;
5768         u32 umax_val = src_reg->u32_max_value;
5769
5770         if (signed_sub32_overflows(dst_reg->s32_min_value, smax_val) ||
5771             signed_sub32_overflows(dst_reg->s32_max_value, smin_val)) {
5772                 /* Overflow possible, we know nothing */
5773                 dst_reg->s32_min_value = S32_MIN;
5774                 dst_reg->s32_max_value = S32_MAX;
5775         } else {
5776                 dst_reg->s32_min_value -= smax_val;
5777                 dst_reg->s32_max_value -= smin_val;
5778         }
5779         if (dst_reg->u32_min_value < umax_val) {
5780                 /* Overflow possible, we know nothing */
5781                 dst_reg->u32_min_value = 0;
5782                 dst_reg->u32_max_value = U32_MAX;
5783         } else {
5784                 /* Cannot overflow (as long as bounds are consistent) */
5785                 dst_reg->u32_min_value -= umax_val;
5786                 dst_reg->u32_max_value -= umin_val;
5787         }
5788 }
5789
5790 static void scalar_min_max_sub(struct bpf_reg_state *dst_reg,
5791                                struct bpf_reg_state *src_reg)
5792 {
5793         s64 smin_val = src_reg->smin_value;
5794         s64 smax_val = src_reg->smax_value;
5795         u64 umin_val = src_reg->umin_value;
5796         u64 umax_val = src_reg->umax_value;
5797
5798         if (signed_sub_overflows(dst_reg->smin_value, smax_val) ||
5799             signed_sub_overflows(dst_reg->smax_value, smin_val)) {
5800                 /* Overflow possible, we know nothing */
5801                 dst_reg->smin_value = S64_MIN;
5802                 dst_reg->smax_value = S64_MAX;
5803         } else {
5804                 dst_reg->smin_value -= smax_val;
5805                 dst_reg->smax_value -= smin_val;
5806         }
5807         if (dst_reg->umin_value < umax_val) {
5808                 /* Overflow possible, we know nothing */
5809                 dst_reg->umin_value = 0;
5810                 dst_reg->umax_value = U64_MAX;
5811         } else {
5812                 /* Cannot overflow (as long as bounds are consistent) */
5813                 dst_reg->umin_value -= umax_val;
5814                 dst_reg->umax_value -= umin_val;
5815         }
5816 }
5817
5818 static void scalar32_min_max_mul(struct bpf_reg_state *dst_reg,
5819                                  struct bpf_reg_state *src_reg)
5820 {
5821         s32 smin_val = src_reg->s32_min_value;
5822         u32 umin_val = src_reg->u32_min_value;
5823         u32 umax_val = src_reg->u32_max_value;
5824
5825         if (smin_val < 0 || dst_reg->s32_min_value < 0) {
5826                 /* Ain't nobody got time to multiply that sign */
5827                 __mark_reg32_unbounded(dst_reg);
5828                 return;
5829         }
5830         /* Both values are positive, so we can work with unsigned and
5831          * copy the result to signed (unless it exceeds S32_MAX).
5832          */
5833         if (umax_val > U16_MAX || dst_reg->u32_max_value > U16_MAX) {
5834                 /* Potential overflow, we know nothing */
5835                 __mark_reg32_unbounded(dst_reg);
5836                 return;
5837         }
5838         dst_reg->u32_min_value *= umin_val;
5839         dst_reg->u32_max_value *= umax_val;
5840         if (dst_reg->u32_max_value > S32_MAX) {
5841                 /* Overflow possible, we know nothing */
5842                 dst_reg->s32_min_value = S32_MIN;
5843                 dst_reg->s32_max_value = S32_MAX;
5844         } else {
5845                 dst_reg->s32_min_value = dst_reg->u32_min_value;
5846                 dst_reg->s32_max_value = dst_reg->u32_max_value;
5847         }
5848 }
5849
5850 static void scalar_min_max_mul(struct bpf_reg_state *dst_reg,
5851                                struct bpf_reg_state *src_reg)
5852 {
5853         s64 smin_val = src_reg->smin_value;
5854         u64 umin_val = src_reg->umin_value;
5855         u64 umax_val = src_reg->umax_value;
5856
5857         if (smin_val < 0 || dst_reg->smin_value < 0) {
5858                 /* Ain't nobody got time to multiply that sign */
5859                 __mark_reg64_unbounded(dst_reg);
5860                 return;
5861         }
5862         /* Both values are positive, so we can work with unsigned and
5863          * copy the result to signed (unless it exceeds S64_MAX).
5864          */
5865         if (umax_val > U32_MAX || dst_reg->umax_value > U32_MAX) {
5866                 /* Potential overflow, we know nothing */
5867                 __mark_reg64_unbounded(dst_reg);
5868                 return;
5869         }
5870         dst_reg->umin_value *= umin_val;
5871         dst_reg->umax_value *= umax_val;
5872         if (dst_reg->umax_value > S64_MAX) {
5873                 /* Overflow possible, we know nothing */
5874                 dst_reg->smin_value = S64_MIN;
5875                 dst_reg->smax_value = S64_MAX;
5876         } else {
5877                 dst_reg->smin_value = dst_reg->umin_value;
5878                 dst_reg->smax_value = dst_reg->umax_value;
5879         }
5880 }
5881
5882 static void scalar32_min_max_and(struct bpf_reg_state *dst_reg,
5883                                  struct bpf_reg_state *src_reg)
5884 {
5885         bool src_known = tnum_subreg_is_const(src_reg->var_off);
5886         bool dst_known = tnum_subreg_is_const(dst_reg->var_off);
5887         struct tnum var32_off = tnum_subreg(dst_reg->var_off);
5888         s32 smin_val = src_reg->s32_min_value;
5889         u32 umax_val = src_reg->u32_max_value;
5890
5891         /* Assuming scalar64_min_max_and will be called so its safe
5892          * to skip updating register for known 32-bit case.
5893          */
5894         if (src_known && dst_known)
5895                 return;
5896
5897         /* We get our minimum from the var_off, since that's inherently
5898          * bitwise.  Our maximum is the minimum of the operands' maxima.
5899          */
5900         dst_reg->u32_min_value = var32_off.value;
5901         dst_reg->u32_max_value = min(dst_reg->u32_max_value, umax_val);
5902         if (dst_reg->s32_min_value < 0 || smin_val < 0) {
5903                 /* Lose signed bounds when ANDing negative numbers,
5904                  * ain't nobody got time for that.
5905                  */
5906                 dst_reg->s32_min_value = S32_MIN;
5907                 dst_reg->s32_max_value = S32_MAX;
5908         } else {
5909                 /* ANDing two positives gives a positive, so safe to
5910                  * cast result into s64.
5911                  */
5912                 dst_reg->s32_min_value = dst_reg->u32_min_value;
5913                 dst_reg->s32_max_value = dst_reg->u32_max_value;
5914         }
5915
5916 }
5917
5918 static void scalar_min_max_and(struct bpf_reg_state *dst_reg,
5919                                struct bpf_reg_state *src_reg)
5920 {
5921         bool src_known = tnum_is_const(src_reg->var_off);
5922         bool dst_known = tnum_is_const(dst_reg->var_off);
5923         s64 smin_val = src_reg->smin_value;
5924         u64 umax_val = src_reg->umax_value;
5925
5926         if (src_known && dst_known) {
5927                 __mark_reg_known(dst_reg, dst_reg->var_off.value);
5928                 return;
5929         }
5930
5931         /* We get our minimum from the var_off, since that's inherently
5932          * bitwise.  Our maximum is the minimum of the operands' maxima.
5933          */
5934         dst_reg->umin_value = dst_reg->var_off.value;
5935         dst_reg->umax_value = min(dst_reg->umax_value, umax_val);
5936         if (dst_reg->smin_value < 0 || smin_val < 0) {
5937                 /* Lose signed bounds when ANDing negative numbers,
5938                  * ain't nobody got time for that.
5939                  */
5940                 dst_reg->smin_value = S64_MIN;
5941                 dst_reg->smax_value = S64_MAX;
5942         } else {
5943                 /* ANDing two positives gives a positive, so safe to
5944                  * cast result into s64.
5945                  */
5946                 dst_reg->smin_value = dst_reg->umin_value;
5947                 dst_reg->smax_value = dst_reg->umax_value;
5948         }
5949         /* We may learn something more from the var_off */
5950         __update_reg_bounds(dst_reg);
5951 }
5952
5953 static void scalar32_min_max_or(struct bpf_reg_state *dst_reg,
5954                                 struct bpf_reg_state *src_reg)
5955 {
5956         bool src_known = tnum_subreg_is_const(src_reg->var_off);
5957         bool dst_known = tnum_subreg_is_const(dst_reg->var_off);
5958         struct tnum var32_off = tnum_subreg(dst_reg->var_off);
5959         s32 smin_val = src_reg->s32_min_value;
5960         u32 umin_val = src_reg->u32_min_value;
5961
5962         /* Assuming scalar64_min_max_or will be called so it is safe
5963          * to skip updating register for known case.
5964          */
5965         if (src_known && dst_known)
5966                 return;
5967
5968         /* We get our maximum from the var_off, and our minimum is the
5969          * maximum of the operands' minima
5970          */
5971         dst_reg->u32_min_value = max(dst_reg->u32_min_value, umin_val);
5972         dst_reg->u32_max_value = var32_off.value | var32_off.mask;
5973         if (dst_reg->s32_min_value < 0 || smin_val < 0) {
5974                 /* Lose signed bounds when ORing negative numbers,
5975                  * ain't nobody got time for that.
5976                  */
5977                 dst_reg->s32_min_value = S32_MIN;
5978                 dst_reg->s32_max_value = S32_MAX;
5979         } else {
5980                 /* ORing two positives gives a positive, so safe to
5981                  * cast result into s64.
5982                  */
5983                 dst_reg->s32_min_value = dst_reg->u32_min_value;
5984                 dst_reg->s32_max_value = dst_reg->u32_max_value;
5985         }
5986 }
5987
5988 static void scalar_min_max_or(struct bpf_reg_state *dst_reg,
5989                               struct bpf_reg_state *src_reg)
5990 {
5991         bool src_known = tnum_is_const(src_reg->var_off);
5992         bool dst_known = tnum_is_const(dst_reg->var_off);
5993         s64 smin_val = src_reg->smin_value;
5994         u64 umin_val = src_reg->umin_value;
5995
5996         if (src_known && dst_known) {
5997                 __mark_reg_known(dst_reg, dst_reg->var_off.value);
5998                 return;
5999         }
6000
6001         /* We get our maximum from the var_off, and our minimum is the
6002          * maximum of the operands' minima
6003          */
6004         dst_reg->umin_value = max(dst_reg->umin_value, umin_val);
6005         dst_reg->umax_value = dst_reg->var_off.value | dst_reg->var_off.mask;
6006         if (dst_reg->smin_value < 0 || smin_val < 0) {
6007                 /* Lose signed bounds when ORing negative numbers,
6008                  * ain't nobody got time for that.
6009                  */
6010                 dst_reg->smin_value = S64_MIN;
6011                 dst_reg->smax_value = S64_MAX;
6012         } else {
6013                 /* ORing two positives gives a positive, so safe to
6014                  * cast result into s64.
6015                  */
6016                 dst_reg->smin_value = dst_reg->umin_value;
6017                 dst_reg->smax_value = dst_reg->umax_value;
6018         }
6019         /* We may learn something more from the var_off */
6020         __update_reg_bounds(dst_reg);
6021 }
6022
6023 static void scalar32_min_max_xor(struct bpf_reg_state *dst_reg,
6024                                  struct bpf_reg_state *src_reg)
6025 {
6026         bool src_known = tnum_subreg_is_const(src_reg->var_off);
6027         bool dst_known = tnum_subreg_is_const(dst_reg->var_off);
6028         struct tnum var32_off = tnum_subreg(dst_reg->var_off);
6029         s32 smin_val = src_reg->s32_min_value;
6030
6031         /* Assuming scalar64_min_max_xor will be called so it is safe
6032          * to skip updating register for known case.
6033          */
6034         if (src_known && dst_known)
6035                 return;
6036
6037         /* We get both minimum and maximum from the var32_off. */
6038         dst_reg->u32_min_value = var32_off.value;
6039         dst_reg->u32_max_value = var32_off.value | var32_off.mask;
6040
6041         if (dst_reg->s32_min_value >= 0 && smin_val >= 0) {
6042                 /* XORing two positive sign numbers gives a positive,
6043                  * so safe to cast u32 result into s32.
6044                  */
6045                 dst_reg->s32_min_value = dst_reg->u32_min_value;
6046                 dst_reg->s32_max_value = dst_reg->u32_max_value;
6047         } else {
6048                 dst_reg->s32_min_value = S32_MIN;
6049                 dst_reg->s32_max_value = S32_MAX;
6050         }
6051 }
6052
6053 static void scalar_min_max_xor(struct bpf_reg_state *dst_reg,
6054                                struct bpf_reg_state *src_reg)
6055 {
6056         bool src_known = tnum_is_const(src_reg->var_off);
6057         bool dst_known = tnum_is_const(dst_reg->var_off);
6058         s64 smin_val = src_reg->smin_value;
6059
6060         if (src_known && dst_known) {
6061                 /* dst_reg->var_off.value has been updated earlier */
6062                 __mark_reg_known(dst_reg, dst_reg->var_off.value);
6063                 return;
6064         }
6065
6066         /* We get both minimum and maximum from the var_off. */
6067         dst_reg->umin_value = dst_reg->var_off.value;
6068         dst_reg->umax_value = dst_reg->var_off.value | dst_reg->var_off.mask;
6069
6070         if (dst_reg->smin_value >= 0 && smin_val >= 0) {
6071                 /* XORing two positive sign numbers gives a positive,
6072                  * so safe to cast u64 result into s64.
6073                  */
6074                 dst_reg->smin_value = dst_reg->umin_value;
6075                 dst_reg->smax_value = dst_reg->umax_value;
6076         } else {
6077                 dst_reg->smin_value = S64_MIN;
6078                 dst_reg->smax_value = S64_MAX;
6079         }
6080
6081         __update_reg_bounds(dst_reg);
6082 }
6083
6084 static void __scalar32_min_max_lsh(struct bpf_reg_state *dst_reg,
6085                                    u64 umin_val, u64 umax_val)
6086 {
6087         /* We lose all sign bit information (except what we can pick
6088          * up from var_off)
6089          */
6090         dst_reg->s32_min_value = S32_MIN;
6091         dst_reg->s32_max_value = S32_MAX;
6092         /* If we might shift our top bit out, then we know nothing */
6093         if (umax_val > 31 || dst_reg->u32_max_value > 1ULL << (31 - umax_val)) {
6094                 dst_reg->u32_min_value = 0;
6095                 dst_reg->u32_max_value = U32_MAX;
6096         } else {
6097                 dst_reg->u32_min_value <<= umin_val;
6098                 dst_reg->u32_max_value <<= umax_val;
6099         }
6100 }
6101
6102 static void scalar32_min_max_lsh(struct bpf_reg_state *dst_reg,
6103                                  struct bpf_reg_state *src_reg)
6104 {
6105         u32 umax_val = src_reg->u32_max_value;
6106         u32 umin_val = src_reg->u32_min_value;
6107         /* u32 alu operation will zext upper bits */
6108         struct tnum subreg = tnum_subreg(dst_reg->var_off);
6109
6110         __scalar32_min_max_lsh(dst_reg, umin_val, umax_val);
6111         dst_reg->var_off = tnum_subreg(tnum_lshift(subreg, umin_val));
6112         /* Not required but being careful mark reg64 bounds as unknown so
6113          * that we are forced to pick them up from tnum and zext later and
6114          * if some path skips this step we are still safe.
6115          */
6116         __mark_reg64_unbounded(dst_reg);
6117         __update_reg32_bounds(dst_reg);
6118 }
6119
6120 static void __scalar64_min_max_lsh(struct bpf_reg_state *dst_reg,
6121                                    u64 umin_val, u64 umax_val)
6122 {
6123         /* Special case <<32 because it is a common compiler pattern to sign
6124          * extend subreg by doing <<32 s>>32. In this case if 32bit bounds are
6125          * positive we know this shift will also be positive so we can track
6126          * bounds correctly. Otherwise we lose all sign bit information except
6127          * what we can pick up from var_off. Perhaps we can generalize this
6128          * later to shifts of any length.
6129          */
6130         if (umin_val == 32 && umax_val == 32 && dst_reg->s32_max_value >= 0)
6131                 dst_reg->smax_value = (s64)dst_reg->s32_max_value << 32;
6132         else
6133                 dst_reg->smax_value = S64_MAX;
6134
6135         if (umin_val == 32 && umax_val == 32 && dst_reg->s32_min_value >= 0)
6136                 dst_reg->smin_value = (s64)dst_reg->s32_min_value << 32;
6137         else
6138                 dst_reg->smin_value = S64_MIN;
6139
6140         /* If we might shift our top bit out, then we know nothing */
6141         if (dst_reg->umax_value > 1ULL << (63 - umax_val)) {
6142                 dst_reg->umin_value = 0;
6143                 dst_reg->umax_value = U64_MAX;
6144         } else {
6145                 dst_reg->umin_value <<= umin_val;
6146                 dst_reg->umax_value <<= umax_val;
6147         }
6148 }
6149
6150 static void scalar_min_max_lsh(struct bpf_reg_state *dst_reg,
6151                                struct bpf_reg_state *src_reg)
6152 {
6153         u64 umax_val = src_reg->umax_value;
6154         u64 umin_val = src_reg->umin_value;
6155
6156         /* scalar64 calc uses 32bit unshifted bounds so must be called first */
6157         __scalar64_min_max_lsh(dst_reg, umin_val, umax_val);
6158         __scalar32_min_max_lsh(dst_reg, umin_val, umax_val);
6159
6160         dst_reg->var_off = tnum_lshift(dst_reg->var_off, umin_val);
6161         /* We may learn something more from the var_off */
6162         __update_reg_bounds(dst_reg);
6163 }
6164
6165 static void scalar32_min_max_rsh(struct bpf_reg_state *dst_reg,
6166                                  struct bpf_reg_state *src_reg)
6167 {
6168         struct tnum subreg = tnum_subreg(dst_reg->var_off);
6169         u32 umax_val = src_reg->u32_max_value;
6170         u32 umin_val = src_reg->u32_min_value;
6171
6172         /* BPF_RSH is an unsigned shift.  If the value in dst_reg might
6173          * be negative, then either:
6174          * 1) src_reg might be zero, so the sign bit of the result is
6175          *    unknown, so we lose our signed bounds
6176          * 2) it's known negative, thus the unsigned bounds capture the
6177          *    signed bounds
6178          * 3) the signed bounds cross zero, so they tell us nothing
6179          *    about the result
6180          * If the value in dst_reg is known nonnegative, then again the
6181          * unsigned bounts capture the signed bounds.
6182          * Thus, in all cases it suffices to blow away our signed bounds
6183          * and rely on inferring new ones from the unsigned bounds and
6184          * var_off of the result.
6185          */
6186         dst_reg->s32_min_value = S32_MIN;
6187         dst_reg->s32_max_value = S32_MAX;
6188
6189         dst_reg->var_off = tnum_rshift(subreg, umin_val);
6190         dst_reg->u32_min_value >>= umax_val;
6191         dst_reg->u32_max_value >>= umin_val;
6192
6193         __mark_reg64_unbounded(dst_reg);
6194         __update_reg32_bounds(dst_reg);
6195 }
6196
6197 static void scalar_min_max_rsh(struct bpf_reg_state *dst_reg,
6198                                struct bpf_reg_state *src_reg)
6199 {
6200         u64 umax_val = src_reg->umax_value;
6201         u64 umin_val = src_reg->umin_value;
6202
6203         /* BPF_RSH is an unsigned shift.  If the value in dst_reg might
6204          * be negative, then either:
6205          * 1) src_reg might be zero, so the sign bit of the result is
6206          *    unknown, so we lose our signed bounds
6207          * 2) it's known negative, thus the unsigned bounds capture the
6208          *    signed bounds
6209          * 3) the signed bounds cross zero, so they tell us nothing
6210          *    about the result
6211          * If the value in dst_reg is known nonnegative, then again the
6212          * unsigned bounts capture the signed bounds.
6213          * Thus, in all cases it suffices to blow away our signed bounds
6214          * and rely on inferring new ones from the unsigned bounds and
6215          * var_off of the result.
6216          */
6217         dst_reg->smin_value = S64_MIN;
6218         dst_reg->smax_value = S64_MAX;
6219         dst_reg->var_off = tnum_rshift(dst_reg->var_off, umin_val);
6220         dst_reg->umin_value >>= umax_val;
6221         dst_reg->umax_value >>= umin_val;
6222
6223         /* Its not easy to operate on alu32 bounds here because it depends
6224          * on bits being shifted in. Take easy way out and mark unbounded
6225          * so we can recalculate later from tnum.
6226          */
6227         __mark_reg32_unbounded(dst_reg);
6228         __update_reg_bounds(dst_reg);
6229 }
6230
6231 static void scalar32_min_max_arsh(struct bpf_reg_state *dst_reg,
6232                                   struct bpf_reg_state *src_reg)
6233 {
6234         u64 umin_val = src_reg->u32_min_value;
6235
6236         /* Upon reaching here, src_known is true and
6237          * umax_val is equal to umin_val.
6238          */
6239         dst_reg->s32_min_value = (u32)(((s32)dst_reg->s32_min_value) >> umin_val);
6240         dst_reg->s32_max_value = (u32)(((s32)dst_reg->s32_max_value) >> umin_val);
6241
6242         dst_reg->var_off = tnum_arshift(tnum_subreg(dst_reg->var_off), umin_val, 32);
6243
6244         /* blow away the dst_reg umin_value/umax_value and rely on
6245          * dst_reg var_off to refine the result.
6246          */
6247         dst_reg->u32_min_value = 0;
6248         dst_reg->u32_max_value = U32_MAX;
6249
6250         __mark_reg64_unbounded(dst_reg);
6251         __update_reg32_bounds(dst_reg);
6252 }
6253
6254 static void scalar_min_max_arsh(struct bpf_reg_state *dst_reg,
6255                                 struct bpf_reg_state *src_reg)
6256 {
6257         u64 umin_val = src_reg->umin_value;
6258
6259         /* Upon reaching here, src_known is true and umax_val is equal
6260          * to umin_val.
6261          */
6262         dst_reg->smin_value >>= umin_val;
6263         dst_reg->smax_value >>= umin_val;
6264
6265         dst_reg->var_off = tnum_arshift(dst_reg->var_off, umin_val, 64);
6266
6267         /* blow away the dst_reg umin_value/umax_value and rely on
6268          * dst_reg var_off to refine the result.
6269          */
6270         dst_reg->umin_value = 0;
6271         dst_reg->umax_value = U64_MAX;
6272
6273         /* Its not easy to operate on alu32 bounds here because it depends
6274          * on bits being shifted in from upper 32-bits. Take easy way out
6275          * and mark unbounded so we can recalculate later from tnum.
6276          */
6277         __mark_reg32_unbounded(dst_reg);
6278         __update_reg_bounds(dst_reg);
6279 }
6280
6281 /* WARNING: This function does calculations on 64-bit values, but the actual
6282  * execution may occur on 32-bit values. Therefore, things like bitshifts
6283  * need extra checks in the 32-bit case.
6284  */
6285 static int adjust_scalar_min_max_vals(struct bpf_verifier_env *env,
6286                                       struct bpf_insn *insn,
6287                                       struct bpf_reg_state *dst_reg,
6288                                       struct bpf_reg_state src_reg)
6289 {
6290         struct bpf_reg_state *regs = cur_regs(env);
6291         u8 opcode = BPF_OP(insn->code);
6292         bool src_known;
6293         s64 smin_val, smax_val;
6294         u64 umin_val, umax_val;
6295         s32 s32_min_val, s32_max_val;
6296         u32 u32_min_val, u32_max_val;
6297         u64 insn_bitness = (BPF_CLASS(insn->code) == BPF_ALU64) ? 64 : 32;
6298         u32 dst = insn->dst_reg;
6299         int ret;
6300         bool alu32 = (BPF_CLASS(insn->code) != BPF_ALU64);
6301
6302         smin_val = src_reg.smin_value;
6303         smax_val = src_reg.smax_value;
6304         umin_val = src_reg.umin_value;
6305         umax_val = src_reg.umax_value;
6306
6307         s32_min_val = src_reg.s32_min_value;
6308         s32_max_val = src_reg.s32_max_value;
6309         u32_min_val = src_reg.u32_min_value;
6310         u32_max_val = src_reg.u32_max_value;
6311
6312         if (alu32) {
6313                 src_known = tnum_subreg_is_const(src_reg.var_off);
6314                 if ((src_known &&
6315                      (s32_min_val != s32_max_val || u32_min_val != u32_max_val)) ||
6316                     s32_min_val > s32_max_val || u32_min_val > u32_max_val) {
6317                         /* Taint dst register if offset had invalid bounds
6318                          * derived from e.g. dead branches.
6319                          */
6320                         __mark_reg_unknown(env, dst_reg);
6321                         return 0;
6322                 }
6323         } else {
6324                 src_known = tnum_is_const(src_reg.var_off);
6325                 if ((src_known &&
6326                      (smin_val != smax_val || umin_val != umax_val)) ||
6327                     smin_val > smax_val || umin_val > umax_val) {
6328                         /* Taint dst register if offset had invalid bounds
6329                          * derived from e.g. dead branches.
6330                          */
6331                         __mark_reg_unknown(env, dst_reg);
6332                         return 0;
6333                 }
6334         }
6335
6336         if (!src_known &&
6337             opcode != BPF_ADD && opcode != BPF_SUB && opcode != BPF_AND) {
6338                 __mark_reg_unknown(env, dst_reg);
6339                 return 0;
6340         }
6341
6342         /* Calculate sign/unsigned bounds and tnum for alu32 and alu64 bit ops.
6343          * There are two classes of instructions: The first class we track both
6344          * alu32 and alu64 sign/unsigned bounds independently this provides the
6345          * greatest amount of precision when alu operations are mixed with jmp32
6346          * operations. These operations are BPF_ADD, BPF_SUB, BPF_MUL, BPF_ADD,
6347          * and BPF_OR. This is possible because these ops have fairly easy to
6348          * understand and calculate behavior in both 32-bit and 64-bit alu ops.
6349          * See alu32 verifier tests for examples. The second class of
6350          * operations, BPF_LSH, BPF_RSH, and BPF_ARSH, however are not so easy
6351          * with regards to tracking sign/unsigned bounds because the bits may
6352          * cross subreg boundaries in the alu64 case. When this happens we mark
6353          * the reg unbounded in the subreg bound space and use the resulting
6354          * tnum to calculate an approximation of the sign/unsigned bounds.
6355          */
6356         switch (opcode) {
6357         case BPF_ADD:
6358                 ret = sanitize_val_alu(env, insn);
6359                 if (ret < 0) {
6360                         verbose(env, "R%d tried to add from different pointers or scalars\n", dst);
6361                         return ret;
6362                 }
6363                 scalar32_min_max_add(dst_reg, &src_reg);
6364                 scalar_min_max_add(dst_reg, &src_reg);
6365                 dst_reg->var_off = tnum_add(dst_reg->var_off, src_reg.var_off);
6366                 break;
6367         case BPF_SUB:
6368                 ret = sanitize_val_alu(env, insn);
6369                 if (ret < 0) {
6370                         verbose(env, "R%d tried to sub from different pointers or scalars\n", dst);
6371                         return ret;
6372                 }
6373                 scalar32_min_max_sub(dst_reg, &src_reg);
6374                 scalar_min_max_sub(dst_reg, &src_reg);
6375                 dst_reg->var_off = tnum_sub(dst_reg->var_off, src_reg.var_off);
6376                 break;
6377         case BPF_MUL:
6378                 dst_reg->var_off = tnum_mul(dst_reg->var_off, src_reg.var_off);
6379                 scalar32_min_max_mul(dst_reg, &src_reg);
6380                 scalar_min_max_mul(dst_reg, &src_reg);
6381                 break;
6382         case BPF_AND:
6383                 dst_reg->var_off = tnum_and(dst_reg->var_off, src_reg.var_off);
6384                 scalar32_min_max_and(dst_reg, &src_reg);
6385                 scalar_min_max_and(dst_reg, &src_reg);
6386                 break;
6387         case BPF_OR:
6388                 dst_reg->var_off = tnum_or(dst_reg->var_off, src_reg.var_off);
6389                 scalar32_min_max_or(dst_reg, &src_reg);
6390                 scalar_min_max_or(dst_reg, &src_reg);
6391                 break;
6392         case BPF_XOR:
6393                 dst_reg->var_off = tnum_xor(dst_reg->var_off, src_reg.var_off);
6394                 scalar32_min_max_xor(dst_reg, &src_reg);
6395                 scalar_min_max_xor(dst_reg, &src_reg);
6396                 break;
6397         case BPF_LSH:
6398                 if (umax_val >= insn_bitness) {
6399                         /* Shifts greater than 31 or 63 are undefined.
6400                          * This includes shifts by a negative number.
6401                          */
6402                         mark_reg_unknown(env, regs, insn->dst_reg);
6403                         break;
6404                 }
6405                 if (alu32)
6406                         scalar32_min_max_lsh(dst_reg, &src_reg);
6407                 else
6408                         scalar_min_max_lsh(dst_reg, &src_reg);
6409                 break;
6410         case BPF_RSH:
6411                 if (umax_val >= insn_bitness) {
6412                         /* Shifts greater than 31 or 63 are undefined.
6413                          * This includes shifts by a negative number.
6414                          */
6415                         mark_reg_unknown(env, regs, insn->dst_reg);
6416                         break;
6417                 }
6418                 if (alu32)
6419                         scalar32_min_max_rsh(dst_reg, &src_reg);
6420                 else
6421                         scalar_min_max_rsh(dst_reg, &src_reg);
6422                 break;
6423         case BPF_ARSH:
6424                 if (umax_val >= insn_bitness) {
6425                         /* Shifts greater than 31 or 63 are undefined.
6426                          * This includes shifts by a negative number.
6427                          */
6428                         mark_reg_unknown(env, regs, insn->dst_reg);
6429                         break;
6430                 }
6431                 if (alu32)
6432                         scalar32_min_max_arsh(dst_reg, &src_reg);
6433                 else
6434                         scalar_min_max_arsh(dst_reg, &src_reg);
6435                 break;
6436         default:
6437                 mark_reg_unknown(env, regs, insn->dst_reg);
6438                 break;
6439         }
6440
6441         /* ALU32 ops are zero extended into 64bit register */
6442         if (alu32)
6443                 zext_32_to_64(dst_reg);
6444
6445         __update_reg_bounds(dst_reg);
6446         __reg_deduce_bounds(dst_reg);
6447         __reg_bound_offset(dst_reg);
6448         return 0;
6449 }
6450
6451 /* Handles ALU ops other than BPF_END, BPF_NEG and BPF_MOV: computes new min/max
6452  * and var_off.
6453  */
6454 static int adjust_reg_min_max_vals(struct bpf_verifier_env *env,
6455                                    struct bpf_insn *insn)
6456 {
6457         struct bpf_verifier_state *vstate = env->cur_state;
6458         struct bpf_func_state *state = vstate->frame[vstate->curframe];
6459         struct bpf_reg_state *regs = state->regs, *dst_reg, *src_reg;
6460         struct bpf_reg_state *ptr_reg = NULL, off_reg = {0};
6461         u8 opcode = BPF_OP(insn->code);
6462         int err;
6463
6464         dst_reg = &regs[insn->dst_reg];
6465         src_reg = NULL;
6466         if (dst_reg->type != SCALAR_VALUE)
6467                 ptr_reg = dst_reg;
6468         else
6469                 /* Make sure ID is cleared otherwise dst_reg min/max could be
6470                  * incorrectly propagated into other registers by find_equal_scalars()
6471                  */
6472                 dst_reg->id = 0;
6473         if (BPF_SRC(insn->code) == BPF_X) {
6474                 src_reg = &regs[insn->src_reg];
6475                 if (src_reg->type != SCALAR_VALUE) {
6476                         if (dst_reg->type != SCALAR_VALUE) {
6477                                 /* Combining two pointers by any ALU op yields
6478                                  * an arbitrary scalar. Disallow all math except
6479                                  * pointer subtraction
6480                                  */
6481                                 if (opcode == BPF_SUB && env->allow_ptr_leaks) {
6482                                         mark_reg_unknown(env, regs, insn->dst_reg);
6483                                         return 0;
6484                                 }
6485                                 verbose(env, "R%d pointer %s pointer prohibited\n",
6486                                         insn->dst_reg,
6487                                         bpf_alu_string[opcode >> 4]);
6488                                 return -EACCES;
6489                         } else {
6490                                 /* scalar += pointer
6491                                  * This is legal, but we have to reverse our
6492                                  * src/dest handling in computing the range
6493                                  */
6494                                 err = mark_chain_precision(env, insn->dst_reg);
6495                                 if (err)
6496                                         return err;
6497                                 return adjust_ptr_min_max_vals(env, insn,
6498                                                                src_reg, dst_reg);
6499                         }
6500                 } else if (ptr_reg) {
6501                         /* pointer += scalar */
6502                         err = mark_chain_precision(env, insn->src_reg);
6503                         if (err)
6504                                 return err;
6505                         return adjust_ptr_min_max_vals(env, insn,
6506                                                        dst_reg, src_reg);
6507                 }
6508         } else {
6509                 /* Pretend the src is a reg with a known value, since we only
6510                  * need to be able to read from this state.
6511                  */
6512                 off_reg.type = SCALAR_VALUE;
6513                 __mark_reg_known(&off_reg, insn->imm);
6514                 src_reg = &off_reg;
6515                 if (ptr_reg) /* pointer += K */
6516                         return adjust_ptr_min_max_vals(env, insn,
6517                                                        ptr_reg, src_reg);
6518         }
6519
6520         /* Got here implies adding two SCALAR_VALUEs */
6521         if (WARN_ON_ONCE(ptr_reg)) {
6522                 print_verifier_state(env, state);
6523                 verbose(env, "verifier internal error: unexpected ptr_reg\n");
6524                 return -EINVAL;
6525         }
6526         if (WARN_ON(!src_reg)) {
6527                 print_verifier_state(env, state);
6528                 verbose(env, "verifier internal error: no src_reg\n");
6529                 return -EINVAL;
6530         }
6531         return adjust_scalar_min_max_vals(env, insn, dst_reg, *src_reg);
6532 }
6533
6534 /* check validity of 32-bit and 64-bit arithmetic operations */
6535 static int check_alu_op(struct bpf_verifier_env *env, struct bpf_insn *insn)
6536 {
6537         struct bpf_reg_state *regs = cur_regs(env);
6538         u8 opcode = BPF_OP(insn->code);
6539         int err;
6540
6541         if (opcode == BPF_END || opcode == BPF_NEG) {
6542                 if (opcode == BPF_NEG) {
6543                         if (BPF_SRC(insn->code) != 0 ||
6544                             insn->src_reg != BPF_REG_0 ||
6545                             insn->off != 0 || insn->imm != 0) {
6546                                 verbose(env, "BPF_NEG uses reserved fields\n");
6547                                 return -EINVAL;
6548                         }
6549                 } else {
6550                         if (insn->src_reg != BPF_REG_0 || insn->off != 0 ||
6551                             (insn->imm != 16 && insn->imm != 32 && insn->imm != 64) ||
6552                             BPF_CLASS(insn->code) == BPF_ALU64) {
6553                                 verbose(env, "BPF_END uses reserved fields\n");
6554                                 return -EINVAL;
6555                         }
6556                 }
6557
6558                 /* check src operand */
6559                 err = check_reg_arg(env, insn->dst_reg, SRC_OP);
6560                 if (err)
6561                         return err;
6562
6563                 if (is_pointer_value(env, insn->dst_reg)) {
6564                         verbose(env, "R%d pointer arithmetic prohibited\n",
6565                                 insn->dst_reg);
6566                         return -EACCES;
6567                 }
6568
6569                 /* check dest operand */
6570                 err = check_reg_arg(env, insn->dst_reg, DST_OP);
6571                 if (err)
6572                         return err;
6573
6574         } else if (opcode == BPF_MOV) {
6575
6576                 if (BPF_SRC(insn->code) == BPF_X) {
6577                         if (insn->imm != 0 || insn->off != 0) {
6578                                 verbose(env, "BPF_MOV uses reserved fields\n");
6579                                 return -EINVAL;
6580                         }
6581
6582                         /* check src operand */
6583                         err = check_reg_arg(env, insn->src_reg, SRC_OP);
6584                         if (err)
6585                                 return err;
6586                 } else {
6587                         if (insn->src_reg != BPF_REG_0 || insn->off != 0) {
6588                                 verbose(env, "BPF_MOV uses reserved fields\n");
6589                                 return -EINVAL;
6590                         }
6591                 }
6592
6593                 /* check dest operand, mark as required later */
6594                 err = check_reg_arg(env, insn->dst_reg, DST_OP_NO_MARK);
6595                 if (err)
6596                         return err;
6597
6598                 if (BPF_SRC(insn->code) == BPF_X) {
6599                         struct bpf_reg_state *src_reg = regs + insn->src_reg;
6600                         struct bpf_reg_state *dst_reg = regs + insn->dst_reg;
6601
6602                         if (BPF_CLASS(insn->code) == BPF_ALU64) {
6603                                 /* case: R1 = R2
6604                                  * copy register state to dest reg
6605                                  */
6606                                 if (src_reg->type == SCALAR_VALUE && !src_reg->id)
6607                                         /* Assign src and dst registers the same ID
6608                                          * that will be used by find_equal_scalars()
6609                                          * to propagate min/max range.
6610                                          */
6611                                         src_reg->id = ++env->id_gen;
6612                                 *dst_reg = *src_reg;
6613                                 dst_reg->live |= REG_LIVE_WRITTEN;
6614                                 dst_reg->subreg_def = DEF_NOT_SUBREG;
6615                         } else {
6616                                 /* R1 = (u32) R2 */
6617                                 if (is_pointer_value(env, insn->src_reg)) {
6618                                         verbose(env,
6619                                                 "R%d partial copy of pointer\n",
6620                                                 insn->src_reg);
6621                                         return -EACCES;
6622                                 } else if (src_reg->type == SCALAR_VALUE) {
6623                                         *dst_reg = *src_reg;
6624                                         /* Make sure ID is cleared otherwise
6625                                          * dst_reg min/max could be incorrectly
6626                                          * propagated into src_reg by find_equal_scalars()
6627                                          */
6628                                         dst_reg->id = 0;
6629                                         dst_reg->live |= REG_LIVE_WRITTEN;
6630                                         dst_reg->subreg_def = env->insn_idx + 1;
6631                                 } else {
6632                                         mark_reg_unknown(env, regs,
6633                                                          insn->dst_reg);
6634                                 }
6635                                 zext_32_to_64(dst_reg);
6636                         }
6637                 } else {
6638                         /* case: R = imm
6639                          * remember the value we stored into this reg
6640                          */
6641                         /* clear any state __mark_reg_known doesn't set */
6642                         mark_reg_unknown(env, regs, insn->dst_reg);
6643                         regs[insn->dst_reg].type = SCALAR_VALUE;
6644                         if (BPF_CLASS(insn->code) == BPF_ALU64) {
6645                                 __mark_reg_known(regs + insn->dst_reg,
6646                                                  insn->imm);
6647                         } else {
6648                                 __mark_reg_known(regs + insn->dst_reg,
6649                                                  (u32)insn->imm);
6650                         }
6651                 }
6652
6653         } else if (opcode > BPF_END) {
6654                 verbose(env, "invalid BPF_ALU opcode %x\n", opcode);
6655                 return -EINVAL;
6656
6657         } else {        /* all other ALU ops: and, sub, xor, add, ... */
6658
6659                 if (BPF_SRC(insn->code) == BPF_X) {
6660                         if (insn->imm != 0 || insn->off != 0) {
6661                                 verbose(env, "BPF_ALU uses reserved fields\n");
6662                                 return -EINVAL;
6663                         }
6664                         /* check src1 operand */
6665                         err = check_reg_arg(env, insn->src_reg, SRC_OP);
6666                         if (err)
6667                                 return err;
6668                 } else {
6669                         if (insn->src_reg != BPF_REG_0 || insn->off != 0) {
6670                                 verbose(env, "BPF_ALU uses reserved fields\n");
6671                                 return -EINVAL;
6672                         }
6673                 }
6674
6675                 /* check src2 operand */
6676                 err = check_reg_arg(env, insn->dst_reg, SRC_OP);
6677                 if (err)
6678                         return err;
6679
6680                 if ((opcode == BPF_MOD || opcode == BPF_DIV) &&
6681                     BPF_SRC(insn->code) == BPF_K && insn->imm == 0) {
6682                         verbose(env, "div by zero\n");
6683                         return -EINVAL;
6684                 }
6685
6686                 if ((opcode == BPF_LSH || opcode == BPF_RSH ||
6687                      opcode == BPF_ARSH) && BPF_SRC(insn->code) == BPF_K) {
6688                         int size = BPF_CLASS(insn->code) == BPF_ALU64 ? 64 : 32;
6689
6690                         if (insn->imm < 0 || insn->imm >= size) {
6691                                 verbose(env, "invalid shift %d\n", insn->imm);
6692                                 return -EINVAL;
6693                         }
6694                 }
6695
6696                 /* check dest operand */
6697                 err = check_reg_arg(env, insn->dst_reg, DST_OP_NO_MARK);
6698                 if (err)
6699                         return err;
6700
6701                 return adjust_reg_min_max_vals(env, insn);
6702         }
6703
6704         return 0;
6705 }
6706
6707 static void __find_good_pkt_pointers(struct bpf_func_state *state,
6708                                      struct bpf_reg_state *dst_reg,
6709                                      enum bpf_reg_type type, u16 new_range)
6710 {
6711         struct bpf_reg_state *reg;
6712         int i;
6713
6714         for (i = 0; i < MAX_BPF_REG; i++) {
6715                 reg = &state->regs[i];
6716                 if (reg->type == type && reg->id == dst_reg->id)
6717                         /* keep the maximum range already checked */
6718                         reg->range = max(reg->range, new_range);
6719         }
6720
6721         bpf_for_each_spilled_reg(i, state, reg) {
6722                 if (!reg)
6723                         continue;
6724                 if (reg->type == type && reg->id == dst_reg->id)
6725                         reg->range = max(reg->range, new_range);
6726         }
6727 }
6728
6729 static void find_good_pkt_pointers(struct bpf_verifier_state *vstate,
6730                                    struct bpf_reg_state *dst_reg,
6731                                    enum bpf_reg_type type,
6732                                    bool range_right_open)
6733 {
6734         u16 new_range;
6735         int i;
6736
6737         if (dst_reg->off < 0 ||
6738             (dst_reg->off == 0 && range_right_open))
6739                 /* This doesn't give us any range */
6740                 return;
6741
6742         if (dst_reg->umax_value > MAX_PACKET_OFF ||
6743             dst_reg->umax_value + dst_reg->off > MAX_PACKET_OFF)
6744                 /* Risk of overflow.  For instance, ptr + (1<<63) may be less
6745                  * than pkt_end, but that's because it's also less than pkt.
6746                  */
6747                 return;
6748
6749         new_range = dst_reg->off;
6750         if (range_right_open)
6751                 new_range--;
6752
6753         /* Examples for register markings:
6754          *
6755          * pkt_data in dst register:
6756          *
6757          *   r2 = r3;
6758          *   r2 += 8;
6759          *   if (r2 > pkt_end) goto <handle exception>
6760          *   <access okay>
6761          *
6762          *   r2 = r3;
6763          *   r2 += 8;
6764          *   if (r2 < pkt_end) goto <access okay>
6765          *   <handle exception>
6766          *
6767          *   Where:
6768          *     r2 == dst_reg, pkt_end == src_reg
6769          *     r2=pkt(id=n,off=8,r=0)
6770          *     r3=pkt(id=n,off=0,r=0)
6771          *
6772          * pkt_data in src register:
6773          *
6774          *   r2 = r3;
6775          *   r2 += 8;
6776          *   if (pkt_end >= r2) goto <access okay>
6777          *   <handle exception>
6778          *
6779          *   r2 = r3;
6780          *   r2 += 8;
6781          *   if (pkt_end <= r2) goto <handle exception>
6782          *   <access okay>
6783          *
6784          *   Where:
6785          *     pkt_end == dst_reg, r2 == src_reg
6786          *     r2=pkt(id=n,off=8,r=0)
6787          *     r3=pkt(id=n,off=0,r=0)
6788          *
6789          * Find register r3 and mark its range as r3=pkt(id=n,off=0,r=8)
6790          * or r3=pkt(id=n,off=0,r=8-1), so that range of bytes [r3, r3 + 8)
6791          * and [r3, r3 + 8-1) respectively is safe to access depending on
6792          * the check.
6793          */
6794
6795         /* If our ids match, then we must have the same max_value.  And we
6796          * don't care about the other reg's fixed offset, since if it's too big
6797          * the range won't allow anything.
6798          * dst_reg->off is known < MAX_PACKET_OFF, therefore it fits in a u16.
6799          */
6800         for (i = 0; i <= vstate->curframe; i++)
6801                 __find_good_pkt_pointers(vstate->frame[i], dst_reg, type,
6802                                          new_range);
6803 }
6804
6805 static int is_branch32_taken(struct bpf_reg_state *reg, u32 val, u8 opcode)
6806 {
6807         struct tnum subreg = tnum_subreg(reg->var_off);
6808         s32 sval = (s32)val;
6809
6810         switch (opcode) {
6811         case BPF_JEQ:
6812                 if (tnum_is_const(subreg))
6813                         return !!tnum_equals_const(subreg, val);
6814                 break;
6815         case BPF_JNE:
6816                 if (tnum_is_const(subreg))
6817                         return !tnum_equals_const(subreg, val);
6818                 break;
6819         case BPF_JSET:
6820                 if ((~subreg.mask & subreg.value) & val)
6821                         return 1;
6822                 if (!((subreg.mask | subreg.value) & val))
6823                         return 0;
6824                 break;
6825         case BPF_JGT:
6826                 if (reg->u32_min_value > val)
6827                         return 1;
6828                 else if (reg->u32_max_value <= val)
6829                         return 0;
6830                 break;
6831         case BPF_JSGT:
6832                 if (reg->s32_min_value > sval)
6833                         return 1;
6834                 else if (reg->s32_max_value <= sval)
6835                         return 0;
6836                 break;
6837         case BPF_JLT:
6838                 if (reg->u32_max_value < val)
6839                         return 1;
6840                 else if (reg->u32_min_value >= val)
6841                         return 0;
6842                 break;
6843         case BPF_JSLT:
6844                 if (reg->s32_max_value < sval)
6845                         return 1;
6846                 else if (reg->s32_min_value >= sval)
6847                         return 0;
6848                 break;
6849         case BPF_JGE:
6850                 if (reg->u32_min_value >= val)
6851                         return 1;
6852                 else if (reg->u32_max_value < val)
6853                         return 0;
6854                 break;
6855         case BPF_JSGE:
6856                 if (reg->s32_min_value >= sval)
6857                         return 1;
6858                 else if (reg->s32_max_value < sval)
6859                         return 0;
6860                 break;
6861         case BPF_JLE:
6862                 if (reg->u32_max_value <= val)
6863                         return 1;
6864                 else if (reg->u32_min_value > val)
6865                         return 0;
6866                 break;
6867         case BPF_JSLE:
6868                 if (reg->s32_max_value <= sval)
6869                         return 1;
6870                 else if (reg->s32_min_value > sval)
6871                         return 0;
6872                 break;
6873         }
6874
6875         return -1;
6876 }
6877
6878
6879 static int is_branch64_taken(struct bpf_reg_state *reg, u64 val, u8 opcode)
6880 {
6881         s64 sval = (s64)val;
6882
6883         switch (opcode) {
6884         case BPF_JEQ:
6885                 if (tnum_is_const(reg->var_off))
6886                         return !!tnum_equals_const(reg->var_off, val);
6887                 break;
6888         case BPF_JNE:
6889                 if (tnum_is_const(reg->var_off))
6890                         return !tnum_equals_const(reg->var_off, val);
6891                 break;
6892         case BPF_JSET:
6893                 if ((~reg->var_off.mask & reg->var_off.value) & val)
6894                         return 1;
6895                 if (!((reg->var_off.mask | reg->var_off.value) & val))
6896                         return 0;
6897                 break;
6898         case BPF_JGT:
6899                 if (reg->umin_value > val)
6900                         return 1;
6901                 else if (reg->umax_value <= val)
6902                         return 0;
6903                 break;
6904         case BPF_JSGT:
6905                 if (reg->smin_value > sval)
6906                         return 1;
6907                 else if (reg->smax_value <= sval)
6908                         return 0;
6909                 break;
6910         case BPF_JLT:
6911                 if (reg->umax_value < val)
6912                         return 1;
6913                 else if (reg->umin_value >= val)
6914                         return 0;
6915                 break;
6916         case BPF_JSLT:
6917                 if (reg->smax_value < sval)
6918                         return 1;
6919                 else if (reg->smin_value >= sval)
6920                         return 0;
6921                 break;
6922         case BPF_JGE:
6923                 if (reg->umin_value >= val)
6924                         return 1;
6925                 else if (reg->umax_value < val)
6926                         return 0;
6927                 break;
6928         case BPF_JSGE:
6929                 if (reg->smin_value >= sval)
6930                         return 1;
6931                 else if (reg->smax_value < sval)
6932                         return 0;
6933                 break;
6934         case BPF_JLE:
6935                 if (reg->umax_value <= val)
6936                         return 1;
6937                 else if (reg->umin_value > val)
6938                         return 0;
6939                 break;
6940         case BPF_JSLE:
6941                 if (reg->smax_value <= sval)
6942                         return 1;
6943                 else if (reg->smin_value > sval)
6944                         return 0;
6945                 break;
6946         }
6947
6948         return -1;
6949 }
6950
6951 /* compute branch direction of the expression "if (reg opcode val) goto target;"
6952  * and return:
6953  *  1 - branch will be taken and "goto target" will be executed
6954  *  0 - branch will not be taken and fall-through to next insn
6955  * -1 - unknown. Example: "if (reg < 5)" is unknown when register value
6956  *      range [0,10]
6957  */
6958 static int is_branch_taken(struct bpf_reg_state *reg, u64 val, u8 opcode,
6959                            bool is_jmp32)
6960 {
6961         if (__is_pointer_value(false, reg)) {
6962                 if (!reg_type_not_null(reg->type))
6963                         return -1;
6964
6965                 /* If pointer is valid tests against zero will fail so we can
6966                  * use this to direct branch taken.
6967                  */
6968                 if (val != 0)
6969                         return -1;
6970
6971                 switch (opcode) {
6972                 case BPF_JEQ:
6973                         return 0;
6974                 case BPF_JNE:
6975                         return 1;
6976                 default:
6977                         return -1;
6978                 }
6979         }
6980
6981         if (is_jmp32)
6982                 return is_branch32_taken(reg, val, opcode);
6983         return is_branch64_taken(reg, val, opcode);
6984 }
6985
6986 /* Adjusts the register min/max values in the case that the dst_reg is the
6987  * variable register that we are working on, and src_reg is a constant or we're
6988  * simply doing a BPF_K check.
6989  * In JEQ/JNE cases we also adjust the var_off values.
6990  */
6991 static void reg_set_min_max(struct bpf_reg_state *true_reg,
6992                             struct bpf_reg_state *false_reg,
6993                             u64 val, u32 val32,
6994                             u8 opcode, bool is_jmp32)
6995 {
6996         struct tnum false_32off = tnum_subreg(false_reg->var_off);
6997         struct tnum false_64off = false_reg->var_off;
6998         struct tnum true_32off = tnum_subreg(true_reg->var_off);
6999         struct tnum true_64off = true_reg->var_off;
7000         s64 sval = (s64)val;
7001         s32 sval32 = (s32)val32;
7002
7003         /* If the dst_reg is a pointer, we can't learn anything about its
7004          * variable offset from the compare (unless src_reg were a pointer into
7005          * the same object, but we don't bother with that.
7006          * Since false_reg and true_reg have the same type by construction, we
7007          * only need to check one of them for pointerness.
7008          */
7009         if (__is_pointer_value(false, false_reg))
7010                 return;
7011
7012         switch (opcode) {
7013         case BPF_JEQ:
7014         case BPF_JNE:
7015         {
7016                 struct bpf_reg_state *reg =
7017                         opcode == BPF_JEQ ? true_reg : false_reg;
7018
7019                 /* JEQ/JNE comparison doesn't change the register equivalence.
7020                  * r1 = r2;
7021                  * if (r1 == 42) goto label;
7022                  * ...
7023                  * label: // here both r1 and r2 are known to be 42.
7024                  *
7025                  * Hence when marking register as known preserve it's ID.
7026                  */
7027                 if (is_jmp32)
7028                         __mark_reg32_known(reg, val32);
7029                 else
7030                         ___mark_reg_known(reg, val);
7031                 break;
7032         }
7033         case BPF_JSET:
7034                 if (is_jmp32) {
7035                         false_32off = tnum_and(false_32off, tnum_const(~val32));
7036                         if (is_power_of_2(val32))
7037                                 true_32off = tnum_or(true_32off,
7038                                                      tnum_const(val32));
7039                 } else {
7040                         false_64off = tnum_and(false_64off, tnum_const(~val));
7041                         if (is_power_of_2(val))
7042                                 true_64off = tnum_or(true_64off,
7043                                                      tnum_const(val));
7044                 }
7045                 break;
7046         case BPF_JGE:
7047         case BPF_JGT:
7048         {
7049                 if (is_jmp32) {
7050                         u32 false_umax = opcode == BPF_JGT ? val32  : val32 - 1;
7051                         u32 true_umin = opcode == BPF_JGT ? val32 + 1 : val32;
7052
7053                         false_reg->u32_max_value = min(false_reg->u32_max_value,
7054                                                        false_umax);
7055                         true_reg->u32_min_value = max(true_reg->u32_min_value,
7056                                                       true_umin);
7057                 } else {
7058                         u64 false_umax = opcode == BPF_JGT ? val    : val - 1;
7059                         u64 true_umin = opcode == BPF_JGT ? val + 1 : val;
7060
7061                         false_reg->umax_value = min(false_reg->umax_value, false_umax);
7062                         true_reg->umin_value = max(true_reg->umin_value, true_umin);
7063                 }
7064                 break;
7065         }
7066         case BPF_JSGE:
7067         case BPF_JSGT:
7068         {
7069                 if (is_jmp32) {
7070                         s32 false_smax = opcode == BPF_JSGT ? sval32    : sval32 - 1;
7071                         s32 true_smin = opcode == BPF_JSGT ? sval32 + 1 : sval32;
7072
7073                         false_reg->s32_max_value = min(false_reg->s32_max_value, false_smax);
7074                         true_reg->s32_min_value = max(true_reg->s32_min_value, true_smin);
7075                 } else {
7076                         s64 false_smax = opcode == BPF_JSGT ? sval    : sval - 1;
7077                         s64 true_smin = opcode == BPF_JSGT ? sval + 1 : sval;
7078
7079                         false_reg->smax_value = min(false_reg->smax_value, false_smax);
7080                         true_reg->smin_value = max(true_reg->smin_value, true_smin);
7081                 }
7082                 break;
7083         }
7084         case BPF_JLE:
7085         case BPF_JLT:
7086         {
7087                 if (is_jmp32) {
7088                         u32 false_umin = opcode == BPF_JLT ? val32  : val32 + 1;
7089                         u32 true_umax = opcode == BPF_JLT ? val32 - 1 : val32;
7090
7091                         false_reg->u32_min_value = max(false_reg->u32_min_value,
7092                                                        false_umin);
7093                         true_reg->u32_max_value = min(true_reg->u32_max_value,
7094                                                       true_umax);
7095                 } else {
7096                         u64 false_umin = opcode == BPF_JLT ? val    : val + 1;
7097                         u64 true_umax = opcode == BPF_JLT ? val - 1 : val;
7098
7099                         false_reg->umin_value = max(false_reg->umin_value, false_umin);
7100                         true_reg->umax_value = min(true_reg->umax_value, true_umax);
7101                 }
7102                 break;
7103         }
7104         case BPF_JSLE:
7105         case BPF_JSLT:
7106         {
7107                 if (is_jmp32) {
7108                         s32 false_smin = opcode == BPF_JSLT ? sval32    : sval32 + 1;
7109                         s32 true_smax = opcode == BPF_JSLT ? sval32 - 1 : sval32;
7110
7111                         false_reg->s32_min_value = max(false_reg->s32_min_value, false_smin);
7112                         true_reg->s32_max_value = min(true_reg->s32_max_value, true_smax);
7113                 } else {
7114                         s64 false_smin = opcode == BPF_JSLT ? sval    : sval + 1;
7115                         s64 true_smax = opcode == BPF_JSLT ? sval - 1 : sval;
7116
7117                         false_reg->smin_value = max(false_reg->smin_value, false_smin);
7118                         true_reg->smax_value = min(true_reg->smax_value, true_smax);
7119                 }
7120                 break;
7121         }
7122         default:
7123                 return;
7124         }
7125
7126         if (is_jmp32) {
7127                 false_reg->var_off = tnum_or(tnum_clear_subreg(false_64off),
7128                                              tnum_subreg(false_32off));
7129                 true_reg->var_off = tnum_or(tnum_clear_subreg(true_64off),
7130                                             tnum_subreg(true_32off));
7131                 __reg_combine_32_into_64(false_reg);
7132                 __reg_combine_32_into_64(true_reg);
7133         } else {
7134                 false_reg->var_off = false_64off;
7135                 true_reg->var_off = true_64off;
7136                 __reg_combine_64_into_32(false_reg);
7137                 __reg_combine_64_into_32(true_reg);
7138         }
7139 }
7140
7141 /* Same as above, but for the case that dst_reg holds a constant and src_reg is
7142  * the variable reg.
7143  */
7144 static void reg_set_min_max_inv(struct bpf_reg_state *true_reg,
7145                                 struct bpf_reg_state *false_reg,
7146                                 u64 val, u32 val32,
7147                                 u8 opcode, bool is_jmp32)
7148 {
7149         /* How can we transform "a <op> b" into "b <op> a"? */
7150         static const u8 opcode_flip[16] = {
7151                 /* these stay the same */
7152                 [BPF_JEQ  >> 4] = BPF_JEQ,
7153                 [BPF_JNE  >> 4] = BPF_JNE,
7154                 [BPF_JSET >> 4] = BPF_JSET,
7155                 /* these swap "lesser" and "greater" (L and G in the opcodes) */
7156                 [BPF_JGE  >> 4] = BPF_JLE,
7157                 [BPF_JGT  >> 4] = BPF_JLT,
7158                 [BPF_JLE  >> 4] = BPF_JGE,
7159                 [BPF_JLT  >> 4] = BPF_JGT,
7160                 [BPF_JSGE >> 4] = BPF_JSLE,
7161                 [BPF_JSGT >> 4] = BPF_JSLT,
7162                 [BPF_JSLE >> 4] = BPF_JSGE,
7163                 [BPF_JSLT >> 4] = BPF_JSGT
7164         };
7165         opcode = opcode_flip[opcode >> 4];
7166         /* This uses zero as "not present in table"; luckily the zero opcode,
7167          * BPF_JA, can't get here.
7168          */
7169         if (opcode)
7170                 reg_set_min_max(true_reg, false_reg, val, val32, opcode, is_jmp32);
7171 }
7172
7173 /* Regs are known to be equal, so intersect their min/max/var_off */
7174 static void __reg_combine_min_max(struct bpf_reg_state *src_reg,
7175                                   struct bpf_reg_state *dst_reg)
7176 {
7177         src_reg->umin_value = dst_reg->umin_value = max(src_reg->umin_value,
7178                                                         dst_reg->umin_value);
7179         src_reg->umax_value = dst_reg->umax_value = min(src_reg->umax_value,
7180                                                         dst_reg->umax_value);
7181         src_reg->smin_value = dst_reg->smin_value = max(src_reg->smin_value,
7182                                                         dst_reg->smin_value);
7183         src_reg->smax_value = dst_reg->smax_value = min(src_reg->smax_value,
7184                                                         dst_reg->smax_value);
7185         src_reg->var_off = dst_reg->var_off = tnum_intersect(src_reg->var_off,
7186                                                              dst_reg->var_off);
7187         /* We might have learned new bounds from the var_off. */
7188         __update_reg_bounds(src_reg);
7189         __update_reg_bounds(dst_reg);
7190         /* We might have learned something about the sign bit. */
7191         __reg_deduce_bounds(src_reg);
7192         __reg_deduce_bounds(dst_reg);
7193         /* We might have learned some bits from the bounds. */
7194         __reg_bound_offset(src_reg);
7195         __reg_bound_offset(dst_reg);
7196         /* Intersecting with the old var_off might have improved our bounds
7197          * slightly.  e.g. if umax was 0x7f...f and var_off was (0; 0xf...fc),
7198          * then new var_off is (0; 0x7f...fc) which improves our umax.
7199          */
7200         __update_reg_bounds(src_reg);
7201         __update_reg_bounds(dst_reg);
7202 }
7203
7204 static void reg_combine_min_max(struct bpf_reg_state *true_src,
7205                                 struct bpf_reg_state *true_dst,
7206                                 struct bpf_reg_state *false_src,
7207                                 struct bpf_reg_state *false_dst,
7208                                 u8 opcode)
7209 {
7210         switch (opcode) {
7211         case BPF_JEQ:
7212                 __reg_combine_min_max(true_src, true_dst);
7213                 break;
7214         case BPF_JNE:
7215                 __reg_combine_min_max(false_src, false_dst);
7216                 break;
7217         }
7218 }
7219
7220 static void mark_ptr_or_null_reg(struct bpf_func_state *state,
7221                                  struct bpf_reg_state *reg, u32 id,
7222                                  bool is_null)
7223 {
7224         if (reg_type_may_be_null(reg->type) && reg->id == id &&
7225             !WARN_ON_ONCE(!reg->id)) {
7226                 /* Old offset (both fixed and variable parts) should
7227                  * have been known-zero, because we don't allow pointer
7228                  * arithmetic on pointers that might be NULL.
7229                  */
7230                 if (WARN_ON_ONCE(reg->smin_value || reg->smax_value ||
7231                                  !tnum_equals_const(reg->var_off, 0) ||
7232                                  reg->off)) {
7233                         __mark_reg_known_zero(reg);
7234                         reg->off = 0;
7235                 }
7236                 if (is_null) {
7237                         reg->type = SCALAR_VALUE;
7238                 } else if (reg->type == PTR_TO_MAP_VALUE_OR_NULL) {
7239                         const struct bpf_map *map = reg->map_ptr;
7240
7241                         if (map->inner_map_meta) {
7242                                 reg->type = CONST_PTR_TO_MAP;
7243                                 reg->map_ptr = map->inner_map_meta;
7244                         } else if (map->map_type == BPF_MAP_TYPE_XSKMAP) {
7245                                 reg->type = PTR_TO_XDP_SOCK;
7246                         } else if (map->map_type == BPF_MAP_TYPE_SOCKMAP ||
7247                                    map->map_type == BPF_MAP_TYPE_SOCKHASH) {
7248                                 reg->type = PTR_TO_SOCKET;
7249                         } else {
7250                                 reg->type = PTR_TO_MAP_VALUE;
7251                         }
7252                 } else if (reg->type == PTR_TO_SOCKET_OR_NULL) {
7253                         reg->type = PTR_TO_SOCKET;
7254                 } else if (reg->type == PTR_TO_SOCK_COMMON_OR_NULL) {
7255                         reg->type = PTR_TO_SOCK_COMMON;
7256                 } else if (reg->type == PTR_TO_TCP_SOCK_OR_NULL) {
7257                         reg->type = PTR_TO_TCP_SOCK;
7258                 } else if (reg->type == PTR_TO_BTF_ID_OR_NULL) {
7259                         reg->type = PTR_TO_BTF_ID;
7260                 } else if (reg->type == PTR_TO_MEM_OR_NULL) {
7261                         reg->type = PTR_TO_MEM;
7262                 } else if (reg->type == PTR_TO_RDONLY_BUF_OR_NULL) {
7263                         reg->type = PTR_TO_RDONLY_BUF;
7264                 } else if (reg->type == PTR_TO_RDWR_BUF_OR_NULL) {
7265                         reg->type = PTR_TO_RDWR_BUF;
7266                 }
7267                 if (is_null) {
7268                         /* We don't need id and ref_obj_id from this point
7269                          * onwards anymore, thus we should better reset it,
7270                          * so that state pruning has chances to take effect.
7271                          */
7272                         reg->id = 0;
7273                         reg->ref_obj_id = 0;
7274                 } else if (!reg_may_point_to_spin_lock(reg)) {
7275                         /* For not-NULL ptr, reg->ref_obj_id will be reset
7276                          * in release_reg_references().
7277                          *
7278                          * reg->id is still used by spin_lock ptr. Other
7279                          * than spin_lock ptr type, reg->id can be reset.
7280                          */
7281                         reg->id = 0;
7282                 }
7283         }
7284 }
7285
7286 static void __mark_ptr_or_null_regs(struct bpf_func_state *state, u32 id,
7287                                     bool is_null)
7288 {
7289         struct bpf_reg_state *reg;
7290         int i;
7291
7292         for (i = 0; i < MAX_BPF_REG; i++)
7293                 mark_ptr_or_null_reg(state, &state->regs[i], id, is_null);
7294
7295         bpf_for_each_spilled_reg(i, state, reg) {
7296                 if (!reg)
7297                         continue;
7298                 mark_ptr_or_null_reg(state, reg, id, is_null);
7299         }
7300 }
7301
7302 /* The logic is similar to find_good_pkt_pointers(), both could eventually
7303  * be folded together at some point.
7304  */
7305 static void mark_ptr_or_null_regs(struct bpf_verifier_state *vstate, u32 regno,
7306                                   bool is_null)
7307 {
7308         struct bpf_func_state *state = vstate->frame[vstate->curframe];
7309         struct bpf_reg_state *regs = state->regs;
7310         u32 ref_obj_id = regs[regno].ref_obj_id;
7311         u32 id = regs[regno].id;
7312         int i;
7313
7314         if (ref_obj_id && ref_obj_id == id && is_null)
7315                 /* regs[regno] is in the " == NULL" branch.
7316                  * No one could have freed the reference state before
7317                  * doing the NULL check.
7318                  */
7319                 WARN_ON_ONCE(release_reference_state(state, id));
7320
7321         for (i = 0; i <= vstate->curframe; i++)
7322                 __mark_ptr_or_null_regs(vstate->frame[i], id, is_null);
7323 }
7324
7325 static bool try_match_pkt_pointers(const struct bpf_insn *insn,
7326                                    struct bpf_reg_state *dst_reg,
7327                                    struct bpf_reg_state *src_reg,
7328                                    struct bpf_verifier_state *this_branch,
7329                                    struct bpf_verifier_state *other_branch)
7330 {
7331         if (BPF_SRC(insn->code) != BPF_X)
7332                 return false;
7333
7334         /* Pointers are always 64-bit. */
7335         if (BPF_CLASS(insn->code) == BPF_JMP32)
7336                 return false;
7337
7338         switch (BPF_OP(insn->code)) {
7339         case BPF_JGT:
7340                 if ((dst_reg->type == PTR_TO_PACKET &&
7341                      src_reg->type == PTR_TO_PACKET_END) ||
7342                     (dst_reg->type == PTR_TO_PACKET_META &&
7343                      reg_is_init_pkt_pointer(src_reg, PTR_TO_PACKET))) {
7344                         /* pkt_data' > pkt_end, pkt_meta' > pkt_data */
7345                         find_good_pkt_pointers(this_branch, dst_reg,
7346                                                dst_reg->type, false);
7347                 } else if ((dst_reg->type == PTR_TO_PACKET_END &&
7348                             src_reg->type == PTR_TO_PACKET) ||
7349                            (reg_is_init_pkt_pointer(dst_reg, PTR_TO_PACKET) &&
7350                             src_reg->type == PTR_TO_PACKET_META)) {
7351                         /* pkt_end > pkt_data', pkt_data > pkt_meta' */
7352                         find_good_pkt_pointers(other_branch, src_reg,
7353                                                src_reg->type, true);
7354                 } else {
7355                         return false;
7356                 }
7357                 break;
7358         case BPF_JLT:
7359                 if ((dst_reg->type == PTR_TO_PACKET &&
7360                      src_reg->type == PTR_TO_PACKET_END) ||
7361                     (dst_reg->type == PTR_TO_PACKET_META &&
7362                      reg_is_init_pkt_pointer(src_reg, PTR_TO_PACKET))) {
7363                         /* pkt_data' < pkt_end, pkt_meta' < pkt_data */
7364                         find_good_pkt_pointers(other_branch, dst_reg,
7365                                                dst_reg->type, true);
7366                 } else if ((dst_reg->type == PTR_TO_PACKET_END &&
7367                             src_reg->type == PTR_TO_PACKET) ||
7368                            (reg_is_init_pkt_pointer(dst_reg, PTR_TO_PACKET) &&
7369                             src_reg->type == PTR_TO_PACKET_META)) {
7370                         /* pkt_end < pkt_data', pkt_data > pkt_meta' */
7371                         find_good_pkt_pointers(this_branch, src_reg,
7372                                                src_reg->type, false);
7373                 } else {
7374                         return false;
7375                 }
7376                 break;
7377         case BPF_JGE:
7378                 if ((dst_reg->type == PTR_TO_PACKET &&
7379                      src_reg->type == PTR_TO_PACKET_END) ||
7380                     (dst_reg->type == PTR_TO_PACKET_META &&
7381                      reg_is_init_pkt_pointer(src_reg, PTR_TO_PACKET))) {
7382                         /* pkt_data' >= pkt_end, pkt_meta' >= pkt_data */
7383                         find_good_pkt_pointers(this_branch, dst_reg,
7384                                                dst_reg->type, true);
7385                 } else if ((dst_reg->type == PTR_TO_PACKET_END &&
7386                             src_reg->type == PTR_TO_PACKET) ||
7387                            (reg_is_init_pkt_pointer(dst_reg, PTR_TO_PACKET) &&
7388                             src_reg->type == PTR_TO_PACKET_META)) {
7389                         /* pkt_end >= pkt_data', pkt_data >= pkt_meta' */
7390                         find_good_pkt_pointers(other_branch, src_reg,
7391                                                src_reg->type, false);
7392                 } else {
7393                         return false;
7394                 }
7395                 break;
7396         case BPF_JLE:
7397                 if ((dst_reg->type == PTR_TO_PACKET &&
7398                      src_reg->type == PTR_TO_PACKET_END) ||
7399                     (dst_reg->type == PTR_TO_PACKET_META &&
7400                      reg_is_init_pkt_pointer(src_reg, PTR_TO_PACKET))) {
7401                         /* pkt_data' <= pkt_end, pkt_meta' <= pkt_data */
7402                         find_good_pkt_pointers(other_branch, dst_reg,
7403                                                dst_reg->type, false);
7404                 } else if ((dst_reg->type == PTR_TO_PACKET_END &&
7405                             src_reg->type == PTR_TO_PACKET) ||
7406                            (reg_is_init_pkt_pointer(dst_reg, PTR_TO_PACKET) &&
7407                             src_reg->type == PTR_TO_PACKET_META)) {
7408                         /* pkt_end <= pkt_data', pkt_data <= pkt_meta' */
7409                         find_good_pkt_pointers(this_branch, src_reg,
7410                                                src_reg->type, true);
7411                 } else {
7412                         return false;
7413                 }
7414                 break;
7415         default:
7416                 return false;
7417         }
7418
7419         return true;
7420 }
7421
7422 static void find_equal_scalars(struct bpf_verifier_state *vstate,
7423                                struct bpf_reg_state *known_reg)
7424 {
7425         struct bpf_func_state *state;
7426         struct bpf_reg_state *reg;
7427         int i, j;
7428
7429         for (i = 0; i <= vstate->curframe; i++) {
7430                 state = vstate->frame[i];
7431                 for (j = 0; j < MAX_BPF_REG; j++) {
7432                         reg = &state->regs[j];
7433                         if (reg->type == SCALAR_VALUE && reg->id == known_reg->id)
7434                                 *reg = *known_reg;
7435                 }
7436
7437                 bpf_for_each_spilled_reg(j, state, reg) {
7438                         if (!reg)
7439                                 continue;
7440                         if (reg->type == SCALAR_VALUE && reg->id == known_reg->id)
7441                                 *reg = *known_reg;
7442                 }
7443         }
7444 }
7445
7446 static int check_cond_jmp_op(struct bpf_verifier_env *env,
7447                              struct bpf_insn *insn, int *insn_idx)
7448 {
7449         struct bpf_verifier_state *this_branch = env->cur_state;
7450         struct bpf_verifier_state *other_branch;
7451         struct bpf_reg_state *regs = this_branch->frame[this_branch->curframe]->regs;
7452         struct bpf_reg_state *dst_reg, *other_branch_regs, *src_reg = NULL;
7453         u8 opcode = BPF_OP(insn->code);
7454         bool is_jmp32;
7455         int pred = -1;
7456         int err;
7457
7458         /* Only conditional jumps are expected to reach here. */
7459         if (opcode == BPF_JA || opcode > BPF_JSLE) {
7460                 verbose(env, "invalid BPF_JMP/JMP32 opcode %x\n", opcode);
7461                 return -EINVAL;
7462         }
7463
7464         if (BPF_SRC(insn->code) == BPF_X) {
7465                 if (insn->imm != 0) {
7466                         verbose(env, "BPF_JMP/JMP32 uses reserved fields\n");
7467                         return -EINVAL;
7468                 }
7469
7470                 /* check src1 operand */
7471                 err = check_reg_arg(env, insn->src_reg, SRC_OP);
7472                 if (err)
7473                         return err;
7474
7475                 if (is_pointer_value(env, insn->src_reg)) {
7476                         verbose(env, "R%d pointer comparison prohibited\n",
7477                                 insn->src_reg);
7478                         return -EACCES;
7479                 }
7480                 src_reg = &regs[insn->src_reg];
7481         } else {
7482                 if (insn->src_reg != BPF_REG_0) {
7483                         verbose(env, "BPF_JMP/JMP32 uses reserved fields\n");
7484                         return -EINVAL;
7485                 }
7486         }
7487
7488         /* check src2 operand */
7489         err = check_reg_arg(env, insn->dst_reg, SRC_OP);
7490         if (err)
7491                 return err;
7492
7493         dst_reg = &regs[insn->dst_reg];
7494         is_jmp32 = BPF_CLASS(insn->code) == BPF_JMP32;
7495
7496         if (BPF_SRC(insn->code) == BPF_K) {
7497                 pred = is_branch_taken(dst_reg, insn->imm, opcode, is_jmp32);
7498         } else if (src_reg->type == SCALAR_VALUE &&
7499                    is_jmp32 && tnum_is_const(tnum_subreg(src_reg->var_off))) {
7500                 pred = is_branch_taken(dst_reg,
7501                                        tnum_subreg(src_reg->var_off).value,
7502                                        opcode,
7503                                        is_jmp32);
7504         } else if (src_reg->type == SCALAR_VALUE &&
7505                    !is_jmp32 && tnum_is_const(src_reg->var_off)) {
7506                 pred = is_branch_taken(dst_reg,
7507                                        src_reg->var_off.value,
7508                                        opcode,
7509                                        is_jmp32);
7510         }
7511
7512         if (pred >= 0) {
7513                 /* If we get here with a dst_reg pointer type it is because
7514                  * above is_branch_taken() special cased the 0 comparison.
7515                  */
7516                 if (!__is_pointer_value(false, dst_reg))
7517                         err = mark_chain_precision(env, insn->dst_reg);
7518                 if (BPF_SRC(insn->code) == BPF_X && !err)
7519                         err = mark_chain_precision(env, insn->src_reg);
7520                 if (err)
7521                         return err;
7522         }
7523         if (pred == 1) {
7524                 /* only follow the goto, ignore fall-through */
7525                 *insn_idx += insn->off;
7526                 return 0;
7527         } else if (pred == 0) {
7528                 /* only follow fall-through branch, since
7529                  * that's where the program will go
7530                  */
7531                 return 0;
7532         }
7533
7534         other_branch = push_stack(env, *insn_idx + insn->off + 1, *insn_idx,
7535                                   false);
7536         if (!other_branch)
7537                 return -EFAULT;
7538         other_branch_regs = other_branch->frame[other_branch->curframe]->regs;
7539
7540         /* detect if we are comparing against a constant value so we can adjust
7541          * our min/max values for our dst register.
7542          * this is only legit if both are scalars (or pointers to the same
7543          * object, I suppose, but we don't support that right now), because
7544          * otherwise the different base pointers mean the offsets aren't
7545          * comparable.
7546          */
7547         if (BPF_SRC(insn->code) == BPF_X) {
7548                 struct bpf_reg_state *src_reg = &regs[insn->src_reg];
7549
7550                 if (dst_reg->type == SCALAR_VALUE &&
7551                     src_reg->type == SCALAR_VALUE) {
7552                         if (tnum_is_const(src_reg->var_off) ||
7553                             (is_jmp32 &&
7554                              tnum_is_const(tnum_subreg(src_reg->var_off))))
7555                                 reg_set_min_max(&other_branch_regs[insn->dst_reg],
7556                                                 dst_reg,
7557                                                 src_reg->var_off.value,
7558                                                 tnum_subreg(src_reg->var_off).value,
7559                                                 opcode, is_jmp32);
7560                         else if (tnum_is_const(dst_reg->var_off) ||
7561                                  (is_jmp32 &&
7562                                   tnum_is_const(tnum_subreg(dst_reg->var_off))))
7563                                 reg_set_min_max_inv(&other_branch_regs[insn->src_reg],
7564                                                     src_reg,
7565                                                     dst_reg->var_off.value,
7566                                                     tnum_subreg(dst_reg->var_off).value,
7567                                                     opcode, is_jmp32);
7568                         else if (!is_jmp32 &&
7569                                  (opcode == BPF_JEQ || opcode == BPF_JNE))
7570                                 /* Comparing for equality, we can combine knowledge */
7571                                 reg_combine_min_max(&other_branch_regs[insn->src_reg],
7572                                                     &other_branch_regs[insn->dst_reg],
7573                                                     src_reg, dst_reg, opcode);
7574                         if (src_reg->id &&
7575                             !WARN_ON_ONCE(src_reg->id != other_branch_regs[insn->src_reg].id)) {
7576                                 find_equal_scalars(this_branch, src_reg);
7577                                 find_equal_scalars(other_branch, &other_branch_regs[insn->src_reg]);
7578                         }
7579
7580                 }
7581         } else if (dst_reg->type == SCALAR_VALUE) {
7582                 reg_set_min_max(&other_branch_regs[insn->dst_reg],
7583                                         dst_reg, insn->imm, (u32)insn->imm,
7584                                         opcode, is_jmp32);
7585         }
7586
7587         if (dst_reg->type == SCALAR_VALUE && dst_reg->id &&
7588             !WARN_ON_ONCE(dst_reg->id != other_branch_regs[insn->dst_reg].id)) {
7589                 find_equal_scalars(this_branch, dst_reg);
7590                 find_equal_scalars(other_branch, &other_branch_regs[insn->dst_reg]);
7591         }
7592
7593         /* detect if R == 0 where R is returned from bpf_map_lookup_elem().
7594          * NOTE: these optimizations below are related with pointer comparison
7595          *       which will never be JMP32.
7596          */
7597         if (!is_jmp32 && BPF_SRC(insn->code) == BPF_K &&
7598             insn->imm == 0 && (opcode == BPF_JEQ || opcode == BPF_JNE) &&
7599             reg_type_may_be_null(dst_reg->type)) {
7600                 /* Mark all identical registers in each branch as either
7601                  * safe or unknown depending R == 0 or R != 0 conditional.
7602                  */
7603                 mark_ptr_or_null_regs(this_branch, insn->dst_reg,
7604                                       opcode == BPF_JNE);
7605                 mark_ptr_or_null_regs(other_branch, insn->dst_reg,
7606                                       opcode == BPF_JEQ);
7607         } else if (!try_match_pkt_pointers(insn, dst_reg, &regs[insn->src_reg],
7608                                            this_branch, other_branch) &&
7609                    is_pointer_value(env, insn->dst_reg)) {
7610                 verbose(env, "R%d pointer comparison prohibited\n",
7611                         insn->dst_reg);
7612                 return -EACCES;
7613         }
7614         if (env->log.level & BPF_LOG_LEVEL)
7615                 print_verifier_state(env, this_branch->frame[this_branch->curframe]);
7616         return 0;
7617 }
7618
7619 /* verify BPF_LD_IMM64 instruction */
7620 static int check_ld_imm(struct bpf_verifier_env *env, struct bpf_insn *insn)
7621 {
7622         struct bpf_insn_aux_data *aux = cur_aux(env);
7623         struct bpf_reg_state *regs = cur_regs(env);
7624         struct bpf_reg_state *dst_reg;
7625         struct bpf_map *map;
7626         int err;
7627
7628         if (BPF_SIZE(insn->code) != BPF_DW) {
7629                 verbose(env, "invalid BPF_LD_IMM insn\n");
7630                 return -EINVAL;
7631         }
7632         if (insn->off != 0) {
7633                 verbose(env, "BPF_LD_IMM64 uses reserved fields\n");
7634                 return -EINVAL;
7635         }
7636
7637         err = check_reg_arg(env, insn->dst_reg, DST_OP);
7638         if (err)
7639                 return err;
7640
7641         dst_reg = &regs[insn->dst_reg];
7642         if (insn->src_reg == 0) {
7643                 u64 imm = ((u64)(insn + 1)->imm << 32) | (u32)insn->imm;
7644
7645                 dst_reg->type = SCALAR_VALUE;
7646                 __mark_reg_known(&regs[insn->dst_reg], imm);
7647                 return 0;
7648         }
7649
7650         if (insn->src_reg == BPF_PSEUDO_BTF_ID) {
7651                 mark_reg_known_zero(env, regs, insn->dst_reg);
7652
7653                 dst_reg->type = aux->btf_var.reg_type;
7654                 switch (dst_reg->type) {
7655                 case PTR_TO_MEM:
7656                         dst_reg->mem_size = aux->btf_var.mem_size;
7657                         break;
7658                 case PTR_TO_BTF_ID:
7659                 case PTR_TO_PERCPU_BTF_ID:
7660                         dst_reg->btf_id = aux->btf_var.btf_id;
7661                         break;
7662                 default:
7663                         verbose(env, "bpf verifier is misconfigured\n");
7664                         return -EFAULT;
7665                 }
7666                 return 0;
7667         }
7668
7669         map = env->used_maps[aux->map_index];
7670         mark_reg_known_zero(env, regs, insn->dst_reg);
7671         dst_reg->map_ptr = map;
7672
7673         if (insn->src_reg == BPF_PSEUDO_MAP_VALUE) {
7674                 dst_reg->type = PTR_TO_MAP_VALUE;
7675                 dst_reg->off = aux->map_off;
7676                 if (map_value_has_spin_lock(map))
7677                         dst_reg->id = ++env->id_gen;
7678         } else if (insn->src_reg == BPF_PSEUDO_MAP_FD) {
7679                 dst_reg->type = CONST_PTR_TO_MAP;
7680         } else {
7681                 verbose(env, "bpf verifier is misconfigured\n");
7682                 return -EINVAL;
7683         }
7684
7685         return 0;
7686 }
7687
7688 static bool may_access_skb(enum bpf_prog_type type)
7689 {
7690         switch (type) {
7691         case BPF_PROG_TYPE_SOCKET_FILTER:
7692         case BPF_PROG_TYPE_SCHED_CLS:
7693         case BPF_PROG_TYPE_SCHED_ACT:
7694                 return true;
7695         default:
7696                 return false;
7697         }
7698 }
7699
7700 /* verify safety of LD_ABS|LD_IND instructions:
7701  * - they can only appear in the programs where ctx == skb
7702  * - since they are wrappers of function calls, they scratch R1-R5 registers,
7703  *   preserve R6-R9, and store return value into R0
7704  *
7705  * Implicit input:
7706  *   ctx == skb == R6 == CTX
7707  *
7708  * Explicit input:
7709  *   SRC == any register
7710  *   IMM == 32-bit immediate
7711  *
7712  * Output:
7713  *   R0 - 8/16/32-bit skb data converted to cpu endianness
7714  */
7715 static int check_ld_abs(struct bpf_verifier_env *env, struct bpf_insn *insn)
7716 {
7717         struct bpf_reg_state *regs = cur_regs(env);
7718         static const int ctx_reg = BPF_REG_6;
7719         u8 mode = BPF_MODE(insn->code);
7720         int i, err;
7721
7722         if (!may_access_skb(resolve_prog_type(env->prog))) {
7723                 verbose(env, "BPF_LD_[ABS|IND] instructions not allowed for this program type\n");
7724                 return -EINVAL;
7725         }
7726
7727         if (!env->ops->gen_ld_abs) {
7728                 verbose(env, "bpf verifier is misconfigured\n");
7729                 return -EINVAL;
7730         }
7731
7732         if (insn->dst_reg != BPF_REG_0 || insn->off != 0 ||
7733             BPF_SIZE(insn->code) == BPF_DW ||
7734             (mode == BPF_ABS && insn->src_reg != BPF_REG_0)) {
7735                 verbose(env, "BPF_LD_[ABS|IND] uses reserved fields\n");
7736                 return -EINVAL;
7737         }
7738
7739         /* check whether implicit source operand (register R6) is readable */
7740         err = check_reg_arg(env, ctx_reg, SRC_OP);
7741         if (err)
7742                 return err;
7743
7744         /* Disallow usage of BPF_LD_[ABS|IND] with reference tracking, as
7745          * gen_ld_abs() may terminate the program at runtime, leading to
7746          * reference leak.
7747          */
7748         err = check_reference_leak(env);
7749         if (err) {
7750                 verbose(env, "BPF_LD_[ABS|IND] cannot be mixed with socket references\n");
7751                 return err;
7752         }
7753
7754         if (env->cur_state->active_spin_lock) {
7755                 verbose(env, "BPF_LD_[ABS|IND] cannot be used inside bpf_spin_lock-ed region\n");
7756                 return -EINVAL;
7757         }
7758
7759         if (regs[ctx_reg].type != PTR_TO_CTX) {
7760                 verbose(env,
7761                         "at the time of BPF_LD_ABS|IND R6 != pointer to skb\n");
7762                 return -EINVAL;
7763         }
7764
7765         if (mode == BPF_IND) {
7766                 /* check explicit source operand */
7767                 err = check_reg_arg(env, insn->src_reg, SRC_OP);
7768                 if (err)
7769                         return err;
7770         }
7771
7772         err = check_ctx_reg(env, &regs[ctx_reg], ctx_reg);
7773         if (err < 0)
7774                 return err;
7775
7776         /* reset caller saved regs to unreadable */
7777         for (i = 0; i < CALLER_SAVED_REGS; i++) {
7778                 mark_reg_not_init(env, regs, caller_saved[i]);
7779                 check_reg_arg(env, caller_saved[i], DST_OP_NO_MARK);
7780         }
7781
7782         /* mark destination R0 register as readable, since it contains
7783          * the value fetched from the packet.
7784          * Already marked as written above.
7785          */
7786         mark_reg_unknown(env, regs, BPF_REG_0);
7787         /* ld_abs load up to 32-bit skb data. */
7788         regs[BPF_REG_0].subreg_def = env->insn_idx + 1;
7789         return 0;
7790 }
7791
7792 static int check_return_code(struct bpf_verifier_env *env)
7793 {
7794         struct tnum enforce_attach_type_range = tnum_unknown;
7795         const struct bpf_prog *prog = env->prog;
7796         struct bpf_reg_state *reg;
7797         struct tnum range = tnum_range(0, 1);
7798         enum bpf_prog_type prog_type = resolve_prog_type(env->prog);
7799         int err;
7800         const bool is_subprog = env->cur_state->frame[0]->subprogno;
7801
7802         /* LSM and struct_ops func-ptr's return type could be "void" */
7803         if (!is_subprog &&
7804             (prog_type == BPF_PROG_TYPE_STRUCT_OPS ||
7805              prog_type == BPF_PROG_TYPE_LSM) &&
7806             !prog->aux->attach_func_proto->type)
7807                 return 0;
7808
7809         /* eBPF calling convetion is such that R0 is used
7810          * to return the value from eBPF program.
7811          * Make sure that it's readable at this time
7812          * of bpf_exit, which means that program wrote
7813          * something into it earlier
7814          */
7815         err = check_reg_arg(env, BPF_REG_0, SRC_OP);
7816         if (err)
7817                 return err;
7818
7819         if (is_pointer_value(env, BPF_REG_0)) {
7820                 verbose(env, "R0 leaks addr as return value\n");
7821                 return -EACCES;
7822         }
7823
7824         reg = cur_regs(env) + BPF_REG_0;
7825         if (is_subprog) {
7826                 if (reg->type != SCALAR_VALUE) {
7827                         verbose(env, "At subprogram exit the register R0 is not a scalar value (%s)\n",
7828                                 reg_type_str[reg->type]);
7829                         return -EINVAL;
7830                 }
7831                 return 0;
7832         }
7833
7834         switch (prog_type) {
7835         case BPF_PROG_TYPE_CGROUP_SOCK_ADDR:
7836                 if (env->prog->expected_attach_type == BPF_CGROUP_UDP4_RECVMSG ||
7837                     env->prog->expected_attach_type == BPF_CGROUP_UDP6_RECVMSG ||
7838                     env->prog->expected_attach_type == BPF_CGROUP_INET4_GETPEERNAME ||
7839                     env->prog->expected_attach_type == BPF_CGROUP_INET6_GETPEERNAME ||
7840                     env->prog->expected_attach_type == BPF_CGROUP_INET4_GETSOCKNAME ||
7841                     env->prog->expected_attach_type == BPF_CGROUP_INET6_GETSOCKNAME)
7842                         range = tnum_range(1, 1);
7843                 break;
7844         case BPF_PROG_TYPE_CGROUP_SKB:
7845                 if (env->prog->expected_attach_type == BPF_CGROUP_INET_EGRESS) {
7846                         range = tnum_range(0, 3);
7847                         enforce_attach_type_range = tnum_range(2, 3);
7848                 }
7849                 break;
7850         case BPF_PROG_TYPE_CGROUP_SOCK:
7851         case BPF_PROG_TYPE_SOCK_OPS:
7852         case BPF_PROG_TYPE_CGROUP_DEVICE:
7853         case BPF_PROG_TYPE_CGROUP_SYSCTL:
7854         case BPF_PROG_TYPE_CGROUP_SOCKOPT:
7855                 break;
7856         case BPF_PROG_TYPE_RAW_TRACEPOINT:
7857                 if (!env->prog->aux->attach_btf_id)
7858                         return 0;
7859                 range = tnum_const(0);
7860                 break;
7861         case BPF_PROG_TYPE_TRACING:
7862                 switch (env->prog->expected_attach_type) {
7863                 case BPF_TRACE_FENTRY:
7864                 case BPF_TRACE_FEXIT:
7865                         range = tnum_const(0);
7866                         break;
7867                 case BPF_TRACE_RAW_TP:
7868                 case BPF_MODIFY_RETURN:
7869                         return 0;
7870                 case BPF_TRACE_ITER:
7871                         break;
7872                 default:
7873                         return -ENOTSUPP;
7874                 }
7875                 break;
7876         case BPF_PROG_TYPE_SK_LOOKUP:
7877                 range = tnum_range(SK_DROP, SK_PASS);
7878                 break;
7879         case BPF_PROG_TYPE_EXT:
7880                 /* freplace program can return anything as its return value
7881                  * depends on the to-be-replaced kernel func or bpf program.
7882                  */
7883         default:
7884                 return 0;
7885         }
7886
7887         if (reg->type != SCALAR_VALUE) {
7888                 verbose(env, "At program exit the register R0 is not a known value (%s)\n",
7889                         reg_type_str[reg->type]);
7890                 return -EINVAL;
7891         }
7892
7893         if (!tnum_in(range, reg->var_off)) {
7894                 char tn_buf[48];
7895
7896                 verbose(env, "At program exit the register R0 ");
7897                 if (!tnum_is_unknown(reg->var_off)) {
7898                         tnum_strn(tn_buf, sizeof(tn_buf), reg->var_off);
7899                         verbose(env, "has value %s", tn_buf);
7900                 } else {
7901                         verbose(env, "has unknown scalar value");
7902                 }
7903                 tnum_strn(tn_buf, sizeof(tn_buf), range);
7904                 verbose(env, " should have been in %s\n", tn_buf);
7905                 return -EINVAL;
7906         }
7907
7908         if (!tnum_is_unknown(enforce_attach_type_range) &&
7909             tnum_in(enforce_attach_type_range, reg->var_off))
7910                 env->prog->enforce_expected_attach_type = 1;
7911         return 0;
7912 }
7913
7914 /* non-recursive DFS pseudo code
7915  * 1  procedure DFS-iterative(G,v):
7916  * 2      label v as discovered
7917  * 3      let S be a stack
7918  * 4      S.push(v)
7919  * 5      while S is not empty
7920  * 6            t <- S.pop()
7921  * 7            if t is what we're looking for:
7922  * 8                return t
7923  * 9            for all edges e in G.adjacentEdges(t) do
7924  * 10               if edge e is already labelled
7925  * 11                   continue with the next edge
7926  * 12               w <- G.adjacentVertex(t,e)
7927  * 13               if vertex w is not discovered and not explored
7928  * 14                   label e as tree-edge
7929  * 15                   label w as discovered
7930  * 16                   S.push(w)
7931  * 17                   continue at 5
7932  * 18               else if vertex w is discovered
7933  * 19                   label e as back-edge
7934  * 20               else
7935  * 21                   // vertex w is explored
7936  * 22                   label e as forward- or cross-edge
7937  * 23           label t as explored
7938  * 24           S.pop()
7939  *
7940  * convention:
7941  * 0x10 - discovered
7942  * 0x11 - discovered and fall-through edge labelled
7943  * 0x12 - discovered and fall-through and branch edges labelled
7944  * 0x20 - explored
7945  */
7946
7947 enum {
7948         DISCOVERED = 0x10,
7949         EXPLORED = 0x20,
7950         FALLTHROUGH = 1,
7951         BRANCH = 2,
7952 };
7953
7954 static u32 state_htab_size(struct bpf_verifier_env *env)
7955 {
7956         return env->prog->len;
7957 }
7958
7959 static struct bpf_verifier_state_list **explored_state(
7960                                         struct bpf_verifier_env *env,
7961                                         int idx)
7962 {
7963         struct bpf_verifier_state *cur = env->cur_state;
7964         struct bpf_func_state *state = cur->frame[cur->curframe];
7965
7966         return &env->explored_states[(idx ^ state->callsite) % state_htab_size(env)];
7967 }
7968
7969 static void init_explored_state(struct bpf_verifier_env *env, int idx)
7970 {
7971         env->insn_aux_data[idx].prune_point = true;
7972 }
7973
7974 /* t, w, e - match pseudo-code above:
7975  * t - index of current instruction
7976  * w - next instruction
7977  * e - edge
7978  */
7979 static int push_insn(int t, int w, int e, struct bpf_verifier_env *env,
7980                      bool loop_ok)
7981 {
7982         int *insn_stack = env->cfg.insn_stack;
7983         int *insn_state = env->cfg.insn_state;
7984
7985         if (e == FALLTHROUGH && insn_state[t] >= (DISCOVERED | FALLTHROUGH))
7986                 return 0;
7987
7988         if (e == BRANCH && insn_state[t] >= (DISCOVERED | BRANCH))
7989                 return 0;
7990
7991         if (w < 0 || w >= env->prog->len) {
7992                 verbose_linfo(env, t, "%d: ", t);
7993                 verbose(env, "jump out of range from insn %d to %d\n", t, w);
7994                 return -EINVAL;
7995         }
7996
7997         if (e == BRANCH)
7998                 /* mark branch target for state pruning */
7999                 init_explored_state(env, w);
8000
8001         if (insn_state[w] == 0) {
8002                 /* tree-edge */
8003                 insn_state[t] = DISCOVERED | e;
8004                 insn_state[w] = DISCOVERED;
8005                 if (env->cfg.cur_stack >= env->prog->len)
8006                         return -E2BIG;
8007                 insn_stack[env->cfg.cur_stack++] = w;
8008                 return 1;
8009         } else if ((insn_state[w] & 0xF0) == DISCOVERED) {
8010                 if (loop_ok && env->bpf_capable)
8011                         return 0;
8012                 verbose_linfo(env, t, "%d: ", t);
8013                 verbose_linfo(env, w, "%d: ", w);
8014                 verbose(env, "back-edge from insn %d to %d\n", t, w);
8015                 return -EINVAL;
8016         } else if (insn_state[w] == EXPLORED) {
8017                 /* forward- or cross-edge */
8018                 insn_state[t] = DISCOVERED | e;
8019         } else {
8020                 verbose(env, "insn state internal bug\n");
8021                 return -EFAULT;
8022         }
8023         return 0;
8024 }
8025
8026 /* non-recursive depth-first-search to detect loops in BPF program
8027  * loop == back-edge in directed graph
8028  */
8029 static int check_cfg(struct bpf_verifier_env *env)
8030 {
8031         struct bpf_insn *insns = env->prog->insnsi;
8032         int insn_cnt = env->prog->len;
8033         int *insn_stack, *insn_state;
8034         int ret = 0;
8035         int i, t;
8036
8037         insn_state = env->cfg.insn_state = kvcalloc(insn_cnt, sizeof(int), GFP_KERNEL);
8038         if (!insn_state)
8039                 return -ENOMEM;
8040
8041         insn_stack = env->cfg.insn_stack = kvcalloc(insn_cnt, sizeof(int), GFP_KERNEL);
8042         if (!insn_stack) {
8043                 kvfree(insn_state);
8044                 return -ENOMEM;
8045         }
8046
8047         insn_state[0] = DISCOVERED; /* mark 1st insn as discovered */
8048         insn_stack[0] = 0; /* 0 is the first instruction */
8049         env->cfg.cur_stack = 1;
8050
8051 peek_stack:
8052         if (env->cfg.cur_stack == 0)
8053                 goto check_state;
8054         t = insn_stack[env->cfg.cur_stack - 1];
8055
8056         if (BPF_CLASS(insns[t].code) == BPF_JMP ||
8057             BPF_CLASS(insns[t].code) == BPF_JMP32) {
8058                 u8 opcode = BPF_OP(insns[t].code);
8059
8060                 if (opcode == BPF_EXIT) {
8061                         goto mark_explored;
8062                 } else if (opcode == BPF_CALL) {
8063                         ret = push_insn(t, t + 1, FALLTHROUGH, env, false);
8064                         if (ret == 1)
8065                                 goto peek_stack;
8066                         else if (ret < 0)
8067                                 goto err_free;
8068                         if (t + 1 < insn_cnt)
8069                                 init_explored_state(env, t + 1);
8070                         if (insns[t].src_reg == BPF_PSEUDO_CALL) {
8071                                 init_explored_state(env, t);
8072                                 ret = push_insn(t, t + insns[t].imm + 1, BRANCH,
8073                                                 env, false);
8074                                 if (ret == 1)
8075                                         goto peek_stack;
8076                                 else if (ret < 0)
8077                                         goto err_free;
8078                         }
8079                 } else if (opcode == BPF_JA) {
8080                         if (BPF_SRC(insns[t].code) != BPF_K) {
8081                                 ret = -EINVAL;
8082                                 goto err_free;
8083                         }
8084                         /* unconditional jump with single edge */
8085                         ret = push_insn(t, t + insns[t].off + 1,
8086                                         FALLTHROUGH, env, true);
8087                         if (ret == 1)
8088                                 goto peek_stack;
8089                         else if (ret < 0)
8090                                 goto err_free;
8091                         /* unconditional jmp is not a good pruning point,
8092                          * but it's marked, since backtracking needs
8093                          * to record jmp history in is_state_visited().
8094                          */
8095                         init_explored_state(env, t + insns[t].off + 1);
8096                         /* tell verifier to check for equivalent states
8097                          * after every call and jump
8098                          */
8099                         if (t + 1 < insn_cnt)
8100                                 init_explored_state(env, t + 1);
8101                 } else {
8102                         /* conditional jump with two edges */
8103                         init_explored_state(env, t);
8104                         ret = push_insn(t, t + 1, FALLTHROUGH, env, true);
8105                         if (ret == 1)
8106                                 goto peek_stack;
8107                         else if (ret < 0)
8108                                 goto err_free;
8109
8110                         ret = push_insn(t, t + insns[t].off + 1, BRANCH, env, true);
8111                         if (ret == 1)
8112                                 goto peek_stack;
8113                         else if (ret < 0)
8114                                 goto err_free;
8115                 }
8116         } else {
8117                 /* all other non-branch instructions with single
8118                  * fall-through edge
8119                  */
8120                 ret = push_insn(t, t + 1, FALLTHROUGH, env, false);
8121                 if (ret == 1)
8122                         goto peek_stack;
8123                 else if (ret < 0)
8124                         goto err_free;
8125         }
8126
8127 mark_explored:
8128         insn_state[t] = EXPLORED;
8129         if (env->cfg.cur_stack-- <= 0) {
8130                 verbose(env, "pop stack internal bug\n");
8131                 ret = -EFAULT;
8132                 goto err_free;
8133         }
8134         goto peek_stack;
8135
8136 check_state:
8137         for (i = 0; i < insn_cnt; i++) {
8138                 if (insn_state[i] != EXPLORED) {
8139                         verbose(env, "unreachable insn %d\n", i);
8140                         ret = -EINVAL;
8141                         goto err_free;
8142                 }
8143         }
8144         ret = 0; /* cfg looks good */
8145
8146 err_free:
8147         kvfree(insn_state);
8148         kvfree(insn_stack);
8149         env->cfg.insn_state = env->cfg.insn_stack = NULL;
8150         return ret;
8151 }
8152
8153 static int check_abnormal_return(struct bpf_verifier_env *env)
8154 {
8155         int i;
8156
8157         for (i = 1; i < env->subprog_cnt; i++) {
8158                 if (env->subprog_info[i].has_ld_abs) {
8159                         verbose(env, "LD_ABS is not allowed in subprogs without BTF\n");
8160                         return -EINVAL;
8161                 }
8162                 if (env->subprog_info[i].has_tail_call) {
8163                         verbose(env, "tail_call is not allowed in subprogs without BTF\n");
8164                         return -EINVAL;
8165                 }
8166         }
8167         return 0;
8168 }
8169
8170 /* The minimum supported BTF func info size */
8171 #define MIN_BPF_FUNCINFO_SIZE   8
8172 #define MAX_FUNCINFO_REC_SIZE   252
8173
8174 static int check_btf_func(struct bpf_verifier_env *env,
8175                           const union bpf_attr *attr,
8176                           union bpf_attr __user *uattr)
8177 {
8178         const struct btf_type *type, *func_proto, *ret_type;
8179         u32 i, nfuncs, urec_size, min_size;
8180         u32 krec_size = sizeof(struct bpf_func_info);
8181         struct bpf_func_info *krecord;
8182         struct bpf_func_info_aux *info_aux = NULL;
8183         struct bpf_prog *prog;
8184         const struct btf *btf;
8185         void __user *urecord;
8186         u32 prev_offset = 0;
8187         bool scalar_return;
8188         int ret = -ENOMEM;
8189
8190         nfuncs = attr->func_info_cnt;
8191         if (!nfuncs) {
8192                 if (check_abnormal_return(env))
8193                         return -EINVAL;
8194                 return 0;
8195         }
8196
8197         if (nfuncs != env->subprog_cnt) {
8198                 verbose(env, "number of funcs in func_info doesn't match number of subprogs\n");
8199                 return -EINVAL;
8200         }
8201
8202         urec_size = attr->func_info_rec_size;
8203         if (urec_size < MIN_BPF_FUNCINFO_SIZE ||
8204             urec_size > MAX_FUNCINFO_REC_SIZE ||
8205             urec_size % sizeof(u32)) {
8206                 verbose(env, "invalid func info rec size %u\n", urec_size);
8207                 return -EINVAL;
8208         }
8209
8210         prog = env->prog;
8211         btf = prog->aux->btf;
8212
8213         urecord = u64_to_user_ptr(attr->func_info);
8214         min_size = min_t(u32, krec_size, urec_size);
8215
8216         krecord = kvcalloc(nfuncs, krec_size, GFP_KERNEL | __GFP_NOWARN);
8217         if (!krecord)
8218                 return -ENOMEM;
8219         info_aux = kcalloc(nfuncs, sizeof(*info_aux), GFP_KERNEL | __GFP_NOWARN);
8220         if (!info_aux)
8221                 goto err_free;
8222
8223         for (i = 0; i < nfuncs; i++) {
8224                 ret = bpf_check_uarg_tail_zero(urecord, krec_size, urec_size);
8225                 if (ret) {
8226                         if (ret == -E2BIG) {
8227                                 verbose(env, "nonzero tailing record in func info");
8228                                 /* set the size kernel expects so loader can zero
8229                                  * out the rest of the record.
8230                                  */
8231                                 if (put_user(min_size, &uattr->func_info_rec_size))
8232                                         ret = -EFAULT;
8233                         }
8234                         goto err_free;
8235                 }
8236
8237                 if (copy_from_user(&krecord[i], urecord, min_size)) {
8238                         ret = -EFAULT;
8239                         goto err_free;
8240                 }
8241
8242                 /* check insn_off */
8243                 ret = -EINVAL;
8244                 if (i == 0) {
8245                         if (krecord[i].insn_off) {
8246                                 verbose(env,
8247                                         "nonzero insn_off %u for the first func info record",
8248                                         krecord[i].insn_off);
8249                                 goto err_free;
8250                         }
8251                 } else if (krecord[i].insn_off <= prev_offset) {
8252                         verbose(env,
8253                                 "same or smaller insn offset (%u) than previous func info record (%u)",
8254                                 krecord[i].insn_off, prev_offset);
8255                         goto err_free;
8256                 }
8257
8258                 if (env->subprog_info[i].start != krecord[i].insn_off) {
8259                         verbose(env, "func_info BTF section doesn't match subprog layout in BPF program\n");
8260                         goto err_free;
8261                 }
8262
8263                 /* check type_id */
8264                 type = btf_type_by_id(btf, krecord[i].type_id);
8265                 if (!type || !btf_type_is_func(type)) {
8266                         verbose(env, "invalid type id %d in func info",
8267                                 krecord[i].type_id);
8268                         goto err_free;
8269                 }
8270                 info_aux[i].linkage = BTF_INFO_VLEN(type->info);
8271
8272                 func_proto = btf_type_by_id(btf, type->type);
8273                 if (unlikely(!func_proto || !btf_type_is_func_proto(func_proto)))
8274                         /* btf_func_check() already verified it during BTF load */
8275                         goto err_free;
8276                 ret_type = btf_type_skip_modifiers(btf, func_proto->type, NULL);
8277                 scalar_return =
8278                         btf_type_is_small_int(ret_type) || btf_type_is_enum(ret_type);
8279                 if (i && !scalar_return && env->subprog_info[i].has_ld_abs) {
8280                         verbose(env, "LD_ABS is only allowed in functions that return 'int'.\n");
8281                         goto err_free;
8282                 }
8283                 if (i && !scalar_return && env->subprog_info[i].has_tail_call) {
8284                         verbose(env, "tail_call is only allowed in functions that return 'int'.\n");
8285                         goto err_free;
8286                 }
8287
8288                 prev_offset = krecord[i].insn_off;
8289                 urecord += urec_size;
8290         }
8291
8292         prog->aux->func_info = krecord;
8293         prog->aux->func_info_cnt = nfuncs;
8294         prog->aux->func_info_aux = info_aux;
8295         return 0;
8296
8297 err_free:
8298         kvfree(krecord);
8299         kfree(info_aux);
8300         return ret;
8301 }
8302
8303 static void adjust_btf_func(struct bpf_verifier_env *env)
8304 {
8305         struct bpf_prog_aux *aux = env->prog->aux;
8306         int i;
8307
8308         if (!aux->func_info)
8309                 return;
8310
8311         for (i = 0; i < env->subprog_cnt; i++)
8312                 aux->func_info[i].insn_off = env->subprog_info[i].start;
8313 }
8314
8315 #define MIN_BPF_LINEINFO_SIZE   (offsetof(struct bpf_line_info, line_col) + \
8316                 sizeof(((struct bpf_line_info *)(0))->line_col))
8317 #define MAX_LINEINFO_REC_SIZE   MAX_FUNCINFO_REC_SIZE
8318
8319 static int check_btf_line(struct bpf_verifier_env *env,
8320                           const union bpf_attr *attr,
8321                           union bpf_attr __user *uattr)
8322 {
8323         u32 i, s, nr_linfo, ncopy, expected_size, rec_size, prev_offset = 0;
8324         struct bpf_subprog_info *sub;
8325         struct bpf_line_info *linfo;
8326         struct bpf_prog *prog;
8327         const struct btf *btf;
8328         void __user *ulinfo;
8329         int err;
8330
8331         nr_linfo = attr->line_info_cnt;
8332         if (!nr_linfo)
8333                 return 0;
8334
8335         rec_size = attr->line_info_rec_size;
8336         if (rec_size < MIN_BPF_LINEINFO_SIZE ||
8337             rec_size > MAX_LINEINFO_REC_SIZE ||
8338             rec_size & (sizeof(u32) - 1))
8339                 return -EINVAL;
8340
8341         /* Need to zero it in case the userspace may
8342          * pass in a smaller bpf_line_info object.
8343          */
8344         linfo = kvcalloc(nr_linfo, sizeof(struct bpf_line_info),
8345                          GFP_KERNEL | __GFP_NOWARN);
8346         if (!linfo)
8347                 return -ENOMEM;
8348
8349         prog = env->prog;
8350         btf = prog->aux->btf;
8351
8352         s = 0;
8353         sub = env->subprog_info;
8354         ulinfo = u64_to_user_ptr(attr->line_info);
8355         expected_size = sizeof(struct bpf_line_info);
8356         ncopy = min_t(u32, expected_size, rec_size);
8357         for (i = 0; i < nr_linfo; i++) {
8358                 err = bpf_check_uarg_tail_zero(ulinfo, expected_size, rec_size);
8359                 if (err) {
8360                         if (err == -E2BIG) {
8361                                 verbose(env, "nonzero tailing record in line_info");
8362                                 if (put_user(expected_size,
8363                                              &uattr->line_info_rec_size))
8364                                         err = -EFAULT;
8365                         }
8366                         goto err_free;
8367                 }
8368
8369                 if (copy_from_user(&linfo[i], ulinfo, ncopy)) {
8370                         err = -EFAULT;
8371                         goto err_free;
8372                 }
8373
8374                 /*
8375                  * Check insn_off to ensure
8376                  * 1) strictly increasing AND
8377                  * 2) bounded by prog->len
8378                  *
8379                  * The linfo[0].insn_off == 0 check logically falls into
8380                  * the later "missing bpf_line_info for func..." case
8381                  * because the first linfo[0].insn_off must be the
8382                  * first sub also and the first sub must have
8383                  * subprog_info[0].start == 0.
8384                  */
8385                 if ((i && linfo[i].insn_off <= prev_offset) ||
8386                     linfo[i].insn_off >= prog->len) {
8387                         verbose(env, "Invalid line_info[%u].insn_off:%u (prev_offset:%u prog->len:%u)\n",
8388                                 i, linfo[i].insn_off, prev_offset,
8389                                 prog->len);
8390                         err = -EINVAL;
8391                         goto err_free;
8392                 }
8393
8394                 if (!prog->insnsi[linfo[i].insn_off].code) {
8395                         verbose(env,
8396                                 "Invalid insn code at line_info[%u].insn_off\n",
8397                                 i);
8398                         err = -EINVAL;
8399                         goto err_free;
8400                 }
8401
8402                 if (!btf_name_by_offset(btf, linfo[i].line_off) ||
8403                     !btf_name_by_offset(btf, linfo[i].file_name_off)) {
8404                         verbose(env, "Invalid line_info[%u].line_off or .file_name_off\n", i);
8405                         err = -EINVAL;
8406                         goto err_free;
8407                 }
8408
8409                 if (s != env->subprog_cnt) {
8410                         if (linfo[i].insn_off == sub[s].start) {
8411                                 sub[s].linfo_idx = i;
8412                                 s++;
8413                         } else if (sub[s].start < linfo[i].insn_off) {
8414                                 verbose(env, "missing bpf_line_info for func#%u\n", s);
8415                                 err = -EINVAL;
8416                                 goto err_free;
8417                         }
8418                 }
8419
8420                 prev_offset = linfo[i].insn_off;
8421                 ulinfo += rec_size;
8422         }
8423
8424         if (s != env->subprog_cnt) {
8425                 verbose(env, "missing bpf_line_info for %u funcs starting from func#%u\n",
8426                         env->subprog_cnt - s, s);
8427                 err = -EINVAL;
8428                 goto err_free;
8429         }
8430
8431         prog->aux->linfo = linfo;
8432         prog->aux->nr_linfo = nr_linfo;
8433
8434         return 0;
8435
8436 err_free:
8437         kvfree(linfo);
8438         return err;
8439 }
8440
8441 static int check_btf_info(struct bpf_verifier_env *env,
8442                           const union bpf_attr *attr,
8443                           union bpf_attr __user *uattr)
8444 {
8445         struct btf *btf;
8446         int err;
8447
8448         if (!attr->func_info_cnt && !attr->line_info_cnt) {
8449                 if (check_abnormal_return(env))
8450                         return -EINVAL;
8451                 return 0;
8452         }
8453
8454         btf = btf_get_by_fd(attr->prog_btf_fd);
8455         if (IS_ERR(btf))
8456                 return PTR_ERR(btf);
8457         env->prog->aux->btf = btf;
8458
8459         err = check_btf_func(env, attr, uattr);
8460         if (err)
8461                 return err;
8462
8463         err = check_btf_line(env, attr, uattr);
8464         if (err)
8465                 return err;
8466
8467         return 0;
8468 }
8469
8470 /* check %cur's range satisfies %old's */
8471 static bool range_within(struct bpf_reg_state *old,
8472                          struct bpf_reg_state *cur)
8473 {
8474         return old->umin_value <= cur->umin_value &&
8475                old->umax_value >= cur->umax_value &&
8476                old->smin_value <= cur->smin_value &&
8477                old->smax_value >= cur->smax_value &&
8478                old->u32_min_value <= cur->u32_min_value &&
8479                old->u32_max_value >= cur->u32_max_value &&
8480                old->s32_min_value <= cur->s32_min_value &&
8481                old->s32_max_value >= cur->s32_max_value;
8482 }
8483
8484 /* Maximum number of register states that can exist at once */
8485 #define ID_MAP_SIZE     (MAX_BPF_REG + MAX_BPF_STACK / BPF_REG_SIZE)
8486 struct idpair {
8487         u32 old;
8488         u32 cur;
8489 };
8490
8491 /* If in the old state two registers had the same id, then they need to have
8492  * the same id in the new state as well.  But that id could be different from
8493  * the old state, so we need to track the mapping from old to new ids.
8494  * Once we have seen that, say, a reg with old id 5 had new id 9, any subsequent
8495  * regs with old id 5 must also have new id 9 for the new state to be safe.  But
8496  * regs with a different old id could still have new id 9, we don't care about
8497  * that.
8498  * So we look through our idmap to see if this old id has been seen before.  If
8499  * so, we require the new id to match; otherwise, we add the id pair to the map.
8500  */
8501 static bool check_ids(u32 old_id, u32 cur_id, struct idpair *idmap)
8502 {
8503         unsigned int i;
8504
8505         for (i = 0; i < ID_MAP_SIZE; i++) {
8506                 if (!idmap[i].old) {
8507                         /* Reached an empty slot; haven't seen this id before */
8508                         idmap[i].old = old_id;
8509                         idmap[i].cur = cur_id;
8510                         return true;
8511                 }
8512                 if (idmap[i].old == old_id)
8513                         return idmap[i].cur == cur_id;
8514         }
8515         /* We ran out of idmap slots, which should be impossible */
8516         WARN_ON_ONCE(1);
8517         return false;
8518 }
8519
8520 static void clean_func_state(struct bpf_verifier_env *env,
8521                              struct bpf_func_state *st)
8522 {
8523         enum bpf_reg_liveness live;
8524         int i, j;
8525
8526         for (i = 0; i < BPF_REG_FP; i++) {
8527                 live = st->regs[i].live;
8528                 /* liveness must not touch this register anymore */
8529                 st->regs[i].live |= REG_LIVE_DONE;
8530                 if (!(live & REG_LIVE_READ))
8531                         /* since the register is unused, clear its state
8532                          * to make further comparison simpler
8533                          */
8534                         __mark_reg_not_init(env, &st->regs[i]);
8535         }
8536
8537         for (i = 0; i < st->allocated_stack / BPF_REG_SIZE; i++) {
8538                 live = st->stack[i].spilled_ptr.live;
8539                 /* liveness must not touch this stack slot anymore */
8540                 st->stack[i].spilled_ptr.live |= REG_LIVE_DONE;
8541                 if (!(live & REG_LIVE_READ)) {
8542                         __mark_reg_not_init(env, &st->stack[i].spilled_ptr);
8543                         for (j = 0; j < BPF_REG_SIZE; j++)
8544                                 st->stack[i].slot_type[j] = STACK_INVALID;
8545                 }
8546         }
8547 }
8548
8549 static void clean_verifier_state(struct bpf_verifier_env *env,
8550                                  struct bpf_verifier_state *st)
8551 {
8552         int i;
8553
8554         if (st->frame[0]->regs[0].live & REG_LIVE_DONE)
8555                 /* all regs in this state in all frames were already marked */
8556                 return;
8557
8558         for (i = 0; i <= st->curframe; i++)
8559                 clean_func_state(env, st->frame[i]);
8560 }
8561
8562 /* the parentage chains form a tree.
8563  * the verifier states are added to state lists at given insn and
8564  * pushed into state stack for future exploration.
8565  * when the verifier reaches bpf_exit insn some of the verifer states
8566  * stored in the state lists have their final liveness state already,
8567  * but a lot of states will get revised from liveness point of view when
8568  * the verifier explores other branches.
8569  * Example:
8570  * 1: r0 = 1
8571  * 2: if r1 == 100 goto pc+1
8572  * 3: r0 = 2
8573  * 4: exit
8574  * when the verifier reaches exit insn the register r0 in the state list of
8575  * insn 2 will be seen as !REG_LIVE_READ. Then the verifier pops the other_branch
8576  * of insn 2 and goes exploring further. At the insn 4 it will walk the
8577  * parentage chain from insn 4 into insn 2 and will mark r0 as REG_LIVE_READ.
8578  *
8579  * Since the verifier pushes the branch states as it sees them while exploring
8580  * the program the condition of walking the branch instruction for the second
8581  * time means that all states below this branch were already explored and
8582  * their final liveness markes are already propagated.
8583  * Hence when the verifier completes the search of state list in is_state_visited()
8584  * we can call this clean_live_states() function to mark all liveness states
8585  * as REG_LIVE_DONE to indicate that 'parent' pointers of 'struct bpf_reg_state'
8586  * will not be used.
8587  * This function also clears the registers and stack for states that !READ
8588  * to simplify state merging.
8589  *
8590  * Important note here that walking the same branch instruction in the callee
8591  * doesn't meant that the states are DONE. The verifier has to compare
8592  * the callsites
8593  */
8594 static void clean_live_states(struct bpf_verifier_env *env, int insn,
8595                               struct bpf_verifier_state *cur)
8596 {
8597         struct bpf_verifier_state_list *sl;
8598         int i;
8599
8600         sl = *explored_state(env, insn);
8601         while (sl) {
8602                 if (sl->state.branches)
8603                         goto next;
8604                 if (sl->state.insn_idx != insn ||
8605                     sl->state.curframe != cur->curframe)
8606                         goto next;
8607                 for (i = 0; i <= cur->curframe; i++)
8608                         if (sl->state.frame[i]->callsite != cur->frame[i]->callsite)
8609                                 goto next;
8610                 clean_verifier_state(env, &sl->state);
8611 next:
8612                 sl = sl->next;
8613         }
8614 }
8615
8616 /* Returns true if (rold safe implies rcur safe) */
8617 static bool regsafe(struct bpf_reg_state *rold, struct bpf_reg_state *rcur,
8618                     struct idpair *idmap)
8619 {
8620         bool equal;
8621
8622         if (!(rold->live & REG_LIVE_READ))
8623                 /* explored state didn't use this */
8624                 return true;
8625
8626         equal = memcmp(rold, rcur, offsetof(struct bpf_reg_state, parent)) == 0;
8627
8628         if (rold->type == PTR_TO_STACK)
8629                 /* two stack pointers are equal only if they're pointing to
8630                  * the same stack frame, since fp-8 in foo != fp-8 in bar
8631                  */
8632                 return equal && rold->frameno == rcur->frameno;
8633
8634         if (equal)
8635                 return true;
8636
8637         if (rold->type == NOT_INIT)
8638                 /* explored state can't have used this */
8639                 return true;
8640         if (rcur->type == NOT_INIT)
8641                 return false;
8642         switch (rold->type) {
8643         case SCALAR_VALUE:
8644                 if (rcur->type == SCALAR_VALUE) {
8645                         if (!rold->precise && !rcur->precise)
8646                                 return true;
8647                         /* new val must satisfy old val knowledge */
8648                         return range_within(rold, rcur) &&
8649                                tnum_in(rold->var_off, rcur->var_off);
8650                 } else {
8651                         /* We're trying to use a pointer in place of a scalar.
8652                          * Even if the scalar was unbounded, this could lead to
8653                          * pointer leaks because scalars are allowed to leak
8654                          * while pointers are not. We could make this safe in
8655                          * special cases if root is calling us, but it's
8656                          * probably not worth the hassle.
8657                          */
8658                         return false;
8659                 }
8660         case PTR_TO_MAP_VALUE:
8661                 /* If the new min/max/var_off satisfy the old ones and
8662                  * everything else matches, we are OK.
8663                  * 'id' is not compared, since it's only used for maps with
8664                  * bpf_spin_lock inside map element and in such cases if
8665                  * the rest of the prog is valid for one map element then
8666                  * it's valid for all map elements regardless of the key
8667                  * used in bpf_map_lookup()
8668                  */
8669                 return memcmp(rold, rcur, offsetof(struct bpf_reg_state, id)) == 0 &&
8670                        range_within(rold, rcur) &&
8671                        tnum_in(rold->var_off, rcur->var_off);
8672         case PTR_TO_MAP_VALUE_OR_NULL:
8673                 /* a PTR_TO_MAP_VALUE could be safe to use as a
8674                  * PTR_TO_MAP_VALUE_OR_NULL into the same map.
8675                  * However, if the old PTR_TO_MAP_VALUE_OR_NULL then got NULL-
8676                  * checked, doing so could have affected others with the same
8677                  * id, and we can't check for that because we lost the id when
8678                  * we converted to a PTR_TO_MAP_VALUE.
8679                  */
8680                 if (rcur->type != PTR_TO_MAP_VALUE_OR_NULL)
8681                         return false;
8682                 if (memcmp(rold, rcur, offsetof(struct bpf_reg_state, id)))
8683                         return false;
8684                 /* Check our ids match any regs they're supposed to */
8685                 return check_ids(rold->id, rcur->id, idmap);
8686         case PTR_TO_PACKET_META:
8687         case PTR_TO_PACKET:
8688                 if (rcur->type != rold->type)
8689                         return false;
8690                 /* We must have at least as much range as the old ptr
8691                  * did, so that any accesses which were safe before are
8692                  * still safe.  This is true even if old range < old off,
8693                  * since someone could have accessed through (ptr - k), or
8694                  * even done ptr -= k in a register, to get a safe access.
8695                  */
8696                 if (rold->range > rcur->range)
8697                         return false;
8698                 /* If the offsets don't match, we can't trust our alignment;
8699                  * nor can we be sure that we won't fall out of range.
8700                  */
8701                 if (rold->off != rcur->off)
8702                         return false;
8703                 /* id relations must be preserved */
8704                 if (rold->id && !check_ids(rold->id, rcur->id, idmap))
8705                         return false;
8706                 /* new val must satisfy old val knowledge */
8707                 return range_within(rold, rcur) &&
8708                        tnum_in(rold->var_off, rcur->var_off);
8709         case PTR_TO_CTX:
8710         case CONST_PTR_TO_MAP:
8711         case PTR_TO_PACKET_END:
8712         case PTR_TO_FLOW_KEYS:
8713         case PTR_TO_SOCKET:
8714         case PTR_TO_SOCKET_OR_NULL:
8715         case PTR_TO_SOCK_COMMON:
8716         case PTR_TO_SOCK_COMMON_OR_NULL:
8717         case PTR_TO_TCP_SOCK:
8718         case PTR_TO_TCP_SOCK_OR_NULL:
8719         case PTR_TO_XDP_SOCK:
8720                 /* Only valid matches are exact, which memcmp() above
8721                  * would have accepted
8722                  */
8723         default:
8724                 /* Don't know what's going on, just say it's not safe */
8725                 return false;
8726         }
8727
8728         /* Shouldn't get here; if we do, say it's not safe */
8729         WARN_ON_ONCE(1);
8730         return false;
8731 }
8732
8733 static bool stacksafe(struct bpf_func_state *old,
8734                       struct bpf_func_state *cur,
8735                       struct idpair *idmap)
8736 {
8737         int i, spi;
8738
8739         /* walk slots of the explored stack and ignore any additional
8740          * slots in the current stack, since explored(safe) state
8741          * didn't use them
8742          */
8743         for (i = 0; i < old->allocated_stack; i++) {
8744                 spi = i / BPF_REG_SIZE;
8745
8746                 if (!(old->stack[spi].spilled_ptr.live & REG_LIVE_READ)) {
8747                         i += BPF_REG_SIZE - 1;
8748                         /* explored state didn't use this */
8749                         continue;
8750                 }
8751
8752                 if (old->stack[spi].slot_type[i % BPF_REG_SIZE] == STACK_INVALID)
8753                         continue;
8754
8755                 /* explored stack has more populated slots than current stack
8756                  * and these slots were used
8757                  */
8758                 if (i >= cur->allocated_stack)
8759                         return false;
8760
8761                 /* if old state was safe with misc data in the stack
8762                  * it will be safe with zero-initialized stack.
8763                  * The opposite is not true
8764                  */
8765                 if (old->stack[spi].slot_type[i % BPF_REG_SIZE] == STACK_MISC &&
8766                     cur->stack[spi].slot_type[i % BPF_REG_SIZE] == STACK_ZERO)
8767                         continue;
8768                 if (old->stack[spi].slot_type[i % BPF_REG_SIZE] !=
8769                     cur->stack[spi].slot_type[i % BPF_REG_SIZE])
8770                         /* Ex: old explored (safe) state has STACK_SPILL in
8771                          * this stack slot, but current has STACK_MISC ->
8772                          * this verifier states are not equivalent,
8773                          * return false to continue verification of this path
8774                          */
8775                         return false;
8776                 if (i % BPF_REG_SIZE)
8777                         continue;
8778                 if (old->stack[spi].slot_type[0] != STACK_SPILL)
8779                         continue;
8780                 if (!regsafe(&old->stack[spi].spilled_ptr,
8781                              &cur->stack[spi].spilled_ptr,
8782                              idmap))
8783                         /* when explored and current stack slot are both storing
8784                          * spilled registers, check that stored pointers types
8785                          * are the same as well.
8786                          * Ex: explored safe path could have stored
8787                          * (bpf_reg_state) {.type = PTR_TO_STACK, .off = -8}
8788                          * but current path has stored:
8789                          * (bpf_reg_state) {.type = PTR_TO_STACK, .off = -16}
8790                          * such verifier states are not equivalent.
8791                          * return false to continue verification of this path
8792                          */
8793                         return false;
8794         }
8795         return true;
8796 }
8797
8798 static bool refsafe(struct bpf_func_state *old, struct bpf_func_state *cur)
8799 {
8800         if (old->acquired_refs != cur->acquired_refs)
8801                 return false;
8802         return !memcmp(old->refs, cur->refs,
8803                        sizeof(*old->refs) * old->acquired_refs);
8804 }
8805
8806 /* compare two verifier states
8807  *
8808  * all states stored in state_list are known to be valid, since
8809  * verifier reached 'bpf_exit' instruction through them
8810  *
8811  * this function is called when verifier exploring different branches of
8812  * execution popped from the state stack. If it sees an old state that has
8813  * more strict register state and more strict stack state then this execution
8814  * branch doesn't need to be explored further, since verifier already
8815  * concluded that more strict state leads to valid finish.
8816  *
8817  * Therefore two states are equivalent if register state is more conservative
8818  * and explored stack state is more conservative than the current one.
8819  * Example:
8820  *       explored                   current
8821  * (slot1=INV slot2=MISC) == (slot1=MISC slot2=MISC)
8822  * (slot1=MISC slot2=MISC) != (slot1=INV slot2=MISC)
8823  *
8824  * In other words if current stack state (one being explored) has more
8825  * valid slots than old one that already passed validation, it means
8826  * the verifier can stop exploring and conclude that current state is valid too
8827  *
8828  * Similarly with registers. If explored state has register type as invalid
8829  * whereas register type in current state is meaningful, it means that
8830  * the current state will reach 'bpf_exit' instruction safely
8831  */
8832 static bool func_states_equal(struct bpf_func_state *old,
8833                               struct bpf_func_state *cur)
8834 {
8835         struct idpair *idmap;
8836         bool ret = false;
8837         int i;
8838
8839         idmap = kcalloc(ID_MAP_SIZE, sizeof(struct idpair), GFP_KERNEL);
8840         /* If we failed to allocate the idmap, just say it's not safe */
8841         if (!idmap)
8842                 return false;
8843
8844         for (i = 0; i < MAX_BPF_REG; i++) {
8845                 if (!regsafe(&old->regs[i], &cur->regs[i], idmap))
8846                         goto out_free;
8847         }
8848
8849         if (!stacksafe(old, cur, idmap))
8850                 goto out_free;
8851
8852         if (!refsafe(old, cur))
8853                 goto out_free;
8854         ret = true;
8855 out_free:
8856         kfree(idmap);
8857         return ret;
8858 }
8859
8860 static bool states_equal(struct bpf_verifier_env *env,
8861                          struct bpf_verifier_state *old,
8862                          struct bpf_verifier_state *cur)
8863 {
8864         int i;
8865
8866         if (old->curframe != cur->curframe)
8867                 return false;
8868
8869         /* Verification state from speculative execution simulation
8870          * must never prune a non-speculative execution one.
8871          */
8872         if (old->speculative && !cur->speculative)
8873                 return false;
8874
8875         if (old->active_spin_lock != cur->active_spin_lock)
8876                 return false;
8877
8878         /* for states to be equal callsites have to be the same
8879          * and all frame states need to be equivalent
8880          */
8881         for (i = 0; i <= old->curframe; i++) {
8882                 if (old->frame[i]->callsite != cur->frame[i]->callsite)
8883                         return false;
8884                 if (!func_states_equal(old->frame[i], cur->frame[i]))
8885                         return false;
8886         }
8887         return true;
8888 }
8889
8890 /* Return 0 if no propagation happened. Return negative error code if error
8891  * happened. Otherwise, return the propagated bit.
8892  */
8893 static int propagate_liveness_reg(struct bpf_verifier_env *env,
8894                                   struct bpf_reg_state *reg,
8895                                   struct bpf_reg_state *parent_reg)
8896 {
8897         u8 parent_flag = parent_reg->live & REG_LIVE_READ;
8898         u8 flag = reg->live & REG_LIVE_READ;
8899         int err;
8900
8901         /* When comes here, read flags of PARENT_REG or REG could be any of
8902          * REG_LIVE_READ64, REG_LIVE_READ32, REG_LIVE_NONE. There is no need
8903          * of propagation if PARENT_REG has strongest REG_LIVE_READ64.
8904          */
8905         if (parent_flag == REG_LIVE_READ64 ||
8906             /* Or if there is no read flag from REG. */
8907             !flag ||
8908             /* Or if the read flag from REG is the same as PARENT_REG. */
8909             parent_flag == flag)
8910                 return 0;
8911
8912         err = mark_reg_read(env, reg, parent_reg, flag);
8913         if (err)
8914                 return err;
8915
8916         return flag;
8917 }
8918
8919 /* A write screens off any subsequent reads; but write marks come from the
8920  * straight-line code between a state and its parent.  When we arrive at an
8921  * equivalent state (jump target or such) we didn't arrive by the straight-line
8922  * code, so read marks in the state must propagate to the parent regardless
8923  * of the state's write marks. That's what 'parent == state->parent' comparison
8924  * in mark_reg_read() is for.
8925  */
8926 static int propagate_liveness(struct bpf_verifier_env *env,
8927                               const struct bpf_verifier_state *vstate,
8928                               struct bpf_verifier_state *vparent)
8929 {
8930         struct bpf_reg_state *state_reg, *parent_reg;
8931         struct bpf_func_state *state, *parent;
8932         int i, frame, err = 0;
8933
8934         if (vparent->curframe != vstate->curframe) {
8935                 WARN(1, "propagate_live: parent frame %d current frame %d\n",
8936                      vparent->curframe, vstate->curframe);
8937                 return -EFAULT;
8938         }
8939         /* Propagate read liveness of registers... */
8940         BUILD_BUG_ON(BPF_REG_FP + 1 != MAX_BPF_REG);
8941         for (frame = 0; frame <= vstate->curframe; frame++) {
8942                 parent = vparent->frame[frame];
8943                 state = vstate->frame[frame];
8944                 parent_reg = parent->regs;
8945                 state_reg = state->regs;
8946                 /* We don't need to worry about FP liveness, it's read-only */
8947                 for (i = frame < vstate->curframe ? BPF_REG_6 : 0; i < BPF_REG_FP; i++) {
8948                         err = propagate_liveness_reg(env, &state_reg[i],
8949                                                      &parent_reg[i]);
8950                         if (err < 0)
8951                                 return err;
8952                         if (err == REG_LIVE_READ64)
8953                                 mark_insn_zext(env, &parent_reg[i]);
8954                 }
8955
8956                 /* Propagate stack slots. */
8957                 for (i = 0; i < state->allocated_stack / BPF_REG_SIZE &&
8958                             i < parent->allocated_stack / BPF_REG_SIZE; i++) {
8959                         parent_reg = &parent->stack[i].spilled_ptr;
8960                         state_reg = &state->stack[i].spilled_ptr;
8961                         err = propagate_liveness_reg(env, state_reg,
8962                                                      parent_reg);
8963                         if (err < 0)
8964                                 return err;
8965                 }
8966         }
8967         return 0;
8968 }
8969
8970 /* find precise scalars in the previous equivalent state and
8971  * propagate them into the current state
8972  */
8973 static int propagate_precision(struct bpf_verifier_env *env,
8974                                const struct bpf_verifier_state *old)
8975 {
8976         struct bpf_reg_state *state_reg;
8977         struct bpf_func_state *state;
8978         int i, err = 0;
8979
8980         state = old->frame[old->curframe];
8981         state_reg = state->regs;
8982         for (i = 0; i < BPF_REG_FP; i++, state_reg++) {
8983                 if (state_reg->type != SCALAR_VALUE ||
8984                     !state_reg->precise)
8985                         continue;
8986                 if (env->log.level & BPF_LOG_LEVEL2)
8987                         verbose(env, "propagating r%d\n", i);
8988                 err = mark_chain_precision(env, i);
8989                 if (err < 0)
8990                         return err;
8991         }
8992
8993         for (i = 0; i < state->allocated_stack / BPF_REG_SIZE; i++) {
8994                 if (state->stack[i].slot_type[0] != STACK_SPILL)
8995                         continue;
8996                 state_reg = &state->stack[i].spilled_ptr;
8997                 if (state_reg->type != SCALAR_VALUE ||
8998                     !state_reg->precise)
8999                         continue;
9000                 if (env->log.level & BPF_LOG_LEVEL2)
9001                         verbose(env, "propagating fp%d\n",
9002                                 (-i - 1) * BPF_REG_SIZE);
9003                 err = mark_chain_precision_stack(env, i);
9004                 if (err < 0)
9005                         return err;
9006         }
9007         return 0;
9008 }
9009
9010 static bool states_maybe_looping(struct bpf_verifier_state *old,
9011                                  struct bpf_verifier_state *cur)
9012 {
9013         struct bpf_func_state *fold, *fcur;
9014         int i, fr = cur->curframe;
9015
9016         if (old->curframe != fr)
9017                 return false;
9018
9019         fold = old->frame[fr];
9020         fcur = cur->frame[fr];
9021         for (i = 0; i < MAX_BPF_REG; i++)
9022                 if (memcmp(&fold->regs[i], &fcur->regs[i],
9023                            offsetof(struct bpf_reg_state, parent)))
9024                         return false;
9025         return true;
9026 }
9027
9028
9029 static int is_state_visited(struct bpf_verifier_env *env, int insn_idx)
9030 {
9031         struct bpf_verifier_state_list *new_sl;
9032         struct bpf_verifier_state_list *sl, **pprev;
9033         struct bpf_verifier_state *cur = env->cur_state, *new;
9034         int i, j, err, states_cnt = 0;
9035         bool add_new_state = env->test_state_freq ? true : false;
9036
9037         cur->last_insn_idx = env->prev_insn_idx;
9038         if (!env->insn_aux_data[insn_idx].prune_point)
9039                 /* this 'insn_idx' instruction wasn't marked, so we will not
9040                  * be doing state search here
9041                  */
9042                 return 0;
9043
9044         /* bpf progs typically have pruning point every 4 instructions
9045          * http://vger.kernel.org/bpfconf2019.html#session-1
9046          * Do not add new state for future pruning if the verifier hasn't seen
9047          * at least 2 jumps and at least 8 instructions.
9048          * This heuristics helps decrease 'total_states' and 'peak_states' metric.
9049          * In tests that amounts to up to 50% reduction into total verifier
9050          * memory consumption and 20% verifier time speedup.
9051          */
9052         if (env->jmps_processed - env->prev_jmps_processed >= 2 &&
9053             env->insn_processed - env->prev_insn_processed >= 8)
9054                 add_new_state = true;
9055
9056         pprev = explored_state(env, insn_idx);
9057         sl = *pprev;
9058
9059         clean_live_states(env, insn_idx, cur);
9060
9061         while (sl) {
9062                 states_cnt++;
9063                 if (sl->state.insn_idx != insn_idx)
9064                         goto next;
9065                 if (sl->state.branches) {
9066                         if (states_maybe_looping(&sl->state, cur) &&
9067                             states_equal(env, &sl->state, cur)) {
9068                                 verbose_linfo(env, insn_idx, "; ");
9069                                 verbose(env, "infinite loop detected at insn %d\n", insn_idx);
9070                                 return -EINVAL;
9071                         }
9072                         /* if the verifier is processing a loop, avoid adding new state
9073                          * too often, since different loop iterations have distinct
9074                          * states and may not help future pruning.
9075                          * This threshold shouldn't be too low to make sure that
9076                          * a loop with large bound will be rejected quickly.
9077                          * The most abusive loop will be:
9078                          * r1 += 1
9079                          * if r1 < 1000000 goto pc-2
9080                          * 1M insn_procssed limit / 100 == 10k peak states.
9081                          * This threshold shouldn't be too high either, since states
9082                          * at the end of the loop are likely to be useful in pruning.
9083                          */
9084                         if (env->jmps_processed - env->prev_jmps_processed < 20 &&
9085                             env->insn_processed - env->prev_insn_processed < 100)
9086                                 add_new_state = false;
9087                         goto miss;
9088                 }
9089                 if (states_equal(env, &sl->state, cur)) {
9090                         sl->hit_cnt++;
9091                         /* reached equivalent register/stack state,
9092                          * prune the search.
9093                          * Registers read by the continuation are read by us.
9094                          * If we have any write marks in env->cur_state, they
9095                          * will prevent corresponding reads in the continuation
9096                          * from reaching our parent (an explored_state).  Our
9097                          * own state will get the read marks recorded, but
9098                          * they'll be immediately forgotten as we're pruning
9099                          * this state and will pop a new one.
9100                          */
9101                         err = propagate_liveness(env, &sl->state, cur);
9102
9103                         /* if previous state reached the exit with precision and
9104                          * current state is equivalent to it (except precsion marks)
9105                          * the precision needs to be propagated back in
9106                          * the current state.
9107                          */
9108                         err = err ? : push_jmp_history(env, cur);
9109                         err = err ? : propagate_precision(env, &sl->state);
9110                         if (err)
9111                                 return err;
9112                         return 1;
9113                 }
9114 miss:
9115                 /* when new state is not going to be added do not increase miss count.
9116                  * Otherwise several loop iterations will remove the state
9117                  * recorded earlier. The goal of these heuristics is to have
9118                  * states from some iterations of the loop (some in the beginning
9119                  * and some at the end) to help pruning.
9120                  */
9121                 if (add_new_state)
9122                         sl->miss_cnt++;
9123                 /* heuristic to determine whether this state is beneficial
9124                  * to keep checking from state equivalence point of view.
9125                  * Higher numbers increase max_states_per_insn and verification time,
9126                  * but do not meaningfully decrease insn_processed.
9127                  */
9128                 if (sl->miss_cnt > sl->hit_cnt * 3 + 3) {
9129                         /* the state is unlikely to be useful. Remove it to
9130                          * speed up verification
9131                          */
9132                         *pprev = sl->next;
9133                         if (sl->state.frame[0]->regs[0].live & REG_LIVE_DONE) {
9134                                 u32 br = sl->state.branches;
9135
9136                                 WARN_ONCE(br,
9137                                           "BUG live_done but branches_to_explore %d\n",
9138                                           br);
9139                                 free_verifier_state(&sl->state, false);
9140                                 kfree(sl);
9141                                 env->peak_states--;
9142                         } else {
9143                                 /* cannot free this state, since parentage chain may
9144                                  * walk it later. Add it for free_list instead to
9145                                  * be freed at the end of verification
9146                                  */
9147                                 sl->next = env->free_list;
9148                                 env->free_list = sl;
9149                         }
9150                         sl = *pprev;
9151                         continue;
9152                 }
9153 next:
9154                 pprev = &sl->next;
9155                 sl = *pprev;
9156         }
9157
9158         if (env->max_states_per_insn < states_cnt)
9159                 env->max_states_per_insn = states_cnt;
9160
9161         if (!env->bpf_capable && states_cnt > BPF_COMPLEXITY_LIMIT_STATES)
9162                 return push_jmp_history(env, cur);
9163
9164         if (!add_new_state)
9165                 return push_jmp_history(env, cur);
9166
9167         /* There were no equivalent states, remember the current one.
9168          * Technically the current state is not proven to be safe yet,
9169          * but it will either reach outer most bpf_exit (which means it's safe)
9170          * or it will be rejected. When there are no loops the verifier won't be
9171          * seeing this tuple (frame[0].callsite, frame[1].callsite, .. insn_idx)
9172          * again on the way to bpf_exit.
9173          * When looping the sl->state.branches will be > 0 and this state
9174          * will not be considered for equivalence until branches == 0.
9175          */
9176         new_sl = kzalloc(sizeof(struct bpf_verifier_state_list), GFP_KERNEL);
9177         if (!new_sl)
9178                 return -ENOMEM;
9179         env->total_states++;
9180         env->peak_states++;
9181         env->prev_jmps_processed = env->jmps_processed;
9182         env->prev_insn_processed = env->insn_processed;
9183
9184         /* add new state to the head of linked list */
9185         new = &new_sl->state;
9186         err = copy_verifier_state(new, cur);
9187         if (err) {
9188                 free_verifier_state(new, false);
9189                 kfree(new_sl);
9190                 return err;
9191         }
9192         new->insn_idx = insn_idx;
9193         WARN_ONCE(new->branches != 1,
9194                   "BUG is_state_visited:branches_to_explore=%d insn %d\n", new->branches, insn_idx);
9195
9196         cur->parent = new;
9197         cur->first_insn_idx = insn_idx;
9198         clear_jmp_history(cur);
9199         new_sl->next = *explored_state(env, insn_idx);
9200         *explored_state(env, insn_idx) = new_sl;
9201         /* connect new state to parentage chain. Current frame needs all
9202          * registers connected. Only r6 - r9 of the callers are alive (pushed
9203          * to the stack implicitly by JITs) so in callers' frames connect just
9204          * r6 - r9 as an optimization. Callers will have r1 - r5 connected to
9205          * the state of the call instruction (with WRITTEN set), and r0 comes
9206          * from callee with its full parentage chain, anyway.
9207          */
9208         /* clear write marks in current state: the writes we did are not writes
9209          * our child did, so they don't screen off its reads from us.
9210          * (There are no read marks in current state, because reads always mark
9211          * their parent and current state never has children yet.  Only
9212          * explored_states can get read marks.)
9213          */
9214         for (j = 0; j <= cur->curframe; j++) {
9215                 for (i = j < cur->curframe ? BPF_REG_6 : 0; i < BPF_REG_FP; i++)
9216                         cur->frame[j]->regs[i].parent = &new->frame[j]->regs[i];
9217                 for (i = 0; i < BPF_REG_FP; i++)
9218                         cur->frame[j]->regs[i].live = REG_LIVE_NONE;
9219         }
9220
9221         /* all stack frames are accessible from callee, clear them all */
9222         for (j = 0; j <= cur->curframe; j++) {
9223                 struct bpf_func_state *frame = cur->frame[j];
9224                 struct bpf_func_state *newframe = new->frame[j];
9225
9226                 for (i = 0; i < frame->allocated_stack / BPF_REG_SIZE; i++) {
9227                         frame->stack[i].spilled_ptr.live = REG_LIVE_NONE;
9228                         frame->stack[i].spilled_ptr.parent =
9229                                                 &newframe->stack[i].spilled_ptr;
9230                 }
9231         }
9232         return 0;
9233 }
9234
9235 /* Return true if it's OK to have the same insn return a different type. */
9236 static bool reg_type_mismatch_ok(enum bpf_reg_type type)
9237 {
9238         switch (type) {
9239         case PTR_TO_CTX:
9240         case PTR_TO_SOCKET:
9241         case PTR_TO_SOCKET_OR_NULL:
9242         case PTR_TO_SOCK_COMMON:
9243         case PTR_TO_SOCK_COMMON_OR_NULL:
9244         case PTR_TO_TCP_SOCK:
9245         case PTR_TO_TCP_SOCK_OR_NULL:
9246         case PTR_TO_XDP_SOCK:
9247         case PTR_TO_BTF_ID:
9248         case PTR_TO_BTF_ID_OR_NULL:
9249                 return false;
9250         default:
9251                 return true;
9252         }
9253 }
9254
9255 /* If an instruction was previously used with particular pointer types, then we
9256  * need to be careful to avoid cases such as the below, where it may be ok
9257  * for one branch accessing the pointer, but not ok for the other branch:
9258  *
9259  * R1 = sock_ptr
9260  * goto X;
9261  * ...
9262  * R1 = some_other_valid_ptr;
9263  * goto X;
9264  * ...
9265  * R2 = *(u32 *)(R1 + 0);
9266  */
9267 static bool reg_type_mismatch(enum bpf_reg_type src, enum bpf_reg_type prev)
9268 {
9269         return src != prev && (!reg_type_mismatch_ok(src) ||
9270                                !reg_type_mismatch_ok(prev));
9271 }
9272
9273 static int do_check(struct bpf_verifier_env *env)
9274 {
9275         bool pop_log = !(env->log.level & BPF_LOG_LEVEL2);
9276         struct bpf_verifier_state *state = env->cur_state;
9277         struct bpf_insn *insns = env->prog->insnsi;
9278         struct bpf_reg_state *regs;
9279         int insn_cnt = env->prog->len;
9280         bool do_print_state = false;
9281         int prev_insn_idx = -1;
9282
9283         for (;;) {
9284                 struct bpf_insn *insn;
9285                 u8 class;
9286                 int err;
9287
9288                 env->prev_insn_idx = prev_insn_idx;
9289                 if (env->insn_idx >= insn_cnt) {
9290                         verbose(env, "invalid insn idx %d insn_cnt %d\n",
9291                                 env->insn_idx, insn_cnt);
9292                         return -EFAULT;
9293                 }
9294
9295                 insn = &insns[env->insn_idx];
9296                 class = BPF_CLASS(insn->code);
9297
9298                 if (++env->insn_processed > BPF_COMPLEXITY_LIMIT_INSNS) {
9299                         verbose(env,
9300                                 "BPF program is too large. Processed %d insn\n",
9301                                 env->insn_processed);
9302                         return -E2BIG;
9303                 }
9304
9305                 err = is_state_visited(env, env->insn_idx);
9306                 if (err < 0)
9307                         return err;
9308                 if (err == 1) {
9309                         /* found equivalent state, can prune the search */
9310                         if (env->log.level & BPF_LOG_LEVEL) {
9311                                 if (do_print_state)
9312                                         verbose(env, "\nfrom %d to %d%s: safe\n",
9313                                                 env->prev_insn_idx, env->insn_idx,
9314                                                 env->cur_state->speculative ?
9315                                                 " (speculative execution)" : "");
9316                                 else
9317                                         verbose(env, "%d: safe\n", env->insn_idx);
9318                         }
9319                         goto process_bpf_exit;
9320                 }
9321
9322                 if (signal_pending(current))
9323                         return -EAGAIN;
9324
9325                 if (need_resched())
9326                         cond_resched();
9327
9328                 if (env->log.level & BPF_LOG_LEVEL2 ||
9329                     (env->log.level & BPF_LOG_LEVEL && do_print_state)) {
9330                         if (env->log.level & BPF_LOG_LEVEL2)
9331                                 verbose(env, "%d:", env->insn_idx);
9332                         else
9333                                 verbose(env, "\nfrom %d to %d%s:",
9334                                         env->prev_insn_idx, env->insn_idx,
9335                                         env->cur_state->speculative ?
9336                                         " (speculative execution)" : "");
9337                         print_verifier_state(env, state->frame[state->curframe]);
9338                         do_print_state = false;
9339                 }
9340
9341                 if (env->log.level & BPF_LOG_LEVEL) {
9342                         const struct bpf_insn_cbs cbs = {
9343                                 .cb_print       = verbose,
9344                                 .private_data   = env,
9345                         };
9346
9347                         verbose_linfo(env, env->insn_idx, "; ");
9348                         verbose(env, "%d: ", env->insn_idx);
9349                         print_bpf_insn(&cbs, insn, env->allow_ptr_leaks);
9350                 }
9351
9352                 if (bpf_prog_is_dev_bound(env->prog->aux)) {
9353                         err = bpf_prog_offload_verify_insn(env, env->insn_idx,
9354                                                            env->prev_insn_idx);
9355                         if (err)
9356                                 return err;
9357                 }
9358
9359                 regs = cur_regs(env);
9360                 env->insn_aux_data[env->insn_idx].seen = env->pass_cnt;
9361                 prev_insn_idx = env->insn_idx;
9362
9363                 if (class == BPF_ALU || class == BPF_ALU64) {
9364                         err = check_alu_op(env, insn);
9365                         if (err)
9366                                 return err;
9367
9368                 } else if (class == BPF_LDX) {
9369                         enum bpf_reg_type *prev_src_type, src_reg_type;
9370
9371                         /* check for reserved fields is already done */
9372
9373                         /* check src operand */
9374                         err = check_reg_arg(env, insn->src_reg, SRC_OP);
9375                         if (err)
9376                                 return err;
9377
9378                         err = check_reg_arg(env, insn->dst_reg, DST_OP_NO_MARK);
9379                         if (err)
9380                                 return err;
9381
9382                         src_reg_type = regs[insn->src_reg].type;
9383
9384                         /* check that memory (src_reg + off) is readable,
9385                          * the state of dst_reg will be updated by this func
9386                          */
9387                         err = check_mem_access(env, env->insn_idx, insn->src_reg,
9388                                                insn->off, BPF_SIZE(insn->code),
9389                                                BPF_READ, insn->dst_reg, false);
9390                         if (err)
9391                                 return err;
9392
9393                         prev_src_type = &env->insn_aux_data[env->insn_idx].ptr_type;
9394
9395                         if (*prev_src_type == NOT_INIT) {
9396                                 /* saw a valid insn
9397                                  * dst_reg = *(u32 *)(src_reg + off)
9398                                  * save type to validate intersecting paths
9399                                  */
9400                                 *prev_src_type = src_reg_type;
9401
9402                         } else if (reg_type_mismatch(src_reg_type, *prev_src_type)) {
9403                                 /* ABuser program is trying to use the same insn
9404                                  * dst_reg = *(u32*) (src_reg + off)
9405                                  * with different pointer types:
9406                                  * src_reg == ctx in one branch and
9407                                  * src_reg == stack|map in some other branch.
9408                                  * Reject it.
9409                                  */
9410                                 verbose(env, "same insn cannot be used with different pointers\n");
9411                                 return -EINVAL;
9412                         }
9413
9414                 } else if (class == BPF_STX) {
9415                         enum bpf_reg_type *prev_dst_type, dst_reg_type;
9416
9417                         if (BPF_MODE(insn->code) == BPF_XADD) {
9418                                 err = check_xadd(env, env->insn_idx, insn);
9419                                 if (err)
9420                                         return err;
9421                                 env->insn_idx++;
9422                                 continue;
9423                         }
9424
9425                         /* check src1 operand */
9426                         err = check_reg_arg(env, insn->src_reg, SRC_OP);
9427                         if (err)
9428                                 return err;
9429                         /* check src2 operand */
9430                         err = check_reg_arg(env, insn->dst_reg, SRC_OP);
9431                         if (err)
9432                                 return err;
9433
9434                         dst_reg_type = regs[insn->dst_reg].type;
9435
9436                         /* check that memory (dst_reg + off) is writeable */
9437                         err = check_mem_access(env, env->insn_idx, insn->dst_reg,
9438                                                insn->off, BPF_SIZE(insn->code),
9439                                                BPF_WRITE, insn->src_reg, false);
9440                         if (err)
9441                                 return err;
9442
9443                         prev_dst_type = &env->insn_aux_data[env->insn_idx].ptr_type;
9444
9445                         if (*prev_dst_type == NOT_INIT) {
9446                                 *prev_dst_type = dst_reg_type;
9447                         } else if (reg_type_mismatch(dst_reg_type, *prev_dst_type)) {
9448                                 verbose(env, "same insn cannot be used with different pointers\n");
9449                                 return -EINVAL;
9450                         }
9451
9452                 } else if (class == BPF_ST) {
9453                         if (BPF_MODE(insn->code) != BPF_MEM ||
9454                             insn->src_reg != BPF_REG_0) {
9455                                 verbose(env, "BPF_ST uses reserved fields\n");
9456                                 return -EINVAL;
9457                         }
9458                         /* check src operand */
9459                         err = check_reg_arg(env, insn->dst_reg, SRC_OP);
9460                         if (err)
9461                                 return err;
9462
9463                         if (is_ctx_reg(env, insn->dst_reg)) {
9464                                 verbose(env, "BPF_ST stores into R%d %s is not allowed\n",
9465                                         insn->dst_reg,
9466                                         reg_type_str[reg_state(env, insn->dst_reg)->type]);
9467                                 return -EACCES;
9468                         }
9469
9470                         /* check that memory (dst_reg + off) is writeable */
9471                         err = check_mem_access(env, env->insn_idx, insn->dst_reg,
9472                                                insn->off, BPF_SIZE(insn->code),
9473                                                BPF_WRITE, -1, false);
9474                         if (err)
9475                                 return err;
9476
9477                 } else if (class == BPF_JMP || class == BPF_JMP32) {
9478                         u8 opcode = BPF_OP(insn->code);
9479
9480                         env->jmps_processed++;
9481                         if (opcode == BPF_CALL) {
9482                                 if (BPF_SRC(insn->code) != BPF_K ||
9483                                     insn->off != 0 ||
9484                                     (insn->src_reg != BPF_REG_0 &&
9485                                      insn->src_reg != BPF_PSEUDO_CALL) ||
9486                                     insn->dst_reg != BPF_REG_0 ||
9487                                     class == BPF_JMP32) {
9488                                         verbose(env, "BPF_CALL uses reserved fields\n");
9489                                         return -EINVAL;
9490                                 }
9491
9492                                 if (env->cur_state->active_spin_lock &&
9493                                     (insn->src_reg == BPF_PSEUDO_CALL ||
9494                                      insn->imm != BPF_FUNC_spin_unlock)) {
9495                                         verbose(env, "function calls are not allowed while holding a lock\n");
9496                                         return -EINVAL;
9497                                 }
9498                                 if (insn->src_reg == BPF_PSEUDO_CALL)
9499                                         err = check_func_call(env, insn, &env->insn_idx);
9500                                 else
9501                                         err = check_helper_call(env, insn->imm, env->insn_idx);
9502                                 if (err)
9503                                         return err;
9504
9505                         } else if (opcode == BPF_JA) {
9506                                 if (BPF_SRC(insn->code) != BPF_K ||
9507                                     insn->imm != 0 ||
9508                                     insn->src_reg != BPF_REG_0 ||
9509                                     insn->dst_reg != BPF_REG_0 ||
9510                                     class == BPF_JMP32) {
9511                                         verbose(env, "BPF_JA uses reserved fields\n");
9512                                         return -EINVAL;
9513                                 }
9514
9515                                 env->insn_idx += insn->off + 1;
9516                                 continue;
9517
9518                         } else if (opcode == BPF_EXIT) {
9519                                 if (BPF_SRC(insn->code) != BPF_K ||
9520                                     insn->imm != 0 ||
9521                                     insn->src_reg != BPF_REG_0 ||
9522                                     insn->dst_reg != BPF_REG_0 ||
9523                                     class == BPF_JMP32) {
9524                                         verbose(env, "BPF_EXIT uses reserved fields\n");
9525                                         return -EINVAL;
9526                                 }
9527
9528                                 if (env->cur_state->active_spin_lock) {
9529                                         verbose(env, "bpf_spin_unlock is missing\n");
9530                                         return -EINVAL;
9531                                 }
9532
9533                                 if (state->curframe) {
9534                                         /* exit from nested function */
9535                                         err = prepare_func_exit(env, &env->insn_idx);
9536                                         if (err)
9537                                                 return err;
9538                                         do_print_state = true;
9539                                         continue;
9540                                 }
9541
9542                                 err = check_reference_leak(env);
9543                                 if (err)
9544                                         return err;
9545
9546                                 err = check_return_code(env);
9547                                 if (err)
9548                                         return err;
9549 process_bpf_exit:
9550                                 update_branch_counts(env, env->cur_state);
9551                                 err = pop_stack(env, &prev_insn_idx,
9552                                                 &env->insn_idx, pop_log);
9553                                 if (err < 0) {
9554                                         if (err != -ENOENT)
9555                                                 return err;
9556                                         break;
9557                                 } else {
9558                                         do_print_state = true;
9559                                         continue;
9560                                 }
9561                         } else {
9562                                 err = check_cond_jmp_op(env, insn, &env->insn_idx);
9563                                 if (err)
9564                                         return err;
9565                         }
9566                 } else if (class == BPF_LD) {
9567                         u8 mode = BPF_MODE(insn->code);
9568
9569                         if (mode == BPF_ABS || mode == BPF_IND) {
9570                                 err = check_ld_abs(env, insn);
9571                                 if (err)
9572                                         return err;
9573
9574                         } else if (mode == BPF_IMM) {
9575                                 err = check_ld_imm(env, insn);
9576                                 if (err)
9577                                         return err;
9578
9579                                 env->insn_idx++;
9580                                 env->insn_aux_data[env->insn_idx].seen = env->pass_cnt;
9581                         } else {
9582                                 verbose(env, "invalid BPF_LD mode\n");
9583                                 return -EINVAL;
9584                         }
9585                 } else {
9586                         verbose(env, "unknown insn class %d\n", class);
9587                         return -EINVAL;
9588                 }
9589
9590                 env->insn_idx++;
9591         }
9592
9593         return 0;
9594 }
9595
9596 /* replace pseudo btf_id with kernel symbol address */
9597 static int check_pseudo_btf_id(struct bpf_verifier_env *env,
9598                                struct bpf_insn *insn,
9599                                struct bpf_insn_aux_data *aux)
9600 {
9601         const struct btf_var_secinfo *vsi;
9602         const struct btf_type *datasec;
9603         const struct btf_type *t;
9604         const char *sym_name;
9605         bool percpu = false;
9606         u32 type, id = insn->imm;
9607         s32 datasec_id;
9608         u64 addr;
9609         int i;
9610
9611         if (!btf_vmlinux) {
9612                 verbose(env, "kernel is missing BTF, make sure CONFIG_DEBUG_INFO_BTF=y is specified in Kconfig.\n");
9613                 return -EINVAL;
9614         }
9615
9616         if (insn[1].imm != 0) {
9617                 verbose(env, "reserved field (insn[1].imm) is used in pseudo_btf_id ldimm64 insn.\n");
9618                 return -EINVAL;
9619         }
9620
9621         t = btf_type_by_id(btf_vmlinux, id);
9622         if (!t) {
9623                 verbose(env, "ldimm64 insn specifies invalid btf_id %d.\n", id);
9624                 return -ENOENT;
9625         }
9626
9627         if (!btf_type_is_var(t)) {
9628                 verbose(env, "pseudo btf_id %d in ldimm64 isn't KIND_VAR.\n",
9629                         id);
9630                 return -EINVAL;
9631         }
9632
9633         sym_name = btf_name_by_offset(btf_vmlinux, t->name_off);
9634         addr = kallsyms_lookup_name(sym_name);
9635         if (!addr) {
9636                 verbose(env, "ldimm64 failed to find the address for kernel symbol '%s'.\n",
9637                         sym_name);
9638                 return -ENOENT;
9639         }
9640
9641         datasec_id = btf_find_by_name_kind(btf_vmlinux, ".data..percpu",
9642                                            BTF_KIND_DATASEC);
9643         if (datasec_id > 0) {
9644                 datasec = btf_type_by_id(btf_vmlinux, datasec_id);
9645                 for_each_vsi(i, datasec, vsi) {
9646                         if (vsi->type == id) {
9647                                 percpu = true;
9648                                 break;
9649                         }
9650                 }
9651         }
9652
9653         insn[0].imm = (u32)addr;
9654         insn[1].imm = addr >> 32;
9655
9656         type = t->type;
9657         t = btf_type_skip_modifiers(btf_vmlinux, type, NULL);
9658         if (percpu) {
9659                 aux->btf_var.reg_type = PTR_TO_PERCPU_BTF_ID;
9660                 aux->btf_var.btf_id = type;
9661         } else if (!btf_type_is_struct(t)) {
9662                 const struct btf_type *ret;
9663                 const char *tname;
9664                 u32 tsize;
9665
9666                 /* resolve the type size of ksym. */
9667                 ret = btf_resolve_size(btf_vmlinux, t, &tsize);
9668                 if (IS_ERR(ret)) {
9669                         tname = btf_name_by_offset(btf_vmlinux, t->name_off);
9670                         verbose(env, "ldimm64 unable to resolve the size of type '%s': %ld\n",
9671                                 tname, PTR_ERR(ret));
9672                         return -EINVAL;
9673                 }
9674                 aux->btf_var.reg_type = PTR_TO_MEM;
9675                 aux->btf_var.mem_size = tsize;
9676         } else {
9677                 aux->btf_var.reg_type = PTR_TO_BTF_ID;
9678                 aux->btf_var.btf_id = type;
9679         }
9680         return 0;
9681 }
9682
9683 static int check_map_prealloc(struct bpf_map *map)
9684 {
9685         return (map->map_type != BPF_MAP_TYPE_HASH &&
9686                 map->map_type != BPF_MAP_TYPE_PERCPU_HASH &&
9687                 map->map_type != BPF_MAP_TYPE_HASH_OF_MAPS) ||
9688                 !(map->map_flags & BPF_F_NO_PREALLOC);
9689 }
9690
9691 static bool is_tracing_prog_type(enum bpf_prog_type type)
9692 {
9693         switch (type) {
9694         case BPF_PROG_TYPE_KPROBE:
9695         case BPF_PROG_TYPE_TRACEPOINT:
9696         case BPF_PROG_TYPE_PERF_EVENT:
9697         case BPF_PROG_TYPE_RAW_TRACEPOINT:
9698                 return true;
9699         default:
9700                 return false;
9701         }
9702 }
9703
9704 static bool is_preallocated_map(struct bpf_map *map)
9705 {
9706         if (!check_map_prealloc(map))
9707                 return false;
9708         if (map->inner_map_meta && !check_map_prealloc(map->inner_map_meta))
9709                 return false;
9710         return true;
9711 }
9712
9713 static int check_map_prog_compatibility(struct bpf_verifier_env *env,
9714                                         struct bpf_map *map,
9715                                         struct bpf_prog *prog)
9716
9717 {
9718         enum bpf_prog_type prog_type = resolve_prog_type(prog);
9719         /*
9720          * Validate that trace type programs use preallocated hash maps.
9721          *
9722          * For programs attached to PERF events this is mandatory as the
9723          * perf NMI can hit any arbitrary code sequence.
9724          *
9725          * All other trace types using preallocated hash maps are unsafe as
9726          * well because tracepoint or kprobes can be inside locked regions
9727          * of the memory allocator or at a place where a recursion into the
9728          * memory allocator would see inconsistent state.
9729          *
9730          * On RT enabled kernels run-time allocation of all trace type
9731          * programs is strictly prohibited due to lock type constraints. On
9732          * !RT kernels it is allowed for backwards compatibility reasons for
9733          * now, but warnings are emitted so developers are made aware of
9734          * the unsafety and can fix their programs before this is enforced.
9735          */
9736         if (is_tracing_prog_type(prog_type) && !is_preallocated_map(map)) {
9737                 if (prog_type == BPF_PROG_TYPE_PERF_EVENT) {
9738                         verbose(env, "perf_event programs can only use preallocated hash map\n");
9739                         return -EINVAL;
9740                 }
9741                 if (IS_ENABLED(CONFIG_PREEMPT_RT)) {
9742                         verbose(env, "trace type programs can only use preallocated hash map\n");
9743                         return -EINVAL;
9744                 }
9745                 WARN_ONCE(1, "trace type BPF program uses run-time allocation\n");
9746                 verbose(env, "trace type programs with run-time allocated hash maps are unsafe. Switch to preallocated hash maps.\n");
9747         }
9748
9749         if ((is_tracing_prog_type(prog_type) ||
9750              prog_type == BPF_PROG_TYPE_SOCKET_FILTER) &&
9751             map_value_has_spin_lock(map)) {
9752                 verbose(env, "tracing progs cannot use bpf_spin_lock yet\n");
9753                 return -EINVAL;
9754         }
9755
9756         if ((bpf_prog_is_dev_bound(prog->aux) || bpf_map_is_dev_bound(map)) &&
9757             !bpf_offload_prog_map_match(prog, map)) {
9758                 verbose(env, "offload device mismatch between prog and map\n");
9759                 return -EINVAL;
9760         }
9761
9762         if (map->map_type == BPF_MAP_TYPE_STRUCT_OPS) {
9763                 verbose(env, "bpf_struct_ops map cannot be used in prog\n");
9764                 return -EINVAL;
9765         }
9766
9767         if (prog->aux->sleepable)
9768                 switch (map->map_type) {
9769                 case BPF_MAP_TYPE_HASH:
9770                 case BPF_MAP_TYPE_LRU_HASH:
9771                 case BPF_MAP_TYPE_ARRAY:
9772                         if (!is_preallocated_map(map)) {
9773                                 verbose(env,
9774                                         "Sleepable programs can only use preallocated hash maps\n");
9775                                 return -EINVAL;
9776                         }
9777                         break;
9778                 default:
9779                         verbose(env,
9780                                 "Sleepable programs can only use array and hash maps\n");
9781                         return -EINVAL;
9782                 }
9783
9784         return 0;
9785 }
9786
9787 static bool bpf_map_is_cgroup_storage(struct bpf_map *map)
9788 {
9789         return (map->map_type == BPF_MAP_TYPE_CGROUP_STORAGE ||
9790                 map->map_type == BPF_MAP_TYPE_PERCPU_CGROUP_STORAGE);
9791 }
9792
9793 /* find and rewrite pseudo imm in ld_imm64 instructions:
9794  *
9795  * 1. if it accesses map FD, replace it with actual map pointer.
9796  * 2. if it accesses btf_id of a VAR, replace it with pointer to the var.
9797  *
9798  * NOTE: btf_vmlinux is required for converting pseudo btf_id.
9799  */
9800 static int resolve_pseudo_ldimm64(struct bpf_verifier_env *env)
9801 {
9802         struct bpf_insn *insn = env->prog->insnsi;
9803         int insn_cnt = env->prog->len;
9804         int i, j, err;
9805
9806         err = bpf_prog_calc_tag(env->prog);
9807         if (err)
9808                 return err;
9809
9810         for (i = 0; i < insn_cnt; i++, insn++) {
9811                 if (BPF_CLASS(insn->code) == BPF_LDX &&
9812                     (BPF_MODE(insn->code) != BPF_MEM || insn->imm != 0)) {
9813                         verbose(env, "BPF_LDX uses reserved fields\n");
9814                         return -EINVAL;
9815                 }
9816
9817                 if (BPF_CLASS(insn->code) == BPF_STX &&
9818                     ((BPF_MODE(insn->code) != BPF_MEM &&
9819                       BPF_MODE(insn->code) != BPF_XADD) || insn->imm != 0)) {
9820                         verbose(env, "BPF_STX uses reserved fields\n");
9821                         return -EINVAL;
9822                 }
9823
9824                 if (insn[0].code == (BPF_LD | BPF_IMM | BPF_DW)) {
9825                         struct bpf_insn_aux_data *aux;
9826                         struct bpf_map *map;
9827                         struct fd f;
9828                         u64 addr;
9829
9830                         if (i == insn_cnt - 1 || insn[1].code != 0 ||
9831                             insn[1].dst_reg != 0 || insn[1].src_reg != 0 ||
9832                             insn[1].off != 0) {
9833                                 verbose(env, "invalid bpf_ld_imm64 insn\n");
9834                                 return -EINVAL;
9835                         }
9836
9837                         if (insn[0].src_reg == 0)
9838                                 /* valid generic load 64-bit imm */
9839                                 goto next_insn;
9840
9841                         if (insn[0].src_reg == BPF_PSEUDO_BTF_ID) {
9842                                 aux = &env->insn_aux_data[i];
9843                                 err = check_pseudo_btf_id(env, insn, aux);
9844                                 if (err)
9845                                         return err;
9846                                 goto next_insn;
9847                         }
9848
9849                         /* In final convert_pseudo_ld_imm64() step, this is
9850                          * converted into regular 64-bit imm load insn.
9851                          */
9852                         if ((insn[0].src_reg != BPF_PSEUDO_MAP_FD &&
9853                              insn[0].src_reg != BPF_PSEUDO_MAP_VALUE) ||
9854                             (insn[0].src_reg == BPF_PSEUDO_MAP_FD &&
9855                              insn[1].imm != 0)) {
9856                                 verbose(env,
9857                                         "unrecognized bpf_ld_imm64 insn\n");
9858                                 return -EINVAL;
9859                         }
9860
9861                         f = fdget(insn[0].imm);
9862                         map = __bpf_map_get(f);
9863                         if (IS_ERR(map)) {
9864                                 verbose(env, "fd %d is not pointing to valid bpf_map\n",
9865                                         insn[0].imm);
9866                                 return PTR_ERR(map);
9867                         }
9868
9869                         err = check_map_prog_compatibility(env, map, env->prog);
9870                         if (err) {
9871                                 fdput(f);
9872                                 return err;
9873                         }
9874
9875                         aux = &env->insn_aux_data[i];
9876                         if (insn->src_reg == BPF_PSEUDO_MAP_FD) {
9877                                 addr = (unsigned long)map;
9878                         } else {
9879                                 u32 off = insn[1].imm;
9880
9881                                 if (off >= BPF_MAX_VAR_OFF) {
9882                                         verbose(env, "direct value offset of %u is not allowed\n", off);
9883                                         fdput(f);
9884                                         return -EINVAL;
9885                                 }
9886
9887                                 if (!map->ops->map_direct_value_addr) {
9888                                         verbose(env, "no direct value access support for this map type\n");
9889                                         fdput(f);
9890                                         return -EINVAL;
9891                                 }
9892
9893                                 err = map->ops->map_direct_value_addr(map, &addr, off);
9894                                 if (err) {
9895                                         verbose(env, "invalid access to map value pointer, value_size=%u off=%u\n",
9896                                                 map->value_size, off);
9897                                         fdput(f);
9898                                         return err;
9899                                 }
9900
9901                                 aux->map_off = off;
9902                                 addr += off;
9903                         }
9904
9905                         insn[0].imm = (u32)addr;
9906                         insn[1].imm = addr >> 32;
9907
9908                         /* check whether we recorded this map already */
9909                         for (j = 0; j < env->used_map_cnt; j++) {
9910                                 if (env->used_maps[j] == map) {
9911                                         aux->map_index = j;
9912                                         fdput(f);
9913                                         goto next_insn;
9914                                 }
9915                         }
9916
9917                         if (env->used_map_cnt >= MAX_USED_MAPS) {
9918                                 fdput(f);
9919                                 return -E2BIG;
9920                         }
9921
9922                         /* hold the map. If the program is rejected by verifier,
9923                          * the map will be released by release_maps() or it
9924                          * will be used by the valid program until it's unloaded
9925                          * and all maps are released in free_used_maps()
9926                          */
9927                         bpf_map_inc(map);
9928
9929                         aux->map_index = env->used_map_cnt;
9930                         env->used_maps[env->used_map_cnt++] = map;
9931
9932                         if (bpf_map_is_cgroup_storage(map) &&
9933                             bpf_cgroup_storage_assign(env->prog->aux, map)) {
9934                                 verbose(env, "only one cgroup storage of each type is allowed\n");
9935                                 fdput(f);
9936                                 return -EBUSY;
9937                         }
9938
9939                         fdput(f);
9940 next_insn:
9941                         insn++;
9942                         i++;
9943                         continue;
9944                 }
9945
9946                 /* Basic sanity check before we invest more work here. */
9947                 if (!bpf_opcode_in_insntable(insn->code)) {
9948                         verbose(env, "unknown opcode %02x\n", insn->code);
9949                         return -EINVAL;
9950                 }
9951         }
9952
9953         /* now all pseudo BPF_LD_IMM64 instructions load valid
9954          * 'struct bpf_map *' into a register instead of user map_fd.
9955          * These pointers will be used later by verifier to validate map access.
9956          */
9957         return 0;
9958 }
9959
9960 /* drop refcnt of maps used by the rejected program */
9961 static void release_maps(struct bpf_verifier_env *env)
9962 {
9963         __bpf_free_used_maps(env->prog->aux, env->used_maps,
9964                              env->used_map_cnt);
9965 }
9966
9967 /* convert pseudo BPF_LD_IMM64 into generic BPF_LD_IMM64 */
9968 static void convert_pseudo_ld_imm64(struct bpf_verifier_env *env)
9969 {
9970         struct bpf_insn *insn = env->prog->insnsi;
9971         int insn_cnt = env->prog->len;
9972         int i;
9973
9974         for (i = 0; i < insn_cnt; i++, insn++)
9975                 if (insn->code == (BPF_LD | BPF_IMM | BPF_DW))
9976                         insn->src_reg = 0;
9977 }
9978
9979 /* single env->prog->insni[off] instruction was replaced with the range
9980  * insni[off, off + cnt).  Adjust corresponding insn_aux_data by copying
9981  * [0, off) and [off, end) to new locations, so the patched range stays zero
9982  */
9983 static int adjust_insn_aux_data(struct bpf_verifier_env *env,
9984                                 struct bpf_prog *new_prog, u32 off, u32 cnt)
9985 {
9986         struct bpf_insn_aux_data *new_data, *old_data = env->insn_aux_data;
9987         struct bpf_insn *insn = new_prog->insnsi;
9988         u32 prog_len;
9989         int i;
9990
9991         /* aux info at OFF always needs adjustment, no matter fast path
9992          * (cnt == 1) is taken or not. There is no guarantee INSN at OFF is the
9993          * original insn at old prog.
9994          */
9995         old_data[off].zext_dst = insn_has_def32(env, insn + off + cnt - 1);
9996
9997         if (cnt == 1)
9998                 return 0;
9999         prog_len = new_prog->len;
10000         new_data = vzalloc(array_size(prog_len,
10001                                       sizeof(struct bpf_insn_aux_data)));
10002         if (!new_data)
10003                 return -ENOMEM;
10004         memcpy(new_data, old_data, sizeof(struct bpf_insn_aux_data) * off);
10005         memcpy(new_data + off + cnt - 1, old_data + off,
10006                sizeof(struct bpf_insn_aux_data) * (prog_len - off - cnt + 1));
10007         for (i = off; i < off + cnt - 1; i++) {
10008                 new_data[i].seen = env->pass_cnt;
10009                 new_data[i].zext_dst = insn_has_def32(env, insn + i);
10010         }
10011         env->insn_aux_data = new_data;
10012         vfree(old_data);
10013         return 0;
10014 }
10015
10016 static void adjust_subprog_starts(struct bpf_verifier_env *env, u32 off, u32 len)
10017 {
10018         int i;
10019
10020         if (len == 1)
10021                 return;
10022         /* NOTE: fake 'exit' subprog should be updated as well. */
10023         for (i = 0; i <= env->subprog_cnt; i++) {
10024                 if (env->subprog_info[i].start <= off)
10025                         continue;
10026                 env->subprog_info[i].start += len - 1;
10027         }
10028 }
10029
10030 static void adjust_poke_descs(struct bpf_prog *prog, u32 len)
10031 {
10032         struct bpf_jit_poke_descriptor *tab = prog->aux->poke_tab;
10033         int i, sz = prog->aux->size_poke_tab;
10034         struct bpf_jit_poke_descriptor *desc;
10035
10036         for (i = 0; i < sz; i++) {
10037                 desc = &tab[i];
10038                 desc->insn_idx += len - 1;
10039         }
10040 }
10041
10042 static struct bpf_prog *bpf_patch_insn_data(struct bpf_verifier_env *env, u32 off,
10043                                             const struct bpf_insn *patch, u32 len)
10044 {
10045         struct bpf_prog *new_prog;
10046
10047         new_prog = bpf_patch_insn_single(env->prog, off, patch, len);
10048         if (IS_ERR(new_prog)) {
10049                 if (PTR_ERR(new_prog) == -ERANGE)
10050                         verbose(env,
10051                                 "insn %d cannot be patched due to 16-bit range\n",
10052                                 env->insn_aux_data[off].orig_idx);
10053                 return NULL;
10054         }
10055         if (adjust_insn_aux_data(env, new_prog, off, len))
10056                 return NULL;
10057         adjust_subprog_starts(env, off, len);
10058         adjust_poke_descs(new_prog, len);
10059         return new_prog;
10060 }
10061
10062 static int adjust_subprog_starts_after_remove(struct bpf_verifier_env *env,
10063                                               u32 off, u32 cnt)
10064 {
10065         int i, j;
10066
10067         /* find first prog starting at or after off (first to remove) */
10068         for (i = 0; i < env->subprog_cnt; i++)
10069                 if (env->subprog_info[i].start >= off)
10070                         break;
10071         /* find first prog starting at or after off + cnt (first to stay) */
10072         for (j = i; j < env->subprog_cnt; j++)
10073                 if (env->subprog_info[j].start >= off + cnt)
10074                         break;
10075         /* if j doesn't start exactly at off + cnt, we are just removing
10076          * the front of previous prog
10077          */
10078         if (env->subprog_info[j].start != off + cnt)
10079                 j--;
10080
10081         if (j > i) {
10082                 struct bpf_prog_aux *aux = env->prog->aux;
10083                 int move;
10084
10085                 /* move fake 'exit' subprog as well */
10086                 move = env->subprog_cnt + 1 - j;
10087
10088                 memmove(env->subprog_info + i,
10089                         env->subprog_info + j,
10090                         sizeof(*env->subprog_info) * move);
10091                 env->subprog_cnt -= j - i;
10092
10093                 /* remove func_info */
10094                 if (aux->func_info) {
10095                         move = aux->func_info_cnt - j;
10096
10097                         memmove(aux->func_info + i,
10098                                 aux->func_info + j,
10099                                 sizeof(*aux->func_info) * move);
10100                         aux->func_info_cnt -= j - i;
10101                         /* func_info->insn_off is set after all code rewrites,
10102                          * in adjust_btf_func() - no need to adjust
10103                          */
10104                 }
10105         } else {
10106                 /* convert i from "first prog to remove" to "first to adjust" */
10107                 if (env->subprog_info[i].start == off)
10108                         i++;
10109         }
10110
10111         /* update fake 'exit' subprog as well */
10112         for (; i <= env->subprog_cnt; i++)
10113                 env->subprog_info[i].start -= cnt;
10114
10115         return 0;
10116 }
10117
10118 static int bpf_adj_linfo_after_remove(struct bpf_verifier_env *env, u32 off,
10119                                       u32 cnt)
10120 {
10121         struct bpf_prog *prog = env->prog;
10122         u32 i, l_off, l_cnt, nr_linfo;
10123         struct bpf_line_info *linfo;
10124
10125         nr_linfo = prog->aux->nr_linfo;
10126         if (!nr_linfo)
10127                 return 0;
10128
10129         linfo = prog->aux->linfo;
10130
10131         /* find first line info to remove, count lines to be removed */
10132         for (i = 0; i < nr_linfo; i++)
10133                 if (linfo[i].insn_off >= off)
10134                         break;
10135
10136         l_off = i;
10137         l_cnt = 0;
10138         for (; i < nr_linfo; i++)
10139                 if (linfo[i].insn_off < off + cnt)
10140                         l_cnt++;
10141                 else
10142                         break;
10143
10144         /* First live insn doesn't match first live linfo, it needs to "inherit"
10145          * last removed linfo.  prog is already modified, so prog->len == off
10146          * means no live instructions after (tail of the program was removed).
10147          */
10148         if (prog->len != off && l_cnt &&
10149             (i == nr_linfo || linfo[i].insn_off != off + cnt)) {
10150                 l_cnt--;
10151                 linfo[--i].insn_off = off + cnt;
10152         }
10153
10154         /* remove the line info which refer to the removed instructions */
10155         if (l_cnt) {
10156                 memmove(linfo + l_off, linfo + i,
10157                         sizeof(*linfo) * (nr_linfo - i));
10158
10159                 prog->aux->nr_linfo -= l_cnt;
10160                 nr_linfo = prog->aux->nr_linfo;
10161         }
10162
10163         /* pull all linfo[i].insn_off >= off + cnt in by cnt */
10164         for (i = l_off; i < nr_linfo; i++)
10165                 linfo[i].insn_off -= cnt;
10166
10167         /* fix up all subprogs (incl. 'exit') which start >= off */
10168         for (i = 0; i <= env->subprog_cnt; i++)
10169                 if (env->subprog_info[i].linfo_idx > l_off) {
10170                         /* program may have started in the removed region but
10171                          * may not be fully removed
10172                          */
10173                         if (env->subprog_info[i].linfo_idx >= l_off + l_cnt)
10174                                 env->subprog_info[i].linfo_idx -= l_cnt;
10175                         else
10176                                 env->subprog_info[i].linfo_idx = l_off;
10177                 }
10178
10179         return 0;
10180 }
10181
10182 static int verifier_remove_insns(struct bpf_verifier_env *env, u32 off, u32 cnt)
10183 {
10184         struct bpf_insn_aux_data *aux_data = env->insn_aux_data;
10185         unsigned int orig_prog_len = env->prog->len;
10186         int err;
10187
10188         if (bpf_prog_is_dev_bound(env->prog->aux))
10189                 bpf_prog_offload_remove_insns(env, off, cnt);
10190
10191         err = bpf_remove_insns(env->prog, off, cnt);
10192         if (err)
10193                 return err;
10194
10195         err = adjust_subprog_starts_after_remove(env, off, cnt);
10196         if (err)
10197                 return err;
10198
10199         err = bpf_adj_linfo_after_remove(env, off, cnt);
10200         if (err)
10201                 return err;
10202
10203         memmove(aux_data + off, aux_data + off + cnt,
10204                 sizeof(*aux_data) * (orig_prog_len - off - cnt));
10205
10206         return 0;
10207 }
10208
10209 /* The verifier does more data flow analysis than llvm and will not
10210  * explore branches that are dead at run time. Malicious programs can
10211  * have dead code too. Therefore replace all dead at-run-time code
10212  * with 'ja -1'.
10213  *
10214  * Just nops are not optimal, e.g. if they would sit at the end of the
10215  * program and through another bug we would manage to jump there, then
10216  * we'd execute beyond program memory otherwise. Returning exception
10217  * code also wouldn't work since we can have subprogs where the dead
10218  * code could be located.
10219  */
10220 static void sanitize_dead_code(struct bpf_verifier_env *env)
10221 {
10222         struct bpf_insn_aux_data *aux_data = env->insn_aux_data;
10223         struct bpf_insn trap = BPF_JMP_IMM(BPF_JA, 0, 0, -1);
10224         struct bpf_insn *insn = env->prog->insnsi;
10225         const int insn_cnt = env->prog->len;
10226         int i;
10227
10228         for (i = 0; i < insn_cnt; i++) {
10229                 if (aux_data[i].seen)
10230                         continue;
10231                 memcpy(insn + i, &trap, sizeof(trap));
10232         }
10233 }
10234
10235 static bool insn_is_cond_jump(u8 code)
10236 {
10237         u8 op;
10238
10239         if (BPF_CLASS(code) == BPF_JMP32)
10240                 return true;
10241
10242         if (BPF_CLASS(code) != BPF_JMP)
10243                 return false;
10244
10245         op = BPF_OP(code);
10246         return op != BPF_JA && op != BPF_EXIT && op != BPF_CALL;
10247 }
10248
10249 static void opt_hard_wire_dead_code_branches(struct bpf_verifier_env *env)
10250 {
10251         struct bpf_insn_aux_data *aux_data = env->insn_aux_data;
10252         struct bpf_insn ja = BPF_JMP_IMM(BPF_JA, 0, 0, 0);
10253         struct bpf_insn *insn = env->prog->insnsi;
10254         const int insn_cnt = env->prog->len;
10255         int i;
10256
10257         for (i = 0; i < insn_cnt; i++, insn++) {
10258                 if (!insn_is_cond_jump(insn->code))
10259                         continue;
10260
10261                 if (!aux_data[i + 1].seen)
10262                         ja.off = insn->off;
10263                 else if (!aux_data[i + 1 + insn->off].seen)
10264                         ja.off = 0;
10265                 else
10266                         continue;
10267
10268                 if (bpf_prog_is_dev_bound(env->prog->aux))
10269                         bpf_prog_offload_replace_insn(env, i, &ja);
10270
10271                 memcpy(insn, &ja, sizeof(ja));
10272         }
10273 }
10274
10275 static int opt_remove_dead_code(struct bpf_verifier_env *env)
10276 {
10277         struct bpf_insn_aux_data *aux_data = env->insn_aux_data;
10278         int insn_cnt = env->prog->len;
10279         int i, err;
10280
10281         for (i = 0; i < insn_cnt; i++) {
10282                 int j;
10283
10284                 j = 0;
10285                 while (i + j < insn_cnt && !aux_data[i + j].seen)
10286                         j++;
10287                 if (!j)
10288                         continue;
10289
10290                 err = verifier_remove_insns(env, i, j);
10291                 if (err)
10292                         return err;
10293                 insn_cnt = env->prog->len;
10294         }
10295
10296         return 0;
10297 }
10298
10299 static int opt_remove_nops(struct bpf_verifier_env *env)
10300 {
10301         const struct bpf_insn ja = BPF_JMP_IMM(BPF_JA, 0, 0, 0);
10302         struct bpf_insn *insn = env->prog->insnsi;
10303         int insn_cnt = env->prog->len;
10304         int i, err;
10305
10306         for (i = 0; i < insn_cnt; i++) {
10307                 if (memcmp(&insn[i], &ja, sizeof(ja)))
10308                         continue;
10309
10310                 err = verifier_remove_insns(env, i, 1);
10311                 if (err)
10312                         return err;
10313                 insn_cnt--;
10314                 i--;
10315         }
10316
10317         return 0;
10318 }
10319
10320 static int opt_subreg_zext_lo32_rnd_hi32(struct bpf_verifier_env *env,
10321                                          const union bpf_attr *attr)
10322 {
10323         struct bpf_insn *patch, zext_patch[2], rnd_hi32_patch[4];
10324         struct bpf_insn_aux_data *aux = env->insn_aux_data;
10325         int i, patch_len, delta = 0, len = env->prog->len;
10326         struct bpf_insn *insns = env->prog->insnsi;
10327         struct bpf_prog *new_prog;
10328         bool rnd_hi32;
10329
10330         rnd_hi32 = attr->prog_flags & BPF_F_TEST_RND_HI32;
10331         zext_patch[1] = BPF_ZEXT_REG(0);
10332         rnd_hi32_patch[1] = BPF_ALU64_IMM(BPF_MOV, BPF_REG_AX, 0);
10333         rnd_hi32_patch[2] = BPF_ALU64_IMM(BPF_LSH, BPF_REG_AX, 32);
10334         rnd_hi32_patch[3] = BPF_ALU64_REG(BPF_OR, 0, BPF_REG_AX);
10335         for (i = 0; i < len; i++) {
10336                 int adj_idx = i + delta;
10337                 struct bpf_insn insn;
10338
10339                 insn = insns[adj_idx];
10340                 if (!aux[adj_idx].zext_dst) {
10341                         u8 code, class;
10342                         u32 imm_rnd;
10343
10344                         if (!rnd_hi32)
10345                                 continue;
10346
10347                         code = insn.code;
10348                         class = BPF_CLASS(code);
10349                         if (insn_no_def(&insn))
10350                                 continue;
10351
10352                         /* NOTE: arg "reg" (the fourth one) is only used for
10353                          *       BPF_STX which has been ruled out in above
10354                          *       check, it is safe to pass NULL here.
10355                          */
10356                         if (is_reg64(env, &insn, insn.dst_reg, NULL, DST_OP)) {
10357                                 if (class == BPF_LD &&
10358                                     BPF_MODE(code) == BPF_IMM)
10359                                         i++;
10360                                 continue;
10361                         }
10362
10363                         /* ctx load could be transformed into wider load. */
10364                         if (class == BPF_LDX &&
10365                             aux[adj_idx].ptr_type == PTR_TO_CTX)
10366                                 continue;
10367
10368                         imm_rnd = get_random_int();
10369                         rnd_hi32_patch[0] = insn;
10370                         rnd_hi32_patch[1].imm = imm_rnd;
10371                         rnd_hi32_patch[3].dst_reg = insn.dst_reg;
10372                         patch = rnd_hi32_patch;
10373                         patch_len = 4;
10374                         goto apply_patch_buffer;
10375                 }
10376
10377                 if (!bpf_jit_needs_zext())
10378                         continue;
10379
10380                 zext_patch[0] = insn;
10381                 zext_patch[1].dst_reg = insn.dst_reg;
10382                 zext_patch[1].src_reg = insn.dst_reg;
10383                 patch = zext_patch;
10384                 patch_len = 2;
10385 apply_patch_buffer:
10386                 new_prog = bpf_patch_insn_data(env, adj_idx, patch, patch_len);
10387                 if (!new_prog)
10388                         return -ENOMEM;
10389                 env->prog = new_prog;
10390                 insns = new_prog->insnsi;
10391                 aux = env->insn_aux_data;
10392                 delta += patch_len - 1;
10393         }
10394
10395         return 0;
10396 }
10397
10398 /* convert load instructions that access fields of a context type into a
10399  * sequence of instructions that access fields of the underlying structure:
10400  *     struct __sk_buff    -> struct sk_buff
10401  *     struct bpf_sock_ops -> struct sock
10402  */
10403 static int convert_ctx_accesses(struct bpf_verifier_env *env)
10404 {
10405         const struct bpf_verifier_ops *ops = env->ops;
10406         int i, cnt, size, ctx_field_size, delta = 0;
10407         const int insn_cnt = env->prog->len;
10408         struct bpf_insn insn_buf[16], *insn;
10409         u32 target_size, size_default, off;
10410         struct bpf_prog *new_prog;
10411         enum bpf_access_type type;
10412         bool is_narrower_load;
10413
10414         if (ops->gen_prologue || env->seen_direct_write) {
10415                 if (!ops->gen_prologue) {
10416                         verbose(env, "bpf verifier is misconfigured\n");
10417                         return -EINVAL;
10418                 }
10419                 cnt = ops->gen_prologue(insn_buf, env->seen_direct_write,
10420                                         env->prog);
10421                 if (cnt >= ARRAY_SIZE(insn_buf)) {
10422                         verbose(env, "bpf verifier is misconfigured\n");
10423                         return -EINVAL;
10424                 } else if (cnt) {
10425                         new_prog = bpf_patch_insn_data(env, 0, insn_buf, cnt);
10426                         if (!new_prog)
10427                                 return -ENOMEM;
10428
10429                         env->prog = new_prog;
10430                         delta += cnt - 1;
10431                 }
10432         }
10433
10434         if (bpf_prog_is_dev_bound(env->prog->aux))
10435                 return 0;
10436
10437         insn = env->prog->insnsi + delta;
10438
10439         for (i = 0; i < insn_cnt; i++, insn++) {
10440                 bpf_convert_ctx_access_t convert_ctx_access;
10441
10442                 if (insn->code == (BPF_LDX | BPF_MEM | BPF_B) ||
10443                     insn->code == (BPF_LDX | BPF_MEM | BPF_H) ||
10444                     insn->code == (BPF_LDX | BPF_MEM | BPF_W) ||
10445                     insn->code == (BPF_LDX | BPF_MEM | BPF_DW))
10446                         type = BPF_READ;
10447                 else if (insn->code == (BPF_STX | BPF_MEM | BPF_B) ||
10448                          insn->code == (BPF_STX | BPF_MEM | BPF_H) ||
10449                          insn->code == (BPF_STX | BPF_MEM | BPF_W) ||
10450                          insn->code == (BPF_STX | BPF_MEM | BPF_DW))
10451                         type = BPF_WRITE;
10452                 else
10453                         continue;
10454
10455                 if (type == BPF_WRITE &&
10456                     env->insn_aux_data[i + delta].sanitize_stack_off) {
10457                         struct bpf_insn patch[] = {
10458                                 /* Sanitize suspicious stack slot with zero.
10459                                  * There are no memory dependencies for this store,
10460                                  * since it's only using frame pointer and immediate
10461                                  * constant of zero
10462                                  */
10463                                 BPF_ST_MEM(BPF_DW, BPF_REG_FP,
10464                                            env->insn_aux_data[i + delta].sanitize_stack_off,
10465                                            0),
10466                                 /* the original STX instruction will immediately
10467                                  * overwrite the same stack slot with appropriate value
10468                                  */
10469                                 *insn,
10470                         };
10471
10472                         cnt = ARRAY_SIZE(patch);
10473                         new_prog = bpf_patch_insn_data(env, i + delta, patch, cnt);
10474                         if (!new_prog)
10475                                 return -ENOMEM;
10476
10477                         delta    += cnt - 1;
10478                         env->prog = new_prog;
10479                         insn      = new_prog->insnsi + i + delta;
10480                         continue;
10481                 }
10482
10483                 switch (env->insn_aux_data[i + delta].ptr_type) {
10484                 case PTR_TO_CTX:
10485                         if (!ops->convert_ctx_access)
10486                                 continue;
10487                         convert_ctx_access = ops->convert_ctx_access;
10488                         break;
10489                 case PTR_TO_SOCKET:
10490                 case PTR_TO_SOCK_COMMON:
10491                         convert_ctx_access = bpf_sock_convert_ctx_access;
10492                         break;
10493                 case PTR_TO_TCP_SOCK:
10494                         convert_ctx_access = bpf_tcp_sock_convert_ctx_access;
10495                         break;
10496                 case PTR_TO_XDP_SOCK:
10497                         convert_ctx_access = bpf_xdp_sock_convert_ctx_access;
10498                         break;
10499                 case PTR_TO_BTF_ID:
10500                         if (type == BPF_READ) {
10501                                 insn->code = BPF_LDX | BPF_PROBE_MEM |
10502                                         BPF_SIZE((insn)->code);
10503                                 env->prog->aux->num_exentries++;
10504                         } else if (resolve_prog_type(env->prog) != BPF_PROG_TYPE_STRUCT_OPS) {
10505                                 verbose(env, "Writes through BTF pointers are not allowed\n");
10506                                 return -EINVAL;
10507                         }
10508                         continue;
10509                 default:
10510                         continue;
10511                 }
10512
10513                 ctx_field_size = env->insn_aux_data[i + delta].ctx_field_size;
10514                 size = BPF_LDST_BYTES(insn);
10515
10516                 /* If the read access is a narrower load of the field,
10517                  * convert to a 4/8-byte load, to minimum program type specific
10518                  * convert_ctx_access changes. If conversion is successful,
10519                  * we will apply proper mask to the result.
10520                  */
10521                 is_narrower_load = size < ctx_field_size;
10522                 size_default = bpf_ctx_off_adjust_machine(ctx_field_size);
10523                 off = insn->off;
10524                 if (is_narrower_load) {
10525                         u8 size_code;
10526
10527                         if (type == BPF_WRITE) {
10528                                 verbose(env, "bpf verifier narrow ctx access misconfigured\n");
10529                                 return -EINVAL;
10530                         }
10531
10532                         size_code = BPF_H;
10533                         if (ctx_field_size == 4)
10534                                 size_code = BPF_W;
10535                         else if (ctx_field_size == 8)
10536                                 size_code = BPF_DW;
10537
10538                         insn->off = off & ~(size_default - 1);
10539                         insn->code = BPF_LDX | BPF_MEM | size_code;
10540                 }
10541
10542                 target_size = 0;
10543                 cnt = convert_ctx_access(type, insn, insn_buf, env->prog,
10544                                          &target_size);
10545                 if (cnt == 0 || cnt >= ARRAY_SIZE(insn_buf) ||
10546                     (ctx_field_size && !target_size)) {
10547                         verbose(env, "bpf verifier is misconfigured\n");
10548                         return -EINVAL;
10549                 }
10550
10551                 if (is_narrower_load && size < target_size) {
10552                         u8 shift = bpf_ctx_narrow_access_offset(
10553                                 off, size, size_default) * 8;
10554                         if (ctx_field_size <= 4) {
10555                                 if (shift)
10556                                         insn_buf[cnt++] = BPF_ALU32_IMM(BPF_RSH,
10557                                                                         insn->dst_reg,
10558                                                                         shift);
10559                                 insn_buf[cnt++] = BPF_ALU32_IMM(BPF_AND, insn->dst_reg,
10560                                                                 (1 << size * 8) - 1);
10561                         } else {
10562                                 if (shift)
10563                                         insn_buf[cnt++] = BPF_ALU64_IMM(BPF_RSH,
10564                                                                         insn->dst_reg,
10565                                                                         shift);
10566                                 insn_buf[cnt++] = BPF_ALU64_IMM(BPF_AND, insn->dst_reg,
10567                                                                 (1ULL << size * 8) - 1);
10568                         }
10569                 }
10570
10571                 new_prog = bpf_patch_insn_data(env, i + delta, insn_buf, cnt);
10572                 if (!new_prog)
10573                         return -ENOMEM;
10574
10575                 delta += cnt - 1;
10576
10577                 /* keep walking new program and skip insns we just inserted */
10578                 env->prog = new_prog;
10579                 insn      = new_prog->insnsi + i + delta;
10580         }
10581
10582         return 0;
10583 }
10584
10585 static int jit_subprogs(struct bpf_verifier_env *env)
10586 {
10587         struct bpf_prog *prog = env->prog, **func, *tmp;
10588         int i, j, subprog_start, subprog_end = 0, len, subprog;
10589         struct bpf_map *map_ptr;
10590         struct bpf_insn *insn;
10591         void *old_bpf_func;
10592         int err, num_exentries;
10593
10594         if (env->subprog_cnt <= 1)
10595                 return 0;
10596
10597         for (i = 0, insn = prog->insnsi; i < prog->len; i++, insn++) {
10598                 if (insn->code != (BPF_JMP | BPF_CALL) ||
10599                     insn->src_reg != BPF_PSEUDO_CALL)
10600                         continue;
10601                 /* Upon error here we cannot fall back to interpreter but
10602                  * need a hard reject of the program. Thus -EFAULT is
10603                  * propagated in any case.
10604                  */
10605                 subprog = find_subprog(env, i + insn->imm + 1);
10606                 if (subprog < 0) {
10607                         WARN_ONCE(1, "verifier bug. No program starts at insn %d\n",
10608                                   i + insn->imm + 1);
10609                         return -EFAULT;
10610                 }
10611                 /* temporarily remember subprog id inside insn instead of
10612                  * aux_data, since next loop will split up all insns into funcs
10613                  */
10614                 insn->off = subprog;
10615                 /* remember original imm in case JIT fails and fallback
10616                  * to interpreter will be needed
10617                  */
10618                 env->insn_aux_data[i].call_imm = insn->imm;
10619                 /* point imm to __bpf_call_base+1 from JITs point of view */
10620                 insn->imm = 1;
10621         }
10622
10623         err = bpf_prog_alloc_jited_linfo(prog);
10624         if (err)
10625                 goto out_undo_insn;
10626
10627         err = -ENOMEM;
10628         func = kcalloc(env->subprog_cnt, sizeof(prog), GFP_KERNEL);
10629         if (!func)
10630                 goto out_undo_insn;
10631
10632         for (i = 0; i < env->subprog_cnt; i++) {
10633                 subprog_start = subprog_end;
10634                 subprog_end = env->subprog_info[i + 1].start;
10635
10636                 len = subprog_end - subprog_start;
10637                 /* BPF_PROG_RUN doesn't call subprogs directly,
10638                  * hence main prog stats include the runtime of subprogs.
10639                  * subprogs don't have IDs and not reachable via prog_get_next_id
10640                  * func[i]->aux->stats will never be accessed and stays NULL
10641                  */
10642                 func[i] = bpf_prog_alloc_no_stats(bpf_prog_size(len), GFP_USER);
10643                 if (!func[i])
10644                         goto out_free;
10645                 memcpy(func[i]->insnsi, &prog->insnsi[subprog_start],
10646                        len * sizeof(struct bpf_insn));
10647                 func[i]->type = prog->type;
10648                 func[i]->len = len;
10649                 if (bpf_prog_calc_tag(func[i]))
10650                         goto out_free;
10651                 func[i]->is_func = 1;
10652                 func[i]->aux->func_idx = i;
10653                 /* the btf and func_info will be freed only at prog->aux */
10654                 func[i]->aux->btf = prog->aux->btf;
10655                 func[i]->aux->func_info = prog->aux->func_info;
10656
10657                 for (j = 0; j < prog->aux->size_poke_tab; j++) {
10658                         u32 insn_idx = prog->aux->poke_tab[j].insn_idx;
10659                         int ret;
10660
10661                         if (!(insn_idx >= subprog_start &&
10662                               insn_idx <= subprog_end))
10663                                 continue;
10664
10665                         ret = bpf_jit_add_poke_descriptor(func[i],
10666                                                           &prog->aux->poke_tab[j]);
10667                         if (ret < 0) {
10668                                 verbose(env, "adding tail call poke descriptor failed\n");
10669                                 goto out_free;
10670                         }
10671
10672                         func[i]->insnsi[insn_idx - subprog_start].imm = ret + 1;
10673
10674                         map_ptr = func[i]->aux->poke_tab[ret].tail_call.map;
10675                         ret = map_ptr->ops->map_poke_track(map_ptr, func[i]->aux);
10676                         if (ret < 0) {
10677                                 verbose(env, "tracking tail call prog failed\n");
10678                                 goto out_free;
10679                         }
10680                 }
10681
10682                 /* Use bpf_prog_F_tag to indicate functions in stack traces.
10683                  * Long term would need debug info to populate names
10684                  */
10685                 func[i]->aux->name[0] = 'F';
10686                 func[i]->aux->stack_depth = env->subprog_info[i].stack_depth;
10687                 func[i]->jit_requested = 1;
10688                 func[i]->aux->linfo = prog->aux->linfo;
10689                 func[i]->aux->nr_linfo = prog->aux->nr_linfo;
10690                 func[i]->aux->jited_linfo = prog->aux->jited_linfo;
10691                 func[i]->aux->linfo_idx = env->subprog_info[i].linfo_idx;
10692                 num_exentries = 0;
10693                 insn = func[i]->insnsi;
10694                 for (j = 0; j < func[i]->len; j++, insn++) {
10695                         if (BPF_CLASS(insn->code) == BPF_LDX &&
10696                             BPF_MODE(insn->code) == BPF_PROBE_MEM)
10697                                 num_exentries++;
10698                 }
10699                 func[i]->aux->num_exentries = num_exentries;
10700                 func[i]->aux->tail_call_reachable = env->subprog_info[i].tail_call_reachable;
10701                 func[i] = bpf_int_jit_compile(func[i]);
10702                 if (!func[i]->jited) {
10703                         err = -ENOTSUPP;
10704                         goto out_free;
10705                 }
10706                 cond_resched();
10707         }
10708
10709         /* Untrack main program's aux structs so that during map_poke_run()
10710          * we will not stumble upon the unfilled poke descriptors; each
10711          * of the main program's poke descs got distributed across subprogs
10712          * and got tracked onto map, so we are sure that none of them will
10713          * be missed after the operation below
10714          */
10715         for (i = 0; i < prog->aux->size_poke_tab; i++) {
10716                 map_ptr = prog->aux->poke_tab[i].tail_call.map;
10717
10718                 map_ptr->ops->map_poke_untrack(map_ptr, prog->aux);
10719         }
10720
10721         /* at this point all bpf functions were successfully JITed
10722          * now populate all bpf_calls with correct addresses and
10723          * run last pass of JIT
10724          */
10725         for (i = 0; i < env->subprog_cnt; i++) {
10726                 insn = func[i]->insnsi;
10727                 for (j = 0; j < func[i]->len; j++, insn++) {
10728                         if (insn->code != (BPF_JMP | BPF_CALL) ||
10729                             insn->src_reg != BPF_PSEUDO_CALL)
10730                                 continue;
10731                         subprog = insn->off;
10732                         insn->imm = BPF_CAST_CALL(func[subprog]->bpf_func) -
10733                                     __bpf_call_base;
10734                 }
10735
10736                 /* we use the aux data to keep a list of the start addresses
10737                  * of the JITed images for each function in the program
10738                  *
10739                  * for some architectures, such as powerpc64, the imm field
10740                  * might not be large enough to hold the offset of the start
10741                  * address of the callee's JITed image from __bpf_call_base
10742                  *
10743                  * in such cases, we can lookup the start address of a callee
10744                  * by using its subprog id, available from the off field of
10745                  * the call instruction, as an index for this list
10746                  */
10747                 func[i]->aux->func = func;
10748                 func[i]->aux->func_cnt = env->subprog_cnt;
10749         }
10750         for (i = 0; i < env->subprog_cnt; i++) {
10751                 old_bpf_func = func[i]->bpf_func;
10752                 tmp = bpf_int_jit_compile(func[i]);
10753                 if (tmp != func[i] || func[i]->bpf_func != old_bpf_func) {
10754                         verbose(env, "JIT doesn't support bpf-to-bpf calls\n");
10755                         err = -ENOTSUPP;
10756                         goto out_free;
10757                 }
10758                 cond_resched();
10759         }
10760
10761         /* finally lock prog and jit images for all functions and
10762          * populate kallsysm
10763          */
10764         for (i = 0; i < env->subprog_cnt; i++) {
10765                 bpf_prog_lock_ro(func[i]);
10766                 bpf_prog_kallsyms_add(func[i]);
10767         }
10768
10769         /* Last step: make now unused interpreter insns from main
10770          * prog consistent for later dump requests, so they can
10771          * later look the same as if they were interpreted only.
10772          */
10773         for (i = 0, insn = prog->insnsi; i < prog->len; i++, insn++) {
10774                 if (insn->code != (BPF_JMP | BPF_CALL) ||
10775                     insn->src_reg != BPF_PSEUDO_CALL)
10776                         continue;
10777                 insn->off = env->insn_aux_data[i].call_imm;
10778                 subprog = find_subprog(env, i + insn->off + 1);
10779                 insn->imm = subprog;
10780         }
10781
10782         prog->jited = 1;
10783         prog->bpf_func = func[0]->bpf_func;
10784         prog->aux->func = func;
10785         prog->aux->func_cnt = env->subprog_cnt;
10786         bpf_prog_free_unused_jited_linfo(prog);
10787         return 0;
10788 out_free:
10789         for (i = 0; i < env->subprog_cnt; i++) {
10790                 if (!func[i])
10791                         continue;
10792
10793                 for (j = 0; j < func[i]->aux->size_poke_tab; j++) {
10794                         map_ptr = func[i]->aux->poke_tab[j].tail_call.map;
10795                         map_ptr->ops->map_poke_untrack(map_ptr, func[i]->aux);
10796                 }
10797                 bpf_jit_free(func[i]);
10798         }
10799         kfree(func);
10800 out_undo_insn:
10801         /* cleanup main prog to be interpreted */
10802         prog->jit_requested = 0;
10803         for (i = 0, insn = prog->insnsi; i < prog->len; i++, insn++) {
10804                 if (insn->code != (BPF_JMP | BPF_CALL) ||
10805                     insn->src_reg != BPF_PSEUDO_CALL)
10806                         continue;
10807                 insn->off = 0;
10808                 insn->imm = env->insn_aux_data[i].call_imm;
10809         }
10810         bpf_prog_free_jited_linfo(prog);
10811         return err;
10812 }
10813
10814 static int fixup_call_args(struct bpf_verifier_env *env)
10815 {
10816 #ifndef CONFIG_BPF_JIT_ALWAYS_ON
10817         struct bpf_prog *prog = env->prog;
10818         struct bpf_insn *insn = prog->insnsi;
10819         int i, depth;
10820 #endif
10821         int err = 0;
10822
10823         if (env->prog->jit_requested &&
10824             !bpf_prog_is_dev_bound(env->prog->aux)) {
10825                 err = jit_subprogs(env);
10826                 if (err == 0)
10827                         return 0;
10828                 if (err == -EFAULT)
10829                         return err;
10830         }
10831 #ifndef CONFIG_BPF_JIT_ALWAYS_ON
10832         if (env->subprog_cnt > 1 && env->prog->aux->tail_call_reachable) {
10833                 /* When JIT fails the progs with bpf2bpf calls and tail_calls
10834                  * have to be rejected, since interpreter doesn't support them yet.
10835                  */
10836                 verbose(env, "tail_calls are not allowed in non-JITed programs with bpf-to-bpf calls\n");
10837                 return -EINVAL;
10838         }
10839         for (i = 0; i < prog->len; i++, insn++) {
10840                 if (insn->code != (BPF_JMP | BPF_CALL) ||
10841                     insn->src_reg != BPF_PSEUDO_CALL)
10842                         continue;
10843                 depth = get_callee_stack_depth(env, insn, i);
10844                 if (depth < 0)
10845                         return depth;
10846                 bpf_patch_call_args(insn, depth);
10847         }
10848         err = 0;
10849 #endif
10850         return err;
10851 }
10852
10853 /* fixup insn->imm field of bpf_call instructions
10854  * and inline eligible helpers as explicit sequence of BPF instructions
10855  *
10856  * this function is called after eBPF program passed verification
10857  */
10858 static int fixup_bpf_calls(struct bpf_verifier_env *env)
10859 {
10860         struct bpf_prog *prog = env->prog;
10861         bool expect_blinding = bpf_jit_blinding_enabled(prog);
10862         struct bpf_insn *insn = prog->insnsi;
10863         const struct bpf_func_proto *fn;
10864         const int insn_cnt = prog->len;
10865         const struct bpf_map_ops *ops;
10866         struct bpf_insn_aux_data *aux;
10867         struct bpf_insn insn_buf[16];
10868         struct bpf_prog *new_prog;
10869         struct bpf_map *map_ptr;
10870         int i, ret, cnt, delta = 0;
10871
10872         for (i = 0; i < insn_cnt; i++, insn++) {
10873                 if (insn->code == (BPF_ALU64 | BPF_MOD | BPF_X) ||
10874                     insn->code == (BPF_ALU64 | BPF_DIV | BPF_X) ||
10875                     insn->code == (BPF_ALU | BPF_MOD | BPF_X) ||
10876                     insn->code == (BPF_ALU | BPF_DIV | BPF_X)) {
10877                         bool is64 = BPF_CLASS(insn->code) == BPF_ALU64;
10878                         bool isdiv = BPF_OP(insn->code) == BPF_DIV;
10879                         struct bpf_insn *patchlet;
10880                         struct bpf_insn chk_and_div[] = {
10881                                 /* [R,W]x div 0 -> 0 */
10882                                 BPF_RAW_INSN((is64 ? BPF_JMP : BPF_JMP32) |
10883                                              BPF_JNE | BPF_K, insn->src_reg,
10884                                              0, 2, 0),
10885                                 BPF_ALU32_REG(BPF_XOR, insn->dst_reg, insn->dst_reg),
10886                                 BPF_JMP_IMM(BPF_JA, 0, 0, 1),
10887                                 *insn,
10888                         };
10889                         struct bpf_insn chk_and_mod[] = {
10890                                 /* [R,W]x mod 0 -> [R,W]x */
10891                                 BPF_RAW_INSN((is64 ? BPF_JMP : BPF_JMP32) |
10892                                              BPF_JEQ | BPF_K, insn->src_reg,
10893                                              0, 1 + (is64 ? 0 : 1), 0),
10894                                 *insn,
10895                                 BPF_JMP_IMM(BPF_JA, 0, 0, 1),
10896                                 BPF_MOV32_REG(insn->dst_reg, insn->dst_reg),
10897                         };
10898
10899                         patchlet = isdiv ? chk_and_div : chk_and_mod;
10900                         cnt = isdiv ? ARRAY_SIZE(chk_and_div) :
10901                                       ARRAY_SIZE(chk_and_mod) - (is64 ? 2 : 0);
10902
10903                         new_prog = bpf_patch_insn_data(env, i + delta, patchlet, cnt);
10904                         if (!new_prog)
10905                                 return -ENOMEM;
10906
10907                         delta    += cnt - 1;
10908                         env->prog = prog = new_prog;
10909                         insn      = new_prog->insnsi + i + delta;
10910                         continue;
10911                 }
10912
10913                 if (BPF_CLASS(insn->code) == BPF_LD &&
10914                     (BPF_MODE(insn->code) == BPF_ABS ||
10915                      BPF_MODE(insn->code) == BPF_IND)) {
10916                         cnt = env->ops->gen_ld_abs(insn, insn_buf);
10917                         if (cnt == 0 || cnt >= ARRAY_SIZE(insn_buf)) {
10918                                 verbose(env, "bpf verifier is misconfigured\n");
10919                                 return -EINVAL;
10920                         }
10921
10922                         new_prog = bpf_patch_insn_data(env, i + delta, insn_buf, cnt);
10923                         if (!new_prog)
10924                                 return -ENOMEM;
10925
10926                         delta    += cnt - 1;
10927                         env->prog = prog = new_prog;
10928                         insn      = new_prog->insnsi + i + delta;
10929                         continue;
10930                 }
10931
10932                 if (insn->code == (BPF_ALU64 | BPF_ADD | BPF_X) ||
10933                     insn->code == (BPF_ALU64 | BPF_SUB | BPF_X)) {
10934                         const u8 code_add = BPF_ALU64 | BPF_ADD | BPF_X;
10935                         const u8 code_sub = BPF_ALU64 | BPF_SUB | BPF_X;
10936                         struct bpf_insn insn_buf[16];
10937                         struct bpf_insn *patch = &insn_buf[0];
10938                         bool issrc, isneg;
10939                         u32 off_reg;
10940
10941                         aux = &env->insn_aux_data[i + delta];
10942                         if (!aux->alu_state ||
10943                             aux->alu_state == BPF_ALU_NON_POINTER)
10944                                 continue;
10945
10946                         isneg = aux->alu_state & BPF_ALU_NEG_VALUE;
10947                         issrc = (aux->alu_state & BPF_ALU_SANITIZE) ==
10948                                 BPF_ALU_SANITIZE_SRC;
10949
10950                         off_reg = issrc ? insn->src_reg : insn->dst_reg;
10951                         if (isneg)
10952                                 *patch++ = BPF_ALU64_IMM(BPF_MUL, off_reg, -1);
10953                         *patch++ = BPF_MOV32_IMM(BPF_REG_AX, aux->alu_limit);
10954                         *patch++ = BPF_ALU64_REG(BPF_SUB, BPF_REG_AX, off_reg);
10955                         *patch++ = BPF_ALU64_REG(BPF_OR, BPF_REG_AX, off_reg);
10956                         *patch++ = BPF_ALU64_IMM(BPF_NEG, BPF_REG_AX, 0);
10957                         *patch++ = BPF_ALU64_IMM(BPF_ARSH, BPF_REG_AX, 63);
10958                         if (issrc) {
10959                                 *patch++ = BPF_ALU64_REG(BPF_AND, BPF_REG_AX,
10960                                                          off_reg);
10961                                 insn->src_reg = BPF_REG_AX;
10962                         } else {
10963                                 *patch++ = BPF_ALU64_REG(BPF_AND, off_reg,
10964                                                          BPF_REG_AX);
10965                         }
10966                         if (isneg)
10967                                 insn->code = insn->code == code_add ?
10968                                              code_sub : code_add;
10969                         *patch++ = *insn;
10970                         if (issrc && isneg)
10971                                 *patch++ = BPF_ALU64_IMM(BPF_MUL, off_reg, -1);
10972                         cnt = patch - insn_buf;
10973
10974                         new_prog = bpf_patch_insn_data(env, i + delta, insn_buf, cnt);
10975                         if (!new_prog)
10976                                 return -ENOMEM;
10977
10978                         delta    += cnt - 1;
10979                         env->prog = prog = new_prog;
10980                         insn      = new_prog->insnsi + i + delta;
10981                         continue;
10982                 }
10983
10984                 if (insn->code != (BPF_JMP | BPF_CALL))
10985                         continue;
10986                 if (insn->src_reg == BPF_PSEUDO_CALL)
10987                         continue;
10988
10989                 if (insn->imm == BPF_FUNC_get_route_realm)
10990                         prog->dst_needed = 1;
10991                 if (insn->imm == BPF_FUNC_get_prandom_u32)
10992                         bpf_user_rnd_init_once();
10993                 if (insn->imm == BPF_FUNC_override_return)
10994                         prog->kprobe_override = 1;
10995                 if (insn->imm == BPF_FUNC_tail_call) {
10996                         /* If we tail call into other programs, we
10997                          * cannot make any assumptions since they can
10998                          * be replaced dynamically during runtime in
10999                          * the program array.
11000                          */
11001                         prog->cb_access = 1;
11002                         if (!allow_tail_call_in_subprogs(env))
11003                                 prog->aux->stack_depth = MAX_BPF_STACK;
11004                         prog->aux->max_pkt_offset = MAX_PACKET_OFF;
11005
11006                         /* mark bpf_tail_call as different opcode to avoid
11007                          * conditional branch in the interpeter for every normal
11008                          * call and to prevent accidental JITing by JIT compiler
11009                          * that doesn't support bpf_tail_call yet
11010                          */
11011                         insn->imm = 0;
11012                         insn->code = BPF_JMP | BPF_TAIL_CALL;
11013
11014                         aux = &env->insn_aux_data[i + delta];
11015                         if (env->bpf_capable && !expect_blinding &&
11016                             prog->jit_requested &&
11017                             !bpf_map_key_poisoned(aux) &&
11018                             !bpf_map_ptr_poisoned(aux) &&
11019                             !bpf_map_ptr_unpriv(aux)) {
11020                                 struct bpf_jit_poke_descriptor desc = {
11021                                         .reason = BPF_POKE_REASON_TAIL_CALL,
11022                                         .tail_call.map = BPF_MAP_PTR(aux->map_ptr_state),
11023                                         .tail_call.key = bpf_map_key_immediate(aux),
11024                                         .insn_idx = i + delta,
11025                                 };
11026
11027                                 ret = bpf_jit_add_poke_descriptor(prog, &desc);
11028                                 if (ret < 0) {
11029                                         verbose(env, "adding tail call poke descriptor failed\n");
11030                                         return ret;
11031                                 }
11032
11033                                 insn->imm = ret + 1;
11034                                 continue;
11035                         }
11036
11037                         if (!bpf_map_ptr_unpriv(aux))
11038                                 continue;
11039
11040                         /* instead of changing every JIT dealing with tail_call
11041                          * emit two extra insns:
11042                          * if (index >= max_entries) goto out;
11043                          * index &= array->index_mask;
11044                          * to avoid out-of-bounds cpu speculation
11045                          */
11046                         if (bpf_map_ptr_poisoned(aux)) {
11047                                 verbose(env, "tail_call abusing map_ptr\n");
11048                                 return -EINVAL;
11049                         }
11050
11051                         map_ptr = BPF_MAP_PTR(aux->map_ptr_state);
11052                         insn_buf[0] = BPF_JMP_IMM(BPF_JGE, BPF_REG_3,
11053                                                   map_ptr->max_entries, 2);
11054                         insn_buf[1] = BPF_ALU32_IMM(BPF_AND, BPF_REG_3,
11055                                                     container_of(map_ptr,
11056                                                                  struct bpf_array,
11057                                                                  map)->index_mask);
11058                         insn_buf[2] = *insn;
11059                         cnt = 3;
11060                         new_prog = bpf_patch_insn_data(env, i + delta, insn_buf, cnt);
11061                         if (!new_prog)
11062                                 return -ENOMEM;
11063
11064                         delta    += cnt - 1;
11065                         env->prog = prog = new_prog;
11066                         insn      = new_prog->insnsi + i + delta;
11067                         continue;
11068                 }
11069
11070                 /* BPF_EMIT_CALL() assumptions in some of the map_gen_lookup
11071                  * and other inlining handlers are currently limited to 64 bit
11072                  * only.
11073                  */
11074                 if (prog->jit_requested && BITS_PER_LONG == 64 &&
11075                     (insn->imm == BPF_FUNC_map_lookup_elem ||
11076                      insn->imm == BPF_FUNC_map_update_elem ||
11077                      insn->imm == BPF_FUNC_map_delete_elem ||
11078                      insn->imm == BPF_FUNC_map_push_elem   ||
11079                      insn->imm == BPF_FUNC_map_pop_elem    ||
11080                      insn->imm == BPF_FUNC_map_peek_elem)) {
11081                         aux = &env->insn_aux_data[i + delta];
11082                         if (bpf_map_ptr_poisoned(aux))
11083                                 goto patch_call_imm;
11084
11085                         map_ptr = BPF_MAP_PTR(aux->map_ptr_state);
11086                         ops = map_ptr->ops;
11087                         if (insn->imm == BPF_FUNC_map_lookup_elem &&
11088                             ops->map_gen_lookup) {
11089                                 cnt = ops->map_gen_lookup(map_ptr, insn_buf);
11090                                 if (cnt == -EOPNOTSUPP)
11091                                         goto patch_map_ops_generic;
11092                                 if (cnt <= 0 || cnt >= ARRAY_SIZE(insn_buf)) {
11093                                         verbose(env, "bpf verifier is misconfigured\n");
11094                                         return -EINVAL;
11095                                 }
11096
11097                                 new_prog = bpf_patch_insn_data(env, i + delta,
11098                                                                insn_buf, cnt);
11099                                 if (!new_prog)
11100                                         return -ENOMEM;
11101
11102                                 delta    += cnt - 1;
11103                                 env->prog = prog = new_prog;
11104                                 insn      = new_prog->insnsi + i + delta;
11105                                 continue;
11106                         }
11107
11108                         BUILD_BUG_ON(!__same_type(ops->map_lookup_elem,
11109                                      (void *(*)(struct bpf_map *map, void *key))NULL));
11110                         BUILD_BUG_ON(!__same_type(ops->map_delete_elem,
11111                                      (int (*)(struct bpf_map *map, void *key))NULL));
11112                         BUILD_BUG_ON(!__same_type(ops->map_update_elem,
11113                                      (int (*)(struct bpf_map *map, void *key, void *value,
11114                                               u64 flags))NULL));
11115                         BUILD_BUG_ON(!__same_type(ops->map_push_elem,
11116                                      (int (*)(struct bpf_map *map, void *value,
11117                                               u64 flags))NULL));
11118                         BUILD_BUG_ON(!__same_type(ops->map_pop_elem,
11119                                      (int (*)(struct bpf_map *map, void *value))NULL));
11120                         BUILD_BUG_ON(!__same_type(ops->map_peek_elem,
11121                                      (int (*)(struct bpf_map *map, void *value))NULL));
11122 patch_map_ops_generic:
11123                         switch (insn->imm) {
11124                         case BPF_FUNC_map_lookup_elem:
11125                                 insn->imm = BPF_CAST_CALL(ops->map_lookup_elem) -
11126                                             __bpf_call_base;
11127                                 continue;
11128                         case BPF_FUNC_map_update_elem:
11129                                 insn->imm = BPF_CAST_CALL(ops->map_update_elem) -
11130                                             __bpf_call_base;
11131                                 continue;
11132                         case BPF_FUNC_map_delete_elem:
11133                                 insn->imm = BPF_CAST_CALL(ops->map_delete_elem) -
11134                                             __bpf_call_base;
11135                                 continue;
11136                         case BPF_FUNC_map_push_elem:
11137                                 insn->imm = BPF_CAST_CALL(ops->map_push_elem) -
11138                                             __bpf_call_base;
11139                                 continue;
11140                         case BPF_FUNC_map_pop_elem:
11141                                 insn->imm = BPF_CAST_CALL(ops->map_pop_elem) -
11142                                             __bpf_call_base;
11143                                 continue;
11144                         case BPF_FUNC_map_peek_elem:
11145                                 insn->imm = BPF_CAST_CALL(ops->map_peek_elem) -
11146                                             __bpf_call_base;
11147                                 continue;
11148                         }
11149
11150                         goto patch_call_imm;
11151                 }
11152
11153                 if (prog->jit_requested && BITS_PER_LONG == 64 &&
11154                     insn->imm == BPF_FUNC_jiffies64) {
11155                         struct bpf_insn ld_jiffies_addr[2] = {
11156                                 BPF_LD_IMM64(BPF_REG_0,
11157                                              (unsigned long)&jiffies),
11158                         };
11159
11160                         insn_buf[0] = ld_jiffies_addr[0];
11161                         insn_buf[1] = ld_jiffies_addr[1];
11162                         insn_buf[2] = BPF_LDX_MEM(BPF_DW, BPF_REG_0,
11163                                                   BPF_REG_0, 0);
11164                         cnt = 3;
11165
11166                         new_prog = bpf_patch_insn_data(env, i + delta, insn_buf,
11167                                                        cnt);
11168                         if (!new_prog)
11169                                 return -ENOMEM;
11170
11171                         delta    += cnt - 1;
11172                         env->prog = prog = new_prog;
11173                         insn      = new_prog->insnsi + i + delta;
11174                         continue;
11175                 }
11176
11177 patch_call_imm:
11178                 fn = env->ops->get_func_proto(insn->imm, env->prog);
11179                 /* all functions that have prototype and verifier allowed
11180                  * programs to call them, must be real in-kernel functions
11181                  */
11182                 if (!fn->func) {
11183                         verbose(env,
11184                                 "kernel subsystem misconfigured func %s#%d\n",
11185                                 func_id_name(insn->imm), insn->imm);
11186                         return -EFAULT;
11187                 }
11188                 insn->imm = fn->func - __bpf_call_base;
11189         }
11190
11191         /* Since poke tab is now finalized, publish aux to tracker. */
11192         for (i = 0; i < prog->aux->size_poke_tab; i++) {
11193                 map_ptr = prog->aux->poke_tab[i].tail_call.map;
11194                 if (!map_ptr->ops->map_poke_track ||
11195                     !map_ptr->ops->map_poke_untrack ||
11196                     !map_ptr->ops->map_poke_run) {
11197                         verbose(env, "bpf verifier is misconfigured\n");
11198                         return -EINVAL;
11199                 }
11200
11201                 ret = map_ptr->ops->map_poke_track(map_ptr, prog->aux);
11202                 if (ret < 0) {
11203                         verbose(env, "tracking tail call prog failed\n");
11204                         return ret;
11205                 }
11206         }
11207
11208         return 0;
11209 }
11210
11211 static void free_states(struct bpf_verifier_env *env)
11212 {
11213         struct bpf_verifier_state_list *sl, *sln;
11214         int i;
11215
11216         sl = env->free_list;
11217         while (sl) {
11218                 sln = sl->next;
11219                 free_verifier_state(&sl->state, false);
11220                 kfree(sl);
11221                 sl = sln;
11222         }
11223         env->free_list = NULL;
11224
11225         if (!env->explored_states)
11226                 return;
11227
11228         for (i = 0; i < state_htab_size(env); i++) {
11229                 sl = env->explored_states[i];
11230
11231                 while (sl) {
11232                         sln = sl->next;
11233                         free_verifier_state(&sl->state, false);
11234                         kfree(sl);
11235                         sl = sln;
11236                 }
11237                 env->explored_states[i] = NULL;
11238         }
11239 }
11240
11241 /* The verifier is using insn_aux_data[] to store temporary data during
11242  * verification and to store information for passes that run after the
11243  * verification like dead code sanitization. do_check_common() for subprogram N
11244  * may analyze many other subprograms. sanitize_insn_aux_data() clears all
11245  * temporary data after do_check_common() finds that subprogram N cannot be
11246  * verified independently. pass_cnt counts the number of times
11247  * do_check_common() was run and insn->aux->seen tells the pass number
11248  * insn_aux_data was touched. These variables are compared to clear temporary
11249  * data from failed pass. For testing and experiments do_check_common() can be
11250  * run multiple times even when prior attempt to verify is unsuccessful.
11251  */
11252 static void sanitize_insn_aux_data(struct bpf_verifier_env *env)
11253 {
11254         struct bpf_insn *insn = env->prog->insnsi;
11255         struct bpf_insn_aux_data *aux;
11256         int i, class;
11257
11258         for (i = 0; i < env->prog->len; i++) {
11259                 class = BPF_CLASS(insn[i].code);
11260                 if (class != BPF_LDX && class != BPF_STX)
11261                         continue;
11262                 aux = &env->insn_aux_data[i];
11263                 if (aux->seen != env->pass_cnt)
11264                         continue;
11265                 memset(aux, 0, offsetof(typeof(*aux), orig_idx));
11266         }
11267 }
11268
11269 static int do_check_common(struct bpf_verifier_env *env, int subprog)
11270 {
11271         bool pop_log = !(env->log.level & BPF_LOG_LEVEL2);
11272         struct bpf_verifier_state *state;
11273         struct bpf_reg_state *regs;
11274         int ret, i;
11275
11276         env->prev_linfo = NULL;
11277         env->pass_cnt++;
11278
11279         state = kzalloc(sizeof(struct bpf_verifier_state), GFP_KERNEL);
11280         if (!state)
11281                 return -ENOMEM;
11282         state->curframe = 0;
11283         state->speculative = false;
11284         state->branches = 1;
11285         state->frame[0] = kzalloc(sizeof(struct bpf_func_state), GFP_KERNEL);
11286         if (!state->frame[0]) {
11287                 kfree(state);
11288                 return -ENOMEM;
11289         }
11290         env->cur_state = state;
11291         init_func_state(env, state->frame[0],
11292                         BPF_MAIN_FUNC /* callsite */,
11293                         0 /* frameno */,
11294                         subprog);
11295
11296         regs = state->frame[state->curframe]->regs;
11297         if (subprog || env->prog->type == BPF_PROG_TYPE_EXT) {
11298                 ret = btf_prepare_func_args(env, subprog, regs);
11299                 if (ret)
11300                         goto out;
11301                 for (i = BPF_REG_1; i <= BPF_REG_5; i++) {
11302                         if (regs[i].type == PTR_TO_CTX)
11303                                 mark_reg_known_zero(env, regs, i);
11304                         else if (regs[i].type == SCALAR_VALUE)
11305                                 mark_reg_unknown(env, regs, i);
11306                 }
11307         } else {
11308                 /* 1st arg to a function */
11309                 regs[BPF_REG_1].type = PTR_TO_CTX;
11310                 mark_reg_known_zero(env, regs, BPF_REG_1);
11311                 ret = btf_check_func_arg_match(env, subprog, regs);
11312                 if (ret == -EFAULT)
11313                         /* unlikely verifier bug. abort.
11314                          * ret == 0 and ret < 0 are sadly acceptable for
11315                          * main() function due to backward compatibility.
11316                          * Like socket filter program may be written as:
11317                          * int bpf_prog(struct pt_regs *ctx)
11318                          * and never dereference that ctx in the program.
11319                          * 'struct pt_regs' is a type mismatch for socket
11320                          * filter that should be using 'struct __sk_buff'.
11321                          */
11322                         goto out;
11323         }
11324
11325         ret = do_check(env);
11326 out:
11327         /* check for NULL is necessary, since cur_state can be freed inside
11328          * do_check() under memory pressure.
11329          */
11330         if (env->cur_state) {
11331                 free_verifier_state(env->cur_state, true);
11332                 env->cur_state = NULL;
11333         }
11334         while (!pop_stack(env, NULL, NULL, false));
11335         if (!ret && pop_log)
11336                 bpf_vlog_reset(&env->log, 0);
11337         free_states(env);
11338         if (ret)
11339                 /* clean aux data in case subprog was rejected */
11340                 sanitize_insn_aux_data(env);
11341         return ret;
11342 }
11343
11344 /* Verify all global functions in a BPF program one by one based on their BTF.
11345  * All global functions must pass verification. Otherwise the whole program is rejected.
11346  * Consider:
11347  * int bar(int);
11348  * int foo(int f)
11349  * {
11350  *    return bar(f);
11351  * }
11352  * int bar(int b)
11353  * {
11354  *    ...
11355  * }
11356  * foo() will be verified first for R1=any_scalar_value. During verification it
11357  * will be assumed that bar() already verified successfully and call to bar()
11358  * from foo() will be checked for type match only. Later bar() will be verified
11359  * independently to check that it's safe for R1=any_scalar_value.
11360  */
11361 static int do_check_subprogs(struct bpf_verifier_env *env)
11362 {
11363         struct bpf_prog_aux *aux = env->prog->aux;
11364         int i, ret;
11365
11366         if (!aux->func_info)
11367                 return 0;
11368
11369         for (i = 1; i < env->subprog_cnt; i++) {
11370                 if (aux->func_info_aux[i].linkage != BTF_FUNC_GLOBAL)
11371                         continue;
11372                 env->insn_idx = env->subprog_info[i].start;
11373                 WARN_ON_ONCE(env->insn_idx == 0);
11374                 ret = do_check_common(env, i);
11375                 if (ret) {
11376                         return ret;
11377                 } else if (env->log.level & BPF_LOG_LEVEL) {
11378                         verbose(env,
11379                                 "Func#%d is safe for any args that match its prototype\n",
11380                                 i);
11381                 }
11382         }
11383         return 0;
11384 }
11385
11386 static int do_check_main(struct bpf_verifier_env *env)
11387 {
11388         int ret;
11389
11390         env->insn_idx = 0;
11391         ret = do_check_common(env, 0);
11392         if (!ret)
11393                 env->prog->aux->stack_depth = env->subprog_info[0].stack_depth;
11394         return ret;
11395 }
11396
11397
11398 static void print_verification_stats(struct bpf_verifier_env *env)
11399 {
11400         int i;
11401
11402         if (env->log.level & BPF_LOG_STATS) {
11403                 verbose(env, "verification time %lld usec\n",
11404                         div_u64(env->verification_time, 1000));
11405                 verbose(env, "stack depth ");
11406                 for (i = 0; i < env->subprog_cnt; i++) {
11407                         u32 depth = env->subprog_info[i].stack_depth;
11408
11409                         verbose(env, "%d", depth);
11410                         if (i + 1 < env->subprog_cnt)
11411                                 verbose(env, "+");
11412                 }
11413                 verbose(env, "\n");
11414         }
11415         verbose(env, "processed %d insns (limit %d) max_states_per_insn %d "
11416                 "total_states %d peak_states %d mark_read %d\n",
11417                 env->insn_processed, BPF_COMPLEXITY_LIMIT_INSNS,
11418                 env->max_states_per_insn, env->total_states,
11419                 env->peak_states, env->longest_mark_read_walk);
11420 }
11421
11422 static int check_struct_ops_btf_id(struct bpf_verifier_env *env)
11423 {
11424         const struct btf_type *t, *func_proto;
11425         const struct bpf_struct_ops *st_ops;
11426         const struct btf_member *member;
11427         struct bpf_prog *prog = env->prog;
11428         u32 btf_id, member_idx;
11429         const char *mname;
11430
11431         if (!prog->gpl_compatible) {
11432                 verbose(env, "struct ops programs must have a GPL compatible license\n");
11433                 return -EINVAL;
11434         }
11435
11436         btf_id = prog->aux->attach_btf_id;
11437         st_ops = bpf_struct_ops_find(btf_id);
11438         if (!st_ops) {
11439                 verbose(env, "attach_btf_id %u is not a supported struct\n",
11440                         btf_id);
11441                 return -ENOTSUPP;
11442         }
11443
11444         t = st_ops->type;
11445         member_idx = prog->expected_attach_type;
11446         if (member_idx >= btf_type_vlen(t)) {
11447                 verbose(env, "attach to invalid member idx %u of struct %s\n",
11448                         member_idx, st_ops->name);
11449                 return -EINVAL;
11450         }
11451
11452         member = &btf_type_member(t)[member_idx];
11453         mname = btf_name_by_offset(btf_vmlinux, member->name_off);
11454         func_proto = btf_type_resolve_func_ptr(btf_vmlinux, member->type,
11455                                                NULL);
11456         if (!func_proto) {
11457                 verbose(env, "attach to invalid member %s(@idx %u) of struct %s\n",
11458                         mname, member_idx, st_ops->name);
11459                 return -EINVAL;
11460         }
11461
11462         if (st_ops->check_member) {
11463                 int err = st_ops->check_member(t, member);
11464
11465                 if (err) {
11466                         verbose(env, "attach to unsupported member %s of struct %s\n",
11467                                 mname, st_ops->name);
11468                         return err;
11469                 }
11470         }
11471
11472         prog->aux->attach_func_proto = func_proto;
11473         prog->aux->attach_func_name = mname;
11474         env->ops = st_ops->verifier_ops;
11475
11476         return 0;
11477 }
11478 #define SECURITY_PREFIX "security_"
11479
11480 static int check_attach_modify_return(unsigned long addr, const char *func_name)
11481 {
11482         if (within_error_injection_list(addr) ||
11483             !strncmp(SECURITY_PREFIX, func_name, sizeof(SECURITY_PREFIX) - 1))
11484                 return 0;
11485
11486         return -EINVAL;
11487 }
11488
11489 /* non exhaustive list of sleepable bpf_lsm_*() functions */
11490 BTF_SET_START(btf_sleepable_lsm_hooks)
11491 #ifdef CONFIG_BPF_LSM
11492 BTF_ID(func, bpf_lsm_bprm_committed_creds)
11493 #else
11494 BTF_ID_UNUSED
11495 #endif
11496 BTF_SET_END(btf_sleepable_lsm_hooks)
11497
11498 static int check_sleepable_lsm_hook(u32 btf_id)
11499 {
11500         return btf_id_set_contains(&btf_sleepable_lsm_hooks, btf_id);
11501 }
11502
11503 /* list of non-sleepable functions that are otherwise on
11504  * ALLOW_ERROR_INJECTION list
11505  */
11506 BTF_SET_START(btf_non_sleepable_error_inject)
11507 /* Three functions below can be called from sleepable and non-sleepable context.
11508  * Assume non-sleepable from bpf safety point of view.
11509  */
11510 BTF_ID(func, __add_to_page_cache_locked)
11511 BTF_ID(func, should_fail_alloc_page)
11512 BTF_ID(func, should_failslab)
11513 BTF_SET_END(btf_non_sleepable_error_inject)
11514
11515 static int check_non_sleepable_error_inject(u32 btf_id)
11516 {
11517         return btf_id_set_contains(&btf_non_sleepable_error_inject, btf_id);
11518 }
11519
11520 int bpf_check_attach_target(struct bpf_verifier_log *log,
11521                             const struct bpf_prog *prog,
11522                             const struct bpf_prog *tgt_prog,
11523                             u32 btf_id,
11524                             struct bpf_attach_target_info *tgt_info)
11525 {
11526         bool prog_extension = prog->type == BPF_PROG_TYPE_EXT;
11527         const char prefix[] = "btf_trace_";
11528         int ret = 0, subprog = -1, i;
11529         const struct btf_type *t;
11530         bool conservative = true;
11531         const char *tname;
11532         struct btf *btf;
11533         long addr = 0;
11534
11535         if (!btf_id) {
11536                 bpf_log(log, "Tracing programs must provide btf_id\n");
11537                 return -EINVAL;
11538         }
11539         btf = tgt_prog ? tgt_prog->aux->btf : btf_vmlinux;
11540         if (!btf) {
11541                 bpf_log(log,
11542                         "FENTRY/FEXIT program can only be attached to another program annotated with BTF\n");
11543                 return -EINVAL;
11544         }
11545         t = btf_type_by_id(btf, btf_id);
11546         if (!t) {
11547                 bpf_log(log, "attach_btf_id %u is invalid\n", btf_id);
11548                 return -EINVAL;
11549         }
11550         tname = btf_name_by_offset(btf, t->name_off);
11551         if (!tname) {
11552                 bpf_log(log, "attach_btf_id %u doesn't have a name\n", btf_id);
11553                 return -EINVAL;
11554         }
11555         if (tgt_prog) {
11556                 struct bpf_prog_aux *aux = tgt_prog->aux;
11557
11558                 for (i = 0; i < aux->func_info_cnt; i++)
11559                         if (aux->func_info[i].type_id == btf_id) {
11560                                 subprog = i;
11561                                 break;
11562                         }
11563                 if (subprog == -1) {
11564                         bpf_log(log, "Subprog %s doesn't exist\n", tname);
11565                         return -EINVAL;
11566                 }
11567                 conservative = aux->func_info_aux[subprog].unreliable;
11568                 if (prog_extension) {
11569                         if (conservative) {
11570                                 bpf_log(log,
11571                                         "Cannot replace static functions\n");
11572                                 return -EINVAL;
11573                         }
11574                         if (!prog->jit_requested) {
11575                                 bpf_log(log,
11576                                         "Extension programs should be JITed\n");
11577                                 return -EINVAL;
11578                         }
11579                 }
11580                 if (!tgt_prog->jited) {
11581                         bpf_log(log, "Can attach to only JITed progs\n");
11582                         return -EINVAL;
11583                 }
11584                 if (tgt_prog->type == prog->type) {
11585                         /* Cannot fentry/fexit another fentry/fexit program.
11586                          * Cannot attach program extension to another extension.
11587                          * It's ok to attach fentry/fexit to extension program.
11588                          */
11589                         bpf_log(log, "Cannot recursively attach\n");
11590                         return -EINVAL;
11591                 }
11592                 if (tgt_prog->type == BPF_PROG_TYPE_TRACING &&
11593                     prog_extension &&
11594                     (tgt_prog->expected_attach_type == BPF_TRACE_FENTRY ||
11595                      tgt_prog->expected_attach_type == BPF_TRACE_FEXIT)) {
11596                         /* Program extensions can extend all program types
11597                          * except fentry/fexit. The reason is the following.
11598                          * The fentry/fexit programs are used for performance
11599                          * analysis, stats and can be attached to any program
11600                          * type except themselves. When extension program is
11601                          * replacing XDP function it is necessary to allow
11602                          * performance analysis of all functions. Both original
11603                          * XDP program and its program extension. Hence
11604                          * attaching fentry/fexit to BPF_PROG_TYPE_EXT is
11605                          * allowed. If extending of fentry/fexit was allowed it
11606                          * would be possible to create long call chain
11607                          * fentry->extension->fentry->extension beyond
11608                          * reasonable stack size. Hence extending fentry is not
11609                          * allowed.
11610                          */
11611                         bpf_log(log, "Cannot extend fentry/fexit\n");
11612                         return -EINVAL;
11613                 }
11614         } else {
11615                 if (prog_extension) {
11616                         bpf_log(log, "Cannot replace kernel functions\n");
11617                         return -EINVAL;
11618                 }
11619         }
11620
11621         switch (prog->expected_attach_type) {
11622         case BPF_TRACE_RAW_TP:
11623                 if (tgt_prog) {
11624                         bpf_log(log,
11625                                 "Only FENTRY/FEXIT progs are attachable to another BPF prog\n");
11626                         return -EINVAL;
11627                 }
11628                 if (!btf_type_is_typedef(t)) {
11629                         bpf_log(log, "attach_btf_id %u is not a typedef\n",
11630                                 btf_id);
11631                         return -EINVAL;
11632                 }
11633                 if (strncmp(prefix, tname, sizeof(prefix) - 1)) {
11634                         bpf_log(log, "attach_btf_id %u points to wrong type name %s\n",
11635                                 btf_id, tname);
11636                         return -EINVAL;
11637                 }
11638                 tname += sizeof(prefix) - 1;
11639                 t = btf_type_by_id(btf, t->type);
11640                 if (!btf_type_is_ptr(t))
11641                         /* should never happen in valid vmlinux build */
11642                         return -EINVAL;
11643                 t = btf_type_by_id(btf, t->type);
11644                 if (!btf_type_is_func_proto(t))
11645                         /* should never happen in valid vmlinux build */
11646                         return -EINVAL;
11647
11648                 break;
11649         case BPF_TRACE_ITER:
11650                 if (!btf_type_is_func(t)) {
11651                         bpf_log(log, "attach_btf_id %u is not a function\n",
11652                                 btf_id);
11653                         return -EINVAL;
11654                 }
11655                 t = btf_type_by_id(btf, t->type);
11656                 if (!btf_type_is_func_proto(t))
11657                         return -EINVAL;
11658                 ret = btf_distill_func_proto(log, btf, t, tname, &tgt_info->fmodel);
11659                 if (ret)
11660                         return ret;
11661                 break;
11662         default:
11663                 if (!prog_extension)
11664                         return -EINVAL;
11665                 fallthrough;
11666         case BPF_MODIFY_RETURN:
11667         case BPF_LSM_MAC:
11668         case BPF_TRACE_FENTRY:
11669         case BPF_TRACE_FEXIT:
11670                 if (!btf_type_is_func(t)) {
11671                         bpf_log(log, "attach_btf_id %u is not a function\n",
11672                                 btf_id);
11673                         return -EINVAL;
11674                 }
11675                 if (prog_extension &&
11676                     btf_check_type_match(log, prog, btf, t))
11677                         return -EINVAL;
11678                 t = btf_type_by_id(btf, t->type);
11679                 if (!btf_type_is_func_proto(t))
11680                         return -EINVAL;
11681
11682                 if ((prog->aux->saved_dst_prog_type || prog->aux->saved_dst_attach_type) &&
11683                     (!tgt_prog || prog->aux->saved_dst_prog_type != tgt_prog->type ||
11684                      prog->aux->saved_dst_attach_type != tgt_prog->expected_attach_type))
11685                         return -EINVAL;
11686
11687                 if (tgt_prog && conservative)
11688                         t = NULL;
11689
11690                 ret = btf_distill_func_proto(log, btf, t, tname, &tgt_info->fmodel);
11691                 if (ret < 0)
11692                         return ret;
11693
11694                 if (tgt_prog) {
11695                         if (subprog == 0)
11696                                 addr = (long) tgt_prog->bpf_func;
11697                         else
11698                                 addr = (long) tgt_prog->aux->func[subprog]->bpf_func;
11699                 } else {
11700                         addr = kallsyms_lookup_name(tname);
11701                         if (!addr) {
11702                                 bpf_log(log,
11703                                         "The address of function %s cannot be found\n",
11704                                         tname);
11705                                 return -ENOENT;
11706                         }
11707                 }
11708
11709                 if (prog->aux->sleepable) {
11710                         ret = -EINVAL;
11711                         switch (prog->type) {
11712                         case BPF_PROG_TYPE_TRACING:
11713                                 /* fentry/fexit/fmod_ret progs can be sleepable only if they are
11714                                  * attached to ALLOW_ERROR_INJECTION and are not in denylist.
11715                                  */
11716                                 if (!check_non_sleepable_error_inject(btf_id) &&
11717                                     within_error_injection_list(addr))
11718                                         ret = 0;
11719                                 break;
11720                         case BPF_PROG_TYPE_LSM:
11721                                 /* LSM progs check that they are attached to bpf_lsm_*() funcs.
11722                                  * Only some of them are sleepable.
11723                                  */
11724                                 if (check_sleepable_lsm_hook(btf_id))
11725                                         ret = 0;
11726                                 break;
11727                         default:
11728                                 break;
11729                         }
11730                         if (ret) {
11731                                 bpf_log(log, "%s is not sleepable\n", tname);
11732                                 return ret;
11733                         }
11734                 } else if (prog->expected_attach_type == BPF_MODIFY_RETURN) {
11735                         if (tgt_prog) {
11736                                 bpf_log(log, "can't modify return codes of BPF programs\n");
11737                                 return -EINVAL;
11738                         }
11739                         ret = check_attach_modify_return(addr, tname);
11740                         if (ret) {
11741                                 bpf_log(log, "%s() is not modifiable\n", tname);
11742                                 return ret;
11743                         }
11744                 }
11745
11746                 break;
11747         }
11748         tgt_info->tgt_addr = addr;
11749         tgt_info->tgt_name = tname;
11750         tgt_info->tgt_type = t;
11751         return 0;
11752 }
11753
11754 static int check_attach_btf_id(struct bpf_verifier_env *env)
11755 {
11756         struct bpf_prog *prog = env->prog;
11757         struct bpf_prog *tgt_prog = prog->aux->dst_prog;
11758         struct bpf_attach_target_info tgt_info = {};
11759         u32 btf_id = prog->aux->attach_btf_id;
11760         struct bpf_trampoline *tr;
11761         int ret;
11762         u64 key;
11763
11764         if (prog->aux->sleepable && prog->type != BPF_PROG_TYPE_TRACING &&
11765             prog->type != BPF_PROG_TYPE_LSM) {
11766                 verbose(env, "Only fentry/fexit/fmod_ret and lsm programs can be sleepable\n");
11767                 return -EINVAL;
11768         }
11769
11770         if (prog->type == BPF_PROG_TYPE_STRUCT_OPS)
11771                 return check_struct_ops_btf_id(env);
11772
11773         if (prog->type != BPF_PROG_TYPE_TRACING &&
11774             prog->type != BPF_PROG_TYPE_LSM &&
11775             prog->type != BPF_PROG_TYPE_EXT)
11776                 return 0;
11777
11778         ret = bpf_check_attach_target(&env->log, prog, tgt_prog, btf_id, &tgt_info);
11779         if (ret)
11780                 return ret;
11781
11782         if (tgt_prog && prog->type == BPF_PROG_TYPE_EXT) {
11783                 /* to make freplace equivalent to their targets, they need to
11784                  * inherit env->ops and expected_attach_type for the rest of the
11785                  * verification
11786                  */
11787                 env->ops = bpf_verifier_ops[tgt_prog->type];
11788                 prog->expected_attach_type = tgt_prog->expected_attach_type;
11789         }
11790
11791         /* store info about the attachment target that will be used later */
11792         prog->aux->attach_func_proto = tgt_info.tgt_type;
11793         prog->aux->attach_func_name = tgt_info.tgt_name;
11794
11795         if (tgt_prog) {
11796                 prog->aux->saved_dst_prog_type = tgt_prog->type;
11797                 prog->aux->saved_dst_attach_type = tgt_prog->expected_attach_type;
11798         }
11799
11800         if (prog->expected_attach_type == BPF_TRACE_RAW_TP) {
11801                 prog->aux->attach_btf_trace = true;
11802                 return 0;
11803         } else if (prog->expected_attach_type == BPF_TRACE_ITER) {
11804                 if (!bpf_iter_prog_supported(prog))
11805                         return -EINVAL;
11806                 return 0;
11807         }
11808
11809         if (prog->type == BPF_PROG_TYPE_LSM) {
11810                 ret = bpf_lsm_verify_prog(&env->log, prog);
11811                 if (ret < 0)
11812                         return ret;
11813         }
11814
11815         key = bpf_trampoline_compute_key(tgt_prog, btf_id);
11816         tr = bpf_trampoline_get(key, &tgt_info);
11817         if (!tr)
11818                 return -ENOMEM;
11819
11820         prog->aux->dst_trampoline = tr;
11821         return 0;
11822 }
11823
11824 struct btf *bpf_get_btf_vmlinux(void)
11825 {
11826         if (!btf_vmlinux && IS_ENABLED(CONFIG_DEBUG_INFO_BTF)) {
11827                 mutex_lock(&bpf_verifier_lock);
11828                 if (!btf_vmlinux)
11829                         btf_vmlinux = btf_parse_vmlinux();
11830                 mutex_unlock(&bpf_verifier_lock);
11831         }
11832         return btf_vmlinux;
11833 }
11834
11835 int bpf_check(struct bpf_prog **prog, union bpf_attr *attr,
11836               union bpf_attr __user *uattr)
11837 {
11838         u64 start_time = ktime_get_ns();
11839         struct bpf_verifier_env *env;
11840         struct bpf_verifier_log *log;
11841         int i, len, ret = -EINVAL;
11842         bool is_priv;
11843
11844         /* no program is valid */
11845         if (ARRAY_SIZE(bpf_verifier_ops) == 0)
11846                 return -EINVAL;
11847
11848         /* 'struct bpf_verifier_env' can be global, but since it's not small,
11849          * allocate/free it every time bpf_check() is called
11850          */
11851         env = kzalloc(sizeof(struct bpf_verifier_env), GFP_KERNEL);
11852         if (!env)
11853                 return -ENOMEM;
11854         log = &env->log;
11855
11856         len = (*prog)->len;
11857         env->insn_aux_data =
11858                 vzalloc(array_size(sizeof(struct bpf_insn_aux_data), len));
11859         ret = -ENOMEM;
11860         if (!env->insn_aux_data)
11861                 goto err_free_env;
11862         for (i = 0; i < len; i++)
11863                 env->insn_aux_data[i].orig_idx = i;
11864         env->prog = *prog;
11865         env->ops = bpf_verifier_ops[env->prog->type];
11866         is_priv = bpf_capable();
11867
11868         bpf_get_btf_vmlinux();
11869
11870         /* grab the mutex to protect few globals used by verifier */
11871         if (!is_priv)
11872                 mutex_lock(&bpf_verifier_lock);
11873
11874         if (attr->log_level || attr->log_buf || attr->log_size) {
11875                 /* user requested verbose verifier output
11876                  * and supplied buffer to store the verification trace
11877                  */
11878                 log->level = attr->log_level;
11879                 log->ubuf = (char __user *) (unsigned long) attr->log_buf;
11880                 log->len_total = attr->log_size;
11881
11882                 ret = -EINVAL;
11883                 /* log attributes have to be sane */
11884                 if (log->len_total < 128 || log->len_total > UINT_MAX >> 2 ||
11885                     !log->level || !log->ubuf || log->level & ~BPF_LOG_MASK)
11886                         goto err_unlock;
11887         }
11888
11889         if (IS_ERR(btf_vmlinux)) {
11890                 /* Either gcc or pahole or kernel are broken. */
11891                 verbose(env, "in-kernel BTF is malformed\n");
11892                 ret = PTR_ERR(btf_vmlinux);
11893                 goto skip_full_check;
11894         }
11895
11896         env->strict_alignment = !!(attr->prog_flags & BPF_F_STRICT_ALIGNMENT);
11897         if (!IS_ENABLED(CONFIG_HAVE_EFFICIENT_UNALIGNED_ACCESS))
11898                 env->strict_alignment = true;
11899         if (attr->prog_flags & BPF_F_ANY_ALIGNMENT)
11900                 env->strict_alignment = false;
11901
11902         env->allow_ptr_leaks = bpf_allow_ptr_leaks();
11903         env->allow_ptr_to_map_access = bpf_allow_ptr_to_map_access();
11904         env->bypass_spec_v1 = bpf_bypass_spec_v1();
11905         env->bypass_spec_v4 = bpf_bypass_spec_v4();
11906         env->bpf_capable = bpf_capable();
11907
11908         if (is_priv)
11909                 env->test_state_freq = attr->prog_flags & BPF_F_TEST_STATE_FREQ;
11910
11911         if (bpf_prog_is_dev_bound(env->prog->aux)) {
11912                 ret = bpf_prog_offload_verifier_prep(env->prog);
11913                 if (ret)
11914                         goto skip_full_check;
11915         }
11916
11917         env->explored_states = kvcalloc(state_htab_size(env),
11918                                        sizeof(struct bpf_verifier_state_list *),
11919                                        GFP_USER);
11920         ret = -ENOMEM;
11921         if (!env->explored_states)
11922                 goto skip_full_check;
11923
11924         ret = check_subprogs(env);
11925         if (ret < 0)
11926                 goto skip_full_check;
11927
11928         ret = check_btf_info(env, attr, uattr);
11929         if (ret < 0)
11930                 goto skip_full_check;
11931
11932         ret = check_attach_btf_id(env);
11933         if (ret)
11934                 goto skip_full_check;
11935
11936         ret = resolve_pseudo_ldimm64(env);
11937         if (ret < 0)
11938                 goto skip_full_check;
11939
11940         ret = check_cfg(env);
11941         if (ret < 0)
11942                 goto skip_full_check;
11943
11944         ret = do_check_subprogs(env);
11945         ret = ret ?: do_check_main(env);
11946
11947         if (ret == 0 && bpf_prog_is_dev_bound(env->prog->aux))
11948                 ret = bpf_prog_offload_finalize(env);
11949
11950 skip_full_check:
11951         kvfree(env->explored_states);
11952
11953         if (ret == 0)
11954                 ret = check_max_stack_depth(env);
11955
11956         /* instruction rewrites happen after this point */
11957         if (is_priv) {
11958                 if (ret == 0)
11959                         opt_hard_wire_dead_code_branches(env);
11960                 if (ret == 0)
11961                         ret = opt_remove_dead_code(env);
11962                 if (ret == 0)
11963                         ret = opt_remove_nops(env);
11964         } else {
11965                 if (ret == 0)
11966                         sanitize_dead_code(env);
11967         }
11968
11969         if (ret == 0)
11970                 /* program is valid, convert *(u32*)(ctx + off) accesses */
11971                 ret = convert_ctx_accesses(env);
11972
11973         if (ret == 0)
11974                 ret = fixup_bpf_calls(env);
11975
11976         /* do 32-bit optimization after insn patching has done so those patched
11977          * insns could be handled correctly.
11978          */
11979         if (ret == 0 && !bpf_prog_is_dev_bound(env->prog->aux)) {
11980                 ret = opt_subreg_zext_lo32_rnd_hi32(env, attr);
11981                 env->prog->aux->verifier_zext = bpf_jit_needs_zext() ? !ret
11982                                                                      : false;
11983         }
11984
11985         if (ret == 0)
11986                 ret = fixup_call_args(env);
11987
11988         env->verification_time = ktime_get_ns() - start_time;
11989         print_verification_stats(env);
11990
11991         if (log->level && bpf_verifier_log_full(log))
11992                 ret = -ENOSPC;
11993         if (log->level && !log->ubuf) {
11994                 ret = -EFAULT;
11995                 goto err_release_maps;
11996         }
11997
11998         if (ret == 0 && env->used_map_cnt) {
11999                 /* if program passed verifier, update used_maps in bpf_prog_info */
12000                 env->prog->aux->used_maps = kmalloc_array(env->used_map_cnt,
12001                                                           sizeof(env->used_maps[0]),
12002                                                           GFP_KERNEL);
12003
12004                 if (!env->prog->aux->used_maps) {
12005                         ret = -ENOMEM;
12006                         goto err_release_maps;
12007                 }
12008
12009                 memcpy(env->prog->aux->used_maps, env->used_maps,
12010                        sizeof(env->used_maps[0]) * env->used_map_cnt);
12011                 env->prog->aux->used_map_cnt = env->used_map_cnt;
12012
12013                 /* program is valid. Convert pseudo bpf_ld_imm64 into generic
12014                  * bpf_ld_imm64 instructions
12015                  */
12016                 convert_pseudo_ld_imm64(env);
12017         }
12018
12019         if (ret == 0)
12020                 adjust_btf_func(env);
12021
12022 err_release_maps:
12023         if (!env->prog->aux->used_maps)
12024                 /* if we didn't copy map pointers into bpf_prog_info, release
12025                  * them now. Otherwise free_used_maps() will release them.
12026                  */
12027                 release_maps(env);
12028
12029         /* extension progs temporarily inherit the attach_type of their targets
12030            for verification purposes, so set it back to zero before returning
12031          */
12032         if (env->prog->type == BPF_PROG_TYPE_EXT)
12033                 env->prog->expected_attach_type = 0;
12034
12035         *prog = env->prog;
12036 err_unlock:
12037         if (!is_priv)
12038                 mutex_unlock(&bpf_verifier_lock);
12039         vfree(env->insn_aux_data);
12040 err_free_env:
12041         kfree(env);
12042         return ret;
12043 }