From 4006bf50548a5655eec9e5713c50511d0084a3df Mon Sep 17 00:00:00 2001 From: lecopzer Date: Sun, 19 May 2019 16:07:56 +0800 Subject: [PATCH 001/228] cc: libbpf: Merge implementation of bpf_attach_[k,u]probe into bpf_attach_probe Most lines in bpf_attach_kprobe and bpf_attach_uprobe are same and can be merged into a single function. Introduce `bpf_attach_probe()` as an internal interface inside bpf_attach_[k,u]probe. --- src/cc/libbpf.c | 282 +++++++++++++++++++++++------------------------- 1 file changed, 133 insertions(+), 149 deletions(-) diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index b1dc092ef..731d0e348 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -756,7 +756,7 @@ static int bpf_get_retprobe_bit(const char *event_type) * create pfd with the new API. */ static int bpf_try_perf_event_open_with_probe(const char *name, uint64_t offs, - int pid, char *event_type, int is_return) + int pid, const char *event_type, int is_return) { struct perf_event_attr attr = {}; int type = bpf_find_probe_type(event_type); @@ -869,113 +869,6 @@ static int bpf_attach_tracing_event(int progfd, const char *event_path, int pid, return 0; } -static int create_kprobe_event(char *buf, const char *ev_name, - enum bpf_probe_attach_type attach_type, - const char *fn_name, uint64_t fn_offset, - int maxactive) -{ - int kfd; - char ev_alias[128]; - static unsigned int buf_size = 256; - - kfd = open("/sys/kernel/debug/tracing/kprobe_events", O_WRONLY | O_APPEND, 0); - if (kfd < 0) { - fprintf(stderr, "open(/sys/kernel/debug/tracing/kprobe_events): %s\n", - strerror(errno)); - return -1; - } - - snprintf(ev_alias, sizeof(ev_alias), "%s_bcc_%d", ev_name, getpid()); - - if (fn_offset > 0 && attach_type == BPF_PROBE_ENTRY) - snprintf(buf, buf_size, "p:kprobes/%s %s+%"PRIu64, - ev_alias, fn_name, fn_offset); - else if (maxactive > 0 && attach_type == BPF_PROBE_RETURN) - snprintf(buf, buf_size, "r%d:kprobes/%s %s", - maxactive, ev_alias, fn_name); - else - snprintf(buf, buf_size, "%c:kprobes/%s %s", - attach_type == BPF_PROBE_ENTRY ? 'p' : 'r', - ev_alias, fn_name); - - if (write(kfd, buf, strlen(buf)) < 0) { - if (errno == ENOENT) - fprintf(stderr, "cannot attach kprobe, probe entry may not exist\n"); - else - fprintf(stderr, "cannot attach kprobe, %s\n", strerror(errno)); - close(kfd); - return -1; - } - close(kfd); - snprintf(buf, buf_size, "/sys/kernel/debug/tracing/events/kprobes/%s", - ev_alias); - return 0; -} - -int bpf_attach_kprobe(int progfd, enum bpf_probe_attach_type attach_type, - const char *ev_name, const char *fn_name, uint64_t fn_offset, - int maxactive) -{ - int kfd, pfd = -1; - char buf[256], fname[256]; - - if (maxactive <= 0) - // Try create the kprobe Perf Event with perf_event_open API. - pfd = bpf_try_perf_event_open_with_probe(fn_name, fn_offset, -1, "kprobe", - attach_type != BPF_PROBE_ENTRY); - - // If failed, most likely Kernel doesn't support the new perf_event_open API - // yet. Try create the event using debugfs. - if (pfd < 0) { - if (create_kprobe_event(buf, ev_name, attach_type, fn_name, fn_offset, - maxactive) < 0) - goto error; - - // If we're using maxactive, we need to check that the event was created - // under the expected name. If debugfs doesn't support maxactive yet - // (kernel < 4.12), the event is created under a different name; we need to - // delete that event and start again without maxactive. - if (maxactive > 0 && attach_type == BPF_PROBE_RETURN) { - snprintf(fname, sizeof(fname), "%s/id", buf); - if (access(fname, F_OK) == -1) { - // Deleting kprobe event with incorrect name. - kfd = open("/sys/kernel/debug/tracing/kprobe_events", - O_WRONLY | O_APPEND, 0); - if (kfd < 0) { - fprintf(stderr, "open(/sys/kernel/debug/tracing/kprobe_events): %s\n", - strerror(errno)); - return -1; - } - snprintf(fname, sizeof(fname), "-:kprobes/%s_0", ev_name); - if (write(kfd, fname, strlen(fname)) < 0) { - if (errno == ENOENT) - fprintf(stderr, "cannot detach kprobe, probe entry may not exist\n"); - else - fprintf(stderr, "cannot detach kprobe, %s\n", strerror(errno)); - close(kfd); - goto error; - } - close(kfd); - - // Re-creating kprobe event without maxactive. - if (create_kprobe_event(buf, ev_name, attach_type, fn_name, - fn_offset, 0) < 0) - goto error; - } - } - } - // If perf_event_open succeeded, bpf_attach_tracing_event will use the created - // Perf Event FD directly and buf would be empty and unused. - // Otherwise it will read the event ID from the path in buf, create the - // Perf Event event using that ID, and updated value of pfd. - if (bpf_attach_tracing_event(progfd, buf, -1 /* PID */, &pfd) == 0) - return pfd; - -error: - bpf_close_perf_event_fd(pfd); - return -1; -} - static int enter_mount_ns(int pid) { struct stat self_stat, target_stat; int self_fd = -1, target_fd = -1; @@ -1038,51 +931,127 @@ static void exit_mount_ns(int fd) { close(fd); } -int bpf_attach_uprobe(int progfd, enum bpf_probe_attach_type attach_type, - const char *ev_name, const char *binary_path, - uint64_t offset, pid_t pid) +static int create_probe_event(char *buf, const char *ev_name, + enum bpf_probe_attach_type attach_type, + const char *config1, uint64_t offset, + const char *event_type, pid_t pid, int maxactive) { - char buf[PATH_MAX]; - char event_alias[PATH_MAX]; - static char *event_type = "uprobe"; - int res, kfd = -1, pfd = -1, ns_fd = -1; - // Try create the uprobe Perf Event with perf_event_open API. - pfd = bpf_try_perf_event_open_with_probe(binary_path, offset, pid, event_type, - attach_type != BPF_PROBE_ENTRY); + int kfd = -1, res = -1, ns_fd = -1; + char ev_alias[128]; + bool is_kprobe = strncmp("kprobe", event_type, 6) == 0; + + snprintf(buf, PATH_MAX, "/sys/kernel/debug/tracing/%s_events", event_type); + + kfd = open(buf, O_WRONLY | O_APPEND, 0); + if (kfd < 0) { + fprintf(stderr, "%s: open(%s): %s\n", __func__, buf, + strerror(errno)); + return -1; + } + + res = snprintf(ev_alias, sizeof(ev_alias), "%s_bcc_%d", ev_name, getpid()); + if (res < 0 || res >= sizeof(ev_alias)) { + fprintf(stderr, "Event name (%s) is too long for buffer\n", ev_name); + close(kfd); + goto error; + } + + if (is_kprobe) { + if (offset > 0 && attach_type == BPF_PROBE_ENTRY) + snprintf(buf, PATH_MAX, "p:kprobes/%s %s+%"PRIu64, + ev_alias, config1, offset); + else if (maxactive > 0 && attach_type == BPF_PROBE_RETURN) + snprintf(buf, PATH_MAX, "r%d:kprobes/%s %s", + maxactive, ev_alias, config1); + else + snprintf(buf, PATH_MAX, "%c:kprobes/%s %s", + attach_type == BPF_PROBE_ENTRY ? 'p' : 'r', + ev_alias, config1); + } else { + res = snprintf(buf, PATH_MAX, "%c:%ss/%s %s:0x%lx", attach_type==BPF_PROBE_ENTRY ? 'p' : 'r', + event_type, ev_alias, config1, (unsigned long)offset); + if (res < 0 || res >= PATH_MAX) { + fprintf(stderr, "Event alias (%s) too long for buffer\n", ev_alias); + close(kfd); + return -1; + } + ns_fd = enter_mount_ns(pid); + } + + if (write(kfd, buf, strlen(buf)) < 0) { + if (errno == ENOENT) + fprintf(stderr, "cannot attach %s, probe entry may not exist\n", event_type); + else + fprintf(stderr, "cannot attach %s, %s\n", event_type, strerror(errno)); + close(kfd); + goto error; + } + close(kfd); + if (!is_kprobe) + exit_mount_ns(ns_fd); + snprintf(buf, PATH_MAX, "/sys/kernel/debug/tracing/events/%ss/%s", + event_type, ev_alias); + return 0; +error: + if (!is_kprobe) + exit_mount_ns(ns_fd); + return -1; +} + +// config1 could be either kprobe_func or uprobe_path, +// see bpf_try_perf_event_open_with_probe(). +static int bpf_attach_probe(int progfd, enum bpf_probe_attach_type attach_type, + const char *ev_name, const char *config1, const char* event_type, + uint64_t offset, pid_t pid, int maxactive) +{ + int kfd, pfd = -1; + char buf[PATH_MAX], fname[256]; + bool is_kprobe = strncmp("kprobe", event_type, 6) == 0; + + if (maxactive <= 0) + // Try create the [k,u]probe Perf Event with perf_event_open API. + pfd = bpf_try_perf_event_open_with_probe(config1, offset, pid, event_type, + attach_type != BPF_PROBE_ENTRY); + // If failed, most likely Kernel doesn't support the new perf_event_open API // yet. Try create the event using debugfs. if (pfd < 0) { - snprintf(buf, sizeof(buf), "/sys/kernel/debug/tracing/%s_events", event_type); - kfd = open(buf, O_WRONLY | O_APPEND, 0); - if (kfd < 0) { - fprintf(stderr, "open(%s): %s\n", buf, strerror(errno)); + if (create_probe_event(buf, ev_name, attach_type, config1, offset, + event_type, pid, maxactive) < 0) goto error; - } - res = snprintf(event_alias, sizeof(event_alias), "%s_bcc_%d", ev_name, getpid()); - if (res < 0 || res >= sizeof(event_alias)) { - fprintf(stderr, "Event name (%s) is too long for buffer\n", ev_name); - goto error; - } - res = snprintf(buf, sizeof(buf), "%c:%ss/%s %s:0x%lx", attach_type==BPF_PROBE_ENTRY ? 'p' : 'r', - event_type, event_alias, binary_path, (unsigned long)offset); - if (res < 0 || res >= sizeof(buf)) { - fprintf(stderr, "Event alias (%s) too long for buffer\n", event_alias); - goto error; - } + // If we're using maxactive, we need to check that the event was created + // under the expected name. If debugfs doesn't support maxactive yet + // (kernel < 4.12), the event is created under a different name; we need to + // delete that event and start again without maxactive. + if (is_kprobe && maxactive > 0 && attach_type == BPF_PROBE_RETURN) { + snprintf(fname, sizeof(fname), "%s/id", buf); + if (access(fname, F_OK) == -1) { + // Deleting kprobe event with incorrect name. + kfd = open("/sys/kernel/debug/tracing/kprobe_events", + O_WRONLY | O_APPEND, 0); + if (kfd < 0) { + fprintf(stderr, "open(/sys/kernel/debug/tracing/kprobe_events): %s\n", + strerror(errno)); + return -1; + } + snprintf(fname, sizeof(fname), "-:kprobes/%s_0", ev_name); + if (write(kfd, fname, strlen(fname)) < 0) { + if (errno == ENOENT) + fprintf(stderr, "cannot detach kprobe, probe entry may not exist\n"); + else + fprintf(stderr, "cannot detach kprobe, %s\n", strerror(errno)); + close(kfd); + goto error; + } + close(kfd); - ns_fd = enter_mount_ns(pid); - if (write(kfd, buf, strlen(buf)) < 0) { - if (errno == EINVAL) - fprintf(stderr, "check dmesg output for possible cause\n"); - goto error; + // Re-creating kprobe event without maxactive. + if (create_probe_event(buf, ev_name, attach_type, config1, + offset, event_type, pid, 0) < 0) + goto error; + } } - close(kfd); - kfd = -1; - exit_mount_ns(ns_fd); - ns_fd = -1; - - snprintf(buf, sizeof(buf), "/sys/kernel/debug/tracing/events/%ss/%s", event_type, event_alias); } // If perf_event_open succeeded, bpf_attach_tracing_event will use the created // Perf Event FD directly and buf would be empty and unused. @@ -1092,13 +1061,29 @@ int bpf_attach_uprobe(int progfd, enum bpf_probe_attach_type attach_type, return pfd; error: - if (kfd >= 0) - close(kfd); - exit_mount_ns(ns_fd); bpf_close_perf_event_fd(pfd); return -1; } +int bpf_attach_kprobe(int progfd, enum bpf_probe_attach_type attach_type, + const char *ev_name, const char *fn_name, + uint64_t fn_offset, int maxactive) +{ + return bpf_attach_probe(progfd, attach_type, + ev_name, fn_name, "kprobe", + fn_offset, -1, maxactive); +} + +int bpf_attach_uprobe(int progfd, enum bpf_probe_attach_type attach_type, + const char *ev_name, const char *binary_path, + uint64_t offset, pid_t pid) +{ + + return bpf_attach_probe(progfd, attach_type, + ev_name, binary_path, "uprobe", + offset, pid, -1); +} + static int bpf_detach_probe(const char *ev_name, const char *event_type) { int kfd = -1, res; @@ -1177,7 +1162,6 @@ int bpf_detach_uprobe(const char *ev_name) return bpf_detach_probe(ev_name, "uprobe"); } - int bpf_attach_tracepoint(int progfd, const char *tp_category, const char *tp_name) { From d31401534507d4bbd10a8cc08522cc96fbafe2ef Mon Sep 17 00:00:00 2001 From: lecopzer Date: Mon, 20 May 2019 22:15:12 +0800 Subject: [PATCH 002/228] cc: libbpf: Fix ambiguous comment When creating [k,u]probe, comment above bpf_try_perf_event_open_with_probe() said "new kernel API". "new" is a relative concept and it's committed at f180ea1 ("bcc: add functions to use new [k,u]probe API"), it's not "new" now. The "new" API came from https://git.kernel.org/pub/scm/linux/kernel/git/torvalds/linux.git/commit/?id=e12f03d Remove "new" word and explicit provide which commit in the Linux kernel is. --- src/cc/libbpf.c | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index 731d0e348..63f4894e6 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -751,9 +751,9 @@ static int bpf_get_retprobe_bit(const char *event_type) } /* - * new kernel API allows creating [k,u]probe with perf_event_open, which - * makes it easier to clean up the [k,u]probe. This function tries to - * create pfd with the new API. + * Kernel API with e12f03d ("perf/core: Implement the 'perf_kprobe' PMU") allows + * creating [k,u]probe with perf_event_open, which makes it easier to clean up + * the [k,u]probe. This function tries to create pfd with the perf_kprobe PMU. */ static int bpf_try_perf_event_open_with_probe(const char *name, uint64_t offs, int pid, const char *event_type, int is_return) @@ -941,7 +941,6 @@ static int create_probe_event(char *buf, const char *ev_name, bool is_kprobe = strncmp("kprobe", event_type, 6) == 0; snprintf(buf, PATH_MAX, "/sys/kernel/debug/tracing/%s_events", event_type); - kfd = open(buf, O_WRONLY | O_APPEND, 0); if (kfd < 0) { fprintf(stderr, "%s: open(%s): %s\n", __func__, buf, @@ -1013,8 +1012,9 @@ static int bpf_attach_probe(int progfd, enum bpf_probe_attach_type attach_type, pfd = bpf_try_perf_event_open_with_probe(config1, offset, pid, event_type, attach_type != BPF_PROBE_ENTRY); - // If failed, most likely Kernel doesn't support the new perf_event_open API - // yet. Try create the event using debugfs. + // If failed, most likely Kernel doesn't support the perf_kprobe PMU + // (e12f03d "perf/core: Implement the 'perf_kprobe' PMU") yet. + // Try create the event using debugfs. if (pfd < 0) { if (create_probe_event(buf, ev_name, attach_type, config1, offset, event_type, pid, maxactive) < 0) From d15882645ead354ccb8a257bf68c6e9785699844 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Thu, 23 May 2019 17:14:49 -0700 Subject: [PATCH 003/228] sync with latest libbpf This patch syncs with libbpf v0.0.3. Signed-off-by: Yonghong Song --- src/cc/libbpf | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/cc/libbpf b/src/cc/libbpf index 5188b0ca5..59a641543 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 5188b0ca5c16a0c4dabeebe9f83ebb2c7702ec15 +Subproject commit 59a641543e181aadaedd400abc090f5b0db13edb From 9b2a7428221cfa6b30d2316073efd10cfe285f05 Mon Sep 17 00:00:00 2001 From: Brendan Gregg Date: Thu, 23 May 2019 11:44:18 -0700 Subject: [PATCH 004/228] opensnoop: update synopsis in man page --- man/man8/opensnoop.8 | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/man/man8/opensnoop.8 b/man/man8/opensnoop.8 index 9d99a9071..37b40a471 100644 --- a/man/man8/opensnoop.8 +++ b/man/man8/opensnoop.8 @@ -2,7 +2,8 @@ .SH NAME opensnoop \- Trace open() syscalls. Uses Linux eBPF/bcc. .SH SYNOPSIS -.B opensnoop [\-h] [\-T] [\-x] [\-p PID] [\-t TID] [\-d DURATION] [\-n name] +.B opensnoop.py [\-h] [\-T] [\-U] [\-x] [\-p PID] [\-t TID] [\-u UID] + [\-d DURATION] [\-n NAME] [\-e] [\-f FLAG_FILTER] .SH DESCRIPTION opensnoop traces the open() syscall, showing which processes are attempting to open which files. This can be useful for determining the location of config From 31309fee11eea58d7f24da467cb319919c85bd49 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Kai=20L=C3=BCke?= Date: Fri, 17 May 2019 11:16:56 +0200 Subject: [PATCH 005/228] cap_capable: Support Linux >= 5.1, display INSETID The function arguments have been changed in Linux 5.1, breaking the non-audit filter. The kernel also introduced the INSETID bit: https://github.com/torvalds/linux/blob/v5.1/include/linux/security.h#L65 Fix the bit logic to detect non-audit calls and display the INSETID bit if available in an own column. --- man/man8/capable.8 | 2 ++ tools/capable.py | 25 ++++++++++---- tools/capable_example.txt | 71 ++++++++++++++++++++++++--------------- 3 files changed, 65 insertions(+), 33 deletions(-) diff --git a/man/man8/capable.8 b/man/man8/capable.8 index 3be75717d..272e63066 100644 --- a/man/man8/capable.8 +++ b/man/man8/capable.8 @@ -54,6 +54,8 @@ Capability name. See capabilities(7) for descriptions. .TP AUDIT Whether this was an audit event. Use \-v to include non-audit events. +INSETID +Whether the INSETID bit was set (Linux >= 5.1). .SH OVERHEAD This adds low-overhead instrumentation to capability checks, which are expected to be low frequency, however, that depends on the application. Test in a lab diff --git a/tools/capable.py b/tools/capable.py index a4a332c91..cf4552c9b 100755 --- a/tools/capable.py +++ b/tools/capable.py @@ -99,6 +99,7 @@ def __getattr__(self, name): bpf_text = """ #include #include +#include struct data_t { u32 tgid; @@ -106,6 +107,7 @@ def __getattr__(self, name): u32 uid; int cap; int audit; + int insetid; char comm[TASK_COMM_LEN]; #ifdef KERNEL_STACKS int kernel_stack_id; @@ -122,17 +124,28 @@ def __getattr__(self, name): #endif int kprobe__cap_capable(struct pt_regs *ctx, const struct cred *cred, - struct user_namespace *targ_ns, int cap, int audit) + struct user_namespace *targ_ns, int cap, int cap_opt) { u64 __pid_tgid = bpf_get_current_pid_tgid(); u32 tgid = __pid_tgid >> 32; u32 pid = __pid_tgid; + int audit; + int insetid; + + #ifdef CAP_OPT_NONE + audit = (cap_opt & 0b10) == 0; + insetid = (cap_opt & 0b100) != 0; + #else + audit = cap_opt; + insetid = -1; + #endif + FILTER1 FILTER2 FILTER3 u32 uid = bpf_get_current_uid_gid(); - struct data_t data = {.tgid = tgid, .pid = pid, .uid = uid, .cap = cap, .audit = audit}; + struct data_t data = {.tgid = tgid, .pid = pid, .uid = uid, .cap = cap, .audit = audit, .insetid = insetid}; #ifdef KERNEL_STACKS data.kernel_stack_id = stacks.get_stackid(ctx, 0); #endif @@ -165,8 +178,8 @@ def __getattr__(self, name): b = BPF(text=bpf_text) # header -print("%-9s %-6s %-6s %-6s %-16s %-4s %-20s %s" % ( - "TIME", "UID", "PID", "TID", "COMM", "CAP", "NAME", "AUDIT")) +print("%-9s %-6s %-6s %-6s %-16s %-4s %-20s %-6s %s" % ( + "TIME", "UID", "PID", "TID", "COMM", "CAP", "NAME", "AUDIT", "INSETID")) def stack_id_err(stack_id): # -EFAULT in get_stackid normally means the stack-trace is not availible, @@ -190,9 +203,9 @@ def print_event(bpf, cpu, data, size): name = capabilities[event.cap] else: name = "?" - print("%-9s %-6d %-6d %-6d %-16s %-4d %-20s %d" % (strftime("%H:%M:%S"), + print("%-9s %-6d %-6d %-6d %-16s %-4d %-20s %-6d %s" % (strftime("%H:%M:%S"), event.uid, event.pid, event.tgid, event.comm.decode('utf-8', 'replace'), - event.cap, name, event.audit)) + event.cap, name, event.audit, str(event.insetid) if event.insetid != -1 else "N/A")) if args.kernel_stack: print_stack(bpf, event.kernel_stack_id, StackType.Kernel, -1) if args.user_stack: diff --git a/tools/capable_example.txt b/tools/capable_example.txt index c17c9b39f..1981d1f71 100644 --- a/tools/capable_example.txt +++ b/tools/capable_example.txt @@ -5,33 +5,50 @@ capable traces calls to the kernel cap_capable() function, which does security capability checks, and prints details for each call. For example: # ./capable.py -TIME UID PID COMM CAP NAME AUDIT -22:11:23 114 2676 snmpd 12 CAP_NET_ADMIN 1 -22:11:23 0 6990 run 24 CAP_SYS_RESOURCE 1 -22:11:23 0 7003 chmod 3 CAP_FOWNER 1 -22:11:23 0 7003 chmod 4 CAP_FSETID 1 -22:11:23 0 7005 chmod 4 CAP_FSETID 1 -22:11:23 0 7005 chmod 4 CAP_FSETID 1 -22:11:23 0 7006 chown 4 CAP_FSETID 1 -22:11:23 0 7006 chown 4 CAP_FSETID 1 -22:11:23 0 6990 setuidgid 6 CAP_SETGID 1 -22:11:23 0 6990 setuidgid 6 CAP_SETGID 1 -22:11:23 0 6990 setuidgid 7 CAP_SETUID 1 -22:11:24 0 7013 run 24 CAP_SYS_RESOURCE 1 -22:11:24 0 7026 chmod 3 CAP_FOWNER 1 -22:11:24 0 7026 chmod 4 CAP_FSETID 1 -22:11:24 0 7028 chmod 4 CAP_FSETID 1 -22:11:24 0 7028 chmod 4 CAP_FSETID 1 -22:11:24 0 7029 chown 4 CAP_FSETID 1 -22:11:24 0 7029 chown 4 CAP_FSETID 1 -22:11:24 0 7013 setuidgid 6 CAP_SETGID 1 -22:11:24 0 7013 setuidgid 6 CAP_SETGID 1 -22:11:24 0 7013 setuidgid 7 CAP_SETUID 1 -22:11:25 0 7036 run 24 CAP_SYS_RESOURCE 1 -22:11:25 0 7049 chmod 3 CAP_FOWNER 1 -22:11:25 0 7049 chmod 4 CAP_FSETID 1 -22:11:25 0 7051 chmod 4 CAP_FSETID 1 -22:11:25 0 7051 chmod 4 CAP_FSETID 1 +TIME UID PID COMM CAP NAME AUDIT INSETID +22:11:23 114 2676 snmpd 12 CAP_NET_ADMIN 1 N/A +22:11:23 0 6990 run 24 CAP_SYS_RESOURCE 1 N/A +22:11:23 0 7003 chmod 3 CAP_FOWNER 1 N/A +22:11:23 0 7003 chmod 4 CAP_FSETID 1 N/A +22:11:23 0 7005 chmod 4 CAP_FSETID 1 N/A +22:11:23 0 7005 chmod 4 CAP_FSETID 1 N/A +22:11:23 0 7006 chown 4 CAP_FSETID 1 N/A +22:11:23 0 7006 chown 4 CAP_FSETID 1 N/A +22:11:23 0 6990 setuidgid 6 CAP_SETGID 1 N/A +22:11:23 0 6990 setuidgid 6 CAP_SETGID 1 N/A +22:11:23 0 6990 setuidgid 7 CAP_SETUID 1 N/A +22:11:24 0 7013 run 24 CAP_SYS_RESOURCE 1 N/A +22:11:24 0 7026 chmod 3 CAP_FOWNER 1 N/A +22:11:24 0 7026 chmod 4 CAP_FSETID 1 N/A +22:11:24 0 7028 chmod 4 CAP_FSETID 1 N/A +22:11:24 0 7028 chmod 4 CAP_FSETID 1 N/A +22:11:24 0 7029 chown 4 CAP_FSETID 1 N/A +22:11:24 0 7029 chown 4 CAP_FSETID 1 N/A +22:11:24 0 7013 setuidgid 6 CAP_SETGID 1 N/A +22:11:24 0 7013 setuidgid 6 CAP_SETGID 1 N/A +22:11:24 0 7013 setuidgid 7 CAP_SETUID 1 N/A +22:11:25 0 7036 run 24 CAP_SYS_RESOURCE 1 N/A +22:11:25 0 7049 chmod 3 CAP_FOWNER 1 N/A +22:11:25 0 7049 chmod 4 CAP_FSETID 1 N/A +22:11:25 0 7051 chmod 4 CAP_FSETID 1 N/A +22:11:25 0 7051 chmod 4 CAP_FSETID 1 N/A + +A recent kernel version >= 5.1 also reports the INSETID bit to cap_capable(): + +# ./capable.py +TIME UID PID TID COMM CAP NAME AUDIT INSETID +08:22:36 0 12869 12869 chown 0 CAP_CHOWN 1 0 +08:22:36 0 12869 12869 chown 0 CAP_CHOWN 1 0 +08:22:36 0 12869 12869 chown 0 CAP_CHOWN 1 0 +08:23:02 0 13036 13036 setuidgid 6 CAP_SETGID 1 0 +08:23:02 0 13036 13036 setuidgid 6 CAP_SETGID 1 0 +08:23:02 0 13036 13036 setuidgid 7 CAP_SETUID 1 1 +08:23:13 0 13085 13085 chmod 3 CAP_FOWNER 1 0 +08:23:13 0 13085 13085 chmod 4 CAP_FSETID 1 0 +08:23:13 0 13085 13085 chmod 3 CAP_FOWNER 1 0 +08:23:13 0 13085 13085 chmod 4 CAP_FSETID 1 0 +08:23:13 0 13085 13085 chmod 4 CAP_FSETID 1 0 +08:24:27 0 13522 13522 ping 13 CAP_NET_RAW 1 0 [...] This can be useful for general debugging, and also security enforcement: From da4d4d77c56822ad71f482ee4d2b2f55d5cf3f1a Mon Sep 17 00:00:00 2001 From: forrestchen Date: Mon, 27 May 2019 17:50:33 +0800 Subject: [PATCH 006/228] fix proto compare bug in example Signed-off-by: forrestchen --- examples/networking/xdp/xdp_macswap_count.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/examples/networking/xdp/xdp_macswap_count.py b/examples/networking/xdp/xdp_macswap_count.py index bb4107e00..0e2b21caa 100755 --- a/examples/networking/xdp/xdp_macswap_count.py +++ b/examples/networking/xdp/xdp_macswap_count.py @@ -141,7 +141,7 @@ def usage(): else index = 0; - if (h_proto == IPPROTO_UDP) { + if (index == IPPROTO_UDP) { swap_src_dst_mac(data); rc = XDP_TX; } From f6c8cfe4244a4f974fac601483ee098e6fa3e405 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Sun, 26 May 2019 23:47:20 -0700 Subject: [PATCH 007/228] bpf: fixup btf DataSec size The LLVM 9.0 is able to generated BTF DataSec kind to represent global and static variables. https://reviews.llvm.org/rL356326 At the time of DataSec kind generation, the DataSec size is not known and hence the zero is put there. But the verifier requires a legal non-zero DataSec size and bpf loader has to patch the correct value. In Linux, libbpf did patching right before loading the program into the kernel. This patch patches the DataSec kind size with correct section size. Signed-off-by: Yonghong Song --- src/cc/bcc_btf.cc | 68 ++++++++++++++++++++++++++++++++++++++++++-- src/cc/bcc_btf.h | 6 +++- src/cc/bpf_module.cc | 2 +- 3 files changed, 71 insertions(+), 5 deletions(-) diff --git a/src/cc/bcc_btf.cc b/src/cc/bcc_btf.cc index 0eca5db2b..35c989d31 100644 --- a/src/cc/bcc_btf.cc +++ b/src/cc/bcc_btf.cc @@ -48,7 +48,8 @@ int32_t BTFStringTable::addString(std::string S) { return Offset; } -BTF::BTF(bool debug) : debug_(debug), btf_(nullptr), btf_ext_(nullptr) { +BTF::BTF(bool debug, sec_map_def §ions) : debug_(debug), + btf_(nullptr), btf_ext_(nullptr), sections_(sections) { if (!debug) libbpf_set_print(NULL); } @@ -69,6 +70,64 @@ void BTF::warning(const char *format, ...) { va_end(args); } +// Adjust datasec types. The compiler is not able to determine +// the datasec size, so we need to set the value properly based +// on actual section size. +void BTF::fixup_datasec(uint8_t *type_sec, uintptr_t type_sec_size, + char *strings) { + uint8_t *next_type = type_sec; + uint8_t *end_type = type_sec + type_sec_size; + int base_size = sizeof(struct btf_type); + char *secname; + + while (next_type < end_type) { + struct btf_type *t = (struct btf_type *)next_type; + unsigned short vlen = BTF_INFO_VLEN(t->info); + + next_type += base_size; + + switch(BTF_INFO_KIND(t->info)) { + case BTF_KIND_FWD: + case BTF_KIND_CONST: + case BTF_KIND_VOLATILE: + case BTF_KIND_RESTRICT: + case BTF_KIND_PTR: + case BTF_KIND_TYPEDEF: + case BTF_KIND_FUNC: + break; + case BTF_KIND_INT: + next_type += sizeof(uint32_t); + break; + case BTF_KIND_ENUM: + next_type += vlen * sizeof(struct btf_enum); + break; + case BTF_KIND_ARRAY: + next_type += sizeof(struct btf_array); + break; + case BTF_KIND_STRUCT: + case BTF_KIND_UNION: + next_type += vlen * sizeof(struct btf_member); + break; + case BTF_KIND_FUNC_PROTO: + next_type += vlen * sizeof(struct btf_param); + break; + case BTF_KIND_VAR: + next_type += sizeof(struct btf_var); + break; + case BTF_KIND_DATASEC: + secname = strings + t->name_off; + if (sections_.find(secname) != sections_.end()) { + t->size = std::get<1>(sections_[secname]); + } + next_type += vlen * sizeof(struct btf_var_secinfo); + break; + default: + // Something not understood + return; + } + } +} + // The compiler doesn't have source code for remapped files. // So we modify .BTF and .BTF.ext sections here to add these // missing line source codes. @@ -98,11 +157,14 @@ void BTF::adjust(uint8_t *btf_sec, uintptr_t btf_sec_size, LineCaches[it->first] = std::move(LineCache); } - // Check the LineInfo table and add missing lines - struct btf_header *hdr = (struct btf_header *)btf_sec; struct btf_ext_header *ehdr = (struct btf_ext_header *)btf_ext_sec; + // Fixup datasec. + fixup_datasec(btf_sec + hdr->hdr_len + hdr->type_off, hdr->type_len, + (char *)(btf_sec + hdr->hdr_len + hdr->str_off)); + + // Check the LineInfo table and add missing lines char *strings = (char *)(btf_sec + hdr->hdr_len + hdr->str_off); unsigned orig_strings_len = hdr->str_len; unsigned *linfo_s = (unsigned *)(btf_ext_sec + ehdr->hdr_len + ehdr->line_info_off); diff --git a/src/cc/bcc_btf.h b/src/cc/bcc_btf.h index 008e25d4f..610dee8e9 100644 --- a/src/cc/bcc_btf.h +++ b/src/cc/bcc_btf.h @@ -23,6 +23,8 @@ #include #include +#include "bpf_module.h" + struct btf; struct btf_ext; @@ -44,7 +46,7 @@ class BTFStringTable { class BTF { public: - BTF(bool debug); + BTF(bool debug, sec_map_def §ions); ~BTF(); int load(uint8_t *btf_sec, uintptr_t btf_sec_size, uint8_t *btf_ext_sec, uintptr_t btf_ext_sec_size, @@ -60,6 +62,7 @@ class BTF { unsigned *key_tid, unsigned *value_tid); private: + void fixup_datasec(uint8_t *type_sec, uintptr_t type_sec_size, char *strings); void adjust(uint8_t *btf_sec, uintptr_t btf_sec_size, uint8_t *btf_ext_sec, uintptr_t btf_ext_sec_size, std::map &remapped_sources, @@ -70,6 +73,7 @@ class BTF { bool debug_; struct btf *btf_; struct btf_ext *btf_ext_; + sec_map_def §ions_; }; } // namespace ebpf diff --git a/src/cc/bpf_module.cc b/src/cc/bpf_module.cc index cf6ea8f3b..836c458f0 100644 --- a/src/cc/bpf_module.cc +++ b/src/cc/bpf_module.cc @@ -258,7 +258,7 @@ void BPFModule::load_btf(sec_map_def §ions) { remapped_sources["/virtual/main.c"] = mod_src_; remapped_sources["/virtual/include/bcc/helpers.h"] = helpers_h->second; - BTF *btf = new BTF(flags_ & DEBUG_BTF); + BTF *btf = new BTF(flags_ & DEBUG_BTF, sections); int ret = btf->load(btf_sec, btf_sec_size, btf_ext_sec, btf_ext_sec_size, remapped_sources); if (ret) { From 180a588612886f5084595f957cdc9673884abf2c Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Mon, 27 May 2019 09:25:20 -0700 Subject: [PATCH 008/228] bpf: workaround DataSec name constraint in the kernel For section name, the kernel does not accept '/'. So change DataSec name here to please the kenerl as we do not really use DataSec yet. This change can be removed if the kernel is changed to accpet '/' in section names. Signed-off-by: Yonghong Song --- src/cc/bcc_btf.cc | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/src/cc/bcc_btf.cc b/src/cc/bcc_btf.cc index 35c989d31..128167579 100644 --- a/src/cc/bcc_btf.cc +++ b/src/cc/bcc_btf.cc @@ -119,6 +119,13 @@ void BTF::fixup_datasec(uint8_t *type_sec, uintptr_t type_sec_size, if (sections_.find(secname) != sections_.end()) { t->size = std::get<1>(sections_[secname]); } + // For section name, the kernel does not accept '/'. + // So change DataSec name here to please the kenerl + // as we do not really use DataSec yet. + // This change can be removed if the kernel is + // changed to accpet '/' in section names. + if (strncmp(strings + t->name_off, "maps/", 5) == 0) + t->name_off += 5; next_type += vlen * sizeof(struct btf_var_secinfo); break; default: From fdde3cfa84bce8f747184b49897ef8f48fa662a8 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Mon, 27 May 2019 21:37:56 -0700 Subject: [PATCH 009/228] remove unused field in tp_frontend_action.h Compiling bcc with latest clang built from trunk, I got the following warning: In file included from /home/yhs/work/bcc/src/cc/frontends/clang/tp_frontend_action.cc:32: /home/yhs/work/bcc/src/cc/frontends/clang/tp_frontend_action.h:53:22: warning: private field 'C' is not used [-Wunused-private-field] clang::ASTContext &C; ^ This patch removed this unused field. Signed-off-by: Yonghong Song --- src/cc/frontends/clang/tp_frontend_action.cc | 2 +- src/cc/frontends/clang/tp_frontend_action.h | 1 - 2 files changed, 1 insertion(+), 2 deletions(-) diff --git a/src/cc/frontends/clang/tp_frontend_action.cc b/src/cc/frontends/clang/tp_frontend_action.cc index d6faf0192..6a78aaca1 100644 --- a/src/cc/frontends/clang/tp_frontend_action.cc +++ b/src/cc/frontends/clang/tp_frontend_action.cc @@ -46,7 +46,7 @@ using std::ifstream; using namespace clang; TracepointTypeVisitor::TracepointTypeVisitor(ASTContext &C, Rewriter &rewriter) - : C(C), diag_(C.getDiagnostics()), rewriter_(rewriter), out_(llvm::errs()) { + : diag_(C.getDiagnostics()), rewriter_(rewriter), out_(llvm::errs()) { } enum class field_kind_t { diff --git a/src/cc/frontends/clang/tp_frontend_action.h b/src/cc/frontends/clang/tp_frontend_action.h index fb18c6716..01f4a8b43 100644 --- a/src/cc/frontends/clang/tp_frontend_action.h +++ b/src/cc/frontends/clang/tp_frontend_action.h @@ -50,7 +50,6 @@ class TracepointTypeVisitor : std::string GenerateTracepointStruct(clang::SourceLocation loc, std::string const& category, std::string const& event); - clang::ASTContext &C; clang::DiagnosticsEngine &diag_; clang::Rewriter &rewriter_; llvm::raw_ostream &out_; From d51f4afdee5b8418adcd531f20f7aebb4e4fc72b Mon Sep 17 00:00:00 2001 From: amdn Date: Tue, 28 May 2019 16:09:01 -0500 Subject: [PATCH 010/228] tools: Added exitsnoop: Trace all process termination --- man/man8/exitsnoop.8 | 103 ++++++++++++++ tools/exitsnoop.py | 277 ++++++++++++++++++++++++++++++++++++ tools/exitsnoop_example.txt | 148 +++++++++++++++++++ 3 files changed, 528 insertions(+) create mode 100644 man/man8/exitsnoop.8 create mode 100755 tools/exitsnoop.py create mode 100644 tools/exitsnoop_example.txt diff --git a/man/man8/exitsnoop.8 b/man/man8/exitsnoop.8 new file mode 100644 index 000000000..1fc29d5ad --- /dev/null +++ b/man/man8/exitsnoop.8 @@ -0,0 +1,103 @@ +.TH exitsnoop 8 "2019-05-28" "USER COMMANDS" +.SH NAME +exitsnoop \- Trace all process termination (exit, fatal signal). Uses Linux eBPF/bcc. +.SH SYNOPSIS +.B exitsnoop [\-h] [\-t] [\-u] [\-x] [\-p PID] [\-\-label LABEL] +.SH DESCRIPTION +exitsnoop traces process termination, showing the command name and reason for +termination, either an exit or a fatal signal. + +It catches processes of all users, processes in containers, as well +as processes that become zombie. + +This works by tracing the kernel sched_process_exit() function using dynamic tracing, +and will need updating to match any changes to this function. + +Since this uses BPF, only the root user can use this tool. +.SH REQUIREMENTS +CONFIG_BPF and bcc. +.SH OPTIONS +.TP +\-h +Print usage message. +.TP +\-t +Include a timestamp column. +.TP +\-u +Include a timestamp column, use UTC timezone. +.TP +\-x +Exclude successful exits, exit( 0 ) +.TP +\-p PID +Trace this process ID only (filtered in-kernel). +.TP +\-\-label LABEL +Label each line with LABEL (default 'exit') in first column (2nd if timestamp is present). +.SH EXAMPLES +.TP +Trace all process termination +# +.B exitsnoop +.TP +Trace all process termination, and include timestamps: +# +.B exitsnoop \-t +.TP +Exclude successful exits, only include non-zero exit codes and fatal signals: +# +.B exitsnoop \-x +.TP +Trace PID 181 only: +# +.B exitsnoop \-p 181 +.TP +Label each output line with 'EXIT': +# +.B exitsnoop \-\-label EXIT +.SH FIELDS +.TP +TIME-TZ +Time of process termination HH:MM:SS.sss with milliseconds, where TZ is +the local time zone, 'UTC' with \-u option. +.TP +LABEL +The optional label if \-\-label option is used. This is useful with the +\-t option for timestamps when the output of several tracing tools is +sorted into one combined output. +.TP +PCOMM +Process/command name. +.TP +PID +Process ID +.TP +PPID +The process ID of the process that will be notified of PID termination. +.TP +TID +Thread ID. +.TP +EXIT_CODE +The exit code for exit() or the signal number for a fatal signal. +.SH OVERHEAD +This traces the kernel sched_process_exit() function and prints output for each event. +As the rate of this is generally expected to be low (< 1000/s), the overhead is also +expected to be negligible. If you have an application that has a high rate of +process termination, then test and understand overhead before use. +.SH SOURCE +This is from bcc. +.IP +https://github.com/iovisor/bcc +.PP +Also look in the bcc distribution for a companion _examples.txt file containing +example usage, output, and commentary for this tool. +.SH OS +Linux +.SH STABILITY +Unstable - in development. +.SH AUTHOR +Arturo Martin-de-Nicolas +.SH SEE ALSO +execsnoop(8) diff --git a/tools/exitsnoop.py b/tools/exitsnoop.py new file mode 100755 index 000000000..13a1444c5 --- /dev/null +++ b/tools/exitsnoop.py @@ -0,0 +1,277 @@ +#!/usr/bin/python +# @lint-avoid-python-3-compatibility-imports +from __future__ import print_function + +import argparse +import ctypes as ct +import os +import platform +import re +import signal +import sys + +from bcc import BPF +from datetime import datetime +from time import strftime + +# +# exitsnoop Trace all process termination (exit, fatal signal) +# For Linux, uses BCC, eBPF. Embedded C. +# +# USAGE: exitsnoop [-h] [-x] [-t] [--utc] [--label[=LABEL]] [-p PID] +# +_examples = """examples: + exitsnoop # trace all process termination + exitsnoop -x # trace only fails, exclude exit(0) + exitsnoop -t # include timestamps (local time) + exitsnoop --utc # include timestamps (UTC) + exitsnoop -p 181 # only trace PID 181 + exitsnoop --label=exit # label each output line with 'exit' +""" +""" + Exit status (from ): + + 0 EX_OK Success + 2 argparse error + 70 EX_SOFTWARE syntax error detected by compiler, or + verifier error from kernel + 77 EX_NOPERM Need sudo (CAP_SYS_ADMIN) for BPF() system call + + The template for this script was Brendan Gregg's execsnoop + https://github.com/iovisor/bcc/blob/master/tools/execsnoop.py + + More information about this script is in bcc/tools/exitsnoop_example.txt + + Copyright 2016 Netflix, Inc. + Copyright 2019 Instana, Inc. + Licensed under the Apache License, Version 2.0 (the "License") + + 07-Feb-2016 Brendan Gregg (Netflix) Created execsnoop + 04-May-2019 Arturo Martin-de-Nicolas (Instana) Created exitsnoop + 13-May-2019 Jeroen Soeters (Instana) Refactor to import as module +""" + +def _getParser(): + parser = argparse.ArgumentParser( + description="Trace all process termination (exit, fatal signal)", + formatter_class=argparse.RawDescriptionHelpFormatter, + epilog=_examples) + a=parser.add_argument + a("-t", "--timestamp", action="store_true", help="include timestamp (local time default)") + a("--utc", action="store_true", help="include timestamp in UTC (-t implied)") + a("-p", "--pid", help="trace this PID only") + a("--label", help="label each line") + a("-x", "--failed", action="store_true", help="trace only fails, exclude exit(0)") + # print the embedded C program and exit, for debugging + a("--ebpf", action="store_true", help=argparse.SUPPRESS) + # RHEL 7.6 keeps task->start_time as struct timespec, convert to u64 nanoseconds + a("--timespec", action="store_true", help=argparse.SUPPRESS) + return parser.parse_args + + +class Global(): + parse_args = _getParser() + args = None + argv = None + SIGNUM_TO_SIGNAME = dict((v, re.sub("^SIG", "", k)) + for k,v in signal.__dict__.items() if re.match("^SIG[A-Z]+$", k)) + + +class Data(ct.Structure): + """Event data matching struct data_t in _embedded_c().""" + _TASK_COMM_LEN = 16 # linux/sched.h + _pack_ = 1 + _fields_ = [ + ("start_time", ct.c_ulonglong), # task->start_time, see --timespec arg + ("exit_time", ct.c_ulonglong), # bpf_ktime_get_ns() + ("pid", ct.c_uint), # task->tgid, thread group id == sys_getpid() + ("tid", ct.c_uint), # task->pid, thread id == sys_gettid() + ("ppid", ct.c_uint),# task->parent->tgid, notified of exit + ("exit_code", ct.c_int), + ("sig_info", ct.c_uint), + ("task", ct.c_char * _TASK_COMM_LEN) + ] + +def _embedded_c(args): + """Generate C program for sched_process_exit tracepoint in kernel/exit.c.""" + c = """ + EBPF_COMMENT + #include + BPF_STATIC_ASSERT_DEF + + struct data_t { + u64 start_time; + u64 exit_time; + u32 pid; + u32 tid; + u32 ppid; + int exit_code; + u32 sig_info; + char task[TASK_COMM_LEN]; + } __attribute__((packed)); + + BPF_STATIC_ASSERT(sizeof(struct data_t) == CTYPES_SIZEOF_DATA); + BPF_PERF_OUTPUT(events); + + TRACEPOINT_PROBE(sched, sched_process_exit) + { + struct task_struct *task = (typeof(task))bpf_get_current_task(); + if (FILTER_PID || FILTER_EXIT_CODE) { return 0; } + + struct data_t data = { + .start_time = PROCESS_START_TIME_NS, + .exit_time = bpf_ktime_get_ns(), + .pid = task->tgid, + .tid = task->pid, + .ppid = task->parent->tgid, + .exit_code = task->exit_code >> 8, + .sig_info = task->exit_code & 0xFF, + }; + bpf_get_current_comm(&data.task, sizeof(data.task)); + + events.perf_submit(args, &data, sizeof(data)); + return 0; + } + """ + # TODO: this macro belongs in bcc/src/cc/export/helpers.h + bpf_static_assert_def = r""" + #ifndef BPF_STATIC_ASSERT + #define BPF_STATIC_ASSERT(condition) __attribute__((unused)) \ + extern int bpf_static_assert[(condition) ? 1 : -1] + #endif + """ + code_substitutions = [ + ('EBPF_COMMENT', '' if not Global.args.ebpf else _ebpf_comment()), + ("BPF_STATIC_ASSERT_DEF", bpf_static_assert_def), + ("CTYPES_SIZEOF_DATA", str(ct.sizeof(Data))), + ('FILTER_PID', '0' if not Global.args.pid else "task->tgid != %s" % Global.args.pid), + ('FILTER_EXIT_CODE', '0' if not Global.args.failed else 'task->exit_code == 0'), + ('PROCESS_START_TIME_NS', 'task->start_time' if not Global.args.timespec else + '(task->start_time.tv_sec * 1000000000L) + task->start_time.tv_nsec'), + ] + for old,new in code_substitutions: + c = c.replace(old, new) + return c + +def _ebpf_comment(): + """Return a C-style comment with information about the generated code.""" + comment=('Created by %s at %s:\n\t%s' % + (sys.argv[0], strftime("%Y-%m-%d %H:%M:%S %Z"), _embedded_c.__doc__)) + args = str(vars(Global.args)).replace('{','{\n\t').replace(', ',',\n\t').replace('}',',\n }\n\n') + return ("\n /*" + ("\n %s\n\n ARGV = %s\n\n ARGS = %s/" % + (comment, ' '.join(Global.argv), args)) + .replace('\n','\n\t*').replace('\t',' ')) + +def _print_header(): + if Global.args.timestamp: + title = 'TIME-' + ('UTC' if Global.args.utc else strftime("%Z")) + print("%-13s" % title, end="") + if Global.args.label is not None: + print("%-6s" % "LABEL", end="") + print("%-16s %-6s %-6s %-6s %-7s %-10s" % + ("PCOMM", "PID", "PPID", "TID", "AGE(s)", "EXIT_CODE")) + +def _print_event(cpu, data, size): # callback + """Print the exit event.""" + e = ct.cast(data, ct.POINTER(Data)).contents + if Global.args.timestamp: + now = datetime.utcnow() if Global.args.utc else datetime.now() + print("%-13s" % (now.strftime("%H:%M:%S.%f")[:-3]), end="") + if Global.args.label is not None: + label = Global.args.label if len(Global.args.label) else 'exit' + print("%-6s" % label, end="") + age = (e.exit_time - e.start_time) / 1e9 + print("%-16s %-6d %-6d %-6d %-7.2f " % + (e.task.decode(), e.pid, e.ppid, e.tid, age), end="") + if e.sig_info == 0: + print("0" if e.exit_code == 0 else "code %d" % e.exit_code) + else: + sig = e.sig_info & 0x7F + if sig: + print("signal %d (%s)" % (sig, signum_to_signame(sig)), end="") + if e.sig_info & 0x80: + print(", core dumped ", end="") + print() + +# ============================= +# Module: These functions are available for import +# ============================= +def initialize(arg_list = sys.argv[1:]): + """Trace all process termination. + + arg_list - list of args, if omitted then uses command line args + arg_list is passed to argparse.ArgumentParser.parse_args() + + For example, if arg_list = [ '-x', '-t' ] + args.failed == True + args.timestamp == True + + Returns a tuple (return_code, result) + 0 = Ok, result is the return value from BPF() + 1 = args.ebpf is requested, result is the generated C code + os.EX_NOPERM: need CAP_SYS_ADMIN, result is error message + os.EX_SOFTWARE: internal software error, result is error message + """ + Global.argv = arg_list + Global.args = Global.parse_args(arg_list) + if Global.args.utc and not Global.args.timestamp: + Global.args.timestamp = True + if not Global.args.ebpf and os.geteuid() != 0: + return (os.EX_NOPERM, "Need sudo (CAP_SYS_ADMIN) for BPF() system call") + if re.match('^3\.10\..*el7.*$', platform.release()): # Centos/Red Hat + Global.args.timespec = True + for _ in range(2): + c = _embedded_c(Global.args) + if Global.args.ebpf: + return (1, c) + try: + return (os.EX_OK, BPF(text=c)) + except Exception as e: + error = format(e) + if (not Global.args.timespec + and error.find('struct timespec') + and error.find('start_time')): + print('This kernel keeps task->start_time in a struct timespec.\n' + + 'Retrying with --timespec') + Global.args.timespec = True + continue + return (os.EX_SOFTWARE, "BPF error: " + error) + except: + return (os.EX_SOFTWARE, "Unexpected error: {0}".format(sys.exc_info()[0])) + +def snoop(bpf, event_handler): + """Call event_handler for process termination events. + + bpf - result returned by successful initialize() + event_handler - callback function to handle termination event + args.pid - Return after event_handler is called, only monitoring this pid + """ + bpf["events"].open_perf_buffer(event_handler) + while True: + bpf.perf_buffer_poll() + if Global.args.pid: + return + +def signum_to_signame(signum): + """Return the name of the signal corresponding to signum.""" + return Global.SIGNUM_TO_SIGNAME.get(signum, "unknown") + +# ============================= +# Script: invoked as a script +# ============================= +def main(): + try: + rc, buffer = initialize() + if rc: + print(buffer) + sys.exit(0 if Global.args.ebpf else rc) + _print_header() + snoop(buffer, _print_event) + except KeyboardInterrupt: + print() + sys.exit() + + return 0 + +if __name__ == '__main__': + main() diff --git a/tools/exitsnoop_example.txt b/tools/exitsnoop_example.txt new file mode 100644 index 000000000..facf8e578 --- /dev/null +++ b/tools/exitsnoop_example.txt @@ -0,0 +1,148 @@ +Demonstrations of exitsnoop. + +This Linux tool traces all process terminations and reason, it + - is implemented using BPF, which requires CAP_SYS_ADMIN and + should therefore be invoked with sudo + - traces sched_process_exit tracepoint in kernel/exit.c + - includes processes by root and all users + - includes processes in containers + - includes processes that become zombie + +The following example shows the termination of the 'sleep' and 'bash' commands +when run in a loop that is interrupted with Ctrl-C from the terminal: + +# ./exitsnoop.py > exitlog & +[1] 18997 +# for((i=65;i<100;i+=5)); do bash -c "sleep 1.$i;exit $i"; done +^C +# fg +./exitsnoop.py > exitlog +^C +# cat exitlog +PCOMM PID PPID TID AGE(s) EXIT_CODE +sleep 19004 19003 19004 1.65 0 +bash 19003 17656 19003 1.65 code 65 +sleep 19007 19006 19007 1.70 0 +bash 19006 17656 19006 1.70 code 70 +sleep 19010 19009 19010 1.75 0 +bash 19009 17656 19009 1.75 code 75 +sleep 19014 19013 19014 0.23 signal 2 (INT) +bash 19013 17656 19013 0.23 signal 2 (INT) + +# + +The output shows the process/command name (PCOMM), the PID, +the process that will be notified (PPID), the thread (TID), the AGE +of the process with hundredth of a second resolution, and the reason for +the process exit (EXIT_CODE). + +A -t option can be used to include a timestamp column, it shows local time +by default. The -u option shows the time in UTC. The --label +option adds a column indicating the tool that generated the output, +'exit' by default. If other tools follow this format their outputs +can be merged into a single trace with a simple lexical sort +increasing in time order with each line labeled to indicate the event, +e.g. 'exec', 'open', 'exit', etc. Time is displayed with millisecond +resolution. The -x option will show only non-zero exits and fatal +signals, which excludes processes that exit with 0 code: + +# ./exitsnoop.py -t -u -x --label= > exitlog & +[1] 18289 +# for((i=65;i<100;i+=5)); do bash -c "sleep 1.$i;exit $i"; done +^C +# fg +./exitsnoop.py -t -u -x --label= > exitlog +^C +# cat exitlog +TIME-UTC LABEL PCOMM PID PPID TID AGE(s) EXIT_CODE +13:20:22.997 exit bash 18300 17656 18300 1.65 code 65 +13:20:24.701 exit bash 18303 17656 18303 1.70 code 70 +13:20:26.456 exit bash 18306 17656 18306 1.75 code 75 +13:20:28.260 exit bash 18310 17656 18310 1.80 code 80 +13:20:30.113 exit bash 18313 17656 18313 1.85 code 85 +13:20:31.495 exit sleep 18318 18317 18318 1.38 signal 2 (INT) +13:20:31.495 exit bash 18317 17656 18317 1.38 signal 2 (INT) +# + +USAGE message: + +# ./exitsnoop.py -h +usage: exitsnoop.py [-h] [-t] [-u] [-p PID] [--label LABEL] [-x] + +Trace all process termination (exit, fatal signal) + +optional arguments: + -h, --help show this help message and exit + -t, --timestamp include timestamp (local time default) + -u, --utc include timestamp in UTC (-t implied) + -p PID, --pid PID trace this PID only + --label LABEL label each line + -x, --failed trace only fails, exclude exit(0) + +examples: + exitsnoop # trace all process termination + exitsnoop -x # trace only fails, exclude exit(0) + exitsnoop -t # include timestamps (local time) + exitsnoop -u # include timestamps (UTC) + exitsnoop -p 181 # only trace PID 181 + exitsnoop --label=exit # label each output line with 'exit' + +Exit status: + + 0 EX_OK Success + 2 argparse error + 70 EX_SOFTWARE syntax error detected by compiler, or + verifier error from kernel + 77 EX_NOPERM Need sudo (CAP_SYS_ADMIN) for BPF() system call + +About process termination in Linux +---------------------------------- + +A program/process on Linux terminates normally + - by explicitly invoking the exit( int ) system call + - in C/C++ by returning an int from main(), + ...which is then used as the value for exit() + - by reaching the end of main() without a return + ...which is equivalent to return 0 (C99 and C++) + Notes: + - Linux keeps only the least significant eight bits of the exit value + - an exit value of 0 means success + - an exit value of 1-255 means an error + +A process terminates abnormally if it + - receives a signal which is not ignored or blocked and has no handler + ... the default action is to terminate with optional core dump + - is selected by the kernel's "Out of Memory Killer", + equivalent to being sent SIGKILL (9), which cannot be ignored or blocked + Notes: + - any signal can be sent asynchronously via the kill() system call + - synchronous signals are the result of the CPU detecting + a fault or trap during execution of the program, a kernel handler + is dispatched which determines the cause and the corresponding + signal, examples are + - attempting to fetch data or instructions at invalid or + privileged addresses, + - attempting to divide by zero, unmasked floating point exceptions + - hitting a breakpoint + +Linux keeps process termination information in 'exit_code', an int +within struct 'task_struct' defined in + - if the process terminated normally: + - the exit value is in bits 15:8 + - the least significant 8 bits of exit_code are zero (bits 7:0) + - if the process terminates abnormally: + - the signal number (>= 1) is in bits 6:0 + - bit 7 indicates a 'core dump' action, whether a core dump was + actually done depends on ulimit. + +Success is indicated with an exit value of zero. +The meaning of a non zero exit value depends on the program. +Some programs document their exit values and their meaning. +This script uses exit values as defined in + +References: + + https://github.com/torvalds/linux/blob/master/kernel/exit.c + https://github.com/torvalds/linux/blob/master/arch/x86/include/uapi/asm/signal.h + https://code.woboq.org/userspace/glibc/misc/sysexits.h.html + From e5d3293cd7641869d343c5594d67df532271656f Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Arturo=20Mart=C3=ADn-de-Nicol=C3=A1s?= Date: Tue, 28 May 2019 16:31:36 -0500 Subject: [PATCH 011/228] Added short form -u for option --utf --- tools/exitsnoop.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tools/exitsnoop.py b/tools/exitsnoop.py index 13a1444c5..0209e0d6b 100755 --- a/tools/exitsnoop.py +++ b/tools/exitsnoop.py @@ -24,7 +24,7 @@ exitsnoop # trace all process termination exitsnoop -x # trace only fails, exclude exit(0) exitsnoop -t # include timestamps (local time) - exitsnoop --utc # include timestamps (UTC) + exitsnoop -u # include timestamps (UTC) exitsnoop -p 181 # only trace PID 181 exitsnoop --label=exit # label each output line with 'exit' """ @@ -58,7 +58,7 @@ def _getParser(): epilog=_examples) a=parser.add_argument a("-t", "--timestamp", action="store_true", help="include timestamp (local time default)") - a("--utc", action="store_true", help="include timestamp in UTC (-t implied)") + a("-u", "--utc", action="store_true", help="include timestamp in UTC (-t implied)") a("-p", "--pid", help="trace this PID only") a("--label", help="label each line") a("-x", "--failed", action="store_true", help="trace only fails, exclude exit(0)") From 471f6abd3600cb3b4bff6a217726d7e8cce7d713 Mon Sep 17 00:00:00 2001 From: amdn Date: Tue, 28 May 2019 17:51:41 -0500 Subject: [PATCH 012/228] Remove -u short form, use only --utc (code review) --- man/man8/exitsnoop.8 | 6 +++--- tools/exitsnoop.py | 4 ++-- tools/exitsnoop_example.txt | 12 ++++++------ 3 files changed, 11 insertions(+), 11 deletions(-) diff --git a/man/man8/exitsnoop.8 b/man/man8/exitsnoop.8 index 1fc29d5ad..fb1942b42 100644 --- a/man/man8/exitsnoop.8 +++ b/man/man8/exitsnoop.8 @@ -2,7 +2,7 @@ .SH NAME exitsnoop \- Trace all process termination (exit, fatal signal). Uses Linux eBPF/bcc. .SH SYNOPSIS -.B exitsnoop [\-h] [\-t] [\-u] [\-x] [\-p PID] [\-\-label LABEL] +.B exitsnoop [\-h] [\-t] [\-\-utc] [\-x] [\-p PID] [\-\-label LABEL] .SH DESCRIPTION exitsnoop traces process termination, showing the command name and reason for termination, either an exit or a fatal signal. @@ -24,7 +24,7 @@ Print usage message. \-t Include a timestamp column. .TP -\-u +\-\-utc Include a timestamp column, use UTC timezone. .TP \-x @@ -60,7 +60,7 @@ Label each output line with 'EXIT': .TP TIME-TZ Time of process termination HH:MM:SS.sss with milliseconds, where TZ is -the local time zone, 'UTC' with \-u option. +the local time zone, 'UTC' with \-\-utc option. .TP LABEL The optional label if \-\-label option is used. This is useful with the diff --git a/tools/exitsnoop.py b/tools/exitsnoop.py index 0209e0d6b..13a1444c5 100755 --- a/tools/exitsnoop.py +++ b/tools/exitsnoop.py @@ -24,7 +24,7 @@ exitsnoop # trace all process termination exitsnoop -x # trace only fails, exclude exit(0) exitsnoop -t # include timestamps (local time) - exitsnoop -u # include timestamps (UTC) + exitsnoop --utc # include timestamps (UTC) exitsnoop -p 181 # only trace PID 181 exitsnoop --label=exit # label each output line with 'exit' """ @@ -58,7 +58,7 @@ def _getParser(): epilog=_examples) a=parser.add_argument a("-t", "--timestamp", action="store_true", help="include timestamp (local time default)") - a("-u", "--utc", action="store_true", help="include timestamp in UTC (-t implied)") + a("--utc", action="store_true", help="include timestamp in UTC (-t implied)") a("-p", "--pid", help="trace this PID only") a("--label", help="label each line") a("-x", "--failed", action="store_true", help="trace only fails, exclude exit(0)") diff --git a/tools/exitsnoop_example.txt b/tools/exitsnoop_example.txt index facf8e578..3a322dc15 100644 --- a/tools/exitsnoop_example.txt +++ b/tools/exitsnoop_example.txt @@ -37,7 +37,7 @@ of the process with hundredth of a second resolution, and the reason for the process exit (EXIT_CODE). A -t option can be used to include a timestamp column, it shows local time -by default. The -u option shows the time in UTC. The --label +by default. The --utc option shows the time in UTC. The --label option adds a column indicating the tool that generated the output, 'exit' by default. If other tools follow this format their outputs can be merged into a single trace with a simple lexical sort @@ -46,12 +46,12 @@ e.g. 'exec', 'open', 'exit', etc. Time is displayed with millisecond resolution. The -x option will show only non-zero exits and fatal signals, which excludes processes that exit with 0 code: -# ./exitsnoop.py -t -u -x --label= > exitlog & +# ./exitsnoop.py -t --utc -x --label= > exitlog & [1] 18289 # for((i=65;i<100;i+=5)); do bash -c "sleep 1.$i;exit $i"; done ^C # fg -./exitsnoop.py -t -u -x --label= > exitlog +./exitsnoop.py -t --utc -x --label= > exitlog ^C # cat exitlog TIME-UTC LABEL PCOMM PID PPID TID AGE(s) EXIT_CODE @@ -67,14 +67,14 @@ TIME-UTC LABEL PCOMM PID PPID TID AGE(s) EXIT_CODE USAGE message: # ./exitsnoop.py -h -usage: exitsnoop.py [-h] [-t] [-u] [-p PID] [--label LABEL] [-x] +usage: exitsnoop.py [-h] [-t] [--utc] [-p PID] [--label LABEL] [-x] Trace all process termination (exit, fatal signal) optional arguments: -h, --help show this help message and exit -t, --timestamp include timestamp (local time default) - -u, --utc include timestamp in UTC (-t implied) + --utc include timestamp in UTC (-t implied) -p PID, --pid PID trace this PID only --label LABEL label each line -x, --failed trace only fails, exclude exit(0) @@ -83,7 +83,7 @@ examples: exitsnoop # trace all process termination exitsnoop -x # trace only fails, exclude exit(0) exitsnoop -t # include timestamps (local time) - exitsnoop -u # include timestamps (UTC) + exitsnoop --utc # include timestamps (UTC) exitsnoop -p 181 # only trace PID 181 exitsnoop --label=exit # label each output line with 'exit' From 75548668ded988ac0dc8407debcbe1cc87e7789d Mon Sep 17 00:00:00 2001 From: Adam Drescher Date: Tue, 28 May 2019 10:17:50 -0400 Subject: [PATCH 013/228] docs: fix long form of USDT to match acronym in python tutorial. --- docs/tutorial_bcc_python_developer.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/tutorial_bcc_python_developer.md b/docs/tutorial_bcc_python_developer.md index 817c109e4..acce32c4a 100644 --- a/docs/tutorial_bcc_python_developer.md +++ b/docs/tutorial_bcc_python_developer.md @@ -588,7 +588,7 @@ Things to learn: ### Lesson 15. nodejs_http_server.py -This program instruments a user-defined static tracing (USDT) probe, which is the user-level version of a kernel tracepoint. Sample output: +This program instruments a user statically-defined tracing (USDT) probe, which is the user-level version of a kernel tracepoint. Sample output: ``` # ./nodejs_http_server.py 24728 From a57dad43037cc9f6e2b05c4259a34663572495bd Mon Sep 17 00:00:00 2001 From: Adam Drescher Date: Tue, 28 May 2019 10:22:28 -0400 Subject: [PATCH 014/228] examples: disksnoop checks if blk_start_request exists before attaching kprobe --- examples/tracing/disksnoop.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/examples/tracing/disksnoop.py b/examples/tracing/disksnoop.py index e181235b6..1101e6f26 100755 --- a/examples/tracing/disksnoop.py +++ b/examples/tracing/disksnoop.py @@ -43,7 +43,8 @@ } """) -b.attach_kprobe(event="blk_start_request", fn_name="trace_start") +if BPF.get_kprobe_functions(b'blk_start_request'): + b.attach_kprobe(event="blk_start_request", fn_name="trace_start") b.attach_kprobe(event="blk_mq_start_request", fn_name="trace_start") b.attach_kprobe(event="blk_account_io_completion", fn_name="trace_completion") From 84ce85b5dcef211fd1bb97e34ed418472cf33bab Mon Sep 17 00:00:00 2001 From: Adam Drescher Date: Tue, 28 May 2019 17:29:46 -0400 Subject: [PATCH 015/228] Revise python tutorial lesson 16 to make sure tutorial text and code match. --- docs/tutorial_bcc_python_developer.md | 44 ++++++++++++--------------- examples/tracing/task_switch.c | 21 +++++++++++++ examples/tracing/task_switch.py | 24 +-------------- 3 files changed, 42 insertions(+), 47 deletions(-) create mode 100644 examples/tracing/task_switch.c diff --git a/docs/tutorial_bcc_python_developer.md b/docs/tutorial_bcc_python_developer.md index acce32c4a..82e1bbe83 100644 --- a/docs/tutorial_bcc_python_developer.md +++ b/docs/tutorial_bcc_python_developer.md @@ -651,45 +651,41 @@ This is a slightly more complex tracing example than Hello World. This program will be invoked for every task change in the kernel, and record in a BPF map the new and old pids. -The C program below introduces two new concepts. -The first is the macro `BPF_TABLE`. This defines a table (type="hash"), with key -type `key_t` and leaf type `u64` (a single counter). The table name is `stats`, -containing 1024 entries maximum. One can `lookup`, `lookup_or_init`, `update`, -and `delete` entries from the table. -The second concept is the prev argument. This argument is treated specially by -the BCC frontend, such that accesses to this variable are read from the saved -context that is passed by the kprobe infrastructure. The prototype of the args -starting from position 1 should match the prototype of the kernel function being -kprobed. If done so, the program will have seamless access to the function -parameters. +The C program below introduces a new concept: the prev argument. This +argument is treated specially by the BCC frontend, such that accesses +to this variable are read from the saved context that is passed by the +kprobe infrastructure. The prototype of the args starting from +position 1 should match the prototype of the kernel function being +kprobed. If done so, the program will have seamless access to the +function parameters. ```c #include #include struct key_t { - u32 prev_pid; - u32 curr_pid; + u32 prev_pid; + u32 curr_pid; }; -// map_type, key_type, leaf_type, table_name, num_entry + BPF_HASH(stats, struct key_t, u64, 1024); int count_sched(struct pt_regs *ctx, struct task_struct *prev) { - struct key_t key = {}; - u64 zero = 0, *val; + struct key_t key = {}; + u64 zero = 0, *val; - key.curr_pid = bpf_get_current_pid_tgid(); - key.prev_pid = prev->pid; + key.curr_pid = bpf_get_current_pid_tgid(); + key.prev_pid = prev->pid; - // could also use `stats.increment(key);` - val = stats.lookup_or_init(&key, &zero); - (*val)++; - return 0; + // could also use `stats.increment(key);` + val = stats.lookup_or_init(&key, &zero); + (*val)++; + return 0; } ``` The userspace component loads the file shown above, and attaches it to the `finish_task_switch` kernel function. -The [] operator of the BPF object gives access to each BPF_TABLE in the +The `[]` operator of the BPF object gives access to each BPF_HASH in the program, allowing pass-through access to the values residing in the kernel. Use the object as you would any other python dict object: read, update, and deletes are all allowed. @@ -707,7 +703,7 @@ for k, v in b["stats"].items(): print("task_switch[%5d->%5d]=%u" % (k.prev_pid, k.curr_pid, v.value)) ``` -These programs have now been merged, and are both in [examples/tracing/task_switch.py](examples/tracing/task_switch.py). +These programs can be found in the files [examples/tracing/task_switch.c](../examples/tracing/task_switch.c) and [examples/tracing/task_switch.py](../examples/tracing/task_switch.py) respectively. ### Lesson 17. Further Study diff --git a/examples/tracing/task_switch.c b/examples/tracing/task_switch.c new file mode 100644 index 000000000..7192ad02c --- /dev/null +++ b/examples/tracing/task_switch.c @@ -0,0 +1,21 @@ +#include +#include + +struct key_t { + u32 prev_pid; + u32 curr_pid; +}; + +BPF_HASH(stats, struct key_t, u64, 1024); +int count_sched(struct pt_regs *ctx, struct task_struct *prev) { + struct key_t key = {}; + u64 zero = 0, *val; + + key.curr_pid = bpf_get_current_pid_tgid(); + key.prev_pid = prev->pid; + + // could also use `stats.increment(key);` + val = stats.lookup_or_init(&key, &zero); + (*val)++; + return 0; +} diff --git a/examples/tracing/task_switch.py b/examples/tracing/task_switch.py index 161edfbc4..43a4f3f8d 100755 --- a/examples/tracing/task_switch.py +++ b/examples/tracing/task_switch.py @@ -5,29 +5,7 @@ from bcc import BPF from time import sleep -b = BPF(text=""" -#include -#include - -struct key_t { - u32 prev_pid; - u32 curr_pid; -}; -// map_type, key_type, leaf_type, table_name, num_entry -BPF_HASH(stats, struct key_t, u64, 1024); -int count_sched(struct pt_regs *ctx, struct task_struct *prev) { - struct key_t key = {}; - u64 zero = 0, *val; - - key.curr_pid = bpf_get_current_pid_tgid(); - key.prev_pid = prev->pid; - - // could also use `stats.increment(key);` - val = stats.lookup_or_init(&key, &zero); - (*val)++; - return 0; -} -""") +b = BPF(src_file="task_switch.c") b.attach_kprobe(event="finish_task_switch", fn_name="count_sched") # generate many schedule events From ebf0e4b2fd7190e747638f68a4421a8b653bc0a2 Mon Sep 17 00:00:00 2001 From: Brenden Blanco Date: Tue, 28 May 2019 21:33:34 -0700 Subject: [PATCH 016/228] debian changelog for v0.10.0 tag Signed-off-by: Brenden Blanco --- debian/changelog | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/debian/changelog b/debian/changelog index a53c9b9da..f839a0a95 100644 --- a/debian/changelog +++ b/debian/changelog @@ -1,3 +1,15 @@ +bcc (0.10.0-1) unstable; urgency=low + + * Support for kernel up to 5.1 + * corresponding libbpf submodule release is v0.0.3 + * support for reading kernel headers from /proc + * libbpf.{a,so} renamed to libcc_bpf.{a,so} + * new common options for some tools + * new tool: drsnoop + * s390 USDT support + + -- Brenden Blanco Tue, 28 May 2019 17:00:00 +0000 + bcc (0.9.0-1) unstable; urgency=low * Adds support for BTF From 222292f6c3610aaf0160958e9219da13e5427894 Mon Sep 17 00:00:00 2001 From: amdn Date: Wed, 29 May 2019 10:32:57 -0500 Subject: [PATCH 017/228] Added exitsnoop to README (code review) --- README.md | 1 + 1 file changed, 1 insertion(+) diff --git a/README.md b/README.md index 595971431..92313fc99 100644 --- a/README.md +++ b/README.md @@ -105,6 +105,7 @@ pair of .c and .py files, and some are directories of files. - tools/[deadlock](tools/deadlock.py): Detect potential deadlocks on a running process. [Examples](tools/deadlock_example.txt). - tools/[drsnoop](tools/drsnoop.py): Trace direct reclaim events with PID and latency. [Examples](tools/drsnoop_example.txt). - tools/[execsnoop](tools/execsnoop.py): Trace new processes via exec() syscalls. [Examples](tools/execsnoop_example.txt). +- tools/[exitsnoop](tools/exitsnoop.py): Trace process termination (exit and fatal signals). [Examples](tools/exitsnoop_example.txt). - tools/[ext4dist](tools/ext4dist.py): Summarize ext4 operation latency distribution as a histogram. [Examples](tools/ext4dist_example.txt). - tools/[ext4slower](tools/ext4slower.py): Trace slow ext4 operations. [Examples](tools/ext4slower_example.txt). - tools/[filelife](tools/filelife.py): Trace the lifespan of short-lived files. [Examples](tools/filelife_example.txt). From 8835de693babc7c8c039209dab914c11d2182d24 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Wed, 29 May 2019 10:45:44 -0700 Subject: [PATCH 018/228] sync with latest libbpf sync with latest upstream libbpf repo. The main change is to bring bpf_send_signal() helper to bcc. The bpf_send_signal() helper is implemented in the current development version 5.3. Available in bpf-next now. Signed-off-by: Yonghong Song --- docs/kernel-versions.md | 3 ++- src/cc/compat/linux/virtual_bpf.h | 37 +++++++++++++++++++++++++++++-- src/cc/export/helpers.h | 1 + src/cc/libbpf | 2 +- src/cc/libbpf.c | 1 + 5 files changed, 40 insertions(+), 4 deletions(-) diff --git a/docs/kernel-versions.md b/docs/kernel-versions.md index ac1307e9f..f40f098c8 100644 --- a/docs/kernel-versions.md +++ b/docs/kernel-versions.md @@ -210,6 +210,7 @@ Helper | Kernel version | License | Commit | `BPF_FUNC_rc_repeat()` | 4.18 | GPL | [`f4364dcfc86d`](https://git.kernel.org/cgit/linux/kernel/git/bpf/bpf-next.git/commit/?id=f4364dcfc86df7c1ca47b256eaf6b6d0cdd0d936) `BPF_FUNC_redirect()` | 4.4 | | [`27b29f63058d`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=27b29f63058d26c6c1742f1993338280d5a41dc6) `BPF_FUNC_redirect_map()` | 4.14 | | [`97f91a7cf04f`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=97f91a7cf04ff605845c20948b8a80e54cbd3376) +`BPF_FUNC_send_signal()` | 5.3 | | [`8b401f9ed244`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=8b401f9ed2441ad9e219953927a842d24ed051fc) `BPF_FUNC_set_hash()` | 4.13 | | [`ded092cd73c2`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=ded092cd73c2c56a394b936f86897f29b2e131c0) `BPF_FUNC_set_hash_invalid()` | 4.9 | | [`7a4b28c6cc9f`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=7a4b28c6cc9ffac50f791b99cc7e46106436e5d8) `BPF_FUNC_setsockopt()` | 4.13 | | [`8c4b4c7e9ff0`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=8c4b4c7e9ff0447995750d9329949fa082520269) @@ -306,5 +307,5 @@ The list of program types and supported helper functions can be retrieved with: |Function Group| Functions| |------------------|-------| |`Base functions`| `BPF_FUNC_map_lookup_elem()`
`BPF_FUNC_map_update_elem()`
`BPF_FUNC_map_delete_elem()`
`BPF_FUNC_map_peek_elem()`
`BPF_FUNC_map_pop_elem()`
`BPF_FUNC_map_push_elem()`
`BPF_FUNC_get_prandom_u32()`
`BPF_FUNC_get_smp_processor_id()`
`BPF_FUNC_get_numa_node_id()`
`BPF_FUNC_tail_call()`
`BPF_FUNC_ktime_get_ns()`
`BPF_FUNC_trace_printk()`
`BPF_FUNC_spin_lock()`
`BPF_FUNC_spin_unlock()` | -|`Tracing functions`|`BPF_FUNC_map_lookup_elem()`
`BPF_FUNC_map_update_elem()`
`BPF_FUNC_map_delete_elem()`
`BPF_FUNC_probe_read()`
`BPF_FUNC_ktime_get_ns()`
`BPF_FUNC_tail_call()`
`BPF_FUNC_get_current_pid_tgid()`
`BPF_FUNC_get_current_task()`
`BPF_FUNC_get_current_uid_gid()`
`BPF_FUNC_get_current_comm()`
`BPF_FUNC_trace_printk()`
`BPF_FUNC_get_smp_processor_id()`
`BPF_FUNC_get_numa_node_id()`
`BPF_FUNC_perf_event_read()`
`BPF_FUNC_probe_write_user()`
`BPF_FUNC_current_task_under_cgroup()`
`BPF_FUNC_get_prandom_u32()`
`BPF_FUNC_probe_read_str()`
`BPF_FUNC_get_current_cgroup_id()` | +|`Tracing functions`|`BPF_FUNC_map_lookup_elem()`
`BPF_FUNC_map_update_elem()`
`BPF_FUNC_map_delete_elem()`
`BPF_FUNC_probe_read()`
`BPF_FUNC_ktime_get_ns()`
`BPF_FUNC_tail_call()`
`BPF_FUNC_get_current_pid_tgid()`
`BPF_FUNC_get_current_task()`
`BPF_FUNC_get_current_uid_gid()`
`BPF_FUNC_get_current_comm()`
`BPF_FUNC_trace_printk()`
`BPF_FUNC_get_smp_processor_id()`
`BPF_FUNC_get_numa_node_id()`
`BPF_FUNC_perf_event_read()`
`BPF_FUNC_probe_write_user()`
`BPF_FUNC_current_task_under_cgroup()`
`BPF_FUNC_get_prandom_u32()`
`BPF_FUNC_probe_read_str()`
`BPF_FUNC_get_current_cgroup_id()`
`BPF_FUNC_send_signal()`| |`LWT functions`| `BPF_FUNC_skb_load_bytes()`
`BPF_FUNC_skb_pull_data()`
`BPF_FUNC_csum_diff()`
`BPF_FUNC_get_cgroup_classid()`
`BPF_FUNC_get_route_realm()`
`BPF_FUNC_get_hash_recalc()`
`BPF_FUNC_perf_event_output()`
`BPF_FUNC_get_smp_processor_id()`
`BPF_FUNC_skb_under_cgroup()`| diff --git a/src/cc/compat/linux/virtual_bpf.h b/src/cc/compat/linux/virtual_bpf.h index 7797e913f..4f794d3ef 100644 --- a/src/cc/compat/linux/virtual_bpf.h +++ b/src/cc/compat/linux/virtual_bpf.h @@ -261,6 +261,24 @@ enum bpf_attach_type { */ #define BPF_F_ANY_ALIGNMENT (1U << 1) +/* BPF_F_TEST_RND_HI32 is used in BPF_PROG_LOAD command for testing purpose. + * Verifier does sub-register def/use analysis and identifies instructions whose + * def only matters for low 32-bit, high 32-bit is never referenced later + * through implicit zero extension. Therefore verifier notifies JIT back-ends + * that it is safe to ignore clearing high 32-bit for these instructions. This + * saves some back-ends a lot of code-gen. However such optimization is not + * necessary on some arches, for example x86_64, arm64 etc, whose JIT back-ends + * hence hasn't used verifier's analysis result. But, we really want to have a + * way to be able to verify the correctness of the described optimization on + * x86_64 on which testsuites are frequently exercised. + * + * So, this flag is introduced. Once it is set, verifier will randomize high + * 32-bit for those instructions who has been identified as safe to ignore them. + * Then, if verifier is not doing correct analysis, such randomization will + * regress tests to expose bugs. + */ +#define BPF_F_TEST_RND_HI32 (1U << 2) + /* When BPF ldimm64's insn[0].src_reg != 0 then this can have * two extensions: * @@ -1409,7 +1427,7 @@ union bpf_attr { * * :: * - * BCC_SEC("kprobe/sys_open") + * SEC("kprobe/sys_open") * void bpf_sys_open(struct pt_regs *ctx) * { * char buf[PATHLEN]; // PATHLEN is defined to 256 @@ -2673,6 +2691,20 @@ union bpf_attr { * 0 on success. * * **-ENOENT** if the bpf-local-storage cannot be found. + * + * int bpf_send_signal(u32 sig) + * Description + * Send signal *sig* to the current task. + * Return + * 0 on success or successfully queued. + * + * **-EBUSY** if work queue under nmi is full. + * + * **-EINVAL** if *sig* is invalid. + * + * **-EPERM** if no permission to send the *sig*. + * + * **-EAGAIN** if bpf program can try again. */ #define __BPF_FUNC_MAPPER(FN) \ FN(unspec), \ @@ -2783,7 +2815,8 @@ union bpf_attr { FN(strtol), \ FN(strtoul), \ FN(sk_storage_get), \ - FN(sk_storage_delete), + FN(sk_storage_delete), \ + FN(send_signal), /* integer value in 'imm' field of BPF_CALL instruction selects which helper * function eBPF program intends to call diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index ddc57b979..218d5b82f 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -508,6 +508,7 @@ static void *(*bpf_sk_storage_get)(void *map, struct bpf_sock *sk, (void *) BPF_FUNC_sk_storage_get; static int (*bpf_sk_storage_delete)(void *map, struct bpf_sock *sk) = (void *)BPF_FUNC_sk_storage_delete; +static int (*bpf_send_signal)(unsigned sig) = (void *)BPF_FUNC_send_signal; /* llvm builtin functions that eBPF C program may use to * emit BPF_LD_ABS and BPF_LD_IND instructions diff --git a/src/cc/libbpf b/src/cc/libbpf index 59a641543..75db50f4a 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 59a641543e181aadaedd400abc090f5b0db13edb +Subproject commit 75db50f4a09d9dbac49b1ace9e4b6a722bdf0519 diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index 63f4894e6..2314141f4 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -206,6 +206,7 @@ static struct bpf_helper helpers[] = { {"strtoul", "5.2"}, {"sk_storage_get", "5.2"}, {"sk_storage_delete", "5.2"}, + {"send_signal", "5.3"}, }; static uint64_t ptr_to_u64(void *ptr) From 721d34e00b9f2410feeff09b1bc3865cfeb1b210 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Kai=20L=C3=BCke?= Date: Mon, 3 Jun 2019 11:14:30 +0200 Subject: [PATCH 019/228] capable: Hide TID and INSETID columns by default The TID and the INSETID bit are the less interesting fields and keeping them out allows to reduce the line length below 80 characters. Closes https://github.com/iovisor/bcc/issues/2392 --- man/man8/capable.8 | 3 ++ tools/capable.py | 22 ++++++++++--- tools/capable_example.txt | 67 +++++++++++++++++++++------------------ 3 files changed, 56 insertions(+), 36 deletions(-) diff --git a/man/man8/capable.8 b/man/man8/capable.8 index 272e63066..e20eb78fa 100644 --- a/man/man8/capable.8 +++ b/man/man8/capable.8 @@ -25,6 +25,9 @@ Include kernel stack traces to the output. .TP \-U Include user-space stack traces to the output. +.TP +\-x +Show extra fields in TID and INSETID columns. .SH EXAMPLES .TP Trace all capability checks system-wide: diff --git a/tools/capable.py b/tools/capable.py index cf4552c9b..bb4a84355 100755 --- a/tools/capable.py +++ b/tools/capable.py @@ -26,6 +26,7 @@ ./capable -p 181 # only trace PID 181 ./capable -K # add kernel stacks to trace ./capable -U # add user-space stacks to trace + ./capable -x # extra fields: show TID and INSETID columns """ parser = argparse.ArgumentParser( description="Trace security capability checks", @@ -39,6 +40,8 @@ help="output kernel stack trace") parser.add_argument("-U", "--user-stack", action="store_true", help="output user stack trace") +parser.add_argument("-x", "--extra", action="store_true", + help="show extra fields in TID and INSETID columns") args = parser.parse_args() debug = 0 @@ -178,8 +181,12 @@ def __getattr__(self, name): b = BPF(text=bpf_text) # header -print("%-9s %-6s %-6s %-6s %-16s %-4s %-20s %-6s %s" % ( - "TIME", "UID", "PID", "TID", "COMM", "CAP", "NAME", "AUDIT", "INSETID")) +if args.extra: + print("%-9s %-6s %-6s %-6s %-16s %-4s %-20s %-6s %s" % ( + "TIME", "UID", "PID", "TID", "COMM", "CAP", "NAME", "AUDIT", "INSETID")) +else: + print("%-9s %-6s %-6s %-16s %-4s %-20s %-6s" % ( + "TIME", "UID", "PID", "COMM", "CAP", "NAME", "AUDIT")) def stack_id_err(stack_id): # -EFAULT in get_stackid normally means the stack-trace is not availible, @@ -203,9 +210,14 @@ def print_event(bpf, cpu, data, size): name = capabilities[event.cap] else: name = "?" - print("%-9s %-6d %-6d %-6d %-16s %-4d %-20s %-6d %s" % (strftime("%H:%M:%S"), - event.uid, event.pid, event.tgid, event.comm.decode('utf-8', 'replace'), - event.cap, name, event.audit, str(event.insetid) if event.insetid != -1 else "N/A")) + if args.extra: + print("%-9s %-6d %-6d %-6d %-16s %-4d %-20s %-6d %s" % (strftime("%H:%M:%S"), + event.uid, event.pid, event.tgid, event.comm.decode('utf-8', 'replace'), + event.cap, name, event.audit, str(event.insetid) if event.insetid != -1 else "N/A")) + else: + print("%-9s %-6d %-6d %-16s %-4d %-20s %-6d" % (strftime("%H:%M:%S"), + event.uid, event.pid, event.comm.decode('utf-8', 'replace'), + event.cap, name, event.audit)) if args.kernel_stack: print_stack(bpf, event.kernel_stack_id, StackType.Kernel, -1) if args.user_stack: diff --git a/tools/capable_example.txt b/tools/capable_example.txt index 1981d1f71..28e44a5d6 100644 --- a/tools/capable_example.txt +++ b/tools/capable_example.txt @@ -5,37 +5,42 @@ capable traces calls to the kernel cap_capable() function, which does security capability checks, and prints details for each call. For example: # ./capable.py -TIME UID PID COMM CAP NAME AUDIT INSETID -22:11:23 114 2676 snmpd 12 CAP_NET_ADMIN 1 N/A -22:11:23 0 6990 run 24 CAP_SYS_RESOURCE 1 N/A -22:11:23 0 7003 chmod 3 CAP_FOWNER 1 N/A -22:11:23 0 7003 chmod 4 CAP_FSETID 1 N/A -22:11:23 0 7005 chmod 4 CAP_FSETID 1 N/A -22:11:23 0 7005 chmod 4 CAP_FSETID 1 N/A -22:11:23 0 7006 chown 4 CAP_FSETID 1 N/A -22:11:23 0 7006 chown 4 CAP_FSETID 1 N/A -22:11:23 0 6990 setuidgid 6 CAP_SETGID 1 N/A -22:11:23 0 6990 setuidgid 6 CAP_SETGID 1 N/A -22:11:23 0 6990 setuidgid 7 CAP_SETUID 1 N/A -22:11:24 0 7013 run 24 CAP_SYS_RESOURCE 1 N/A -22:11:24 0 7026 chmod 3 CAP_FOWNER 1 N/A -22:11:24 0 7026 chmod 4 CAP_FSETID 1 N/A -22:11:24 0 7028 chmod 4 CAP_FSETID 1 N/A -22:11:24 0 7028 chmod 4 CAP_FSETID 1 N/A -22:11:24 0 7029 chown 4 CAP_FSETID 1 N/A -22:11:24 0 7029 chown 4 CAP_FSETID 1 N/A -22:11:24 0 7013 setuidgid 6 CAP_SETGID 1 N/A -22:11:24 0 7013 setuidgid 6 CAP_SETGID 1 N/A -22:11:24 0 7013 setuidgid 7 CAP_SETUID 1 N/A -22:11:25 0 7036 run 24 CAP_SYS_RESOURCE 1 N/A -22:11:25 0 7049 chmod 3 CAP_FOWNER 1 N/A -22:11:25 0 7049 chmod 4 CAP_FSETID 1 N/A -22:11:25 0 7051 chmod 4 CAP_FSETID 1 N/A -22:11:25 0 7051 chmod 4 CAP_FSETID 1 N/A - -A recent kernel version >= 5.1 also reports the INSETID bit to cap_capable(): - -# ./capable.py +TIME UID PID COMM CAP NAME AUDIT +22:11:23 114 2676 snmpd 12 CAP_NET_ADMIN 1 +22:11:23 0 6990 run 24 CAP_SYS_RESOURCE 1 +22:11:23 0 7003 chmod 3 CAP_FOWNER 1 +22:11:23 0 7003 chmod 4 CAP_FSETID 1 +22:11:23 0 7005 chmod 4 CAP_FSETID 1 +22:11:23 0 7005 chmod 4 CAP_FSETID 1 +22:11:23 0 7006 chown 4 CAP_FSETID 1 +22:11:23 0 7006 chown 4 CAP_FSETID 1 +22:11:23 0 6990 setuidgid 6 CAP_SETGID 1 +22:11:23 0 6990 setuidgid 6 CAP_SETGID 1 +22:11:23 0 6990 setuidgid 7 CAP_SETUID 1 +22:11:24 0 7013 run 24 CAP_SYS_RESOURCE 1 +22:11:24 0 7026 chmod 3 CAP_FOWNER 1 +22:11:24 0 7026 chmod 4 CAP_FSETID 1 +22:11:24 0 7028 chmod 4 CAP_FSETID 1 +22:11:24 0 7028 chmod 4 CAP_FSETID 1 +22:11:24 0 7029 chown 4 CAP_FSETID 1 +22:11:24 0 7029 chown 4 CAP_FSETID 1 +22:11:24 0 7013 setuidgid 6 CAP_SETGID 1 +22:11:24 0 7013 setuidgid 6 CAP_SETGID 1 +22:11:24 0 7013 setuidgid 7 CAP_SETUID 1 +22:11:25 0 7036 run 24 CAP_SYS_RESOURCE 1 +22:11:25 0 7049 chmod 3 CAP_FOWNER 1 +22:11:25 0 7049 chmod 4 CAP_FSETID 1 +22:11:25 0 7051 chmod 4 CAP_FSETID 1 +22:11:25 0 7051 chmod 4 CAP_FSETID 1 + +Checks where AUDIT is 0 are ignored by default, which can be changed +with -v but is more verbose. + +We can show the TID and INSETID columns with -x. +Since only a recent kernel version >= 5.1 reports the INSETID bit to cap_capable(), +the fallback value "N/A" will be displayed on older kernels. + +# ./capable.py -x TIME UID PID TID COMM CAP NAME AUDIT INSETID 08:22:36 0 12869 12869 chown 0 CAP_CHOWN 1 0 08:22:36 0 12869 12869 chown 0 CAP_CHOWN 1 0 From fc72531c369feb8dcca56b36da3a8d426611d5d6 Mon Sep 17 00:00:00 2001 From: Xiaozhou Liu Date: Sat, 8 Jun 2019 00:06:02 +0800 Subject: [PATCH 020/228] tools/execsnoop: add -T option Add a -T option to include a time column on output (HH:MM:SS) and update manpage and example file accordingly. --- man/man8/execsnoop.8 | 12 +++++++++++- tools/execsnoop.py | 11 ++++++++++- tools/execsnoop_example.txt | 19 ++++++++++++------- 3 files changed, 33 insertions(+), 9 deletions(-) diff --git a/man/man8/execsnoop.8 b/man/man8/execsnoop.8 index 0efd89f45..500a93218 100644 --- a/man/man8/execsnoop.8 +++ b/man/man8/execsnoop.8 @@ -2,7 +2,8 @@ .SH NAME execsnoop \- Trace new processes via exec() syscalls. Uses Linux eBPF/bcc. .SH SYNOPSIS -.B execsnoop [\-h] [\-t] [\-x] [\-n NAME] [\-l LINE] +.B execsnoop [\-h] [\-T] [\-t] [\-x] [\-q] [\-n NAME] [\-l LINE] +.B [\-\-max-args MAX_ARGS] .SH DESCRIPTION execsnoop traces new processes, showing the filename executed and argument list. @@ -24,6 +25,9 @@ CONFIG_BPF and bcc. \-h Print usage message. .TP +\-T +Include a time column (HH:MM:SS). +.TP \-t Include a timestamp column. .TP @@ -69,6 +73,9 @@ Only trace exec()s where argument's line contains "testpkg": .B execsnoop \-l testpkg .SH FIELDS .TP +TIME +Time of exec() return, in HH:MM:SS format. +.TP TIME(s) Time of exec() return, in seconds. .TP @@ -78,6 +85,9 @@ Parent process/command name. PID Process ID .TP +PPID +Parent process ID +.TP RET Return value of exec(). 0 == successs. Failures are only shown when using the \-x option. diff --git a/tools/execsnoop.py b/tools/execsnoop.py index 7d048d84c..e5a049033 100755 --- a/tools/execsnoop.py +++ b/tools/execsnoop.py @@ -4,7 +4,8 @@ # execsnoop Trace new processes via exec() syscalls. # For Linux, uses BCC, eBPF. Embedded C. # -# USAGE: execsnoop [-h] [-t] [-x] [-n NAME] +# USAGE: execsnoop [-h] [-T] [-t] [-x] [-q] [-n NAME] [-l LINE] +# [--max-args MAX_ARGS] # # This currently will print up to a maximum of 19 arguments, plus the process # name, so 20 fields in total (MAXARG). @@ -24,11 +25,13 @@ import re import time from collections import defaultdict +from time import strftime # arguments examples = """examples: ./execsnoop # trace all exec() syscalls ./execsnoop -x # include failed exec()s + ./execsnoop -T # include time (HH:MM:SS) ./execsnoop -t # include timestamps ./execsnoop -q # add "quotemarks" around arguments ./execsnoop -n main # only print command lines containing "main" @@ -38,6 +41,8 @@ description="Trace exec() syscalls", formatter_class=argparse.RawDescriptionHelpFormatter, epilog=examples) +parser.add_argument("-T", "--time", action="store_true", + help="include time column on output (HH:MM:SS)") parser.add_argument("-t", "--timestamp", action="store_true", help="include timestamp on output") parser.add_argument("-x", "--fails", action="store_true", @@ -168,6 +173,8 @@ b.attach_kretprobe(event=execve_fnname, fn_name="do_ret_sys_execve") # header +if args.time: + print("%-9s" % ("TIME"), end="") if args.timestamp: print("%-8s" % ("TIME(s)"), end="") print("%-16s %-6s %-6s %3s %s" % ("PCOMM", "PID", "PPID", "RET", "ARGS")) @@ -215,6 +222,8 @@ def print_event(cpu, data, size): ] if not skip: + if args.time: + printb(b"%-9s" % strftime("%H:%M:%S").encode('ascii'), nl="") if args.timestamp: printb(b"%-8.3f" % (time.time() - start_ts), nl="") ppid = event.ppid if event.ppid > 0 else get_ppid(event.pid) diff --git a/tools/execsnoop_example.txt b/tools/execsnoop_example.txt index ad5f65b80..730687257 100644 --- a/tools/execsnoop_example.txt +++ b/tools/execsnoop_example.txt @@ -17,7 +17,7 @@ groff 15902 0 /usr/bin/troff -mtty-char -mandoc -rLL=169n -rLT=169 groff 15903 0 /usr/bin/grotty The output shows the parent process/command name (PCOMM), the PID, the return -value of the exec() (RET), and the filename with arguments (ARGS). +value of the exec() (RET), and the filename with arguments (ARGS). This works by traces the execve() system call (commonly used exec() variant), and shows details of the arguments and return value. This catches new processes @@ -51,13 +51,14 @@ failures (trying to execute a /usr/local/bin/setuidgid, which I just noticed doesn't exist). -A -t option can be used to include a timestamp column, and a -n option to match -on a name. Regular expressions are allowed. +A -T option can be used to include a time column, a -t option to include a +timestamp column, and a -n option to match on a name. Regular expressions +are allowed. For example, matching commands containing "mount": -# ./execsnoop -tn mount -TIME(s) PCOMM PID RET ARGS -2.849 mount 18049 0 /bin/mount -p +# ./execsnoop -Ttn mount +TIME TIME(s) PCOMM PID PPID RET ARGS +14:08:23 2.849 mount 18049 1045 0 /bin/mount -p The -l option can be used to only show command where one of the arguments matches specified line. The limitation is that we are looking only into first 20 @@ -79,14 +80,16 @@ rpm 3345452 4146419 0 /bin/rpm -qa testpkg USAGE message: # ./execsnoop -h -usage: execsnoop [-h] [-t] [-x] [-n NAME] [-l LINE] [--max-args MAX_ARGS] +usage: execsnoop [-h] [-T] [-t] [-x] [-q] [-n NAME] [-l LINE] [--max-args MAX_ARGS] Trace exec() syscalls optional arguments: -h, --help show this help message and exit + -T, --time include time column on output (HH:MM:SS) -t, --timestamp include timestamp on output -x, --fails include failed exec()s + -q, --quote Add quotemarks (") around arguments -n NAME, --name NAME only print commands matching this name (regex), any arg -l LINE, --line LINE only print commands where arg contains this line @@ -97,6 +100,8 @@ optional arguments: examples: ./execsnoop # trace all exec() syscalls ./execsnoop -x # include failed exec()s + ./execsnoop -T # include time (HH:MM:SS) ./execsnoop -t # include timestamps + ./execsnoop -q # add "quotemarks" around arguments ./execsnoop -n main # only print command lines containing "main" ./execsnoop -l tpkg # only print command where arguments contains "tpkg" From 0797d4acbde025fbaa36e3c26257e74fb62645b2 Mon Sep 17 00:00:00 2001 From: "Joel Fernandes (Google)" Date: Wed, 12 Jun 2019 15:54:14 -0400 Subject: [PATCH 021/228] build: Rename kheaders location from proc to sys In upstream kernel, the path has been renamed as the kheaders got moved to sysfs. Let us update BCC with the new path. Signed-off-by: Joel Fernandes (Google) --- src/cc/frontends/clang/kbuild_helper.h | 2 +- src/cc/frontends/clang/loader.cc | 8 ++++++-- 2 files changed, 7 insertions(+), 3 deletions(-) diff --git a/src/cc/frontends/clang/kbuild_helper.h b/src/cc/frontends/clang/kbuild_helper.h index be388e843..2a254f164 100644 --- a/src/cc/frontends/clang/kbuild_helper.h +++ b/src/cc/frontends/clang/kbuild_helper.h @@ -21,7 +21,7 @@ #include #include -#define PROC_KHEADERS_PATH "/proc/kheaders.tar.xz" +#define PROC_KHEADERS_PATH "/sys/kernel/kheaders.tar.xz" namespace ebpf { diff --git a/src/cc/frontends/clang/loader.cc b/src/cc/frontends/clang/loader.cc index 62c8c8abf..be4e94fea 100644 --- a/src/cc/frontends/clang/loader.cc +++ b/src/cc/frontends/clang/loader.cc @@ -131,11 +131,15 @@ int ClangLoader::parse(unique_ptr *mod, TableStorage &ts, kpath = kdir + "/" + kernel_path_info.second; } - // If all attempts to obtain kheaders fail, check for /proc/kheaders.tar.xz + // If all attempts to obtain kheaders fail, check for kheaders.tar.xz in sysfs if (!is_dir(kpath)) { int ret = get_proc_kheaders(tmpdir); - if (!ret) + if (!ret) { kpath = tmpdir; + } else { + std::cout << "Unable to find kernel headers. "; + std::cout << "Try rebuilding kernel with CONFIG_IKHEADERS=m (module)\n"; + } } if (flags_ & DEBUG_PREPROCESSOR) From 14103e661013654b0de15d30f507076a384e3690 Mon Sep 17 00:00:00 2001 From: Brendan Gregg Date: Mon, 17 Jun 2019 14:18:02 -0700 Subject: [PATCH 022/228] update tools diagram for 2019 --- README.md | 2 +- images/bcc_tracing_tools_2019.png | Bin 0 -> 575038 bytes 2 files changed, 1 insertion(+), 1 deletion(-) create mode 100644 images/bcc_tracing_tools_2019.png diff --git a/README.md b/README.md index 92313fc99..26630ca74 100644 --- a/README.md +++ b/README.md @@ -80,7 +80,7 @@ pair of .c and .py files, and some are directories of files. - examples/tracing/[kvm_hypercall.py](examples/tracing/kvm_hypercall.py): Conditional static kernel tracepoints for KVM entry, exit and hypercall [Examples](examples/tracing/kvm_hypercall.txt). #### Tools: -
+
- tools/[argdist](tools/argdist.py): Display function parameter values as a histogram or frequency count. [Examples](tools/argdist_example.txt). diff --git a/images/bcc_tracing_tools_2019.png b/images/bcc_tracing_tools_2019.png new file mode 100644 index 0000000000000000000000000000000000000000..c976ab5a623a9879ab23d81609aecb5957ec1aba GIT binary patch literal 575038 zcmeFZWmJ^?+Bb|SC?Ft6NF&|dt(4RN(lH?2HFOOk(%sS}9Yc3WcXvy74Bb4q_r8^D z?`PlF$9JuFJs(({3+DXC5x=9yUk)ISjEIW}0|SFB@j>Jx3=G027#O&u7qAb1+4H&% zc=&~2{XxwZ1_q_=*Uyt^S`<8(7wv}}1he8BwtyvOUh;#U~Oa>a5c@+MoBQ)hxx4s#uE*sXuWIzn9cYc`TE_^O)stLh?` zthv~3gkWG_eTI2P4D;m0e|;Pm7RqvY`8wn4-+b=ZLLj(T#BJdJZMA=H=V?mz8AgXa z-uxxz-yh(`D_x?$JLId+LhR^5pNny2ID8QQm&^R?w$EOap#Ikj|E5SPE&{QTYA^+! zu=n5J9ro+g^Z%8O|5#Qo_}MGs0ovdQZskXiTNPX&CA-|-*N^DLkEF(Ta_3%60uY0a)2%^u`3e2$rH5pMn zn?JD_d^7N;$7-Ut6zo|@uZAkN@c`c2iKsi2I7!VA_#}ep2~Hy{y^o@0VCv)y5|~f0 z|A1ub$6uI~n}wA02a_-vtXy^ua`)$9@}h8UbTp=5 zzpFr1Ig$N2mO5>DS6H}`!em}%wsw=w3RYoXo!UwHu6`Dk!d$A3|I9K6J!y7oW`>z+ zlMWK=vE{rg@}^#HAsy`)ZFt~&MvZWTfE4OQUGpB!*$59ieMW+*RgZm%cB`BVa(ns> zA6_CO43DQ#1yQh5-ZX3FX`}z6)(?OiEt+bd6V( znrmXAIshEro0CBgZ=q{jw|I5NY^O89l>KU@rcgHiaozSk$r%@bvY4XNE9k|=+1jO^ z>*|%*FgM5O>Yz*5i7+7} zCZ_fb4MBn4&}y0{oSPO>FDVS5-(L|;Gi{7avl>~>5sv42ey;_p@~cUBK=3tfua7Q) z8%2!xGnLiZ3|PtpN3>qQ1f`WOE%edFU*$yoLg^k8;q2ciEo6Y5Gn;iE!f{J`O*Q1P zh4qt*iz|Y^yu37mJ|#?Dw`;PbfxeUg*y&gx#i0WB51P^r6jy~$DWBymGrD}4b8{6E zFGcscss}w%=jmU`>GZG})*wRWUks9`B>9hSLTWHwVLrHSaCt;cUvzh@czPw<0cyvlNMqRtkk$~Xz(?VwC8ei0I*=tAtb*V} zwCk1#aAi5f^|A@Rooi?Kq!^x4O_&7U7uGmAB_G~mADhwAh{nq6V=0M^xvaxgwIQV| z%N=uV5q9Jif+J#%=-m_=aaL?;#&fQ+N|2NmYdX7rQwQc5jSvh`Jq-+w%wH`vCjG1P z%k~Xbjw+>EAGN_s_MVZaSwRKyStw8@4t62|aK`{JSt>h-|6o&MBJOBo&6Cy&b#Pm9 zJ&OEYHtQ;;(n&Bb8fq`Nb;5Gm*}kd&2AMJvbWyQRR*=|W-4)tdu@;CTL6c{)wY3GU zYGeHm+w$25=B)$lU+ImA$i>T}f9yLx)RG5ghBdia78T6j;uO3-be85F^-Z?X-?~2E zCrTVwYB}fb%THp+wzROV_w*DS^yg*0*dxDpbJ#8FJhLghz;Svco&U0R7%C5jZdo!7 z|1W2ebADDzfS=g4psuEd>7GoWR_laNo4!zsIZ6bW5ynEj-bZWA8m9|=p<{`60(i~A z*l=#$`P2#=n5e;NX@NH>xh%Xg8EW*x@AaoL5SJZAq$hz~BKpL;M_MCf`ryw+&E&r8 z{4GdAN?0$Boou#pdAVBvUfJp#5K#uuYgmI#$rUU*mXAvW{sR)h&UQO9UfC!qe0;(! zqzbI12AEN16C+k5a|PllPgXiZax!wM6!Gkbug8-#23FhOZn;y??N7-isSD}P+|NJN z5J$bEaXEkn^01HmWGvl<5ZIefO!Fn^!OPuc}rOM#`}YsU~u zx?l2c(E)%vmIK+@G^`Io7lgQ#V|o8=J7w)ioS0JI|3P#U1}h+NqTI^%<>xr@Q^ln^v=^BGd7FVH+N~5f;Ow zy1bEdGFzwF61@z6v-lW|&tWgndIpkN^(MW@>yffYjGHtUzm^!oXVwaTl6X#=v?koh zrCD;{wu1+BZfWthkG9q3m(bA?N5QYY@0&i5HKx$Ws+3Q7egITA!z>LfD{E}9bu+(j zxh?bc_;KKuGZj^CM{<&xQ;?Uh(pep6l3f%d?2F2po1ujGm1Tb%*2;@b9j-|U>kZ@V zM#F6d-nr%i_z?Nxb!=2e8tYhv89Td$#kj}es>I6nq};k?OLqvL>!F9u4S$7>ujjoQ z2cuj9h5^~v>uG+c&6}%vPT9q<;wFUdTyqrQJGJPGijkpele!S#6*B%vuDASK-mq%V zDDD1b^~~Xq=}%JxN_z>yV`Z(o7OTIu^%daz6x7H2#DED}DJbau8eF=5J~=hb3xGT~ zd!*KR#SfmKk`suT?Y9mQH^4Thq!a;N!*)|-=D~1Jze4Y#! z474JOulf*Q06@ey!X;@30M)L=lXMR*^9Mn7HWZxUA!Pma4PU*g2R? zI8!nvW3c{h(>H+FaU%e4vBG62H z(sE&k@D+7fO5G2DL=Y)qlUpNygRA{~skgG;2L4>x@OKBBr!?r(`S*Jo#jo{R1i4;^cJgvseXD{F4P<6u;;;c$&)GRRZd^Z)bXZuCR6J>^{=uj* zStQ`PBbxVfmX!IdeD$l)GIVsOeTA2Ig27_Ml4IghDTZ;%AslfD*LCpDPRcux*0e_P`gr{+Ctkcv}f8FO8Edvo(c$NSl{(h<6p7r2z%%z`{0GP=hmCNVh| zYY1ppP=RWTLV-})0FSv80-}T;SxPG~X%QskC%qCG-8cx^0 zi{NW9ueXX18mUxKQBsgW9Y3be_DI&VA|c_m2=;7LFU+u-Uey-sgS&v5f>Vt}4jJ?* zi)uEj9=wJ$*icEvrucUIa8>N1E%5!j*L9oC3CrYw~j-qOQ5jJPC z-IYuc`+lAA0Us?$o&>>}d*%$MwR@9TL94=9idFa)x71EqzYD@hsAV#J*^EY_RqAw- z3U8@>#W_k-aBAgn?Rr;5@{WlsC(Uf?yF91T?jS_eyQ?h) zCpWN#N%+DF{E6e$Nm^MNqP=jMUCr+JdkZF3>R^&a1b;%bf+G{WGGaDn zVQx4h-4qiNQE#s7A}OL8))_mP#!RiRgfk4DczQi~wQ4C3sW$42m?e4gC;K3m3-?Sw zQ+Yc)_4tt@D@lK*j&${xW4S@wIqq{=(pvtJoemIAu&7%HyeTM5BzmWBM8RKQ?0Pnm zB#(1L4_bEE<7U6Qx@rksmV6UbB)2oRHhM6NiYhy}^OSemaH8H*n+T68VDr6UTc;Xr z$RXr|WaKz=gB!Rm;Jd6H5{SokWgS~LF@PO++I*UO*2NkbQQcJf=d}CI#C}~&$H8-6 za^wA*(*?%RjpTZ@pOn-;*Iw+5M{N=}^nW&)a;zo?S$|yzNU@&`T+fo8=U~Sj-i6TPQ=Q z>#ROf+%9M)znv=PK!cppwKIKdG2?=fYFYUkC?2VjXqL~T+~@tBi5<5|$z+JRdgYdr zImJdh6w{Z@=$MkcYURC-1+!jmu~N9URcK;OATELV5V)(^tM0iS85mBhy^+VO=ibZC!^-|HQBo^TQVm(Z0TNpFR7m;r0A1%%>Si%Gu7D!PQQ3U%?k&nhade($Q6y;WmvV>MGh zs+_V=V5USkfB$KgZ+7PXqT?4AT|zJUFy)*t0YH7q!sIe0lE{0GcNuZWT4&1>T6?hC zy2Q1a7RHt5@p^$SdX#(By^F-I_W|AtKGhr_=?}MQo8kk}m&x3ltY?$xGR*|8qP;9+ zWWUV`%(J|DnA1_kXd*iJ7r$kO zST63_<`>^6Jzd>R8nMaUeas+~hzwIs@OUag=l*q;wJjI*LeV06yu%n7Qk2J+1;-^% zXIWrK!%y!J!hImf_4_zgS^QX50};`j^D%AQsB_Q6cx!)`C<28l9hOYx`W9~$lGyXh z!XaMSx!NoL+pO8e3vL{22F(PE63MU>tSyJV@3*pGocMRKCfJTI#GiLp^tcojCC(2Q zOn$KgPpoA;FlQ%Mlsl0Dig+nwgHM2eVG{2h9WD1FQd4PLWDFwvysBv4quaB7Bu}?6 zrcwnZXCp;cX}dOXYUr-HflV@e#)1cTJw;4PP2M8nrPzLV{!KCR#(FRwetb(-VCXt3 z+iShB-OHOePDU3QjL7k-sT#ZDAr#qp%|W-Z`0h^ZWN>S*ey5<@iK(BBhbfL_?cCY+ z7n!w#8v|e>9?t|5nyJcT%OMvp%*|c6r$lwk@xkct7j(CrZsTl-y zI*@gC{Kn+y-?d3x^Hw;mW5Jek7gr75Xmzbbmx$kHuPODp8VthkZ~?}XhVh|%5S^m? z^40Imn4;E`CDOCj*xl_>RpB|OH@LUg4z&kT9loHOo2SMEvjMXr%RArl>KHXaEMa!s2i)?RS=V#{ztU-!M3!=NRN0svoX$tAG3mx)qR8#=x`; z4U#w*s!$No-wgZz!U^|?{}4VanfLi) z5+F9DaG%doLs=^rjR;c6$8vVVvVSSITeh=akFcJy`8LCObNL=O0JS1IR|BMwt&Sv) zil~^QCot3^HzDBXD2C6wK8gn!gBsFY!j%ah2!bfFaoA@oX1J$;`Y4_c3eO(bOs zuGm$uM?w2EJ~Jcatc;=alJE+FRN71V+$N2v_%}xh(GX6P0)soXq#kYIYz0TXvlKy3ws`QJ=`eN24+$hu$UBDLtavD;z4}#3 zlV~f_TB>CP=n$Bkf`_uCcjP3Ww#soHboAhHkRSuwr zdl!M_7!b~sbZ6go|2}wvI-D1Y+8?kmKHOAo_j%+$19idqt9+Qa8EN)>X*{-LIxd&i zbx2iX;*Z{!m2@@ujW5e+Fd26ZpP)}7w5rJ-eCxAE*o+Xx&_g%noa2wnP9~&A{Y^Ru z@$~c*vyZkpB3WLq0z{~X;6hqS1+3Znk&N7ig{DQFpIVScoTz3Umj+ZwKqr=#eGTpS z2zIq^zVqu2|EZCAKMA2;O`x{PXk-8?20~p}2)JfM3=$~qrI_an50y%^7n~HXvPQFF zxtS~4FVcGP91av0_vB$9bhOJ2vqXW-$lWpzeo!d_Gs06+(q)&{Rn8X-1XDZ*P2$Mx z`RD9@?M^zFe|P~C{E%)udz5bU?0NfXu2j@Ump?#KatuZXB`^p}X_sjWL>meOpH=qH z{!~oY0hs10a(4!2wK_8JaFDqwm=TBcl)+b5Qh*f2LHn3 zNt2(~&&wz84((IPc7c)5!;kY2A6Mnp zRm$!~G|_PwIDRUce^Nr;R;aIa9nUu)Ew71|tCqb`-(a(kC&Ycjq;KG_(0;TC;EMWz z1F1Qh$(Q27MQBulzqygHsCVAKoEE(wQi^x5((XN8TTBnU3q%)ebUs}4vQ4luvDDga zB{_*Pr2hpW9nhnrba~jX52A0AIM(lCKN9JVIe>)LaV>B#m%DLC>f3o@O0FOP@n1ec zGWj15HdwC*7Tk|FN0!@q+f@`#Cnn6sicg4axC^Gb zn$W_B{ky5-rl(t;2q}M%yyGrUU+Xb}V9l#8)u6lOzeLVxL>=;8AV)la%`oW2VlzR0 zb$4|dICJcSjQbJ0J$nadJOk_E^_vesx~BNtLX4QKUL12x!TiZYy;U&o+I2^*<4$yN zpDzmD2;_k`fI_9U%(ZhpoeUv?KLRZziWqe_svvrXZt<5?vwTT)8unI+>5$%8Gr4Tm zo=5y7`9z%~(S^I-!0dGsScdH~aP71JlC9F0S7Bf7A1U1xnZCTT?8oLj)4kXPOZgP7 z3WLtD!W%Qv$$QSHK8Zm1a>J>6Vr!(q|Dz7UtGLC|$tjt9cz;dusJM&sjrn|Rhdtga zR+{sd^6&TSS}z%}ni(L3abscFG<40P<1;do2ZA;FL2v*B^jt|z9aVksQe5II#z{QR z11_G1yPJMm2J*7Q2vG=ic0=u^51iD8!$KC0m~(HRdaO+z9`!FWn6>))`ih&i9t|Y# z4?D^$%qD5Tp{8R667DHM0RicavN78I?YlbXYOZH)XPPzx-fonX95>g;$KCvGdR_$) zh6w;5J$>DI>GphkeJ*~an-`bra0vlkSL6p$3PHTv~^a1Rnb{KhIdLOIun$s0}`|O@D0mHMvK) zR93yo^}Zg3bTYTe*AR4pHcTEJnjZ2gRy~iJLe27@N0Fg7-#}^OShk{cw3Bg5_;*LeY?_+pMYWSe(B#1$L{dw1N1b;c<=6OW ztwFMA8F+8Yl^fcRIa6f1NEVTtcgjYW7n_Pn33(@n70o7g1obbb5MDpGv+%USTYX9b z_nTgMaWDcJ%4G{ye68<<_v0&g><76cE zu_`af#IWSNF9pJIO2|XX~aI|xE^ zCTq_p_^&%o*)l`&$@bFd9%&~z7S+o0Ye_zk9l>wc`a!rbiNgrjE1i1bntixjWBc)^ zkL_&403frXs=Ilk$Ru+XSqOC5csg~L0PZ~I`7b7{ROp8h*!*7bAk!cKUcxK|fJ09`IGIu8xX<;O~ zRTuNzJ0+>rgFL1ddNdQpz$RmkI`Q(xhdH*Haf|b zn`_cuP#LECpmS9Olh`QKH(ux4^sbfp-E`mW5sa#cn2IS@K4A#<9B%aY3aTZ-gVy*e z&{ue|OlPRGR~3ra>77AefX zn4=oalca9H8OPX^bMy1KsqJrTUV&{+L?&3 zR3t9l@We#c86yRSkC>TAKefq&AdMKC`)-8jbJnV<$&)7PgPqB~vG3sJ4rN3*c|HXk zK~g-XkzdkM@u?A#=FQk=T?z7E(-C_FmGT%7ajQG#M5d7PkUNDG=CG_4s|1>6Egx-u z;bdN0ZAdZ3%D(;i^XD?gHMYS6ZjU*#0;Hwsf+vc<@%x7cX2QRyuq&rNhj7SX-v(!SG|3_G0W2Z{F=rhD$K^y8E_}qzcawY!HpOjAX+?BmjG9?zMLYE zYQdNJTKpGVh)!7bl%$mG#wEH1XjE!1MZ`f+)8E6yBnn?T~@BgQtvTe|mS&av!lHT^=w+WJL> z(0r|ZZs3{RGQ{)o`w>w^Gs^N{53dXy2R`19=?@jZ{4EbguF@SD-+ws`5ZR5UT| zS(?0oJtoP?uqFAPUhtSkm0tvE#3P39-eZtAs$h=*+6^Z2jYKT^CI>^scBK2!;@0(V zKwu&=P&Au<{I_qfSOJX*&UeHM{bJZgM8rG?Yikk&@5>DPbN)dxOo_~$^4;r;X?ulH zf##duEU=9WTBlYTFj4zW#P+l8N7a*y><2BoQvkD}{2|pLMOKeV{l~u(roEf-D(oK zBI$WVguX%F)#=M_@0Qnz37nQ;t{|OuvIjCw$a$}EnpyUIAMR3_FycJNpBW=TCAko6 zI%QA$P>6{4)mr#;){$&q7Pp&dTy}EO!`9eEG$bI$C-Pz-8lCuizP<5el)CHXxU_}n z7n2J3hJtIhnY$k;8k9R$pNuKQ@fNMZh?(=g{H{ff(90z@eaUovwn^|C#vZyYB&kw! zb0y|Un3%%E%!K=?zoEF=Zpgf0M^r5S00vao?Il`pcCW>dDi`96$2WZ-D%QWhs6$bi zuZcZb)tu(C{j797ygnv%3GI!!jEg+E4VM}kX%t&FBME4*3+-df7^}{RbGRe1LD3C% zXy~tCsO_|2oo2SIO8OFW#+)8Q{msGMVgBsOo@KH49>hYwgvgD9f&%I8aaB`O`t&*E zw8<9xqQqy8!8p#|Skq18kd4tjV8h`H!R6h; z&d??Q%Ya>l<@0Pn6HB*lKya<28L=z_y8lD@c1Ci^1Ykb(5GyuabkO!!5XzlcCTXC} zr=l=hYdwTqI%{%^y@*x_W{-?Pp3mp0rrrFGSImfi!l@@OULcOKvyr`jwu-}Gc_3J9 za_`TZ*dsApVWA!KiQJpMM8V5QTI*G7lWA@NAkemRqDSF9x}Dmd*G5Q#F)zs%*BowI z(}nMGN%KUwQN0pY1*4sSzJoIHkP*)>{P)(^0YrlELIv!*6N4h6)=z71s%=OaYE#y% zdU<6bf~YsG~Qc{>ohecCMH7;o3D3(U=E(qF?~GfJfDA z)A1Fy>C;y6V04HKeUP0u(vZFB=Bl`e@owsmSMh3k%=16>J0agHep-P)QB|1(lw6bQB%eF6r_dF7?D5TfJ|`xH!+>L|mZ^sz2F! z*+j|Ri9(n#?XDuvsBu<9Dt?I_JTPzfvl_bn#VWFG&AT_>5Uh>ldUyBf{->ITSNhQc zJmz-g=F*~!HnEdhmrr7`+>x{+E)b}qGUw{@)}9#ej~|yhg80xpXp)UW;QLz>UQrc( zPR>=6fe)_FPz@Umj`gTi9ao_FE-pyjnaqkg z^i(Gp)e)ZzBCLT@IIgHd#1$+CrihZs89q>t0p14ck40)8+@DM}`o5lcY4L9T1-WW> z)1;-KO!s%$;$*pEN`4A@^P07mDy{_t3QtDa=|ln>>#WQnG!U2{zwA0>S3(Ma$pd+bDx4{%%_LCzgxoH+O)S1(^Y{goaAz5FIKjUCL2q> zP~@3(eB6+6(M=u~Dj{DvPHlSF{I`y7i5YIaO`O=pQl5@e1Ms!zA<2D#-;f`^`aEn( zHhHzmvFn9ZO593eClP2$qOoLdronFa=YW^SX27oUj|3^wjeT-JMUh&Wp`v0`7t2W4 zwCz#)#4LlG|67;%>y`7>!+lr1iBP6q4fNZ=0~Mnxpo?r#1}i|vb=4-`GWl0M=7 zV*SC9dPnJAZQDUV$pfpJYHCDte_mJr?7&$%u;RIjbhe+VoFrwS4kY@cDW0aJazCHS zRN!#KKWc85L-Z_f`!+N*l1PxQmQh(+UykphKViC5K_7r z)B`w-wC^FUTQu~g5BmncIXm3vXL-|xWgq_Texp-4(dk_a2T`fpZFS`;3HdvslB>h6 zYd{r$dQDtNXAIGnRZVp$bEdRO1b(xYiJ4hvM~7uGVXDi#<=qcuxD4WgsKa(WAMSez zay*4RBX*TBPf(WFF+X0`8PF|;h^C91&x(rlcqGJG7~?C7aM{Q{VM$!=5r&DVo~h+j zwc-mE5GDv8AHVx9;dB=$oFlken~uJlxLZ(A&?0Fwwc8goHkIQC<8gp$1>9e#Kc#09 zOJx!^=*=zbFwL~kN@bvniWTZya39+=ioCdncAD{qh7z$Y=1DZ4>4IzMlbBBf$~bMp z=e_F&H|E}~U^ly-ue5o1oYD`>Xi6E=cJGb9$Gk6VpCH{hUvOHzv|7-3_E7b;8?>yG zO-|si&&M~A9h3;H;IDO_&eCJX!S^w3rOy}Z)2h5qv9HbX!P)LVvxplv+qYS8#h}z1 zZF`be>JSK@fbAAZHo$SeGy}sOysJSa%J^We`xO5ZF=_vg1?JG#C5UdNSCR8$$ovlB@gkFRGW0YTYwu} zz<1v7?d_G|tG3=uVg*tL5iC@SzNTl-EdOfE7>ep>4yn1k%`_J$Dp|j{;HZtl*ZRnU zS(-thD7p_3Eujk1oXc;b!2P5?ot?KOMn5+7rQkLa((uWl70vCTB z_}WGq_W)lqJ%lHTf)Q_AQuDRyBad8e?N^=&q!94rQOXWO_=oQHRk+c?+#Rk&Ofb^P zRE5JZ11K&+E_ZZ)pg+UKCX`D2D>paymnZK56GfMi3%*&?*|u%1IAg1 zY>nId5qJqfoD!(E30y{XJB9t;?HHHrfvy7s>p)m$$g74d3GLZ3Ji1OxX#=As54&(D zzu9kM2Tdnad1>Ch)!(+StptL%7JDa7In`wSHWHG|7Q+JJ&`$_Q&oyV*V&02WllUV> z@+U3$LQ!p5?F(HhQ`zL+NwB+*-flpocSb*+Fwy2<8)rGe+Ia{2hVX4Nv3<*Od_@5}e&>Ja@yju9IwP|*J}6^! zzsTsasi+g;y9i8A!E;P7_Bim1q4TIkilJ$G=*AH39yT61xElv5XQ;FrLf5HjxsMjw zGupg9O4@zQmI(E&3N>B62s0*J{nHRZL;G0}CVzKK_tPU>(0#UfRJ%dM7jVG2>Fo#( zlGDGO>3^uH)sHJ{`$y*%e8?t0Mh!PIH2m1>QQv4V8$75F7=0qeA+syQfEAG%s^NIE z?!_5ezfuj?xG-G<1uf1;@?d>z+}u40s*iMXg2TbxHnngm@`#bSwpw4$VXLg(!$H(j zd1z6z&y!y2Z1C?l7~28bxLMWeUac#Hvb0TzV;E9x)6F@6CL`_uL*_km?X>H%MVT}Syo5K3@K5&Ey^`kyMy$rti!qv+nyfeC<|zvr zT|i~YlKX4nX7-g@9J^Cz*Y&moUwc2s^fsy}&_w!>>1`gd4xGlzY8N+OTY+>4^5)BT zlJzJ%&zaD!u|7^s+!Lqd>RMmrn)M<4 z+)y=;flF7V`%$?_njY)P7g_~GwVDuw-U0jtRau2b)iwDSk6bQ91jS9?4VqP-w8!}X zmnY-37JKteN%Kv&KXZHUJYFM(`1;*SCzsjnMNrQK)NmT6=jWOAbVtaSl#gM6BFkS* zb|X1NazgY>*|=RnuhC@aj(m%9JeKDgIf2d?k^8y+Z3iKe2a5yedUPnhq zy^`HpZLOq8XI;qR&*{d&B8yqZc`%k#O%^`njc}TK3L3`_=ga-6>NmhF<|xx50ZUH9 zt3YAj5Ur+rJ{mP*xt>A=iMst_8-*A~4P(O`^3s&CzEY(whwpQri}RHr%f$*BjPmi+ zq}l0NX&M?3aBGKQ;jG$OdFk#ann5}g4gZ;UOCW5fJxoa7cdR|#oFh%jySgyWs7AA z*o>MDOBXZz)EPsss>SwvZhdYz_0D$p>5<#wsKr$@oM?ov2 zAwi6^(wI6AfcHn7!{>MfCSYBs85JU@Kxv-vcC%lSerm zR+A=8pxXDan1Q`i+4CCukxCWx;a>D$3gB>`ps$CzC6sd|mTtc8nWI^f&t9mO<5a?% zt+Ts^!NDI>ZTeWjX+>%oTEZ)pdovRgWM6h#1YeTRV?HlpShQszqoQKw7grN~s3{l4 ze@r_^reD*NF;SLWpsC@HkRKuBaefO;wUe`Bp;jXv$tozIt4$;W^;RRH0f#Kcz`Z4B z8X@}kXLsvMYp>C;^>anSTo9Fw3{vMRI*QeH1)~=Z5e#CVF9%UnCvqSJHmWq<9I%ar6zTjZ7V5CA5;=*K^foG z#renOgx&!s(+}hV8_D1B0L9WQpWZpwwod_;86$PeFGB;LJ%^Kb`7u z=9;bKzE3}L&kY4V(anpF9QUB$2A=3x%CMrHx zNc>U8;$M#=WIx7C%5?62_}6uR(_Z(Cy9Ijy>-r6o{XHovvb)2d7@?XkIQ=x01b`hT zP4Il!6b7}$5dX-^!!S)4?nCZ3(~xEe?Jv9j8ngLqhcHBG&UZStwG$kgRu8seAxu=g z|2a0%kyR)Yv}2M(Wtd402Y=xPJp>FcB^h_otL3kSNx5#UoOz9~r)(nshMb4o)x|@4 z@QD2I<)8TAe+FJZr@{c`4?JYGnS7AT-SNVje3I7g_ntz#2GOM1H`!+P@9wvAnc>Px zp8e(B4}lMZ8Y3*PH=jS=<{yL+LWIMx3xe>t?|bO)_y8$AI==@Tqy<>E*3ecJ0GY&O zDvNnB10XPu=RSyGJOh69m5@XY!~e&EsYi%I2IC!!v%H22>KoapDcn3BS687c?^U9#d;mA zq38d>`ak)Xe+_vlhCLhs^I5Rre+uEhuTG5oa7)Qnx>VGE|Ihz${LktS1CGyL(7wR! zf8>4qmq#JoUwYu9CPei2N058>i_ovw;vXfb|8k%u#l|} z_Ub=r`R^NfBL4cyfiJ1UFaKU@zQ2Qc^4{bd+{u%_fWyBp`HyR3{`ztRxOW*ie=jv3 z{-5B!5c+?D`%6&%zY^T#XLI}eDGgVtlPOKpbd_>7F)NkMni{lGY5}4Sl3gRYkwr5P zC1e04C+Bw4&3R;l9jIoTf<~x%ds#>S9{?tI`Ah5FY<&p-({uTy!-|Yg0NeW&X8f=$ zz4l`ZvI7K-dzwWuAFS3eN$46LhM4}L=&4t~l>BxbpY%T`Xnz4njy|k3IXO3Oq1)51 zM*)a!abFT8DM)komA@8$zY1{q7g!izKdAJsPtJc+(=}=#l_~JLdPjVc_Kk2E2*k+T zGa!A77fC!#fp?bRKD8dYXInKjm6P%gEuv6!#w`Dpj)}O?{XdV$^XrI7hIo2^hW8&s zcupd$j|Kd^%^Q(3{*kq>TIbF!j-+HNu{7^u$2E&r`o0j9+o5WVE3c?!=6yf1RD9AB zjs5(e_Rlkq@&Po)6BL3T1)u*7B0jQ9b|F5|E;s);tO7BjC*GiogzUbarj5`kp zL~0H%^g_poqRAb)TQ&)i_9-=)wNwW7ufD+?euqLky3zZ*YLL+Ltw-bt%NjbSQl{LIq1hH-Dy_;isqv=YtPc5QLl{NDA$jM1_<7mc-Ma-kHi1zQA=Q)4M zn(HD0#Tv!-c(Mv-;uAQc3NIu!ir?Qf*0^6{VZ_&6Q|IO2yU-@W>JV1Da`6f7y3hwYfW{FwQ^;I3xbE$wrRJ`jtXE2_v-|On zvz4kZ8R)9!`xAC>2B*p~t&Rt(N>brL-PT&b#irx2z0?n-Z)B9^$G-y)2b-meX&VB6wi819-u^_PkS-WHD|v(t#5`Sj?FtGls#_Stt=I5 zI*920YvF-{+0Wjz=3-k2`mq~d+VsiT6e4hGXOG9{fpw@0wl`tPq)aO!PiK6x6gC*t zm_2ln$+P5K1s4~z%5J|oe$wX%bi7o32w`0)_9hSJ=F=LpgmfHc#v673i}oP^>9vF1 zmj?C(y-Q`4kaFepX9Lp@{o{l9T-LjD*(q@Qv=THkQ;ZW)r*yO!rXP|HNdi6ZV12X)2(NJpeYrWIL+dl_TtnfYtkYqQ0Cu|PlsaeRmKU$PMi?Dgg(xizVZJPx`_h5`? zS*!KZa5JUoCdq^}_E1abDS!B4t2?@EL{y(^!L2nT1^hm&YGp;RxeMhZ9pYt>BAz&! zz12xc78Y=GnO3Ade}m1t+^@Q`wlw`kW7JrXPhk6-`fkchc-7lC_Yo@R4EFa|v-5X3wbm~c?Zm_W>E2`h8WU+x$PoRDBb9mrJMGChf$tX9mqza4 zIOn|Ge7mx@}(aBY1uIW?(&T*Mex*@{QV-u&@?b{Gk55b_1nTxn~GE93eJ z^AhH|{`c=#epVZWy?uT60?(?f#Z2?$R6`a?XgN4M6YjQ-nh3oNzh+^S)*W*aC%bDF zIc%+-w{@qPJw=vu(28K7O>rgHUYbx1PvMP^yZ)N}B6frEx{1sE{&=E$kL~wYRBWMB zO=y1_88%ia?YCQPS2jT-{h?gN+J2_RiMM7cXv>OHG9fvQJs84)@QXcnkuUmv+?6LHnLpZ&9O7^6&!JOf7n> z?!N1o**t-DrJ!^ljnaV~ewUT*Jh{KuA8(RRlSLus>S1qda~uDb#w{Z?PmkGdefM2| z7fKXA+Rmx*#p>zUW~ynwOM{CV2ggY4lD_vX)OBt3gp#Ia7a0@iC1OCvq#$};?L@9B z(cAelUF`W*X-|?Xa`CRdWomwR&xgys<30a*;l<)-miD{lesHAEalsdJO>xSWD5IaQ zn}bJH2rn?>+USLDdc(pYi|NM;_GMd%bWI1zxz4VEropwrS2EhXTm8A$5Z#C)uSL78 zM2XmY3REU?4(Y2kKI26_pq%2|wuV8MIr$_wd=mdUrFCFLKG< z@>y|F>Cfc8A%4)>O+deRy;u7Gq3kWAqF&p+;cXx)0wN*;0!m7E$Eb974k6tgLyrj3 z-7qvrcQ+#4G4v49J>)P9`OL2C+WWrO`#$UW#7EXT=lmb%as28)3;QW<#hpN!@?KH6 z8`Ql<4Qf*w;?_XdUzIxg1^$a{* zLPtkO)Y_2fw*hacG`$X-`75?L_x45m70XhZ)`H2j0i0N?RGjc2Jz{SmO0$MrqiNBA zp5<$gs;>96?bXY{g(I%HT;EQ=TJGl`z8n?=c?G%)*{}ync3s~ZbJ+Fp zdE!dboKE!m2iu71?nf&ZbVrQ(k5G~X9Z4J)p` zml9^!wD!%hH+A;_)7`%%OXxowt}cm((Bye`$lg8FyVe$;`rO$8m7ztbB=p+^T=&Zd z3)Wk8pQLF_oSd&{miG=K7h7u`sICi4u%#MMSdiAkG_sy7^w$HOjD%`k!dg)6y+ivXdj7(Bj zobe{s8%<2Q>P{UI99XVn6GGN%z;IenuA@~=$k0obVf!tVr+`JxawL-TO-+&4+G}b^ z7(Inf)yG7UosQEw#~eS=Md<-|hu9YNvnGWVG0b4GyzJ~Z;Ry-#Ux|aikH0+QFUbIy zuQE5cxYWor^OUAc7yI~dEm+Sl`jK3We@wA$K9&i<62%PuR779Yk}ax3)d5;-BCYOu z#>!)*Cn6V}px!o2`d|Ep2W$ zH+eg0&M53b*ZO_O5yU;v_+0llj!JAiv`+&?;g0uhb`(kGBOo{}>(>)v@3GMdQ|zD3 zW-5>ABF7z>#XLGmPN5}hO)*f)sF!q)Q5#RIK2X-h-pnK*Y{d7u>&nWUx+5CE>cXP~ zKBnEMB_V5ZwmSc!zW#`v-h(@^eEu^di(jmaF-8H8&b9AJ*N#; zx9N4&3)94wS11EO6OwOds;ZTB4(yhj!H2h<`R%97J!dVwDCT0_YMQz4 zyU7I)p{hc(c|Qu+R4^o|Qtuf^`LZW{GFv^SH)TySe*VcCcvd;ceISgOWq8M<8A}9j zx|uvZ9lTWL=?}SXSouNf6VWnUhi!>5Z*4g@Bk2JA3=hW$&KSa^<-x}#PAdfF`$|>k z$pzh|q}15LvPQ2d$FU-hiU+`(xgG#8=@3x81iatX^A+9SXg7uJ<{3#?XSiYy^eyYG z7S4>O#}KM=ku{jF@vdyYoy(r9h?fbRvu&ll%!@RxRHmh3R_RHmM||+-9=g2QZPZ}r ziOsU`xK+*KkdL!qGvDc4KrjIm~FAP#&T&H@W^2GL|`sx=JYZoijFuUQY%6= zNc-+{$`5=Ct?zl0lDvx;NV^lFUgUlyhw`;g?2YW(QD?JGxLw<+Bu4?UzVkl2(RQq9 zcc&fN6m1mn3P~H+k|+r46MIm73xey~=qsqKYa9PTN`HyNLPLNX`2O&J@(!8wkEyP) z?Oi<(i@g8}erATiyxhDj{h0!>;yPV{l;Q!CW&SEC-&^nNmJQvM$71udNZX~=bkB}{ zc_&YYNH;}3pM|-pWWgp#J;f|yv-t;yAF-;jf7E==i|>4u2JLO0s7H?;_0mv%H!~e% zD4gbIWw(O1x%b1+>HU{y?7i-Y(6y0uIFNg;GeH&C^UGU*_6b7!k zZSf>bGTC=IkmGe1wzO49vthZO<6BFNRpD=6)@5YuqYS%pslkr{LCM_9plE;rmBLe=m=9_uu& z5|s`STRj$*@&(690akX1*uC!@s+^YE5lOA!PUnr5@jLsL2FpFRjLi2PhR$MYr8wR_ zFEoK)H@u%mh;J5@35s$5K zI1RLDrr;(J>0+l2$xxZ)_}5%6sQcfkJUpA(8iGgYyg8Q6k!b6I(fhQfD~e-}`}4|E zh?2+sISRtre+=GuKQXpt*IZjSne_OaRB;CuyZoi4x@CiB1Bp^*7TdX`z1po{5rZJo zRj4~OamKT$%>gD={faS7NF7-D3+t2l7f!UPf5Q)0w-2}y;QyvWn^VB$wtBq?Q|Fm{ z$AZ-lq}v&h{Km>>PZhv2Kf617Q_j}tsp^^wtHW1dDJAYRk-E7t93+w;!_zgnspIiDmizd>6i;~$2U$ZG(86(m&uxXSu3D9*xHNquPjOK(A!0DNu&hix zr#l)V!{326Zfwo;TaWz+%6N5St=cYp9E0z+_ENWkvvK3CN?tPk@M}?<*i_jbObd@% zgyq!U5|aE5tVL1$-nW>uj}iQ{Z&9VYC%;*H z;ACdk7WIjYoQbt1?4kmQ{Mj(~BprTR_{NFg%Hd6Jxli=5}(==tW_RyjuJqfahu zyY>5=hLa5_r~KXiCzEeg%NRrL%J%0R;I{S&UF*bW zvc=gN=-^x15|$cwH0)Fg(sg)2oereo-tJveQ(;LJa#}j?iK+|uHg!6Dd$t`cbDiDq zB={aRL1I~M3uSosQwoOP^>t;L3?*28@v#>L&t+; zsS@%K)DvA#!{6L$Gb%(R~#k;my`EcXoUjx<^kZd zi8iYT;n%erW65BaRDfWvxh!_9++Yt*W#iAlVPIQ*Xa`n_ zKoF|zH+0+&5%W#{?e*pK()ipBl+aH9?nmaY2ICbC=bG}}C z7Pgw2Q~PF@HwP{jF6E2K<&{t0g1ZYUSWgb`5pZ#J{A5o^&>d;>{IR&(eX#gsWC_Fa zmkxic)ZQM8UYns&==plOtcJQ0vtnBV(HpeB4oJ4~C+r;a^ytpCFn3X+{@=9d&dXoM z8Cv{?=UKF?Mr8NBw~S3p33!uw6t{&PX^#7(gB|MX1uDG#{4iNE`(WzoX5$H^v9~0a z(-jH7qPcvVsH=XM20v?zFM(%%`R&9!bCyX`yz0ROn;bj)&kTDZQrjqR#-z{R14c=On!-mVI7nAt;;dxs zUt}10B3rHs$D9KCunivwKdaxj-(L#l^Oo(CWj{VXcP)02X!54wp-Z~> z8{1e{(CJ`bctf68tjmuQa&UYe^&dWulQ6q&v|qVDXx~gzO*lS9719b9KjPY$d3(K& zI`UsTYytjwQXW0YzBo1(C4Smp9C5Qb3~NlF>{30rgr_Af^B8h7j?n+{G>1U9R^tkx zL;gW0)SEXuYbM}5&r~@Xb{$4T&-39u9!cZaO`1>O9_Q)`W9zNufTOtwRbSPGNT8P_?rZqNVBDD~Z?eS3Xec=_aW z*T10hFY6c!Hax@m;+V-Hi;u2(8Y0DvC?8;GX@5FH=S4-LAsp1DKv9y-VBxm2xyjj< zg1!z%GaK1X1r6x+@4pBC}C-B&>MG@U&$<>%#lum=_yZOpzby*&|UMtbE zYMrVBKw)4VXoQ)jU1A^FY31j6SS~ErpCic{yw-ji_jO*blWpphW*H82HJdpQvamf)4W(8KHN9lvBack zHpKeF-BMl;Vk&+^`GuiZySLZLkeXz8ZfuY5I+g1 zT)PFK^Fi}jXcN|{Kq0W*B+{1j8N!NHD>)17rK`t}*=?_n!|7^yv5zMb-tM!nqY>F^klWC#c0< zGV%>lH@MrMrZjppmoGl=jjXFDYWDIk{4vN)9!d%*wM&EnR)gP2EEgj|VYJI(!T6n% z&S(72v}8AljKIm>l4K}394l($aw)tA_xS_?G4`I_C1MlV!q34YOQe1{4pky`U+KIK zFt7PiKNBDa)49}VnrwQi0NPzh_W6;1HP8(5nu+A|lXdBHdWyk47=gyc_9H$dh!RpU zs%)ZB(_ibmz%!dN*HeiX=q%F?r}+{&`I-8nenr-kfobA|fn ziv(FA6@TWYOo@NF49%H;M*QI4)Wd+vm)LX9oq?NmcgGZLe%)3RSbJ^O2gn+Y-E1YY zW%z>VitO<^VbzcRuoMB?)ltzUHeG(d4g)6~g~S(Y0r!Uuas#JwxM*5pv8H)}Ve(N8dYgEnr~q zf)O~Z4YRq6pUG-8c%@#_`}GOsVmj(nbKS~rvEjq^hC)c?r$v3Y9w$O_Qmw|;=<}*z z@0ZEfi-G#^L-IrOf$udt_X*>3N3~kdk6Ono-R-)xDt(L?hiqk&0X7RquBLLeY6Q?2 z!xo{1Lp>qS)fm$6I6hM`KHPAQJe%-g_;}+XtyXkK08X0W-H{ii4MvtL`xWEbT}a{JpjUoZ72p2ia+h~~b__ti*A=v!~xxvrGa+J2Y~*RC=R z95m z^ACte_1!(Z_7_EC+pI7D*-U@CwdU|M0s(0v%cDWE|yHik(F~bWd7Mgx(DVm=$=-`~H znXpEyY4QePUi!n#(`96$g0OC*;Rho}7u&CCHAXT%Nv=OnurYG{7EWTeaqDRcAvAoY zJv?vpa5#8=okt>BbWInsF&NGlB8LRNk`TNUeXa7dxQl=#7H1zYEYu=nJ>fcenK;8; z{PfX!kXKXcZjuQmglqbc+ZqG;)~;_abY|HuWl1U#rdXA@c&B&0!c$an4nBwVfPOKZ zWW08?%t_d{v(8;K>6%yVFlt?(2nLX)R^t95Ftbc|JF^TB^S+%%jaJb&Io0VF6?eR; zS*55?xuV6vD7_t3)Z|Xv~(#Ld14bxL`AC9BftQxU9@O*N+_C zry`qV@0NCQY~uwuIwIx!fBEcDf^sH*M6SccyKwX6ASW8*$yK#svH_8=RYmCTcqnxn zS2m|&FIfae7k7~YKqqK9Rw5G#TZKlfM^`94gtrv65!-x)BtOPc$UdiE$={nU6*wb- z-0;+}AQ*5a*{S7ZWCPqr6S`!_sou%Ht$|dy9%DB@81-s+yPTe31-%eYTzbGHP&ZMW z6&;&!Hi(2lB_gjo@uk=TLRJb@1RnZeA5ZsdYB~#@o(pTmNIpaJliisXILQn0W`QI~ z_MC;O6YM6JvHXNwHdQpBY`*NGLxp5vS3hYChnADh&lW3?J3(o*e112|x)hXE98`UF{4!$+rs0cnXeR$Wb$aimam*nwvfXTqX zjLn4WLD`Kr@TqG+3D%!Xd=$;SV=#e?io!VIzrNv2$H(^Ru+y^7;%A`!0bL68N0Nn3 zcN%`P?6Oig)0O>kOHa-pXYZsJLb_`0bU_CW<~B!-i*G0=ARlV{fmY z=lF-xkggp+?&{0Ua(sEIOn_*-GOwJ?9fSd$Bt{~jA|ny|aSff3rIn28ojjd3z41XT zFeHa|jd2QrEsZ+1--4Kq?Lt4w@W?l|pQT#q$p@sRb)LyjFVvQ22yOJV1&giuhH^*X zN8mVy;@zcS0~?)_4yHZzjB%3f-LHd6M7t}rE+g}MPmJCh)9HQf94n`mxPpL^f2O_% z1u9f>@b5h)j2TEysqg@!|JmGWf=B`jnWF{lrsV;A4xG_`z2u$E*O(w%lTl&X*)XzB zk*vsFqT%-ut6$(eEiEBMMHQ`QN{jwEbHDIi{F9Mm?9*}>IRBi9>D?~0SVDzx_nC9^ zhhZ}lsvCPy3Wu#nWKbk_VQ&qumT%kgh;__j4&;H3N(Ugv%$kL6{5bX0hp)DrWkS23>`{T3pfXO$j%?~@(Guo3n(krLxDo*{~ zH+CF%>BG8=Z5e?TIK;y@yG`==piope9;(yg6qhz@_*_SK)du|KQpi^r3prd3_8c0I z1hS*bN6$B)^(=(*@@~oB9w##PR~Z{S0^_=5rKFP{4<1x` zznQP^WvYK$_J~$sV>p(iON0tXq;h%%7>St@-ZTZ=_^?r)PBHe@|3c zw{ofGSZD!9AjZWK0_4;nSV}|8M|j&Go9XX`ug8}`*E-1-8;&HM_4@`iqm?Q-i2)z_ z`WIU4H*@Uh)_1Q(tF>IcKSMTI%34sK}Ao0e1IJ2$juV<@TGw9^OnaUu3`4q%b@ zP`xlOnAz)fJUiCAr6pt8GWTVrVXkk6 z596{MrFyn2jS@1PHslM?h^~VrPQ4=wi$c}*_VHSw#t79Z>Pd2RjzrM2=N`)RQm7l- z@voq3xxb*>;HS@}mu35rd&?sGZb>(n$PJ9g7M%J3ePTJ$FN)&gXYX+M@dTf9EdRuo z$>f-zWfYXO0FLyJyqcq?$mqmtFs7}4Ex;j!gb`5Cq^6}YQ3Q!6&cIr1Bi1Ip7dW;W z;-4k8S5~*R^tm=B56vT<5m>bC7=|cnui5<0m&Dk-Z4Rs1LOiM@$Oi8# zW9-|-?xxXs&(+c8?}6mIwPZC`bFYu%B|Ej%r7LRHW+3p67dv5=Yqx{FwLtfNq4K&^ zKM2n#siO?T;fIRRoHZU{2`6B5@uI_Ui7*8)&Kg`a#7RvXE1~l{tQsQtQ%ePa^hjJt z6Xpx%bsG_SKkz#+Tg^ej$-0^^1|XRl6$;RQ``ZsGY1tR8AK4tSVCuW3A{sol-|u|E3-f1Vy(32gtkE0Gbq<-1Y-9Kue*+Q2N* z;2)N<@@>mj7gVZOy`_`8EkMqm;zCmCVmPP-oq6&aYX0g0W?`rXzHMpWM%BP`Y)Ruh zs`s+a!G$_jr(%K8v4{J!F28QE>c47W6=*G6?=Ex?Zpw~j={%@=`$~7JD_ah`y?#M| z`|LQDHfEViiHB6MN;e$Kwngm|&)Zz}sgmBV$R%~c$OC`_Jfzod={rUNh9lHD`BB~h zdc6myqoa;lLVo^SL zO>b$r?x2SDA>VSR#>H_GGXc7~M@PXUk}`xYv+-pm*{S*k{&YBY&oQ`T>ylTgJUuay zJVhFrIVhr~CDe?|q@u>C{=4HiQGQCBpD#3GoWC{Yd8ap`UaA*cpDN9zDp5?c@3lp; zi~vpGdCqw;5qU4dd$68IXgAHtLaueGv*9g_mtRnr!I&UK|Gx7wxqhqHwaA_L_uTK$ z*HydP{NmVQuo|13e6^Apy0pTvti$)KN}8UACnQ?Kr>6(|Co4clev}Vo9&h+a)HoOW zj>UN0j{_B_`s~3X1zoV?{&g+x;ew;H&)Uuv1HW+ayYiA^v)MYM#E!f0N^7+YQWE== z9GNy2wxp^{?BOPmg;ZO2uvMG?-T+1HOx#0L>8hXZt%jWSZ%nNC=&5PeJ283MzhpM7 ztLBx&l=+Q_4%-7tHA8x6>TK>$1HFxls)KkdPquBojkT*llZW#tTR^-VbC@?ezAqEFjTZ$ z?;Ra0MzyVpfSej>~N0ja+@V>K);0z45P%K_kOt)GGQ+7Yl#2OArQCYEUF5UAqR z`%dY|>Smvvh{b9JGQBLk@f|Hb_NtSv4m@2UKbm1}%`-AihoR3*V!rsly+!lr`3%I9 z<5@Q$LyJ+Qo4cc1Kp!NU%b0IN|3`6Ux@Va+TTokZ7bqfD=_!c_3|^{Ss8yG9cE_#r^wl2B$-lT^IWJv^_MCwTvAgC5UJ<(DWb^zbkn%$%?stJ zWXIR~E~OJ!E71((Zi&da;wc|!b{2K~=RSIFt3|Z!$yr1ye#YiAcav{&t|jHJ(j@0= z4kNnb=UTKP%_}uK*kWZdCqv4kab4dU73uk1Jg`fk#Wj|XdP=c_mLFvMSaPwJPJNgR z`FXNE)Fh{k7x{CVlKhWSPz3psgv&P-et+%1uMq*m52?jg*HVe!?xe%MTj@~5$Cd3! zH^eU&TdmQIpcguQIPi2;7x#L09CUVbi|Po!JK$#>L$vC8pExr-R;dhum^$yz-uj2? z>N%Wu4DXdPvCJ^;!@n-@YZc<&fhKNPoOV!tX6S5<;tO;#ubRgg^}rip9{R#9 znj({!RdIb8S>3|40SzHm@U+L}$MO`iCzUV|LaZ;^Z(T03M8n!Vb0|{tiDA3~_#vzy zRmKs)bjhvJjG_$Q7XB|fNZ?r3ia;*N{&Vs?XTFSFpOZ765xT2A`J;`E)jnvd6#2zxnE=W!|qBCGP> z(^FCFmx9rpDKd=T{sX^fetMWBE!`EpT7~gA7*;Qp8S|6~-fl~E*2y*KGmS@4z9O*$ z%-vE6EN823p8mD zs>BGOaNA8tsI7Z9pTw(YgYt44w$iD>4W_0(Ez$*Tj=PbH4DpW9WlhegR9LL5lfurG zmzih%dLLH4Yd!ZwHcnt#yz}06kGmBP?Mc2&`(RgPnq{;}*j1PX(5Twe*;bW;;RHIC zrLs?+ZkNmS=Kg5dosiY+814$udcdUUFiuWyjV@@%$XL(xykpKUrV|&gBP=B$^?7T> zHinq+e7YNjfbftBcMN;T%{N(xU5p9VW`Wa8VWg>6yN=-gY(8&BfoW)Y|7R2b>vI^o6p`b$WSriQg8}%J-jjuc_%M&Mw7Kdt7Xz8Uf2OyJ zY7a%dvJ2=%I(h%2f<#xgF@m~`#)L}KEyBC8lGKHqvHhXRcD5(fdo`l;bXu|T)tt00 zH`&ya+i!Kn^&})@0y?GTr6r}dGN#0G`uFN~EsN3sl8?85ac{p*J0ImGCt%4p+1DR? zo4`s@2YEJ4&Ijgt?Pb0JMK97irR73!u`h3SIw45?>nfB(H7gPXuCf>w%P>~^iX&+@ zera0D`MSoxB~!(98&)?A3@72qPFAv!SJ&1YD~~+XZ+EzgrgM&$a&?;_W-pq*e2_n% z3KOc2g7C4Mmd{lj&i{t~!Z^^vw)+OFA=n5k-1-C{_?7^$b+bshcYZs12zm<+%=T`n zD?EmU>S8JYDqPAumI^IWQ~f)O3Dd#rC$V65Jcer**kR=~F;&uh)%kU=x(g%%vg3;vIIb2MO z(05ITWh@_B56iVP>(p6y{m_%!-5H#y>b$*Z^>PH=-BK>CG@3EQ0GundamS^|d zv%IG^)c%8vTv3&*JCWq;3)EC{o+s&k%z-3p{@q*Ss5N;y~xk8&rxbBPz_G!ENt=j3ZLpNn+ zL;YvJw4<9F@)U`?Fhd&MAAwk`wbCDS6~c6}Q~PBs=9?fhN#x5^c@&8;8$noa$LGqx zOYhsgc|a=V5WVgbgMZVQ@4hGhfQEd&Qc>huUh(#UL4JUZZrfQMG`~xAHK4U7R}-#r zFDO7O6q9o)Czr2gSmTy1LnvRhMeq8@RsVl$jlF%$VhZ7`KO@_Ks)&ElHgU^eBttAe2M@OlrJkr&V^LZ zLTjRKyK^J_)etNo_TY3p*)6C%TdKVy+@zbZu*-^o`f+N=IrhS#ll3?RUK{t$t8LvZXah5#<$3!JqA=73nZSLoGk$jg9r?GdJ z*80NUSB_cAKSM>o*snd(pg>+U*kqKIPFV?@cXVfXm-5h@;11;X1`0JftVD0OMb%bP zys_v&)weeE?E8G;sQc3|UK{y6+FMQ6DoO63b7+8QvFPOwC|+H@g6?Y7sx2T`4ay zvkqEs*L><4d{h4GDdP{_GUJzOsK-x-Y6&_L0GoE`;NJ|0#WF^In|NTQ(}* zX!7R;c3dut>uuLi|Dcea0b;I{dJ3|G!P%$W`A=En_H;aMn|gAiCCGi&VJb6(vK;d` z>7J((ulNQQUNWjSI&D{R=O1E-pQCq)08f1T`Uao)mtk1-2?g8V)!xI4qb!S6w|?n# z`5C^sF-zXDq&D<|funlNXgYQ18JV0bj{DCd#d^)TIY!Hb5^-->B6-RXq+)Gi@Dsxb z>_fgmZ*^Ur2#i>XXDe@qofz{_P=RQEE1QEwT(cr9DfRGhiN?X4*jYP}jYP+aI2=-Q z1T@c1Izbh0voH3PX>ygtw3M<71H57mA| zAY2i6K{%U{LIStp5Hs5^QL!hRr4l}EA3_l4i=HWczZvukP%5&$x~=^!Fg_Nf8$fZ@ zVNfl4U?XNrJAOYoIazEf@$OtrwV%G0j9m>K5BBz$%u@C6KU9tO8 z4J|$tzQr4N(Bk8y=EA;d5@*t`r7rtgK%eNn*C)UAo7&Ve)3NykC8#OJ={+!|RvjPJy?&r&#f_9hC$ z19b8Z#vk0IkLh!Gj0*9#v|x;cOx1|5~z?`>*NMWdUvT<(qf4n+9r}WoDRsAkjWDjc>67$ zO>HmT8@_aUG>z@4@JKZ8F+x#Ys~LFs5o)I3-D2@ohBYH}L~&|@gwq67u}S}FqcD^n z`-&-J%mDQbcR|*@b%dLvqyR%SZ?GId0b!VtZSvR?xk_Y$q1yGqYZr+GLpF*Z)tdLB zh@1jb9D#Q1pQkVB$mJKE(2lh&WMEnLcL|*?7f}Y6-|64~HIX;l4_}(1-Eex`W?v(e zvjocjHR>CO^eIy2Xw~BZY3tr_d6R;t-AOB6^Gc!}R%8F3$`9XXm7ToWVaJw*AxL=5 zCzBj>W%o{a2z1qp9OIqCLAo{iO}C+?2jPk3%XiP7$&BU|TI_PNa_`LNAPb^J_RQ&( z1%}4hNMzEz15u&6m2;_6yFGD5}Hu@8cPXKR{U|} zs^yV>Bs9!0FatkdPDR`M!kK+O%Z@lbbkuM`#q|=@Ca)Fc9@xF|@-@HH zd8R4GwCc^XKGhq(p2vSoZ6BWgo+0p6>I325tU|6c5Q0)002o6`&SIM;6uPOGNNo$jN2vBw}f5I=KrQ7RxQF6dg8sC-b zOQRUN{%TwHRCtXANt6+resMEsW_R}my#%%+as+6uCJYJj72;_4(GT>~pu(<0qhb zX00j1RE~2wi&iY{anoH0@eM1?ijS zlxu187uOezW}LpypD$ZeL5GSfpcT~fSp&3`<10Drf0oe?-M^>&u#K2w{N40SJZ@=n zy{Kx1G%)cUle}WOdhvc$VCI``cYjNrH++AXP&A`Ex?W4%Yqr$WV1f9B;Np!6-zGgu z!n~DyAI@rBI!nU`7EIm51|y7DR+DKME>~&#Khx}7at$M8!=x^C+|rh4JbFf*d@FHqT*GV9(>%+BjbB9aLX?5lcq5CF~NdD$q<8;f=o=Mo%0 zA1OB-eCF;F>eI>C6`8_pHQzr_6MOMV^Phn%zPsWNuUu@ zZ)nHpC&N&`q!d9bl%PdKLEQ4TG3KjHrJ)i2L#GNV178p>x#;Q0QSMZsK6yqh)qd#i z-<9ugqUVF-{fjYrKAFkC<8{8|V(@FjtWhtWQK5zuwF2$FdtY zEiF4^RfSV^1FQ*Vo1zeo!%onQePL%$9@-=R=xJ4r|91Nl89Dh<>uGI;r@+RPA)ALO zj1mM0pc;Q&-r!?EoO0^NC8t{WmCKNg#bhz|k9s#l|Kpb{+WwulI(pezerW{jT3Tx!W;<*YKZkC1VCChL z?QoQL_y1bot_nbROU28nMt^A*eFrE%B$ij+PA(!i=MQ^5iE*^W$lUWIGL`BbsI>_ZqvL~y#H+oHu0C%zkQ$KkPySZ~a8_CjeZrhUpQqNIXSVrZc?+0O%kA?Dq z$lG`AUn#A2Ni5&vZ?QbRv)1E)4mDJRrES5nEy6dlTQzZ)kF$Pv4_>0*^n}BkMWFeU zXErMXhzz*(A)AM{pdXOHro&1tlINMXHW!$t^fU^_T_MdKw z+xm20U#$#G8{zmE15Lg2GXyFJThh6cMX1inq}$w`J6pH{*BnPRzgNaQFdNm{TXR(A z;~5bBmjUqkVAp8KsU1kpT7)X56<%Y-#ZCvJOmT$-cfb?t^t|d26lR0luSo3NH#aAe z{_+4O_5e&?NM2oecPm2@$yo>)GSA`N?>*i68-%=@KJB&qer-H&B^}uDwRpCGR>QIORV8Fxu{+ zsECeZ_)63FchFF#<FLQuJDI~q8Nn^siVaP+ujnk2SdXtGm0wf_~Wqa z`px-{f_3>hXBO&0);>{HAjqrs0TY zY+!U!{h|MVopbU3(>bR!*g8nqIR23WaDLhvxQr9Y1H8|9veEoDWs!={_l~YDCW1V##V2=E*6lYkp}z) zdUYdCQrU#{=0zEnLMzQHY<{F=w&u}W>b=<3gY*XylesQ19Pdr?U_H0o6P(kGGr>J%@s?iyLLN~{ z-j;$5<7-kXfoa3BiEtG-i_lg|V(ecYwZ=NgcMPN62eu{SYw5v)#ow#`lP6 zH-2^ljc|r#5gr?4{V*;Um?r1204`hmYvu3gtr~qGym7UH84H(z^UWk?gjl&anq&CU zKhj6l&aU(rQvm5xL2yi|mR1;aF9-YYBlx{+ucLixNp`+3|MnHCX}|3qj0J~FG@Vpr zsT*R-WHjH^nT8f;?MPG7%D>?EWfh>CHJwlL11%A{d{ME+Qm#|ZQ}0#r+``ea7mW2# zOy~@Gc1}wse~#ODGd0GM&gwMYw87yVe{5##kk8r$gLtyjSAP7%LB-x}+y7d~b?C&Y zY@u~<5E`5Goc%-Taz|Cx{b2xQ{nrw};Sz=^k*BUFemb~RhGKc{{AWfQhYug$aruJ8 zo}t0JHmS;+4(WTo(OC7f;0U)9xaU(uPl9tmk$5-_6YSX=Vbk+CHZHZJ-RB=V?>~I_ zFzK>6!ZxG%JPM@vGF0v+J{A~)W|*wT3=y|XyXzzwKYC*HqKZZ&J?!Hvh5r%dLjw*T z54&W!yD_$dlXXbXx4Z57z_#!l+!Gx}NwTz?=^ShckF0Q@y3zM-LC8@(@3FnnW$T2a zeBVE#fq>CzAAx^4!K)tsse1vlzSrhy^auDq1rRb#t8-98IklZt-`@EQAc1@~pT8us)7wNC?tW@*&Y@HpPZ zyEO3?HqVqH9{&QDJm>gS^4Eq6$<`l$8;IDh%h<=iuV+!zmoP?DATF9%=f~PaP5t2r?o-Abe(2c*qd8V#M=4&ZZboE zd0v3O8GN~Vut)y-Tsf^a4*9ZozJ_Vleq7 zqwk&Qw{Ow;4~q((Ec(mzOjHfdfp8m0+8SB~I_8=`P^Ze|^H_M_bPsA+TaUN7`m*=^ z)%r-LeQ7a-tC2LcvthYLjC_7M6c>{^GlR3_u_fWW8M_$WY|D)nI9+!}NU521@v6@6 z(7+X#d++EIlaA3#5Q|Da$gduXspRQ^>_ZiXBjZ5n?%M}DVrs5K)a0+_xtJS?>MnTh zuRBzMp@Q0fQcuVCl@SO9^l#$EQ&L)X-_Q<6T!XV9N92kiIkXeU$ps5OJ5!LWSRy&o zN~m{QpN)ig{y6_dfz5Yv&8*ENeIYw(g zDGZ;6Qa-g&V+;NG@#A%X4)thVac(R^H$N;oxZ_JpCKzz#YfOYw5+ zu@E}^w5axrs`rgb5x+_)DAbbAjSuZ>{o2#h^&-&UpOP$f=yZ?!aw}-u;BO-D$=^iY z%ckbcvFVb@z&nAR+eAK>k<>^0PrC*_AVFDLEuS34TUp5UO5W{87XD7*9UBKp6et(! z822jd!8Xn#-Ljn`+B6OiUn{J9FW%X9*_Ic)WYMZCh}7c92Q0wuSL!S`j}Op(cptoz zfPOSCUwK1{7q6p5&w|r_@!3q%PIPi5tYSD* z0LQN{OROn%Y)_a4jQdst-7nF-dOx^A8t^h>lnL(yefR=zb@Pd33`MV_R~iSN{IdTT z4^e)G4*4q3{_CpCPNkTI<(d1Y1O#+pd{jAYV}K*Ci&{ssedKEUhaHtE>PAWGQB~C! zhcUQy>DjHl%-o0ODzkybue|5XkEM{@7{o)Cnu&~U9|G$$mW}% zSw1;?M`e7dqx0m$+mw)hkbEzM3&hX?XA>ogNWye<53{;89vu%Ov0#DBN<`DW>A1Y= z72u}^Jd$B~{(WOw@f=LezG!k7&}Erf%&aTCb)LJpKq--NXnmOQ#(iZHJ}s_2Ni(Y@ zRgWG{>No8vz{}(ROI^N+uG8)Eg-RLGy1V|e5a+XQbw|QspcFcbnxy?@`aj!7^kY6Y z;OLgW=O14TxU2PC!y_al#Di!eI0wIWLZkk?&qX}LukrLh{EB)7_&?%?(XjH5KCAbaT-3JZ>cXxMp7&w8U*Zmgh5rsQCV2F|TWe8DKlH)Ks_}JYR8qzuD#!T=hV@x(a69&%8wQtSQ;bJD7PH~CS`_U5{zI?Bx31B!n!0YgR3I}S zwRd}rZC*q@$yGL!cR!J}4&ZNfd+TLLBd~yR^Z`?(&FMs`ua_l!@lTAw*dIjnT5fPF zwci$JWhogQl!k+QyuExmeqVxR4r~_~K|I$I5m(dp*-%Y$Y}wyi2gm%m?tO^;)8Z=q z#jS%&%W^})JFPB+Kt7Fqw=##t#0o0~o`9(+2${v_j!YRwC^fMgp&gm6Rs}S#aO!HV zQp?}w!Ol@pnP1Q|BpVL>vi&-?xOgjpz9^9Tmr?rKgLpDtv>@$3$@1p>-O2nG8e&$> zWg!F@XqRvUS}%#x@4D!U3-#vdjti}7!vN+fh&KPN;-w(XA1+@z+F-9AOnGFP^sBqG zu{un}c|Ul2JRZafm~faDVPeVfs>H!)`D3j@gv86wt|1gpj);b9QO~w=t;r``Zmh&)CQoC1 zEof;d5LL_t2&ag2s5sqgkz8!rbp70x@$W|~*+q2;=dz3!7Bw`RZcdcUY;oU=lHxQO z_BU7!wZERcM8VYA^)TSY25&CQT(TlR@D?S&= z=sU6G|D(zEb-||5 zC8vGEIkE8=L zUiBZ++}!w}yxaB8m&+`6i2|&DOLM^^+2qZd$c;p;<6d+-dn{J6nT)=_3TWoi*xQ4b z4J2x+8h~Psvta^Nq7BiX{%J%70|do&CQ?K^#&ntw(Qs+1Qi;swY&zc$9_NbcuM1_- z0%I~zz4s<6a?L6q1N#1?0AUJ*ODnwgX|?#>B+ZzV(B;*CpHAxXAZ1)4FY#8=YntE< zyCCRswtSQ5{Acz|lr|7{m&#FRx@fICMI;z zZrCqvX>lQF-M=T|3tkxhT+i zM`>5RcJ7I>p^D8*CW=D-U08<{-kZ`g%)M+vHqX?puIgWlvIL1U?G(lCO(=8-Pd~9-xM1v-Y#zsSZP(Rxe~~>; zrp!l;WC2;c)A_L|zd9P3n8DGq{D)Av2Pmaz$c=mS5T zuk1_vs%CC)=1o4lx)AM1X{^Mx zEuzz}lKtPYwNCHopnRmg)1L0!)8E`d=m)=-*?LgY=_>59A|(Jc77BZ{)?j&j63S;4 z{s=ep)OCgknlpv7A+H*E*xqEdyDz1HLt5u!RXE^ZiaU)EtToXtVxHDz|1zn)pBG@4 zY1MWdreffO)%WFPp~dnju-0sBc@1-FE=B|HUzkBi0}I21=y~u@ED*!|TwDufEY|bY z$<8bkoae#C_5FQzl;(WCSL83}DRYCru2W__4^hO8e3Sh7-P?8?Bg)JB>Lvh3L!n`U zqQhs9p%+%0&1V$6@XSzksWCB?`=T+D>2$INmF;{IabN0@)a>(eYU`t#@pc%rQesKL z$%XZrx$gN95=EH>RgDdY-DWW-H2We@HcW)@FgL!}qIQ7!;pCtUjKb+3OgE7Vx`dM3%)u5mDzw#0sP zj?}8Nl+mG;R-=EKi_I8=INaW+JDqrwiw84T9KFq+miD(+oq-vKGYjSIAZFLw{ zI&v*GhaWvYTgN7AU$3|6-)%v>Je=uhKX~l3p%~Swa=QC&(<}T&O7!}Z>K3E;KPe>h zw(k(kbTIsSwZmHGb@bGySLHtzvsN>&pr>YzQaV#8%3BWHP;RodlveLVhk{T2--o1! zjG905s6XbvI|=hTUa6ed#pvqcnXq=NkdhqMX{yZPYw#`Bg5e@A_01UL)zdv}S4^LV z=z^b#{C4{Qk%US*2uh4UQLwf^Rd zoF;#n+pF23?aP;90)YcL~5x#EaD|I>bgVzpIuXG+fVh`sUeh_cV)~99J;v=S+=(dP0#eU`j}z+OrW zs8Upa?X<3YK$}bZ{CAlPE0&Y^U865yp@^_*=_#@Dt-l8j!gG{E*Ts!d(cpMw@ln4L zvU5w`1^%!2B53*zX3!-_%TaSm&7ygDi_l^D-&hAK(H$*IQ|r#)%|yJYRS%}ZXenEM z3KBB4o3Xf*lsC8xZIOStmHI4yaVr4@FHR5o(LyZ3D)$6>18AR-`RO%UoUS~!b|&im zf;y#}t=BY&0=13AywA){&rs-}vqM+r-g*z80FCmt6yI@x%|m2UIo|k-wc9iKJVH#6 z_Rz}HZgXy+RodEI)i*NM9w9;Bo^CkZMtuQI7$?ja(4Nl3Pf zHE$>92hWp(l$HpYoIc=&Sp;X)K#s59>36@O`EiHL2iK*e($7>XGbFzH>T$`r9^Ubt z-4Ad2;-8N1o29W^0}bAYWbRKX8s$FAy>zY0ov+qX=&Ai9YL9iaBJSUgeq4@ThmDdZ zw3UdP=WG65<4!ZY+2UGOk}ui5!C6^xzV3G9qDZP4L0(#9IaL9UT1~^TM7yKO;8~Hr zu9VF`q~g{Z{UrS$MlBqQ2Q=TROWJ(aFVx|19~ylLw~oe-9w!y}_9rWyQ2>l5Q~rLC z&26*qR%p+85Y0FzLO-v$$z!)|9ulC5{88ZMuxfRYBh~shVBq1gd#)s7n2M+HkT2pP z1#;ZvA&5jN)|f{`_4{K=4t(iNLOjSxde%{L9D7x*=n=r^t554m_)bQnE z*gkJPK3=;5iUL%*KAXtl>24R0o0^W!qB*>^V^8yh)C7hYla#u7w`b_`d&tKib_Uc;uiaqs!=vQJbG)viz}9 zV1vU)XObP2ux*I-K2&i(0rq3=CqWo6Jr6UWEoox8?V8#&H&|H`stP-F8}~-+CFWYw zN#yqgc;0X9VSGhRN*{_>o0@$mYg-i5OYt2&$1S5u4wMO)3EVM&pCt<{Jg%Q1oqA8_ z^|XR}_I4TNcxDFm169>f2SULF0_GQ9;LgOCJ-&_>{Zdkbb3OeOJxHwuYmH)tu-j>8^#+YgQ=;AD}DI-0|ea;BoP!&}{0h z`)!T2bshs~5cd6?<W;U8MStF=_e-_UCJT#8 zrccq7TUO{W#VN(1OqW!x3lSyia%^Hpg+hN4>15MbZHx3<3c_+c)wLY5-oPG>=g(nV_>N{7+)hs0J%|sk4F!{=%PG&c z2}EkW1ugK%IqW86bObCR*m!xv)UIc2oi%@eeih_2B)g5{jTA0OULfQqoZ4w(^axz@ z`%T9;Q!Unlt~-C6!b;u?nz*OJAGY6uB0OKvGr$#Ta{I;)USQc#kA97ErADQWLo13l zF6TEjS>;!*mjB_b?y6_r47+VqrM!b+)iX>#K7!fVDk>{zlj6Q^zvIpS6e4cIv|`8k z3n1bczVx0N=pOBgVm3=ur0Z8dgt#iI%Dag7tec-P;JtHJ6?hvnR(#Z~*cvje->F2~ zkHw&hS0$h(vn5+SP@{W5w`55GUqK-%y@{1jy$6HI2(sf;hx_$NthO$O@yIPXn@A|U zEZ1Gk+e+H4E9sFk-#D5L=3SJn8~-kIop$a6x4WO$zsl3LoBwhx!EhS5J@lNDFObt+ z>G!0Q2$I_kBUuOpIX{G~!@4wRJPWk1 zMfsQO0oWzr(vwy_Hw=Qq4Sm?WRO+8Ge4B|{k^62imP=j{Lao>V1~ZH_+f-B%C}nj? zrzpiK#3VTQ9ysNrQodjmhip2$qk0sEhRHTa@z-5tTg7C3j}^nC%m`X!>#arUH18Oc z2M3@#CV25|71O>-*D8bdqwrVz_H$FBE`njT7TY%^SxE=SCd^Gzsa~swRYUU%)7Fcb z1(IwENS|&M4j<_)7mZ0B%>cIOM*8Vq2~42$#a&9ty+pDS8%QEE*En=0*1JNlc*Kv+LTGn z!h0h_Mp!Os-DhfQwZZ$C4boTF&;Gx|?-3>Pu{9?%@-;Gn74LQXMpXR{`QKa&{otCT z>&A?Q2J;B+-5}GGvOJ!Cj`3QnyOSH=flFxtA4?_cH*x!!^86q3vM~ zkhW>j__i=TNb`ktud?vL<8@$*VS-Jo9qejH^ozZ-JKDJP4eF$J66Z@-ot$f;Aab%`IYyMGn)tJ0UWv8=!>peq0A1FGrt|M|lBP!=!gk zuDAHv^_s{aN3?D7`$SMj{j4-70hiNbOp74t&yZ8|Zciix%KXSdnd=x^P|M)IMC`mj ze~Z|0PfzkKqdh;sGTIFM%kHtYCQjjzjl9>eEYa=Isb-qtEkyS4Hp748LblhLOTOSB zX6kVl18O#0=W0}l$4|AYJ@*spTIYq!=C^mB&eoPV<20n!{z#37DtO3~#--mQiL-IX z%`0yvWYfUwH{CAGiPft)MmvpWGP#{EC4l)qA!an@>-$@NBcvUJsV7?J`=t|4A@5>p ziqFGQN&DVcc$9@s^{?#gKNSkVnJA&7_^*gRb4*X4n#!$}^IXj*9EM1Hvx$yKgvrAe z-j&iG*5FS3xpzu3S>Gm>yvkywcp91dR*S^9`KG1>Zz`{DdbVt#=gY{)1r%I}))wQw zM6h^8;vr$ncrt2+#6>Y?H7WSS=a3E;>7@oS4s`0ify-Fc#xQ1h=1RpNV<}?bisDD9xY@+(wFG(3l!@Kd5j^YBPkl2 zCZ%&!w0)7ht9e=v7ic{?gtdAz>#*^J%AWf#QpSwod2yp4Q>YT34g0s~$ZV9-uYO)LSBXOHa3QL)TqHS)o+c8_fa_2J=${jD76!f1Jv zI!!CLo#5Dic|E+F@()`?$=TBLo&v1k-2rK|{ikNp2~F)b)!qH}=n%`C=^2ROXPi%p zlC3W7TcyLT8YIoMx^=-R1$74?_o1lAtAE|CA1(O}!DZ;U6>e*kh-W?by<@owE!0h- zNJLM+_0@a&M!wnYf9wX0L}nNmV?FFW2In403~}p0p)a22n~fl&QC9OZ=t2$tl{i*1 zqwt0mYzG!(A6`x)f==z;8Q#l-S@`hBRVw?08v zz~H6u=h%7MUl&v5iyyUO^G#H5tP%C=sT_t&l(RNq>Qf*4yvmyAr>Er=?w{5cyGAKg zd%hpS+q4Bu&*59AxQ?MHWkviQ3sR!N*EMxVsqhEOAVm!lKBmXq@R#Frzm>R2d{@Nv z%LV?5gw7xn-W=iL(um+R>My}l>xN{*4uT3bB-GpO{dnb{kfdAwKipEcjT70w@LM93 z#_`~S7t%fBg@MdeD)Pl*^P6yeE@b=S4c_M>$K*D=_6)R%O|UQzA{>^hX160gNvntrT4r~29V!;D1v$LBF;GcW%Sy9J&8vQ9r60%j(C;5yt{yY*l0KOp_56k7; z<>>W1ZrJEknBn_s*s~fGzpj4LQ;LwVexCB2mHpP^pMMC`VV)eZN~JAN&yiwp&ZGkA zw3@)Zp;RRl*VTQO`+u-WGv^e@4<^s=UAO-yo_Cnl5T1DoP3(%(zKevRfJr*lp!d5F z*B-7Vj%64`T91_Ew!VEzXHp>{4K@gE!&LnC_gFK&@B`a~m>fo-TtVvQ*flsrAT{t+ zmTs&eAsc>qcy>}CYO&psf=_NO=?&H;?LTqam*7|0CL5C>gOaf|Zfg~42_zK<9-xD>c}q#lOs*1J;%4cg~!v0R2IH8_X>YD~Nx z+it}fKBv2h+&vM)D|u9C_uCm7XMH#my_lS06Md3i8$TciI;l4^LHdd;ueno!ZN?Y! z(NuP#S1Ze@W}9IC>u6C1-tO|M^fwc)n#NVfjRTUx=+AblI%9G&P42Rdm=k5|m6;x7 zj&O{ua^rxd?~L4%wrl@sFcDgz@^q)LI$N?$M32BjYVs40)}Rkf-#y|oz^LSoS)Ssg z!k}Nnb~HCFnWq5{v|^G(7A*JWP`!}}#yh=JJ3I|aFxh3^E^ij1pJ4-(af7_+xR%z- zR!;tbcJuj2w0YBfu$`5Hcq#o-oVMFSIBbKw0$t`$7oB zm*1bMVGUgka}E98MP90~sUoK^r~Xy1;nUR`4BP=aSkC>I)TyG|mhlc^;D_LCr9^NdF51!sSw99M4 zngG>^=>R-_rd4B4YrQPZ0kgH+k(_z3-*q<_GyNW&v&og&#A1Q)#{*by^vc@!t>_Q|{Y;jaHn@nB?XTW*-U0ov1rljPZ5by#Z# zM{Jma^2=ChV=eq6Bd7m<^;(nn@uozeDu=hJsW1!V;hzBWunZbt%!gi8GFGL_|=*X&w zs!$FKjIZsHY_sl|i?A^7)^zJK-J^~*tU-^fX=-hG*t{JnK>p(sFR;FMvbb!GvZ5URkCJFlRR@Iy}^avzUnd{b8+ zXkcUmd#r8ay&tLEptWmfav{~MbGdB8hm1Gf^Ub}yR)61}1ad9%QsRh%QhD`CF6_PI zF@xuLLHCtcK7;+}p5c1tY%GWr{PcWa_zVA3Ay7j3dJyMrlA5^e`I7hda0b{T!vh(~ zXCL|VXAh?I%r?}Zb3HSI?LDZZw!L=Orz@BjMHR{)51?(2gGr(Em5I-3X2&&iv*l!T zK5?tfSe*~=2ggc7Rm%j?&n|vMA`)Brn{isF+S|P4=9x+vd3P>X8ri^e+Yu*B`nZft z3YE}^N?E`_A|ig>!aj;E{u%=K>+dr9=kF5Q$U?z8uywLOo6eY2S#g_H+skqJl7g5H z`kvwOebL}_rNbMsw)xZhZNI<&t@3Z?W%Q9RsMjPk9e%Q3lj5c)rtq?8hwG3;txQ_p z7ec?k+!{GKXvvdAX;eg)WM{XNwwM{#@A=4C=s6iXU4d`5uBdsDI%Mt0@VrPqX1wBx zK$c^H67~w(5#S#(bteM$6V7wFo$^BE1-OEqJoa*o*IU3FRu`_t^ zloE@&CZNx31Ze5w;u7}6N=pyfbMD;qrIp_zs$iXLG@a|}xLDoB@8+kkSh<47Ud$jA zg6>RMJ}qi>-3?2rX@-+Wwc}*Wz7p$dqd0LCz805>ZuxTtuEFB^jHR9qP*V#loci~7 z)6k@Hd<_iW5UZ1e&r?}{vsBNC{|x05=ItGMSQ(^>>h)rwSU?{hZfGV1oApNvlkLDWoHKf^tJZqkgI1-XIm>6dhpIq%k1~lG z^l!@Q2}Bz;#YAU)sg~wk9LSNKE~5D?L22L9t~p43d;}}6$J!9#4}{iTAzoi6IEbEW zmiGGCxuN&B0@*a^G21q+p`8}Yb^`n$W!Ia2mC|{vj`PbN)=xX#y{--MY? zFa$(aNV@&=O9o#otS%p4q}gLm&aef*$0dk_!i@2dN;ZO#CHn1m-&p+u8s{5~TdPoUib|drl7+J`Rzr+!3_C zUZ`2nv99>FUW8$bhijBK>f4Z!b+X#Z!2mr@I*UCt1%@S!@B7f#Wh7)d`4BVO0Gc61o4-Db)&^vf2^b>p5q3=HIg4Q_+T|yOZeZJ9P-U3HW#59%lSMH zEf7F46w$ArWRTuHRcs!)$Kv@gB;rvQh@K&Fb+PetspeTTQjJgXU{}QD)0==X0J&Bn z2M>tlr;GEH2tO{>)#XFE{1Yhd>MI6J8)@16IsaablDO}LVtnV)>erMiN1Sgjm;&bs zh-dZ!SJ+B-i`H^Ms96-)G*@FD&2IWlDe)@ONlF5tZ8s7MdbN`VgAuW`OuF!6o3C|d zz0Sq9h95p4a{GTEARt(!%`bsf=Z;#UkLhxFO^D4OJapR zTNR5wzjVLPwZHM2EH;iCyjJ?>2zX1&%8w3=P#24$>rBRn$N8I%>f(T3n@R6JTI@_~ zV`S(0Gg}6gsxPOeV3tx2U2RD2n)JGHX|AjMY13(>K%Mjnnut7bx0qPPeH0ZH{q!gn z?vaaP)GntMrHEVB1r>2<53`+kOfpq$dUmUO!3E zjCymKg{Y$E#Z7W29&V;pu`f5TeZcu6U;H|dy|5=N0=J&|+(;-c&j-7GdwpTBseJi{ zPFimS9CX_7rQ|V>U8)ff%x}HZ7u&|8E{{$4dj(ao0)Hh%N9bu+4Xe>`H^3XW^f)o) z z>ni8>z)IefpHXu!IUW@|MK-SD23OU9JZqdo9g`QSe!~CNSaf#C`06xGnm#P^IzfNM z9w}`;uAc0FQl$coIWdw-+e+UEJ&Elr0DzwR4S_=XpYVW$GnTO*x6kxPQ|zk=@|w=>>Y}SgyuTHNzNV z`d2^}kYvi>fEw7Qok)M8`zk`Rb`$D%T=;~rW%J=R4j@#-fBf_cT4{L3tb(&!%%5zvXOMIpp8ENH#M z?6KuX=@%HB>71M^oPO#$_YMV%0fcb*LbU#H>f3J;vTA!|de@hrVN1G(O!glkFgFEe zO4Q!F6n(uxUpm^oA1poPv1rG`?|{#il_1mzC@87GO$qwoiPFBbWxQ*yb|u`~NYcuz zqU>TGm#Lk`{q$xj->*&_Z32s4)E1UPO8ocsRWPsM_C!v^JyaL+^)@f42gix2IpJWf zzT{+N#0dhC`zt2pwAZH4#dEzkVm3HtNCJ}y7GwB6b7uZQagmRYSdqckX#Hic=$-{8 z4ajY%_d8J^^7EPkY_lV8r+-@>g^8}XTJ}$d69RM{w(|+gl$gO=HlmHYX(b&>PEcrb4)}Kyq zlpWP^RP5_d4{Zgyp1U5!uE!7x4s70h(Dd>9;DS<&nNg@pPHrlvq+}A$j7vt|Fj9w% zf#NUj)qEscQo#uN7A&P;U>J~%vFRV>#DT-26W%PW;5_Ry=^)J&q+te;s6&imCq#y>-OtLzz@Xd6_ktySlbY_;-?d zwfPzXobK7VS(pJB;?z^w3utIU8dpw?P&cP{s#WCGND$GO*l3%XckANLsJg> z?ZU|AINyS+cb&v64N>6m$uu$rT`R?T%k8<8$NX~vYccn@?HVsA56OM%1oC5mp3#0q zz#4*D$M5HtD7=MhYWAcq$jTe>d9U!dwBmVve7=RDEdN1>%p?F(*eG#s3u|s(H>MGv ze;%*7A@P&OQJQ14;axEtT=iV$@aoeOMECO!1D*In0cADAcqDcb4)RVZy_A2% zAlHhr=KNs+IzX_b7CHix3)v^4fg<^wsD+>1Np-g(ai)Juz2nA?GFbVkTV((da7Cm_umirOs*3n zP2E%d4lguVsd$ND=hb~jLIy{2Uy_%KiOUHg5gKy? z`%>lhT)m*9>-U3nmfS4bgUew&G?K0TKrSd7yCU?eS+~=(xN{0BS;IooRxT|klqOb) zjdbS$-x4|mR%TpkmrEy|zuYu00sBGWp0P?tM@viMS#oQl_T_EbWu}~KzHDB+cia^z z%vEkAN;P1;LY+s9ldQvI421L5g8H)}-;I-~v5x=`LI`*YWu~d@bOHNr+bjF7#PFX% zp31!(=fmUQVjCLRG{f7W9O(EEn)K9g}{P4&RcG2jQAxS4 ztP;uNnT92#H0ru>1bgRCocC}Mm6!7v(Qpj5oMS&`%s97D67ef4<1+O+2?G(a!+m0R zx%s%E)kI@>?6;@XlTboa1k$jNVXwkBCLr=zS&F$Bg*-wBN*T0j%wuRb?=&kfRH-5G zl{Aa>`oeK_1x)pj?!T*P>M82TYe;x)i6Lfi>2Li!@bIQenNm&GUXX^zRtw;gnqkD{ zb5G7}&6CtMvF|Pn$*LN6zG11mIIiWA$;c%j2r!d1dQVgHNC-)9x3-42Fp^c|SqALu zl6_>&MGx>cl+T=wd&+MVNna#y4ND5!S#4&^Qexe1Ah-&wU4knWY}fKCoUBh#6QSYA z?ot|W6Q>6_8dDPLSzm@@;!$46Gw&qsZ+aR&e#~oFNQSAh4oCuIepj8n(g?IOVUg6E z8Ox82{TBb(U6u$PwwV6;;WSr*FEfZ7n)2YW9VV4C5B_jxj>lvpr-)LJ5}GcVm3(wWYm&&f<8k91_bqyn^?$y zZ?zltoO^jpKJgbhcr3SDZ=a}*D54zbIu|~b-ERom?SG2leLQCfXfHDXN&gG6s3=x_b& zWUn>vMwc<#SBJNdaS1K^oV;OvsKiL{vQZ1pLDfU^`4_#97#{S0N4n4>`p@nmp_jSM z*=|}61O$_mV>+`SlW9|%?Lerp^dcCva|e`SZkr$yl+rs~!@p-s$2L&SY2_J+usr33 z-mZ^kNonCr7RKI3mZ$ooMWB(h5008p$oyr`XLiO>(| zAq#vyk4cvxrbm}p9ewZf_+f5}al@mt+zI7m=jCXx*0xf&N!a#z?(zPHWnw2baqrTc z$R#>~tNWFp(2&u+PnkX`$FpRJQGG|vlYyhIC5qPe=P#K1Z%)M)-ze+|C@hbr5(gXl zA&aC|3RLWL_K!O)Dqbm|Y2R-!0Q=S9HOVC_c(cy6P>KDJC3tDh-Ov5LaLZt);>eebd~Y)~Q@+3=Y9=E3ygJ6Cw@v24QreBQIVk>*|TyH=PqNV zvAR*x(bM%dj7-AC_BwJT88|nqgMjURTK{wcTIIw=!K(BB*!LYuT$@7%dy6g5DNf4} z%bf1c!tE3WqcT0sa3OjPY1HyF)j7u^eG5(^Y*Hxrn)AVMaIW}h^j#zXRc$7|wFq<6 z|N5w$A@YG?X5FNJi%Ofm%V)#l+zZ}`-)^DCWULP6qZ*o@GOWX7(bFP)LZ#>?uME0wy93V{unBET;i5Fp+=3tHEfOxS6iWacGS z4x3Ko(sODwa{ol~o<-PxrW{nS%2_<3-mo%qSC>?nthzY&K|K}+(1gIPv^0{zDeNR@ zOs4Yn|32Jo5y3cHaq2%`7$!}=PVx;8I&u}4OEtADt0W{@Q&qVnc^H1zq*bnmVxtJ5 zX#jj4G4?)+lz;krjBg$om+XkktgFqdNg*hhj0P1C{gp1*bANv6SW4au3lY-#P3Ukj zWB)ce7kH}*QGAtCdrGIU4`XWjh5MsPe$T~DUyXj?;kt^EfX{RKMQ*G&bvyJgI+lqa z%XJV{88b1tx>KUaUGjBxxL+ z=uQHk&j8YB1%fbL7F~rzK)qLdkm3BtwEOdG$_cwe)j({r9xn zM|V7PrTq*KJZ?wmzCMsV)RWS1Ty)Ecp0T@b;<=a0rW;xfP!*gXyf6jWfsDzAt zkMDX-(-=B6U87q#7gKcCfrSCyleXr&j1m%Y^*_dA-U$ig2mSanuqWio)q+G%c#YFA z-gR!<*eohWYGRs@#q>OMTo=0}<3?+jKspUw^kY}VL_)#dmL*YYYctN8iw8M~zuT3& zs5ckaT8?QVss_H^(VOuKb__IaX1pU@ccQW}zOs{v7h$j0QAf<(FOradjl@4d*GcMbHaZfsX-s;XX>}&AjTk!vA12fbKWRS}gh*Y@>dJWKI9l|7`W6k<-sMsD zyye3tgDt~OufuvIQx(LC>>~>Mn*FIm^=*6ptUPlG`RDF8^`AG*hxZakNtm36t1X2` zah|gEgH{nYZfL~jrk?L{n>zb*=qde073mYo-2P9Eb8>S2jVjQm5q4bNV*-~eXISfO zW`RRr|5J!y_7fop;eEc%m?0{F z)+>i3eb&%ueV?0qJ~Nx(wgb5)-!KIplM)EG_O5Bou9`fQQmUBqtEq1u@D4^*(fLWC z2Rv3i*yUtW*<2&2ZZNwg1}Yh&C~J*3RV5J^vYI`+nkXyhCBIR9M6vl+hf;_8nWVH| zqeD(_M@Jr@udJQ=bThVFc;Y2=5)12tzWsCN15y5(323NLza*wLQB=jomi|Q}nSOLg zQd^N;2h%$?nEr4Pkh*t$n}6p;ZOdayuu+_Yzl2z8Wh$4}cCnI%;& zT%U8VvEww6&wMwx(Vl4FiM8YG(QaE}G#o)JfWDp1l!IGONwzub`Ax;=IvR3oa%ClA z{LBUC9cgK;FU&{>pz^jO0}Tm+&WO1>AEf^7KR)=W!_cm5c46a*)M|+=FuXUcKh&YeWG+81D&8B6S3^0$bZo!!jUsg)JkS4YB0fiwS4J(;X`%u} zh+|cfO{2aeUqf`ND=18+6F`{lcv!|_<@A-Q$jacn^(OYEcdyzTw_yJ8!rG28qy&XgBM^qelOO>H|Pl_ z&VDSi9rlGy-2aJjPL9eHvy=ECQ{wsF-?t>iRKwq#se8TVp6!G!(95Zcj)gZzTR~uj z4dVgXc8=msT@AgHY`#G)F;M~2;PB_$lu)*Mdsry)QlqU~B%r<`tAI=yG{+hp6H%TU z-2W&=2mGbi@7RtNXqp81M?2tD?otupFqAc#zyhDx#C;IEiU;OO6mhCz(>wf@4K&sf zAQs`T{3QTrjQu!I&-?3?&I>n02!bo-%+9l`->e`OmRN`aHJFJvs49B!`I5S=2=>>o z$#7%(uSjck{;8e-b`==i%v5}SABCo}u-h#JeTN}U=0%tbUZb)G+eUox@!S~m((A+D z4g5GqM}rgRj5asrbf>nN(HL_JEzVsxc=MYsdBN*gC4efE{wUydU+G<95&a;X&(jEK zl#Vl#D{g4T)>@p(LLG=@^;>o(!SspW^NQ&nfq5nc4Q0bSg41E@Mrp}wlbaF&tum80 z;sG0`GA1ZsXUmwQG1oshsu8mkX`BpXDf&5llN=lCz+Z-wlQt3Ch$pMxCcKIZ%!o6A zg2(E0EB=^)$nmSo&LS9nyAfq*NZ5%wA!;nnw(Sw8;5F=mrTS8T??(934g)cPog)GqhrUZ;&J|JR%HXF!#`d!U`eO(V@7)gk=q_H{x zRd@x_wbqS)5vI*$*>3J{ma=NyOrNS@-ZS*sNzUTr=ABWHN@l5$cM2qAS#fBk4u%z- z9WBI>)QO_DnJa#Zy~vf<(D*Rfe}Q{8v>H%{L0U!JNmAm;MQB;Kj93W5fKwX36IrA% zk4mW>H?7J)r7w_-81$hTdSUPyGHYr#O5LEw4=TFPsopzsY?v}|W2 z#l9a=5_W-p_JSWKU24@`AOwl-KVy1dU2{P1SU1+A6g9D26sMVS9HX!ICBESO-`<@F)Z?Mc zwYFWE&K;|~XA)Gg)bH`y9UF!oF?TITDO4sDdXk*PW2m?F3%mj^qs6F-81|)kIm)s1 zoBy02WB`4Xb~eLY2^ z1w0`BtHsP|5v^9g680bdPeOK10yPCtsR|nVCTP>7Mu}YV-0r(-T5MV$8D{L>EC1TD_dH-Ih&zcB9NmE#XFERn{{GRz0V4P%Y@9d~WG&t@# z+jlBTt?b3;rJB=ApcSU9KmUOOCoN_XUREowPdv3B^SvaFVJ*n~EyBRhG#%J};lbnU z%qmn=b7Xs|4IdTj^@T6^m%gdh{9*?H(PjFg{$ukHwEA@M+$~(buCFW;8Wu*FUs{q3 zTXO03 zZC@0&EcG%zCZ@7t7%$(~_YTsQ%V@->LHmVZ)$5X*lAJ!js0qG*T1LLQ@+`(+Z+c&r zX;Ng1EJChRLDv=69n{SdSwCnGK#5a!yz)_>o!NqJHH@30w!{t+4}y&wx#Sh+p_72s zD$oFk{X#1U4wlF-FiX&wy}W>t9KJo9*Y~Qbh>E}j=_|@GS;CH!7}oDzv?7cFxJ5FgF%asNWoNc!_o zDmP^&1uZo>8QpYYWmrLCVtNx{OAcpw=x}aaV(loTaL9*Djj3g@T0-DrdDXcNXCrQ5uIlON8>5VdjlN85CK=nkCb6;cfe0~pFa-7sNRAQ- z==U+D%e0uO;G?@v1GFjV6c~Kyi!UU3s3jOOvISgI(8`1iKN6WE?J{p(UA3yXX@OAx zd_Z*pOW!irs^@|VeD;kmsBpwD9vByIfeID$t%7nk9k+xfM=73={ItuuQt`Na{<^d6 zxNjrb(-@(1;2^ImtR*L6b<-r3=x9bQRp(wkHY!Tpy6{yYnob*0_aRpQcc#RwjHu;J z1eyzr^A8HB_x&gjiyh7NtQ-g9aFo`nJjk1YORh)5Dnu{~E|b$2gYdtUo=^5L(m$tH z&3W)-9M@H3Zyi`(YGp>nb~EAk{uPBW6>ly3j9XtM|2A6v{i;+>Nls=HdpA;l#-(Rs z`ZkD$k*hmNgq+hfw??PVf@{}_Oc31`WmN!gy(Srd(l$?()E;FradR6U1QwTe?g|Kz zyhe%Kz&TuL)uDvIbNKZ#GAbsn7APjhMdMgCT|vuxPP}h5k*0|?-qHQ?3hQcmDd4=K zsHUmVmCdeTV8fT+Tw;RAM!?`Gid*Z5>4ZY_v1sJQ2wd-b=c;qb}&vc zox49wO&&ES*|H7Wz1Fl|MR)^k0+$)my-@|=pPHOr@<6NRh=^To_U%_7yxd5(>oIjl z5-5_TLjy(PG;?Ov!P5PD=7y8KktC&iN*bkrO71{XNrxbk$cuF$DPChbR>KG|TY{=^ z!lOvw-dOU1nOpP&tpDmS6t?bJ@A+z+eCG>!SookkRfIbN-D560P3h8Mc=N}V2<4p8 zlZ)>tLRxmI_Uqy2wG(q2tV-W4mYRr0Em{X64!8B(+kzOrVX?wMP8Tw#pR7a|{S;W~ z*&srkH{guHEBmJ%lMDaKxsvXYjC61rM&-d5R^{g0e|+<~L&IRVthB1w`#O9eSvIrU z^R}65`wL2JVqF|&!_Q+@@U?;p^@b;9RkK~G^Zr_S-PRxg)&IjLAP?c_Q5SMWAjDSVlK&+z{t>>Z=)?80{K*tTspww*L++}O75#&%;iM&mSWY}+;)`&)h5 zKG^TO_xCG5GDb$my5~LDoF|Tp1pT|g>W72TW(3}j^5fn8%9Q1apJ%Dyu^jE*f}(d! z0k<&on`b7~Q*og0FzeYYRuT>)f1jf0uV2@=R<^nY5=m6ttTgsEQ56&vKdp3!B4}%% zI5&?*46NsgmOK|z=qJkMq2n}9v7D^*t=9l00{q1sOQf9Nc8(B;r>i9TdMl%V#E-iA z`Z(73)CQNkcU3JPz(+NuSu7U}IIco2RUr6~0&ACOTQoIo=%Dsg~o_B-dzhI#4 z(iZtRQ{1mVX>4(-$9G#(Je-~K3>2p(H>k#R?7r5niU|31EtNMi(bLd$*q4JiE+A4% z{<56$x5SbjLrFhM=9y-6OF9aI0K{RSpYG=YFNm9uR12sYX63s3c>lih#Z$pKHhR76 z#1uHZHfgPSZG}lBY93jJneL5Nq$0EO#P`BJu&<7`9Sm@A&v9xabr=RsgZHmL@@BX% zXk!F88sJ_t;#UQQ8D8vopM}$c^Ft7hx;G@QfKy0mRuDOuJZFSBIq`yJqP}Wtt!-lD zPTJX@Id}OHWSQwTYsRQ$wuCm0k6V*MpaNMB{{mBw;3Y%5XuQ3Ui z-Ko3SocDu*28afwEG&}7QpNtxcg?FFHS?vVD9Z4~4T^ZC|ju0_QwFv&W?5sXgYoOPuJ4gsZ^YJCLlw zFrp=nJLp|7R!e-|K~Bclu{=Lz;=w&J_Ii0wVHvR&W!WA_kO2K zMGovQ*EUnRRk|B4Y2kh9_gg%hOZbAnmI7c!_!CGAD*O0VwAEJdrSE+hvb2c%%`Nl8hmV6RgH#L*PB@2{36Vmx@^WswvnZoE-h?PJN> zSjDs5kUc}#?l4=r6S@rv@UWCVx;>OXA)yC{55S|}wPwz9yC+R=r-tWSm5UD;?ud?a zkd~FhSwq4IxY3hueDR$UzYT^Gv6LTh=b zIwr<2u8(l$Pxnhv0T$fICb`({ou+#mhG$KC>b3`v-G^l*69|EcfF@b-mQK$WeF7}t5WJH z*LlWjiV4O%qmQtpX;!E>IH2}Trgo|u=1*atn6^VKWWu21aF4?yU=&f?gM)(#FjYHY zRNQqDGuwG4J>d;XD_NKCHWOmL+r~1sm8SyT8TP~_e2JMlgDv}jL!-mzj&;RW6WPv# z*37v$dU~*tyG`GB)a_rG3+rn0ZQJ$47)5JGrc+Ghh9{pwmW6FjEf(3fwB$Yx4&I$l zcGMC&4J9aPJd2NNrRx*Q*rt!=I9kc-T08-0>0T>=syC! zIx>C8wAYIS;2HDETk0fBm&j!^X_>ACd=l4qxxaw_xV}ZW+L9941$+1|ZcrxLYl~1L z^`Q`9bJ?nR&a+MIz7{K1@+e0u9B&j4l$x6iL@EFZ5m|D_eX)0 z{dZ+TM8Lncae&pw1|nN;Ty>sZySyRZvD77-W_2qcMDbdm1#x=X1(s*iBp^){h>xa> z-Ql=<&u~JQT{y6TB^k2tmo$j~5(sS-9-KLSN3J}62%!#uyM7`uRHWsA@(+) zidM^sntU6(0A4sD12JNDkcbf};wj-CGnqulna+^$Us)&aB&8Tq)A`Wd9C~CojOn9> zo|~jw(a}fenBjCi1Q-cb2cuKG{+ij45&oeb-jrc(c@O=m3{YIvy1RWXY`mK^Nu9cX zeVNq|Eyx4Uzwttq)*$25av2%MXJWK(^|T2lr^lj!#CC4P-*+R0r~n0r(#C7tvg`SC z=OhVjdf*-Y%zLJzOi?anUJm2!1L=_uOJW}2*E-*3I$fs`aFAGfzssH;k7dvPU!5jL zf$FS3qV|@6V*;50?>{ol@=f~(>Kg`JRsI*nPjzkNlgjDo>B|n1vc|>*^i-G(a2*4C z;+aJC)=%LnWpbUmtWoF>9OHP+gUSTnp(HFKWL=W$bTP#2p~dlrAU1R`P5yW+lu*KB z`<1vuS1iLH`d2c#saS}h|7@Apb|3}ek(ucy*}>j`!n#DIDb>!GcwI5)DEdYeuNnx= zWPj@g&-+23v^zEESY2Jd4UZo>bK}e?FG6YPD!g4Ip`KC)`E59#GdoJ^HdCJU8`s%{hVSI!-$u6PwTCki` z8I25B9!xel%JalPfCVy*={thTTa{RTLRbc`32Okw~i-4q9D%@=_$yLlsec}!FGe~dOy7l6(gE=TMYvl$kUYEa1BDvg$W=FCzs5 z&E}lL$Im)5%Ymp=-J*hR=s7@tG<-XJuHoNlsNYC(w(=Pc0%g<)Cf?v`Q37)LN2r9; z@nJ~I9**7I_8#7z752_=M+*pqFRZiWIApbo*CJocOOasS)=Ua%SpjtM=g#~AWT(|N zLiL2&>gEhoBD=^;z^&_KG$D~&L;j8m5+rCfKie;*L&$FmYE`K*SDvEYL1|T-D|U4k z%J1yVK^p|`Q5Iwa?^RZ>qfAFB4HF+b^O>)$sTF3tn{irGN@9ILutdEf?ePe1E(sNNL%D$EO4?Cr9U|CkoWZQ?YUu6*KKGPpQTB>$U6}BY z+ylzZp^S-~kSw2+pn7>sc-r@gO;9v)p6O#7y>#JH`A0Ntbky{?OvKTn-D7ep(sk3E zhP7hk;4QBk{->dYP3s0`2oQF{p>QTKq+Ota-S7V=^Fd^5!}I5&d%QbB|d>O*aO9 z!JGcpm08r_NoKftZEUWDJhko(1!E5^PVTVS?OS1wZQugCEaeku|Is)->@)r)a&nS2 zafNWDf`9yT77&yt5v2I4MZm-^-_$r4cI=uWht)#`Ap!WkA2~2g3G~ua2R@^8x^M02 zyQx_fz$L%z4(Z~&5gG}7wH0yU^!okCb67dDcqAY+4`cC-hgYjtqvco}&`Hun0_+6z z-=H}M{W}GG5jfDu%d0=WlI=LU!&^H;iCXSRkN-@kTQT{p(c-Uc`|RX~sD?==gfoMZ zX}mB~_IG$5?D?$RIU8A{UR5_F){HT?jB3s=4pc`fkS39Y^@X=yW!bD@+EDB!l638X zeNA~i7_?;Pru)oPQ*TFF!fYAS=IwY~s>vR!|4vwds8miGp?TyQ?eRz5g|W=3ju^S} zWXi0dQ2@d?f0Om;ri{ELmJPl8HKn?T8$N#7V!BQI3uSZV_1S}AznsqVeTCmgQ27}w zZhgSKGg|uoua&Nk7%uCFor67*UE(OG+-V{5f-05^XCi0aPg3tvN#<90YmQe$%EqmnTq~0D^7kh0Ij4$g2Mz!8}6gn!l z<=t7{WhPO2;a{BsSVm-l`pdzLW`nJk_>533`_3gVM1{wc28>091jOyBiX@IEnYWSOu&zZ+(p@m+=ItqpuX^rU532v{4mRd!N zHZksR411OiA3maI$1VWT2SOW4gen5gA&Zq?6DMJ1Bmtv@sHrN%ebC&EXXs5MAI4qE z-tt=*bs&3t3enJ0Hr+ggG7EW(QXj6ll-^%!Joy`1Bm5sHCl3PP>E2~kNb)szeC^Q4eUMRrG(2B!SZ>(eJPhh;4CfD0|0|b0 zI9xEiYl6nhJ2G#6S#|bK#h;%{Wq)xr-8A)DNIq>5Rq|BxBFP?u)}d6L#MKOS#!2yF z^aH747Gyh41%=#j!HkMZ?RmiCqXz}3^XzQJ$*d4f@Z1-@%dY!6Vl}Rj>^@@dfgJ~L zZF;m(u{;NmfQizobPN8m_M5PWjLfiF59boY;v@Kam*DJXPE`MGZ#+CG9DLHxO? z0Qvhy`dyMp%*TA52jy2)NybD=sWs=**_rr!MUD{CzMm3LE&Hh%kAO6)JB|i#PctV! z&`l>d4)se~^t%I6N}nIjf)^Khri7G7Yb9>;G{~fF~S|W8C$*ZsgLAB|KrYSSg@$A=YNeU$Akta*!gb4P1 zKlnIUEIfgy&+i#t5?`+FEaj8halXC5Sj`yK(e9?@W)E5qOrcf1B{5O=k#=%YNQ!*4 zM2X_i>>3qytBmF;>3O&N3bX3RkcIxsP&s0)3Ed;wO+ghBo3zl0<3>~MX@j8v3@ws8 z6z}tklLWzHJ&wG&ukIF>3kl2MNf5nG4`p>0-X!{iY zr{-6*k87WDoO%d_sCThzO|fwg24o_((=4u7e8HXsJaEt=z-%wvf(J$i#G)a$eAaxx zZybK*ur+#=MHN+*{kRlmh<*%|nAtjT(e&zpmb7x|GuswUhJ_H;(At6Nkk|W9yvBmg zKGEJLqhoB?7MF}jz8rbJeUHgjnPD!d%~~5{?*>2Ilpe{{zktJY!tpQ0J&QpZ(z^i`|r!~YemRW0LFP|!eOOC{<9$Fpf?_jU9!EKa6@D~U79+2 zUFNLWbMtxEaYUA@M+ zl=~ZJj9bTajIdn3STSqikNmWt4<5&~k3nco^6NfhqQMe%RZoRHxNj^JQ?k};drsYh zQ+=n%bZ$?3@Qd~kBKKj6=ihvcEwJJ7VkEQq`o|X;*)a{g(9{i8HpLn%5JGHb6au4q zp~vx}`CIpSQ!FrSEw-Om`^4CFaViUe|l8 z>7KPn+h-OXdogB}zQ6WKXr5ChU>JCLTgYNBxwMyj#$e>$yd-Q-5~{i7c{NQ)ft1z8 zm_nKGzgL4Jtb8j_dh#H&NQ?FO|*MPKI2jM-w-^b5a3b7VICb2ur& z{8BeORcm9+2ial~fKW{uGI?`XIpRO5G#DxBO< zgAs;a*guMFd*yX-_tmS;896$-OOQpZ$w1Z!Ai0flTTWYH%cFr;IHe9MZpgo zS~q>=8l&H|_MD>0a=(s7<5YgxckZM7no|7j8H`a5*>;6PS?A}83D5KWu(A4sP zfYMT7LMdUIR!zE+Qj{ZG55H=b3}E*3zpw8RHPfGCebINi4o}J>>yIDkm9j%gd>Nd` zzsNhRwTRK)+Nr~=Drn!*Gu>+Dy=*|&a>y$h&>$cH`*+9zWpw+t!TN#zxjp=2u<}V%ArzRP)>5mtGTV#@eEC~*c zpF#oq+3RMTVd4AEaKAV${dh#CZ#=rxgh{!rQIRdIkhtHytCTXs_7drH^VO|a(p=Ot zvIKf_!;ljO_lcn?V~c1m(eq}HRuovG6|h@VRsnS+k68i!ZIHHH*$=ykGj*(x@IkNeQ#b~!D^{yvdGM6n$|8_3ar}=@ zc>H@WtQR8qQ3jBaek2RXIjnQDq|=BROfnPzAxz^#PB?YJmoE);-@~=|dlC~+i4c)C z0)RL}n*AWdUy(ryU}9v4dA&ejq>C+2OPs@h*-J{M_RcQLX+zWO4B9Z(<~ka(%OiND z_P=gWJS|6A`q^4Z)*V)tvTp-h(vNaLoEbxCA$9u_>if5%eAnu2+it=hKBQp}9G=xT zuM3(yzA1y=m@4xFT9c%Nk zDIajq;(xmjgxW(c8S4cqcO(;3cDmx%Yn*0bx}vOMq*4Tu-vAKIS2s6l`ZmvFD`k~& zJiTH@F=9N$l4b_8OhMBhzCJ(T{-hf?n!%1Q%U3Y|6tyJD z$#*$dbfJ+P4j84y+`&Vv#y-9`z9dxxBFab8%C9b4axQ zG$5bE+2|@&p6YkQwF3`0*L_`R)xc2C=s$%g+6AG)Q*u8_q@}W@ifbsoI&I%_)O&Cb zp_Io7a98l}NbGeAgg+K@Xl?VrXO$bt=AR!|Q**pPC;ENE?6SHps^BtodI-{Ks2Bbnfjq=O88sUEwj-@iQF1*g7_=Sd z0yrD^X!l@$-ZcfVP?9o4Ep=}oi6JlQLT>POW>I6;d9n}64-@3;BAi-FwcRiD4USD@ zXO;9PMje-}D94Cdy1qzixW}Y<9XZBPa4jB5@bm<&HG&Q>f%3GG+7T<9L_cmR>F^lP zD!HWQ`y*s-Mw~0JAp+zDH*|?65|VL5EYH8EOm)~zH7toE5m}+b5B#>=e_o3O#QkEj z2}{ZVb}j4CBnrAe3)M}E3s(_4vBn5=yAMS|z1Vr5iXiq*&HZlKEyUUyQSU6lm4dI}!3R+<0c3Hzf(fQHrY;{-8#w zA^7IHt0^x;P1IYhrOo&)y9D4iJL(a6`EAWzFKYYsVpQ9jR4YM5qLbEP*)w@uyk@6| zoey{0(!`Crlf=R|Q0ZxnV%lF>dZ8(Icn+`V+=>0g2Q1{DP4B1Yi%&WsBU!H2?|OZpo|*GAE$2kx zpH)BO*2^#+G{qNpX-?iNR-S&~L?NNqB7>yIaWp}W2P*gb&1;2TLYq^&YR=5gnUPrtgJ$ULi2aB6Foxo`=;93_`)$$%Gx>rB;nA6 zL?Kt0+PDY)O?$kWkbt*l$WS3m1ug{FpGP9tNG@nTB>9Sy{hVKr7d*g7RWzYyT3wlu zD%i3t^8eE9Kl@yBEfmBaCGd-h_x6|=?W@hqT-~4~#+|b$Xxh#|iP*P$5S|;Z4|>m6 zXwwa@>m=;-9aRzLCrkrA)m8^@Wq9}-@=y1ioD(h>g-pap+Gf`&TSE};N&cu5@`}k8 zw4Gwa#zkIXkJscZMLA!x$cX6XB*aGb4laPh=~K9^=Oem<-$e@#$;wDezUn9|3Uysc z4$~eU9pA;F*o1(t3Kp_*+*s=k+?@na@K$*d&gPQJIz0~7-)Z?Tg~-Y~gDP~23FavM z{90;KYTLEalJ>riDiVqvJ6)}uxHav)0^eL2xvKD1k^WtdrY^}kuz&j6#p zsDw%hOnsbeQ;_7U8`XqR;_h#aGxOF8FmJ`+merg{>XjqlA?j|PT#k!ynvaYs$62?!%yhd z!YXU?B1PwN*E)fzM@2=9a-B&Z9ys=bu+5J(HOD8F4`t1Z2S=YTiAl&Q=eEO|YLz$4VE*t$c7dJdrv6Jin;Z9TI6*l?9K zJbrLG0%u1@_QVy%FoXNZu^BeCW8QDkuTxfr*}n-u??)rj6U zRYEHPX6bS!|GdwKnBC#RL0pFQbuEMF;xOv-H~q5wLXg0wD+H7^o%Qx}Wdm{kXCe_N zv9#KTwjXPL$<<$m|HU(E86pJ4-3~5J0+;6q+OO+^0ldP0fJU`TLNe6{)OCEZzs0`; zXuxrA0$;?`=pxkAYertM+YQ$`%_w?hJy0cL=Y+(y4p!uUYRZH z(t==6)#X~4h|szvX1OyKn*xS5BX<-R_8G3q|Hb6=J-+*T05Lh0iY0WyuA0*46aEmF zv@S>yDl=$qc8H*myz8_ck_ZMZ=$8Z}WU+jU&Zw5@*G>4xhc6A5lynwA5y*C`!{;)7 z^wNHG(hCSpAFs_A+&&XC?g~%rE1lSP&EZf)$RzqxO2a{!`_jQa#W8Fc3QzKFC)E!( z0>p->e*`)p_Nw_f_{Z~z14A^m%H^;%JNfLpRI_4+r(~=rdi%DciOUufp|4acF_@;O zd^UA(r-CFdMre`c1iCNm?s1M>e9`KEx@+HwlHy@}g$-%n0}HQUDIG8c#b|)2h<+xA zEfO}q04W{DjEwl<5tW$2{B9D%+_@V5!?9by({!+)5zYYZnDljX>cDsMUzNUEm3JA< z>bB`>CsloWS`MqrPbq6_re#pDmoHCcxwYVr>9(IutDjup=;%hH1$GHyRL#g`|I_G0 z#%IVBI`IPlKYxih6RXfOrV?=Tlh5(J@0KIy0Ia?Jjegp|>q5hd-D*r7qxlj<+W&J&F4SbrG@ z8(!!tYKcb17IqvYQG;^-gDcb<=g?T?_^7esKpjFggHdRs-F9DKOQuACrvA;nhyT%0 zqpqV7YdcBl4D$_KRc4JGokSc91x-;}xf7zyk7XZYt=U~%EzW0hEGMWt`~vgM@yd$5 z2yK=*t%x8F*C3FP9@fXfBo(+ji3L}MPBbyC4Odk_-e?~hfl^y>(F9*@weca?OQhR-7@w`!v9udu>w$?stINsY?Zu*n``g~ly?8qIn;t==n3A?SfDJkiITYjIH ziPHoW>#2Qu83$`)U7RSSbZis;i?N`4(DG~GJYhRcMWF<4nq?2I1s1(d{hCjGQX-J4 zZ|VzZzaNmOUgRlpV=?10V}~LCq`8wD-HB>XCQrimclyaQ3j=l|v}@!0);pc`u!uUI z5&S$Kp=Itk+BddYrX|70Xe7f&O$qUh=!d8_kykw)H!GVVA{8rRByX+{yUM>%-8k1t z%(AhwH3UR_9=Uk%>@rp<$F#kVR~oa3ivk;G>9aU?Io2=#7~YLVAhOVJ^y-$Rqs-R2 zTeGVv*IHTd#0sdtrPT9&L1B=`HLz7N2G(MJn#5I=fF`BGKhx!=ni*1t$_u)!(A3#B zt)MN=^);>XOsw$vc<1B|2KukKv#v&|SXdF*zeg^H zr0!>Pyu3jAv>9c9r{l!;X+@i5w=0AxW^B>~{p&Epcx2ku`p|uGOO02g$wljoCB&X3 zx}tvM*DN7L9dsVU(V7{KeS+Q-O=e}h5BC^e#u>fg88pFV_GFluk}&OD7NSE}ooZGf z$((o;K>{lR?3F*I_st2%OoG=x6XKkI% zS_bhA)2?IkhV(UW=@RoCZ-Mt(tt#wKh4Om5FLH65Lk`T=d6 zup7^`@GEJeB`3lV=z>mpO(&wAIamELzRr9CG;1-2WBpLPj;n{Ev+JHw9*N#vZwFx_ zCFAkC=N7dDqD{-g@t_LM^+LaUTXV8^_4fpPxPH*UHeVRxVTCI&xOTp-5cl@_#Lh8Y zs++)hN)Ex-)Ga+usKNB|nGoi_Eu#xqKJsphjuduvytp9+mH zCrf70K-~<5zL9Vk5#gqCl>TvW1uehDHXQrON}$cyCB32iBUMy*IW4yA%sKr%b+-OsR`Kh~mCO@Q zvq#~JK`bd7&9OYU%h8V2HgG6d8JLb$Xi{4l{7V-PV?xDLD!T%pEyvgx%6(M(gB~QTL zZ-eWX)3ojI_HQQMKScabxaZ0xCl>#|@t)9nl03oUCg!j#*gI3$6qXzRn7^-Jp*X?$5{T0YDFxOzglMr*L1%&mRAG$ipUy^AE~WBA^JQA z`PNIB^0j4J2j_FV1n0hlx4RNk;R91q74jP1(iwu{yPMlcSPn<88uw`NkBQ7QVJ9&2L zg*-L5A6XpRDQ)Mm41v$BdeY#@RzrcVbTv2}@S9+M>JMa{t21H_*2d%x^IZo**6_@{ z@TcXf+A@USjAj6|H@28I10KL$V9skRU|PTLIG2j9bV?tR82q?bhBRX(eKw%CR@^sb ztD4X!@SM83+z4lt)x1>G7FAn3}i&Bw-L z8uZQodtVI@RZ~}fFRk%KUKd@Ko}LSUEdx1G;%#Ak)ZA55UyhSR9K0D-h=(@xZW zKa5j36F=)tT`7nAJmcJ-%W<;$xo>HwX&hRrgzG_|EQgQ{q$;(bE<7zbH!e4TEZvP@ znVs6~vyL~$rb;RS0YOq)mWqx_e>Wu&{d|kAud|ut2l2?$X+I6RO?T1q2E44s?+;3D zk|Xm4*~YV8Z9!xOyQ~oAhll17Hx}(4*#gwHg+TpiDPwkZ@XSB^Ic2D+?AA+H`{Trn z5BK*@&dvf}_Y<>x5U;=>nNor}o?X4P`(LnbMOJ~gU=-JEYqVWB=+G;<*2cGYBFHt1 zO7roNm2n8-(q2f*6jVQa)Cxt+1TWIgP(3n_d|zSFj$I*ne_xTzoJua7ibFUr$QXu6 zh!=-bK|82t(cQ30NQj5UVe3lHwv<01@l_jH_#bdO8{W=05t%-&)zF+d@xRFF8icDx zl9g<0d%bSBR6^8I%5hBM6!?>PJ$Gqs`T$J@*E8ZmIDVEk8E>(9l!MuDPeaX-%>&Q^ z{AEvDoB2r;jAw1{pJ1lLGU*s`sG{pQEg#t(K(sar+jp^qw`N%$5Y_B4(!VhO^wn}x zl7M6<7D;h}&-=;!m#8|88@!EtdhByJ*7p_}_h6CU$hB%$Q)ll9mhSP(K=1w>XfAJW zhh+o|Vg@3bOkRDUMV6V8=2tKo7JeOjDq-`4uMvdd;zkUB$ppHTcON1&hL!-v@#(WH zT5%O@#8%~C5Yvkh$7x_c7=Hi{sC@qu^6qdBv<~DiN8GtPBSw&P3CS^H$9q)=Qy)ed zC$HdoeR89kj~wIvB>Q8fe&M0c)`qEO7B4YO4cnl>aMy|I(`FFofJWW;n)AT{(FeVe znYSs#vc2EvB8!NBd{~J>mL_YfFXdYC&bJFfT-5#;-=o`17jXZFJ%WE@YXDo(I zQo>Kk$8~S5uvbNsCNS$>wm&j+|EzDc&Q1zX{~7?$M^T9`V6Z>S`LC^jA}6b+y^}Q; zeu9IRq>{@t>@Ah~yDw-@nyaivk}F9f;9CTav-l87d5d3+*tWP^FEb}$C`kx^oA$$k z`-jCzEw@Vept;EJa-rjS>91e!9%Wmp($6F=7SRl9)m|qrlVkN`q z6V?mUu7tR~xfm%nBOM7vSx!!A>4ZdlEX;YGRB34ti3%OCFtR@K0@}4eApq?+|6S#( z2y`*nX@CAw*X+j1gdA$*o0flSSF%>s8?4 z1Oi(??W|h%Wv{Stm7FQ6d!E8T*O|nQNS1%6;OYA|letlV!IkBDqP4te2#M+A<8tuK z!nt+*7^XY=U2H&&ngdp!$@NRGBZJ~fU1*8M8Kyo9wkRP=0Yo~yQWIKo2!`;X4$0J) zTGfiIFN0)|A**qMPmCzv43GWB0S~k@7^qPR^RjKuoxfofBe#s{2d;B8nR5T{sR|0% z|6#tt&(LMH-5F-QO@EqwmyQIvsyqAF#D=*Rnc}D>_i@u9Bx4BQ^8ZY1_yD;Q4~X(v zDepviQ|cBHtsVZa5uO0RXN<2LUU z&d^CR@LveK@{zvyo?i&Nh{H1+CJ+>WF(9|`lF% z0|*MnAQ}zpqyg+t4q=oSYQSCR!mE^T8`GIfYp(?pdRD?Y&XYzXU5fC<8-ei32j|}3 z`RVai58H_QqnMtr_*EcyuG-5s3&R9%2;~rUiMcrf4%7>70b7q*)8aQ&Fv ztK4aVTCh`M0n{#2=$G?a{BAZTxMazZ; z(s}tfG4aN*Q>OhH(m+4W5=V3K&zOdFJ|w`HhDlO$W%Bm}M6=(+5ZJ>N?MJrp`0V^x zYF1uulOv$EZRlgYd9w$e>HFDc(fdc1H00VEh7g)Pcnqpep_=!Wn3zB~0xx|D2K{}A zbGK*7v3n=->wET=32_T3I4o|XX-eQEH0y4fCf`+n#5$Tk33)w*- zp+q!(^NXVpV*G&cC_D@hEuhQu^-30UFLWt$xiG>}AsKAoB z8n>OOae}YuUtiI>5mL|;^;K!E5w3kfFwxW|)SDc(8A8wO~JI=m^EN&)A+|uu95RcWE2>ZmttDYYi+O>g=kZz*2 z{1*C6SM<+xj##Z&fVEBy!uFusxWv=`605E<&zzDXY(qm$Q)(%E=4uBbozKpQb0r@K z90mTzc?K- z<)uOsTAFZZ7_v+IRk}QOzg+Y{=$;bAG)NGqmV-1if~nt*KN!)4JaW_dq0{3S?3ipH z>_B$AyR0nM!;hVE1cyK2Z2xE^GwZ?+5?21qeuA!~6ACKO70V)7#=T?S(#|SuB>UT9 zE`r4W|8WlBMIHjCo{Y}_+n9rLV?{b?1OTGWdgbXjUfXE`fsu@^XUFjgk($%Uhfx^{ zw9CtDB8~K3tfVvmgU}wPd~SB4!MzX@z?#FlRUU@`*O)JazHa?gz0eRkEVgiZ;Q3q! z4+wJBTAt&@yQqWFXom}8w#^+VM*6Y%3C586Eza~V;%45+^FO}#Ru%aNA+ud7=eh0i z$_9_G<96pm**EI}i08~CCQjXA_9CMxC*E_VQ@{){Xc?}DBbXRzd|lVEHzr3R?4iC^ z-Kf@wvihL<)g4tnRoGYz9FVx{fx?Zs1i)(s;91hWB*|!&9As2gRC;xwB>{V%AJC@& zf>*t1Jtp#(T7K94n4^nlXuvS#zY}D7V83n>+u1tx+E7b>1 z8iAL2(%wCrtR?TB2X>LTp<0_)nX*qEPZ)QuXa4%~I0gjl(k_icp1)lH;nt4*DZzi217-jQ0elYZN|<3=8lH{n zqjs&po+sO1=j}%m{YP=b;@j@HcjqQ?n9Uv^#kxIRHOk!F;%u3vwY4>sM3x;uaha`W zr^MSsL!q3ep&>CG023}mhxw>l@&p_m<4$1#Y!Q9q_mR~lQNP(GNwOH)iK(fQ@>@N< zJ+Z8kKp<~8{>`{rFNQE#9d8;c>oZd>0L+w@$%bCHdF_6c4!5o<)&q>?2Vm-djO(A@ zNh46KyMzucRt^T}PDMkv=w5^L<$evvWPjyIGz9qoSavzk3a~#|cI~FWu*v6Q{W7q@C+q23VkJj#veyA`vh-kiBA^ekE-$TG^UYKaeD~gu$k`s4dQl;?t}F%hf5x?05s3+Xfsg~X~19OCzX(o&lzCPu7Ji=+R?5qx zk5&0=YCmYqF2x$)DR)IX!fc}vgsX}u8}PA+>U;a%`|W<$d^ijfQ=zXNy0Cta`swr~ z^UXM9Jl(eLcnR{znzQoq-XdbCbvpzPLk6}6+oYUf5FQo*1{yv}c4#W2+HF1gVW6A; z9dY>|`Z%_>$Y%d%mXt?&#cOw_c;sXCQf6Y;%CN@f=0y9tqUkJ6AW;L#%jFpo81 z^>U4%UXl~laew~Dz5IfjvsNiTHXn+10uGCnz?5-H^TB!z2qPzX5G$YN7E_VG@{kk! zAnNkkWPfurnjTyFwKGmeD$iGxggXS7>l{+^Nf-I|xxa|LV<&LoUWn01^;$8$Bbh#~ z8Gwh>Oei>_R2viBM@^~t2!H}~Sa+tuEvGG0?;M*lf7HCT(E=}!XNb^kx3Jwf_0FTa ztEsO4P1Mlb0}wT!{*chviQ*;?kB=JE4r^xE1jy9A=EHc5-(52|yee`Rp@ zWi+;7q#FqNk#wy$A^!u`GsK6%aA-RLaXc>bN2=5IYKp?#t=WVSCS6kfY+~a7fEZkD zONblsGx)ZruW-`_I2}N}cgZRbpN4(BA9F0pe*Cz@H>;Z-HTmMk#(bU=#)`8brwefIuKlMVSph7?6FrWcvuG% zrV+-j<-e#MG^DfTZrBEK_Ig~`W2r+RZk7YrKw9t2&6G#As7e*QM1lY?Ej#V;tZ@Jy{(o3ZYE(GT zP{ThlH@Z)G1cy@B1NqjM)S44*x)NJgKFv3=5tAU7Bve}Ik+Z7oKF^+gdtWlkrP}U+ ziDw!r@!hPTQ5Tt_wEM<2KenZJ9~P90s{#N2q?~c|9}L3 z-i{E-7HJq}U=l14Y{GW`(o|3F1%kKR`ev35*FQ1q?-Y{G^Q`elq zd@SeNI*%FLJi%q^{X56ks8#@RGX z1S{IcS1~5mSS}_`roCdMkW5@6^>GzjNcS#vb+3BLQ5ncl--`z#kTaPv07F4ja zj?l11_l>M3Cu7}4jY8Qz!_QFfVyl^rRqs$%l5m)<>720++0_V&T;?$+kG)vy(sGL; zdJI#hm8^b2b$s$fWF!^=pmGRRt0(|HA8%bJ) z!{pVP=MkQPL|;w7JL&tz6ZfnDksx340ym78w;_iw?x3xKxOwFQ^pevd=9BC{TrZ@j zU-&a$mRsa%dCh4sP-fGXCZh*+grFuhJAM3m#nonm(|73JZL&;e$Y)krCf3sI(J2LU zjIHV*WvXa2*V8)^ti%v;%Cx<(eepGd&$4;b_E~gWxynB{xLOrGC|1J!Wda`4q)%nd zzTwVl3SCj_Y;36_0GCThH^xsc7x@UM_K)lwP|2@uMSrr>RD8w=`9V)JqBIS*Eqww5 z2RD=^+LD(C;)D-C5cRyFXJQJAFntO8&rrj!5ubTUIp{y|wU4ddee@I0ON{@;zV|Y$ zsC#TA@B1b|EzQWyTrD*eO&QP>)e6vW69-7ra;;Z7j3_@<3Oq+`bF1ga=6m|$3kCv$Y9h5xf=*2!!WAVM=MjYgQ7Ob_8UULZK}B{&EJMNc1`C2> z-H~)_+BnuFPA1&HpDoy>sEnY{U0_uNej0f_n085#0Ec#6ZdKAFYbRX!K@~$#Q^$Jj zCL+}>9?_--eM&P6Le4myP2wPd&~BR20#BdUfNrwc?SP0N?VQ5@5omS{52lTW6wPpB zANQaZbYK70{2T8e>9y&;wg!TyifLCL*QUuihV>}?C#%N~rF#8b$OK48E0B$-LyYeJ zKRliSSU-3?bsR4+MpBUCvA(1W(l<~|cZf#Rlf+5cd5^t6r2x5R-Rdi#aiG^4 zz^zGRNG`aiZpf25u`yyf#*96~xw=6;&2bwzdV(H(QGa2P6wjT7jYNfvn*mMAq0;;f zv3oXrK!9&@HJ;9KgH{0J!++-H*MY2BuDiR{Fbd1W`uwtu+36L%ga7P+E2m1e&;(Kp*& z`Pwp=SQcIC>IEp6^svf$IEHH(sbEA)IqB(RvjJ+P`N{s&eO>$yQfPfEf11ThFst@G0c_yqE z(nqf(goLXt`0Y1jJQ3;>Ttgm5q?WZ?<)H2jwtgybWQ!2mB~n+9gh@Mo06Lsk13-uO zLYvLG?~#2a!08T9v1)Epi|6;Dnt2S@m&c3auZgmArF5nHpE%&W8TBzQwCurg-;N?3 z%HTGn_Tq1Gsw%r2ppl@deFnPTonQ%1X*2x9fyctw?T&GNdmF}bu_SYWBtbZA&b<(f zr-X$5$e1Ti??M2y%O~I_P2GbUV{|q7iX8&Ao)7X=?**O{PAxnTxZ|U*ch|U zrpNRM;&4bgc`W5weZ^Nu*NNdDTMX;p%bdD1&76~XP>|;;Bwj98Q(Mnp z6z!k(rBxZf0$NP0O{d06A&DDdR*;F0&v|#Ms3(f7rx5k;Q7$0=7WYnTiR=HCItCs= z1w+ubQf1)*QXxOdTF=n_cVw+=uMu@JyubWEo35nKl0_M?G<; zlSZTi=cU+ZMP9{>wZ4is#!W12uS_;mKGnIQ@}z&2oA&-B^z_B5vwaupMPY0SnZX*T z-8Uxlo%EH=(!BSvmGWuLj7i$swqJaSciMezDqQ}5xNQk)$MIA+e@& zsH2c0Z&bDBd)xG>k(5>dX)8kOS1_W>81V-B{y$pi(u}W?e=%HqMz_>2c#LJctoEVM zPY4VlmHsK_Ru7#zS9yl{G41s9l-Qb_MLV{kA-_csUVEymPZ<|}A!bhbj!l^MV}lA% zGA0qx{Hu4mjEvisulq|7{iG${yt04Q7tO(mtZFk-1S-Ak-_^W>HvZ|k0drbbbrs06 zATW4)Gaifh%!fXs382d~=hXtxevwb*XLnWn2MYvW@uxo_iM%5_7ITfk9I2mQNMu%XyCr*_d*2yuGJzDB@M{@z61h?i=GLqFQ1H z-<+>pox4Xcrc!5dZjq*9M9Lhw|cfDb~zDEkbQ3O5S=l z(WUvJ6$|zwO}ds(B}B%@rm$4(AnW&vi9pPCHj|0j` z0EpX7rMTvmSA>{=9~|fibB4#)jWcDOp7_6~E#_X-kXbefj%Rc&rfhI*;{=p@-zR7g zm788fD(Ov>s>KJS|5teV&kfD})VyC&u#Z4?5f-8N$*1oaLw2;wK2_>JcLa@Pa zKAek$K72T5NKhon^}W@bKbS>uTeW^Ni}Y#k4})A_Is?Or;hO}XlLQ(H>_MxE>6?B; z7>}i8f8uq5jz!g?WlWbZp)_9SeEjOwt1r_fdaGtYF~E2*304Z_V|FWYjw1E)q5^MR z4r}TAJ9+_w(#tvTAkw${&4h?`Z`Mz0>b6y2?#{)Z?L9@XTckVy&XR_`w74}YT}W*C)brOYsEFhR*MO#N^s@^~ z$|GVR$Q4L~`1p1DU{NM|Yn{bmp@bD`Gs<4XNf{cIj+%OXch?*suGZE@Jn8N2EiEs1 zz5GTK6TBpe+X@Av4f0i2ZUULP6zgOcF@5Pkkv4pTwGs&GE){eLAH+~ z)$9lNT_8oUFfcICv*r>(rnQKrw_KXB_1LF*=Y9E-w#;d|JLHumr2Ka?=Fh~=?`E7Y z@K~?JFlK<>4hz)!^i#Cj)W(Ffig3vs7N}4343hDF05NYkFFxn19n4`rqR#mX_eQTU zy&5yi_W9lU=S^5#h@P9{X}Hp?Rgd=il{ztk8_Q)03!Lia6-jTV=MAl_fSHbZ^J&&j zEGH)?Kp*!0?iwuyz|4E2g8|bGlOm0+Er%`@ho<{Y*uUfBPc^e|P18vt(G{4jC$fd2 z&Yrho&n*k1g72ULw?-<=pb`FwKmX$ffw#~hAlrvl5euQ9gcBh64;M3W+z?~-CAGBY z{_9wOAH45@#BXunoFUqK#@>MW=s&D}DkeRxEw{F|wxJ;*E~ncVUwX$r%E6-$W`Bfz z^h755AJ{)I?wUFj=xxT)holT8z zrJ*rds8x}fmDSbN)c|d^Vo*Z|wko{4;t=3x$;IelnwFUyQPxupj+)n0A;ijD3Xt|< zD7J`xO2DW8jruhMh2kTI?7dhvm9%EVP3(z@cQF24S9y5^$Rr|QmA7gPn?ka04x&mB z`UnWLx?bZ{okiUEQZ`-ZZ4;o5Ywq5(wi+@)IVrol94Q&%GA}c}2Wt{uz9FO;HzRhwII|Q>^jp_rlYBQ?p+a zV{__(+2_7xuFv_qFp|_)XoQ7=%5??>2mSy1L73`s9au)-DEqL=LkLONAUUDhp!`m6 zTi=5%E%(1|^aEOlD7p|PCME;#IiS}Nz4-x~vd!?Y4Y{Y(Ch+7(xghkoZqj9gimtU6 zDzA0T9S}qNB5R(v*!$X=BZ8NNL4VV|Sko*@yW zsjlAY>3Mx_x!N88Z2L=P2`2Qi&-5#9p7d^gOM>gXjA0V)7_yW^HMnVfDp1>V z+iRYE=!X0nBaRm5HQeKoVWnzE@+uF_`s+e;xk?y&*M9m>B};Cv4&NTzLk|dS8^}t` zo~;!Zlj4nq=A-jRd9T|iI~-g)ohIOd{lgJHUke5$-*<8%CM&0&{O6QZHuhgrQt0Ru zAIPWUmV~|bX8OX&TFQiG(EcKMJLXD|NT&FkX6^nJ-gQsGPK3iuh4o}1hNL~eN|K z3E+Ihxn`U9e7QKFUzq#Kb)dh=?fKz%nMb9`{iAZ?Z?2w^=;?X&&ZLa&6%N-(JyT%k zheri&+`mm;dNLM0J^g!rJ0o><>%>!DGguoOg_T8? zlHI#O-bY2v^dH?GSzX4C&g4V!WLXO4eZ#gLA0FtuoxdomCRk2ZlPs!}*Hw8N_o;0$ zm^;>I)9^p0dMrh#H>~uwPOIK4SmajIJM8Xs(RolMeoLoc`6J=orOZ+P4~dx?5_M*@ zY9`d9XRsgmYmSBnx#~mr@Q!Fi9LYq?>0}~fPiI=IDwc(pSI$Q4EK8=c6!dO}2P3$)Lgq@pjmxxC`C6YAg2bG2C2gE;h}_q`qgUeR*_Ii61VXfu z-X-P0w%8Jz-;%!`61I0JV;dT%D!YF%U=%o563!O1hqus}|MXo-mP(Si-E%24noM(_afgp}7w)El;t5?cxteOo{wlc7kRblk(A(QVm6er^ z=PC^k4N1?b=;}7T?vJmrUj7q3QvlpbAjIFHG%#+LF1Nba;M7oGPZ=>=W1Z&X14%7I zO+Fd{0wGjH8D%83Qjvr9*ZVk113C~uh?$|4Onp@3BdH|f2Baxrri(9Jj3z$ZYj(>l z#%&mc46e9bUZx*WsiC9GFottXaXtQQ@a#okF~!+noealyJTgvDz_M>ic*V0AwaN41 zp(ky;G7*nmNWX_#wsM|aUpyio`#|2rS2pSr>~sBP)ubf)H0TXDh5=EF1AZ2=pE-)0d4#xt#TttSePMH@!g8dleS zZ>H?xU{OL2O!(tR{DFXglK%JXXL=C2jiX~^NQloAYWu#ACYE?Y???wI<19cpJK$cG zD;$r%-gBUl^r$SqyfMA@gTnYRWzf(Ewl{pI!Y#4#ri=qDhD3>kb-l;nh2i;KQJ68ymXzx-d|{aH2(2Cmr6yEBzkl&%mtY6cCLWV5i) zL=B&=fEs1Zpy79Skkt=MW^^>4dADTba8jKW9NxlH8^&2ZY`>ioe;lS#>-slA@%ttCjU)9fCM#G$sMq(0hgQko& zjqgC`UZ>pjxL?hMQtS91&!W-+nzk?DpY=VaH+!!@T#!$$p%YJramvWZ5EN11>>De7 zzabcfCe3mec0SvHNqDLqE6# z-P;l8`e_p4+#dqvn|YY@H&GoyXoCFw9Jf~`&&s|`d{S#{9Jpw_f5bB43fNGShnvO1 z3`YEUj?#_My;J#|Pc{{(sIm^1TRK>LQ)T(grp6RL0 zHfwj(OVb0(6e(g9?Fao|93T+;yn)%--F;f5?XW+`W8WVv`DHXqhSze=AJ>=rM`$e% z#75BwAiiJxA%GR_?CK&Db~UuH2;VD;iH)svKK>GfM)u_xx$Ir)i1tWei=4O8*hc8G z)ou(j9d5?7z_mj$FXf8y;O*mExUM_T-TW}U{QG0`3r!_U1g38wCO+3idr6*Zp@U-= zFKujMnOMHt(?!I0o_X%tZ=XK18oV?2=nBErDQOq0`x|wvut$?$%!){pFLxp$?InL1 zqw-vP^l>**Sa2UBeO^A}X$*CCyIbPhe8vngxq){nXWQZDWP9zR?=J*Pz8~tfHli^2 zC{5T_1l5O5p2Hy83*hKY@jX1>-(FdKCyn z(}j7_5r78l0v3Mth-uW>V@<(dm|F)A9RmfP%FiXYPjx*`bA*nX_~kWxCz-V|Z}u37 zZ+-mRKPOeaVN>kRI3XCr_RSO`V@<1PE%}4G;)MfL3Px7n>^@5k>k{p9HiKzqX`o~7ic`Cjhbu&!%IlKeD0EQ4au8D4&s zf%quAI!>7;9SAw)x<~Al9)__Ic=gt`4ePxpQ^{b2qYIfY`I_?!Gt%&@U;YcyF&)BA zsP;@7{6M{S3WjobN8T-Udx<3W?w=A`6xiMU=JYEN-;IwdJk`)RJ2~+SlpGQNIg;WwHZh`OD%JylMz1%T;vJomG&MOS$mWT6P|)opb}E?K zk)BfG7s^!LV!Z6Tzq4d6iRq4Rbjy5u-wile(-`$m|&viguM^F#N;gb@msJ7sYu~>(F2exj8SvjaL|M z5&yRj=beuqr9PtR%pK`;&d}nbD_1eaSlt&oklS7w_=NMpyaJz@+yW9>_4jN2Dn@`W z=#IX0Au%yAZHF*!=Y$jTe4d_uDlH9^B}{)93T>*9kML^Rc7(mZLuVgHOg`tMm9614 zy%tZDU5Vk{>gwvdqgB78ByB+!2p;eX8WuSqsa8cL0J3b-QW>&g`mW>28Aqe>nk9+v z%F2Gqnm}JYCpJEIjOGEM>6&z#E8F6!45~bP9qL?BwWQDJM?!qj6xMHK4Hd-nZw9V@ zqujwM#5*nikJ+{UFARtbVJ0VVLTV3--ef!g`JBjU==120#|O*rsed5(hDFdG|9Wv)HP{--z6m?wqPZBy3< z*83J&?g_)qhp$ZQE<^?ud?yMD)39(5NY0bgb-p-V&q22&kQrdvB8Hj~B{@4^21s?S zV_zXpOzT`M3XM>5b5;!=P}l{O*p9Y$zx)Sa-N>kkC!=ARD7?dWQ88QD^fo^TXX;cPZ`dm8A!5Ce3uXuncgd zv`C3RH5T%*(e1jKl_%_;`%`YZv2HN7I z5aPShgO~EUiGBYeDJD@vwXdag= z>o%OX2Ow>4N}v%1=Ez9s(61hUcw{Sv_tn%?w(5E)rEK}@34@#V3A>fj=LVgrN4p}g z<1+RiJ(`HS^IZz)(=#AluKVI>q3!IiC%URROfMgvP6F|@MI3^_;5$>5pX~1~_EDrG zr=fur_OR&;#;B^QtZfIXkd~H~9`5dUi*j3vxpy^;>FHT7y!t~#HA?~m;ZX6=p62oy zoz<*xk+=;I|HN9>&pX>S7>M-nhMrU{!1XfGo0;rHrf^^G^XE=M`#ZmW{hF9H#4L!I zkkH6jAjs<7pz-(X3*zn~rW4GP%kQhNt8jIch}b(}T*noZ89g`Xy1N45TADpC&D<3U zn1{p8>u$_SIsoFXD$)DC)rF3W{dv3~xtuFWR8KrJV}Tl;d(TF+zO`1^-@v;%K7L*y z#(w8=S@Rt4he{@dPaxcmpD`o|xT4>ALC@>$O@Xq|i2CF0vfZ7XoqOplF(v?n8VP>$ zhU1huE`k67Z*{=fO_j#Dp)6?{?4oG;clEig(Tahs_F-^iV?r36T zlUVL~ma3s%I1)as@!xUw1V7%5v2IP|ESrPIJrkVe%#Ywx0FmpRW4ixJEBKUz<`lspGiGUO`nh=ek#u_%#Ro0_U<_D{~9$F^U4|-i)v2+ z`fD0(tJU`{rE7>C=-*8wfs|HXSfq3rG*=fF3Ldd!Yw+~QT6cs5ko?9W^fEF@Br|BL z`Oz^z^4`9Cl!Rthr*4_g$X7Zwx8aK3vw~RU(b(AQ8CBcc3;GNttbX%JD@Z&a$;)U&$MrJfFAyg_>6^Ar$qtL=m~c6J6}#x_jH9)IM7i6v=Y-^4 z#IgBo3OYRIMusm))ZVN|$70>mHe-vpyS|$DfmGG87=Q_uZ}RU~Qew_GLjbL5iFXH! zv0^Qxx&4ta&zb&ya1j!v>?qzhVrg_)x~ zx;itLlj|=p=dAovs^38>>dDN;7KM9PVftDk48DXpdJ_*WO%uN%ejNL$WK}ZtFG4*h zTsBsz^jxpC3I@Twz933%NKb<4is|X$WO7!BCg!jDgxk`Z z2!4I(xvQxuJ8lhEH9|96E-&|B5JE&~L2klFe((?xO9vI@M?TBMH7O^-?_$o*8F#FL zxJt9O2!Zd;mwLckCxI+FoASx*${I0v)9-=g|NK${Eeb2dg}bq|s@!_@`kX{vefrvZ z(~!dx3LpWCgpsKGe}GgWzrqn8zUS!XUM{^`xm)N!GT&RQe|Z(TTWbDw)hTd?&SJLA z;Gpt2zX?c=zO^rloY>eQMGjkzJB^BsUleoedeP!f$^S2ezNtP(c&04{j~lgQR}7l@ zJb-=d-JtS%Ivua8z2P3x4lJMc_Vz59C`xf)9Ni>AWgVRw2)EPW(fK^CPP-$BGGrn$ z=U=^k4ZF|6Oiu2N>uZlj`@n9PfL^oDG(5zZyG(taTx&7?w(pbzv6u73~(OC`G!@5m5 zw6ggw#_X=9NiRlz&cw;#ru6{%E`6{>dBBqOYr#GUHi4CBAyOL_-nrpb?x)eMeE9-p z$r1X}JGENTLzRaT0s#m|w!2}{(^mj{qLeBWVg-F#fqJ`oI9FA$d(-^CZV4GCHHBH> z@I=Is;C7H;yxf&Hwc43)jXs=(Rd9ZBDUvTCleB&MP6BpI;EO)|=jbQY*|FZ~;2z@E zP7ok!d!q{_L z{=9^hie9yzr%c*Gw_#vUyOq>J9Tx#hLPIpvr?Qw;d`t|QO6$dMgrerUVkpFxhUMe7 zy;Rf&yW6W}o|w#(cyxhu9Fp)l>O^u9SznT&{bTb-N@sBSB|@>!MWEo}K^Y$MeU=kL z%Gh(26~(E@RUbC4Jigxuua+}Th4H%gF&Hzp-=Y8HTQZ-B1q+p|@h^vqSIGJF?S#+SaR6GNY7Wcl>Zs3c3nH(;vA|SBo}m@fQpDQ zV{AaV0T_l8S=a04{BrgNobwd91dzDwG?cg@?(muCw~V+J*c?L8Pu$gp0l&-p(^iV# ziw4|sK`5Y=JTg9oQ3J$|DJdy2644K#r3eCh~iZEc3VSINcXRj z#*{bL_8ogq+{G0c3W)yc@Hnx4I>Y28F)rO{#Vp*bG`g=@CvnUXVsW2UZFs7JpmA2o z-$?b;6^CkE13T9^-=7x#7?5}~Dx$`^7uX;2< z<Jr7dQ9wnqn$*7j!D}V>%EzOw9}A5q6={ z!AY)<>6p4%Cf0+CJwq0$ET8P|kaZ*R;?=z$wE}GX(g~IBW{TQaSi-%g4QnY0F$2lQ z;@U8GVsKQ(!znH9AyxU|=&Ip=@Q86bkKwTGu{Dz(Sv{_RVB<8ns!e!Nl5tJ8i6{2* zY65|q;%^(MEWm)#Nx9MN)I*|$*7CDnyuc%!vGC= zT<3u7Zu#<3-KM?SrGPfAQ#V3jC`z^M)u#?-OZ`fbsJw3*-g%=|f*(-zm?ed&&_7Cy z5OW!)4Zf6{*R|KFlz(T6`)Z^D=D&qsW`vHv>wFPtkXux<+}yel{W!s4iVk;+w8XiE z$U0NHcJ5HXF{=`_j=}tmmh9xq`_Zb@llYG#2Q)h6?^PRLeSQ%|Y4Kw5Siqz0P~({k z3D)BzftKL#zIB5BrzOc;RyMg*uWT`h|0u@+vI!I`>+AkY4kK-CkU|lAQQq)zfT*70 z%Jsz|E-r3gAM!gs9Bk}VAs48Km-en_`vvKL`1FcC@oL_?lAIz9MS!BxSB%&fL)*2U z&6*BIEWfo|8_>A0Y^Kl~nfxEw>omZhW*hX+P9)FY8Gn?+mzJ8*Ntd-IUG)5_&t4#| zW+`Q51^Z5jPOx9UPgSi#9r{gRb9*P~f!2lzedQ~nA_Uo=x|HaXmzUo*MzY`mVa_mh zGi&RT++1F>33^E=OrSuJ>UBjpZCX8Vu+$QEne<#;vx|=U5xDz1S@gdG=IBTHZSX(s!n=Mh_1T?yi?f8vYExm!j|zEbG09)rM*L z_TA2)e`T0q79~5L938DCI%jn|!|#gRsOqN*6|rsN3eMN2_T%kPk^?OUJ<;y&*PH84 zrzXT=r1Vud7)%pIJT$ngD%U$<`6qn0Fv{j^otNOYlvXJK-X70*4S@OfZFKxNel`%Q zvP>0RX1=-0mPf^nX8!*H9U??v1~-P@o^?kO$~VEbDd{>9yLP}0|4$goYJcmPIYB0$ zuDYPDgi1jhht;c;3wQSy@GVMLsVXY-)Ql8G8RmwMEUPEO--yThW9?f&{15WWiV3?# zGkONmL+OxEje}lzE3g1^>z>vJ;QsKcSWTbwZf%hu7ZO^Sp2jm}!zNrPe~n}d!USTM z5f20yc=-E^WiJ4*u}up`llRH=3k?l5SzVTYS3ta}w1!S%_^k-&@zp~bf&|(KpUvv$ zmly;s@Iwp3#($do{?zF`^|pknL+WCqOW+f-)9i*ZXo{qr-6wn3i2LqDrt;yHD)7DC z-Vi4YVLne@{v&Gr4W_ZNvDy6+69WU%ZEj`;WH|yUh0-wc(J{gJJ01!3Z|;<9a@t%o z5xL36#X!)_E85KpdA{8>7YAwi34%7QPjA;_5*xRR|9(b zXiXRh0%FlSEeqA6+GE;DtxW0shA^jA3ad(=IruLmH{fUH1n0}4B^XLfn@t1t01@Tw zC#Y#cP_HDUBmI_$?ZLQ!>$ypWp~qfF+E|8x&_)3PI-VoT->WU>MHX};jzul&Wd$ln`~_jB--6xIhc5@*^4+*x>fAvPAo`I+!#prTavLX*dAFfBzfogn_YG17R9$=QEyzc%sCp?V%r(( zzsjC;73*H6dhk0@!g&NgTV^YV7%OXQZbvJS-1o)l=@92ovS6&!bW_)xn;WlTHf64d z^%#d~ZgdXaTV*WCpKFupz8?pPt^Fx>c?CQ)ZkJoUqADF%T79;A=*ew=x@bvnNlG!F zdxM@xj>|>>Y=wu12j#H(M!2o%`m>pLC2=0BJT%g%LUT5 z=4OwRz&$=c7UG`-NZC&U+H!Haivy^_f=dVe^YV{7oXSeIReH5t-tm;evh+6{JEhDs zqcXjGm7U@MSta@en0&aWwp7OZ8GwNCC?WP2(YioAktAUQ{bAwZ3qZCEl$+|K6IyY8 zmc6(q@KWCUv1DL2do}U^pp($5M**?e&L<#{ zSs>zkM7}%aXaf6C?)PC;OwY`0pPRb^;2I{PZf85NEcDNTIS1_-sWHlS%3!+K|5q1i z%AUW2PSX)T-0>8`&iFg^ir+iRUGLio0gaPLVU~R{{8yA4Xoc#h95}<4WXc}1{Ri(Oz z6wZ}8n$;&JsMKT`eks~Mwn6WqGcSETOKnjAHwCzp6+PP4{`ojkixajB7!yHqZwyHK zm(g$E`r`W?m>Ug!2qFG4dj>>z1Ox~aN)I1JC(KjdGKQR zS+2H`his`XJ&Vz{+|6T)@))v$M02@s(8{Nmz z?dtR^0070r#g#^CctL1gJtZjry3}v2+3C$}QQgz{1Y6sZ#YMr3G*}^mxf(!pJXS>0 zQJGdSbx(E3zL6lEntVhN(5{(LR0jXT!KL?LdY_+OoSpHovjeR~U!uh1WI^ktMqcYB z@7r2eixR&;U~E6c`|B6W0zb^d#zZLGiN%w&sWz0UI0J+1Z(#6g*5KWWSC6%k@QoqWji$8yw5-5UdyLaWEa< zZNaahAfelfsA`yIe zt3m`o4q@a4)ZRViybj^^9~l&3U+=eX$C}(OXzzxXv|6P`B_VGj52Ue?VcwNO2(oiP z;2u`$y+cZ?_J4*v6b6#OVQDxO|dbkvm5FftZO&oo7TWzqM?`ihTX1>fE@Oo zxo4?4g%^tsK=QqWc0Jh~1im@^;S-aJXEMG3G872tdB}Pz$)2@$)ZpEjri}om9cn)o z?80whJg%5a8n{@EkiMQt-$gGXU3rxEwB*Hi3ZP~Ws>Fo?QmQaq7I7V9OcGpl^je^S z4xmXxWQ*fY-ceZzxJC=+v89$Q+l}C#cG$$lC&XZ4T%8pyhv`gP`_pW`yjmyk*&Vhl z%E@QX*J!f)j2brEO=26z6+r}52?d2h3DoT2R((GM9|ZwPK4OHhy|a^9B*@Ida*QFs z$7f=0o}85Qg%I5vIEhd{e+UBR#}_P8*3+)%{b9f4OQ#cvrx#Mn9*v;4LjAifLrh zW|L=m4X`QB>Q~S8QWe|g#29!Rfzts}74QuBr83FGl0v}Du|fi~#T%dFj*gC^qtPv5 zfsjsGTAJQ0m~_LuVJ$EQ^2hr;EU@JV@AUMSL}V1mXrM}HC;%Pf_5FxKWJEDV0AoCD z#r0um1xDrj-=OYS6gh2yHQS-ZcPmwpKSteJ?)+}fBsHi zM7ecZeKsw0+ss9o8@tXcKCrGV>Q2KfF(l-!-gM(}9>b`Do z8@_(6zXXg(C%=C$EU5ch)A9)0#3wCVT9^Zl@?|W<_?N}*6f#-ry4B?Z50q*_3KSKJRq{-?EU><`#znz>2^6?eEXiCbnVBxgRJy`UAqSAGC3Zw$h z3$CY8L%x+xZ3U-{u<7jvqn11N@kL%AJqnRkrRd~O-a-CY8CymlJ&JIr$i%|Xf%=*0 zb7H2SGY;m*#zt4-4}{n(Z0EaZk4D>eth8u8H(ZcC9)J{&#Mj@4kF4_pLY_JU(pIF0 zn-1(5Ez~<&1py!;n_Go;+LrAWV&p!dY8(>YPpf)x(IuB`0f*l
  • #YebUqN`W1;7vK~^rV08o!nJdRhd zO-;YTqmhOa@kZuZNO5X4E+1zRv7jztXb^C!#!YvuU8X(HY5b&Nu!=KATF^2y=GumB zDNbGNnoeBCzyEHfho96dFw zpxKq|2|?1cLyw%Ir7G@~%w%gPs?>}JNU!vf1`Fzei-=V}!@Z&9a# z<y_AAnHYWLhyRz7Knp_F{res(OY$Xu1_AC&)C@5mAan*uue9jkd-Q~^76Cv{%PRY!7O|EC(PERH8vEqspXq9x_FmGR4>Cv-ABHm(> z61;o=R#RDB{>y4YY>b-beo;|Y5j~am)(GFr+%3tl?K})mNQ%p@Ng|Y~QHI1IB{40J z8~hYP!F`@l0#d)Ko>3(d-7L!Tmq8xWO&7W)4Y(l&ew1Np9_N!Y7n4!h$g&!#h1w09 zSlAllq&&6O##4mE9PMV-GD*yogac~|%8FF4;o$Ugx=hfBK_ttGAuCv>S)gEPQ}qB`0aT_ z6=+UiwHKbW4h{}ZOkgj{lh^Zl-Z;mOe2iFpwz7(+NyJTji!L(Zu84<`%(Q~S=lwwA9x ziA>1Z24GOw)VHwM13I!Jex8km4R7qWK&?yw>trjihbl%Ym5%645_$?sDFUzz`7_Z_ zIDa|nTJKiCwyCM9y^%2*OyaSaVZT8K=p=v-fQXP5bpH;Fr3uD>Pe%p@_68EUOfJMS zF%2JH9V~|d5NgQ91bG4m69NjHj)M*+5ItC^^TYhUGJOgZ>}M;Chkc;owS6vDDA8Za zKIfpl#>N&tufu#;&!AMU>Y5q=G9;{m@UYn6^w)sgNa^cKiNl{JtaTse^z2MU za%5@>*XeX5Ljt(<^o#VxkdUBCRw#gwxCh$5*Dm%oHk5ynIb7S16AqSm_!}9W=_2SW zm{4vP2Q;*F&#TNdfFfF5C$9}O;H#@)MyTFzJNmS=h?c3Vs*cUh5;QwvBzhymcth|4 zu9t#$0O~uiIuA?oT;U~9{!J6{5KoliU>h}Sr;&>X>_;vzG4gz$mk%DsjAEq4%ZrDn z3SgxwyjkrC0=z!Z{Hjui=lN@cyunE5V4_UD21k@b{C)3Iw+pLZI}{BzG06ik=gk?= zn;H4}`9VSOSBTvKsD5$}cFYcNjuu;V5XfXdV~jgRh>wPi9@mfN!r5tQ;R;d`5{wNE zvGMWgDJYIF&Xu7-He`@kSXkJX-8bS}6*V;%d$SdF!wN^BpTGa(o%R#FBO(-}q+mtv zSahoGw?`mFVE~a?NGqz9jg5e}RqI<@SR_Qku9XD^1s^^T|JodHIS_#Pl%s`O0Cwu( z02kAGfAgtrXh0+2%m#`TcHE4NX2)N;w#CT;(CX$KY*0a^RA6NEOxqtDw8!Uz`tS@R zp$O<}h(*r$D+1^yB``qC?qYkC%KbD&z@fadvh(LLDFCGlNtk%G73tKdep1gg=#OV< zuvzu>_J;WVFm4YICNR#c1xgaaGu)1iO-rjOkzvQm@>g%e9CVUqFN8UjAakTX&428Q>?it;?1Ia;g{;Qb(AfbYCidN~EC2@DSd z=i&H^u-iE@A-BoS#HU&~81fNqQ2HLPvv+A_B{pp1=w?z;m&*~>!_xftRUkNg@12~i z0|rBgfGaO9fgIqMQ6_yz&$l@qrYNy=F|n}h?Cm9!F)-uEf5gePK$!_ z>l*(s1uJQo^lWT0N;H@al@%3hYkq>xlGMOQ6_cYA5QJoU149;)*7Xj%o2#p%C3>R2 z3<`u3rguNm!3Vsf{348WY-1O`Mfa6s>hI>xU(!y$lp~6Gig6%3fdvQ!C$1tA4PTmB z&{GZQ^pqYRrU*`-duqUv&Tb)?V#V!L?Q5m)B2-w?b*!m=W{@`>iTQMQg67`TkQJ$z z0UTzZq=$Jr6=EqFnJoZ!_{`MN@fzIIG01{kU8=%|{gyL%{k%T;mQxvP*V88)LKnU{+ z0WrtI!t+eIjzAPUC#N854N2OERc{>xGJxK}3h3r445-nP!y#VXYkrC#zSM8!Z}*T- z-w~eek4tRb@9mx4iaO^7zY$>LFFNXtB+>JV#cZ$=tD_V&^6|-V8!5R{V@|D0jrLJW z$Nhl3U5@}`XlSTBlm?t0JRBT-Bfy@-v*{h|?IAZHar-cFTS7w7($YG6M~i3F*47s4 z)D*+sc(eXA;lEtVHVhEc0Wh+l4)8KtB#9v0GN%nW`NLseSy?GH9j84d3Ef7MWwYP- zj6*>|@q7DtvApL`7K8*>bacq0@oka1__7mY2Rfv#1D|!@+$H z4F&K(Kml3N=H?~~yLO;+Wm`%K17@E8-2_o|jVXc(y%xF6zwiJch=B3? zY19Gdo<1lx8kjyh8uxz~d+VsG+O}Vml#)*A25IRKSag?kcXxw?ARyh{NF$AOry$+k zNOvQ-C!+8Boqf(3dq2Z}p5Xx3n)AM|_{DW4SDvVD52ue^7yXY$zBCAkV47n_zQv`H zprd1dEm0eV_}~E-hGgkk!zel$it=|T50kW-K~aUdQD*yOV1$sqwK6`Dk;gz1q5f_r zCZV_Yp{N_xNa;HwA@pq;!;X>gvjtC!-mX%u~*fUzOt0@i9;^ zF3A{J>cEWc;*Tdq9J3-4OpqT%*BBTFA8&svS_w+Ni5HVp`C9j}En|s$(zRxbAD_*s zhZpMC=BBo`wpci>@`n$f-2LoRBf>-N^u zMPZ7*=O6Z+7I{vTmaXjzDj?!x)u_CwGFM$gc**`E;{Z3wAu~BZwOft?1KL`P-_5nK zXc%!=7O(9nIZ>@Exy}r|iT`X(ByLsA?zrz5cqu%@A5}y#cg?V{klBKJ|A1`iYP7uU zN2O-9*l2OYDX`_Hq5knka$+-b8JM;CZP^i(ZN+xnwoL+&<-O;b_Q&M8j7n|h40?1y zNQ+rZ)h05kB^@XXRi`ic)ys%No26}(Q`(xe&Ln(7^Mb6X zj0U0uB>cwB+xJcNpGW;mCN)h@_nZ?Qt5gnKKCfHWP{=0NV^J>OwMsoKIy)c%fr`nV4-|*-DpMVLz2o9- zO0ljCBW=ieOw5_uMQ|H>Ndn!}ROndDH&mn?%(*g-^9X7a^UnnR#+%=#I5L^v{@R6z zr6?y;oO2b(5r*N@v^_iM%nKNHWw=m8>nd((^|+m$0Nq#E_==W_hemShwX6&}c~WhG z$SUHJlzO({1n^8gp-yt=l8D*n2gxSss(T5RGt@KD)YO z$IukVHY!d!7L)CVq|VUj`Pk`fN(EV3HkA*8fPjLKN}vDFBix>?4|E zJy#VlI|p2GV7hA}Dq!RE1#0QOp&=1uMLqx&nymw{HVsZQD=TTG&(9S+ido(>E+rXnOTj)*`7au@wnMw)E9>NvCW~vHZiBBtob~*yjX~qno+LQseuR z%y%ZUn2c@4jTIuEONH~cMJ+8};^KY4>t%wXzJ~4R_?-R4toQ5+0a|of5;n`20w~B@ z-A+ljY=J}p0<{Cclt%E~D&_xZ7c@A00b~N|l?uN~aen?6LXg#x5X7-BXrJojd|M81 z1pronb$M==gCKSSd}brqfBn-Xzzpf{r}LboNx{)AdhRIiq?r1y1>_A5Oj_JZZAI@E zR+;Treyuu~?vEC^n$7&(V!pDSl)Gn?#1_ulM#(s>`e}>Cz)3zobiTSMmer$JJOm!& zmyvLQ=Y{wEd#(bDN<;6?-sA~vFC@=N$9%IDE4{{ERYFL%|{D5$PCr!W_P zkhx}Oq><}(34%{XIksr>#AVL0`{TxAF@Fp*O;;704m{06Z#dz+j6_D_hZG#_&Fg*+ zz8tV(5qfF%RJNS!#7MG6LGRzVs~`bVI9OPqFv=Rt{`vDKPUPg|r22Q07WZ>ed3h9A zaBv1HAHp!;2KOod=}ffvj8_T&^YBO6VdLWCt$_r`iN(Xi!^c;zD<%xV3=E}(lAqQE z7`XR8;iq}~(fmJvyY7x}>Uuyv{Aqqu!ojrcSn)KN7J+fkPDER`x3uiH7aZ6;5$ZyD zM1>8kjazUp1^Lky#m*QJ`6v5J@nztE4H?|xAX^e77d zPD*&6fSs#TvtZzSHfYCKyivyBu|<5{*9pHsfL~e8Gs7;YqyO~!+p}=2zlBpNwlw#Bx`l$0QSf z#;OuTXgK2($<&bBd}8Rt3!yF~XmfM!xzNA&k5-U!)E++6ZhBCn`-d&45Ct4s6}FF(nx0%Fl( z)$$*0GlocjRBr>Qj(|ZjPs>C*sDGMC&*!V|Y1P4uVuk?aAVj3&-G5WoN$a(Ie%b$y zh7INiV}8X}`%u}3=2x0FdI;x>Bbgy9>`ke}B=aiY)rHuq-`}Apo}d&BFKU+`9buXx zDU-$;f!l8kQB8e(8=lcXk(eQOah-}MOJt?`TD7oLh%cFs&~`cESVY%Yys(>$+T6-~ zMO9fpcdQoTW3R6ENSj0zVR3ikRrDxqw~GuIeIvKyR#4X?Ya zHLq-$ETD;l*A&xqa~*2{<$-)86mzw zhDu5F$xJlmBf~6EI1*mdwfjUSmHEIHz#VP#pBR5|fFeddi;d`9FM?xYCU`{$dLsJJ+S1MK;!fI?;T3AT_3;it5 z=fNZ&?G*%6N&raB4acT#b^8u+e|aPD6FLnksi8PNBFbY#PjZJYv8p=f$d^prXz%du|V@{YkLd?QF}kbRmhhE${G!(<;#jn%nAcBBmk!EiiwH2mM~MI zJ^}0le8ILJ-}nNEO?40Pys7VO4q&a)keO}qaQ#<6<2~0q?Cf8e@QK^iA&eB>jfraJ zM$3yw#4_63+hbsKhfz{cP2rvxUL+^PDGf*Ukds>=QjedJk)q|(%s3BWqoQ_H2*etwh1bdV|&qsX|lHZcq<|g}8i65(EA{qdIxu;J zQ`6I;a+DE-yp2E;_RI;?$AX9-deU2cRbRS*QDO+j-SSs#zR#8Gy%Yp1?qPQ@`cqY} z$~-m^kuJao(Ct~|P4rsZC>AMIM_sr3LefQ8&sW3o(*7LKyl!Qu3txQ+FEntI_O|JG zy?zWyddE;UX*efEhiEv(9O`zNvFu{g;J&E zh>#7vSih8x%6nD%|C5ygHF~xKu&J;p)9Bbr#eQItCrtp~4%A#I`&j|a&qh{2Zt<_G zLPR%{0T;aJ2P)4o!)Avdg#}g!N^EJrVus0x0CZC2h;heY|4;}(wKE%0oeT4yk zU1BTxUH__#xRJe7G21mZQO7j2_eVQBC-1$>P_b8U(f6`u_0=;%y9h%M3mo5&i04J; zQ+DyFEa;Od@XDrG-Zt3ISBT2Fs=4MNy^o7o;m`5RsL!l&g_Y{>(ZnfP7}HI8YZZ*` z3kGF@212d@EP`+8=neozQ0;BMW|e-|E9nFjbQYF(MRV}1pe$%O`NGNAr-#6dydF>a zsCaEFqsh;YpqalXh!Y~u*to!UxqBf3htGHY#T^LCJR?gM6yqa`>|F_8#xZomWLR%&m zy>Jmrv&@!|k=6`80aR#;8_JKlow`J)SO0Ii8wHKnt{XP;=Bp!BW<*M6NGWOVFWsf@ z>qkYr=oc5&tanaP@#KmFj?5o6yt_Rg(C#VT*QP~JoS%NjKJ%)s-McQqr`eclawS6h ziNJHlWy|&Ma^j`~w<;!k@+@ZXg8$vx%5tkadSXhTGPU@l%gudDFp?!sDeVdj<6`C5 zT-T!ndH!p67v-kJ^FE2&#;#X1{Zh&pn?0fd@2@VxB+8I>PlKF+V;O~$Z1$z)et#eo zQEG1w(65R-ZLppq3Lh!DgEaTYK!-PDi|65QYui>drX+fLGs8H%;jOulHOXJ9Rh@1G)m{7c% z*4y)-1+I@2vV_}cIFXoR{Rqn+d2)!RQ!We%*CGnEn=hs|XA_v?JY&!x8r(&~gszU4 z0*Ad0?1d!!I}*L(;y3C4$WqD?$!Z1WT@1`{XZzKt zhrY1$`Xwa4f>2A!zy4@?;GqU~*7A|RtE*j3zA$PXqtqw26)$nSWV zN%})lC;>N2h)>}+COegENou#eQro#y5oas>j$!4==#Xkyl(F+$g_!+!2O&8duL+E^ zW5Nf?+$XLN16fjs7u{6`BX}~+0`pR@=d5+#lJ#}va~1l4cwwcJnAQLi^I4)X9pFY1 z{i<(Ks9jvn_Hfy2=LmBvCbj?@xaFoU?dZ>s3$y`ya;{u(Ynujb1`V83F<31JhX@(* zc9~ry!uQrC3@@Q(NDR#Qnim*5aJ1AE4LX2cGUapL!ywWvZjg|5B7C7Y(c!97M)=}% zs{wv09IKSfA50(JlpuwJ2)rupONUwfxi|m*0`xQ6-klOJCigDN$?Z$|Y_Ym;sYyF) zSD8N;7NAifC<ecge4#J z<&ur{#yxpfwMkr*SVj3XY!26tfyBXM2F8A)G`n`%dHdt=ZO4T7oJOX{kIWUhqDtj{ z{XWK9cpT;G)MA4Tk`?WwA=DSOO{bF%Go}Eyp=!(L`4q3DB@4*p6%R}KEEaPc98H{} zu}sV%0zp|{p-M_hm_(t3!O+mA@z-X(OCG1^}HN5UkF3i#SN?H=FTAbJ_|84O)Ok?24@2lX@x zc`dDGgC2M>F|llQ3=H9~0`()(MnF>xNZZ0e#c(L=u1X{WW*$6ZnsaVH*G)6M*si=T z$=>>XV7cvikHaURz;>wMcjscFqDpv~W`;_@*2zdrPSjJhcS?GG@|LFhMq_qTX1mH4#D$)e0;t5-BuP5RXOH8RF#DrYSa*h^1hpm8v`;PIie?LQT z|1E+M*Jyz>`6hQcJ?L{O9$P$t5{&gCo0;Jd1VG{eltk=Lfc6aqI9&vUt^^7SNVCa9Ok`kWzsT_jd_HfeX&)o(_( zWmCW96a~MK7%ZruJLRD?E*8M{XhuYVA>x{<;GpoYB=#U1<%aO5ZY!*-<6!5AGOlh( z&ndNOHUd9Y_{bv4HfIYx1%9ps!#eg_EUe-dv~@UdN_?w7#c`tc;p<&o@=^h7h4Rpz zfrB>Xj%%{~cQAkjyMql14sK{_+TYm$hD7QuKioffbeKq$4`w-=2^j?VtmGx-<~94~qgobWj6~A-(~0Ii=fBka909k54ezE#W#q zM463|YTX?iHZ2v%5-nNZ{ckJ+g2#uZk0TlMM>xR#&p-9s zCAp6+h33fZAM9X@vSRxpIXece8Twns)QG6&szFcj$Cb+I`JQ-S6cH{?x z4Cu*HbHpm(o_~#*Hk5{#4~hs>uo}q#H4u{ie%nS^pxI37S?fw zawtZ+1df-^BR^m7lIzr@&N=q zAiyldRC)z5B&Ijs7hUz?Lvol?{jkpR9fysura8NAq~0^7{Vyw7$G6uS_Kv;!b+aRX z=E7xe{?fQ{N@Z17PXc0*S0qJ@RgqVhAd)VbsQJY2B^|&7IEd0T5G^c9)i3NGAEAUX z74LQ5J5W{tth^#e62qr>t&T-rwhcM7{NL#(0|x10+S$h|xYTY6` z)v6p1=_)qPufy#?WHku^{fG6Q7xk=N0_fw%TR=fB|HzfC4hIJ(Ce~{{k&pVf3-kH+ zdAD9yg>^O{06E4GcC=qgvY2SW$ktcV*Hil7r%%EJ6!*^oY%J_;Obop*hU@Fnbym*& zpCSSS11Ge7d5K4HAgBkZ35kUd$4CWXQP{tbRsZ>fcHrO_voP3h;0$2CSK?rsT-AIZ z<2cW}@Yn%II4av8Zt^Vzph^O~$v|T(><27W%gD&U#l`*m{=tcTVC_77P&TnI&(6Ma zDFgTZMN4qv3eha-f&??)JAP2|Slot&8_mt{vxiX0L;=0Wz`y|dzXuB@>azgp zzZ2V1Q4w`$C6J&{s|FwkKA?1{J~EkFFP1qKQvzxzh^L75uweAM)MSEYJMd$NmAUU4 zxO=yTz0ZPUK!XGdRSz$a;jw?<-fGVbd%e=$4%Zb}7so%!_@5~BN7z<%c9wp1C7gL! ztJblhB1{ZCT3J+1=RKet!we84!DVG*Yw`SD1q?U&+q!|lu0qxGg8JCosJD2H-t?HF zLcJV)vlb|;nesb))YD&=mR7K4Y-^;&^a5qbA8BaomIZvbt-ttGdOQ1|Aol;9K!EVK zHgV7=1`cDjH3app>;fTi7!qtXJOnmDy1}QXAKC;wMtzg-3}0xpRaoD%v$Gn@nQRd8 z81Bc})71{Y>FH@BX7XUt&wm6Z#O=a9#gP6ro7g>~VCtgDCTIY!^!!b;oY6pXC@Wmv zRwpHMm2hygunyLtu@W^cNPLI{~=-Rhsn*p3PTa54Y~admk~p@EKx z*#cN~0oXN2@>wo4r(?VJUq(Rz#0hf ze}M;|%I?=$eAt22;z4tfVhtPHi^j!_+jnQj3=+~0=pWE!oOj22y1ES8eZc>7QQ8y0 zRAFHE`xrwIUm3rVk&xJ(EJ9zX^hNvoyFr#DS#wR-Q$m5#?ADzGE?!p$JMpyB#VXHg zaZo4<)AY=&D$TKwq#Oq@v&Ui=h+sg2(GALz7@&gazV`a0Prp^c$@(S1?~erVTAMH z=6<5C8tiY|rw3tBE}SU=YqItIJ?(y62$=IY63m9%R4(|MNmX`=oYm-#2H1 zf>eq4^lWmr^|oy1FUFQiJ+_BSEs0mH@%~jirDcJPI&_~O-p|kCciBB>(S0alb9c>5 zeHNh>#JTCaW zdx5FTwIActs##x}m2k?a7gLStNCql>7KI<+=t<&nW%y5=0@7gOE7<*5T?{-Oo)Ko; zhub61iJDAwhoD$(9hI1LU+)h&tzI8@?laR{TAyH$G2by)BEcAGtVI*>v_4XA`V{4- zuF{y!A{J1XhNSb$%+#C!nuZ^E()EYog&nY20+`@V$L*ITUDSrL>*L>$XQTT1lzCj2 z_`F|d1o(f?&4YD1nzfIM7~an!9`waNUMVm&{yETB{l5j_`UD?a(CWrax&8I1^W;ZG z#g~_iD?`lAKHc6<%*-5PCZM2zYRz4klOy!EjRk|aByZ0H@B9e7<5#=u>*IWNB+{?z zi+PO4GS|QL{J1i^=iH*=i%WXL{w{@Fi6P-8kWUuSS!{ z`%eduPB2g}R`{9dgxdUN zbYm8G-<Gd!f2dH;GKK6;-Z4C4y@ocE2Rw1K*a@!o3-bA3rsq}~ILJ``21 zu66g&5sXlN8U9~iQ0>pdI3nzTO7BAo!Cr25S5#7}wrBtPmzW`jSi~VN`2>7xc!dN7 zRn-|F&D9paDZP0(8tc9IM)E(EN&e&Tj?C-p-j8A7GLnq=e8vflO4=UqxN6!G+KveV zk#rQAs>Y%<{ns}0uaGnFR#O11A;ggW+xLSF=qF(_BvV|OFPsKQ!x&>$2>tl@|1PWY zzsm~QLbPJ?z(#X+*sEtnXErq5jELvAwA5H#2V*ebu2maM(kCe;gUdF)FoTRYbSIaI z9uwO{LsJ{v(Lwx@ZePMOAYL*y=8>C6N1U^s>l_%6ntT=lgZyCSsWAYVJs@GOsGe{2 zx_f-Mb9dYGK#tAh!vBlwi2C3``Y$gp16m`*6cS*1Qwub#<0q`whjV=sj=Ya9spCje1sOLKD&BA|vG``ihQ zfc1~Ac*b7r41G=jeHtQxG|wQjWS+d8WG88-{|<4PO#npr84ox4iKDpZdS>>AkcuQD zQ)A`Q4j~VkpVgfmN)3a_$?KHNX>U;LhNuH!C#dtHGa(`Py&f)kD9Q_!K;pu!hTD9& zkfKO4324;LP8ClAhmF$)m0_#=xAFA-vPkf-A-AZB$(lY@CJb$jaQ=w+2ZV-%Rz8kSCjp~_#CE>oJqK-2EZoVt{f6rkB{Bj~4>OQP z#b$n5?Q~xx0jyj`16Y5$O>ZOZ2d8`@R+Oqb)~>DN_h7rZBbq+yYi@y&tC+2Ko?5j3 zJe0}hLuSOusi-CR#gA+qR)0D+7p^yrRGN0c-l>AebI-xez(vOOMr6|ornvP2QF!0m zP%`g$mi3weW3pnV%tcJLu?3d8Os|B^q@H3y#xePKKE0*PrbrSY`P1XkKE%Jf7nuL(zlq9k|b$im#TvavlsP3&N%rwsOF zro)zVg>!;}C__x;bmiOjnchOCab+K2I5#)cH+T!G%9oj3 zU<5C<3z%$HRv~qH78pMU2FfZ4i`V(Uz(}uDw7iOfj@AdsNmv8{K?qW0Kr~beWz)cq zfr=$~_bw+%w=`Znmn@ON)MR@VGps;nVtn+a;mHz!x_@{u9ZpM5ND#G}0+h|b+%}t~ z#{agGim-OtJ{71yvwm6^NSEUpp{eV5SsRi1T*VYj|f+l6^TW*xu4ZA++O zv#w~(CU!6XP1>};hgriq6o$-e(sFPcKQM!zUa-%^P*SvOxy|VLm}=f@YedX^ugR=i zH{$AwLLlqrZ2Yq}cB(k3m^%d67LqmKqmU3Af11GsN{TURak;CLz7K|7WG~|6H3^+t z|84_LXG~4*zMW(|nwTjdM?juzkTqqknON;`w75E2L3@3)W@G!_t?*MOUl$Bw=b!u} z)UKvW1lVr~)8DsTSudX0Hh$50iNikP#3z=0-4s$mDUF+KP1jkO^LtjhhAw&&`SX$j z$WZfK;EcK}FmjpM+gA}bOU#mDf%M@kpB~d1+|d~Y-`znbobUvkgMq`chP4C3kO2p| zx<>znR;aIU2Qb(l@MGYaAXxkn$v-!y^$eh(bx&t*ElYhMz-iDTG-qX3#|e@}2XS1T zGTWfG-aT*(>lqsegsTZ5!jL^2h2aw(9-e!~eNzhWR4LQrP%KS--GpktKyDw#RMXzC z))uitJkTyB6_R>9Q}zC?>1Xa~Sx1{Xcd2{QZ?blA*B$k`M9YgwS}Ai1=zvYOViLpw z5w7t#43%;{6C1&wgM%GxX(ZBH*cc!LaP`kV~tSNr{Pz{D->C zY9S&klE@bAAzy>CsNsQ`M&dW{*{}@QuUo{eLL-~BBudN7?>}+1Tib+t8iK-a-+e| z0k1ZG5Y*0>Oy|H1h+n61YfHnLWLXg{@wl24K?VZx?miw&61C29rc5YM?RpYej8p{} z1U9YFBf*~HA(X(LL*l&<#3Cj!9UYzL{f+&`mleXQFoyr3N2{SnG-xL~?{iX8ufCj> zS9f`H)ko@aFmk_Kee5WWmLU~2c9z+?-E+G)q9qcB)bFH_%I+LvVv8xE;QKi(tS~Ba zIWm)KTZ!IfQ0|7)@iu$JH?lFL3Qu*yYa1mwe*~j0+Wa=?8)cx7e=6S;K6x7IFNYou zBv%RH+6AYajFnh?cx!-tGUk6Z7aPv$>=ZE<--!^FL(HH0*9iW+3(Ht1ws zTGL3!%zaA%%}*xO%u6Ujv8lKGA@s2%HD`r>bwY{l4Vvw?AJuiqtOZeON?>F_pqzZ( zN{}JXP+xV`j;(&c1!rr$=S+s8%7NPbRrcL}So2;$pOFsuW%Tz%>51+X$1tYI&g6xe z+5=v6)Jz~|ol#K`c%=9w5D-b!lTa>K&SX=B-ny*XH@eO9f64Iom&^7mLE%f7X2>#) zI_BZr8DzbUjrI+vpx`Cwf%Q6C#9H09Jk6*{e>InI|_r)cGj+u1*UO;VLxU7ZF{QP`?hwQ!ua7}CmEwx&!H~(pF z>_Wg?pbc2nYnZhk#I=$Mztvi(@bJLxmJzZQ0d>PS zOMF{#@2SKpp>;Z0H$gMYyPGZz`B@Z_dJ^oq>~$8ix&AiWQ(B5}0O3RVymckFXH(FT zu1S63l)Y*quVc#3w-Hh1d(!qq$@vjMOq%#4(iJn*(K-Hxor0&$X+}klL-EIo@uGo!GB%(=^M&qg5~jnbd5sI{Rxa8%<#`*D}k6P zb{W{lhNmB~4;*H9TbBzPXevb%r`*k9b)$#kiDMsyWglINBRRa@FJq|Z8^cf!AWP|~ z+e%|GYqUKbJR+ud({31<&?e$9R8G;a&b$uwQdC-y1<)xO34xBy!QIpR&;iLh!TrU{L7{vVkdO` z0-kRWQ6&b=#1I;Mz-RAEeBKszdhIIX9(cHSmDarxIi}P0%nK^z3Gp$Ve;is_d{BS` z2{4SddHxnGp`)VO-rM8;cwzRJ$N=m|#NbEpDD2#TObV(h%;9A41}6WHKJPZ?8=21T zc}BTvghJ6AV_Q;Z3M5C9LLrwnxce>BbW&@GqTs?Mv_S5_#uaSJbrB^OO zT~nwwbL$7v)gSzg4K9p;J1*&}!6e|L#g=UPhd(08Y9WY~?3~#M+)}#tZjYVD+a5n| zCo-Dd{bqK@izXUHLSMi~z}*YzGhYh>2CtgRoK-=9|o5e1V^%an3n zoX(AEc;%i_J7W;%jbd9U=R)%$4{LD=mQBx>HiPxCUPCz~*y%3)?C*r}R<@xF(#b<+ zJP_e0XD%1SR(7sw^%`w!-Scz$vRBF*+xjSdj#&C4GEDONugI|Fnx$g#`{dHuH-2r! z^|e#ao|A8kl{wD6C-@(OpmEz;uLkneB~-|l>d*0QrLr-#+SUv_EtK_d_Op~ehD8g1 z7$uxg#Xug9=9H>$v@|I?_bEbNJbJy$FjQi*A%=y34Hfuh*~zuH*Id6z^}8w~LEmW* zI{4RQxGc5RW^+ZkM_0&wDhm2TXZg{3{jQV-O(tZhKSfFj)Xndke7U5P%wk$g0ilQ~ zk1Jt*M00RwU(g*X3NC?Sug}EyDtwzIN|o6#C05h(&On($U}U^-)2HvI z^|urxEdcmN5>OvoEMx>2;0$ej?rmjWqja8iTsi+}H^Y-%)x@~N^tYnF{Gg)4X~?}m zDi3tt^3SH`1z@EU;0cHZ(P;ys(qMF|QJbb0l(X?AfieaN$c zwsJW4{kw+?0z8v-+kDuPpZN;}sfU8YZi67i5-K3VSk`)-)UK&dPPPB zo5KwYyhq1@^zQs^?4B*is<7IO^B6iB%6T(ebMk!CP+aRkT0Ds4t&D^%V(ICO+Hu>x zs$<<{UavJgjC(Fpnk`jNK^4B%?lKGcU4>SbZ8iVaww_a`h4uAy>dwFi19A!~lCMWN z`Whe5T4?~Z_p^MmoT}@u_-o{Mk-E$LF&lUahLUC+jC1{-!KLE}*SIXX=wD?WQ7DsO zqJ{VJ3wJ#C;+Ct7F(j2Qur}QmKmOYJNw5HpjB*15)n~*Es92vCxk}0pnww2+S8yYU zo{$^AF#PL1Kp>wLyZd_0Bjn)z+kpo_KUkXm;prAY2dg=rneQ7G_e=by#PZ|VnexOz z<|^$r9SMQ28KqgcC}y@$qb`1C69Uzj#P+MeSOv4oKDQeU0slYJ2vAlsoSl>p$|2wE z#eFsoZ6EXe;P&g@LBJcBDh%H>_%@vV?#NXj2_2LyNqk&=r?-xp#YOn7*b^c$1R}p3c2PS| z3K&+ZtZrv8{d1Qc9e$jJl9o@hO$N7l=Jf8I;Tu^A-TWfiV!!>gS|8k|+t!x_lk5Gv z{>cEN&oW#EoeY=QK7lER$jy|L$!1o*iC#tXAYyfXg2UFr(t?hOwfnh?+al8|;YS3z zI31uwc$VH*1JZk-;?F{Y_mw>6m z2k)EP=0~hI=TyAKC7;PjN%AI@8&*K+3SHIR(EZxO_*V}K&F!5QMwv*?VR_U%T-3zW zdtzE9HsHx}@~w*4L%!S^DZDpN&|w-6{jwqMo9A1-$NZQ^j}hrj$b|1i6-B;^@P3<8 zrUpic*ubGUkhf8@>-8~fWCm}4;WoUaL^yJ!&ufag*qV>9{6VD><|~KZ4GHAL-#;Zf zCl5Ab#g>tWMETl+8aKSnz}N68rTX3?5rlf@+sro$*!rZ%;n!wGtv``Ob?<_G_32Og ziHmkENQ*A5;Mkc^UVCXj&)6Ym7wB`DTJW&^bpHlkK*&$xb;Fsq`A$-XV6NFMyFXM* z`yTHM=~d+Wb7tSH5{$7|{&b(DI3<$uSUAa1Dzq9|Iax0+N-nNECkhHj0WNsk@fw_y~F&I<24d+?^J=v7xn9)Zea31V$Vjl8}Lz z#4SFv2(!dHEEZ7JHeGY^BT{z}4N@tg#;7pk7w>LeReu(C@V?_&3sp20WSYiiJE$pM zijK8mgb1On09TobI?Qhv^qfej$v-1)p3-PkN+4_fq3aOZf0B(_EZfpl4bFf6 zYptSxPu$GP!5y=)A8nZ-c6=jK0{#8Zhut=-qTlE3C!at3GT%g)JLR=-GAr&Gv&;}t zo-3(9YxPCn%HZ_!EYYAkz`4sTWhpdklW2RO><)=%1}3DmN-?r5u+&QZKyTJ7ebqZ8 z;Io-;FHMaSrpnND(B`HHI?|_lTP5_E2Pz zQ)0hd%9~$QneVM?)MWjK%+-_PFNR01hZgE|$6Y8()Cv#1HNcX$_@ubRlVWf# znCb8wXU_+x{dkQzQupA_t1{Bx+N175D}Rz#Fh0{A|HKXtroK3CG4#+QRxuDMhl~_4 zEZ5?F+DB}hPitlIUt#j6fq2oBl-I}N2UQMug4PW?u5X0%#N}GJ$eQkTT4&cby|*mU ztHIaI3}nb1qnJXCImyvL=7i;d$K#X?>r-_@eQtN3!J!z3s`}fv1~LG2=ZFFdg$2Yn zjnG#+Q?zRB^Z02Uf9!HuHV|eAYJT<`M<3lLwM$KQiJdPAml~%gfsNi^;AtR52>&G1 zxUWuKzL2IiOAcI)xV%~cnt)~=D5qI*hlYo3fMJs2#7NI8bj?--yuD$w(Tl3R8p!Dl zd^=d{vUF<@Ynquh0&J(ki;y3Q%yM^cTG;n8>nKA@Vot*yaVQ1byyGVD9S!D~qy;3- z(k&Y)N^fnnlv{#qGu@jkcn(u~%)~50Sn8uCeN{eQXEn?%@B3@|NN?_Bk@NiQp@*B; z@`vuh7_Ux>bx_72KW5W4a$P9+vZ0*Myde~+&e-I=dB!HTy~`~<<4}H_(R#@mRU@_j zj^5+?%TVU0DLt_gp+sB!xxFh&|H9!1%q)(JEL$aR1&Ku3)@G+P&e`Maz>yGpYF)jl z{o`RKi)>fi8d7?`b)QRbmWk7JH&|$5c7Aa7=%lUVI2mLDZYRAQib7$yk=z{3Y+wkj zf9Dk`R{oQd>vhOoY&c;AbqMm0r?mWlySe#wv3S-S|L#ecNDdsHsG&0wjUH27xy-Df z&oO%=pZ`Av*G#{N!LzWrNcOeM6M17xx?_0x@D$?f58Z};EOO;=-c`mP2JPq>dL`!)3HO2XZT zi*p^{O-#2{WcJIuyML$B5$U!7)YL7t`T{O@SpFs)j$CT(;jI1reoJg3pq zD!_RP@HpdYRB*vQ#(4%gEF7mUAPx7jmI%<-1R~=W!UdyS`as{iWPXS+ zr@#znj|NdWf|-y<-XgZl3Rn$pb+2tA+X2#()5|5rqVh?NaI}(S6}X?M$c{P ze>qxU?)PV8@c^ri35zy2D#t}F3P+aZiLflij;%u6EFw)kwt`S61F|E2cHym1G0w*h z+^8`Q%bq#49;wg3AX$h>$PAE2e}nK(bNHg@BA%86080AF-9LyN41^0^Wl^_+2qI9o z^btFaD1|w7!VCRs8y|mQZZx6N+8GJQzjE(B#BV{Pigbhv>phtGt1&lltsf*?Jgp8* zY;D9Z>j)TYG{X~g6_qF4#EsIevcsjJKycM<)zezt#decXFMWr5P(@<*g{jo(_*OZC z1lrAYN>If9!-pv{)q3W&nGxs)gQ7>(g{c+xsWR>3`OHz>h7ifpluCfSKjw5FAMS^z zdIlVjAhfxiaf|XU**S4o9@m%d1`qJn&5O2n5UgHkOb`Log=i!iI_6tyx^FqML)l!4 z`IAbYUm~cwy8Glv=8b+%z-4~^)q=H~o1TDh4ys_6iX1ULz4g{$^5f%UceJ>qBsUKa zFfS^(5UL>^r4QDjVI40JS>^u^Z#7<|r;Pq7P4v~Xe*?KR)5fvmyH8YitSTsXg*wNX zGRN-wJx#3ap;q&Dv*rgAJ`yuA6~f#)>v$5K(%|7$m(TdtGiW(}&7C;~L+q1y6H*P| zQTX3d@lves_llJvx86&4rB=ZIAE8{tB9TwiLu1ESC+6Q$Ugy85?K9D}yDv5Efd1X^ ziMcp~%ych+&ikfwldian|3g(#b;x9{54IvQ!~dU<#7kCnKSC zDhmiVEB?nRJ-{r(rh_ENf@Y@5p^zHA!OtW!5c+USR!%~ou-x(l`i4sU`r)i5Vn@&V zYJ;y?CObw6XF!3|0BYZ|@YLoBss9|i99hEXx>9+9gn7j*mVWv?aFycE8RleDl%et? zv&e2QLbVTJDmbw7XZkzoZ)${U3NiKHtUu>XDQqizCUAL;~`qAkA<`|-* zq57AM$Ho+S@e-58nXR`{548&K-6snl@Hh@C_=AzR0g?1PF7EfWCM;Pf|1FXiRrLTZ z4Ita7n(xkaZ-gj*W>|r)pB7wSpu@b;@YvmBMk7bmSGLW2DLMAtWFZ7R@#r#~aL)rB z^*Wnt4TLzD;v)-rc&K?M-_cQdz%&m`8bj?Z%+6ll-7R|M?iwsVAB&HU zrSSuYQT^LfU{aR%AP+>@N+az}M~D5n%jSfT9DoNW+2lqCOlN$oH`ovKZV~fjEDU*| z=f64`zYTs}eBoNPTII!&pf>kal?L`yFaA+tiyzdW|u;fl{iIwm0M7 zx{m8PWeFz3XHm@`W0nFVw7;uYoZSdf@@^2XUOj#v$$2A|3m&Vg#cNwIrHwU1yf#~O z?}5}bHY}iiA#MC$xH<1B{aI$wxYHOae7oyh9q8+fiEH3dy=rpdnVI!FzOjmlO<|}{ zm&Q994`&*DVJBKC>OpQH%1R<3r7 zvW)e$?q~3KrfTWo+d4-q)7?flnRvj2n zQd_D+fRDBHcn{4t3rHVt3k%Ia3}k7rutOldtGJ(LngkfQ-BvvA?m|8lZ9H9+q8XoFz^NQGrqHI z!wg{Rs;a8MN~3JFUoIjbEoporMtUlXkzt|Y@B(wh(WpcelbxUQ-|JR*lWVQ+C_4N{4ZAI}a+oJcFZA%LJ*jBc>v3HE_>s{NmlQe7^r?Jtvv28TAZ8o;; zG&Y;Yw$s=)8{76f+phmw>)HDmW51vKsTsdH=Y3z-c^=2s-P0&s0YW`h5Y?|XrZ@tE z>EVZmk`(ofl;gOET^rSgokDlY)tlP;dm^l&K4}q2nqNN4zkg=S#^0U12mY%+;^(bC zBcCB7t0?6@^Q(QNqw0Eyn@n9uH1Zr4dXTmc-=eVhy_VE2Kb6O9fAl1w7m;lbbd`$N zg*25_RKhubRpIk!HAxM@u;mv-n_M(xo~4WO2C&8js7}Z0>rBlCWTlB6?L^ zstbIHj3ypNQ+kHp1U(WTD}gltQTX`8$iRX|MNUr1P_2r+{m3UF;8#S60|GjR6cd-2 z$)?`}1oG(PfDrRpJZijKygj$izaVgh=)M$rqT%mh(b49qDj=FIeVE?ebiGelV)gxD z$v4nH?0#~dBg|-AYZE~Ccq4JMZ?zl21%RGNoXG8irC0LQN zj(bR4Cp`L`=&wpXm4DU*N;wYyUK21t3LKi~HklN)>?l!N*}$lmSN?_()TV%EEbf+0 z^1I2jGT2RVkx=uAQBswuwC1E}g4aa;<~51vS>%Z9WBUH7(=<8%?{%8DlVpXluS4(! z#>H+ck)#S%IcCWJdNnCX1queZ-UrS?!in7^=>yyPMk61c=1%u9Im*_ z?yXTb7k5V$r{XFtqR$rZAa1Ci2!gsDN-55qJU0>682@e?7cIp{j z0)1L9H$Fj*_?z7L9ZetQ&vw2$ZHU6nFthgEWJ>n5;q7RHH@UM`UB_AVl>&y27}6ND z)Fg_U@_v&*A~XPmFdgGhKnsnK&Z1hI`(1!NVTWn>2%^K%67W}xG7A{q&*8rI$UKc9 zj5LLn^5I)1h)GFdx0oxPkDw-A$nNRs0rbw{EX0=B1_5$RDIjX&T^kv8-c)HX6@uRL z#x!K?kELY~+QWhj>`+3HfOSQWRaljn&W zAAdjDEZ&^(+}er;hgkgq0$v02H&>t<=AHB3%svP}0RZ7HZk=B7cx$qE$#}OnZedo~ zO+3Peh{*N@WEFxDgLQ1@!eHb$DI}yYi+A!hDg6YZ^lyf$QwK(Jc9xW0ObfL0wF zbK)H+k?(bBX?!hH?hhV@q4wANLnSLLr{OxC%8QF|zTn3~S>Fd3_Y_VoS|q=nmrO6Q%InYg$MgA6@PDCAxL5-(1J4%q$RvKLb4z(0SST2e6g zxw7Bk`Z;)ge}NJhsRm0p2Tz|l^!j|gF4e|hpQ=|TF20afyW7ipt&S-7m3Mz} z$sq&VlX)vyjG6HjMhnDswehH^<`m$}!0%BB9IFacZ!Zcr>&3aPqL`8o9PA{q6X4PU zqq?-Tv@axd0EySx*%{(~S}RK_6IwznOzgD(8u5$;AE zQpNc$VnxAm-fya28UVamc?Riu{5^6{j6r9Y;acPKvbfAy)7P&8HAHoTtHPh<+M|FzmfK29x76QfaLFaI#mS-Ds%t&%EHV<}iqtA$Kb# zZK^iYA3q$o#kn`69jz`^afaJ6n5U_ZPQ~j*XE2VPf52whZq0&fgFPH zEcn2q%Yv`*&$}I<9z$oFMlLtibnlH(kyCbYg+xSZ>07;Y{sh_uG>oKH%_{t$pn2kP z<-9IFk(W;uI$2%ab<6}!%4wMZ%M|z>YKrrDAFC3A`o>lRJd?%t2?e2=o9hL%KeZSl zU&t~7oQa0BI181J+uI>%e2`!#!F+(2BnS@svt}b74#VSS6F@xyqI2D>vOp~Z2~pTNyEbJ4A`;MiD!TTgpVO!bcs!SOjvQoqbct@Aaj(XD?UrD2^!*%&q7&`Yb~ ztMo6FKAvj7jN3Cc6^+JFg)xlJ>Xhy?#Bq4BlJ6TCjTvq(9}MzlP(!6R?Utgmt#+wi z-I2nWShIvhI@+kiAVtv{YSrz%FOV#?eicALiS89>ceohFRDW1Qgqf-4LJ#IfTb9{l z=*p5HmXZo`CYj^63kERoiPHj)Zaw=Z&Y2?C$x|w56$*0ad)d9uZ4Dj=JB`hl5MExj zdit|e1i#){{RBxo_%0{$+?ElA&%5!!qN!Sywftp0)H4Ng%oOe{9bj||j4?ul|9u94 z-dVbjNQL(N3H-QL2k0F*4Mk;(!(iXYhu^gwHsQ`5J|NUclqQ|24RB0RH7ehM1B=B% zUeI_--Kj!3ybA5vIm6m0X;IgQKUqc}5MZh8!1Q^ZCSqppve5;JJ4@wHNysXJ&&i2J zg6i>d=gTIDu#gZCI%T$)qyC+!@j=S|_)*uF%0Y}qa;?sCh(d$8O?->ltzrlx4d*tzU2j(6*-(xlYSQXA@}~O8fD8H5~}s(oV_`nzV>_eo$U?@ zobQm6Klh! zKyjzU`HY7o7X8yxdP92hquH}AoSL|txvRMGV^;FHjm>&%=$FxMN>mbWPLJ0$px=psFsU|g-OBS8!( zL^u^9bVtciGdHZ|80(SZN?W?u3~A#1Z|<)(F{%P+O6-*e!jb2gIq&<^H|TkthTpEl z3OWNQk7_RmqTBa_Cor+A#!9N{Y&k_MdIq;N!M3W3YcKs8*2eaOrM{rzqMo`e z^?uROijty;K2|5|+(jwX~1KKd`XwQ1U(o(6Fvz zs3m+WE|yl)8@mgsSSOxy#OLzblSDly?&WDWb=_pa<1a1kw=5_o4gLNPk|SQlypXiw zRL9*BpSF}D#{F8htO!Di@i&H^(HElT-w$18=TE7$_5jgVmp457K#Ba%l`A;F%?Ie4 zBs#-$nF{`5Bg+>1MGFwhl_ow z)--|8lX)9+j28_SH6iZZxHQVDTGHnozAP&{S)5-}ASjPpeLxo=DPem2!>-eQ4VF=W z@!U@&;74Hzot@Dd{^iReDqRU6idto}1ApnGFWG>Gu0;oHZ*K>xlw$xQ7G70D16vsC zs~t{a*ETX)u@E2cPBpLe7j5-h&6k$A ziQ~bK_JjP#&O@A<9*!fQH`(E%d5}E|+nn)m1+Uy$?_dzYlK*=g_t8KJ&;6YpcaWB? zLwZi$NPDsnR@-K!mTt(+&3qkOw~1~$!}V04PK08<184lD-6MT|ZSCBtSw5-K;_)!m zc|r`eHr+AZ%zwi_s0|0n3opjVC_B1#dqN$*4ywPCs-Xa$4NKFXbpL)fKKWQfaAelb z)2H50(IZ`vae2KzeHMKpDDjbUW zR@{n*H~zMrSUFR~wf&#D(TN)m1gqf&+6!?Kcit791vz=0_ppb+b)*zox?_+|^|IL= z!jJI`nXHb@i)Srs7=?4VGi_N-uaWJ8;nBGBQk?r88^xYS@SGFXJbW_8|=3Z|@_(7HoLtDEwCQ1n%gY5NNo+Bn>xiy`O#2W&*b z657rl1$d_HQ6QiG{Y=IBl*Y#c=M3UqO!Op0E&E^*(Tatt?#VU0`f!`UP&0eaqw8tK zlPS{MI~z;Ga+xgl<2AVPnT96U-6haTYxV`z6}X<4xFZ|XGdtDB(CU82^M?|9aB)o9qLt?`#%OPVPWE2&#?@4L&a@%jh1RS zINeZqoel;nH<)>-j?xF8gjni8kX!%JhvbjH1R-C zTW4}(z=|I-52zk{pfn}7+s#=41ucc9#TRl@X)x~>QnRtKpDh1+w1E8EGdSe+iTgw6 ztFW@hdHJa;@7&zXN~j25t3UU0v0b9{$?fN@GWgWv)A);kzpf< zMi0NqeE=y`Bu22;f|H_5ezIl~%%j$)nHndWS(kfZM~8ykEcKzcI`x0yOrDRdb2`+2 zBP^AfWI=wPtblKH_9&vNt||l!wrA6fXXPiq%SG&YwJs5ZI^3Sx^DPp~YdK zxGyF2e)LG3;C%36Q>VK?69bx^Q2)R{#F^n37Y+%q}18 z#gMSwIT-NYu?8F;rD+K9f46Z!rgLS2^2X@Lv zB7Ts1G~Ub8HB4x++y2_tY>8hk5&eSy_Z^cTW$t`bO?GF5EMi`P{9A_JT;T(P!4=$R z-VF?=q*IB40cBs!%|LZJ>IE7!vW9DJKGlFj0|SwxG~x5cKxlvk_9h`wyvQz*?lu3~ zL(ScmDhvR@PJBCo=QScCVrqIi)E}2lw=+*Py4mUE4|G#KfbZ7{@#zM;>O9fVmUAiA zI*~PB0blm)?=N~uTD9^ST|V1z_rdPFXtJL=-6(J0(UX+UFJP68^^}iSM9bEb#UX$6 z1u=BBmU*Sqft(V9?BU&w!nj<^z+|uJ-$`dpWtzp`7f|krh&bI^hS%Ao;{*lQPr`@0BlKHbLv7~>Xa6(y?tQVD?Y2(dB&FzZjZR`gY=Fx{bbz_khp>pX7u{q!`^ z`V(5hn&a12Hct>DQu^+VRl#g}UrSm5UzSvS=H)rMLAC%6Rt8)lpf!Gy)RCg+>8xki zG~e0_z}w317?Cbw?vpVeE*Auky)7;tJ$awYBKh~Xg~p_+ln+Fy>FVy|U6;I}hMSa= z87^%?2`;nUHJblu97@@Jfin}F;~W@j2CjzO-ux6>C94JJU$409-*Bre1oHxNYDs)u zAEzy))3Yaw+f&(H-2kpB>0X}JwUoVsEkz*~#o6&7$|t8|a@Q&1Bro_iyCxe>EkVT3 zluf&m*~X$?5hl$I1I*=h%%ZX^lU0Jj?Z5#I8zam-yEV_sDuxb^V1f(0U0ApVBk^1O zb+eu8z7Ht18yhef@%_uGWp}$KAJ#1^D+BT-J>BmpaMU_GH#!LTq`cZpcTN?#GE5_R zhTq$_i+a4^=`DKuP5uzqGLQHFEmkxKv!aKW<>rWK4CmAD)LNwoe?{FIx36@jWj?;R zqQx}M+g?QXug8RLZE~O5@!V<1){SN?_hq3H9bgtDqcN)-_wqrKSGIkKQhbKQ9qeFmi*FbAJCd@5cZ&m)BD*W$CDhc*Q(80YL&; zR#5egajH!GDvoE|+DHdfAs5nun~%;B1ENFmGHYv98j)@xb5;RDWdmbWo#nEw_u%9^oNxadL{%NJw#ta;Nl~7CwH-1bJXB&SUBZ^X~*jX~@a-E!zf&KYfzF zqv4QHlQUHvXu!9nP;1&ztPY5mL`cx?hB6g{Vg5y>XQp?Xbbg+Ezh1Q1L~4ZU#ZSo2 z9=OKsW^s2ys2N>Qv(@1#rROq&0Ws{}4Jn)}7wg^c75R{ooT#R%9)uh>Ffep?yjJ5q zZtd6V9r;1!PIz|*9lbnr&hI$>E~{OLjARcj;Sx5~;joaYa-DCq{L;HF1nv_V@rAvM zqNTosu{J+uASDS25$$?Tf%zG~r=sv7e`ugs9)gL~T=%U z$ja2TwO>ClNMQBhr|Aa&c$8+#&G~AQpB>AcfzWr3Q5J^9I=8A~CTwcnXX}VHFNkl{ zv_1QzE>8hg2}J)~b^%2}iY9HfGDD*UJq&(XQR8%=Yow zxW5>kc$W+gW);`TD&Qjv`~db?Uj^S9MsvCVW?%+5GBWZ9I5&_Q*&8{fl1F9Hfl#}C-(C@BHEG^~THqI$(X7UfcK$>@gCPmyuD2UI$ zAsJ~d76;ZloFbV7lQ#^2BjFMZ(QJNjSds-Ra5}w5`?&MA13OpQnyY{M2#3GA3e1GD z%-BBADYG)oQfCt*MIghcsDH@+FV8j}ICv1@C)ToMX`*EBw_ z`@;aKb)4KC$8d|Xa9>k~F+NJ#yU$Yr^| zw)wxLwNxBbiTxmY&L$_@nR9%C!oy?zteLs012b;`rrvr_M(i)FrW&K6Dw|I=Y9vOT zV9x%*-P!wePEZb0xGp{}%+|T&N}k=T?8} z{cs_5eQDvOj)yVLv%~So=;+qd+;KxLf!T>$&G4DNIod{Q>~rnY-RCA(t_An~^wC;h zOS7$nw9f!*6*Dhy3k5No)ja-tqsug$9|XY!9<;1kEnOd8faxrOI%kM7Vtuf0H-;|= zEC81FNntd3)jQUXPB1q$1@yuWXKNYx3^-uE-qJoclbLDzds%m|xImjx?Dtgrt9+Ba zSW^c|<*06qJ0(iei6%qJc|!8PtTG=qr1yT7C`*BiwJCFZ{_;Ug2nHr4=WALI@ZK}?D^8Y45W?CVQ#o zk&3o_d>R&q=Z&$OLrjC{`s-3#%a`{TyE}$K9#6>M(v@a^aLxDixpgt#y-w{%5Vo53 zaa!S_7n7Eqp^VsogkKLUioe22_aTi!ygd3EZ1Fr z3P+_=R#}r7IvQJFyClY7Pj6J(%1W%og7N~0@ai~!Fuz={9;02f?1-YvjAm2#naQc+ zpX-eqFSvYd=7wawt(UG>TX$LS8NB<)0Lv^!UQzBuF5c|$$!8+bncKk>e(isU*rU;X=Co`Ec81Nfb5XKYJ6XYUnPT$O2U1z1{ zd@2Z!?(iFHy>+P0@ie!s!LHzbGY;L5-!dB-cB+k5P8eL~v0x@}v@|JgHm7v1j7Pgv zKx4(Y!cDLj+t{QL9wx0(O$r70a86-J;CgC(?yV3YK|Izdr;%R#aNUOD`>@ zS>Q&Z`uaXbYPk%Tw@(SHVqmp;R^o2Z-)l;89Wjo##mccK&)>sd`IxQ2D>EIDo=XH4 z;hJf&mWn#>l11ND`gm#U&6CHBe*|jEJ(iuh4<|vJr?TgGE_mov?E7f2X4L3u^x(}~ z2RXaTX`+FPgREor+KnKmXc2=}6}s{3lC$oU?U_shqeSisk5OJpUXz2Y=$!UID_3KZ zQDBQzgQqy{$(qe`?+Yi{wNh!OvibuG*^}#2xdD{~m0j+5V_QeP2h-#dt#{INyV4{- z;UXTo%mOXW8g@hE?1)r2w`IdqvdY(dm3Xc+|66NO@#~3)P+ylv9EUfp# zvFDz~MfwWpRfu83hd<0}e4Vlm$06oPx}zGHGM{g$pobvcnW-LXuTDEVTG_YLJ0Z)s%FHoVFwrLRcM_=r8~GI$!Z$-BQ08|4v(-}saa6ccDe2R&sGMH zXer0d=@jJid0cQeWeIUk)!>dIQ))4~O_KP*#rSua%T`7foNa;eZ8j+^q-5dwBVVOx)wTp+Fk zG5ceW_Qm@?%5Qii=W8u4?$BC)j^R~}8oYod>@rTc;D!yVGSVNw$vDHnPHUEoV=z zkcsm!-`#X<>Q$cE!cKNtPWm(^Kfke%9Lma%f?%Q^1}LYEPffSjZ?cihnl7Wjtu<5J28vX*&2w*|C>Ar2uXl5<*1}l9F&06s&4bMlHIHn_$T|&j=b&> zC>a)Y7R4YTDeac8y=k?@6+4o%Vxhc5g6`1_D`qoL)9dWko};tTP0~AZ!nWG-@_6Aq z7tVgOvH8tz^y=~vHir>d|7N@BldG-|!!l~$8|yCpEuEBps$@_u{2ywLYhS-PW-p5XmR-D=iqou_qgTHOr->A{obo46g;1r}2%2WQ{ zD~eOOW@F6Jj&k7yog=*^{F&!&BAd6!q zC$M`~Y1v2K@r5S=t&m*>zjb2WQZ<+v`Qi*$?KhM^V9C%ILnX5=HcR6fO(vizLc{Z_Bm}9ztGy^7Y4xS#+$(PYV}QliWav zO~eG&7*mZM%0NZdjQ$&iVl1+BsE{y>FviPJGL(60%BtST4f*Q$^9_dgC}->x(@HwFn& zNU~(H%5Yw8fv|g($~JC1$lnJ9ezQ;awmoSI4jKa9!)79EoC+7bUe7Pr#pwn^Ta4JZ zAEr2}UC3?w*pEI;+7WMGUpoLWH^7XZ?e0b_5}{fNa_Y_Or*9NzU+*qppzkLrSal0< z;A-Z}pY~6K5^&jR^9I=Rr+gso*U6KoCR4hdJ#Ahh8sxCQyi9oSni<4Ra$vv$&Lr__mjL z@8bF->-s~jjFq{_*hH!thpoNgM$S9;)$j)al?g8rk{Gce7s7&oJK8J~`f`J9NXe7} zxg(|=yg-fvYK+B`5E-tvyUk$Q^|b2@&0w;3WGRxzl!z5o0xSzh)FV z^izb_V<6ub* zHTcLV%o@^-RtmE``EA*7!+stZe~C-^LN|&y2>i)4$ErD=iAmEWO2nijdi#3|46JzS7oT4j57fpz7tV&>Obwugs>EGpgc32Wn6 zGBTw>VlU#Tf8CV?@AY%BCqTwOo-PTNFM!wY@-q^C=+JL(TJ=UuQ|8N(9_m$qcb5zf zLp*J=n@jnW&h&j@VF924niv`Bi2&(QE~_Ob3W}m13ziL5f#48Y;~b{rOcEyN!0k7q zL9crln^l%4#VH&Da!m+Kp)Vp46@7eky#JWZRluh*R49iX#djoRuRLclS)%X?I*u?S zIqU!`cPMYqd{E~xIVx&s+Rx^p*D9+}zD8Xta;?!e!sCG%_FE8_glJk1G-8mbP;URA zxrR!xx&0iLM(_fKSv$Gipi3ksNAh`pdX7SNan@QKXUIYl?;M+7Ar5VH18H_`of@A-TxOjUU zIQyqKWwj(_MW0NuQh3Bma*BaCfdj!GJM1f8(<(hb>)_V!um1G@XT91O0H{0~T`u(F zb>jEO0iTkVrsgjymTxe>H%7k^TffH;cIw!ypw4q#XKcglfICHt9&9T&{@pDOG9B{B+Upx`$=WJGxSA(0{U&9u~z3r>El9^S% zOL&%BEwpjpTr+&4u8ojOpq_mbl$7Pg{9$By)NuOV>+9E*R;>qzqp%E^2QLgbGhtqu zhRn`ZVGgs|4QEZ90{Fu|@`8?Wo$9BFDhn1^WjybJ?nt@Gq(_D<}-sv4e`{OANdO&sG6+Tyzsmh$&^e*9`}dR16B-- zIm|O|(eXQ&R2^4Ev>%^}G1a~V$SPK?yOPw_eUyC;;G_QtH*UepTnhqh?5)2n^Z_3WZmNA#pkugr8(_4ih`+)joEhzV!kABWDe3i zY7seGyO+%G@fy#K-B#_W_+|CL>{j#($`ZUf`>PQjGB$d`1JF-KU8N7!e(h4{ZZhMf zU_6~z$`@4R;ERue6PNuLO>rKP&$|KvkE_xB&N`8I1+a7jjz_-&;U?qUrFde@Zxv{? zI%jtj&4r~L5UaZup#4d3W{+(DvbQJT{*oUH z$O{F&r?=-~t~R}pn-igoCG!U}pP;rtat@ir_?p+9;ZpTU68ThHL+W&%MFhj~OZb!0 z+qS&q?mwj#^BNZ|hOB{0ZYXITH`E|2vu-LPzq3w};Tm3Bm==_P!=sVao5NG>3#@U- zIEbD|)-1)Nd?vTuM9oK?=5-ruHqS~edQH%?{1kA|6z#Eboza=Y5yPwzR`2d+8qrmS zgYtsjesm;!XXD}_IH(oJQ$ivf_7^t&0RQQ3Dw4^PBya}RwFP7mv4n zrKuos3BNj}@~JpsrIw*NEm47-Jn)owL4=Q!?->=sO@}t?g#6en%B&kg@@ucz`toT* zsYC3v5Mi-t6o$fx41l&BvOELBRoEBGWSeXuuL!f+9XICh-*eMgB2u3Lrl8?KUHdR4 zWp2TB<&m4Yh=e|-6nsa$iJ1^uTwFQ)*J{)$gh9vehd4Y2JDLUkpEnM!Q&D*>YoW5;9i&xc26_gg}Jn;uTfIHVJ&~g>Wx1 zL+!xN#fRpePubp{vrq@XP{sX|=SzzEN;bFqBdT}AqG1W{@;<>_BK41Y^Phz`=hI?YR)}M;iGGJ>%!g5MW8O${x<>V|LnY&Vx#`)y!6_XFvVd@F%2sL z2LV_zY2GmmGa}X9-S}SxQKBcfT%J6M6I(tb`DMF>HtX$)iHQJ{D!JeE-3*X8^|(Lx zO-gE*jqn}DS*>)j{c4(=S3q`}v{=4+$nB2o&*6du&G)MUybm5X%&A&PBT0|>%$1j? z+6eYh$@BHKttRO%FNqd583mKMKP<0<1LmVTF{rmq65XSO^R~x)4&)Z+Jl2)qMpM25 zq_y3HCi_TOgoSl`+}z7aaRN1|&J&~^#%DZw7%o1s+>bzRORNqOn%x}ks2%TZI;@6q zf|zF^ocgm;n)?l%aD_lPw3nIp^u`(w>iJE@vI=fX+}X~`po*<%9WUy z1U*;)iMh2gUZkRhPfYaN*{wM)vKrs(Qa%*~l`?OXgpp!ypNJQSzt`tj7l>Ym+8}An zJWkKed#?;5jE}!?fA>#809bH15+Az@AXi7?6BCQl{1zWCWF|}|l{%wu&EId81>&|D z_SHK@qc0pS1UlP&Ov))(!723^8Uq9jju7Y`1x=WXI=aqTu6uS(f@laO;~jhKZq#Rp z94dhnxf);Rm+soM=Zu7=otoootj-Rn8%$0UyA8>|<1)%F{;+loWr z(Iq2W<|q?uvY7u2Ow#Y~T}Jkz@p-k|Jum}dG$s)nhm>kRUtRjXZ18#o2#M%NeN0Lm z1K8DhX(a#zU#02&7~sqBXl(_yWBgy_=xtEmo>N-9x{tE6N78ZXUy~BI?p_xY{gI(3 zVE){%I@L^_5-!{>kaHzTuUBF0!~rH8=FpHSZ;+erzZ^5d#AYpxnv7 z?zxl{Ie#~%-aYy%m7S1?sxrTUz70%g3Cf7xdc1~lrESz-32UaNke`qEl)A-wIeyj)Zzbg7KJwVPIy_t!2{x?6UMBO5lIKH!zS2&P<8dzg3X-X(X^db_ z)m$h{x!~uJ{wuZRD**=d6ab77;G7Y{0ph#o*Vo6>1qi>){kcBqSh?IRZ=f%$*#whi zP`;Y$!vpQvYAqZd7i%X~{vRXwWC+v|yAjkKI5@#M0(9qSyEjNvg40if`gb%$Gcx(S zH0d{^H#094PZ3br+gv?6{^6xgB`kZF{E(d0x3vjg3Q3-Cm!}7?>)F4?k>uz*Hc`xZ z%wq9&IPIf^_n$NvBnwyo7qb{uk%v>`hI?^nxXP|^*J=4*0Gm51(4@MzpSxyKjL7MH zT8H^M+Z4QFwRsQ>mrN}3I#xc0HFKqbhLq=jS-ey-s=ObG`J;5kH(F?LbWl=S@*WAr z(Jjl-#f|uLz~OQ0;`_5RKW%(~KMZ_*z}R#2|WpRb$& zS;6B`$*$);;%2do&lM4451zZVncmh4zyXhJs^hEjO<&UZMsG!Zoceq73op8VXm*?# z7qwKCYe39gR=>vzZ5V@XyJYB+X9DH-U81s|Q*VQkMnmnI){QYG?KR!Ol?YopR}qK_ zha==*llQ(k;YM2}S>&}$dfM^ob~hD+<CSK&@CAtAm_tM}Vx+uPFwhJf~6Sb=oEvEq33k{BbIH8|qSvy9$FgIlD4i2EOSlP%+Pt zymbcX#U+${IU;kEQxLsVvO8!X>G~@k9>)nVWD)#b4}($#$Z^>AUxH?iquCjsMubH* z?S7wU*je1$LA%g=jvEByQaVqe|ek5;68Ywd?>6X;lAvhZeu~v%l zwUY)w$`!AW8|%e#m5*{j+HHTs+vxjR}c6Vw{_-=yK!Mf3q7^apRPA>>S`5>-g4G{<*`Rz_xw7UxLTYG_lTi4-LIqgZ=&6-w$Q3AZ>`S+zM6ov?Y`4AeISUlM%)?80cd5Od{)cimn{c6X}&-MvKc#$fhXGaHrX@k~JW z{aH1$h2lGPQ@E_qze*^7+ynmKdFW)V;|ZDBb&^5y_-S>JZLI5&#kgHsXiuT8xy&lLqs-VTT?b2DK?e@6e+OKh0)SiCbFNek zxG<0&%H;yg=YqeAy#`h=fC2RU{LI0@u|oefb$vC@eVpx8axnK7#pR%(9(_tq9C{{) zKIs>iK3r$E=UJMgmpvk{eBEWJO*fLl(Ur#)J#M*abwhQvs67AG4TYp`6e^q0n%4jL zE7rsHfBP#W$&?5FgV&oXULGP=&ba&!Ur$oz`T{PU?yl!x%V3rRiKa5H=s!E;i0U%B z4#O6+&y4G}MrB2PCj_m_!%}WKAiPT#y6yhRHEnG6Al#Rdw=4*{N%E0r>Q!$5V z@buB-#5?@&Fhg|>IWHlPshtZ|EuvYzTKN!iM(TQ(w9hGo+Py!qF6%V-lBCpVc@q5mN$!v?aZv?mE3G zKg61gi3rToT3IKMRWMrj-`+YG7q+E@EkHakgt||mAtNILu+{${U$TJ-3Sba?x;qmk z>jwUvl!Qdx<9^1$dpdvFD{0<=%7OeRjaI}_H&cIV7wY_rR?_$L6ZKX&2&|8Mq(A zI;4!w(w`fh_5Jg@n=HHf5F&tP{v?0!|3}zchjrOCZKI?T(hXA5oq}|Ov>@Fe@uNX$ zX_YPs=?3ZU?vMuQ7NomDYA@9LexK+4zP`I^!ia>5#=+f z-^{|QRkh>%wV`7#0q#kP05nO(UPJg&vfrM#MtcBiM*UZ9r-GZkV!40S-Z$&QGcFDI z=VNg9%`AgSRhVu%_7=OHvYY3LbZbQfyllIKaWP|iQD_EU8 z*$Nl@E?Ao~3yb9nclR|uxo!{UTQbmWJC;h_Lo@WulIq7_vhz8({P->P*mi&reotk-a!N4eRYdk zm-AvBE4^Di7!)s7zYawAdHX2yXFdJpQGVR%%u5Ihj4k`?e4v_IG&bq=QAc8pPkQ#L zaw8w+bJuA8)Y`(xJNCo^sR7ONeXAgj30=FFqQUT^#fYojp&fha{W?H26pSzf-9=Ey z*HIb2y{Q9~h8yeZx~e_Yl#G?LEA~e)eG=baS-xs1!rYuG($+D0CYAAls`Rm;wt(yl z&f<^}Gn*eF1&ry%vS*IlwzVbuA?f8Cf+M833_)Hy_;KYnE=9xNn%xf+69<7zd^$_Q z{l@U+4`KPidLeWkOO%5PTNq8}Ui2|BfQcO+oiNSk>hHwx6?K|^$DEqRtd|#|8E!2e zi+NU*bjbIO;hCP@0|E)2KPhTyZc4-OWI`J?V(BRxqJ2f~e0?VpgrJaD){XLon8cFq3! zU?LNmpIX%nC!Zq3(X7~LD$8*@7hbLVm!tS&O-WTP<#?74F1O!$dIFno1?1~@9wCV!e(PL=7npLtO37TxSHPKN^ zv_r*nm$6=&68*Up`{@?*H`j15nZ?q=aw?}jA37p5E0FQ8y(bG{3CUU!VJi8UFAgnJ z@32BDv$jzO*v_PJRkSQvcRNCz9jv=l@oK6%m;&^(0;|M4=3zP1P)#mS2vjq1?wwq5 z`f`Uk%qe%?nTKTLKa88O>Ghzh2MQKBy3t3UQj3&=ffHj4(M8^f=Q+`j2 zi(BrM%@2J@9_vrbO}3zT&L^d_<~2xr(#G?Z_2PM={KnNP0^MR6svqmPXJ9JRiT3$; zF3yg*JK|^ItebMMKM#Ui>3o)ilGlF#RRj$)<`AEP18>(}4=0lbXK)qK@J zo;zBNkTzZp5$l_u*KyaVu~|r9H$e)bT1~*ka528#K~ZWvXO7QyCb#EVh%XpCozOUq z@i+b~aBk*lJA1)HoyU7mndnv|8S_^kNd5nfud<7!>YMT84w!cy`e-(DdHGn1ChLdO zCQSJ3A)VxF#|DQ8#sL}Ei}Ag5{g)FSTOkox>Lg313aVN&A0y37tb`xrASI;a;=c0f z6jb1R zLwG~}WB8c6RY|nHuav{Gbn+p=$M4sOQkA@8(yJs*D@;%Cj_t+OKj+ULc83Y;F6m8A zJl5r-d{q~*)45>owTV`5w5s1|GOQnqHg;^(a@T8#z|z-nLHcq4T69rip#d=}gC1{o zVxx=0y?El*(qCLth=^hC_&>+d%dh$K%u}U$Ms5}dJv!m0{%ailPE)6XYOMDR->GZV z-Y<-OPC4u8|8*Xn58os*h&lyw?5)`p*N*7^L4MIa{5`W4y@!7oU zdeal;>gu`%RPT#O1ljN#}j&__u5oQ7wss!>sE??$?Uffh9fwF2O`uY3pN zp{iO!!V77%e~rZxjj6`)d=#70_B~v#E1P;#3ww7LXqF6_ZGRuaTX^u!l)$?A3U!W; z^)yD?;44r^84DQ;!r~%n-gb6JX;?-Xylr{yqp3P&218uAj;d<37kCv{F&Sq)<=DxP zSvT~`GOC}(EqhG2x`BGJVfq74!wdQh)t~z>9Oz^11$fQ($jEtJMbqW zWBQ{Ki}Kl%`Q$#XyG0kalpYQAY4>3i+n=o}h#b=|HrGtByD8=0nELujvU4-7)OXg) zhUCPrU~(bWZ!yR_0LLZyj{xW$m|QOz^bnQPp!I}J`KO@)IwSEv8X8VT=$+Jz>acND zcbyl%UFS@Vl02FWv2@2w6`!J*O5z?M@zZy=nXSJ)Kd<}hv>$h*&Z4hu{k0+vskZ5U z_XN^-@qeS*G}YET{ptBH)n;o{Eawb@>v4XEQUPk_%gnqloqNNV6q%G5@KvjLCB<=q zA#o8Ov=VmS+8oU8<*;wfNcC4do79?n%(vJ1SiynBI0S0-n)DC~rV0yvhpo%v$E$)J zXbl{ZE(|V)dr$p1#%x1Yt+mFb;aL=p*h2)O?TQ4d;0r!ahs>@vz6^RX$^2tC7ykPw z?e_T)&rXIc0X47W>@#1wS;w396Imy|y}P#4x|6LFb^er=ekMbAKC^0CT4o{BT68bF#emQz(FJrg^K*B_QS- zYKO~O!)(^`RNr4VHP!Z>n5_wBm^dd0=M#j6oINgAkyi_A5`id*sy1!!&_aVLa!92@ z(8;+?zPfZZ=(*x@-kshp^f2GNWFkwDU~kFY-IRXBF!057hWS+1;KnJ!wbKL}<%`zf zIQpBsaMZ*VIeAO@DTm$ZqgEeSz(>|4pKhri?W`gWmx9y&nNxDw-0+T$fBt*VW6KaV zEatLB+_a1_Db*^r^)z{HN>=CXaWwtr6dNNw!kZmgZE?6a7SDW~7nw0a8c#%%rQ*iR z@r%RsDBp*s=8-!xaORXNn6Id!-KWb+O%y8P?#)ZFQ}mtyNr1K4^B7$!1SKkq_?*?i zY}7@U0(e<+3}y@^ccdRA{el@kBa zG?s#o&M=&&5VO{@=8bm-oDDAG%r~VuCry3Cm#xv8Y;93${o9ve!d7z#uF*f*+sqE& zM_=1FI@gfu$C=uiaEaHsWyQ%`Xx@p%%9=_Ys5-VW)L9JulyrD3|EB;CX5{6`7#J*v zl6V9|N^CVul$1t+WY2ICPsM)qt64upxJQqeK@%nwwh6)NeBHYTs!1lM!HoM@|E&^C6+w58#g|x7;Yv6zo7#Y;*~UR^xQ&QEKm_LN08V&!SJQ&+}RnJZ= zwwP+OYtk}aT+D4KVz3F_Wtrf{M1OX@>Y}8?;iWs9*&q=agzs$n!sJDPVEuZt^~j5AeKrkZ}7{cx~IYVk6V z(-E~1K}_{7O%kPvA!!2LhS9N|_t<6Tb5{Ad;PsCC^Lk?~e;vS%SDZIK8Fk&ca6k7t z+0r)FQb_lX$gNBgJ!syBeFS-lq>Mc7~d*3Apz}s3Ypv7S2F-sU41MS6o3H9Nym6Kw*OYG&aLOD=DrcZC_}VR$ z!e$m}#2wSz7u1feC3Ebr9!Q7dVw9rzc9>-9Zf~YI2_+ zUG8^-CO-mZtk9?PQgz7z!iIWkR`ZDspKXzkS}!S`56+%Wtqm7rTX0^`AO&gEP|T@^ zmpYg%elQT9=i&PqW?Pezf2$hJCoPMl{H;skYDxKZN{h#ZKufeqL}88li4~5t8iw9K zB#(Cf!lI(SVPQl5Xruw_*f=;PdQGz}US0r3s}_S|;@H{U-CbUOrQ~yqRDh%_CpYjN z5bCUS4Th}@q@0P9KH4m7emkUE);)&T$y=nl&*4@cc{r5S7YaX`dD@r0w<-PX^%{1} zgv#})-650=Y4vkLblW00Ae+bH<^mZU z8@xO#m_%w(UD4LPtEN_gSi*TWBO?a&7X&5DdY0{PdQq?%CFm)}z9S7{7#_OE-@o79 zIQAiaA;-4KS%ug?G~=mTdhk~IM@ht-x|q#7l|05ikZugV&(Uf6{#fbxzE(k3_)^}u z6p_E%$)MiG4OMKsBE@Knr)zl1(+$Lzw6*(u5W##Je?1M)kt@jVs7CkWZy9h@b&}^Xip}yAlEabS||3?jp-;}aymIwDmQ%b+z zMgAJTx@rQ}mxX!R#F{RKrreS&n$xN6jUvW}BHorxd_GF!Cn#3z;Auu>JP=r8%J+Kppf)S}xy^Zd5 z4`%;!GAgkoa>NQD`s@p6c%C}seH$!17Lhk9_s|lW z1U+$GUZv1El`=3P@9yy8rJMRT>rqDuE=m%=DN(A*cVEo7qsWHG5TCS^TP?FY{OCJ3 zVBMt5Uo1}^9)DzQ$LF%4%ibf350kOCLBP0RZTRe-Mtv1{)%8tM+}>MBqNX~w>Dz#d z(E{i1$1*$$t9V}$*xoF1otSJBTc%>}Tp#qjiEp%k-JFlFc;c+dbU??{ zIUcD#U3bSgx9hYfqNj<&#U@QB^2{hdE7pJNB1Y{(=&q1Ug>J(6y>FALiL~`*k~;VO ziJ<*YyVgO)79>lxh{zpN*7wZ|MjwhJeV>PO`TFten5l+L;txmB4A0kIWOK#7%Jj|H zqfv-!?soXLsYguI_Lvp%kC|8lx(X^x>#{aBiGkME<)7c8+S}W$3FV1U?*NB4gIeKo zFF__-GwARO3k$osDP+^({}_OAv7)3kG^V$gxK8sFO=9TnC;o5qJ7tkyi*CankLqj6 z3{53feuPCe#k*zJZSin?g=at1F;Ba(v3eyE=}zOi!tzUNu%BLqc_mQS3XpFApI3~Z zm(5e27Po1;*o28Wp#j=qEZAV^aiL$Lm%nUf_)`q8#D#&#kAmTS(1cDZQ6S+hi zneC=KMf_!XFf2S37lSr4BtT>bEyksNz@~D~XBxyf9o9`|U;JdamGIdGG4ILx2*K7j zM8%~pPw9J26$L!3C>1p|0zu)5re0fSDYk2Xxr`82^#^l9YAuP;@{b#)Kk|l^<#n0F z)Y#ZBR5l;#4m50r>yK5uRk~Bq5v|X8TateJJSz@4q$0UhjjRAI-t}PnbU1JnWAvcq zZh$!_ii$G(ecHQg^OuMfXOARan(hpB5OJ+}Nz0d{9o9reOIlhfPutSGbR4ZGa_4@w zVrYC5>&spr5GQWtDiJDZ(Zt7*cW3{qT{+0o+IhBcCK8?Wdc7mZmO!&>4fMGf^3*9< z(C0%8r5&ENw%jN7DIYi0ST9yszv+q{MjRy-^cw6PU}7vz z| zoR7UPKtoeA{ghRzH<`~_5cGP*vAub5+W7kBX56;3SD)KPmt=KfPqFh(FiYhZ4CDz&l&} z2ochk79NhKWfKiVb@tF*j#l6a$p_1DsF1t>T{37QiTUzn{W*5>wIacyVAp{j_>%A zXOvYPfiEQ>Fi71H{K|sw<+IUaL6_u4AJW(A>OCgt7MR{}hVs;aJ?!`J3$9{oZ|^3U ziTUy4hXy4maV#~ua`eRY;gTA^gY$NBlffQ^nUCA&QasC?WH6qp2frO z%jFsd^-1pB-hOm4@s^Hitt2TkGluvF^dIl{r#S%%C~Tx+T%K-4f$;D8!s^}psM81a z5EH8!BCEQYikX)VW*{j>Ok&0La5>Gl_qKSGUFXrBF0j%cXjN}wTE>GMPbU|x| zve3k}ektOo${dW(S&}c&ksL^$YwE5TIgq^dOTnse_|$QW%t!e`T|X~qW8rztUQSB6 zFIG}I2S!w#(MOXnduJWi!&lW!LkF64Y8~0-Nyf6bn&B;K^0kz~XDQD`V)l$_OR+%k z$A?DyXG}x5fXv(TjD+8%6iC`!4zGY35|dt|ORG0@(X;0DC!+Pq#;t9z9qRcp*%ELsE6@G)`{9{EUga|+@J0nISIXSt^05tFcqPJ(yo{faf z7m+ubhKf`;AG~RBBAhAgYC3Fjl$90pNY0}xhE5N~+MLQ6_OV8l-P^lQf*l~cd8Y>C zW1*n`@kzpIOjyG2`_ud9%FEfG0kJ!Q%BH6Y43a?YR1)C<3DK@*WMBx!XCZ74-VfTH zt&#Woz$*x|-N5%FDbG zl{7pan8{C`Q%&v4b-{7k^Hk9hkv`MI`6N9YpQASUi^OB8E&UgIeBY9iw7hM#!eb2j z*if=}^LBnpDzAEvQ}p7hO}<6nqUJ|YhrL$cVrC*2WnlVsw7zdpuej;w$q>%ykEXE4W6izMs6$`qjKU;Fp^N19}fX<{cks; zCJV*H;09>Le*QFOY|qW5tz5qAi($~VZk5NMzS;V&FWys|%KNFNZgir^i*(|s!|!*f z>C;tlmeSvFBdf?9I=7I75@Fpm`1w z1r3jD>uZXYr6&=2G6xdLbNu7epPt(m;YJB%9N31hCn?r#%qP^MbMrs$#-Yfy-k(l? zg_zgh7vP!Qc|{UlK*jY%#=5?0tG2ihGf)Y=Vto3S2S#x&b|2C^!Oo^Dbh8=jk=nuf zn7IP4de`ahGsYA^!z|8lg?;hMyJ@R5kK@U&AXSTz56|{@-`~#tEW7)x>O6tJ1|M#7 znNH)BwCWXPCxv#u^L@g2`c#Ll-4p}ol9CGU?aB1&&qA?nE{%KB(r{k{a$U_#R9bp- z82EpzyeI~WkZ)^i3$%gD@e4aleDqTVG>Kq`@8Z4tdFQwfmiz_Y`)LZR=bu+1Z8CJ}v@ZT4|Z`65i?PDGhxgHl7f6Z9jg?m3y;Sf9)r@ zW8K`k0<-B!O+IdF?(Rxe z*bq^yG&1H^>5Mmw0x;?qNT46{A!ts+!32TUquJ`)*(ys7tC^V@5XuV*3Kp@BQ=9<=} zE{mXZq2T_@#I=~9D>+f?t3$)Ws3ij)wLF4{Mm z-vtZHvupXp(N7T^D?u1PG1Ye?x~})<-dH#9Btb6j{TN<<_;BDp%+$78gqtf0+ap&~ zscFk;LdGzv=@`MtW6-iQTh*ZGAv2tTg^m_Yq8FNY~ zWw3O=qP~$(LyNJam|P(JtbN09a$PVpA5R1PLNH_A=ZGjk*%KIlHmizk9AH^fuKgnj zBSRX42gfWGJ&~!z-Q!l2RMP#W3==br^viFw1-YU4d`e#Xj1qK)MjjD6Qr2hV=iH*{P1NS<4P;JP~X4#uH%KWJJ0yJ?nooL8j=Uk-O zes{|vUk|_0<%JSu56=6QY{M1fi&WPd`|}UB6AQ3ypvK_!NVSA{q+T)!WTxfDiT{X= z{-UI;MvyD;N>8gYEP##|_j;rvEK}8@Jgso`8<2L{DUslpQ6eom;L~a$JK3o)`;15$ zRdI}*ck}Emk}l^jOSD%zlHxM_p}Olq7+g{1eXxZ!PfAU{i~J}-6!twV`P_#1_k}J; zprxZrA4C{!d)3)9xt2Ie#e2L>ps!z4Ggw6zZwn~0crWXDfZ&9xd0VED5du63_Ke_*U@*J9_|6OVtn&BWIHaRhkW{n zH_YFBS_TGWIRfv`cR_<-*{0E(H-Nt;e3H;Qrj5(v6}4MEOGYMIicmPW_0CGhOwL8F z$Ok(V1nZ<$F4^GT8ruUwS7kJRBtozsZLt1?QBc|JBE40QYAr)8ZG6b}C`(5N_eu}o z^-iC-1EyjqghN)J_I6Q{^RWKnbQ8)NtC^LbKRXTabbr*>*1pPnx`X_7+}FsG!W&nz zysApTVG~`-05DUD6XnSza0ZH@NjzMfR@;X&tqDl`=TC5ffs}&|$Hzd5Iaq3Ca}#1< zFp@2c2hL3lq1L9-3ybvr=bG#Q!mON4O3YbsTI&!oA6F-1(wqfCS|Z+t&IPcCmajQe zIM^tdA05-71;Ex6MGMPlC6fjgaT*~YKRhF?@DGoNPU#q?T$)O5S(&|o0okaggLUw+ znCutE2UT)pxW#4Aq^av$R$m58tUJjcYy)& zzijO6yu%4=e#KRQ+Vb zUZQg)k!wJ~{En)=h!`w2dw@rGcyO?5zUl265`9K8k(S>D|A9#kDlxOGYnWy!y5hZf z(|fZrkLxns2A4%=yV5{}n<+&sd9JGYeGSX^rJax>4KT;yEv!wJ#%I4$Ihr{qnuSjB zu$jxLh)J~$d3%%ysX|_YKzpmQlJi+Hpb^n&aFW;5e2|o#z`DGvx$)r z;lx+@1qJUm(-GjbaG-yoF|1~%n?L;!xD~(jx{S5uD`mVk(l(7=j5p&|ixWR3!hOus zq{nc-pFE~eD6LqpsbZj4k6XK1pk5-m6BZN@unamCMGaow-;ro@mCV+oaKBv{Tk|0# zWO(xA_m%OEPdDr=m};IXp7;sgfdo0>znu_&UDG7O<@Gg-R%LE&+;eq50-;&GeX!oh z$Vlr@NuuzJ?oc8K&&-oaUIBa*PJQ%+$>|C+v;>jq?knNTqEx8N#;oYOMAj|NZd;4i zAHNWUeM<#-?VkLJfV2pFVi?p@cpbN?EDIXJL`~Z5qVxXzOkcZIx7{n|LkS1YKI9ca zjlJm^bqV-2RC{p6eCmkN2bE>Q8I`hk2ZfO;`c;ALok5L zMH==ne`4QOv+(jtpzc2D2+(@(tr~1I~a5z4t43e9xYr1_gpztb6 z5tfq+Nl!O)aNv~6ilR}Jq(~W^efiXl7RF~%)|=n`&d>RTyK)gKQHUMbz89(Y@Ny9pII1TbMl62z!Chfh!z6|#LJNHZ6H-KY6Orzq;3=pjR7+K z8X#=n{NNO)inRSr(J?7-u(2JSoT|&qeTneI8OZ=(G-3ymSF0CdrBHvjHw0=nkd=%K zO20>llk*g`l0v-okdZ(5FYL{itxBMUBT@(VX})VuX>>PV{rQm^@3?eoSt|-NPQZ06 zp(}VnF}Yp4Yl-P$0PF7;|8BuHVx#A+8&G-%U;~xpETGE(PY$5bc!;}gU^YqM6C{Gp ziGL!zR#lw<0m$puQGY$Xa0l@8r9Ymu{p0CbVIY+2zP=P`c>0!8{**;kpE_UGVAYpKEu*JGXJLC}6sW7{qcj*Ig!j`Ck@n?cWOS#z+d@ zr(Mf~aALl50D6y&jamD{in{^tC=rb7aetQ#+XZs@kv(KEd4MW_{m0FMXil`)0FL7C zpV*coqc|O{?OiUi)b_gQkc!+t`Gu_-&6&_y636DD)*1!EdQ>O9U<-0 zbyHK*^%>w-)eCbC34$~(dPBo%NkTET$--TgX1Y6%x0N!b zKTd4zQ7A9RJ8uZ*))dbi-F)JPRf!-E1^u7L?PE&g{Z?iAG5u^9dsT~ z0p7<2xJA&KT+Igv@KL1Vu&Ct@kB&aa#%}z5A6s>SIsRl;EPeFn4`=d&(&}02?tTte@xPIyuh{zvW;O-NW#IvIc$#jfVUP0tJe7dD11n3X%R|=^nYP`=j<$1 zL-*qJ72LzGa*}`ul#AqF{W>P^)$nfQHB`$%89jdZE)?`%C%ynTKR-XxMcrJA zgu4r#P#_dQNlQCj|Hgll6$ZFqFi5mmV@s-~AKfbsmRMx^5jW-cwDrT{pdS_oZ43c= z0T17EN$>`D7y_Yf-WQss^#uHmz%YKA=V&Lqg9J?oF$dF4SUiH`}Wz{`qI(}e2V&wQqUmlxHFk< z#ioSz`z1~L_7Hb`16t{SKHS;>H(9I;k_*uB>@v^=sK9QoFEUfN8h7mbPYb1{ip_K{ z1~tke6>{ES%zK`??0AOjT3TzF3NJsXWB&Kz(iC7e313S|Z2;YvPD0&!2SilV$?s^Wfupa_D9p_z^Ydor8C8xF6%~DmT_PW}8o}uN#qP`pmedcQ z=%}b1fA)T^d$&>DmrG6ytX%6Uu=?s+W?26}y)bEI2(|U~fIf|an;XxPjFuJwCr3VU zQe&@5wE^MfqP|&ko^ce zIe~2v-;AZCq$*DYFaz8ow5fd1NCoi;2n4+Dk|^qdx^Tvzyg~LeRK^ECkw)-vY6L&T zzW+TnZ8%=1-C8hJD=RBIUo=smo*DlM6skeEQH&mej)lzcVsNN)+vp23U|^&ic~tKx zvbb0(z^9Jz0ppKf_@6CHNP*INrJ}EYzrWDX`4vbdDge~gZ0IRy^qG`t?df^Eph|0? zyKQ86e00R~;)T_8sgF!{^<*nK^TS>}d)TW^J=oNL_o`5<3h6e%>*|~ z?M{z^-7;)wiiz>iNix&cV8?&*q@(KEkPp?(wxSZ!p+e^Hzn7&&56x+7)g3}`bad1S zg^i6}tk;yEo&AuR(IXn0nU(0&jV&#uQt+CXtO1SKdoT_D5P(91?<6EcQ6eNZA-6vK z0L*Hc90tNks)c0Q8$o_42n`wb1~_MKZth`3Y*AN?CKh$tErK&K@5jeKU6#GS)X$!> zy#eO`-xu!T3>Rt8adG|D5ll@?Fm#Du*pc<2_VxEa#FsKKKqpeP1{FMcFEW6wpC2Db zMno+C^Oz%pWVaW&3F;5>;SGg`fzJsUIbQ1rM;>woYUieghV~mn#M2BJY`otLtJVr? zYqilx47x|H+CNqAWWX?As3=>6thZACACAC#2M)ZirZzTVPNbAtDSXb%TB(nUSb&<) z{4WF*6%{LxY=TN1Ct)Z)csPHii}|k)rz-wsC|#y|h%)l_q0IhXJ{p8H6A4&YSOAW( z+5&rUK3aMBF~zRfkq2m;r_9wjkL>cKYQQqRJ2`P29H3yn3JwmcF4iFbw_^OywrLST zM`LN#*d#YJ@JShHS6hj^A8JG0d8(nMkFh6fWNZv5EjhwQfNHAK{yYyA{#9Qa{6jW% zhz~64Si|3&@2{!D!ewP;o$oJL8X5Us14xF$qz{`D3Vq7El?g^UGScTU8tTLp3nO#4 zRkz1Yt?`GZmYl}}vp;c-|A>b|!Thr#Z>T9mAbyd4WeA=;N-bPWOkVqykLl^;z@HaT zdMkTF)@j`UL8Vxxfs&ic_pkEq?slum2#+3u9GA~f?g~dnCEkjEzBaN8hs&%Jz`Xr1 z3gH@=lG5zBqlShSZt7g9%A1xxw$o`t1H1Fw#Q_??LOf1Zx5sP$M=J1On+NEZzzjfy zYGh;-!0fm?%|=TLIb3dg@KoW#Ha5la@$n@kEK(3iA6Xw^#@2^_Y}_RZ*tlzjek;Qt z8;6*}K=u=AYMk%yZjY=fQ32^3Wb|2In4oqGtM_~BumuX7kByjSpH}| z&&i;m|NJr(%s+eN;?oLVl(W-Q&$}CG2g%p3IbOV|1^CGS8**dI>q?SZ%L-~CB~8y_DB^X(wNAsIldtm%Bn7-FETC`Mm4tyDVg?bKeR zE2bKqZ#jUW#>5RD=ml&XqC5%Kzuj8@tOwZTr8Z2CVya%5k%YN9-BBmdsmREC1Gej7 zNg=`#5?#drzuleo*+)Ycdl0e~3mO#_2mko{6N@w;;9oqTI7I&w!6X2*LT!9_n1zZ8 z{)CL3{dl_U&8Bkc%u|aAloO>qy!nO7GgF$JuSPzmYwO$b+Wd8!G|w34^Tqs^|6Gy( z@a52OBeVdA;09=&-KB+@Sq)(M!P2mueV_oX!a(?dc-)|R;EgcsKC zH^+mC0O$6{^;k0!GeG(`%mXL5%nb)g{dJy9_*zdhm@(taCHt%RUx^&ctmu#hIM6;c zf?dX-UX0#>4K&Q%PIChT5rN(BP=NkJ_{uEwS+@v$!WfyVni?tCV1Vrfx<&l<=uDr0 zooUM``lS9{EI*v-V8V0j*-F6vYcL3yOw-%a0jr?}iS4X#0qpoV>VX|+nRa;3_WQm1 zFMiz#62brNOP7&+8pkj2NL$|A#4{m1NFFhM*Q;(&t|3V_re$^68m<*#A{*gFNOLq9 zd6r?j*hud8K{D*oqerOz9^V6BX(cDc#+sR%yRHuqg!PV?MnRNjK)h}D09}C-f`|ZD zJMGJhtn(+F^I0cfUR!enmttkbsL-|YM`t9J>@s`W5$~HHg_=_tbZ{nHwyn)bx-_SG7qNUl<%d zM~g|EB6pQQk#GdovYgSeTfs7vRF4A1t+i z5#}!h^2mpTRQeBntUKG;cb7hO*BlI%)t}bHmQF-{eVNFh?0!SUzs~`J42N%0!|aL@ z7K(g!v^i0{W-W~4da|kEf0COy$$NE>ocV3$jY?N*!4yx-t4A<^ahs4R=vWLi=RFnC z2E~H88niv3o^*es0&;J)XrMzN=zbYN@yyzK4+IS$2K*OYK?cx3JMOIg@?Qx_PC952 z5fI3t0bOenTO3^~LVSE$dU{ZRt(8s73>jF1)yoXUjs6m2_(fk_Dv{4hsBA8<0mTP+ z)qf3$3}#%RgQH#XLqz$^8ysw9m=OV0KY7 zeR^gl{Tiw?5*-8i!R=K#JYZQ{0tk11vQ%L#41AEE-dvrG9Y|=ofu*h zH4{_cr+nnWzCSE9%Wb~B+#lRr(&rwebvr-r&`*V@0WggS855H=$evjARIFXS;hC72 zLY1XJl4MQvWY#EplYObLZyWSiK5YZw>(xL!2Pgpi_!}{ej6KA=*%xG&Xn!_SUaECs z;tWi1*VWZ&MEUsmuMY9)H1sRriefsz=Y;JXSeNTK!3$-46q;w7dAXmfa{UgC*?P0Pa2e^%W} z_V2Dk!QDkbsmj^UmCvMW4;h?A>5043o1Ol&Z8VYGf`^xIFnwc8-%@LLRy+Vdv!$rl ztngC0pNW1A4|8i=Dcx)7j!>6({6OZofqN^iju*Dr=CgQ4Kww~Lj!;2(`Bg`nhl0z+ zrLK;JDQf7zQo2~qT>|W*a}@)jnsR9^&9;-+;U)K%eFH2jSlC;IX`CwW4V(#%co*{4 zpjM|Ye#RbPy>7l|q@~-y!;XyE8_$W&&o_E3bK5q>8WVN3r)qVRW4qOIjMN8lASeHf zN^Ja|zTnAb5o7yBY_$dcV~PG}-nfBmTwIbn!I%q@iShvLmz9>r0JcpC8h9HQ78c~?<-ZwUJ|**o2B@#kq!@6XML8_wn17uo3=D9Wpo|YZX8Y_fVCf)u zwcOWQf=j7PriO!u17#J9oo$cdfzFJ(yORx_{s}{~VI+jZ8e&v*x_@`P)e`Oz3JIg6 z;Oo}h(_p33vsE;=;USfbs8ju6J~Zva_Q;edQm% zlcwwo7s|;J^SQSNXY_R&KO%I$SO`O1_fVW(DZdtfDUK0plD!?1G3HhI-4CVyw&Cs5 zOZCj;a5M9_vHF zU}|`YO`@%H-F1rfB2J+Aemc+W_ff;QsbMjpxYSLZoX*;N z1Xz#t1s#g0*EW}u)s&{?t0eSC9(GhAJ-=~%f6xh6AfRdW-L{m2fON@k3*Q6b@GNz- zK_HW}-}KBVy!2A5a7<=jPe73WPWIyxG?kK(Q*@C{cTO+7TJ;4c$8_b#_KTm>P4Bsr z4;x&@I^Ouz^Z!6d)KH4BD05pI?FqEfIv17p?9L9Bg89H=>&y!gDiRtXH|qJGFGEE| z1<9DcI@t(RN-t;uAd$9)#zT348b(A!BzLKzygWc8{mK{A4Hl{_V?hb{5d-=#%GV zV><9|9$7#b<2fGxcMSBEvXz$3XlV0IwKOg|Zazm&7fMMkOpGN^@wB36q3gTF5O~+6 zW$F|$n;E_?9AgtHI^LM1Z@bhKCi`Y#i+Q-JMqlX8DdMZjn=Gc8o2#p}qa?@cS5B{9 zHg@!iz&7-~#NN1fJKA==xzJ&B(rT+woty8zvKA`qC+tVY}NH;e$cPh&$rjT(g=8K8=c+Fh+enN*x8EG zS%oDBrYt&kKL$SW5WcO7Gs3pjYPi{44KEZkhR+rh<8*W0C!^|>V(#s~Iwapen!At~ zaQ#%dqMv9T+usYve6RRfl~hj~#|JdoZ*Ff(ii@LXMn*?Bf(GI&=_pWH&_;PE;}a1P zRo0P7i60*ygNRQuxbN*hA!*D*NJ`&O^&C$1^Yx6y(F(HjvkGL{BNsoWrTfbO96dN_ zghO^{7qpYN2b}ZVmB(@h2Ft^#LTs-=(jXT55c{IkJi*;2H)w9%lyErRN+W9wtLtzI z)oZG}KJWUkG!9^n?(zZmpGtsAatY;J9HJ61#WGiS(yQ%w z>yTq@y!myW6h;H;Z}e|5`C(I&G@Wz{xT=>9p2%2v@je8GED5ltVW@eG{%0VFYQ$9Y*b=N8{aYl$EML?w4DeS!!w2 zs`z%d5==??9qDzf)*K3g;6zimduLY89f_gpj7a*q0BS=$6MnugY%!qJ${XM?8{+r8sSOE{3l2j~x_=GxWOnLf&F7LuYOiZO6&WntsNKS>!sie> zMffeDs@5*I`FGSbw{NCzA0I5zc;3gWs)=BJhUAP$&&Q1^*gMt|J02X8}(EUP3s|^M| z2*7KxM!co|bt#^f`tC@+4wFWBoRK&46mb?iV^N((q7QSVg+s@4X^oS8^gS^`hSLef zP(~%{As=h;B-qPn=MJ>mf#w;+t%_RoOW+@kw;{3S# zlP`r#MCy?rC$auN9tciIdK%w->$7}6n*OQJ=+oYF@>zl5>zom;$LV9Doir$Hn@4lW zAeT#5-Ak{aTUEWHYILlkqa)8RWwx;cX#9{hUI|&uifM3rcrKRKcM{^jM zUGM8v#tY5yt%#R&d4}?fWCje>-89~Y>-F@s=VeKCkrwVITtFcMgB7Q_!!@jnQZF89 zw~fLVah+bQu#OHS7Sq17iMiN0%x=|on)9U4Dm-n5y_KhkUeBT4xP}e}YG&8S%hrl7 zXo|Xp)0|I<_a8{NJw2QBD;HAx=Y8bNHISgCZlIU4_wGs&S^l_^&SwU3stPG4HgJ_z`Z~d;s$)`Z>*==9tJ0Xs_Gx*X)lAL@7vy``toV01 z9=0k6|NHZn=C_!^i6{mip7+Ej3Ggu{y&NusiH6%9D|s%rJa8)`rQvLBY`iv`-9Qif zM_&^Y6ZLvaVO$04A>R4IxbGE_<2$~PH4ZmS)y1Bro=>kHfNKgrUH;kqyf{zEFyoIU z-XFJr9KVjCND?b@Jc%=$;imb7*`CW%l=x;Wvqq-a&2kv;Go&= z$2k8It> zuUU|1Ueg4~zVS#dZa2?M0pYag+)f4MK3Jl)2?;!!F9Hj3p+3jgLt2ig*O>H#tKLFm z74<52Twy=Ch$jYvx6;=t7Y|vGl2s)X{(l4afa!|_X#?qeKYtJ6z#Oka4~ z`Au@+3Xm32+E@!4_fo-TfHyc3MQL2mDvm3k`*kb_Q4IbZ7nOvxqhEbqaF-e5iD_Tc zv<~U4@m<~I(<;BkTq`o{FC{eVBSGEl72RNX~4d6omS~ZtQW^G8} zTy?|*ifJRXgm@)%Y%*X}jaEp-1~Qvs$e5fIL@1Kp^Tf~@3wnSa`N`oBZNiOZ*a;W_ zjJ3Ib3W{`3nr^SJe~Wz?87>jG`eu{aR##UCSnukAj`QLmG|<9;j(~G{J%@M?nu4ap zuQDTd8+-nUQVlk5qfk4J-KGu^1V~8eJ><1l(6CoAUuyMh@4@E{TiKTrsr#^YL@f-< zm%V&%iht}|;WK5I)W9iHklycu*Fj7j4ItQJQPWWw@}+kx>y0}OS6$>j6we=1CC=R=j&!dE6 zv`w(=^gSCrTz9uGzgh&I(~-x0U|$V`V!dD(Rv3_g1sJ{~)*@wy+pl;KTeAmUKRl)p za2>sEzAwYjYbhWO|4K4AvPm-mlC?}bT9YIK99NRZx>?Jn{p{tD*ZEVVD+Y~IMeNTC;b<;W=KgJKA8rm=Yrm_R)Zpv)9S>kJ{ToXP1>cSKKN2$_qnm@k!DkU6O-r;tHJ!Tfr1h0A`HQ`xq8C7*UQs&P+!X^Pni^|P(I zRFjsEpw<0J-jxk``n)IH?nz9^lycII$LWW3eW_$dB>|}J$r~=KL47s)>&gha(Z?&< zHUy0BVa0w3KjE#_71dUIv3- zP%~+zz1bz$70nD=k$v4+6IX3i*y71s5(1@_ZUhdzvF3B%_5RuefISk?~KQwjc=lE=Sa-U9a~chdS4V{buO>BOkUYc9-`KD(;_rhz%;K;sg)N%bYEC~`OW`1_|)x(uh)|$Au zxUp-ZzyEK~#}U!_?TLEL2*!sV$ppB5Y`jVNz17Di8e_+oSZXOj1!82F5@koj!DQtvL3nMP<>*>Cv`0i zEoR3pbPtkDm#LhX4483eM;;pxeF}uULG<(#&n3HXzc3M1^y)8;MLhKOh=!f_Tixv4 zHZkpU9~TzzAx}xyOYf4+U6+?si`CsUe1Eh)T`{;?u&(V#^*sCW56P%Cnod2P3ucut zTteV}07OY{&j-s`6PDR%j;A6hD@`G3hqaBZJmvr-Wu^Rt-ABS@%SxL!hTX&L9aS5Q zqZKWU`B2F4^ieZVV7*x?+HfEv{n%IWgt*!&^Zd$OT;fAYJRzMKA_w%JllU74!Nxwh zogzG`nCn||w>a^v`Gsm1rmyz&Qjq074-U}K(_x|^pG~V4u64Xk$8lG_F2D90S#rp) zAhoufuY?rbkF5=gJ=>->!{g0sH<_Y1IizxtL7bR%F7+#0#k6}cQ0GF2h&d|B&El{$ z0 zZ7qu{QakxuiyuIkXD`?C6c=O2mS3z*ke5ALsxGG85Puz`W0jR+WMr&4%ScNjSWN>A zC1qun05lFb<-_>j(Sh3yn*?b{16)wXD-ys3BIEV2R*q4;pXD!Y8bkzP)KV zrGC&8p$FT`OO>8Q?ZT6so`D>V-PWb+*lprl)mT9zx~X>SDZX2ZD}A;5n;60JC(646 zK8xvs3&DWU{c>t5D5qgl$fc}Wpz#GzH~?M0o6;Wv9|sK$EQpvmX7)q21v$?j?)$I7 z3{=B#l3%_U1FA64q4onYe-@chNS4rhd7nm9Q02W;f!yjG0WI!K>n`-Ou5Gbn+UaC? zQS~UK#4EVVnat|Pe3~bCt>D0vDZlYFo`e$n%Px_QaTvL|F3NDCe3xRyTCJE&0%9$O8v49Zxl4|&c#SwQV{jqV#KhgV zsWkLT9vCDPo=b-L=nzvikA+T=9bVg!kfRIEt2}xGy(BDD=-kX*Nu}1tU^#9NE6_7D zhr@XkSJ-N*WlN~nzKO=eUv{5;M3|peG$KACDy8L@wv$~yJKEfSqMrnc)8J>Dif`qx z3Y+N@IP><81k+)W5%L6gsAaZ-qr?SM5P1()e<2cv9g&ULd?%(f`L;DHs%qJ=>JOR+ z5PMq)^U4UbJ7#b2j4lL_Jx|XC7_8R<{u%rH-x!f`kfY^(GK!FV{0Ii0c-sc~@>m)|5@0KgH`=L5%z^9jh&CvRI?qDf_eM9uTZGcyrI7cJhvVxOX|~Lx_t|>ocHnTW4jb z)aBDM3X)ApRpr6Y?*4Mu&Q(0?_&q)@$kGBSL6r>Fp2KEa#rq&Q`GQZyXq>Or>mVpC zKum$3(W3O1yhvCYr;f(jXbL-s>di*2A2Lv>B=iKkiJPdm$^iJV0slkAn+ELB5TErO zpxpy2T@fms@FwFlN;L^3P0dt6#2zIXqUT3eT2_Bz^rIp*Jddl-_Nn~LlrZ?d~=fowT0S*d+a{*@T@hMz2;}Z&RvuDcDRxyD3{Y?LxnXX|W^}Djwvj5Ps9l?@j9?)ugOW&{ zUr>^_n9u$=Cu;Hic3li3jZfJPMYlv|I!&)P5no>^UwkMd)vFThLtzP8`fK0<_0#jZ zqd70Rd=85=-l`HacVPXZa-ZSSCQ`Z{->ASN-u!#Gz8?DT;zW3Bde1|LbR zn`M?cgLBm`q>^dJf3ys(#PEz||9$l_Y-j195jl9!G^D9drzKkbW>l{noq9+JbgtU! zW}(1ht97RjkjgEiC;Vzk=6K~;u=v>4(r8t7x87?S@%?4@_&ov?dLv-p$1B|4dwR&O zr5AB0r;gH)O+k0=W@OpEtsO@SPu06fDzp*|-DPk+CwM!EAk=|@Qxn)enYpqexuby=zM8tz5n?sTx1ie$thUn=kM?_AP!1l2w!QSp#`_`ib4+ z2X5>N@)TEFV4hz5svJSEa%NBdku|~sjiIz=ePPONzj0(C^KBjaXk>Wrb*?(RzIV;- zy%7tiH=x)9YbQcp_n-4jNj!BxB^ygCTwWA%WevguuyLm3{uvd;4+rT`VV z|KzMeAMc4>MiKp#Qy#b)el>`tE#fuxJ3l`qRNw!`d+dJaeKGy;= zFpvwU!;Hp!awrp5p8bl$YTPby;6tTsOY||Q7GJc2G{%$<=NdRZ#TE0aYHJp~evplI zxq>&304iz3dV0Gv2x0pYm$hfY3a65wVXar$X#Dtxvv<`mUmJvI&xCoq{Q{Ey{$Q9du zo2+t}eve#qG_Cp*`DGUE;@bC@ix1D!DyatDQpO7r$_c9h>A1Ws8@(^wwSchv*MO~r z3sjGg#ck1BTm29g;-G%6>!+X{u3Kf^_yOUF>XiE7e&%D8gjF&`XJN3n#3)h_%N#)U zU(rl^(RuB*>2CE2Vno@|CQLsFBXB1=Uo8?dr7gvj!Y_I*M?LTB9>j*u}5 z!?8Vfy^o&YF(a^WlmeCj?0{v-<;rjvwI(_!F>wJ1WdJUxS>^46~xp)%B; z_9t;PzrAf`XTg=a%IRT(6-7=L%`8btm0GPeJ3NfGMpBG1!z?iQk&5&j1*$_JJ9+Gu zbGEw_D!{|O?IWbj{s0?CVE}}+%*@PgHeq350PrceOzq>0wjD2#k(1LsI(iBqS@(-l zu)x&>FzBv)XJ3CuG$g>VTpC^8@T^|;9A~g5wHx(x4Vfl9o6C}_dl5^vltJ%ObkG1r z9wi3Ng-n<~3z5~JDDc=vk&X3665b`caZZm+O8p5RF{^!6HXt@8-n!%0an@SyQGGeW zA+eTnt^fYj)x|RrP~!Z_Q@fQuxe6vO#90^Z^6GM2o0rRvM#R)4ik6c6F&Wq6Z&X#M zUXj1Ps|zifb%0Rtr9%agA!K1EN&ZM8qlp4T?x?_XPD=WLja8a9e8cl2^Ac22(zeKm zdf5r~`Lh{8P-l6;vU+v7$e9)o8rMKDG;BQj4h2~oY>WMaJjCs59{%cC?TEAWh$dLW zj-=FGq)1c9V$FbF^I$E_=*z>WPum;Kq$P`E>CQ^4`4tCELqQAtCc-l& z@)V{8_6ca{l>GytUQf@xBitsOit=8Ue`^8>IGApUvafxeZR@?li%zM9`P@Ph+1ZlZ zEMbg15Ax1m#%n9s@0Tf=5>Go|3Vz*m! zP&2+3ASKLFYJIX;8@50`Uq)P^(-Vxz$jI+>x+xUDXmy-jQnFf%Sq1{~FS{W;$!9I& z$_M)|`uFvNG<`l+Q8X*hf^}HaHjT3tdF#hGVEqEbGxhkC_?_vzcvK^-x6j0KQ$|=> z6s;}yK*+!;{Zr%9_Cd^kcl2RY82Sgy+tH$o)ul!(xgV@t0r}`bK|w%_a^EW}0mu~q z#%On3_A}g zgjgDEFC!Hv8BP0P8mHy@KcKCP*$X{*jP4#9cEK)7Y#_L<3*GKoVwjT` zUyTqV_9eq^!k0!wMG3k*^tquSworTpidveHo*qHDHYT>)APpTS6VZijcJ>tO&sqNU zjwtujbxQl$G>GQHCYwghjL8|aTeiVdS;fHuEOD?e2}--C_``?d@mfs_H)`{>hL-ff zif*4lzL}PJOu}I7q~mm64SW9;Ru%_!XYbZN@6x>Jdlr7zfm2~U_O!5Xv-)7#@T(^C zgio{u(;vn0=@KY*6?TsAySc3#_;mG{gkwF-rY?O5`%>o?PI=Y4QzD;fZktZp-o07a zajMCL2K7RsMlYF&kc!;I878mSFIos7eC6d)2+{p4nyx{OgOTfF9djx^rUCU?2KT)7x>iuuB# zM;BCG9(;}}ysdDD&uhtL2Xzshtd(@+W!>D<`!er(`nRGW*(0-s4RWGp130UJpwSiq zkYgB5W=GU?2kd-6eho+FbZZmk?cnN3CcT0jCOG(dm<}-A*T+N}=ZO5G{o5ZjJ`43# z2o2GkX-aJ;IPAK`$@6T0Dq9lLaT5blL>Sytc#JN&v=>43OOY?-1F)xfXJ4!IGr&^x zV;`X{`)8PT>o;$biK)?Gg~(J_GLDXi`Gba{jfou5gxmBKRs%n_ZL9`~R^-x5RbQY; zePnc$ye_k})Z^xGMmn|OHbH^~!PXA>^A-5S&3%)@(eHZ*;y%|3fG`;x4CaJPbOzgI z69o*>enP>&I+d^*F9q*E-16MNf`55zR-ej0Xn$1to=&^M&vs`7!Pb&P$)o0Vy{^g2 ze{>U|uvTcOw3EcFzcCujlq17OT{1OA{0Vcz}&QS<4;`H>)$7ujWr2Zu|J1xyHW<@yA=^6UQ z*oCk~dbIaNs-%XTl2)5K`@`sDZ1*79^Mur^&olAp z2K2In{{iw9AIQN;zE3?Cg5HxtE|luL3P)O4hbO4J`1AMW&b5Wc3FUBq_mZm5ahGkk z-xdngcpL9~wv|pkt>oe>8l@s$T?L?RxAM7krIh)YO9h1lZH<1k-K@88RMYt=Rh;e$ z39S>K_Q`s*_v#c|f{h?ktZ+UNyXrdZaNem=*m7}sn37wqNCXL;_?zsS7OkzCAfWes=+I0J~^?(Rd z%PR@wSe6Q#qikAs4J$#A>J4^~RYdu@h(Zm%?|TG5OG+}I*DH|8{5Uo)4!X}pN<{R1 z56>bDAt)pm!jNe%mEGPnDObq5?S+naslAl~3V*PACi0&Vtia+<8ao-Q;h3inu zPMU^N!h{%9+Iw_t$2Uf6HRb0vA$+~xBFlCto9adf27Bp6&3Kl3<6;p8VFbo5gJ~E) z2FFZQebMA%p+;e(@&hL?-W#3N)NeZ9T(UP*C(8%5q@B|mbWF~WO?|foPxRdpucoG^ zq@ZKYxv0iZ#5yZczq9k6Ck2A#UH&B;NX^_jVB)r1E@-2QXv`}rIs|}eg@psmX+9() zV&8^y27JOn=1Z@p11Q*1KU%Zm&qR)0{jg4_Y8q~Je)!R*Dj{P9`dWC>!7@gZ}wN_<)jlJ;b6+aGBp2me1C#_j!8dnwi zRWadjj2-$}Z#t|k6LI7RiT-{>0^c%v~qOpj#H==xHcu0q@gn@?r^% z&{4tBaXa1kGV2B}odB>Wg>>qAu^gwl<+^m&L28)M@x(v?VBEK{>jafYc z+NAPskCKZlKynIbukI?>?wX^+_;cicwsfu>noq z(BZ&&@B$D5qsJ@RW`^NsY&ImH+?(gTPn3#r8x21G`dRtx(eqQiBsj^T zX6VB@;|wIO6iTeZwPQtNUNeIF11T3h!ix2JPi1hJNCp{>h!}s(-224~@BL3np8+yx zU8#C~rz8_`yb=)**>ao65(dDIdw~WsMT$W19u*lG@J3gTphV(-8vE>ab+E_x6Krrr z`EWbG@vM$D3i;O=v2r!lu($^v!R`4(Hv5^pLSOQ+idjdRy`IqhS(;7@Co0{6>dkt( zo>NDkNh4)kj&U7>fTFyzm+-TUVOF5lX7$3pguv!bwz~cgN)-osE@r)r&09AgFGkV5 zd|qyLQ>K@KyH(_(OWMA9EoNR3i;v7a4)vG2_XkU7s08>1WjDfE9wAMb@`?CD5oT$Q z&8~IYW}n1<4n7=_zep^P`5ek(ZV!&U;%x9^)K_Xc40MCzD&1UOmPI}ANfS6?XOK#n zhib*|oz=pZYWa^yeh&D9M7UU4grFRXv{W2_@axnN_+zsYB`F-9oMazbKc&kXyXO~m z{->1|T{*jpV6OONmfRv&Jmt%buS10I5M80^UqHNr=YRevGS!z|QAIuE@iX6b6)QSx zwCW+Y3zM4XTc;kQ8I!2gHeL7R1byNznNui*Y&?Lg1mSI4T&vWFsqGb2nsH&QWNh&B z8IviYO<(U>gGRSGLlrxQ7HA6>L^xwjHgTzVydqT98TSN|>3c7c#Xm>>MS@mq?rJxC zj0k6MNPaDdBQNP5sh9HIu%5yu?lSa3L`{8wd@$3%OS4f_@!TC}p>}GdRxsb{@2X zNdeFNHKA~ZTvY|F`39&Sg7NfZ(4`EXxd{2$-GKf2u3EL2>T5VIQ>^_1UGInO)s;;H zJyXJyVd9>QxVXuOANNNs?8>okG^griO6jK#4$y{T;=-)~?+)^7h5dH!AUnpRF2P=sqFb@$0aJkxp{ta>H6Ajcw9_a4}g4Vh~5|obT^LhFZ z80Drk9@B4rVtgM+5ZA~jS zNk{~ai-)v%J)zu?(jJ?z*wJJT%8wf-Mv(-3L%H%25&FKj+nSHUOHoN1m6qX9e(<9JjZ6 zxPN14-$2ceAehu{6KoF7YLU6HveIgf{}~^`{Tcbl^}Yi2LKH(ebp4j|N6ws6DaOjq zSCo+dz#&l(FXNX37hqRmYG&NJCBwE&EsfJwi-varZlf$%=yPjb@RyW)gky-&+uQ?lULV5Lq7@4? zpwXVp2giz+Kjz%Z_xtE(73g{(LI)l4k=586c_=17{RCby0O@x$SI#I303iTot)-}F z-|lU3X-)e~=ca)qZ4!4NcxV}V*xZ6Jgoel!>=F!U;6JQUV|~yVjKxFkRxd{S;;PhO z^P>^&K26)Ruj;dbwB!6B7GoDNE~ruQuhhH}Zr`5NT4}_+Y|eX=)eu>|t9*J>T*txa zSTmr*Cgf+j5&E)LAjNXhtt?Z5nb@CXG6~!m%3Z?k;qZ8!@3*5!3}uqW6~&>-kG+O< z^50(WV+mP4cNHlt9q3uU#$_yKT5=-ce=?E!XkU|I%$igK9- zHj6P5u%wotIDdU{6BO(MGOpHOOgf!l_B`|q+E3S1;e%hz&A_&6_p~n_KDunwX(%}s zad6)xtqquY-o#|Q^xq2;E0RN*taZk#91oJ_K~%~Q*@n+EV6*8=3eZuZyzDjYU|6*) zG4KQ{K189pkx?mqcIodawTsN#82x4_OWt9AmY84euN|nrGHevv?nU6ARsvJoew)UW zjp<2)Fw&}1enUexddIP3MD=77y=ZSXWus|BmQ7?>Sb6hAtRYJki@xg~=yvsCv}!5C zCfUJ_WF$X1z(Qk8$unvTQEec}zn5LCD!JK*i+z?4adY_QYz7gVya!g@?BQvZlvL`*e8;nKI47G*T2{I9WMFL!wzbyU*fJ z@t2H@t6er8w2o2oA?bjGgE8e*NE{Lz^twYeGlNZ9H%2oHa@k=r)R|BJaQo@Tog3td_qcg zRJd>)P@r%KM7@E1s(8Ngi{Ubm!u0`%bpXEN&du9Y|Q`Mu4bdRW?C{DK)8wTO}uJ% z(t<1@{Yk$`0YLcp%VI_p*Oq%Y+bd00la2C{f$!X%YPR037e0QBB`QG>mX5`VdCsoV zNU7<4*w)ut<*n4;ffAn|43K!QW0r--;u9_ZNMqMR?0EhGz zt~w+iA6$h`qad}(0iC?3`bDfVwL>cdZl=D~zEdpr-q&AAZBV?qN?C-grk~3WhgYqx z0yO_{c3}x8el^hfhb2mPeCc?gm`@>1F5n$62_jS*hSQE zJ)G)~{SXuPIw@q}uo#i=CZpS4CmZysXLw|8r3nAkgrC?UR{5*!3Af?q_BaXdktCAs zK%&=q`z{sm97*Ni@|6D&6fz$%KNOmH7YzIlMF8L6|E372Tb|7grdsMYj?$ECxGq^k zA|#}2z^I?L1>o*SXBFWLUhXh?S$6y1w+~g#l`w!vw>tw1ZKd42vfjrH*(umwSs9t? zfm31!celwuvFPb}Wo6+*EmY3{^Z_912x8LxbTi&Ttr@3W!~v;mHcomqrTBon?_u4q z@#2$JB&&Im&P%7&zHte{u-1p9?C)!F6N_ zGKUM`c{`0LhG-Fma4D5lv{n5WUJH#}GYnt=E`4wivngx zU*Fp5Y!&LhN?(`VhM-+kNULJ<^?qbeW{Sp2XE#qMEU|sw?QV2I&D`t<(|#_ZrKU<_ z7ae1Hz z{Q_O#ytui+|M=}4pp<^jAP1SL>>b-8zsIw_;q|;7*$YiVr)JgXH3;LE&pX=3#X^|d z_gNdwq7LV-ul*%eF}YwhCdoEO7=&&E>BVt@uk>}yL`!2okYSO^W5>tTC|4-yFTXHAYL zr}F8O)lmE~Kf0G9el`x9$3qxq-qoP1WAJg~Vcjxgj)_F~w8UYAz+2WXaeQQ^ec-mdE#&tq%tMk#8+szKIAEEA>{Y9FL*q zJc8?AdDJ#$Ct;OHQ?xC7(0)2YGXk zTC2U}U;Y$}0mpwYp17CC`>FEahj;M-<+I+)ndIbui211w?5`S;s5baIRX;+X*BSRY z9Y)lO#a~XkJ_R5p2n^qV>eT(*jcG8#N!pfz8?ls=vwYZZ<4h(fm2V&6j8dWhiGk=BWC7<+}G#A6@|wLoQymoGX8Q(F$t+~XXLp1>`NbTH~W)( zJKIv;KB;$q*KN@iv{e2IY_N0e$6vGLQG6<>c;EH4WdYL zM7Q=y-S6twK#}=;(j9Dk4Q4UW5->R7(G%^ArgG~rVME4aXtw;r4ns3`E(2I9`aYZ$ zp8+@O^JZ%N!kK#AFEX-?l@Rucfwjr25OGQc5Ju>MTPA!iCs{c~`4}?_xe#!s^voBX z>yjNL{@hZt8}a%_N3e}AberwmT{@wXGfDdPhS9RZHmA+X3|lCCo@4il3UVTOm)Q;5 zTvXRz53(on^Q}+RucGr+8?q@3FTc9jxL+U5-vzBrG6Pb%7@DV;2{xHQocH4Uo!lcF zTmFg4`G7P$X&bZwpQ>;QD~`17uXFM_1rf7%_@&yB4}e#+|3}1t>VuzxCo-oWJ>YkP zEO02cL9JAh{|!i2RdV@$6Avhz+j@@lE`p~P>D-+e zUK9}SWSY?mJd^R_<8>E^#bg=2w_i1Kr)_c+d?Oz9r9q)k>KZDzeyW8LU0npcuGhOB z!H3Q<_-62doJx!J1#XNBDkJ|^IBYWc|L9wI*W6!JB2lIXE#molI8?`D-JX8Q#c;*7|}c z^kFLFlssfFYwJP(kP1?P9x>gT+V#-w<3nNqrl6te;%h8`Jr zn>`tsgZB5!&$P?D-ULd>i56~-qq+olgdH>eBLQ^46qRh`?eO<`hs7=ry|10- zn1=Z)(0!K8@-*j9pkd>d@1-1Pe?G65oVyp_$V68T+4Uy;P~KNfR;{|d_j{#3LJ!2e zEph!<4;WOlai+%uQdnBa)^YiNs=#W#A0avRse4fI@vQ;fDFFMu`wPH900@_L)*Au< ztph{q-3a_ji^~-N)Z`#n&OWl7o^y3|rQ_nVZd-tgEYx(p6CE?O`#%5iE@cBX9`B<$ ztt-mNTb$$urV{=~G@iG^5|L8cze?i#Yk#4Wz}tCaj+K##c7|B`$asDJoHYg)u#-)P z=%?qfMR*^s&^~Rnehvf$o16}or8RyGXQ1yIcuBlIZ!Tm9Dns7~w-?IFw8h3ugHw+k zt(JRn!$2>IWNBf&Bb`REtckL!ma=Wh44VuM3V^p?{)s77$gXFj!KltayStm`|?MnA{mPM?FF z99Q!>jZ;Q{zQ*}N{UfvZzfAn^GRuLY_ezULy`U9c^8rus;66+#pmyxQw0^W0il%zP zSD=u>%P*VMR1^52q;~zXlu$sSqa%|&q%!mM&|b4|#e_^{! zbaNY>b$uDF&DT!R+vawCzJWPg(dSd+)ZEG-eXiy=1N?qAURk=am%ns@m$g_lfCtcw zo-ev#9c4o}-uB>-%uw^PPK?H%*9d9_7vZEY>J8#{C;Z?kq0Yq;>yf(bJ8d3q;fN-iOa0??f& zw?|({i)Nypo)RL2#9dAvl-+qHwHoLWSj)@*BXm)dpJSmUm zSlhChK{x$kI#nvw=TMqirT~{>FgZ551#dU@9;KD^dNOESqE@LpcAJ1F_M&U~D33Y@ zIJ)nGaRq$W*ho?C)>-DU3EUBxxeGH_{w+?FOkw|72Vzuu2J&|sh$#=yDkdflwY`g8 z8C=`$h+E>tJTD4@>;KgaeRVSHv`!|)g+z`!Dm_!;*1o3#okh2#Ssb~F40UT-Av}|G?koR4hDUtYQsDi>rPil!;kIj(3VZP8VI#!M>%oL zCKHnahiIg-EB#Ios)yAjwzGx0%FUs@ANz>u?S}fh7#P`f+5c6!W_(gyiCpr19uMqy zwGf6cpXW0XTUll%G9F$@PL2>j!Lxc|I?QSJKGbG}U*(|k)!Ke3A*Ax$2p|J0*6z&+%M7pC)_ zF-p&Ex*@j`(Cj0n8$-&wDJu^J&CE2+N&Osw;FLeXz|4VYv!Lc#CrE+d>he9)DG9(? zUHNx+3MI{nmfP7svRhm_*a>1U zE8%m2{RM^x-okSnkg6122F)I=n+7scT55%{4G|8ZT~q=t-N|v}uy0M!lF?K!nu_Dq znNqTU_P6;jdS4|6cL4B<1bR(1H8pW_>&NSZwzf7v>im8DBz#scrV1J>S z!u7qenb{xY`ac4Y-t*(kj^SE1Vr$Hkst@m6>oz**eH2jq1{sPAs%)!64)mo?*%q&7 z0VKoqFmAoD=Rg?&KXR|r^QV>w@HLkdb-ATh$Nw5nm16W1h!tCgDwkxpJ~^7NxB=)0 zPz0w3;iZU_0=*{N0fzwa4Jz6#{osb0mQh`GO$SEZ7k>`Hr~`J7F9}O}2va3&UAG3D|$_eJ{SdsJ7xYLPAs=`tLcs(`N4{ z?W)rnf!USjo>21}yG9}op8KAg<;=;hDeRXl70HTCC9-}C0w3_@TwLs!ou8F6fyeyjXogfWPMGF0-VP$W0SvVmzWyR-Ic=kCb>Yuh3p~E-s0$Xt*>7E6OZo?rOZSD5) z0A#{wxsV|-6gj3rYEzP4>FIQC3E9I4|94xAm*L;z(QmG~+nI`k2USoqmjd`Oi@N)Dgb|Jl9@p-!A%YDg0MfonU zc>)=MGnbtWR_$`!#(OkKi)INzJg`Y5^i4_Jj#25p0=2vi}_KpQWm-+Z z*dO@Z;-~Pqu@QhbW%L*zCHa4!2*qZ|*1JvT4P&p@Ict0MQ0POz4*joHZ8RTlbB2y-RW$3Y3x z#PP0GoK{m!XGaTI8h)P&KZkkk#vuxz3u#{E`nkCJd=SlZ!aF-JgQCnN@EmdUD;Sxm z)C9hwSFyflSSBjVtLc>qQ?10=>%MCH#u`EHU!5}Tr4LIm(Y7mj`;JfSKlZsY~ADyuzQ3l8y9yU>zmXiMQon!h3l}JyDi@(3ISC^$v^|eNHRMk7GOmF zoO=L$tZH?~_4?x5Pg!D8vs~<5dvlf1QFeJLbp}`S2i))-=zqTK-+?lK8mlz|I(|;m zX)8;7)|L+y<1AnR+wL0xR(*c33*Qw9$8!Oav-Fxxf3p#3K^4G_$~6s>Z~MrM#sjMp zex3jkn#(~C_69ETy7L2HN*v&KFslxA{0BxCI8QsEfw42wyR4_DL~-ciJrN5!2rqA2 z$kUw}0MmMT#W!PS=60)V?8%00>lBb`nUj(4fjfBz^7pM5V4-;{@vjTp5BKSh`jr4D zx!uVkD?sd3LM8^|7f7~IQB%V}Lqk%{IO2eW41mXF>v*jEtB~OytiNl|%9-6uaEpC< zm=3@iC33$@`V(&MUH3TyD4+yT|Hgcsbx5>hy_8FBFFWrcMR0K90VJPvTX2|WtwZt{ z0cP3_Hs1Sx9^4-tP$?a`>h&01&81e+#$HTdvJGm2<{#{I0Ojp?(XjH?(V_;RN7W|?{)6kW8D7?D5^er zZ9bFePsTh5C=HT#nH)_gxcu)6=$r%W3Qwt5LSTv&N&jm23>Zt(mX98$etV5vCSLud z*vzH^2@Q?Q>1@;K4^_`i%=Nr}al3DTtVfIU8!CnnU!nBI{5`bJA1&FWpg){lYWEpyCo4hTsDM z{l_AWms)=uOKUXRjj~>weJ`M{-js{PNd4^>z&boE3{ZXaZrqpac8yPR0E*y08NA-S z`Uoa;Q2gI|z%l*a&i{@A@ewBFRkXQTG^{oC()jW&d^8b)Nd9g+?$OG|A=biS3c|J= z@I3^&v%^C}U5o%8IFQqw)n!|>84OYi@TpA0+cAVVJj{803TC?HVz4XCF`RF(^92Kw zS_feS{r4Nz1Yd3T;<4K)EIT-GPz3RiAO$eSfJE}nf$jrboH$_6Is^!nbuQ-PSKHQk zfb~ip^y{_Oe#~8`_+2mGTqz7eRRKni$Uk84fbK`(7rIiRSqJ;iUrFi% zB$!CZ{%LY@8sD%TR4fNn;RnMdb@shMA6YCJo#wyQ*#W)=KA49?SJ(fnBZGhe55oux zTJ1cas^7=b&^U=<5jsMZ#xiDp^r8AiWU3ytgb~*Vz;)56l&?#K3zh-Gi@G|NMc49+ zq<2HSz=fl+SXy>wQ!pqa{>VX&fs8`de8%iN|8F`abr?uM=RM5W&c19G20NE-LIBCx zfa2G$0AE)6E%-Whnd9<=vd|8XloSB<{cD;SZR}f$fR!mn=Eh=C zu4TXv>}w<_fZz=nn3@A-UI4*+zpcLh4nUFuHs7MZ5xm>ikn;Pb87C7FQR1@MdY&A; zix{`vU*dJJO5v^JnV0Vo*nj_P=kGx6=`0TRosYVq=o_w2Tl=x{&0THBb=4*HHZS*0 zju8$+**?UN`GIi^_D>hT{~t8(dg*mzrTEl_o|pvM;CSNhZkqZg8H~4&HOK|kqHN^k zP*T|LKewR*ZvkK`Flq50-0`|K6es7|=_?Uv$~D0}!^cU_g-`Vv7j=+JRvrL3ex)_A z|93UAw-e;D%hUE`3Bq%MymMa;^JZ{l`Z_>aHR&L*R|bQ@II*H18$2wHhyda7!tw#p z{qv6c?JI-$>=Jl?JsMGIpg34!$$YcI?gYpEMWw`82B_`Di>?FyJpiqcUmYGPB~PvZ zxHkaE&rYB@4FOuDPkS4ZsI;_Eidt0CgP));IDRNZ^UF5?d+a3w`Rz}i4-;&#%+Ah$ zo}PNk zF+(lC_tG)Zk5T^2``)WQUJ39O#>vhJ1{iYKKF!UX5)wlIhRnu!HAf-=xGKWY>3o0f zjPYKm{dwHSibD_>um(-H(GydZKr@$|se}4>vMq50Z(dD+FsFisG5*)XYJmN$to(vw zfZLX@CQ5oD^3^XdZ>cvte2GG(EWCaH^<}Bbvn4zR+4H=;!R`$cW0-^Sf3bB~Cjh;b z=XRu_VeIshoY(YI!E(%*|zZOZlE6!;J(X6YR>0s17h_zfJ;5zp&Jy+fJof zt;=C_)4pIw(&(Dx;c8cfT7GQ|UMv{~z;++Cn!YM)*Ekfpj-|etp82Oz>$l~=_ycfx zXt;Om+j@Bslt-ao7;rpcmzSSUN(sv88DPX50fy!~IzZb-d-xHMkuR^VG@6}lLqj34 zt!lv0tIMFQ3AJ0KUT#|QV@aq;7F5Ml&BxbMp)EZg=>3!)US_KL6Re|KbN5i=pdo|p z_vahxT-!DTAZn4xuCKp5ik|7|S`kp+<&g&*Pj`<$!t;1OYw_)#%{MHi>t-=F4m}?X z4Bu+YI;u@q<=;hUd+vOQya(s7mz&-%E6JJgd$lgM>4ALN`>gf-d3R<=hWx_+~~k=6zp-vx&2s zt)rG?nz2K3}`NNLNtHmnHwN~XEs7u!0mtgrU2pxNIP37{gJ z7O-_*?-vw2Z>t(Bw)TEaRc+hS(U5ah6}raEPb+b35 zrO~KbIFi!WrdOLGJeBV}cHQi=EhL_?*_H$e7Z1&OHMbV^wbB))1T8KaxDNY)7^B^` zH;si*7V2!yEIQ4o=+zpf1lU3#k~lqqrLFGboI z?9>2FS!mEAvN%1{va)m1Xy@ss^ZK#tK>IR2nQ3aWIis#+_H97G_!`fiww%QJ`ES58 z@a=<8oiT6GN5d|IqzUuXFS)pI)OAfqP|$FoK1yOb$pHVF#_yP0EeVZT!W9}8sKtk zU(rXjuhyR<7IAdOkqE5IQoSC>quzS%!CfmNY~|nltjsIYCToh8jZE=e7_#zx>D=k! zh}_4x`EaC_hbS*Xq^4^7bjhKl-jWM`RysOH7lN%+){Lm!GL1J;EUCm@p(5{Tv$`cI zY9QrNg88n6fRN2qm`%3YlM~_Z(e}b)lpsz0zS+)^!>6Wdqi+HK7EUX0bSxn)pKPAIY!o_i zbcgcirhQYUizLjiUg(6;q>_ElzV0xWo?#&k)U&R#`4UyiR20_ z=|2*W-{SX@$abKcv8$@Ox4na?|5%o06j|palDOMEBX9+=?e+2V=g&HZh7JJy=9?Xd z)2TZ^_@>kE{VmB%3jGVsrIS3WRK#%BH3o~9WV7{>f;e~*gbIGRjIYS6fU?9HC!>O% z(`7zjb}{EdQxU)u7a%0~QcY2W`?GlTS@Tb|aHWMpOME;^777L(pNgG^!~Z05$q()O z{5*!gB>e{Cd=cj?Uh=anV(dy7o*Tj0dWL8eRu9v_UskQ3`=p}MLHM-81H#PVjk1xa zJG=RGr2br2LfC0ArHiUJI6mzyT!IJTrGzRwPK`YQYTE_snf28pJU>m{>)GykQ*}SM z?2A(!9|fl2{G5`_+pLRmP(^ux?JdPPe<4wCdE( zNZ{~lhm69Xxs^HjtKS{-I$XO<Yhi5)2Uz+1;SWT83T^y9V86& zuK_kHFj}qVPmGLD=NoSVmw=um5Ddn|$M62iNC8HCvyASPLjrP@-(*PPRIc>&=K~sY z3ILys@p^L~p6oRFr7-tuCy#S3rQuw0dxj=+#_sfCwAQiW$@%K%iOhjTjA0WRv1RZCp(vikA3BiQEW|Bg9qOeFZuEB#K_Clt+tkVIFMPO(q}zI1bB2P5}Y)R zPEX-v=1j=u;uK`E{w1Y#UW}34Wvn)dF}8?*e$Jx>YKS%*l0KR2_93g&6Cst+0jdWP z0$^qSZ9VbFRAcT(uE)EoH#y>zG8sDynEMD-eg>Wsx?6eSxP>#S(jiK6=l9P`SRKk+ z@^;^E#Qvt5rPz3r=OdgSvZOJqe#ZJj#}p&HFJ3Hk)usXTMF=6B6!&>^;yfRb@NhBX zf2e-mkVGVOk4S(ekxJFj!TSBB zAn_uYd(+GzV6u$wlMm7G7Lj*r7Z9;G84kt&{P`twDbpko+sR2@UVdK#=wT!$f@Dok zd~wl}R{R<&(|oCPOUO(jFL*!C?fVyf$^wxg;QB9Fr|sSV*vSbe?L7PIe6z~j0v>gh z>UB_kwbyH`?$IvXecavnup>Mj$Gofu|GHuu{t8qB<*e#qjAU9*Vx@RC-p1-r{o#sj zjM8F>k1#`)S3g(!Io09Y`@%62)ScftX;B5MykzNO z>oPa*qW&}SWxz>ky&oZD@bWN^cd`b$E(j z`7Hn0O4icY_NVLP<8N=AkW@}1AEcPMPEU$wO1Mh-I#-|X(OPPgfN=1@2TWGX$ETv$2xuTQR}R6n?av*5?|L_Y+8HWVg4=I5!pZ{mYKd)(eec4F79> zl&^nVVWS0;!q{Eh!-1xSyPVu$*^lN;pk;>$Saifaz&^=nHpnA0u6@2eVsBG)a{9jz zgA1!dDyK42g?hZ6ep1$X50lPk#AFJ4SyG4Nc8^^&j&Hh_qIZq38cg0AV zEN%G_qPCW*X~@}`YqT>lYNDDgI;nV=?5ymj!$+r&KM{vcEMk3d9xPu1?MVA zoz6U85A3MS(JgdsD^eST6xt2R#RiO=;IV&;7ePS(+%tfwjM`@uYRZrgXvFMP1Vr0g zoAkzm2ES4@q4lLYYZ4L?z)xk*#;x5O6lncWe5#H1gF#77=C!(t%fiPiYEBn-(RM4h zP`FK!z6c#CS#)WX;3ynr$Ds=>{LQd@I@Mp-|a@Da&jOdF^yp2|4w}RB7IP_ zV1H@W-P3IgfzEcZ#LQ9h>3i;sOpBlYCkYu`Rsb-58%B&3F`lh(Jp5kufnEFUUo0mj zzhPq&!v-svad@LlIzqOFAU-6*)jh-Qh6db@s_exFb^bAHG~=-?0zU&#Tfdsq!WI707}L(?g{eq9;}jxVBI z`&Ca&>F30=+qcwK^yHtR)WBe8Thx?NS=C&EvHYC;-Or!#T}mQtk;aC1c*GgCk+Gd& zbeKLq_$K=SYguLFWwb%auiq1yFo18YHQIEG7ycYC#abi2jTVQ&C3>%=LiErsMHR;` z^8K^M4TEFi#bgn@_TC3Yuk6ez$KkUkeeOJB`hYS&y|OsCRJhRI85__d$$vtl#+)1} z{{xLO8R_P(OVPD%(9M~hSP9}g-OH2skh~HcMolJUoj=(3_dq(_W5l@iW$Rj#>n2?G z#DAvv(d+MlG;34K-vCYp3wwewuO>vyS79kx${Ldqhl*fia%h>WH^bpJs|WTZ>(Y+4 zirK@x{m>MPB$QN^N~6}a8f`p+YrIy9;N!(LcFKM{M8vwXLZn2_schy|2DU}el{?^m zH(%caR(gQvS;PJP_c@>j^~MZY(Vr z;K>havAIK*Yyfs^%axGeZ{KD>`Kqd_3f4`q4%L{?oi5fCok}eR&G5YglM)9QOEvDZ zC43d7g*_82@Pcy(Aby$Svfi*MZ+d3 zx%(hz?yhHDe>kd=3zuv;GG&-mg?b3fC?TyTDllDETn%QN?28e|@1VrZC_G*Xzdq!{ zj^lC;bYAWq7G|8ZU8}l%!!UM?bb(V;6At0;1W>P)a*^@_~zal6vkY3@!yqEi<=9Sow(MD}sw-QJGhC9W|)!2(us zRd>3w0a4$HMw@=lMZI*aT49f-Ek`&(r0bAr) za90ZQ6yRL!9gH*KC!IYlfq<`daXrL1Xe#lN6MEWe;dODy}X+yJ#` zmgWBoTEy+Mm*6P%Y5B)cYIObt)w9d?C8oIJ+pMSjk>j{W>nHArptL?R%90Y=k>%l98u>PE?kOy;JKpsc#h7WEPj{$gfeMOkBKpikIzAecsl9Z{zSFg#yiHaE|fi<5ZEN>;6o4`V7)}-|u(vn+e0z=0^Mzdu3bT`owi*ko8&Olc!`~ST6XcBXJ>^EnuIgFF%HC;sKC@-vn*TxVK^6Qv zwMS0K*7axJd1Sh|uJw6ZhyneQ@oss*O;aWV&2sQCITiKr$S_SlW&l17H6{M=y_0Ch z&jIoRb?ddc)RA|qtfte=JBz8HV{N-pWKSW3EliJQSEn-q88OA*%XL&`J>@o=+9eWr z40XIJs=FRrYBAtH;JZKB{092@SW|f_O!UF>XV^$(+v}AOKXl(?$bZXggacxYTOGI@ zFR6457b!BUIo03b=s89X)3RGURZj@iun&n%h(mL?dASkZnYo+6DW(0L?OR&ut%Ygg z|92qJeo;ZMKxxzNe3V}kg?;*@c$-HsJUpz#Xz{~nI$CbY4=#zF>q}kD7j`MFES%5P zoM5FlSXNx_-}@e5ZP|#3wl}f{2t}%!Mb$$4l1G$U!h#!m7uDX3kZ2gxwchTWdc?-5 zO9UZ6{JkCoAjmO6F~g1OjLRMiA%dr2ZZY=kS2 z1H`r$gHpqvHVaG(MDt&}hzXfc)6j@W@O>0_L!#7NL!$7|66h5R)Tski3hV1x<3-I# z$%BVDDH-|kep(clEYS%UY+)8zo5;u zQs?THbvr#fn)-W|1I9*f+Z>b%k0CEV19q5Q@2w0lIV&713zjU0Yp*-pzP-crcYF~= zk;TT2y1SMigjWqHJrP`3ZXaE1wRPc%(+z$b2Xd*W?M`N7f<*7X?64cbS=uI7bYz86 zn(wZC2E)Rwy*4Fa%yr};xf!#+`K5ErY!rb4rXRB@+?eGMivvP8WZdm`|Ary>3_IJ) z(Xr2m1FD!o^qC|X_ttUta29v&qwd+uQ>d2u2#c!$T^&;H4rz%-&4I@qzU-`%v|o56 zDeW3gn>))OBj*1j(dtv8rX35ZQaQWX>@?!Ed9p`P;{tVIYXEQzbH`sg32T-&&^?|T zBhx>Yf@Y9IeI|=#aJzkCF}B)FpjBzQ4+wDG-5sORj7BNLMVpPK;rqkR8i>MvpA}(& zN{{*`%xrG$ABemnFh}2);)rp$|I0<`BiO;g0gz!hovrSitIEqy0X~O{igCXhE$x2b zK*LQm8-18AAc~U59}kISIpL8daB6KOiCgM*rmhh2wLi!nVqrNAgE6-u^UCCT!q4d* zykrhlkR(c#H!*AuR(J&BI96d6Tj9L$~`-$CasU zE9n{Qy!6RvVQ-DHkRns;&XD0M&NtW#uLQ#~Rc+j8&kJ8X<`{67^xV>~8Ne!CAHMnd zO;~Nz>4(VE9VgOQI|g+?r4qN($i+7=U5ha=kY6@`(`xWr3e|>QeO>3Dx~2vEP^EW$ zhnmxj7Br#5+zx%y^M7!-ZeIZo-I3n!G~Aix;rRc~!j)%}z{R!v=6&z`Ht&re&^?b3 zdI5;{_x-Yf(YYlY_!xK?k`Lf1{64WLLeB5IJXBg+x{E(31bq4x{#ZTKHxST2lh|L^ zuFoz}eFK%p5amO|PlB1}Zpj zb%`jWVEQ>F|0LB=pZ$$g)2zu~KZdfhqy6Pvm6@mnLy6BgC2P!*xze#``f3yJ=CY3j zm=;4HHq!%pW|1_f|G$hL}cpFGJ~XqOXW`MEvGIkTi0T|7#?T zTKgT8C_<%!%@8$bvjehrin3wj470%K@kd-W9!(A`%{3gKiu$jbI?HfS9aVvsCqK+b z;Pmn$dlV9|!c~AXgu)S*xs~OyK9oC)loIMpvT#`iflIs$d+}Q;5xt_ctg2LvjP+Gn z#3IN^M+_CGSLuzxtm*Nq2`#_-ZM})1fAqaV!8lBkpU7~R$|9Q}rDj$t+# z5fz^(1!c(#t`RQv?_^lvM1maK&GXu%1-@qZhr@Xbb!-DW>_-A}D7aRAc6)sGLBK_c zQc$q%Vd{wV`7{>7~dG#HEQ0axO?-*IrYb^Oj2rlOhTDaabiUvJfPsHgjeYBUaj7ix$@zxLS9dysFs(N|j0RLs|@jcuu z|3_x#cXOi*^aM1TK}V`!Ys)TGN74vN-MvH#Gen_>qe<-mPg%J#@rbyfb*~jQbeM@* z_cfj9!U6k>bJ>FAklzemT>rcOBs5gDG0Ljt%Vt$4^lTHt?kw?pIrFqkHf`8GGE_xO zsqvW>mn)iUoj2NBo96}%4+b6%9-!sIQw4AE#>J)a*!o2%8YwNr_&&9}yV6KI?;CJT$#rV;8gBpt z^TJ}yJdcYG0`_Y(2FqtNIvT*L4N(?aV-qUh-QT&AlUpvdrBPb-c)bjxa_DTsLp6Im z&W?{q)+c^&+^ja8l1}9$r=)xgbWF!YSVsjzvCZ>4#U}*D8mb^o@B8W!Q`g!opR&c& zFk1|lB%%*?*b;eK-6h>GA9{}FWp;{_`&q2lPR7-TtXyS`K31Ct);6TH;9}g@epk$p zqy4z3B@UJrr>rDLMMfY=pg2M#z|xKP!{M`+y=i~H7>!kvTMb%1XMpSl#qr{Ee!Xw> zVFP@C*w{ph*zpC|L#v;_H9mb@TUK<^sznMMLCx}^g6x45fo7j{^O+^XM&FRF-}I71 z$mEcO=krr4`s3+DSD?1%wk|64=jaw5+ZRYH(1jq#^X2ASh0Z-9PXE0<99OOz47#pq zO8`t~*NT%x(5K&Zh&vu8yTlQ$n(6v{$yf5tsW|P{ZIGr7$FDWw2P;nHqKDP_7;= znaSAYs^pKL0nhIV;^E(;H*!9yx6pY5H#t;!4`F2h^HEyUaN>r&3g9v?U!Nqo$E=fb%H`vg?c8GuC=n~ zhq9LLW%5#rsk?5TU zW0{e-t-l_aSYA`m+}vdKeRs2G_wXsP1nSA(mj{xc-)dbz`ZUBBc|AS!5RQ6d@p`jB z3AVa~rZyj7IlujNvfdekk!c6f=)T-vHA+*FlNTHz>^Ja(lo)JnY*grWeVvq>#o^D@ z#K+HQal1`QPVTB#EVX$@C?&(I<@SP_1|NfFHDqX*7g8l(cAwI`tK3Fgjfb)SC6}I0 z^zlP&x1KTy9aB(>TD)Di=Ri4B%m*{EsC}L}>N@Ag8uq%tf8kL`4wrW`dTAJsRV-g$ zgIe3T9=Q9Wxb|kd1L`+|8K3ssRY{(YIadwnv2qgpwb&6|p?Fl}Ki=+V4Cm&2W~=|Nmh(w0%?h{H zmMiqMRf)%hIBio4ubc&k+2Jdnb_E5O(DK6VL*0P>GhqxJY*zF71T4>0F?ZBQS$_`K zJMFYm5`poI>31w)<*I^jxy7J-mN{=&*^VL`VQ1SgjXAcuc$KUF-Jt&H><|aot8nLNM7q%4^4)o`c|htRrzie*Pyg z2+%0B_XV!inIXQ^ej)`ZB&~o)Xe4H$CM+y0V2A7AaQ)!}d_4^KJk}|29b^v{@EpSz#y;F% z;%?bfx1v4o?gD<;e~5zw-%LxdG(yL0vRTg~7aBq-Vq>R9&q9i#)K&zpDAb^MR{EYF4ug~FT5R&If%gJV#eZX!WEE7<1Dz$@}*i< zmHm2kAhL6CHJuklE_OsE|1t9^2L6eO&Inya&%*7l-B_hVp7{pE05)#Nc zLJ}O=rv6`LjRsejpS^y#wTwpDvbvsnrM+^UT|Pdiu3fsX-P)f$KD`5=B{NUv$jI*3 zQ+P+ZQaLFD$~2n2t#BdYA=8w81Z|c8v6&$G~(0+J*f60SqT*lZmaZ*opPtzCZXI^JEF!(@&A{ zsL}{`?StT>xbtI!r#{xa>040gEnmI%b`=yDpU1Pdo_%qDo1`2eI42~0p3fPIyH1M_ zg@Q?@(jHZ0329NyO_Cot8BQ!tVuAvC*w`8+MRovbCl+UTaIlj_q>c?x(Llgq^D;nQ zxB{v;dB}9O4if_K;OYJt`rIqowV=*zRBOGwd)zPAY%VWdx30==nnDCkKYn_tRqat} z6ql7Qqq%(>o;4oK@W66(){q_;?7}6@Y=C;|kW=-$R`}&?5Z^vz_&kb5E7sePRTdcGy zNW{^Ih@oH}Y?xV{+V84A;AxD5TY*koT+U*QD(9-9bDDRR&ghD~;rH6nT@WQ`3z|M= znr$TX-*+|GIx;*XWl<@!-o>w75vSssy*pEk$9q+FfO zVcHMxu2I?KU9wPJJLn_T{5#|$_kC9`#g;dd-|4d4Q^9BU`%iD0;>~}=q%UcfYk4p> zH16*v5+WX0m@`{OBWFD;ecUUaQE2-R=Xb~*)P%4fr2QpoP`RuN%1Z)4Z;NWbIURTRbwF=u}5=(CHiM!2%d(uN8n18a^6mYUE7;HSD@tD2(5dDNt<&nzJ z(r3N9g^Uam#N*(IyI-8wyv?}WQ$93-$Kt$O^XuS8gva5$%l7konJxJ)qkOg^FDtiL zI|?%84FYuB1i*&&#;o(fVgIT^j-x^ex<6%Gngp%neHQqP{^{fXyzBzE$0A{7C?DT6 zxUL&IL^7F}zNx9p{y2VhD_QEhMRSA`)}R}lZc3m8DT(jRJj>>Km7kov1XyMR1`vHH z$w1bDKW?6K-Ql40D8I=gIUxXzuZ64By3fhcT@-wCP%Ev6z{cY zeUA}3(|tndsR++aJr?$Z$IIb-ME;GC=>a=ta^;URtm?hMoVZDp_uP9l+SINe_noAq zxtWeT1*Lx4;w4-_%e^l|f>hNeEPf9=${EC;V=Tbk$HOzK%#fRTXx!bkk8KvCt`!gW zMrcHNcwM)vSA7~&LMH54QH4b(e!gEX5*yoLsWu>>C6@|E+Bir~@!@bZ#}7i&nk!-> z3KR4Ell>wBq8Z*kDO^r1OZC0Etd?!gcb%3Y?mgq;Gubh}RpZH@SYZO`Ox<3!Js8a? zwf!rP_H_Z04(gfhN}*D7N~d|dZfjaj-#T_YUqOz=fqeFlA> zbdek(J9#8{Rkc>_ccAO0jPt?Aaq6Q=R;q>)KA)ba8FoVZ&;rCJdUj|I+J0gz<+%-L zf!uJcKIl^)_}>~kf0dikpCL6`?To|Y988~K567(_6P8!}!NC{Hw9A*J!85b6uCK4N zG7IreH?)(Il8i@x94y4# zg#Nn!t*xj?*+Pwb)!;Ni+3l8H93Hb(r#1KU$YQ;(!0uwn+$Xl5{%X{x1#93r<^l>c zeG#%zCreF%Ahc0(im_>z4EJsZ^OtjHn-y_>@`PF>N(ixLBs6j%Frg+cY+qy-OPSPg z9ibU=Wn`lhP!YFFC@4qo645W{8Lt!-*h(;c+UayV(VMNmQ_=E#=dG9GazCzeP}^N1 zeLAXTxR#KJun|m-!IfxGr zjnMQhWIH_t18b|zo;RGFA)bp&Y?jTeP2Ty8Nh|JOfT1apFiYEaq50wbPMj;Tb1zyP znxoxbGM%MCENCb1TF!BJ=GraGGCq%ZBZwQ8=EWTpsLQmDPYx=Yj!nl3n^D)X)@$M| zW!$zIaxiPdeQCN)9K6@>7n|Wrn8_QPMQ7j_Zx%7MeW|ODaI#(z7cCm+ln-SuFiZbrKo`i_1adb^Mr$yZ?>&O zJ~A*&t*qckVGNIzx$!;&XDtLgu4I~4Q?YU#3?>*D7?l(twxjZJRoh;EKjkOfK?}zf zlvhh3`g*LRyRLJAhDF9_($wS{+|%{&NI-j?^wuNG00dC=yvvkR}(j~@kQ-)$L< zYI4T5)pCioFPz=Tj0`Au#S~zQ3vFC-Buq4EK~%p%l93rJsxzhxnLuGm1CE|C0(KoV zr0wCMGCWcb9RAk{n6r2H;!`=fSPE}?+5~vLBgR&Gg~z5*U={{@3|FVgP2Aum-|+V# z^SY&J+}J2jO-PAJWZk@QuqgM<-}USaHJ7uA^rgY?BmOD4`gN10r$7PTy_vy&%4e%R zw_P2hr$CHM%pU8=ncmHbFv#aRF6Gm%B4O{1j>$`)UPFa`Iu+N4YY~A6ee3Yt0?64FFw~_f zU$%<|WSEOPNQ&(*GWSp{x5D%eE2ChGrp@N>yJ3qpHKlUrW z#msA47FE*OM(oxtwKnJ0$m26Ve3Xu%Ja586K#4PpHQ`ci?C^-kG2?$;SoBL=d z`r?%z5FTB&N;Qq)vAv^eQ@mW;-~4q6{Hho4B8mIiH*6TVSuvldvFyW-r+2}c(-Q#82ZXdQ!%(N-&)PIX_&!+!v!)Uo_bRrVHumA zRG@(}e`ilGBi{Vm#}qgyyfX_!yLAH+D{CGN2%-R}MmOd6>L%qeG+cDHH`w@UuJAK^ z2#0$Zcdk9pL#f=PzNc;dlsQFO=Ft+o?wPyIHCW*er0`v|M121}mS0W}{#z`My7og! zw#RQ(-LzrURy6|TD`y5^t?L0PRLfMMy*IM{|*dy-VIEl z9gdt44*QkC(<8J)I-jlPaGEp62eF@=wYmD7&PNeeK!3D{21O;#A-uUMvSndFvwBxR zL7tUD$kBthkMj483C<_xoh#=i&Ztb=>K;*AjgZh{68#xQ|ubK9!a9=H}+` z@bEw&ysAz|2Z-6EGfLKheeT1n4w)WKEo*i@7)Pn7SWQ~WYG*>c1URLstEt_bt>NXp zLxe1U2l^#KI_}?<5-@4&{beY&wcxAOqDRXg6yzgwQ3&boIT)*5KGpU^ogvZ)ThPjuLRQ}=M+!m|GoiPa2W3R3h?s2G5A2VWSF?%#8F2m>l$t|~J}%2y(Jnd= z508yzy;C4H%Wxvxp;oHvN&Mh6>+EOc-iQU?Xh{5|=aD;l%1~n%zHiRZ1KA?W`VNd5 zzuYpVBOpClJK9Wy!967OlG{sn=unZm0@PtCz`H2?I0(3oojhhL~k~&;j04NLcBjIl!~MZHF5C z-OQgRzV=9?@Vy_=> z!SrMDJkc6h**JQL|9w`hLv_2~Z+h;&pZwA2=+W;Ds;*qto4_19ar*8Ekft2%ZG{5Q zyKGS`6;Ino$!FvN28g==hCiTY&$d(4(pnuGvnI08>(EBJf$ z(9lq8z%P7!{4=BxE(18YcswDmg0|kZso3or4l)qrIUV>2{F(4z5`MB=t`A@^)@pG} zP|HZqHz~^6LX{coJ@jksg1kaPYunw)sjyIW5qeuQ6(o}uc5;%;#@^KRU*cB-#)lyPj%rVm>`1ECt{$ya`kmP5g!0Kyk1#Kmm-toGTD@JH z&u+OD77zHW6}U!8$tjmdh@9UvZs`h)R?)3qW20-61LW6a37xB;4Xq|e%jFggm{Ow7A7;t<%)| zzQIPtbQSuvKY$Mo4LO}IyPU7{#p3t6Q4$b*+3beG!NF-p0wj8JU?z6q5(zYHY-|}V z)EKpKF)>R39Wexz5{Tr{l|YDrNHIkk2+&hJq1!=!{l|oV-UeoY#*+j@#>UxlJ9y+` z!Xz3n$X3uurUBd&pL&CnXyIf=L zdM~Vc2<+_ig`xYH{>?T1x6g|sw(cZ7dh>?Ho+}eE(2m98eUqnD<%_gV9bVvJvNbgo zMekf%damPhWZn1jPg+p)p~yiI5p#2M)~p5Qli6Z>qbUM0jVjAtHW6`9v2k(t4-dGk zHtPUw?fo+_|5IICt5t1+$YG&0h=4%m12TjFC_sjOK-+)=10Sb?-g2^P!Y>lM+l8(I zcQ0~SAwIk~pj$gbqwm1o!$PwPTS-XIcsx62yX#BeiKd9O1B*oF;sOzmM^=-U^4nqJ z_g1L)yylUPsq*6te^sr3T2_0Tgig~?$MKIJUoS}Wat_cjc(}d3HCi$!8SFYf3_GHs zF}5LSyNvk0<-Tz=nX?4GkrIiw^iF|%9<%kThM>Ch*F$Ouh&}*TK}Ah1MubH92;W*k z4{9%q!{do9C1F`_LOo-tsHljAmF#l4+hN!{xQFQe1`Hj*_34rQ{*FIIfFxH})%k6} zMa*v(Q_y?hMvCesL}QulG>Smx!qdaw^B4xFgu||67SU??QlnJ8&R68v?Y-ZhJ4@Sa zPwL3*qnvALnX$L0ukw=Tk{lXTGtqn4e`0ek>`cmg-~2bFAukKb`OlLjhL@M{w?U2= zjO7(T|^;NE@rD@LzLw0G4pEcH3%OhZr94wE%4C z%=EO%qMOaP0I2QVU0~bJcXbhRa3p6WZ}mm20gSh+gQ*SLcLLn$;9$jKz&b5<(Q2ps zwNBYVGarzOWF(3kUD4NhhLCtAlu9+r*SBjHbEqVShNNze8{B>pJs}te$j<^d0%dCI zlu~J7esT80<In6 z+TwMy3)|`og1085Jhu=-x&g#ptUkawSiQD1md11Nq|xG9laPSM!^4w;3+KaY2l@1H z4YTuB*6|Z9ZG`SK27^)h^ha?7daAd-He9jfuYbhdv7P15oFE*@X3@xY3qT)Nq(|=2 zmO=#Xo0>8&f&yNR6L8u=-a62A<2TbROT;aY|(EChJD^w?u zsmWK@*RQr_E2K?;>;PKtthYiFm6^rZLJ)V3Bc2=lO^cw*;L-cfvBjp7mYV$u8h83f zNpWbtU7l#MI{5v=)pwqKZ+GqWd3jAZfc03Lg0J%D%N>UT7j(O_SvAttsd{sSH6lCp z;}b6Ibr0i5djimyouM^hk+e2j^*gm!SP2CC^|mnb3a z+o|va@wR1#SRTS1z>=HHkyx8fdlSN$_(``DczD2XX^C8mFHbY69grc(w%#8vQ~~p< zuy1tr_0^l50prY?%uKy5x$#c{yvHdqsdM~^deC7YJ|vI;qzH=jGdTF~w~%)ZRPp2t zm)!~;wYJzbJrl#!=+M#(=4`EDaMf2~dEAvMQud9Z$9a`PfgD3an6U6Q@OMF>LFN9T z>)?Ms8F+7r%U#Y|Gou?_NJrk=FEqRK-Jb01Zkic+}yL)&@NlF59{THd_RaHw1 z3xLKXLl902$R6$}edgy?NJ;a6V;tD|OvS?k0}a6CcCu7AG%&zK^%fQx%I3l*E72E) zL=B(=c_RWZpFR_e{m;dv=>rlh%4uPp$FAKJebcq_xZDu8co_(XyNtSg_QL(s#_kc1 z{VJ`LrWVOU-1R}PY6Ra{I*a4x6pu&nAIz$8F>qg8uEzU)SqY9aVth}72rdH%^}&*= z!@ccoi{<)@!&;9zh6{{4G{dRuZ@+A{##NJT~E z3P>TVamWmzeL&T)xJrZ2N66yyHce#!NF*X=mW5VXw_?}h=~JAXMjr*;CBLq z;e%ggk))63n>{c9;A(wc=c~gw;1po+%ZnHa3hFB=FI(TH;BKw}BV0FbrsN&6_%;Hw zEvMC{DB1lw=_fsMzk?tDhqAK_s%zV}bsz*MSb$)`-QC@Sy95mo+=9EiLvVL@Sh%~p zySux?n|tqbZk=2ANxh%^qH3)*#~i)&*1iUM+dzc|`2$3fWkJNHf8R|H+`#MdNmb9* zM2a*O@Ld13G4^^wUO0X%KNboEkDXd>sfi8C_ZP|67MEaCp&& zcC2*=PD1*X)$HM+=p7%{Iu7s6u>`8%@@H08Ppz$eqXA}rfm{blVq&|UfoKxRcsnn| z36XnzFGE;fr;87HkQo3RiJp*wfq{vMNnd~a8;=Wp=?4i)FiTznOI|N9h$dp-H{~!m z4Jq>x4F5v)uiB@J>)ndjOu>76U|+u9)@_(ogo!?O=SzE?FN2JR-UmF{v|!h@W`sF8 z!1)>4ST$xC=(FObEA*2=4IT#iKhE3_;8OTrcO4FV+so)epT#2J<72cq9W6D&_?I0B zFJ7PT0gy_7zyIVS9-HL~P=5$~@P7|5Us3R51_cBJ$XUK(Vh&dN#Ky)pHaL z8M5n*k2mWn$R%bYA0ju;c}d?#$Z1QqHZhK9hzhRO54@)cX+nan4J1UQ9;Ww^@jNkN z?_)8!m2F-4CfkWsDU=N|*8Tn4U!!h_c-kAnVp3FFjLthHx@Y@~?>4BfuN|Hx&dkg~ z3VtPnaiByDCCjJziGEo=cbS2Q+k%!q9aIZKO%)>($fn!MT7b*`+bi;% z?tNrq$r~D?iPHO1axzn2B%Q{`u>|N!01I(MS-o1?b~w zlH`ZH50es+z-RANV{UHV4D_=Ajb`Sy5&hsc`VbTFN+2teWN$27+|f#z_qSIX8XDCy z_1@9Z(Mmy8r9N&>qsD$NR*IVJ5Y1yg@dt&TesAZBw0n;9>-G#qpZ6N^*mzZq#?D{I zeI(i3=Hb1e=9cTO?5q^6Eq@GSRFnmluiEM{7_|=2&Y_rBSyHEZxjabqd3fkJdKO4F~ zW|b2w(!-tj+K2Ey+oBYAS>mi4)|~h5H*uU1Tk5*UXj$GFZgInhDGb@Zwxp$TNA$mp zbe8IZLuDlPdD5r}ZPHNg!@u5l|2DHqZ-lkKht^xAXthp; z80_vY1&D6WSKP+LTY^x&*x~<0Iua5R0xmpFypyp4u`I&VP=6njSSaLlbbO9ysWmm% z03Hr2o^UjZK&Z5|bb_)L2L}h9%1)VtW7@oTNzCNo3%)l$b<39N-o86~K`Cvd2wc=3 zEWFJI`$y{xq5?XdU6BySi*Tsv2Y zvf%UFjn2PfC4?|wPLY(3`Zw|`U)w_}SRE|8{42*e_2n%y=BMS&!$??O=;SJ7d8_dI<-gyWYGz#BxqNhq1@@x%12@^9M6pAX# z$G+k-r>H+Y&6>gLYInQgp!#Gx@KZD&{A`$fv(tS&hCbIYkvW?6QYt28<0Q-q%I;d9 zAaa9?k0KBlKq&xAJ@^1VI5-H>rc_j%)ZzS&H05O1EbHm{4v-5Kx&`@MNM%wR?2qRF znckrwOLp}vSAbs%pFUHk{q%T#+0|9iVm1u7&J}e7vHN?{hXirb2@cM4m)~ar;l>;o z#e>gu+9y{RznR&L6cB$x{-=Pru}%_|7E`m@>;L1@==F`qaXTL)fi4RdA<+Q!1QgK$ zV8G*PG~yEzzt3yx=-?rQiE1ED9d05)Pau=i((*cA<%Wh1|8>s|DGVeM4XdoGnw*>@ zi2gdVrMHkvML}U8(yM&)S@G&K9=C8ssb}iz?d(gizRZe8wW$8jSCl=R*2X=0X-^~V zZJ2^&%K@vdb^3$IMFDqb8^fzqdpcTKoF1=sPftHAoF73<_<+bmPtMNLwCdDvd)*+|YYm|=V51$~19a+|#(K*^O9 zs zJE~62sv%3qLqlUCE)MMB3Q#K-8!ol%M#2LT8Dv#7egIO8;#c~A+${g8)v60`i0lC4 zF&K^Ml$`-9ipi7H?JS%fCXb9&6GbdzAishFN-{ezy-0G}0=)#H!=!^lLw`Sb8!*3& zjB>zk*4Ea5tCkZFscZ@>0uSNz#6$=4sw%!|xnqdNxt~ghW)`8-n-&8)MMZ8`XAT*{ zUifB5p4gy)vnt{;_OjDU`44x{mTc*zL;Zjx*J7n1i_a9iZ>8Etsf5QKG1EWDuQR}U zR3W1P39SFmC9bzt{#9&y>K+Tp$XC$iG72xkETBdIyEow>cG zg-14%aZYj`w?$rd9qluq<)Mu!P`TwQ^|rLVZ|sV}MjnudW9r8~DYQ@QRQq5cp0|cS zs)%kWs-)0cyj&dp0MeOg`?(^1B0cWXFKMdZf9<23&x$$wC5K#nc*z)RU;Js~EMwZ0 z(?8z!Hc&`xb91u#4$Q7`1|-L?lX^CR@FViYL%i*9aGuWuhhi=s)|g~$6;9)8zHtF1 zk;F1WxNdx=wG=H9)srZL)`xCIR#=^JwWpc!(xg@57@b7xm=% zvrme+wB(eGj&@Bahm*=L?-(z_W_1tW7WiDewO8)XXPn?dL+mHe>E7o3At2s9fg=(9 z=d}947NAzDU@a|Xf3i>1tFx-mCZ}sqSFNvz{h|o(6Rm>O0A!*7D(S?W??at2Wx+qO zDBTsNZ*T*45I`r*%E}55Pghq`5?1y5JlXNYVY>$?>e~Q?*G%n6)?`5h5{k!_*B}a7 zYlfIMt5;(+U_iY1SPgBCID_}$nOky|SGFt|29XoYJG;#`9>d5kew z@%JYByZ~eNQ4?24^6Pvnn!v8eD*LyW+B!#8-3$%cdFj|ZTS#1+3rWi*$2u#-I*w(x zqBDpmCt?kngZUG&b}C*mrKxE;Lrd2__T6L95MXaj{Y0@V?8|8p*y!U5 znB~N@141P-N?Jc{Cwa`mN2@4xoh60bliQwRf(2R;xgROZ!c0@Ogg5uPH!d0N+jP@V z7Ms)#7#s=I5XyI4vGT z8HEG?TOWvkG5psx5}|wAPSw)*U}A?$USHNF=f$#QpKG5sEYAGc{U>KGE@zy`$E4}X zM4+^6o3Al2Ym>ark8u-j?)t)h>D!kz_3)MC>6s2_1yG;Ne{HCb4X0!L=tSIb67QFs zGqyS2pE*cs_sjFevOz6NLkOfAY_!O`MUIQ~R|RF9pxeK!2{hEy5qNwN^|yDY8fa)} zAbzN&M5K7}&KR)9Wu)IVRlsTek%)yr*;_>k#V9PD5r*E%} z!jchGmF^YaK@n88-Ed(EaD%H7lZt z7A6sMe#{IE9FAu=Y0-e1uHEok_vPWz&V?NUP-2;nZ#uj`0^ThO8k*kNM6b5LI*5$t zfKi+=|0TiSK&2d^#`kNK?lm>*I9D^>g>7vjkA9}- zGr=RYp5Y)6LvsakUAyExELgN*pog+OY?Q*iA&sVcSkGFl1V&BeF7VB|>d&>diLInE z7-*~Q|aM-9;P+LLv)?*kSCm)$z-s544q$b*LtW;PKT!N`*c?c zL4uPQ)h9hR6PxSN`cf*zoqG&>8R1>_I*aQviE{b%y>?NV?F`)`zUIH)?-)<$`wm{I z9j>Q!7H5O-8X2iL9M3VRYl_0P+g+pyM!Me_ zj9ulN9M#>EFGQnOB)E2@YS7H^@@CsbgZx!BM_*bH_vsVgWyHfHf3GyXG>k`2C(w<` zA4={+P9siczW_A1>A5*pdiw9u(!D1MadAJ?)z?~_fmE{Nhtk79Yp|?lB!0LM;I5d= zl{L#`szZ9`%DdL)kB*;5u~Bmk14tf1*U?3j6adzbZ~mg>^@otz#3(X`$DS=7jMv&-LDFtPHtZARHN zOJKL9EIuvm*y18)8BeInxan8wWSb_v-Vi`>M8sjQ)IDr3-keJ2XdGNv1R0vnkwU}x zH9W9`dz-*?B_uGx;rV{|){1|IYL%vUnVC(gXz-bhheclka@r(sn$t(Qiu(|Q7V z?Nb~U98s~$zcZcAS0+v>EHrP{B}Df^y*aBYC= z$f%45^XB0^{DR$wsgP7U$$Z(%$QN%_##m2Jgz3qz?&KSr`IsRyux>9e@Mc@FC)_Q@ zgB$H+(2Ll9=v@0gj75o7xvc& ziqEeeWghP0GQ7XHdMxz^xaFNIhu-&P)0*_B^WAxQ6NL^2BSQXcoruTK|GScrpTsNv zJ~H_6E9NW5X8-uj3EyLHUYzo;&oZ=t0+Eiw12r&E43Aq*JspGaK8(F!{|TIg!(9 z9CUYzm6YpxmpEc*p$} zgxiYMm2)iM;<}~rV^ZO~D1suMQ#ue(D^6F@PgXxg?!@L%9ml6tZgJ{YmIx@1r(Q2s zva7ROPExy;&TG7a{O}Q9+rfxg9mFy7M(?0R#BW`@aSg;Yd61KXD4ax|N2e#hoxEe)%QM^dQyqKoa%M(5)dYSs;8Qt1I51zR1VpAL%tB)p2Yr2g=D3TQ zB1QM7o5yB?LO_Iu24hC=>>qP@L2);CNWQMxmfRnSJBF%2nc;cB{+o!GY8M7;XUnM6tRt zwj`)EA~%<~8}_~Fj{*{Q3Zr7aCn}Df{xSOLF#++6@Mt``wT<4jBDueRuW^4XDRnIR ze0j~HaN1J#9E8Zu_WpD8uBfRTbXYnxn?mERY4%a6y{uvRiadfaimF-U$W(gCDP7I-NRrl%1<3;ZYL+8O z9f5R_Rx0Zo;$>q5j1z1J4&fC_MYFOdfclA$W_j zcoWVh7IiUBn%`#(YCh>3zoFErEv44~Xz1dIT6zL9z`u^2XIgNg#isg}$Mf?yVjJ_l zHK1$9_PP=8sa49?HEJSI{+cb({ykgzyb4s%($}t_Ij`zoWovz6!IUgoo3g{~s)G_a zZ4WO9Mu*6hZF3?)`}~c^gx(6?a7RM$}zMBgvu2MnmfG>p2Narv&0!fUTd)axZV$d^(U^5)6>(9TR$aA1d)BT zNg$CbL^Sp$R~${3=D1W*QGsSVk#XPgJ^@unixGi^#})ZX*J*aV%jQ0BzOA*56wIBD7au z9MH51od*d>!D zPoI!UzNj9Je`B{HbkS$nGb-p8b$5E(>1>>Co8+@CdICYWPv4(X8xAQTCZT_cE^x$S z=&Bzvt=XAT-K5ZGHYn7xOL-Uasa#GSYU1C+I?XeLiVjIY+&wYXQHW8Q2mbOYGbE8V z6%6!A@sSyHwB-S6H03oKjweN2!5l_J0X$_vhn}sYzrYkKsD5`g7tfRXy7gvh>}M%) zS-r#K&KFF($2TI2xV76-)WzFTsXAQfkpDh|wDp2tJ2^7-spDDW3>H4O>N)Ki&$ zgixa*cvTdPovg#)VmNc!CZn<{4iyq=D-*RCsJu9a7jx- z5|C5LG7^WlJ#I-?a?EY#`u>ljJMk&pdwo?wK|*?Zq)}4g_81#mTZaDYt1Fclq$Sb_qvLN&oEV3kLcZcy>FdlP>>-F1ae5 z_VTLgrlZ|YvKCE?jRC)b1-UUMm_*WXx&3mv$c6?C^t}RhF?(ixY!E&kRIr-5W@36Y z`Yi_~Wv~mCoE94$kHg@R!H%seI>KqN)v%Av!|Ha-DJ^0D2yR6a_18Y1Zw?Fz3r`R$ zEvvn5ma2|m-|G{||5;ShK?^<#~iK-(|HeNYEYjEtNB zHW9nlo3p=m+qN-3kHI);-(LtM5Y_;FBoA^@I}Tp==42678gr$=nkbofpc0(?5~9t| ziKgnS-DQX98)RhLux*Sq`k3csj-PtQ0H4zv^C!1u)*=1=aH6J9il(IyI1Uj@%wj)E z*S>ri;Z4@rbUWa5cu>tk6Oc~M8m#SaFYU8Cs!`;Up>beIT;P?Rdq3hW1LrU*%YUjZ z#Ibw9KNHN{R!HR&7GNlvjG1uVL$|HL>_+=WrXZ_0TQa{1q3#pqED+rnhPiu9T-e7{ z-TYd{3U#qs$rsLnu!^C)_zI(3!$$5F6j!FbKohR1a zRTQ(pHiTm64;WiCZRY%aJgCZ&Je8UG45^=>pLa@7NJF1H{&~)>o0O1Lig1P(jhwE; zII_*m{PW~Q?B-&E5?598NguN74Jpzh@$&!$B|K)>8+JCkg2fHIeuYlH_UKJEngGKw zGsEy_t=!>KP2itZadz+hFi&@^bBJ6Ixrq|XAT5*Yl;9HOhjYwaUo=L(i;6;Wi!?5i z2Qg$tMn(eOlfS$T2iXw9{{HtG=1dD!AFn+_bGC0TkLXztK6VlMRKH{@%0z^+S#`c# zA~v?aKfshA95eiLqxJR-?+7)sRB1Tb@Y+mHJLk?Z2|zL*uDZG8gg_X>spO59f5-BVb}2gch0DoQMtlJ4G0 zLjJSg)E-JuSlG<`{QK1|oYqGW&rmQb*#t2?ClAisFvJ9UoN+$IlGz1d1BK_v#57q3 zJWe%+2upTRx}W423Hd+Uuqk<0M`qlbh zU2aBN5?;c3O}Fll+l%LU$p0gecNimXz_HF|JdP+yWg$LJ^I1agCcD>^YrJi+^f0f> zeLK~M*^w+XPOk-?QB1^BL5Ca0{qE&4aGU~GQT2>PXT`3%lq7wAw(JS>lD>(PD@eP( zg&G$!B)KB7a~i)U8o*|hR3;PL`m3ZxYg{>W`qpKtTHghQZX@c-7j`1s7KPy&WO;^@=Hqe|K+cG{|qJ}l7C9j zp1gcZ{@?L7O1*-(!@>2Bb z;vM3_)}$wF{PmKimhh6wGOw;JDJ^xSm)Jiz*z86?Kgz;OdTD8~6ZySx2r=-h8rZUx zYc*3+77}Tg@@#Ey+d4XmlnD4j0wy6EjXHRh z9D{-VilN+l#1R!9+rIZaHU(%K2X~&?k-mgibk>OE$r-KUXQR4^Yt|z2&drK z;_R2yjKOuH?(}vK3>|@MZk8HZ0;WX_c5?;rLIoZmq2cpz;^zP68#z0}2EWBw9I2=l2kT;(x?)dEXh^9Jy-J$wV& z|89WSTMU`3sfo$vEwGcM74s4%ep*;8Ha%8SnSGISjA@o7z7SoqXj1ir0W1? z_u$&oXGB)EoWkM~4-CZ8Bx3nz9LSPBN^p+->y(|PuRnUpEQWf1d3OM-V%2iZ$A?ROP9vbg@Nj=$wZ;lv3kK&c2Lh;GlS$+B zw;2R#?%cR_0sHLe@El!ESJ*Waxm5quHwqu$whkn)AUtO zD%=OU3f&E7^qw!+KaB2yoBx3p^P?!F_~+6W#mG8H*2E z)q0)SsC;W12<5{11+9S@8@u!eyG@5VVR>&dAT4$$cdg0oY0f}%9lob{q;wquoJQa~ zMGc#l=dnJ4Z%7>2^iESDC)4A02pU403t z{r<}we{>YWZx7O#z(e}^%{$8%Dy39y6UYzD5)XX=Hb6YL*Fud#d-mY*iTqw^;irF^ zQ<5Vr8BZOrGg`QDiMA6|X|KB|8KgeIlL8mQ0||)it*uHU+N&HgL}cTO8(&>!Vb+}R z<9n#2FVQEzB9f_lKUY)_MDjLw}Y3&;heXte83$N zEIx!7rHaewRWLXlFi~Bu0h>Fkiouhk;z@Ua&}mHsQEh8e*W56HCi8O67mG2I#NZoP za#@m4j)3F9?%mPB&n$2OJXsIvlNScIwzg1EP%<(yE#G!L<3C_ccEnTjZcV=#>~T8aJfD27Yd^4T(p!R4%afa zK8+>P@zwDdfi7;+|BsMpX$sj=tQf?9g+$XbNtf+Z2x?F<($Ju8hKa%5zkHF8r$cmS zg7Hh-D9LzJLo}mo7HP9NWV~xtRZ=j2WRWd83=vb;dMpVsqfq z{%b5>?My-!iVo$La~Z`_SPg1g?Jn4wU!-OP)z!C4UScC$vJn(u#mQ zwxc2wQ;}u6+w)neXUEZ}CM~KE&rS^nUEOz~wQUSK3JR*6zGntn%h$2AeZ+5m*zKO1 z;9g&W98d=|fG5(gZV38*ea;B+i)C%qlX_Moq-2eh z#!@(?r;spz(2`U=-#`qu`!22tUbA;_zTRX~`4zENr1d=}rZ0Rhq&VrFfy3J5&9C`@IGe5& zb`}|P`T0@Eskst3+sfK?xRDRgqr{c3Uc=`rnx+OY@{@o$dj5z8XGSMKX*5f{0EwKE za;eFlYU#kQ+!4T#0nOLI8!QemH@}mD#d6;P+Qi*m{xG3FGpTHPn1ZijzEmeOJ}CJ^ zMQ%%t)y16F`O6C}pUd5oq=KpVCjmJ%DH(0+mz_hn+r4{a!y6_q{=`fcu>mfK6!Up0 zsK1#x9+070mFtI57nfrytWYwBTX$34n8XxP0A)>YLC`nNj$$ylW*?g2DR|{5Q?39u zMztk4ZO?UJc7Nv)alPiZ<%aNohx*i~!wH{hm1_s*-<_j+s3`5fCc8v0us_4AR5`A8 z())}4??St??`RUWqkUzZCUt{zr;@cw*w2&mbD72hzoBoh;oVxd-V9_jPzCOFcH*Ye zqLy4V!M9LZ_RCg{OSzoY^l2xhs)xvkp?~a3RR-auR->}SK~xAUuSdoF8#rU7fBfk7 z4{c`Dw!G0ce|qOgR%Ru!c73sZQpexLlTi*qVzDT#4hEDo{7`pFlT+rNazOYli_X>l zmCoq3eX$Vi-vc)Bzod~zLXwrClb@d-5fRZ+=`3WF z_U)kF0s`XUVa41WJt;}oa3W~CQL!NC?f^(T{X_-_CW%OZ6+1PBa@~JEXMtw0OH-nv z`>(-bHT?q}8wUFJ_>CQ8J&GDb8voA8dc~$FY3{5`6K$ks(ftQUD~MmoBk?cGG_Dd( z-_{8ZnL`aCM#1(*+1f8`-q$>p>Ufg*GYo5~#dr6xI9*a8Yl47M zq7xL+;4}fQ%aXDN__h_GV?)!I9ku%{!?BerDH7yFq})kN&RMA0eU$xi6E{H8^=- zH!EuH)szF%;`y$vqr*oV@n&_{;(R@^N2;fX@IGb-3Y^d>K;@751R%@-ze-3xBC8!F z!q+qwGjs`r2u!AY;6l43$S-KQv!_MGR^QXpVIq2Iy`ApoPR)aJ`RGhY>@&)sLzWVSGUqvueUD4;3VJ+4UXbEmm|8O% zzK~o$eDW9W?Qy-2lb2J9J?Ye#S9BM*URt^UdT@``9fea3P9oN3`ot(DwzAjy-DDn; z(v{UT1@Wz+gM$VK21|;IB!VwqYkgTEm5nk6@)`9H8!;uRB(Hc|U9nRxScr}ttxY)8 zQ$JotpOEnIdjwrYd2{0+*udJ8s>$mai4=4c$Pn{?Sum|STpD_vL5{Vm;F2OA;C8or z|Bi{=qPTPQQnFSj%9`#B5>5dF&~2jQ?El%p_4n>2AM2)#+PapWc7*9Rb1VE2qWx*1{4GQSPv@ ztS5)z;VIqB!p9Iy?%O_6Rg8SHzPB!fCw$iLVT=TvhH0dRi&==l|4*h5@83)x^rxI) zS`?5tyLvX5G)Y)UNY_iQ962D(cXoCH*}~`Z_IG+7X#Pw%WVK8V{XVB#AeL3go1+|T z{<-Pfa(z9V|HXMjliOQM{iMA1{+K?2)w<`;o+tvW9MS)J##1^zB)uKfbKc5qJ|8c4 z24mMg!GTD2z)<&OPj+9~TX8TcB;lHI;tg3N>cvcK*0G~N zg;_Z&iBM0HHnqxA{Grb_a6z&Uvb7nBKgB!G2OO=o7)?D(RMFm6ejT&!R=-jNj?SE9 z{=$2_><$dNu=!>5>V}M*q^xu-YxqKRz3uo~|KhG-_%VS~wzKn*>0~N<=>$K88k};y z9SYIt?EFSGI-1YcERYG^pqED73d`gA1&N@}r45Cn(fIHyNI+?FTveq2Z@#2sBlD=x zH@LUAiI}k7>#O>Jofn80kIYrK^SrR|9vOzOsD86|Q755XW1i`vsmab4>UY^;vNu~| zh`1_7Q#I$4tGE9}1&lF$Nq2M(7psMOPCdV<`jZY^J5^t(1G*TTNOp^iv-54cz(QzX zAe4bGtNFqQD*vBSZ$Ah)I371TeaV%>)*m2qyhT4|Y5_vBZ+9SKe=NQoCzyESX6R0$ zgQ%0AE1h;dS}SIs2nufH+|Li)*>?&k{~(!84ch%3#BsP`iTbl0;g)AB##%BLoc%;2 zQo`15xekiOqVP|OjXqyLk0#E%+Dllwff3N4|Mu!sOx_;_xAS``&M-hLj}>wqKN zB@UbD#XUA}Fn8BmJ#o)YioXLgF);8iR$ctx?jcN*^QrY0pAb~txeMUGSlP1)JHULj z2=C{;H=|ZcLx5()t*?4JmE>8Dt)3}Cd``ycdS zl+&;6#q=WU131HTntE!TTubmV>N8g9e3YBHTueJ}~-!8{^|k`_xjtFo!}^}CzXV>^=6@QQ+N?S#>q zx9&MF%3;}>$_1wfaqih=jd|LFZ1xn(ZSOsNPy4-alQpD1?1L?es& z0zKeU0YxAKN!fQ6a3IlVOi%)cLA!xb-G!eie*)w#MIy6y{>tJ1;}P6L0m9_A&JHas zLz}C82|j$AT(o1OA#N^a;YAB47t>De$|fF4J=@YxkTFba@EsY>63z-M{o4-M{l=p@ zw;A-_#2Y7$&jousC7XjYd$A#1`;N3ZY-?DgF-|Tn+O0eq^6=9$u*CAir^ja&7ulq0 zlvmSqIM$8)Ixvo!%1<A4H`&)7xaS?46%jPi0tl*ngH!L=657@_@gIeOJ z^^JciTdLi-RR1Vj`9BTiq`0J|I9Ju8ARGt;##&yUjLOSFDo1=So2&RbCd`AeBs!X! znn3bi%*;JA<4UJ}j`xFLdUmhLWZfnZ0TShc$i%y$KICHm1c62Jcbo-#ZrK$tdyZdG zpY60xgoDhfZGyadjB4YjQTx_mR({Sk6H&}jZv~$xIuM|5-sun5=xn~m@k{?3mvJiT zMa=x``45blEMJa8Ow5Zzz}?6vmtnTUQB}OD`c9N@qc(==<>?Pq&+Vp$pFG^0wuRQ7 zknL;04{6*yadDC~xa6c{+}E7Mm)sb@3CM|aTk1F`hvxKq7rbx6VIT-#IE>~MPj*9b z&ik{bQX2xjXfHs^j4y_3~xg z;w?&;m)iIn8QZ*=*<$t4;z_M8ZqBce-PAHlqirjsb!OzD;Ca65%^Zu$=NLoT!g`+h z8lE@F$=?3r-baA`Jp$GP)*;Il_sbU$5bryA8kWfMPBAnzBq#Ix#$}hK)}fq_`fziI zx-_r{m;@fY57p=ZAGq0E>0+HlN>~_tJ_Oibv80J_5DUxQzZuhwxFEe>R{aXd0tFEm{PL#5Sn zz#+2C?z>5g3Nk&2Nt0daSel*v#VMmoQ~eK{OsrKahf4qVcdX`#ttEx5uPE`GuBD_psRw#jJ9CvDr-? z=i_{Rxh)2oC@d>0%gZC-;_^L5Q9*^k?=Xd^tI+XeIGCH?S-Ql-+ur(|)?Vp6E1`0Y z`XT^9+}l&`ikIAAXM$-lW%SDqlvTEBVnnv_5du(JAE2O-RFlsTJZdh~l}_1%k9a=Q zeiOA~plB>QI*Ji33RjhnPC)6*tA7*pFBo4i(9c`VD9Cn+{nJx(zZR)hI`tiU=(hRZ z`1m`L>VfHY{!!F+8|hpfVX*AC*`HDbhS38Smc|bU^N(v&Q^uGb9xI?yLX|8`@WzeM zP#t3n5yEi~vHgHW0aJ=#jTPJRyXNcqotXz*r%Uszro&gPolH|{dGZszZa3=qjT&E& zcEc?*i%d(a1dnjLcc5t*Ls159F1j@|m1*Qr4d0E}sIJIJ!Y{%3WLO~-?n*}tEr&{U zaBq;^G;1VP*7XWgs0dBx6@SK|K*a-P*qwh*N@fYQL<><>Bt)Yb?##x)y5`V3EmfVCy7km4IdmmmDz}!^| z&`fyEb#*tlw}tlA0XK`gySvdyqCi1lw`T}olV!I*;CK^274^!<@B~_~H0mu+KZW-H zluIP&`FC!Wh$`*wXF_UD#Zp3OxL4gx%mGom^}ff)QQeV);%#%g;Y`lYcsIgCA0q2a zh?|bcCMV{2w)*!9&f8-rrd*BnM|gdeP7s$en{}YAV*7v*SG2cM1rQvz^$sU?`&4Ns5 zM;RC3*7O*C*?{}xN^xStRV^YW{P=*JoIXHD$l@Aadj?IAO8^^w^P7duk@K476){P$ zM36t_S5QPo{n+m|Mr9VKxd5$_?g&V~x1pR@ce0rp#rZ${a*1t+7ClHQr*jGC{_>88 z9SJDkHHDP=4i9LwngfBK(t8Rb&7>VKEZ_OfOTZe@9Sd9AF@{~}amX#i`a z#Af4bFI+B%%u6q0N&@OzFI_P2TbNAbe&a0pvRX3+RSO=TTM%;|2?^jHC>7dh*A<$4 zRByK>+xuh1?^Rq~y{X{-uh3p*GYbCY9k=6=8=`Ft>Uh3=C=mW2Xd}Zz?ZwYyHs-TiO^u&e!#B1x_qa`q$nIwkqwF$sI2G!5}{#KD~>7 z`#dacPg%VVC7Nrcl3-f;7TXvKIfFf@rYbMr=F+RA?hy-8mrXd!4^W9K3{&AQkw!w9 z@-)bLrcsy2csR-9)Nri)tsn8{;a9wrybIn%u==L8+Se>?pUSoGnpvIGbCKusiAAP7 z;?(31&V3apVJ9aeCo7Xg*nE+~>61i|TH;PR`r%i#Pmsd-qUFzcZ^^H&^Y*6)B>CD} zxKFK_kq{ByA3~A&g+c&eE#TBVd`V_8n*(|%Nr;JoaQ?$N5;OvWNKvO)3i?n=#swA0E^>v`Xc1=dYjwRo#INxil7W{mUjrHB3U?EX%avB z@&Y_RxJksNz)fF^E;&*o@m*?L%|3ItAf&|q8!$)qZ?NE`PiGRa*F(gNk*~O zcBERUS12k9yU}@mV6;|D>sfy&mcsZl5ZLFZa@a!R!C>9_vr-G2`F_R5&e6*GD~k#i zPeQNX@&qnDdJLp95aB{XM$%I0TxZ@4^ncX9|LBKDKN1lY1FG9T5mokf>Mm?_ZYzoE z{abL1`=A=>(J%8v*J7_bzZs(&yok^}BJ=KXjqai&B7)MoyKiP%rk=^9UNo^KgKLPw#+1fJ3=+(s3(DwC0C#HP>7z^eU2l(fmy?DyCFsDV%p>&=!R9@~oYh!<^UER-)F zyk*F|Nd25$T(XsehAOj&S$MN{3AHpe!@|NQp0d-X2pHwZj1qoSU54H! zaW;?7uqF~&Ulf^)2%obq{4`V~7<^M-daYeD{L|B!LvKUvQa=hmtzQ4iEU%>-kDLFg z4=cdW&u>DFk2&u5>(gyg((HD15go_|dWmnNFC4q@OMF0qytk|h*@mG$?$ry&-N50| zYBK=*mBMC=n0@swc7yZ8&d&{USzqRd`Qb0mVQc79`q`MKMySp2dluqf8?w0PB2I&rIq>=7!-U*p?fR*+!>!xp@^K$Uh`9{+ebA!rFd!Es8bOG&Zj6GuR0@CPZ-_G_xxl}g@8Bj z9rrbW#4RI(cvb}WB@7KZz1^k^D=X`1A+jILO0VZYB8>CJuBow^H}Fo|$C;b+Xte+9 zou-2irIDOG)z~y%Wj|7Hpis)-emBNQkHqbf8dbTE^Ja$)F%?A55HRu5o*nrdQs_6Js{~PR7he_*ZDb-9#=<{r2+o}Fl_mFn&;n;j3eT&()0(YI8^RA_K9WjZKWHOum zZu}7mhVPGfyEw_A+f+4Sgm0Cwgf3R@JbT}cDAZq~LcSp`C9jQ3jnt4JexEucjDdn` z(c@=?eqkFc&Ie~HJvtry(X6qkoaJ36#c}WXRX>!KH(DgNgqW;@5q&lxhtZ+l!D7Rx zXdz-j7CwA`FfT<%Ct1#SU3fD-CU+K9G%)$E8DH0%hXz++?F>(TWpEsap^^IKZlFx^Jz=ZJh!l5up} zL%@asNI(CZFdN#$PCakPF{kMlsq??8O?bNdKUTxWN-J<%UW zm-UDL{`Sg;n39rGrPfMQM`sDB0>6L%{#YmWWQLD_r|r%{bSUq-2R%Y3+Dl6zwa>t! zCu!YAT_w7vNH6D;zIIcV6A; z;Az0pRN(ablu;tpeu^C-e>+}|{`EQDewX1GZe)v_`_9(|5qJxYTeG)W)#PRaNi2pY z)~ISf;otR{w!YT!c>KZ67c+LiCKBz7%-G`y>ky`sfXV^j|@vj_fMiiONoOgl;I zxGiO6e>b{K5-)wCkr@~FIYGKfZ;A9u3&}74yMAWg=DIhuCVUKy$pO_VL|=Obo}m&4sq{*ZgfBP z>nT@~zA@=2PaII6nDN9@C&ym3F^n#BG~EfdIa6g84<(l42_$AMUEp&6-F~FOXXeh{ zETyQbJ6-6%X}M#;s&`to=O^r(^?YS_b?5#=PIOGH-c?)6xS@;$71djzLic+zgs${u z-i$Y&Pd-2FRek!j!s1p$S!%LofHITBn3g7|x>WDD6DB_VHom9UNt1E6jJu>H>`LoB zB5X8YdL^8Yh)9;pLtY*w2P_javuseF@o*}bYu#OVWR8Q9>H79|VruHpdpTz2Y7lY* z1(Cmyw?`@t8q|}MB;TWxBm{mv4Ai{uzk|Fi?cN!j{Ba16@1!^hpJ*h0P+itG9F)L) zS1#28{!N=A55P2j^pyV{3{&x^t+8wqWdTA$LZ*3?Up^2pDxs~wELnMHJGI$8Wn0Bm zHK8}P$x%90hncsHFvN4TB0FMK)@0i_rE5sbX@sacL-5}c;V6iRQ1jD{y8BgQ4Yn%% z!3_2BwA{6yq~Ycn?tZ_v;zQy~ILDSd=6-M6<7W{ph78PqpUiTAmwEnk7;W~iyd$a$Hujnn^MMUnN8WeIo0 zlOg#67=$_8UVg5!Bz}}_>rg=r&AqeYalPbZjoVf{tTetSCaz~RDvOR<0+*DUJQMK5 zo7*%gs3>aGn3^VKc+V%GfT4|K@OVeI@``zOR1b8}le0KHtj>}ywr|iCAm;uuyb9oQ zLs}1UcDc7_&K`?Cxmd`j$xorWq(9Yi-K)p8D70IDU_NSZqvmoc;cO|WV?I@qtu76hASWZkH#dZY$5Lc(l%c3h>Ph?D(b18KkE~`_*&s5)$S>dS$~Me)@bxc&zkm^y-Yle|vg3B;>1+(Mwl1_WB(b*?0C(tvFys zRMH?KY_D!rVF_GhJ(BLPB5wU9P;#XUQL(nREE^7SE#LZUOMF_M zmozP1Bx15WHp<_x2>1ud;lCl=6P2w<&gXqYI5uY`5{muk{S%Ru$f5#Wjkt4axRm8U zf(Y?-?QKoJ5`TRWbMf2jqJjc(y47(BOmGgFg&#bN;`d}H8nJ-_k7ARB7l_|Vwty)G zG67dlf4?{=-|UM$`UPx;q_KU@{0?)2r;SCeCZwRQj>z9uPaGcGMZpK8`f=TBdZuCDH-J1}Y_FZo6sk<~gSSP;PD$X-v@=aH>g^01*SMgd|blj^R z#!a)cv8tqj{i3%1f2M@^s6?f11UIR}&Y%R6;ACv%$AaNkZY8mM`}^Ld=LE~T%c#h` zs3q1#FUH1*s1zhI%dJ9#voOM&VvWET8k8UVg^jISU(jAko8v|o9|na8CSO$xSO3R6w|hcdFjBF~ov? zc2_dQ5McY=LqdHcx`mZu@C9a*eEuldOeP~>9CQ?pL0w(_c36n1$O25on6NE_!0u8< zPsu+SVe|VHjEwVK_Ym^n$HMPO$`@RYR$pssz{JQpo>wBigwELJ=uNF<oX2V zaD$ox!_D~TFpuXCpE4OA73ZH-G!)D;78csV^zp89tj3u7lv7 zCME0rgqO_|(FN|>NP+P+YTPSrd)C>^(;vMHt8ynl7C#Wi$q*7Y6xUYO%1*@v1ciR! zB(bR)An1ncqxrBo4|@OHH?pq$tfvemcoLA2a*Ut=YaoF zpD`>j3kJtNDj!KF@MHt0e6{P&t??+)A3ll5wtPiZY9 z_6d!nJ2~VQN2&sLl08F!?DJuoCnaY1Hg=-$O;#rDVx13ro$i!Xrx&ycCFQ@oX*DAu zA{eR8JDU!L3Qlre-D(Ga(~Vy`hal;@;u1(DU3~Z!i9a%JbCFezNy(lPTB2%ny58jC zuM}Emw?i2= zPG&HAx9q$p-M8fbQfyMv%$b8MyPz>-U}$i3Rs%DOvc7PCIXEu*D=2UIL}NunsO-KK zj8V5i(%UO|CicwA8y>F|!g19N4X!+#mRF*w%olUYEpixO_OJ?ud{5RT>#wrL4@XoE&vvGgl9I&5 zYjxa?t-PQAgm`@H=pa?Z;`LhM0TUrbB7CZ<>~G%afr9hU(9or>p$SgV(Q3CksFuym z0fBF2>gv*Hi+JnM_~~|&i)n(Y0u0?k^BEGHN^#-M0h%tronN2(K6y8$t*qt`#YV?& zxc^HjPe79cu(s4)#8z;pbgdV1% zvJwdqQARDGgwx5%2{d-6wZf3aYq?y{cX9e)vLF``v(VAd7+6?X7#Y#AtZls6+Pi?c zG`I-LAiQ$+ja6E?KmBb}k-?{z`vM7IExwQgEe@T z8l_=doi@I<$CAN4JCqMo>^nmD6zC3slBJZ^0S}K(v5>%t8Hfx;Y9=cgMyy9iMB~TBS5Ja9R-kWEy#A3O9&>2oKMn z--bn}_1+G}5C+f+EDQ{MZF~`_J<*<;il8^|T_&DP{t5iki&k_ASWSV!uzA2*=i=s; zHA4v|CMP!nU+~ddU%$Pr&1;JvINyKdlNLWYJ^Os2-T3_)cqHntZaZ5XEJ)eG*WXh^ z&NREx)z=Ma)e_twoB#v@zLnL`T+LlIjRJU^!G58IjBIVYlcGBVrfBlH(ux|Kbr<(E zEinj~1HZ6yIaH)P5j^n3dv8(*2yoo*&O?KNb5j|i25IX2`3=U%cyX7uUSHygKbz)t za(F?9+k;f`Wm-lUgd^LyJI75iA%|xLw+theVzRMGon5jFdUh$_`Vp)&xNDAD zW7N2lMx41N>p3Fz?28G0A4zL4Hnl+T(3;t=RD@1a95g${Xr*)yhzG`38B~Y=;?az8 zE=-c^F_b>goc%FHvn*Y$zsW4QXrM-DRq*@ky)^CZ*5_L`=}K;b_pW2!vd~GIDH1v3 zMsR_RP5wcDnqRVK)>W^Z(q?&OHpZg@fr$Mg^iKHXAcm@G8Gn6taJ%06H@>x$V*0m- zoXq{=Y}+-qjVoKv1V1zK_r9VdgjHc{_?o*WMrm?og~x4Y$aE$U=Kkus=}XFMYxy|( z=0eOqpxB7NY%lfj3p!tw&bYGBYu0N_Vf+@h$c5$F_BfZ9-{+^rM$3@+WJ5RcU= z{n>}bX1D$k{HicYHQX0}0*OTjzP$u~|0tVkFt`g|b~F!d>W`N`ggE-r^73a}+a$1a zfK4?zIy${J_1m|*ySrBN^9jghQxRjDd}lQMnO4%F@RUI0kBlcBhBS zDH|B4w~kPWtKA3l7B%gI_=V0(9ip$u$bc{4zq&{Ls3`lqv}@6G0IpF!ldZ6E!qDP` zzi?n5&qw+>AUH7a#j$N!L|?y{`$O-2jJ5&a~HxKCzb zF&wtIk}uKVNbm2vcO|=%eqbt5e4;EpNF%geEPdenih69*B;@;JI)JS68Lzzjg6nOx ztPG=m(JYg!@tu^W)AiOf@V-}~Tgk|$Uy0KBNu{t@P3xQ&M1Ege;}$vCLCnJ!?4l)g zx%zg}p{S0IP+&}AMA4-A!@$Vn3KboQND&Yssl|WEMQMu&lNu=Hvgen&w{Ik~Xip1a zR0X}e5T*J!yR$v(TDx8pXCdod7Q~Vf)w4L)?Y<`geG}&>{g$hq!D>8y8TuODrgGy} z%Q7LF93k$e|=T}>vfY8igtSyUJt zxQO74wTumC_uT99@(bwVGEK*ooQOt|XWU!>5%;gH<+3@HyrQB;*Q<)CD0vHuckSs0 zhK4|+5~dWivZBY8l%`89^W@E~k^nL_)vH~=;{e9T=ulwq0f#S=*)m)tmJWa4uB`mL zy!6hGqdze&4Ra3d`JO}J3+tqZ44j|sT)gHG+CvSEWv;3YhC4L&KYPo$`?{)tq!0;j zLAV=c$)Qul+>%j9O3HL3U1`Qg_$dX6B^t4w4k^Q{Xn1|`x(-WLD@7&WO}6Kis_K@i zYSrrVG@CwLtD1&&M9WF&-|)7l&+9bA@XW~Tg=us&?*KyIOSr= z|B_S;)Xp4f&?4LQ40Vi&C=MU}?I+*r9F|-sGdf4N&RT6HD>ZvZF|N2f{r2-w=Ga1C zqV({|JNmhMhJ?f)nWSAUg4RXo$$Sb)^|#yidt;JCu0e%&(t*)^#|+zzT+y3<(6Q+q zde69d?H$tIQc{08-@UIiM%4NEGQn=6tm#YAFB>ko2Ti;8sk+OWQEOx<1!CGf2=1ya zB0NX@8(}H&liC4%C`_aHmUhG;+cILVmu;7ypwwFo*D3jXT65#;be9a3W_PkpOCx_)LwgdliG+cu45wwkPh27hIz1P<4ZJVG*|ZsK4;9N8J}}{ z+~4n=Oj(Zyya*1q4+$Z;Exka&*d?GBzyM!!n*?)7_PpLDnUU4qas4_JFFeg%qVM}3 zN9;osl!#O=enF4a{oC@OLFvshc&eh*3C%=TslNU-*Uyvn z9nSb-LP`P6SFu0ZzyQ&eR4tzLNxwOrlRL3)i34Y`M16hyX;U6FG#bjL36#hEt!j&V zQ%ei4W;Zk}a^shy%)~@opulT@g^WfNCaD{>sQ|N=h$I48^`ramK|<(%`u+(6!k1q7 z7)LAf`YiE+I9fB%Gd5NUbe2J$UfVM+?W|zA@<^HRFwM1GJl0(Egu8eo{IBDib6+6=kD$f{1zObA7KMP@j*a9(Be*y>m*2&S6Fy3{pi<=a~Pe2muv+G z!ga4MxbYjDSrxJo04R98?wwN6hN^7iOl^5$G$ER`yTjcG1nC+OHKTpy<%%KK0JwSXo zy;pA%?hoAM((fL|=4>8)ar#Us(vH{ZG-s;)Gag*P`7Upz@dFFCiG%!`q@vqTr&dzX zQUs7!kWhp9y;U3o_4Tv2O*(2qI&g4IK7Uy*G-~RR5+x~>;+CZE-ns5h({pn-8BKe> z)eM1f##r6j0%YtAVAAeaBAv#ApZ%Od!eqaU*iZOx3uP1S5pqQ)h0X>#DtwM4>4k-y z?zfkqjtQ!j(1dfqs3`iWHv*bvVN*VjFOX+asQuxI@pMQKwc~!t#IGcd*t&27PKI=k z>{51l@&g8j-?p3YG0S|0QD1$?c9PHiR~>*4Ld4VNeEjHiwv&uKRQcU~e+aLJILcFY z%9oD!Z+c6klOPsCA7ToxM>8OXJT@JG`!z>qNl6LinYxCAIxhqkS|U|IEZPTzpn`&e zm2uGI1xsDe_=u+1s6;4-d@6I0l9GjjANl3tPpT>37j{6t))M1&Xs@W?TaBNHR&mo(ynr_y#QMd{LqqoX=le=PfzZndS;qg zcuLAVNbURjfd=t(63th>#qw&QuW-RL z9KnZ=-f-0}?_{a;#>E5FDsuO20_%Btl>qp^F7k&kpy0t`^&8B?DK?_@R#a4gH0(9E zGt=X7&Gbm8F*e?Kq|+!((&Bo)^pA={M;cuK#;Bf<(1*_7o>uw+4lL6>2?g#?a1DFf z!>8lJ3JM5-nX7usIhHDP;&n>9P@%-{NK~`DK#=-9aoHq|9VTRZpTVPbuK5*NEoZYy70 zE)dS=r1(BBwf-8CLXaGMFYon|fDND9sM3_=ALh$pDe9NC1KVRoG>ZJUe{MFEM;G5x zRzqAmBk{I$2OtQ`+?r#-bRazTtwkUti7IPr9c^sDyYf?nj+E3F^FX!20A33on2tT7 zY@%@+9S;cFDP?e{M@ByN$I_G)BK*Bzm(t!q!2k5vwi7G^r(78mB%sGdBb*){f>RgP zUG=uAsw#oexJ0|<9t_Al5}xs)*`}J{*sSLqPL{J4>*~hK_IccJKRq-Loo>xj_wC~h zLP<*YpY0&O=JonoJNL`>d#3lgFZ@3R*;Za4$EV-!EAF-jRt3g?|M5v;)xg+;3Y)E!{V)=m@3-JU&u~wuOFbnF;=b*2JB(wKnNF|P?IiOaKGAAN-a>(Tn+d(>BNJrOq>rc% z7swqRk8vBAk-l=!>-|98Ei59!Xh)D@E-o%!m4*OhG3_t@*4}RW!FzN`m*y6L5B{u4 zvevdXU2}6zQY^IeaJJO9V}&7P2_(3`92nZoT&9X$Il zsoV{6F3n@<{Cndh@rG|8M+vxZUlPh`1FTt9v>D4=o&}w5WL{R*sxvBdPAK`O6`7(COcVP-5qE7(c4&a@RxjGMR zDnY@)(y3g5sZk)8_0hcqvuw41{JivPb%k2KFTpGRt&jGLx?r22M6LlRr{$o%6JOFU z;qGd*uR2G1p$jWcS$ASU`YXN$;|tE+F(^{FhSM$RjmHwrJ(^ z*#R||pbCS|%*cMk{)hL^XnOrbbEs|b5<`*2oqCjy_RU(JEw;oLk!xW2~{Tz5Zz^|%q^;G@R{mX}&>;2M@SUe!A!eMNs zBQ*A&CJV(w8TDgi74`lQvlP{Ai+;C%sbTT4x6SXimHnM*rRqK0(52Y}+zt3faOW)% zQh2(rx?dhb7AJ*c3S`JoVk3Q5P*kk0trcmoY#-VNQ)uy0eBaU*2fLh))@kDZ?7<=r zq;RQz7Xk2hC~9;z9n-7(la1VER0WDrI3Kd4+D7=p0}7hKJ}aNcD#d^7h4c?Fz%{7K z^cQ*68Bz1A+2py|SzMY{XmQDvayyzUkRyXZSAS&uzTRHl%`4!sDr@!$Ff|dy`DdhH zeth{cD$!P-tFSjN$r8-8$cOI*+QlC}e6R##h*MLwQsP8Fs~n0={}U+Drl)_*gh$qa-&~X>Wk1f zb9$KnCdxrTJ*|Nh1quN{Gk`RJP(vGt^npaWww^Ou#3N|1mvnJ9+0~LkHi8=O`l4K*8~u&a)7hQU2B8#TOsQ;vBX% z4-gC#vdwouyi`3*_~j+Imw7+(ef$V_$1^!Osnz1{W<-wrN8v_b&Mqk-VIJfmG3Pr| z;W>WNM6FCv(1r%@ri$lWF5geQNf4MZFvmk(8XoHEs^V#taY2*8D{!428fxu&zO(i_ z6t6%qCNz$w{lCsfS|JFU)Pvn!3u9wtRnC+25dDGjGG|fdxS|wgO4@H%f#0rn98ZNL+sAf;?GM4yr^n5L7SHKO3orzh zB|yDv-%a^?8eWZFBZ_nPRug+nJ4(55Hbf$LqZg zv4ikpMzABv$_&%0_dPS*-(<2lTskT!_$NO4AEe9(8640XrVEV%50cGBMR|F_x@^!D z2jS|sGkDj_!#2QWT3k$9{!VLUWd#lGV>wro5u>ll8~gjTGy_zfu9LqV?MOS3c`29q z+i53ckc@YQ%c3q7{n-A4ab0bYAMy2CCvd$(PB!{vd4A5CYU_`I+)G(er_K!M8&SK{ z0ZuW+?Tcah&)Ob$y`^s|g3opt?K%P$GH(Zu(zfg=|9=DU5G*67W3(h1EmT$#b&*~A z4#ut1^j0Dx<=i*c+|3V{Rk@2Fw!x ztGxA%4SyE3%ae_llgzWukbCmj*w|md-3C0DbsqztId~v|aoSs8?g!h_tkyp_HOGi9 z&}e>4rP_7LJWoLdC;*}!f1ylQ z@X`17)$Hf?u`wIaxHXBy0eYw%^e=bU)jmG$^9_zv7-E9f&tPCi;I@F2ADE6->QWV& zqAe~|&NXe=d{SZ0`hZyXHG4x!4jB$kI7*9-_aWl=K9Wx|h-7_~y`OubTr}a8VwDl; zvN$Rs?0S>K!p4`O2X`rW_r!OyYFd_mo<|kq#RVLX(`?J%Qya|(RkNlw4O5rQzlLeU z`HTDr8T(J-hfL*P;>V8&1M#i2wN(Pxu(T$$sAIfJd75u*{?hS=^@GkC3f%VX&=~XQ zP5$~(WBEy~%hZ%6>I)Yvo#u(LRDbH+7lxz=y7k>BZ?5IlKOY8~-cnq=XL{WkD?{$u z=1gD|O8i=(-m!P2NxV$08Vb|*6+s74jv|l4LOFDJQwJc|v zXZslsUkkl1ya~G=dP*8pb`Vi-UZxq8yBs{D*5&6sm4ad>grz}cbN`} z5h=ySdT7qeP*@bk{&kS}|0@ESM5TQ9PUyxwna3@$#0lh(Ko-MlIz|ej$_h3wFesCu z>Jv`LYqXgg5D)-rnYh@YFn+I8#6|xFm?P$iQ(o*GOCB$T%vaE~vJ(fNuap^i58Bxck)lYV$1mZ!i~GZGUbDMhjlGU(R`8Lgb52D-E?v~UBM}?2 zVmxsaeRWnXiSLHUQ)AK@d#O!^_%@=SmkVCwWNke{_AQcTQK2+d4deV5ir9!}Q2e{n z{F;L;qS>nDz;^vbz(=zpy$`bIJ|h-pTRY07RK89sLF)&fJ_%E;^%bp6yUkr#Y0zgY zyGT!1%p0~Rbw-;%e|G1{Fj!~N(-LwPH~%0Tmyok^`}%|`v}v&+n6nJs>y#>7s;I)o zy3Ew@)}K|^%`behfXZjPV_}+C%|#?i`7PN|yFN)uuA>C^9e2o&BYc?~tBr>!k0!P9 z*=<;8ED!h4Ia*%bA*sE#yZEZ8Fov6v|VF0uO=gN(eOf& zTBE{1l#kCdJp5&%)pVVdz`=Z==M8eww~b+h;NX0I&1PHU&;{>&{ceX`>;}hoO{5*A zPA<|~&5ezj=W!O({^2<;7X)(+wJxy8qyN`>+u1{zz>5J&H=TC#$g|9>EL)&FE{PD# zw7t{j7GiuhnuQpRi->@r-vc3uDJ0Dfsw)A2&0W-LBPP~)R9uh8z0VZ$Hp@0qPD?4Q z03ANMB6H>W7TOa*VpDAd-^jy_*<&Rhy*90AG*3%DE<7!*M8HSTfk2DteKfyR7XP4G zXOcPcuT#hM326PY$|PX|TOtTzR?Ff0v7Ek0+>RA`a=L zZ3zyH7keC1c2!xxk-egllCXb$RbGHZZUJ}E^&My2TXK)PzUkL)?F9{5Ml~dg=cTVD zwZ|5^F$7k%9bU}7scpJ34srt!;%6k-kdN_*9Rp<5Jds*}2awHyabW&Al$9p_osx7K zoRO3<5RN_7MGE0h_h)`hb{Ndv-^D-Ezu_jde%5x&hzPfXpf3`}XC8_>JF8og`ol(1 zQPgxk^TU7Lj$oQLIXQXLA$Rq!b*f{>W^?>R<1-IzG```%Qtg&7IUg|Up{D|ANgog! z^kJCw%a$G)R?-#cdt`rOI8xScQ(lQln93;ri-ulrr?0(ycgEons= z5#6dIflpWfl$1!=L;0uc#8kl?1*04zmWZ1hd|Pqj30hYN8NSSi@qAn#gYPp`fARy5 zqzQSY1`6#3c0e z9%9iI5|B zpsLR!HzX%oa7>SF3yT>Jf6g;FRGOqLX0WQDpj~Db%TRsQ@nL78@pkdHhvFOCbq^8& zi-OZ(I^7~<;zF>q%G@fS~4fiy`*ED$?+sl>>dQ8^c_auC1_$>O-UB;8?l|!wZjD#2>^)bBw9SvPmD)qOiiAoFR>vATqQ1MtH;SVXz`{7Qe^^R#3 zjkmy=_a6m01}$9G}{W2{DKyX=dxU|I1q8S{VcD=tTwBkYA1UKc_A;il;F{-?uDQ6DFLwokn;ZB!Q~+RwXK2wKdQ2#YV#%^T-wj>n`}Xpb~S z?i^9!7Oe@f-y3sgDUj$c!Q6GDUQf8i{)?P2@%DGHT#a$?%&=Y}5;F0s8_&%ECc@_l z!-4-B?UxMT7N&muDn*bveXc7c%)NOL>;@_{&cwtV1<5%i=h){Q#Cmxjo8aAZVjJE7 z<0q}E!t|~x1?w#iZB#u1Q9NtjBwU2t0cND%0(o65gzi6#KU>NL88!Rx%sI@w-%8{+ z0GkPgS!vo`Q@7G8dAwJ7M!|bds_BzfM$npf{LVw@NPlTvqL8BUccJ9@9T)3TI>X`2 zj2h)E^S6~wyb>&9n}Hb{dyLoiKf|r5641u(oDU~BN5?tNS$6#U!^J6!SP}`*ud;m^ zil7;NU)71K$8Le4bFRo2#!%jvp)u_On`n=PhYnLHil=JyAem>4fk+a)iJ4i6MjZne z*XzYykPVp_dQ?fbM^ni^9Z1x0pUNt4re`EI>M`c{79Ok5?6w9sr>0+-O~zDVkY{Fv zJ1H6igEBc}l(b5W^{&ZVTXKJVF|LET`=<)@7-l>s<{VIH$@gC2xK5G_&nH-r#W25ALau+QF+vdy(m5`YQv6MHs-F~5#;Ex)5(>mB`fA_7npk@dd zlH~DxH!`ASn7dsnqN9NQW%Z7enqw2|KXV1pou+(CHM6}LfZ3jlAS5QX4RQdJIHboo zkI2j0+Z!a}^>uZI1_tl#tjF_YIURQ6!ElAL7HKRR+UpRqo>&zQ#sOrxc8X)_B5jU^ z(@jRZX_w#QZCpPBy^tViDs3#|@jJ|rl8nop7G~VMn5km_$8Ud*lB>ZnF0n(%Va+&c zX8V^hEd5P;HBGJA%^p%f8`B;s;y(`mP31(+G4pJC;R`Ttk_-shKYS(j8TAmv5Ge>v z)!jYoA1_RC)hU>9sI%ZWO3e6~kWL@5_9ctlQu6ZfRFt4oAdg|<;^!TQUG&di&B|CV zMRY+&oXr;zwi4DFpY}+m z$!sk($4t50{`QCXJc%J492}S~ttN|9P2Mg8RYp07N%IsaNqGDCjLwgP-UI!kA=@h$ z0Dbull3i&ng6h3_3TfyA-jP(E;#WE8qQbNr!J0Dk+b#jJOlvm@cpFR=X(w zKfIJeOKujsW5w&A7h8Uf#sgUx=+Sg`bbzW+j~UG4px-&)(ebeWl;9${WTLN}&%9nt zR$u()+DHVGZi^*y%suw^Rh8~=|WJ9q!iH_fTAT3b0kJen&%imykxEKEvE{09B=?jrc5DzY_`MDfN+PxtN4V&xLRwYq`6v z|FFV;mwICo-k-x*iu2ZEYZMpy2RwZCgvg&jI&Jcp{%#G|RKMaD_2QRjoGF`C`*W+^ zWD_D2bZ3F+TkFWmYq=_=n!E0I%*<0Ci@Tg3D27@A)-+pCvOPLJja(tP^kdC+sUSs63&h5ob}GKxxC8Qg@wJRxBIU5kYT*D6N{ z#H`84UC044YwdB6^Kf(oG$tmdNqKS!*F;e}rGt@(Nkw`?!wo2%kDT)Rxu=f~P%^U_ z4Pg6aYf6hgvb!3ZDZQTHUE!+JPw=kmi}!&Vx2_(lGaqDRAS&fmR04V}fwJ7g#zc4; z9Ihq|tI{~Cs?mh`F54YHl;)~CaD*4=4E$784%~3hvgmF9ms9)BC6iLiuhYkKZJk*j zA(AqkN%q6LWy3)h-{{{I(hDDcvx_@gD%=IJIZ_wwex^j?F8tRduBN zM($87HkztDV)&QM6f)Xfe{CvRN~yyOP%3pXYo&h*E^Oh_@37DJ=KL{tRI1GsUAZiU z@Vq?te*lwz4={)hX2F4V*}xWJ(X9*2kOPL~8TJ$nst6+&wp%CZ}Fy z3^mZ<-&)Q8{5f6aQaje_MG}MYUr|gtG~9P%!{S-1v!y@cer_3mD2X|Hz99xvjt-HV zWVOlXN@YmG;?)biiLkS`AGHwyiLkZGYz*`6>uGt1M{3kkS9H?|<+Ji~Dn`R=R(^68 z7EJ0rVp88;ORP@~E^;prg5iC07%a0pt9RUMnigABi3*0)E)3Qa=?=7Ec;P|=T(R)t zzC|Y==X%~d-~5k*xr5ogQGI*=+;YX%xVhi+Z<>OFcOCtBLn%Pwx(Usl1 zLJJ;++-o>YpB3oTP_IdEEY!n>k%Rj4t)@-h>#tzrn8G^9gVsHC&Fl6bo+B1eo6m>4hqNS>v63>kmv@4VQmK$%Pg~&0l%K$-`@ieH z*bBY7K3m-wRleG>VJBU$CIceO;u_wT;FgXo{a{WtMYZq9Z@h-9o^ z_WmU-WtVz$x}O~z!Wx+V7fR`uM*7wEqQVh* zF*PmS&F@=@;bAj&V%}vJa5VO#(fu#=^Q4SAdE$$BuCALnf4w3zwQ@|51~QKX`DbBI zvDNHH&$zg$_I7=6P=ijpl$hAhqKw6Tu#CtrUI@s;zrw(HvhPfQ@uNnh*Qyym*=0Ao z3+fXSRBxcbqHAqkFoH6OFxyNJUs@I{;HdYovCXF?%gx!c1`_>oQ9H)rH&TDw8IQ-+ z)7b@-Bci7HUr+8y+}-UU&oR(BD;H;M9=!5=Vd~$o8K6Re+!E*{>K*oQSu8LPut9gz z`Gu~jDHWJYn{uQ}U@{t@Orzju=8u@)bEKJKqZnP=_x3HwOfn7=`d(Q)Qza@D(m;=^ zEzlUNf>{4WhlJNf)4^A*j*E51VEGn{*UWeb^$K=4P3hvJKYDG_z`^dKNiv(8%U_G+ zn9wr`Y)-4!qcqseLZzPVL$XQhl);}FiZqWXCa*^9{XPsRMA}Z86=(fG$w?GB5A`gpj=Wzx-eFnUwHoltwQEB5#dyX z#&S84n^L3~}ETv)>HRySv{5-BkL<%O>Y# ztd|{q4KeTkq3M|C2xtEXO(#hAo2oWR5hBtMSAamau^>-3FYl1QxWk0C!2cI9NHG-< zgW^AFqKRi}^H%kl%1XM^@vI3P8Z#CXXR7?^`-uok;&x-3F@8&!(~WS4S)5SKkuA4@ArF=>x?I$Sbm8$^F^r<+ITbn;;P&s`=Y(+jE<`cav8>T5X`0( zL1kA^mi~~FDAU5F-Y_mYkRA3}FdjQLZ??JY!Y4zo6WSeKJfN!U=->|67P?BK>(2=v zu6OOW7zzkG_J+S3C+UZA(SiCKdaI;*dV02k>8a}KYB2o+0OapIMtNIJS{wmG5+rs& zvJ_7MLv*MN<$ZfwGC3(;W6@@&M!@#oxX%DJ$I8nS2R7pl4p^xS>Fy{M`oNacYDlNZ z$;xSPnPdK=z4_-906XPz9rXa<|vkb*`bdsXWrO) zd%DlR7}Oa?%-^F&0rUHBRTKjf_+V5)W|Ws70dtx|Hy)RBKtR=neMz9v;?Dg$aJl!r z=6z%|ljVe2PST!`&n7{0RZ+-xE678;HfeULJHIp)pmxuX{X9XpXKAvV12gLld`PAVN+7m5XsXyJ9d$**cei64SE#r zTS|v3y6v%GRC9V8-b%_MsIx$h-<|%lAoIC32#p;zywpnK3p4*WkxCPj-V60>~ zv=MN)1~@%kE%az<&$&9al90g}pR?(qttNfiJLTY<& z5rTCBX&TGzc=^lc1F~c~_3$J*mD1N|l&SrZi{*|)m^187&JbMl{5j5$MyPJ{1L~V` zH*Wd%hNe4Lya&Ak)pkV}6i`P=B*07kBah=>C8;hH7%?$1pnwK|c28$nnOYoIoi#PK z0DaKc*B8)&p02fVNIfn`W&p589n5fyIcUM80q$M=5TKJao!mWpy(1$dHA2lQagR?KaBk!s@)OU-Yqu@r`Q)WzY(MRt5lq^5A*(+A+hT@sxTf|- zqJn*6$Fg1qTzb~xGEH}L7x&HX`KUPIlPDYXJy+04UKE~0naPi`yu9<2!S$Y3ck!(k ztd879E}{M;>?v>e-^AHMA@1+FuN{`l&SN>Yf6|v!@#wN< zIK7L|@Zv$+1ym%ADm9DqyPWUNT2bkov3#O3yET01F$r8dvpX$GD8>ifR+vlsBhdhh zIJn3Q62VJxa!^$9jfb81eqs=6TUz6ARUSxB>3t6W$kzxbe}muN-jV}&YW7bpZa3uX z>45toAopcps0OrHJ9mW5u^`Jqxsm9=ZVL$5|4BXsHaAEKKZYkbK8AkT`8YKU44h@` z?B45L$ZeUNNH%8cs3WgjeS*6H{&w!-tTaj`24W?-p11YFs^mTUqQfbnF2`b0VhTlmK&XiDifu_ zUXrcNJHd-SJcxr4S?!+;6*&ah23yGTna!^4SNldR{oew*4jTfsM4np8CuGWH@$p@> zAv_d;*!$24aSGjq&{8MPEm;=BQ3h<19Fau#}? zr0WqKd!msm0DWTW)^B9sHW>FLD`p*P(LtmTebLD4Mi#Db!w-$;ciLdY?rxxreO_!< zc`O8n&ug95`YAfzMh{Ljl${g}ofi8m-b#-{B#?Qx9m#P-<)RdcGx54z6W7=HMUj0{ zEEn?8cqEKt|1uGZnCuGL_}-F zihIuF7-#+C+NacC4nw8XP<`zaW}5*z1~~&F@Buf24C+kUhw9=6=wqJ(NULBq{TZHv z#vN<8Y=`&0C__nvyiW8IFrKGT$_~x9wu1eZ>#S>?1=+`Y{f&41x_)DRZR#O10UR>0Izy~Z0Uj@$#{yncS@Zk1o9tqmOTQulZMaw>KEE9i z(-Fpg`V((sVVXm&u=p)8n3CVv;lld$q;K!9nqr%MGEo{t8#OuGk%Eoa}RZ7M1@BzYp0%Izfv!oS>F^A!tOy96IB$0vGJ;Sn z5EHgseQGllb{t>1BYxcrSuVk6g_>k0jvS9Y^cu!QMaJe^VLe|leBTVwM_sY(fsxfkjZH`|EgKb& zqKJjr!m#8EUoQ|&KEAez&CWO2QDCW)8XmR-C&%{|l%O&rGa_SpYwEx0-JR9U_O>0A zgoTCefHA3 zOq1C{g_Vw_5OuFb*>D@**pP2FKifH_7Vdtjj&%8cKsT-EkrDs)?Gb23LWBr?#}b|{M|NE$vhWz) zi6$T!b+MV%1Vhq+g(Cew4Zvkd5I9VG=O0c7RUFceF@b?g_lsFp8uNK8(@B<}-Cz7r z2`wc+ceSKI&Uo#QrU7Jf+wJXBi{(u+kjfVp?&XPwL(=s+rehr0AOo%=cJU@T5BxTq zzM;ZuR($R*{V41mzUpE;Q|VPmeqA+pK|P1YM7bde-PBZpN%lPC6pXb)QRxBecr-F< zVP6bGTK5s1BmvmML!mXxH}_QmvnNW?!d=nALz5|SxeFzEr7t$vZYu~pYp<7a*YQ(r ziP#@Wca_Bl8}laP>j?!G<0s%BKY;^J__zZ82@d-fkk^}-m^AQ;1LeQ6m$UQzbfJ`! zqvK>)zNe>W3NErh4wr8bmH!QIyQjEXplF|QTl9~OI-4q}xGY)S&b|H1OUjGlYVoQ( z6YftZqlShBV#5ut7YjEyAMyXsXz9fZY>CV51a2(*^Fw~Ay7Mlh3r8?h{+H>&txFvw zplSvdsK?jW`52;EJA>zu8omqxTN%a^S!*lAgW-Y)=1~mD#NGN^%wWg24IKn^b83gruaRBN?*UaI3RE z3rl5D$FUJL0EPE}1ZBm2EGl0MkdWHm!C62B0DM}ltDKyJ;lb(U!JJUmAfW%#R{`#s zTU)RW2C(_6jm*?k;hlq`NDG{jNfH3TECdn>D`xi#*Z{;pLz{9E(9*&i!_Htf zf?m@^{7-kFngn=&Ck5qrf=)4mSQXQ0OecknVCNTs!UZQoTTDPUUq$}?9@7VaIRJ|b zz>t=jhKA|J%*^aCNw+5mu2?pEf7|a8+pU4VgaFt zEPjg)#>=azjX+=abzUS_FmA%mjvsD5?eotIuyUxoq(bPu88q$p>4@m`3|3D+{d%|L1TXB7p+}IcFfl_j&Vd;Lrom)`haB zG=9MUk=H&vHBFpgFa7~EqHCV+6Nj~%nCRTQn`m{*V|MX`=DLZVBzM5O2L_;K5B{Oe z)9$%PPV6@GdjOci)PL^u*+^QSL%c-)_aJQ3200}1HMg?uGcj>c(X<*%af>!T8M{D$ z7<{l#wt$dOH-JyHUTu+6Qkwhe3@GG*Vh9x*&}3U>!NgUOeoJnYws}3d#WqiO`jKiz zI#iuNIzvZGvqRv}+@e6?B*%Gt1D-Q+`&;2f1sf8y+kF&}(i$$a0l|$E7aVekcM}D8 z@7}TkGBW2tC;JPIb^^~31v$A4(53^<0Wi$hGcY)L$N&MM0|m6hCdEBvEXsOBWT>+0 zm5ru{F@gc(+~mH0RYm_Rx+X*txcSJSeb30k zqpqwiI24eYdQ=j*6m@o@M+YrQ`%a37hi7GB;Q@S8%gf9A@PHOMr?wmDW(fzw|9xHx zfr_e_)iAmake+q$I-TxLKUkLld0c=ALVTG=NPD$NiR3oqUy($j;7;`#?>cytl zn1`KmpE;$7Z?VkrZD*Ol5D8B) zIVeB=eMlE@z#eQ;DBn~{2o<#eR|*LShX)YNHS7)oV5!v9)Mq>lQ`>TI8DQCT`}O$Y z0xWL6{=nuZe*2^*bMc%|%#tuvj#2QMbrv4K9nkrvBE^7#4rfiq@o{~RiI2|@=7zHd z1^w4e)Q}C*`u$*U?|hN8bHUs9=~LS@OPyI6n|ifVzcoJu1WzO`{5!et_wOL6*td6g zg&I@{2+@FAPn}X+Ts))-46-dA#C!O-T}S2OY@E8wnSkWa$C)|lGlL6>_$GSZdwdwv zd?7?~9ab(vW@J2;PC_&}Jj1H5t=_$GXd@v(<@Ql@FL93cRP)0pNoq=IOft5dc7IW5 zX78U@9?xv-d@KhpN^nt`=_;NzyN9*I3KZ1#Oez}=4PH0-o{^JG)qvRE3<{MlGB^;Q&V(_$>Iod{0cg1BCzK7!1JPpa2e87BqjUO)z1_=puMZi&Uq(3m;Q*R=>6>tEC8LOSRd2n#|(?@T57AR}> zNC)!scNTC`H?C~EcUC;yrpwjg$NzO5=4>De>@nASRKIkIJ03}={LW3VYRU& zo9!3oS`12ISSFi~TP3r7I~M{wi~#x#&~P0d4^dTWs7R~8^f3$`pn*&)fe`(39&aVU zUO5C*6H%-Rn&0fY4!W7kKD$~eM>nZSdsI#FTIULqL?CeCGp8(d&oJn3X2##mbj8=1 zQx^HM4Aas@dJRUD!+ATJHSfhf)E)tiCz|Yg^m3N@m4HRa6vW{2*W2UVmCx1hp4xq{ z!-bi$+SS1Xd5mkP-^awpBw$hd)FsJ--dzs6ws`n{DM^=?upiZ3hccwmUmP9zvv;-M zoU05UtZ0sr==FIsU0Eh1h)t5@4 zNJK;gPznqHL)Pp53qW~pnzRK}n^W?nrbTku<}9p5DB!RQ)vf35{G_)qLt;SUolX*E zYOF``RcOjbLig4*l_ojL;>5Biqvd@QaL{!arL~zAm z*0S1OWM_cD#&~y#JinLC&NIc1ideO6#G$1B6L>p?K>|IdygfmVb2oK*OGR&A4PJ&F=$Wya46PoJ~PUp z;XRg*5=b)(rW2_H)&zWG;7gmm>N1Xf>WL7+GxMc9(ZTOQ$Nb(UKNUn%20=!A@Nx#Z6&2jAOzCxUJ+n?6zvfM ze*0i$Xev4@O+&v~TXORLo?z#5_La%nLP-yjcKkgS^&=og@BorFCMG6FJRELEO6%k4<=n?BC`is+V&`U+e9X91)u)*%emm=TdkS^m3M~rwpQKF<4A_?pjffCAiOES6 zrNY4iZs?pG+wEQ`p#Ez?D# zlMLuC_+rw&X=oHz*54UiqDTz+wl~ZDvs?S0==#Lvo41XOiYk(PLJDtZ2gT!p_rrBd zl}2^aIuM6Ljqmn0cM6N|>-1|PjJ)7v(RrO5`o~|$mK}*s|!8qJVQA-?Th3llGM}`&=0O_wN z=@+YJJ~{!HC&Fp+5YF}1)|F)@a;~;CU{ocNeTsp74y+wyyj+VM9{Cj8XFuU@ zo;}WE5v$!`6)8c-WpKk$2>fr<-AE~)B!(ie=onb^QyxL|WZ09+>b47jZO#V*Qp5P} z$VQCQO!(u{8V=E0MwXUu(ZcCe`Tnq$Gw8HBtSU|cy8_DOnu0Q7qsh_H1bmM#^}m9P z?4?Wd0ytpUIKGKN{Dv5!PvQTf?M{gR;UFP+-W(D=k<}^AV2X>UoN+DZPtLAheM&x|SPxTpog3H|bs0{JZ2vU6TgQAbHembojTt^I2nt^eW!eoZ}_ z*5Zo>MXvL|;wy-+Gt%PE-$3@qY!o}9axt38V^zA(D@l}e|9~*B(Z<5Yh7uoxY;mW; zxk#|N8$d>5*5&vNOi_=3#u-2|$V{4V(Z!Tb1UjLBjk!qkC1X-@5G?NBSo1{TtBply zXl!jqtg|vfoF&~mJ=9Z|+cl?k13U2;H*C%Seq58}xpJnPX3uh$H8Cq3-20*{ksC_I zdUJkRA=SK`QNP6gy_^ql+cUH^-@u>PEFdcio-0ht%CAL`|Bd)gLqsN}s_B>PFT+wv z$3ZDB8^utXjirhTZ~`+pi_`*QRPP-Q@OdoBiL+-(n?3Mv2ITm27T7s$PiK|F*~E$o zh!h$a^!K*taJFHvgCm&i;dpKDw`IJX;Kj;J4V@(B6L;FiENv3mMl(jkz0IAUw%Yw^ zOe=r=*;nw&?203k`eQM?4+AWney^(p+QUG;1q=;N0kJ0UBh@iMV3tv zDT?`+(Y}FQ3U6iY8>(P96N}^ThQ;dK#-7sU#(^1}j&l7x9Sy>5V6D?%^zxwfCk# ze-M2ujOtZ16c%<(KmKLDY9+F9aO^cUZu_uO1C~)jDzv+MyRPmU^h1D#JjnlP0C(w- zT#^uBoq-87b2o&PWc{j2?y!c1jg%65eT;1ovw>Kyj1lu$p1tDGnt;Wp6$7HQHCar0 z`pM?z=I(BQet;v5P`ZE4WKLNb^`Gk4w^NvKH#hTYy?!bbYpzi-ANt#wK|{2s-Nu8< z>UVW_4A4V%pDoY3VUR7I&FMfTSjCk0t{JOt#18hA3b>mqPPhJ{l?#K9W30XGsf15Y zk1^d&;$C-IJC6DOq*AUjOK=uN*6oPj;UQ$Q$a>~67jJxyrJ=EjxrzfU-F9yrVhfNR z-zboKMN{ptlmNc@QZ7UHbp$!g^wb9=;7GrI|K8NZ-g?5w%6fZsm1|km-26}?m!FZD zsZymWK^5%SN&H=`EX$<<|Fg5Vl2XqGEbjSr;)(^Fa?aJ@YnU*B1+6*-JMHO-+ku8^ z+vq(m4vTTYaRXFJfg3UVeek~h4%*1Uit2@B77X%#&o>ZNd^;t8UkID-PEJ#ES-$Yi z#$Pt8Ls!q*4^`8KZ?Sc(wIDzetCHVm(tJhR!Qj)UprnZJKS!W)oJ7t}PbYOX8|q9Q zb`IYx0B{E-D^TaJ@?ww*Y*r%^CS@%)UyMZeL(%y(9-~v24@K+b*ACLKnnkphUI_De zL&i0L9P5O6XgB{(W^JvsK73vaYWl?}=xILLM&Zx7;_jxXm7rg%eRArL&>&2;yk#uy zsHmCGoh9rrbgCS_Eq!`^6A8GRndsye%Vq)c!my}r$;21f)h04To)?8Ya&mTj2+(eR zJwH#v$zZ6E@Ngjh;aYj<8XGGEPA8453=B4NWlF&EujvvBFzxvYAL=ct+Z&SWG0Kk1 zEQmR{Dyh)7kFx9y=SBmX@Ye&fx>=#vI~~M_mz#@Y!p= zazjf~{`mZD@M#ksEZ5Exxd;U6|Mg3E9p~U-U(dNmLLe;BM8$VHzpl4GPnfa->&K_w zGv3|cAAykVOyCP_^Z}5ymey8f<>}CtoD~|!2P-{2-~J=#Yy@3k6)PA-{RjM6p=fbi z(}1|j@u!yTb_~^b$j_&tJ3WXnDd*FPwr!)z(I@O$^L1H9|RWL#78K^M-%YNiZ2X5R8*I}!(=PVO0zK( zRMgU9H7+M!er?6Y#}73w6cpz2s0m&ZdER4!eXd@)#bnhwf&_UeEHH)AmQf5HNQJL`V|fi4wZ-3DKn0s>js#J)@C*IK;sALq^he1|n)|$M>rG<fy_3@UuMPn={3-15tQ4*Vkp``8SGy;lv+>INdIb>0}PPGDsf)NkWeKHtl*T^r4(+ zWJArel`69;!pzaZ@7hBo^?cv_m*+F&ZG-g;--SmgJG$gC+1tGqhef@gj1~-GGeWhs zegDoWyY_yOXfxpAU1;=0Hk;+*PIP1*EWowN*B{&t3QqX(WZF+io_su>G~Mc?xS@d+ z9z%2*J=^$YZ6oj}kDdnIcl^JPgG7i32~bN^R8+ngU6k04PGEZwN@LuK|d_e zoqhh``}?NYf64(r6!XL7N?%*L$&ED=bWci@&w z=5&bllPVVz#Iv}<>|8G|f8_TFvMVcp1^a(}(83^n9~ZFB$45tx1f1e2sMcHUl;!Pp zA%=xw?~x$^yjHGYLo&pgAK?55wAFy75F&aIQ?etJ?|OiwuNS)R6ibfr&&u;3% zQcOnB*%&Oa!Xi#0*SAzDvM7b@VAXMPT54slEqTKdrja1`{Z=Qx<>JTys$x8UNNur7W=k3HkRV z&>;#Kz)!x80y-gptFNi06={}xhx-SD?RI0F&95p zkTEq`txSGq1Ar7-9}(|4!Tvv5MqO7NnWM7dK4%!0J1WL-SrU$$F<0?Qd%n<89(}>KllsmJJ8x9Q9wE3ubg1 zS!DqeI9(|RWD7}{5p(b#rQ-2sN zV?$rN#u$^~S3Cl^EWlT_(QZdfMrQF9DgSx`rMHWRLi&DbfYfMiR!`Q=E`nJ~ z%7B1*$K0PlYuU%>aP5}dSRIFx-_h{etS^*MZ{ zrstAE24_@8guFmSLGc%(sfy3K7J=mnD3*xzQoWXBP?*|Z$+n?W8i#spA0|YnthXlpy z?3?i=wJnx`XynbUlJcs-k)ep_wwxr687XrRMJ^oX(T;I^S7P-SETHlk!-}QV7 zjrG(xmb2(OT&9QCKDP6#Kf3glHYYB{NY8-Na}wZh6t&5%K7;19EVD2n8Mau>5O|*1ylZ z8Th0m{xbIpHBGu7;@LGLBjroU*$;nZX~A%3G>AQA$Q+(MfVRA}yeuX*kFaM0$lVfF z0lEcH(W>bszU@1{RTi+1dDibO@LmhcLz@gcY`fr`WZ%FR4GAN`G%N53^S{I1*=_4} zwL7`A9H9uwRjI|L_~@=w$x6(PF_(Z>QQW(JVufEKH9{r-IHAP#w66i5sQoH9cA$b^ zKk%&Mx^2Sw!HQG#KuICPyix9X_RM9scukQzb%S5sN_F=1}C=_)+?Xu5f#iJP~9qcFAi+N2v5j&Od?kYWIrshMd$ohwIe zGDHa2ogH^dpQJx#DS`89S;?6%6n(5vv$|ww4}V)Cp6?HQwAMO1v6nlDN*^(`EAz$B zk_zhh@U93A47Oe*rEbygIX#E09^FdIUA^9qPo66?&|hlwj^EC>4B}P>d zbEw7Z+8-NF7E?6~%VU%E9xq1QOr}=|yeo)#O+gm*(=zSNMQe6W%zRc|d$E z-`II`#wscctL-Q4M)iW_>M?&U!2Tz=P8xwXSv8C8+;AJ54^BDMo5-ZHO4PE5<msyFv}`(mS0VYrrc`Dagew~&TLx;+sqEe7&?7D!fTp|=8c8X;j7JB??apS~q` z`$0dP%s^-BA)2)TV^;Fc#El@<(&AKal=25dPF(e#&>*qd@cFER`J|%s3iU$NXF0)` z7tIvSj-t!r`_rQb{T0`PN@_P5TIC19?zrVA4H9{nBQ!Je9u^sm_7zPJp?X+E5K!P& zDS<30De-)|g<4z5xf7kD&R509CgIZS4glc3fLgKnH-YX~IApJ&u34&K_tp{XRZnqq zIXAbD?uu8tQ;B>tUEV7(7yNOTs4A#FyS5{1Fkk^b1>n&CzDtn7TrNJh?=LU6JT}ex z1-Tv{o;{+zB_s#8(LLqNK>Gs95MUJ~i`(fKAhS8nP3rR|B_#p98Y5lZoN|zEe8KO8 z+pZ_a))oUPyQgW#VWSba@|=Dt*|_N&yM)PykXj$sV!H!YFmV00>rYrPe*}J1ojMTF z3h&Vy;_&K`41;00Is6>a=djeO`DA7MOhVEbr5c}@B@+;2bRzXcxGnS zb_boh%Za?P(7r|m+q;D{4f8mr2uRyGpQBxsX?O;DE9bL!6sR!17b#hAk~1BQayPh3h!Q;hy=m-$j*7pjNO^M~?Fq7i?zV6cfAJ!(DuUKk#KHoWk}h+^m9a z2DfjiU^zyAJJ$B{Dd%B3%Kv7Mf?*wF`n9otOSL6H@qkX-=BL|I1k+eGv!ThMS48TW z`}p|p;YtR6v$v8MnqC&kp=cGIl3IBwkFb}`dtL-mjqkF5vP6PEYpKA(c3(I~wMH{N z7Z=utZ(3SbMn-{68Uk&|QMg>lfb^~!nbXa)y7{4e<98$nzijqzK*OXzq@U)?>D74W zRikB^TXx2Sp!0Kgs;Vh4P}KYRURcanwN28O`M(t^2v8z>K#`IaVyB;4*if}TNeq=1 zrB|-na7~VV)YE`OMMDFi))}8Y*lEJwx?O-~34lD^0BF}&XV^XqNv(p#IFN&5vmSg3 z2w3F%5K_?6z4#mK%7G?Yt#kVsV@;r%ceRuTB>oD|Kt!aVWBOb{uS7uDTMwzGaWPx`z|Rygp8iNxtGJzII(Q+?{~ZV80YRPI;FQU z5^6w69N@~1Bt?NR67*Dko@V0OpS(MKe^U)_G32sZIi7g>wfWbMYFoiX4*KnwwQvRR zPa|PZ!JUVISc^^HdJLE2atB6vQN}WfaD`SsvRu@`^r_!aP;0O3B!py}g;+Y@T z(~*V1=>=E$Dl>L>1QA@(o0Ajs*qhKD2Q6mIE*J|c92_aIgB0Mpn5LLsxNBUE5URED zb=4X)E7sz!D!#l4{{qPh3+1?$ zgTr}R+I4qzcDKQ{kD>8FqLShkRto12H<3>v2=Vw-{PvtUD0|WTl@jDtpknC7k@s2R zq0iX&WXxP_`7IS-fn2d4K?QSt{mG2>c12v5%)P;!t^n&HK=ze)6_;>q zTHbB9)1TWX-fXoZM%ZwVBdP{H-5&crCZ?-4zb#Vw-e5fca{5$Ffs=ES0Vb$mffQ&~ zDOWHJVP9*pw^rgjZ69zhZv)p^MdGm$qL}qzeas6#{ zT8@A)AwbBOnnJ29jnB@OjThwx059awaDeV6)0!UA0}mA4SI@*|l|`EoJzR>>K1_|X zMeQXqiSZ`7ybxnxV99$u!voNUl;@Qx@J2xPt3qD+t(%RT8mTSxx#eSp*oka4GTO5r(p=9tZm? z$na1&EMoSUY(!c0uXRlYm~5fM0*g)9?lI_&=`vXn-Gg6}J-u16^)?;uy)6p38-7TW z%fw25v4-6@np`|nC(!8M`k8SS|3IItYxczVE$Mg?BWzk=LQ?p9%)RGj2&~)!Zk`Oy zTloMuIXsz?)9rbgI@XeFzjT)GIvz)e2_`KIdOMFbsN~;q)gjX6{(gu3URY64QEaT7 znAoQxc{w>>u;6F_itPRRG@0x8=53G`b9e^K{VlXyybzI}0%v0q5**X>Wd@>CAMTy+ zINmqf-&-Ut9E_D^2C&c1uLk?wDPSQFF+cyKpZOMIC%=YJ z&TP1|l5C2D3TY~lp~H)$_D*ANd`}PyUJA-`;9KP779SR!(Spx(xOL@Y z`;jNtp3ZOHM!Hlq0bW`w}?T!&o?9GY$KO+M=b+Z2%7(oB; zz+mpY3nQ#56Q4K$L=S-rY4aa?vkr=Cjjo`g;w*rc1RAu`P{f3Ux}zyfz>Q7m329OG zE$&Fl3>C$m&xFN$dwY2~$TysGRqeUl6tk}4^s-}iv|}yF;lSp6*{h(n)ov>ao)!IL z(1-QFveGig99mRRuz#f=k0hY)&A*xkwBAbQwF9@e<+WZjFV@#hbO{@pEq!KWB_)M$ z;I!ME;oyR;)}0+S8ua_18x}SXr}EPe{0bhB2}5Mz+#d`PDTJdfg~BZslqr0kCC-bx zhaCpOC)FlUERb$M61jFB86aN!N!Joe=p}1atDWwD1^1gktSL$(Fv6@ANy!K)I-(jE z@0x5j(fKZJWh1jO)n2urg9XqfTV27-*~j{1e*o?F@qzF9@VC-K6aatx{rfX7ZxXE< z;Ii(Qr12{yM=ud@&bbB91}JcSeSJ(^q)*7cwFY}%*^js~9mv?A`%=F)<6e5~fy!-V z`6P{u(6FbTce;(#-&C#J-}r&(9WeQQB%IU&H;+#QH}<5q!t@&_ zQ+uzGssIEKo2!ijf?FHR*I^;xq2Vq9G`& zuVIu`NpEqTvWyI5A>v+q!U9;e0Fu6?t8E&oFd|zBb(-A(u z^BkCt_4hB6%|E3e=}Q~k9x&(uq(c;MBg1!kYO3l|GG?ZF+bjEUctkvQO-VVoikC}J z*xP3DLj%SqQ3uJJX`RPM2ypMPkhj;rXx?FBQsAkB=)7i4J z+b`C}=0ts7Qv996&0HlS5(tP#rx;}1P9jN_xviO2-I!{Qet26cSsV99C-n2DRVD{% z{yibF;;gGR9CUQ`Qr|AGu1B-0n^X<%SAWd3v~afd8WXT1BO%!VWgD=QHW@h%WY_@p z+Z(XeLPo9;vmiMC*j{I5$;)dxuIuK1VYZ ze6EuZ)>O}%5`F-||4%B01}Y~v1%N>|fKn2Wa0Uhjs;*4!pP8x_78e(XhlkhHFaiUF z4Z^OT9>6W-jg5PyX8)AES*t~toPYp<+*d@Fq-$cL&7}Ei{w%nzKHd1$d2uK&FAfl~ znpaLA)&%mYF&>x{#J|p^yXX|XkgsJmFG?a&ab-GLI9sc;e-AGeB^x}v0+;Xjl*xH+ ze3X>CYj;hmPB1vmqbH)#c~N#B}VULli~j7eLS%Vcqtr#4d*^@U}f z+pLlw6#*We55N`!t&wlvo7_AAB0GoGa)ZNxjN|*tpYbCQ`wyKe*ikL=q4NVWU@_ht zdOlgBZFn*8hO;f0UX{@v*WQd|!)Y`(PPsqNng27GNbV_5&$!}ji%kAu_PwAarKREY z@W^4my~7j=REU`}ZQ}flrKB!v-m0Lm(5{6N`Qw#Y|HiATHo#34ZvIT6DO+^9eP8y&segFkir@;X3$cIK9#8NuS z{f3ES*5#}k1lCFf4!ymwk1Qr%mpf+q*LLI%(vSAvfFYhV<_Yzx%%UZaJ4I*QxNspk zn>{rR(Xw^+ULuTjGH-@T2`qWI$GJ)0Ma1Ty;qC_Ek(_)U<2#6o%G>j4$16mJ*Dy}L zfe)vPQs0l}iIt7ct=i{;GoqfOueR0C5W1B{52x$mKlh$;(oXpXK#mLs#*8W9$z~H& zn6G2|F8{F`j}sL7snqN2%=h1SVRj*dp&Ua|b&+ zE6bNcZI+XNgo*+uV!DXe_BWGbAZLO2wb#dQ{#T3GIVsKyWS12^YzHGg9nX!w4EKB+ z(}aI!S7&fGxWVzSw^>v*pRZpM!Y89*r$|=$tJ#lB2cP}C?Zzfk+fcY!`RrBG)YN!# zk+-oFk>Phb8nAD5!4;P^X@VFDyr-gx%mI7AO0vgI5~ii~qAV#hm-?)^^dO_pXBVp7 zW}4srW7)_5L^S~kU4SV8pe}8lo!L1!80hHw>Hzb^WO}VKV2kJQ5b)3q2m0SDP&pLv z2e=5)SR9>YWmnzr(|aoxcgZv~(MM;}Co69-ke6$%cE)$qa0WB4rKMPzW~brFpa8v_ znAk6qY5L1BGRz<&Hs~dY}BwMt?LM*e=*z8WRx4~{}KNz3B z3S}LwhwUxuy(~WL&%5h^SQ^&3pUzuP-G&8x>k3~PwPJ6CZH8JQa!VDh23X(|6Y)6Q zdv%#Wot5{8>$YcicV!7WdtZkKX3Zt*tfV9OzMT8$+H|ewXRGVdKlF-3pGP`<%+-@H zGzTw-!Dt#yCM4+o3yRuA03RNvX>e*%QjE!pdK1JNF*Y<*%wz}Vt%8wirrU(Ty>bFR z`Bjir2Ql!|)T&@>8nB-UKiz&Vc%)PINo0|x| zY|yNBB>GmOll3dbvMX+#;l?O9XTOifPGetGud(8(Sue34Gc&Ow?J<+6cp^`AQ9&^`Af7@2H2*(uTVv5eNzCK07|p=jS&a zNOa^xa*^kYuKU7NBBk*AxGM%k|6WH)u39Z>i;%Yn9C8D!G2=WZnwR9 z3oh#)Aa&xSXXn=BMTjyN3W-5iNssbywy78!>AIiN!{+_ch%t&_jpFnTn9grjBLXsi zY&^V;{xTp;?vE*H6)<^pv|?A>Y>1hXva!Ab48dU2YQcsb!ZknBOPXaoSF(a! zsn5RCfJKx-!6+ZBR?p9;DI}SNAZHRHcM#)w3AX(oZ2jlCh3l4!x+3PK$F*Q8z3-P<&48NdSTX0$$gey0}}F_H}P_^J75H_QwMUaG`4m6jo7&YI?&1 zg@I9s=8;84@rl)Zyrnws7IjfTY4uxD)h^0|dN{0FnzBp6_gLQ|_r^uZ;q77?m$y zf>W^;^%bA={Z!4`o%~%ypfa205{e58rv??`ysM~oN1+@yTGiLDmOqJz^p4>GJB*_`?lu5#L40!&=uQwWeOnqjP(}hjG zeCd{H(@+hm(oXLVnKzyOfc|rTy}Sy|NsJxeXYm$fVzftslC~)7Lf#XF%@U+8#wWoP+{0j^SvrOI_YDRY5qMJQgMGOhI`6thp+4}XSGReSF~ zd1amd60)cL$;&_XJkEB(Q<>fHcTQsMnjB}=-tUtn^{#T5{o@1LKihX8h&g|}dW2yj z=~Zh4badWuGRuXVeB0>|}+S)3U$&Chd7$1;zO$?kG_)BUR5iPpkJ~)pgm4$~v z|Jh741OwFUNZDBgoUZ-9j@+&2j*^=2-tuB>zmB@7sjwGL=qi>MfjBod} zb{Lrwj6l{K?|+5x=htZUAqzd%YH_n4fZZw*Y)&zb7M}&e(96t}5fq2@OrJ&Z;3{$NJLJ09IC50aSzl zaW0$JjhQR;t&0=Ltfizz&}fvq%qi)ZPBnmehSu}B*Pm&|x9?SfFwJH`O#{Njqt)$& zVOwlO2D6MzVLuP!W^J*=(HE3e7Pif4Xoh?d>u{e*m6chweN`3|n{|Kuf>Z{ZsIWL= zH{XsJTX}%!Gt$=|4rs|Zo~nnhJxI!Sz4n)nDkS0e$+brrF=dN=+|p9Vv!-; zH_o0BGXgu*4VgWEFnHT^Y;4jCKLJ6XqJqK-;7Ty;$EL9y*kD4OaqDT$XVG&FiL_;`>U~+AiCk^`>g`z$L+WNUP}cU+~X*#Mc(I&M9XwZmwG|uOU%+kPOJh&**V6X8m>?Qbx5Vul^EhIZCGcK~dxv#XA-5*50437-K zBfTli7E~3KT+I_q4EFYoPpeYY-kTWqK1WZPseNn&CnuT$H5j0w8Vci}(AH49W}>{6 zx}8|{vlnB(_eGA2FNz|d?w*6+I4VV^nI5aGG9YaUD&y^ND1n>$C8j}~Z|s_}!YXlq zYbH^Y*TPZ75I2eepR1yjUs3n?a4;cv#qVvjho-DJ&s{v z^@(e&TUng(ux-JxjdzPs8p2C_r$Uo9o*&YML+o?c@&7_9;6@g=$pt4-_je47{p)AYrCJ3{k4D zoLT%oe7ysEnBCf~-K23EH%a5Bv28cDZQFKZ+qP|^v28ZC?eFe-)_V8a`*@G!8|4$65wiBlV}sTuNqp~`QuphU=| zo!GEiq+UIN#^@r$(cME%Ze1EO2;nRV9`lV*GWVl#=^Q4bw6^l6#P{4DoKXMZc9R?$ zCDEGn0It=yk+G6;{A=it;V604>=wOY3sfbD+pI?P%=a^j5J!+oRzp_;j{fpP& zDLc{4^jK?sC;^%Fxk$syAYtmO(Kcc-vvBW}%la%o`#ah0i8-fFn6`v|Man*@6sD&G zDTlGV%b|$4eHh0F_$;+_Xe~4)0V)ZNW=_KfuX`|}@Xfa7_oEf7*=cS+Oy7f}y7fSZ z)c;53sXNNz;LMAEb-4?`q-dxw8bTm`^Kkx*@tp9%Z`xLQ^pTS#!}M=4#>WlR1kcpm z+}xoGsD>Ws>(h~$GI9hOfv&EuT5NX$V`Gtlfq;fc$NRn;2r&TPD3N#fHLrH7vk{D0 zlKYwcTj?f}aAhc1SG%$M*Q+?{`FTmCH=dcxOBav1fpFgJPMlZ$8t(k)EN%Y=ArX=6 zGlazE{37pAIK((a$s*Ej^wmcd3`Jne=A%-R|QR%2ywH>-s zh5hQLi*gTxmF;bu=XhRfU#Z^YNhLh`1*BjhGu}1@IZ;uYmUGcCJyPVpAl7k}WClK< z6Xi(#CR<6dj?6y4+v)W#RJYXj5-qqzT*pDc;#r?wHrhxAA!Ms59P8b%`Y2f)?xHAW z#85FdKVr*TChOn4;+1-QQ@8e3j2)-PtL9-(Z}Ma@38jc|Oh13#M^Ne1`#pksqqy5Q zykNo|G7a*PQEl&edn_-iXz$PJvp;k#QC}6tdDctXD^XCDj&ODz#G9`*{3AeRh1I@?x0a3A#Mb zNb=E9QWnqsc=6C((`tz~F-L{p$cp>=x}4c*Df(~(MKktp_Pu#lkR_`gv^5Fzo85uEk@l9_<+N& zo12Vupd|v^>*HOr=@e)kl{K;1A4@^R%pWbXhTZ!|K}xXftD{_TaLLJWb@{V;S+!{g zBbLnO5;#gWk;)yC2Cg}_tv8eeKbL^a$ebl)ZH9k_lqvXl*uT&X-B=BeMTodAz?QJ_URNj2Zv|)!N!R>ZhLp z9elu-zg|46VHq?SqQ9vNc2Gaa5S*p1{-CrE z@9u>5x3*#|Z!s!@_db|i25vwU0=n7Z$$Z14Vjs-A24n=8F}q zd!DghPu$P%X-CashO(?cNO0O?WMCTI$@L1*8P3FPmP>9BD^cT4Sos zXX;W!TwTZ8-0fP-1gCSF51N>@@h~`t5t>t|F_11w%=J+^y;9tJ1*ihp({Its?h`X*jo42ra719j)B#*>+jPEJCzkVmQftGd}QQ=)Ot7pRn) zl;2M|K|oQ0YF9jN&)ZA9P51=FbQ9u#Dzp7cCM_w=b5_RKMZ(CfWXm5Nb4*ajX_#dJ zjDwzwPH95vE`h)4^{3nN9A0!+b$UMHk8h zO~vH~=w$#HBDcifL{tt4N@xk|yfiwpSi1@hdXTujpQ-z=Nsb>1iE}wA1@Li%CwH-`_Y$CRKekqB@zPrH>h2=;(0?uwyTT8lPrO0 zJ|)~7)6yLxf#y-zn;zevT?J^-Fmq@{R`gs<41b2^0jK9QUkpCIyrRJqTe2O4R|f*r zD7Dos3B~n%W!xk#?n1YjnY*tF;u|F`%B*&W6_LBRE}BG$mTz2IT;{j9d95W=Jturb z4xx%nM$yoH$&PSoCGJu zHF?4!xp36xawwfaUhjO*Gm5DBmg*(^x9v@ixET@pZQ&~R?B4;QFxwFH2|QpS=xjRR zc3ZHHxHQ~v{X$J>ejyzI7yu)kc8eYOn+XezA6kb>s{` z_(l~ZNOsC|v^6^yShw0Ar?gZtG^c9dGI{eVp_&7a(#-&kbu9hBalERNb3ZUHtZtmr zh#dMuDSyKqd0GW0F8KFxiORfa)def3c{qG63__R9tgLY%<~?5wKlM@nI`uoIbz61Ia@x8u3IZf14+(XmGYF z#n)X02CK+>y*zq-Hm^#BK%n={Vr3Os(tqCw& z^unW6VUCfY>H}Zu{jp@>dKdSCX6CE8Esl!R{pp*P(`+4{7$Qbn7Kz~0lkYnLRI&D7(b^%JLJPftd*=;P&|NyueYkXpd5t3Kuv zB*zPEmb#?^M8g8K$H)5{P<{&l#>y)ztty9yhKegHfCLsk0m1BFfeBcSfdE?~H*k>B zut%*eI@V=ZP)DLJr^;F98|VoNE6g`Sw$0OnI(bRwx$)8#>khlUoRcYVo@qhlfv z^NHToRdwxe#95GTr+!cg`dzaC9sZ4Ocl=}(ow^l3#;MB5t%Tay+8*T%($p){SP2#( z7$ZFzjI)$h@SI4S>3jWLTDz)Cs+!%bw>pZaL#`+%T!xA3e^&cB=xL9s_XR16t83R9 zb98Y#U`@K~qv!fqWFg;(CWU;$U)5{-36HtRq$)3NV+=_JE%6T$meXq>g?@jne$=t@ z{#ca95o%(W6DMBb)IQksPG1ZQkGRNldoM|ctG#9Zch_^&< z0nWh`4wk0Lgxvap9tyAhm8+!Q#6FhW?bNZ!_i01(udJkwE3uK0p=D7>Ozp{pgQTHy z5NAUe8E=GI&Mm59l}2;15lt43)gmOz%vw^G!*OYXcJ>GfEGAxetyt;$?4rf}xId{M ztGLM~jV=SU1wuknFFd8-bc&pkyURPLw@vyMEtB{~Bi|pgyw|0e%nF#9b70$kr1C8> z+J&gZI-Q+MNAkhYY_7?~{4vX8xt(jh6hNU_!44ZC03Wg4X=r@eSn3gyloS!$Dr{08 zjt`K|y^dj+XQKv{af#8R#k;qP@kE+}L1B3ieq-hh28DWtjCuy6Y{SbG{i&d= z>M+?4-2o1Xkj7+w?9c!$PeLJz0Kf&>)j*b$`Qa1jKjX<8=sxQPnAV zN%AUb-{-))2EK5Zp+hd^?;92`PJI_MGeQaJ7_%7U$Gc6MUuqVJ0)`QvyY zqFuC_wnsS{UjZom1hJXDR(m7?*6%7NwRKANrDU>_Mvs`ak~Z0byTN%3;DR8b0*>F( zEH{}*PFx?k+w>i+r9<_!;Vb5wp-~cl85VpUfj<4Q4bHdir2YL4lK7Hyn$?%2nzWysYm=E4y8*jgy;&r-O|9<8@ukD9hi+Ke~&;6UuK zYsx}mj{QIW6%6zC;{`g}YxD=FXyr%lOshlLSXsj(BAn0H$cTvpp#eA|z!q3cszA_e z7H&FwS~fj=;~G#f>nZQR>^(aERqc)Z%WC%XBnOy^+aJ**rzDjnm1#}K-p4;yRb}Qt zjSxWOs(!~1UP2iR!bcN|18-a4RspX0Y-N-`dwYVTUD+l6hnZ9y99ZV!0Oje#begGPJ3!v;RC_6|^3%oIEvHqnhPU9-sUW3z>jz^fp%Ef(SsArp z&QD63Dhp0RrTF-TEim=+L}|XaUJl35+A}FH*Jr}g;;T@{?p-3cILLZEUv00-d&ZcX zcU6%h_LDee-humND(;rFk`A|TB%YIdLc`f#TR)$nb<~Fp6F}IEZf`%m7>*#AZR=R5EdI{MmSRyzOa;gF$#;~V z9^nxXr+~p2911}Hwgaus($dnk!pfT4wM4=HY?Wagj@@E1E(yiuUarrE(0CX{BiF5VZ=k=&pv2 z(%Xp7GXCU8*lHCSKS??A$Mw^J??Cn1mx{eu1z7>#=4M)I&YF$yHB-Y^zsqOU!sBb; zz4c&_G89+HXf1nWwO!SpaxKqs4Z-s^APAF#k2tzY>YCl~tYOHhD7rD8FWq_FRg zJFF5W?qQuo8AT+^kvyr8U`D|zadA-&AvyEctzZ=;HJ=h2yJ9<11w4rBb93=&X=wln%!l`bkaloN@2%|uVG22KZ+;xQ+77yudReD@I?#M-KY(w> z8Jf50$malU{iCOB6RDfw%972=bd*lx2_2!b#{96nND3h&aCxs>@?eO~MeF)ergqob zV_`mK&^|9_{p(SeEXy1SU|74r|7Ep>%k6P^ejYjC0+izFM*`N|+>ReIe=Y&=WNt1M z_f7vT{xm;Swjf!?j&TMge8&ho6^{V1J=X!Xj`Ho+g9Ef~G%Wg8`2($O!!5_P-W4js<>UP(Pz9zmW1ZKUy8);D*`q;U z8dqN#P!(uSEk*Y!ozlZu^$_}vqpkL|Js6v^_) zV3F@HKfe*Ngr{3g8b2VLN0DU1f&tQuNx~<$a{qHUS(8fuOX+|L36E_8B<~Fj`X(l% z0Fj?Jn+HV)ExP5J@lecL=#!;24*=RYGhR3&O0@!Q>mV=APD0Vy`=fi788hC2{iPY` z!sbOFsx}(OWMX0h65T-dR}38ph6+bu?rm?^0!~sO)a_3110+K&=@;0X--(BZkB>2D z$01*}T)PdXGCdYn&R4GukAXpRtz{HK5R6RRGb9**lwdK5rOGYg&4L*fs2(4B7FH7D zKbLv)n&{}b085yMdQdgYzSL|I=faogm9^QMr)vsO!fB{3aD(j z3)HP$#iOq&8lsgMDM?`fLq6C;rHw3+Urm;3Ny3f++Q^p z+im%YU1ngDWTf3|W)UXQqGeCsW2c?KY{j$_jjze0SF%IWO3gtR@Y>N^_vP!s3jr=W z%({5ERKRz@%mK_nNr19_cedIDwD00#VTm`D0~7l{U~JfaJoDDn@Bdf>0FPc7w8J!< zN0rgkE+-ug)t32fQ+|GYyKnCGh#8twCCFzY)Oh0XSj?$m$WM0(h-G>F8=bHbLll+B z3GpdR){*|a<{&J3l7b!zeNA|x;034_8Xmnukr-42(=meS!40N7`gvV%Lr4M}R5={*{YYWhoC(Xv@k5Yf@SfrcD_o#cGBq9`Zl%R~eqK=wuwfS?q&^EozPT?2#+ zX<{Ay4%l%9{2oti`i>B~#$_`f^9{nZjjs{lx!F z>$JLy1S(wadS}YLgX{<2n8fS*yXN8QFCDy1=XeI#kOc4|iHJ)|tHHZ?lVID((R$Wr-Y}SYcQsI*~#oK{USny49-mW*7-!cUckMmB5Fi*0)D_CYOOT~ks z>;*1%iZE2z5=f*Kl(TAFu1=?8GoBrZ688@hS=@Yk70WRIP;RAURznM0izBO4>kH&I z#zc$aX5|s zi(T=15}Ng9tc=*8dG)OCv=kER)s9X5VszxTH-3kUEaR3FK-648Hi||lwKmmVi`CLn zE1w9urnI~FsJY^;;BfABpIrjm*KDUis{@+vberO7jS@|tU6E~C$n69V(u10^tjC{J zx6ZA8+)Rwm6LT67ldOI^C(HHQIN5 z?)~`2ubST;mtxkxe4*0zy}M_2Uh{501ne@?>e7&K-7v0Kn^jD+Edz8@ini zk&`a6$4j3xP2Zji&_Okhx3%-TPXFzfTG=n(Ns@bC>-a^fj52t>-)Xh!yzREJRgr1PB82zBNstqT;m*09h~=I1 zA{MxL$}K`icT!Y}jlX?NL&p9DuAV%UY>0ndJwn;_^#ETw49GYf9Z5#*lQsaKD@rOV zpyhJysO2DD3IE^j0p4t3lwY6lssAA>R&3CspmaT^PkfJU)?Snco%=A)~YLE-LNjm+WniaICfeEjlRQ_$yo9@;5Ex~kG zzN(s2-q2@&LRN3O>7|oLa%X3RONSx@{&^G?I|Z;u16vQhA&UTt(aAhxK|CoSbeI> zaEKRJEmxZl>}UghQq)b}bC*$2g~ftlZ|rL6=$SR?x*lw}cUK-ihaK^QE{^Z zWuJt(F2yuoDkcTR@nD5sQ=!G#CTwa0id*)CBr@I2Pos*waWQ#mm&}v1t%{dvm#CgX)`&N6KO)=&a%AmFQZoIKcn112GO%e`8R4RIVAouEl zIjXdj6YItaqmZ2bO{SJ+#b%Z8M?Xhhd@IP^Ved_2iK10cIm3jL!hF_7MbDM3m1?KI zGsyA`s>4@B9qY3j@CUxN0|g=i{|IT+l$80aUme_ofBFF(j|FM4f9WUxG8lPgegcEC zEiGdv<=}pOEQ1o(!6YPNFsg4K3)bEK?9aBWQaTbEx83Eo;T;_<8G1RdRqf1PTr_iA z4|?()3~5kZ*;$=qfY5kRLD|4)HySq_@g`3HhK>mPe@|13V!BRmh{KhW=J|PS&)6GF z8V`$Jnj=ubNx& zGIgFlV0K2GpPx^$XoP{k^(P{2OMBgHnw*$$I`;1$*}G{vW7SYo8~FYE{lW9llW9A} z(Ge~4wvi+t-Rna_2n9SXVE(dfpTVW>q_RoFXtk4b?@yh%I2$^JK88icu_LdS39e)BV zzOi{EzRNGJuQ4L&!-zLDsF)=ET)Bwr$f0mr4jHJsg0|cCMq~E4I1aVHF17u97!;>| zgx=w!LUGQI25kF1{docF?9pt|v=g$SVT89a8CKu`j+vQR?o@Ve?vDcOng0k2&sZQ( zh}%n$B_6>a3DL1cl+?dRf3LMes;FDZL}y}eULqEdvY)!M*?!4@!k4lt+_*_`D`utR zQIRvzgBgEg%5*$ZO0#EPg|M05Y{J6ANMC6hWMDN7Ins433H*d#Gh;N^I7dHolm6VD zb0nLjzp8AnPeFiG_W7Lc(6U~n5DK6EOKM!)sdxh#Qq47O0S4lh`<9OQocMPUQTGj!?(Xnf1v^1-g4H;bz1%n*{gxm5U=dqy2sp(gR z^rrI~7xG_XBk(*m4Wg$*%OI4 z6b^|PCMKJ3qE+Z96qTDUt-7VMFT_9SphQJ$!M#mgiiIhqg*eO*P>Gdil)0}?%akO% zb>70~GQl=EoO!HO7^Jd0#>L+*Z5kp4;j-2XHP!EvOOVe!9(xN3i<1&zvB)P zz+h*!-R_IPVyPAsChZXJg;B23`m144P>7QSG5({pMnm~?)-!ClGqcm>J$dBNtq6BE zUwoGF4FB|WUK7PsmNBlYvxiIPi-k)5|C1orp1I5~03yWwmn%>Cfr2_q%UBQL=;8gi zVgHUa%RH)L?|7am>g9c!Y@M8c7{WXroOLNQEgRc_M@ymAq$#sS#u0S2t7Uy2b`;}S z^fWp9V*_S%p1^S`BmyI$+E{gqfd8|0UCP7G)=sw|1bh?zoTpLN+$Xn(6yJ)u7Q3o` zZRXA5o_#c|!DGfn0wIsvMPZ zdHaF+&c@tU-E+M^OHj7@a9diP4TUutAdIfNG*4pK;j(adlBj{uqC`_R-gbb&>Hbnb zH7JcNVyglg<#TQ!b_buY`Ut_nkph$xiDJH@J+Wa{piWQJ4KX^MLOsxEW15i!dWF*~ zrcHxLySc;!m^(t?c;AOPSZXU<)SNZ9Zi>F&3mBh_&`U^4%^}o{igW3kzOyx4C-}i1 z)uV*X##VcdV)PACG&}=#mY4aoWZcLTyq3k;Ha+D`6VBOWy54gEA*O8NzyRTGv&U-4BwBHM634N)hBkV#8 z&z`^C$HN3Y+WVhHi6{67qvZYYj@3!sGH1*v%3AHzcg8oS!SlCW?tNaI87*-|1>{Mp zH@b%==IdLqak%L=aI0cV4-I}54?6c#b4|N2&4;kE$o)b*co?g?o%#`(*y-G72aA&t zRFnS+fAmZ`3nH$l>pqBv#)AR)Egs5(_4M>i;iM-ep{t=5w&yEWTR^JAC%=jWpEtPdKf!HC#`DHeZLq5nzKhH++pjnF8Ha}htF*hl zrA+2(UZlUYE6duB=IRoaR?O;f6cBbo6-VEH{)(1$*ba~<4r@v;Qk#lbNlQSE+VJ9z z5?ylb&v#_DShY4H^rZ@$+dKID1$YpD0!u|o20nQQlUaZ~>VCe)Hu5rDrQH>Y$MX(g zlt^JK#8%3&q2B30UKk*?I^C4jRvsUw)_0~`8z>6PBwq)u`0oBDu`gSnN2NH~1y|D8 zC{CyMQR=KzN}K3*7306z-Ny3l_q;xtQK1srAZT~ltwmC7iLe0$BItPgJWxa5Q8n_q z(hCAyx;ti-ge%+M?-}Y6HR*Q;VTpb(cwvR~2R!8){jo`Z^{4KWp ziQjRGv7F;Y zH4)m8d}M$uV;b|v5>~2haJU|NM=1-FN=?OXeoLY3#=@>uinD+@-)3u>PR+&0PfI^u z3twY5m3$90xih7zmjWO4E6xQuBXcz64ANj3lxMF?&0TQNx zh^)1)Xai32sBi$e*1R5~gWtQ~SH1TO54#ke zB|fuQ{-E3`B2RGx3eBsKEc4@AExYiPfbrEKZ7K{(kth!5q22S07imwtD7>-xSj?e+ zjdPk(pWw&@+YqQ#YYo<09f4tE3%65J03O>pH}f8(uq8;)$81p zJ#=@HS%`CF)g4J1#vrrW;mDTk{b4W=C{YPGq)|IjuhF9|QW%JiubjZR(omR3$9boIj~YRRy;^*r3WBV46s za!KMYqbwZ}Hb6}N`r!fL|%lWLZaS&Hrfx1U(3i6d#TgiN0bYYjOJ{rcVb%qqiYJVMkBF+dhy0WTu6ZPVW zX!1(n)wrwzdZCqy)gyC_f~ah#m*{XHIy;#O3`9Z0KKM)cZq$EH(-+^orgGU8TcYx< zS0y#eWfqP<*R)zI2M~S7J)Ui+FtRkJF5}Z$%)fpX1fiHaU~>Qc+>C=w4NU+$ob0LZ zFo-jjK|ljaC~WQ_z*3HzQDl= zVxi%3I9UMx39z4|lRadkyw6pLOP!YMk}Q+S$rt%6dR=d<_V*)NH^V=CX^DJ8nP()3S7kpmewLke^Nc6CGna~J{FAbHmirjNX{={S=*B^mU-cibgLH` zB^qR~nbGUAS|XNJ);>-vqVIGxVPVi+TBww5BoliF2SdfiH77Y=kXU80_y^T$=1a6s zYrqAifQo|>vhF;fe4{!a(!{c(fo_dfc z>R%7Jy;YpFI@>l2ZDnS}ob0se3{_rJNA`hLLX#idP^sjsh8EFO%zogn<0|^;g$6}I zY15Fw>Lx`vY&LhY$Ro}yX4|+Bka~K1t$^jGKY1Ri>5+SdRY6JPUK#$RxryUF*qOmS zJGJL~2Wkj?T7*wPy=J%CiRC4l&oD_ys$XYLm$>@!=^WLg~(r9-II9r;i z%C=G=qM-1Xh2$~`0*;A8@?ZaE`~nBM8;Y?DVX*euE0>w#aIWE#9mmx%u`%a_)sCT6 zYXcH0N>U;Ym*+(LB05zY8*eZWwWM`po&6(`@v-VmY(_B@IqgLZ29Yn%37E z$EJpm1F(p($f^rf@H&3|`fVwfh`e74=WEg6+NFyxdgAP&7OO`(xm(;gQkWfs-jA;K z8$eS?HCHeL5zWLswms{|uY2MjHv1>l|0oVNh0F+)T&TA?lmPf0Bcoo*l)zM=?RJ{# z5Kz@+PHl#w@x6z!iua|#rVRLielRlzW&Kd$$c)*Undtazm)D3rK2WGzTu={!!bfgL zm1+lN2_^916Ttr%DICd$%a_K=01XWbeQ8Ti_os}U{MydW4rb~X?J+vaL#F)!Rnmy8 zcpA&Mzh^<`f#1G1U8pHhH}Og#a?e4!lvBGG~E?k%bu6P z?yqp9(`IWpoKp6i*)dagiUW#;1O}^`b#gx2uv-#uH*GI6;8d5<RR0~0dR3WS)P2YlWw~fFNU)} zz;)Tt8T(4xdxbNqS8LopinZg2r3bRE@X1^II8(*Nr1jY2>ut_t4Vyrs5rCHg0(RadKCbkYzEBC+ zQJ1*RN z)H5<-GBc+2BILvvCRlOiWH9G)Ap{2)D-;PR*LTFR1W$Vvm8H-Mhl=8`>y{o{%+E?C z;V}x}l=b>n`jV>-C52H#zOj9wtjKtvvhw01W;fj$skz6^x)A{vx1ZJGlr|S(UGJGvbZb!k6SWBks;6hb>J|qh_YtM6mG6C#TEOaF^%|0xm4|vS_*5JaktfVM zYanxsHiHc<8o}mp-8~?vpN2wgS__x?$4mD_!!u|*a5kW<0_xTk_mJN(kYC|>KhL~Q z`0|gyYF|Z}a zNY-f=-$J8=tW)hL$0)3vcXE%~kr?e}bft-f7Ipu=C8qSD6_k{6VBf1^@@4NF*09;^ z@&TGoVj>y}%9#r|`^sNsJi7_`|I#Fna6@E`OifSujWjGT^TgYzqS~V*2Umo3_GUNq z90%OeWP0B>{!0iX2m-Td9>zM|)Lsijh4$XA|9vW8@Y9V+5cP}S{x0Fmb&NGVj5kDu zy7~1F!q)s)#_gJop|m*hs53e)*ZH<^hply!7~9kG1Sj~SqEYzn((I(-m+RwmQI0{9 zDt@uDwA4UG!61sX^Tw4HtDL;)IeVH|%+c+u)3u+asX|Uc%(n9W&cTY{xKe|bXEcIE z`z%!fA^b9y?Q>-;_{F}DV%#iY{o{_UYI5jz_ghye#$4JENwaJFTQ;D`*C!HAryJ!Y zeNqjGBM%P`R8g7y#x1RlbU%8B#+U`Hd=t)~6LLHha2FC?zrSM1>e`jf!JUh@_mOXH*X#jr{C?PYT@dGg$kQrK$Gu^yWA(_-s#5RPU!7i4{P!FXf;7YK|!sx z*h5MZG1AcukB;_Ys%vPp1J)Iw{hUI%5-24BMvPZ}(7%q^d#?m-8G-BHFGnXN8&zng zW6wd%r$;)Gwe@HEvVKQ3=}sa^cwt0 zQZFO3-a-?#bE!GE^LlRLkB94#R_$Oj8<7}fNV48=Pf3=Hq?RlFV?(I{YL7;Gzq>yJ#+?racLxQ9G2FTT=2lCRON&jLHB`zKx@$u9SOE#l{$N8r056}y-z ztdD4>=6GvOw(+baszL`hn}~TkP{Du4iVCo)$1V!xi}c2}^wdPrCb)l!v*zaJ{Kvl^ zUW4Ex9?FCLr=ibYSs@dpYgOeV-I!JqHxwE;+W*mjKcD~8@3)YQc!OZEdPi2$%7lYG zao2}C`3p)cqbL7Q3%T&7M_x+tdG{r&7l(m( z^j+TdE7e2m{Kf``c50ZWB19!7#}D7+OQ7rS&AyP}C>soxPpkaFNcC4O6#cg>jO+#V z%-h${=<-E!86JBfK3_fU5Vvb@@wP8(MNG?Xm+Z!Iky^X;*w(nFRzTlKbHd0n1HCKt zM>CA&T3+ctZoR&88l6xaYQ!@>oA0(N?I-4|d87)&oI@?gS1?()4(hHOKlxap{RJEOwjkEjDi?{|$X{s|`Ph=dO1j&+T9l9SPxc9*BzAXmGv=4PXfR@`vIr1NZj1 zWc_OAT{fNvEItrx)+JJR!Ts*wqE*Z-^^#$VU-tcGL9;E9DxHWyARSscBk|kA^D;jN z$6)g9fN@EFEcm9Mg+*jYl#EKJ0WLyl!vCSXm^@2T0*n`~{Gsq$4u@hgSSlAHaD$)pmO$ zrn7}PPrlMw%9z#eHZ{4+;S(5oVJVHcpy4;WPwH^00HxC{9YXcGfe#1lZpmc@jK~U#x;Bq@-lhTT%%?;#5$VZPX(1nsXRe)(!I# z@_a)?yP=@yYDF6yC!v)Pa*G`?;dUy0;R8+k;{%)YkVz&cF;V=R;pX}V0dX5Y`n(5& zum=WNt?VcYrUIb&B;yKr4#FRjtavb=gzd0pd41fJSi4)FS}2!0msE7b%z1F0*nC|0 zIzryu7)5M(PgKu650g@pV& zI--LDUFX!)R>nA$d%L^SmN&b@aSvy!fQf@sWi8-uQ=AVsuzK#3^A6+tFG~T9Y02bLNNy+6AaqCu3#2KvTAan3_Qw>%gaCDb`Fa&uuEw~AQ#4FyNUWlCiIUJ8i$ z9kV55uO(dW&u>v=6<>u_|Al3r{;s4H{n^x!$Vd%VJp_IxzOtND7~z!6&yo=)gR^|% zqtk6-EJ(NO-Gt;q_)?B3!9KH!c^q)e5d(JjnFDQARZ;zl-1_)N7DltV{XJBjkTsiw|L)2ZPgp+c6gI2~!kN0?$KBU@XzgW|@LVJpEL+{mH@o&0%-}(q z4K9kWd$SWJttdcIT-)Q~K;kz*@Bgy7y(WS*jbaasVbD}((g7FspoU?73 z<#Ic10PCV>Zs>E`BKDGocD`m+i@J2$b34xieWXGuE5Utn%9d;$&k`?4j~}FO^o;8n zf$sTB&)U8849E1y12M(SB>PO%z@cap4js2~u@DBzHxr?j{enIhjgTBN5m(YCo3cK5>tKLZg&Hj@YW$n#D`ZSVDfKtJfw(O{SK)=Ck!pZ}`3yW>sKD&(y*b!hGVME6d9?`q3sV8z40s(2 zC@LlZwdH@$ur28SVtmj*`D=VgOPwHM|GCKPoKL%T4<3~Lc>4TB$Z9Ka{*L%q4I5s( z^9V}`sLx7KUQ&P%-)gbYq<&+rdy9$D7A_wa8!i1^ONtEff}Q8B{sU%q$f|}zw>2@Qiw7t&P40& zAuDLs{#M~nB%FlnaDI~fQP@lUy~d?vUqH}RmQPDV(pAXLw<{{?A&o}G{?g^E*;%8q zWlTyUgrNiCWFMXD0%(J1=x4!4GYT=U0U^%+kFd9j%4=KJwFAKk8VJE%gS)%CySuwP z1cJM}LvVKu?(QxDg1g%p$=q|UHTVCwb1t~xg0Fpy(R=mkRd2nI$K}0-I>^x1mYPwj zFQ3H0f+mu72k1UKdeXy#A^16mij8(o`vzKStdY0D+*wvRd?Z z>c6nEnrmN1=L%umOg;klX)umR2-@b8xpj6p{3SxH7OhWY+qEnX{9dg8stpou7MD+q z_M~YJ>u%nj{+bMa6r_VJ-l5}0&+3sMbSk0}!gUpgRyTv1=C$N-s>fWE_J>ylCI;qk zH9T@8iz88;Tb}qIH9-C42(7;Wer6}-K7&&y-gMN-=k5K>F)!%EpvSGB%}{J}g$;&5 zzzO{&)43NC657Lq#Fwcbi62P3U6Yi9FvXFO4L{Qg`orCoA4n|A%f+VCniVX)ln#(} z`o@F*7lPpyax)x@|Jx^LXN~38u8B^i^0!I+-c8d6zo#9vBa!7SsN zgQi#+Lv3!g%zbdOmFAGFe48ApawSTV25{=U zI>dM^3TF?JT(j)@-c|XNy(p=mY7{iJaQ9@gPXG*T$w+_BqR|^C8`Oa zGld2Zy9K^ro$k-X^)QZ3)jsT1Zq3xa@Yf&hD#_JgT~@1#M(`&HSk_&gm@o=|ZidWi zayMDI3|Vxz!1kcDQLC8cI2EFJe4Hy~hb>uK+R0?gxPA;pSN^{{!^iRahed^!5#a8) z4R{74V2{Z#JvtoWlvY8Cn3UB}Si2TdGt0I;oxb|pETwx)p(MyAo4EEpuu8Q`FQIKX zvFn;2oVV)90i(l2J5o>jFIueUu1xJ;d9EoVNW!$Bhl%UW?&j_QX|ik!>*J66>MycC zLEFLNujTn|7Mos8cEmZ`%&&iV$iWSNkgklCniIsFzL{x(w^>5enRNYx-VA}m>S0&Z z!47%Tfig#|rV@F^T-z=L!}?Q*hl%6meEkP%gfIp-`_dhm)J>h^8$4nzI8QT#&MjQV zfv&@5{76(8a_US^FFvhR2ZIZb zZra17zq!{QiBqW|yS>euBpH;}FwSE!F4*!;-H@LP#Nc#YWpskWA>HU!w#ccPPgYc| zGNrw#gw3?LK8Rb9ifRD_H?%^bTSIYZDS@bCu-l(i6AEcoYi2wnT99uU#6{qO;xcN< zIUVy0n)@=|{LRpOg}|ZyWzPc%F!278CiwaW1oQ%I^C?e0fKgaeQ}{Fou$k+20s$oD z*RSsZZ8{{SKnyj0Hmh~~g>c5zIE&ak;6@5iw_IPQv6Zn7k=u0hWsnCS4h_7BgJ&6$ zjNrKDK)h;FCdq(J_NTJMo4x;0RPxd3@Velr;_l0rYLQhbZ3bFIwaT~~ zF>&rpNJ|6oSys9?+j_M0aTfT6-mQMB`s+@QfG~F3z%pofrIw%Acy;1)^H&TBc8Bk& zrKu%(Des+a->M_jVNpn)pZ>2QXIcFqb<8wJG6QMPFDvyhM*5=be_5!%VhV*bYl-jW)OtqLNR`b z2^qcauPP*fv;upf%i~$j_QCDjW?MDrMOG{>)?38+!Jh| zZGX}@lw+=AR@M~uFImAmAQ#Dl_IygTea;UXI3Z;H+;JZo?~{*JCL#!G>#zBSg5HyV;lH5Q#HUL^6}+ zC@_s)%q$aoA}asV@Bd5bVXzOQ-Od#vhELwUhR|rTGsb==UTM$Td30$xu?uv_T;#R# z@nN2&C0Q}Hi`3_aKkS5`J&(y5NAsw@)^61tJXOt*RV+!-IW?7HYmrbs`(i}njXxJ% zMk=**C5$91n0P_+%xuYqEW#Tzb&eH8Tu{u32r|@?vE%tS5P%Rj9l2&VW@17p_A1p2 z8G1W+v?=_X$IsN`Ni;n-V1hQyYzpSpZ6nX=`^x|#o~5C%?zXJFlE~RD!*L?=YHkml z3l8I|*Z^yFRoTTzBz=ln%E5QWki~llbMzCzGZG}BP&``8_AOc%5GDCPCNiK2-)A7f zNSK%G;wD>X5^XsN1ZJ6nuH!$>Kiv9)1Hr`|+Hb2T2oek|o!jdX&{ilZMIbE1oD~-X zVui64Ks-GZN6N;!%)XripnYAMhDLh49`g$#*WpLk*7gQIQ78Wx8Ho_X1LpPK5k%h~ zM8x@9+5_n;51yfr5G?Gdyf=Usmy2P!swKzTt{ zN<}3)&_2#C7LUjXQ4YB*P?!}CWrVu)ZJL~&(hWohY`<4`}nhqMp?he?m8hebdV5pGm|}wFgeV+FN}mxAB&#j9MLY{B zeCGIH@{H9w3i86q2SGc!Pq@7yaEMPkxCnZ7c6A1ZMgo0(LN~C%v7wvI!o?IY{g8X} z`-rg5FFb+Vty8Qr(Z@zs(!Zq62E}=fE1~(6oG938J5=TLkoxqVVy(zmB%W~Kpr8<^ z-yKW^G3|oWoarzwxu>Hjigb*pu-wV;;BvJHZDRcnIoWr}(Md@N(9mr5KZDE5sdn92 zp`oDxgc^s-XJKS+ZW*#==1P6|?Y`Tup9BbKeH?hn67b9`;JP!khF2L$D z5R87ibG`i~wI45NaWF`RCIZRYs)|AiiS^I<4}`VfHvWDaov;98rrBk`&G(%SDQ0B9 zLdPvEyRiq(2{`XU{5zhrc`AtC!)*7ifA^FpO`xhS&a+o&r)L}MZ0LlXn&$ljoWQH? z4t&fxw9Wit-kzN{cslRg9!MCE6-FEH^MA%~^esNO2)}3BSU0Vpjrh;?F`iCjQYzle71Y zEk|ygncoR?H{XF1(qv%aj)0jtS1rR!dJ?WZdxGxq39f`ne7Vu9=vx2DkSM{i5& zMl&1goT@G20A*Q|#aepj8O|&)xbl0M5dr$j(I5oe`N_%2g@veyh`y?9A^S;;{D~}{ z&cFQydv);e2np*gijdUHgB8)((MZzDxxw6X-LiagoWBE|XADr+Lh{tojEPem;`s}W zLhTt<+rJ?eKFNklBY! zt$c(Va%eb*Oh@m1t7(>pj*mvT85O*m%iS$DBkLZ=ZX%vaBKvRA+l*?`;_q3_%*?Q;L*r?<$L?D@VaxhN3+Jw(LApskagpBK z?hSohXn);AsP$bN)3EnZ?Y~1{#=``XK41Z|%kZkHv2k+#cD%X0y^Vh|0odb`>8y4- zJz*ixR4MN&I|X&K0uN3&WMX6G#cl!vMYP+F_4Lc0l1hTieR-pZXthjc`uO4;ywMi6 z&;$D*q~+5%#r-=)++n1F(EJYU&r9a==QTDSFKcF}quYpK*&kn9tnUdp^4RA0t#9FICM&1Va>lI9@KZb|-e@_qp&N8S;yGEz4zs4n{1^KHf>JcmA{zDMZ zIt3|-acbK0e3)?QWL^XWAj%HGcUK7?4+M|B+guhjZPwIXtEhcm+Q{z+uVRXmHdfmr z%X3WOGc{x-jo95MHmWUFG{Mz6doRCXSbXIU*lfY)9pqGWS|>YgjS>2u*y8{F1{2|7 ztzpYJ|NMK7`?QZv`-G|v0s*Y*Co@^8Kx7p;?D5br!n0XXWrKCsbMx>qlmQiTL$Mvw zW#4F$c_yz@&cq%Bv7@BIzcI`S9bXt59%u03>RxBBaaQMBmcK!{j^NnCM?18+xtx@J z3PP>ZM6v&$4E_kZs=9hSOJYcY>0bNyF z%a+d7q&fpt`dh#(setWF_rsSr7Z({3mu=kiXOs7$t?7RVYm*?L0HAmIsj<_It(9q7D z6)4~kc1^50ELn?IhlJo&hvwq+QK{w{8=f=KQ6a6Iej9ZzSzq@{+78`El-%spOJH2) zt+gxL9oxD^f!a(>?rJhk4#FBW$A+u?wE6cMW~OT;MeZRUn*lD7AlT#Sw2^*ZOsEmj z@Sz;q0Gm&!C#j#do1IgwS}J|~8EI&re@vP6sVz{aeEH|G0W(AP~y1(6K@mqBI4{p!XQ1Y+d6-P`4@`jliH-hg+XpJL zyw6y^q_&qZ;!zllybcK$?k6CtqwUQhn;d_R6$IpDW-E0;!GM&Mr2>g0vb3N*Gztoe zTq@|P{(!1UV&arj2@A^fX4k1>fWi`6LPkcmY~_7ic$9KlibVORbn^GX4B$oi-cj|@ zIgF?F_Ugosu^rhujTn0|qD0AyvS?{*+uba;&p0OmUDFw*&kV--ecEwGsaKnO!GG$? z;~&XrXx{EGb^svB`}gmGM4f^{9M$EZ?ZrnQpL?@miSOxqZ+J;6yC#7AWvf!W+Ud-B z4=LZ$`!D40u4<~=qGCP1<%IYAL;+zU3AJ*JPQ9>*nl%|i2gR;O{6f3O#xyLQQT%r) z1X&y=X|09hx@KnB%=@jJ9bk-R$D2eCq$KJzNVv@K1`)mh!1qR3r1WsyjIRQ*{*abhr9#MPz#V;3P;txGuxFVBicx*$#pjd z@2{_4phQEbBcoAc(f|3ZKdWpE z`uRR4U=RM){L{+F_;{=R%_)$HjD_jOZf_$eg`Jw5R2mz}N!@p$C@S`=pE3cZN_LzL zo;@R7svt1LU*4dAZ2%u19~oJ&wrR4xlG0AyM-)QM21~WOg^e*L#4mt()OjRXj)IgF z+wKlpEdM{G-d~VBP@o>85w9!1L_(f_-xj$*9FiF&uj1Re0=QxMl8i z@!8}x{^AO=c3ViSM&|GU*r?0Hgdri{_tj0)pp@ z6#Q~)aEq039d0SfpTg?3ci9iOOiAgeTsQorwdpuMcd#1q{LBxuu-*H^#S%TFj3u)I z#D3r5c=w@+h={WHKjdd`0u;_*L3TNk_!TtJ09L@FULpNE)vw0e|C)O=(c#aNK|N$&6|7BNp>TP0#?c zkyy)oAE~UB0IRH$MIn*JR}$~tmYY^AolkM(GRjI;2WnBF^L}`GVpcEZNX6H0{8P$* zJJ*BNw1qw4ELqAt09-y9wvU^Te{HF2Vo(5@2D~11KwVi~ZRhMf1Lq7_TLJKhCxEbO zui&TG9iwKY zP;qohibMbFVPM!PF>yh>y*!2#iYBekw}Qap;ehHf2R=~X6?s4dGKcI8DcR8|6tvO7 z!TUV${0ET??QCC@`WgqxRr41%?)nz)(}m@*t}aed;i+Y7TnE^xACKK&w`(e%1qqR- zY?io5YLaG=9=>IB=tVkfO$@RZW>&or6!Xum!4aRt!NcQ67BcabADCo3h~7=Du*>!@OlXR56w|f{T$6 zmGn*@1|36{FfOg4N2D5;L(66Dc8K8ivTr?*V~Nc9SSU)z>2^s_TjfuXm2Rl3l-glC zB7MblC_cN@CLCyXh`}k{u_(!5U(Mr5L8;2vq*jKMptp%w@9b6Gz4@bh$D~a=P?0f= z3kE?+)uhI2fdrfH5LKM~sK;Tbm;$=5eZmZJd*Smhx|j*_sOMbNoxqAfMq{Q8-{|Sc z;}7jobhTO&OKdvLH@hY?4D90ASebI--ffTk5ee$c3O^y^j`-;IDo#BV>tCPVLm|FC zIlRO9Yp($<2j6*&4B)%>M_>Y`X0vS(riSPk8<3?(jHEM4$c$=}O9$uIYRkz#2t_8! zwd@BfX^6;{2j51a9U) zT9OL}s`o(e1Yj4FrwEJbf1eY6&d6lsrLaUSp9M zFIokCHeQIPua~K7aJz15{UbSWzv&PpDKbV$Qp#4PCuNE9&7SP~5nE$#PtbOJ9lG7p zaW+-HhYO9*dmq&$Q2*D-ILQMAs4YC)+;WxzO#7z%{XvI?i=M@GT2}An6YH>np*6pF#z{OzO${7(OJThpkglTz7uB_xt6u zkEQ+r?9X@i$?&bHI0YQsfjq;@%ZvPr&+|_sUD@O-wzS=m$MHTgqxT;CkF(HWMHAWv z6C9bYotNH^>IPe*nVXpR@BaFXzf+A@Dqwhshg!3)qA7VCG{+HprDm5`&W=1adX_UO zA;D;EIic0X$`_R*wFhtqHqCgau1!Ww9myz#NCoq_BeElnUY(;Tjyhg}l&!5aXiTKjg=A#F#qk0I@F0JG7V!Oni6(DvzA&Z;@hJ>P zD{o+KkYxc-a?q}4w>t#oeE%+cr5O$U0dEqolF}UDo?Vr#Yi&)f#ni(8>C-1-Vq$q& z#6Iwchlhg_zdxe_lkC9EvWIg8egZs8z zQGvky&5JliTwI#V{djeXu$99Go$_D*)H}f6vuogvYWdRl6yDzoXgT9fd{TI!()a+T zTV=3P>}SkFBCD!;ztsaNFH6hFSl8Buz2(Nu-60l75;G4k1Q=y2&wGEUIb&)6FB4L6 z0(h19Bq3{ulUs0l5wJidrif#BtL<;+@F}pK&f)K_@z__l*IO)(tX|{gc~exhlwz{N z*3~vTzVWm;yxgY*^5JHF*zHv~Baw7<@v@yXl}Ie+=b5Pk4P9>rR|ZV^B`y~!)f)JVI$Ywtqa=FJzPVTgK%%s75gv-$qgl*l-fsktXWAD5IGV{&Ii0Sm` zy#MVh&=az#LyNoG`uM*#s28a9skX(!S#f#!iKN057p!`h&+_a=1|6u8AFmF9?3ek9z|AHW9w|+0 zj7gA?bsB;&fLq#A0}Rhk2;PD4Q)n`EuJgPm&yeXOv3qXqB`VdrE{Vnm7l1d1gz)%~ z5asX2OUvt!48S_H6#u$ud_N2hLN@af@xBfXIGM*0b@lb@mK%)#Z>L9#vE1B4QsOvm zL4v8Np}7H;&HnnCk0fN#edkN$plxldMKY%|a~pnYbSn;yKb{XnBmd;#|5LR8vxpyQ z{Yn>3tyk+RC2;hyYPk?Vy17@CvdygUfzq}}C{*qnz?E38H?EA1Mr4+<1*o<_71pX4 z$?*{Z#26&yi_F)G>nsQXi8mx5D9QWLJSWJDYHK+DI(B-3+mkEf__n`^iox`$om4i# z@1FphK}f62cWQ9H^L5@tW<{&8O(iPojZMfY@BwG%{Zk`71A|iqGMSbPug6U;@LF=3 zzY<}YGUv>JaFB{vWWNXd*EW3Q1gTqpowo{_)a|7g%~Q2Cq>qhJ-$%F9uRI=)R+vo?cs9t3UBrF^ICV zq~!*l}wmzxhlH2+y=SlsZsN`dVAP z;37iD#=n%64?u^Ak(GQ$zh+`)U_#z4^{{_U_VAo*W6}t^jk1X4ySkY4JtgMddAh9WJnGMe?r!nW*ns0<=`tx`se?zPzao6ak%zthdtZeVZ zRnr^p;u;#Bwz^omSZ6TP{)zxdrOcp%aEpDgkdGJiBy#1%@hx`vE}7E0=<%s z9cWJZHKtG2+)Zxth?L1nX=v5@TQw>h{^AsvE@W73m+AX+aH?xrl{96m?gW(hwUMi= z;$b3gj@qH6L~F8QxeL?8%(z~J!xk8~!NTE9S?TVMPpNS%>x%T{A7qX>>jYtUIf?aEz(EyD|gR zdH>{7lir|HL6D9i_9<8sRFc5unnZx@W8BlljCbmerV%Ib)MAm+vcxv4&s z_e?uggPDrQd7EB6OpsuuY;Aw{Aw3APs{w|H>|X^wM|4n;D4pfjGsmFTr^m7Vs`JlY zTqp32A0Yg?vWR81wNHcLaxT50;tB1HL9_vLZ71<=RPX}Xm@R&Uzod@Bn>2}iK$+{m#D?av> zka-@`I*|noD=qoQR!JCrX4@byY-rDm{ueS~g3*{Vcsl={xg-;uDmB~ZOiWT882N7L z6IJ)C)E&4Yk+^UrbgvV|01fAFKb&Bixmk!W&m#rqVMQE+;J%;_@*)FI*!Xwytz}!4 z#%VTNgUTVVz(6Nu*uRqLRTRTP4`f99mai=dh)_Sn3`Fxq49IAD+n%jf(!w+Qb=ih2!6+qX?s1`;AHU$35xdGH%98qG(W#T{Jtfr zl$zfhpMRx7QFu&J(hnk40y;XU7va`BTu#7gXCkZis}=z*{l71uzkY&6zgr*IB9&g^ zcxC6w;`FjGX{|0QT&}bLrF`$FBlzyY7w91AS_JhE3^;5c+8Zpky4X;XeXoGeb8QZS zOa&ghBf;+lIksVcEwN~>vJnjPxSWYKfslzeC*}3yR)J(XV!}`g?U?;@wEY58c3T-y zYj%K?R@<-Yk;p)es6G?a81fr7bT-R@EXs8U?p)iXG!Au(?`H@L(6@A2u$cozAIT>|kcGb^r}j6EB$ zCGc;5cDp(W9yN*k&T`05oN#5`dO}=Wl+yQ-lJ&ZW$)klVYfYZw!jb?Wnp1!(e-y^! z;3i<8pHlDZD_C*HYV}yjoD!9iIw_t}iNfwwRFZmWn3$jmjgay`NDB|f``h^NPqH^@ z295V4Dk2R*yUBGw$vwDi(P#T-!cpXakJ%SpEGS15zvboSt}b536Imk0yuf_jKMxQfl{zn+A*XA11MJd72jmcT6_%}42@;iD+iHeH`%hau%A4~Jkz zF-x-aH3%)&dEK?IF`(hN2xC88J}|f~X zHlfw__Ny4Pb+4TDC00y&!Z8@BH+iC60F9@AvV8l)0A;85L6aOpq0Xej{xFWtVyAJV z0KO9pVWeWBWxKmf{D6_(GUb@G&}SO5&L{sFYjq!MOZ3|3@Gr~t5pQ1HtQxpSBt(Bs zNNk~ZAqIiqtrcpGX9u-+;mm7Xo{!hqCO+;HHN*^h(wKzkr!(*-Ry;lra%yUU%FS*CGMbB-+!W4(_1eRM_pU0Ud-G6`K^RRp6Vbs6!+W7)a)~F9 zVBEQ5zlK#OOe(U{Zu!*_Cc~$;vkcoFjqs`dy}QV{417?Zr0Fx8&qlt!&+YA3maRPZ%&l!qpPQ1$VmH!& z4xx~Ea(>EbT)X7E{N7FT*f|#96T_qX>35FbmH4ivW_KqDtw_@QYi}tGY#3ceP0eLO zsdKyM!J+GJvVV8wOLs5EOBymzjPbZDTWjA(nI}(kdin~wzPpQNz2tsBG~<$tCE@D! zqS<0dk{Af~r(p2U1>#o#m?+WoB`U|+s>eEhhnRTioveajdL_efGDJv=|0rw^+Cnx;-F)sGWX9F-YRMOjH=t!Gj zsAoEs*ST+m8(J=|hwDNfKx#hju^nEtQY8#&Hhw8OB#LZn>WiqN@pTL(|1MzraGO8u zUJl%$0oMc*TQK2*0GJC;Det_58=`>2S&~46U2_UX(zM!ESqP@Dqw>#xjrh_amG{+@ z{Ib(;&Ul4*Jgw4Wif9fn0@dU;1yO$df^0?n{KXR_4G6{00$|Yv-jnP7eZ-gu>4N}* zU^hQ3RJ`iYRLIbV6OQU?y`9m`^|b*>bv4ecmZSy`nf?t~00R}Za?V0k+1XkPyLIT5 zb#;f-Mu0zWc@<0XKhl;z>$}sBS6f@pT;13MV|!-@6&2|d@PmpfJRMvdAMg0{KJ>~e zYUy_N1^x4S=ArCeC8=+~J3<12Ni+Y!H*#|FRTp$<5RA{CvuD6!CbMIauPotC;rvJt z?+w7Bi+Ma*vB03-Mxi&+^2b}d3Fv+LLmC=jK)M@ZpW<%LRk5Nn&~A{n=-}+z&f|yj z77ujk+ag{R#J)ZqDDg9VqSjC5UBnl*HH(S)bu5_A)lSE7LsVTLPY3z=V}P22u}%AF zApAiH6oLr1;@E9`we>(@8tH1al^+vO1A1ix4G9TR&Eoh;jkZKV!%Bo)3mtNcX!lwNb|3gz^-Y3QG*>DyIFBCDaHBC8sX)!CB6yeN_wW+_1R{Za+_dqu_V-JM9c z-yp1-VBPoc!B5sOFfi~~tccK%1a^E13JP|1cBe=FB#6Hp!OlTNuy7U6xIcYP)7Fsj zYLc!f9vr4Qb@YBMfH#Y*cV0~R`SVaiHX1W2cCFqW(127pbu^tP%B!gg;!^U;$|~&H zbihYNuRhPEsX4LtLcyyjf9r#^gIPmW55FBEry%H=mOUF0mw40kjZT34`R9MY7UdO% zO58r+P5<9DOh9lM>>D0F$}_9+%lzYS8&z#>ZBtoVJiKgxQWF9r;s;2YnWd@#7=Wke zVE7kT5Wmg}m@}C8y~~>}Gnu}BP3J5@ou4yG7AY$#uQZ%FuB_&5l1(AuyI@Ty zswmZ{{>sT|pEYj%P8RNC2+~6$Q5e0!*?D%brLH1@tI;DICT7U3{~WI-kt`Su0w~4Q zKrvOMMMk2sIPmbvr^={N{#=ICMK+Hw!sz7eM6r(wY9Z2YEwqd#AwYew{k|uI5yX&D z28@OyBcg2X@9zsF&b(Q;Hyhmzt+s*YbI@*HR`PT;WhEqzY#wE8XS@LUhEKY$Z&j1;Iqn@O)~4t?SYo?bUw?RF-VN6hfe3o^9#{(U zkxgX#@BH@Pl59#2J~NSkThjxvH%MWAN+{QpxDHA$U?gs`Tgxjy^&yUs$NL@%b0NF5 zXr*vuQAZ{j)Az3%`KG_GCre+9L6L3FptjNMVzIKq{>f4u5z%Cj93eUW9*;+>Kv88{ zYJ_3DKx!bbqv2rAngzeNd+lJ_1TaM3xL?L(gC*|QwIQYZGg*(mX4=OEH^=37>@fzt zv*s3jA3zucm&#oH@WSL>Yccs-frl-*`Ev==)VJ#EiGQ=S7-0R#&B%xX3jhtjdKx|-B7+-;f)^4w@b$k=KorLjZ=>$p)^ z5?{#G=lPm2fPjo^vU^%l2HeS4Q(^Dnp=TmE0K>nk<6=_I_?suy>y50a86AFyA3piP zQUVhZACet06I>n$2^VUC`VJyJc4&OeXH+EYEEQGp?vF+-bYm!z51bBThZF({}v__$M;ee{i#qX>U=8;wbVfQiMasg5>@jDT?VvJnMyXJ(G7@m^qFM^@L1FjyE>AyTV}{tAh}@a{e+qO)XA-XuAmFw? zJsZfO?ohF5%dNOhl{lr9?~B4RQ?>a7cY0a9k~GZo^YiP+eFW+(gXv35Ip)-!J6fy;r?(s>1qi0hoc`&4 z6#GLLtVbGpHrO@9>gsnvGbuGMJApUh$dnnF7iJfi5jyV;C@e5pBh~Aqs87DeX|S%L zXW}!kthTzh(VuU18>M-Zpy@l!K}x!x|7s9JfR^k|##2G#a^`f{+rIH_BEbaPcB_L7 z*Q~XB8cykX(14*+Mk{2^oQ?=e15cQHKt%3ZV`t84ZwCT{HdrE zQ_uOu)Tf-T;!Z14{P^j+r4_Fy1oQZ}6>>u=jDP|l z|6PhLCytJb`wDbg|Ee0;0Ad)BG!lR|;wy>u6R4Xt_`fUI`+V$<=>%J0d2{r6SXejuCqs7f{r(lEym#dCm zo^Pa++qUUwd!%F}xd`QCql%ceIZ|$(5m<`WS&OgR8c=yJv4*%3afGK+ZsGjuE!@9q zXTF2rsA#uR;a05W$5Wd!=(YGox<`4sbsG+68nemA`mfDPzC2pD_gpzxu#Su7DlV5d zdZVfJ&C{iH(>K@~YOfQwM&No9piA(qvGpYjksP>kvoWwP*0ZzKR3#qBkWHN>>;{W* zgXp-ksCCj3_8P6H_vz%B!cxf7V&JanPjE$$0zqYV=+xrjX)0QSa_ySzwy} z<>F14Cg$;0+w9KVuAi`^wO!3z%Fpw;kkUa3M`!P}cr8H!1qubwDurasEj^Q<-S4Ck zWO%t8x&d=l9hOC17iOty*NC1;qAwqF6p5thr?QxAI;tz!aXXlqs8=6`;(m=H_bbQ@ zKO2`V*c|(p7rBh?4k)x`Wo>vIDog6q&*#6r=b)NcG5(m8#b!t-Z4oQ4b6n-{62XFF zcU`G$ObEBv=PpyHVOD)w1DP82ddR4FW_I=}5Ph(INFk1#%kK(PoLfi6MNHSV-|C_( ziQPW*p%YikiIt1nyd9{5Euz!hVHvm>$}>|!~hHKcB@e;m_()Yj=^T{Oc7!h^@VDE&0c|fNA2Kaq9SHh-R5%Cr~ta6S$t^#J^2Gpan<`&;$ zFgYXT6@GALMXIOBUv35F zo=nhFSPp?wXg}g{i`jAx+VoszA#HvfnZeY_thq>~?zS*DpPV`Wi{a)9^p`x38gVh0 zht2Qyh{Z0ZRNouYKkV%)Y;?5oxSuvedh*VojyK5ow^MI4ugnltw|m8PMEiL4D31mc%EJu z(hV#qGK+g^T2n$w%oj~1JqZ>4`0enaHoI4oS?Zi@C3CU*V)Eub+!J|b=NLlE?S{K2 zDD^wV@MX05bX+c1M^n+yq&%aap^`^tarIxHAxoiBs281R@pdaLc-_>*oIz%;(;x&~ zrwo#?VH+i#-=s%28s zXuAh620&j599On?Hd@Flh@TLw&T2jp?bRw{Wci$CDTflCQ&?Od8f0%sNGMddrU&Es zSQ)9=TmAx+5XkmZ4uUQAr~W7W9}T&Lm}%OgPg1VT(%>QbjTtMbM}(t<0(3m?#r1DG zY&!fx)Py38+VtZ-QDU0qU+f(CL~&y5;mJu{wDlNMX0eyaNKdX9MA}Tf+bmM4{1Qdo z)kYy@n?-9xY~Uy>u4eMwH1)WAxZUl!+xIYq{|eBKM=7n7QB)HTd5ot0c{fxjx&wqE zZJYdqSrpLD48q|Lm>Co06^tj7I13kf=gGuR2W+}B zPw|aYM|1kP?kqw;*)`>iL}A~-E!katX{F)nC7K#G7FwJe8InY@kk`V77AeW8R9~$# z5|?tKq9`vNAbG0(J{3+o2-Q98qS-k_ooct0zyoRWxvp5u|3WZrzy zg@5fJOs10QDr)_q`xX|%K}dM!IyG*_(11y@JN6f60MdXf(G3o#?Poe8D`(hY}gPSZ{YQC~##yU-6hR-NQk@4)^p)xG=unZPgiPf!47 z#?`}v&;bnSz+`3V7!hBU1siiv;^X`Ef=*>;16@g9U*6h7SpXya`GO&hOkW6_F#+SlS!~X1*tXXGVNM?&>`4Oz1h>LN2>`n=V`ccr{}BW zI#USwuK>v+OB%gd=b#swe9LX@w8ZFC!lLgK_@fK6r+#Z+;OZd<5*1|l%>;QhQ40`0 zg&EAx*J_@AY{rV){d1)+yg))#?n;lIrETARehAv>$1la2MAk0OY}Dz@;!yoKL`{qA zZeCM|U(rq2aaLGlj%FZmpvqljg&1&W3EF!!Ssm#-U1OKO)GvYxF(d|&e!+o`x6~fUNH(Rn&!23 zBZm+4{8H^*t9;wZ8NsyMiQ~WKcwXGk)~k=EAhS{nb?m`j*M+|pjVHHTUaaEObbna$ zCHh_6+(bi0L_}P*w%}Q{pUxbUV3>}rN<2I|qRwF3yf`?Sa%g0%ccgpZiA6*~sp)*a z?=JRQpvJK=NeY9xl#kt>ovmLsgDm-1oAMpV?_wAR=)u9kBIA$ANm)ZW%+uCFpy(uI=;0%`Xv}s^^My-)CaOJ)OnSF$B_oD*xq_OqHEHv@J#yaDHa21fSErgRzAwxWuu zLA|fNrgFQYw{h>Fl`UilA;ahrDKm9WH^*EcZEAwqOfEQu6R%Fy$4e_Ipy8g;(J`|! zG-TDZ!uGdNkv=A!ReUdA)97@O;afNMaRgT3oQQvBpCoBm%I z45fJVig-G>)rDVYnJFF@{2Zh(S>Nt1=y5esxQ=o z&7`uRf1+m~*kjrUuM6^D*Ev=)xS9r*B=pDoqjvA3`$W;GH+bLtT+cbaV%g6ks$H=o>$)I`AYv;cmEZZCxt;pp=b#RK!Job075}tzKJDZHRIsu z=yyKalwDIpf9J$^)rgqg)Y7CI6Unv`RT}}Ho4G0Es65V~;j@bwtAxQ>lZ5waKyT;Z zIpY?npC@Z)iD|G%w>T`ag;Erc*uNmNTjn4sFSC8@pRrQS`^qTdmTyP|&B_Sa+?W5@ z)1UUZD219iX*|h5+1z%#91Uc#ew8x0uN%|%Fh_D-45Er2P#b%RnM%EOeS(PiKa{;= zc%EI?HQHEBW23R%*tXfYu^QWG8rx2jG`6j#v2EM7_SyFC{XXyWeaGI%&cFOQuj^Xp zT64`g<``qD6LTP`q!(4(Vsx=T2oh2_ZFU)rC)k#ZUO!^WSLj!~EqXrgavzGg@rSRo zR|me0LKh{_!|Uo?H?*Kpb%La{&%%Vx&xZ!Ybf zUC}wmWKrjMczWQr{KBHHTj1N#$F>kKtWHcnHUNf#>^@_iXS(0Q?|eRjlz@iD-2Dlb zDSpgpabPJ;ddS66h6S13!QRtxYe>dO1z!3kl7viFx1b=q&9=KH`^OWjGY5Nz#lTRv zW!XEl{|$Bjs(!Vjfk~3J?d^Qns8<&k0F1NIhT-Su2L|;{I3Fe@B_$*@)Ls{Z*_+Gv zA?PeAK=k~F5}Cb@LS&JDeWf>*nGIj7q-oC&kzrYat@m7I_fS*Z2EE~CK;zM7oN=68 z%LD<@j+bTFTKXas+TJNYH>PP~N_)^a({pEef~F|ptz*Q+S&+?8^u^EjI5W>3RkWlB z#5wx5S8w#dzoe^Q?l6{xF8+LH+f!l&DCYej!2boFIx>krv3@SO+#Sn#oNc#v(!U}a z8?`^!Yty_Sr?e!0;$J#`-j*(|?c+7T6K-C~I@CmogpFZH?gP~c@rSG{h9 zbLtJ~zt8-&9>6~i*uMaBaT>&AVt}Oq1`29!j-8Oc)gu5fYe z%lLhMA@+RZ;1DcEFFWZwNHMAHZuXa)Q;OW}K@8TH=KA{KaLE7zhpl|+tCTm=dL1%h zd_Enf(ajuvZ7C$DCXb|@Q zU*D9iIZui$9}^QYb^Kjwe)0?U56tEn(!Rtx+D~Ec2F$N?jR1|ryc{$8GcIo@}KM2U~_L-uw$m zZUj!_R(zHIeRcd$NSG{E=ItOt?@lzHySGVmBuE5Vjg&LBp+*QTteFNla)Ehs5l7mA zaro8C1+)3y)~#)6%v_CH%F<64>Gk6D_{*(J=4zC2YndzP#N;(iM9RP_{3lNIYiIC+ zUSD5lWo69;_yNS^rAL5f1(2&NzkLE^BMm?)ogVi_M_xi5GBHZXF*0p^JJp<1w3JvY zmpy~e`om5MqHimsqS?~d)YA$k9v&W=VeM>|tfL(or#QS3%O|QIX_{MFf&=HAj+Z#C zxO_7^VUzRl$R6Q~PmW6RQ!|X1tZqYz#m&t?)*Bcm+p+#*T$b`(ZNz26($P-R)k<~S zCNTQhmfhi+^5XV1gB5-9qYCDQ4xg7p@EPToL3U_FrU{>a1`56LZBO>82}|p$-7U{t z<*M@*Qa6K{Q6Xt{pNyd|E5CW)9JcrAA`ixJso?k~p0xX`I8s&Oy76JM+{$BUhy?TW z5i&A9k?m=8C=auHI(tR3wD~d-Vjoow(1u1f!AkqD{vy8*t#3#OtgfyuKwSXFHUNRX z&iwONA|j$bUO#}P);HoOo=}Pn-An`GSGeCHgBh3#gcXU0I|2nEk5u=QG1+#79OwSiwv=H@Y4XEADB3CD9*F9*E2K*3d3 z%S|CM*c-kYx6AvCqe<4Pryj@MYN$@vYUF`Uh7(f@)lPj!I7DwSq_o)1?701pZX-_5wb!Eg!UnI78wI1;J<0qjE5;q`~#E}B(8 z&EzwDzlyL>9bi^#&fIIL!Uz#mCvEvc(vIL@LFBT&gF6>avk;dR~-bP zCdBA?BB5alic7b*4ft%rq=^3vK>c5l;z{||{MJVV#t$rtY6>xkXg`$1(Q-xhDT6_H zS6jgh4)zH1{=k>5#;5VIUwAD)J{4jKhxAm_9jEtV8g5N8SML$t(M5B%M=3@#_X~T^ zwA}YJ9eCU=Of}f-lFMa(!1)py^p5f}wNj_O60R;|g)uR+Q~vQt{(m6X)@JrsC?}1K z`e8CUKKnk=G*;UG1YPgAG)*|e7;<^Xp2Jgh4P71a0&0ln-(NCt4GoW!RYH$;Ey~C^ zA23s^6XGlDE?1O;gQ!WT;(km#F)NvMK3Ov3G+(ByjmM&dd0AO)dkmPakj5i1N$E!x z$weclS$2H(hevL5R)HvA>f~6APDl`aXx;kW zeZJMS@s#%cZf@%;&SFIDwEQr$xfH6YO-72#(oM0 zh6-a{;mp;)5=c*=p`oU?NH5dA_uuMnm`Fe&)H|d*nn*6)D{|OQ=`k=M7 zwS7nYG!#jRiM^gC_jh*>x2KVi5Yex>xw*e^U~dc%zv04W9bX~*hdkD+P(_UG(+J#Q z=jvY=W=ooK(1yMTX>NR4h=MCZZ1Sn@s_N&roZ~U zIMcr8w%Yg%7A@NCG?$#4QS*7dhr;;Qf;wcA=*uS2EWpOrKaJB77y5&y26pcj$W%M$ z89+ZSuX35L2OAsTZ2LFjLEBr9@Jpq)v{O!Ozs2T6o5F22N*HeoT5J;C52Css?3+drm?a(>|zM2|lr|4*wl(~4& zI2dU1Xu$;8KvCO2P8i`dlV?Cqk55qeiFrc}Xvy`}4 zO`k3naOi0L!R!3l1{a+t)GtK|Mk09gO;3F@d1%Qb;yzrefjeHnfqz3uIp)acU~JWnnxALZcSLWwS**y!)v zy}MB{QLe8YH7$3zpAiX2X$L7z?aU~#8gU|d2~%m>JkNb_cE5mn0a^|m`TyqS|0c3% zXoMUQ2Z2LGC;kS%>=AS3cSuP{07%z=2uYa8ucxO6NcM+|gx1>yeF#cCdaqNDvav99 zSY*X4>Mp@IgIOa_aksj5Vk=Eiex5dX-}1KaKLJ*-PDr%b6-zO|42e@6!fvac>9OtJ zh{u4VhWmKRo0&QAe-Xw62}eh1SK-!UCvg^*D|sb@YIsTjXYAtja=e~%kVL0dHR1HP z`6$m|fuNpZlqhrYk|EGjm}3up-qKvwCO%TxvW`A1Tknb$omtL!H;r#{aEP7H!NeNe zM;S+^DZ62_l~QE>efKk{mf_L&)S;DA(tK9u@rS4@WYJXINtcZ=jzy;-yuJb-a>+E$ z9Sz?3i#m6qu&BzKZihXDQAJo;zsbPt?uYh|zVPk3OGHUf|K@z0NFboTCg%gg#^?r4 zmRh)2H?iZ@CbF}w?cN-AJ9#x>ON}V*n4uphIMnyKX6ak(PHFYSa|&ruX{%7>E=PzL5$SYlb6xQ$ApU*)zx#pcHz*U}2V|9fP4r7_-?Ov*EGY`|^Ti05 zc{g@fpiN({!Cksl@X}f_ygasS_7@H#Gf1a=-lk&wCm@x79|$UVvCwPX{CNdqZ|iDr zknOZ#E3Ak!E$Mq$Kwa7V+4u(&Y1M=++)OfP%jT1!<=4KOFT46xgP6~Vhh^2LL)$V+ zxmS4fliMyxln{m>LuQ`c`^XROn#XG}&m;5J^L9t7f~thc>%P7|1vT^E(O6@z$06Oq zb!)AIN8>S0TuG-O6wK%&Mrtz8#wt}eFtjQq?5@x?UD$B>6uzztjS?5x4NqJ9cV#{2 z)AjDgRV(kHCE#-|m^WTe)H_}BDDHcMx%d^t`Ax@^DqUfdo7Qz}EU9tmSd@4~&j7KuKgmrVxXd)@{+$N`IkM2f*A+^Bw2}ee82$1Ef zsTdvFc2DO1u|7opF_^8kZ|W&?h~MW-ZX&SmZ~5$i42rG6DO>K%uEW0L@fR-oSu}ii#51gO4|Sva@5l_2d`yd3bmL>W+bdfu&i9VegbT8NGdW zE82su*D9o0zI?<6o7MJkRK*t2YvDmj4Ia)SGRG?qt?sZFO#Z1F8>IQ;)|+i!IGTzE zN)i9BxK!*rVh))VgUV@9F7V>o{OB*;m{RDY^v-8H&0nNL^{WaPOcuo&b_-Y-$G`A+ z2o6Mjq{g7<_N6G#~kJ+lbu=J|+)9j~d?NlrjRNnF0HIXfmV zr{#k!p2EYKTM62%?4A}qTmQ6%(>+3^(o@V<9l;bULm3(3tN>>~>>|=!KIiDxJ%Uom zm<7_QN4c+V6h94)&%1^2QA1Q!LPSPPO-)BIDBKnjDMQU;zirTd=EU{-sGt1ybbTDg zRU{YOOV1TT#bA;UC4aPTuUM8Ys9iF;SHBk=Uq?iyOHb&*VW(FVk-(6>Kk9GAa)y9H zfb1H5meJh@)67N}5gFbgE>E%5l14+bD7`VzDAXtGpJz;*I=)XOl7M1NK~Y$$$;!dU zmKr{Vw9c#>m_K4rBMWKT(Ey)(HRu<-rlYI1uz+-b@{mXrc~n_Q)$wyg6m zHr~So>5z!G>xNwH9dMxjX=^^X|GjtXkN{DO@D6k~favXgl97SGbuu(GtT6L?ez@KQ z{{AYFd^-3<-hleQPVEPb{AS|;5z#dH&HMI_o#o!Z@QenNNo2zStwA(QW>~n3y7{5T z`z<)8_t64NDzVFGai?u}b)L%}k#g2^Hz4Xp4ijM_pF{co@hba|x_vE!Ur`Y-+@`3C zFb#Fj{-7~4HTBca58%;PAb=9%{^fX+15yV=xd3IAyNC63lX5ZiFd2cj~o_tnXLj9(e2PS6o?%D2pS0HWArmHU@rqe{|1Q$zT3E zP^2fn0p4v8W308dnV#iyo;LK=tL@2MMyb0TEA2rDGNE4d7H2exezjOaIqB^b&}eRFTGGbakCp*vvL?&9=4JvMD9;Yv_P==bhJwVYyWw~eP|ZS z9-|Cin%0=6xVV&VKrA9{Z!DAk{W7PQv0vh?g=6$cOD9Rrqc^imA$z5XoQ(%Hy3k$D ziQwj+HRdNpe42cW*qpDcRt!Zj^aJqsXH2Zu?l&$3~W zRFrh6iBSiidB5=e$2)oh`U_hT1VuwbYinx*;DD8t6(b{~B`!)LB7J~F2I!||0Y!K; z4FC=Umg`oaTWRociJtu>CRT}QnahaKa#Aun)e+vtN7RfiZ6ia_cKmD3$N-0*`q&{8 z3f%z1P)*?@9H4t&Kjnkm)=ceZ3MK4KcoP|gShd6f4n6+^5c>k(;oApfK-9rMgFzZA zVd-QwnwKlL`bb?^R6j3hQp|2S!epd!EmLevgd{M;W;ma@_Qv`$dXo``ZfXoCGLPsRsbj)j7+*V?AG?AjXQEvCPN^KHryNB)vPcs_0 z;2r2ShzNGxf)!612G-WPjE64%-$Y}pGT6A^tyQ0n_oOyAdu4Io8*UnWo~*2Ncn&iz zoxQw#Z|3%u9iiT0?_3=O4#!AP23IB-^s)K_k{{Fmme9WeF~rr=(!y|YNRf^e)X=Fp(I`K5H{3Llpt7aNUmdqkglsvS%;C1 zc<*RH?U_8{=9#if{n`SF)PB@S?L0e-O-UG}n5~SuOHN8kMn+<|rScY=OGeGFLm7)H z4W{6x-tA@_mU{HO;XA`;87TvC21oHXAiv^khc)Ti=Kc11y40~X6BEsu|MJdrFK37H zWBNV?T+xAsco<@`*xv4T#KPNmK9{lQ^mWaI$QECqidrFLU zx!L7y7Xf5Tg@1{T?iOaBG8EI_4|*X2HOeJ*ucr|bZE+IM%vfq)uuDDMr^hMf;*ve8dvF-sG(VI8lV zrm-oh^S>mt;MD(0Xirb=eNV{0#-XEZ;9$nYWN51kA)_LxDNZtAf0|HI2q_z%ahBBf zKb<}GB7`uiU7m6S;BO5TjfT>?Z}`6suMagS`4Ov;NuF))K>9>yda?TG{P4KKuThP|j>}4wrdRarO_tw}63qR+;Tdht%J7`tz>F@IkS#uz(OG{>wEX?&ldz zrARf<6#)`2H#awMP#W18q7U-G=K)*DS63WZ+J*_k_F>IiSIFK3wb^J3>Iz4CgOxM| z#ipJ z8isPXIqADqVyp^C#x3@dQzP4uwpp%CMSceT4?We$U=5j)HyA2IdDuaA6A$a$^JfLwZt6pO`nYv3{eM#u9cLrrnqrs)h^&lW4R zusGtgF2PTaZP7A1w(0f9S@2~3p9VuXhy zW^T^}y z)V(9kna_KjRoU{k8x`AL(OE%VBFTG@p{|ir)Xi}1Fz!5ew@Q0ZjzV@a@0|b!vRJe8 zq!^YgjA3(FA1~d%pTs6^DBz|dVva4qzWaobGg_!yM!VvgKuI7q9RYK5tH8><$Sn$A z8v2xpw83OOvQe(Uk>pP)K-hiPRF=8vc7O0Bc1w>#!RksQJ1|%22-t)I1fFO<-?X7^4v}Ty64)&o7-* z;~ZRlyD5s@M^@7^mv*wrGsc&M z%JNBDMc6`4!XY*q8WK_tN_xKX?5e5^VX_ODpdd-{LF&SS+X+VI@slj!yL4VhtB>_dRqDvYje_ zLdYHoIDp*(?ZRKF{MaW21*F>u!qBhpFd5$b)(06PDHu{J{Jtvxi65)KlCaWzZCxcH zLC6|b?ki+;Gvqrx770{T!5dO@LVj_Qs*KRH$jFbhj9U_D$*k4J*O3=&aqC8ild*A} zy~C3wqpdmNExB;1-uY8AQ>-_kMN)LDobG}j#s$#b`>-vBuGI$?Q%k8sQa`x;y!1)H zXrm6gO*YrFJMZ3|PH36}lsVgINB6T+Qxy#=+T-k@ag9OB^73I48{Ag#^%~JSD_O*eq733z&TGr*|^I@H!0B!-Px1;?_7MZz|Eu7H9Sw6y(3XacmXf|tuWF;25TsQ#-BWgLtFaa*5=r9X8jcfFlzE~L z%Z4O2*DC6iF!*#M)=OV1Pu9-EKUQeqB@o10rCWAm;{CjYMZo7+(T|FbX(1_W;%21U zT0T@8$Lcl>-5NM@{6JRl@PwOB{B=`-({9G;{^kP=M{W`yI8l33=bDmx>3Q5j(%2cS z#&SPnBN zYHp_#EkfRP=}XVU8MGOl%IMA%`h&hdhI;j>etWLbB6n(Cn6@1@=8M&P-Rq;1ZLq`) z4eY{tEf8j43$DeyXX?Zz=dTMYw%=)SJB(jbsKw( zQ$DwYo-$Wz*>=O24~F_(UFQ4hEyC|lKk|W5=7Go`)}O+;I2qoRcp5Pq!b*nFWQJ?MEV;PVMfY_nNZ&?rTji>Gvwb!)fX3DEKg7py4b-hDW?)Qns%{@zI${|s{=;vNNa^o<=s@qF}+6&c{vBWDj29g zCfTp7^>Dy_SU~wbX>?d5xZmY}}Yw zyNM_>yE|@OW0tpP!cD-=%fY?BudDQRpQPQ*1Maa~o>kYhh~{pvQohLQG|A>+T&*X- zKR53B0kg1xA~ZA@$@PpSKKDMEvJ&Z~QX+Y7Ti(_9tj@KIBGN02QCYtP&Wr%aevNXC zvh}l%E62VbDw>yBR`J@cW>&)em{@+enpROdrX!>iBv~`3qPF|+A-n5G4vJkRf`Pi| zRFhdKC4D;CRjdi{oD&#uj@6{rVVH4U+n4nWSI8wb@PF!&J!L?zt!QdW@vD^d78QlO zJs~Xi#=^$d{{R8Zl^Xfu(y^9F#7`%;*y1qmiIM47)k8^PzF9}s#?^fV-Y6xo-lo(x zdR*$95iUMZL_D4m_Q9cgbg8Qo;f4X4)18U$U@+V0kjJY>c}8DO-$v8wE=`BCqPlq` z-5Zf$D`GNpY$JBU?dp6Gm3Rlr++|}4{;)3HVI<45!A?n$ijsZD6UX$}dT30@sC>*fh8?SSZEKA{8>64dJed~@G ze9Gr}`=z>3%2}6G!rZz(3qrsff?9GP>#=xlHu!wVQx_i>(db_E!Akzn;cWWJhI%fp<96xzwb4x|VLe<;*z0`ifYXnF)ATGlid@< zE=uD2S=1X6#UNa9Kk1&fq((<#9v0ito!ob`8L!1T7Or_CnqHTiPFLAX^T$@7A}qb{ zXG%LHsLtH4Dg9*AOctKD=O~DpD%SDnXC~dQkx#swu!}=(8M?jP7|hmkT1_yszfe7s zm9EyA+>XY{ zC!agu%;pn7;*R*$S zu&y@ofczo2#50cC=TuRs$~yQG)W^d0{k`tjZQPF)^J z3eE1r4_2$MLDSs|1J)~EOpi+gAwlI{9DA3VX&&B}D{mtexL4W)h>OH&|I#3_;VZsV zfOlJYG|((a4?SqLM}k05Lk?E#F%MH=MY!K=yma8l$b|C$;gEg-hvw#ne1;?n95!Ce z{^4OLNa(1sJ{t*f-?-$yz4LGov6pK^) zwKQ4Zc)Yg*S~b=B;9iUP@@x9UX~^=~jPo)`^81ks#Qypx@bdifPgoMmjG#*SXbQWg zUtDNj+edWSU%P;W&}PDBYp6@1i^0ul7fPM*D;9Uuy`tTV+z{S9HYr}})48@lVaj{-{;3;L`mo~pWsjlK7! zWNtE>dKZ{Pw`by4qPvj2qg&8H%w>OrIvP7Aau79}-^=EtA&0p6VjipbuyL+bLwE6d zHcxHD4tc;(dP4^5)pnmeZDS-C#lY?2z_#lHK7+0|2KqS7=ZU9tmy?a){JL0W*Mj=g zpyy98P6k@bQtQ+lL8MY$UBx28vS644r#5iwd^;#i?8)vYT#k}o(s<91Lc3haNU&wt zHE`ch&z9~~S{dbwU_kwf*ax9NC;@+_sg5@FyFBnF_ibu&(^=8IMlG=Hi#i6|+}Hq; zG6MsH#`-TbHh!Opf&e=z!7qI~et!`;ekITpgHk*vQjW$4bkwb$TthaMy%1z8uCEyE z8+YH_ZYw+Ht`^)5P~7ZfL{ze;dIz6f2?kC&6U-m>%-Q1CNP6B*VMdg%=;}hbT3^fzC^5_JVRq?aGly1T<0F~d9 z1Zdw!Ds3?0t&g={a%K|Ix3{Ai_+@?3iLw3tr9d;Yl+`|?@hL7QVf*_f#^A7VSrp%H zoRIs7R{Y+@3Y&dhA!y<=?OV4KB$-#N4V5IuV#jKP#?N0xXz7^1A4`>S40GuQv_FBU zqk1k!q>fA$-wCU@AKV<3s(%!W@q;FW)9R~>>8O>ek3~_6mQ+vXNYQv*ifvA+z&z?I z;B`nMOZ)URm}q`c zL5L<$lp@K6dU}<~$@gf}j>29bSoc;bO|9-l16ArY$+ajAVc(*(K3^EePUQJbEM1*N zCB@a0WN*M4?xJ}K5K?k9;%o3+JFUMQY$o| zF3928^J%V%aDq9ijeS#T3yqQ6gq{3MJ_XEc@pwI_=I)^lhr4jN-#WoS#Kgi&O^aDz z*2us(<~8a`sd(?4>(#j$_sazYiex0Pg^B4yl<=kYz;IuOF+@lZBVCzjO$Daiaj#Sg z>C$dKdB`&HICIx)9GBYhcRyro5)Iq?;WzgGnuXfrhmO%S_SXto^r3R=~6q*uO zMaH&j>G4-njhb@qS6P}M2AX@>_P_Yp@C4Aao~-;}AaLt;Y9+SSEou8+L*rbgXaQ{z z=6*vfpsF4pc?sq|#6;r59}3PiSxuK=D?DvirEz{&E;6VslI5?LloD5?OwAj{6WDh9 zN>QFYwh>raM{*dwX-S@cJ6`xzrV?7x35U^aW55v(eu^YDfi+%vhfJH#eY!o5uwPo!xkj4r+<`6tnS zmeou?CkKxsv^eP>RG)I$aoZb?`ubx_*=T0e;y)n@0q%Z4JJJZc#pBVa>n5jgUtJ@` z+}|y_HUq<(tM?A}nRt1y z%&i321y=*kx}=7>+q%SZJ)h&`a7Ln!cG9Hjqgb$uh<}*A$uBJp@A{gv9U@e^$xZjc zdRe?2=JYp?<(>4VN;tAk_WjmJCvGWC&=6QL}_%Rx0H@fQ^)C(lPmO;nwpI)@8(Qd9hJ z#3wJ8<9J9cG6R|zn? zddC&-@f7ZS1aS}X`DE@78$CM`jH_fmFW|2e3|iDbly}_06F-{x|IK;l7b0vlolhc^ z>k5fF%HMk&0USO(zN~c{qDlu4_BP09vVO!qXdulRMH1IpX=~60YF#C^_c`P@>?NqS z0b00ipX1XPyM**{GbH@mIPBLFFj_;OP)bE7C#Rf6P%bk-8!#7G{Q-A4l{z*e1bB{D zj(7oa86q6SDi84h^@w%8yOw~w#Pj2x44mrY#MBQRdW>(>f5A~5?XvvB%AdEA`ulvP zsilKLh4ax~t}aW8O9epv1D>Jau{jTP4W>NDJU(2vo&?vJ;Kov*qLkF|(E>z!Kn zP9!d&%j2<(mxzU`a0(05ipg!6ylbow(Am$B%?Rcio+35nxI=(`;swpnZC!1*>s}Zf zc)$Sj=V4X`z=wrdXZ&;OK(i2i>4oGVyVegT^3=)COd^DD4eY7GAZV$yu?aQvJL4RXHFod9e$X9SSb7o3a*NCAFXR5vk)aOehb!{ zqi4!I)_^flSTvE{FotN|ZaNja5yx;S0Y~4`!dF(#U5rL|8CMibU7EhMHyE{cw#@8y zeYjZM+yeeST3$gh4iyg%5m7}&?wOTT4LwcAl9=??;RKPCZukrK@46fTnLpv2+x~o{ z6D5&)pV(2}gu4|iU-n5w?ZS|Wl!^?*?8hYeS>WyH_qexV{GsClhA7~G+QcD+;DQgC z;OBwhZ-e}?O7J2$CEU?;hn7orqIg$jEZ#c*J6+uu+2d*pT(2m7L?}&R3JPreW>%KNIXz{U zO0soUJ{p+ly1BCXV|l?t zF2(PE>~Jt03l;!*V_wE)#(7+T$D z{exr4f}{uqq@_$nk;ktk{d1M38_76w(ltq5I*Ze9lp#TBk@z#D7LK_G3gR#2MhKK~ zKIf4+@D|31W|Nt0eomFT9esB~+9jT6xnFdZ$y$6|x%aK;d{1fD8DT8Os75t8(avjj zrFg`*<`i@yG{;>AYJU{7gDg!o7Nu_Hfdl~9*)poO`m*9RmPHsXASAM&W{=&r)1~95 z;_jy=Xx#x#d_p=80(ir6mMdsTc>oo2#*%svrC7KQW6VS60Ml8J?O;s@Qt>N z{ncia8;m*pIrHUuemD}wG(lJOa&B5FcDNQBejIk73guH=Z%*YAdL!HFuD7sM!J?a?|158$B7BQg8V?1QLopyuEE4<&Vk}H43uG zhL!R_1qqzisvwH0I0|x^C?Kx|CP0Sp2MtcE!?AU5WqmM7Dvh!D!jqQh*3!g17Ibg+ zp&FYu@oyg%7g9h`oUyI!aJNCHjq`Qli*n|anR&?~ z2%XNsQ`X>;A`>Ji&wwx#=dkE<-9l;eM|viA@Q7hk6`_&WhnYh*r_Py4uAPfb%9YX4 zQyxcZGDa+miC5qBgk8((;K5PcDx`cCi9&j(xyF|soJjTu6Tf-rY4|PD8TagE$xz2c z9#amjE4BPAH#zs)_kKgMD*tz}jg0Z#vv^V0{<*@T0@YxpCu<*CpE-xY==}c22>h)4 zQaVyH;iAGJS-FeH^^+4cRjKlbu5)05T?p&K9pC>5WHwE50f9_$9Nvzx$?Qk}-Sy+V zJTAu+G^si7jwc?R_pQ8_gs`=^8*Z)bGdYAg&{z2KjG8q(BV4Whlp$n3D`8g&p+-UE_dmZ zOiS`7A`po0XVy0*u8^EA0t_-**h%SsA}{`c=`T8Qa3GnXZ@3F^5|E|ha$KvL)@&w2 zz@U&Nm+e7iT`I$r)pS1%VHsTF-N%PC$y_SHeWEJb(LC-Tbq^ zS_e|T{nMb*ldR5*hwY*%B$`!hrjGab)rmE=%$iK|viX`kQ?~GQHQZnpd-}F;0ZA#M zC9N+ZCYXR26Z|)>`0WE?-yr=`+v>{*n2BuaHbHdD&10}INc2Yn7K%NTz4w?AKcO4z zDT#?cn2r%JQ3@Nu0BDLYu{xyDOi5bb2_NRUm-7YirRk z9dc#&kfS%U@V}@4BGjb38D6vlia%mVTlv~M>oUiKMaXC%OzUzuyJuW1zB-E7+KWcI z;785qcmJm~`k-jC;%VDFQ*rOsBZrcx( zZJZ`NUxElKo}>|auKrA5g~-HMwbVMu% z+u4iGO|lV1IgL6S17*_Ipc@@c1zZd)T#UxDULPdW8jkhn_~Dz|q?b6Xupw5&tXcB8 zw5CHe_N^>y^Dq8?WKa$eH>a&VvQrzm7)T#6jOfL~9h&eZ=#4MSxb!wJkcwy^yl!vb zX}Dx3%L&OQE&4LBC1{YJT8B7rbUEb9A@ZDDv3d@jk+)G6Fy)p#JvNK=bt+;EBZD_{ zaJzB|sO6dM%flJs2%20mD@eH-VvN3zY}tfxr%7d7nq5ax6LYWpt7n**i%JRw96DiIw>WMy5J@CyYy0f=jxyAuZebCUAbkc4E^jKKwbd4j<9i%)z*`(c z&Yvzm61tA0g{q#IhgDuHt`hBiy>O@Ot@&mS6~24|Hp|h+quPmv9=c9B@DAvP@~|73Uj}3ll;Il(R$X7jC-(?6BoX5(xvGbk^`&5j(GpW{ znPwst4Vw_m7$%Q!ICxnL1$+s(Tq-!ljQl!6N@w`&@Ew#?l@%4_Q9pOv+eENt{pOaA zje|$Aa9gjqS5DqY3+UN?r~?zqrlKnH{|b>huBRE77UK($n$7&gwGfk2gN}qdRKsI! z2I43UdLu+O{94_v1<@(jzeE0(5OkCi%Ojo}A8dHe#p-=0RA|H}7Sk{-q(r8y#gbsu zU0#Z@8`N<4#@y-oBQ74W%%?O;Ki?ERv?vaRyNt)!6$`v;cYkH9ZqU(F!Ok6^wyw^=qN53FOKx}qNkPVKCvV6d#as!1{Kuh_DqNh>FtzKy93SkT6YR2WM zi~`fUyX<(B3Fy!NpSEEMA+*LY6P`3sR7+<=hU2J+@s&wc18#orLR;*OU$1Sza+wL) z+iF;L1GetFaC%w!gSz0gy^b2J`yx_xIkXlKOFygnYqzEiq0$jgPe8lL_+@F)i&TQMLy|q50>M1zeuz`?ba|<6OGz6WQvq zwx!_zI(Hu&=_q2q^4BIQxOnQfTRY1eH(ksrYveX_Tg9o3aFKD~`mN^Lgv z6nBGJRQ>q%uTV`qQAxaXUJ<8IMN?Zyd!V7;nQfV%<#+z)!#_*plgVw}y`5+=rr^b= zyDU9#SvqqCn?6G>X}J)JF?WZyf_0hrvZD*;7d24{WtDAV!u^OnAl^tpeDEx^#UA;@ zD?w#?jc01i{3)n%zd{FF5?qu=9L(1Vk=@)vS7C%Z>|G!=4MkCD=`$2LEP-up^{7>7 z+0tEKI41r{!_iiIL^RI|4_DAzPt(}LPsO2s(fDLEx6Si@rmbK=^Ry)<67z_3FJ zv(6#?5JR|VnUKfnu4a1H&+`OXjB6vYO6JH%9yK;_1f`*S& zZ`~(gDlQj604$X}!2|QVn$#E<+Ti2k3q9)yNk8(qUn7;e ztaX3@BlIG|1wej3NDbxN6z)M>E!G{U17sP#I&in!wM+()>)m%JfcCIq~_QT&%Q& zEMl?>DuPLomC(R1Zk>>KxB1L5ojeib(?BKpK4BLDZ@MtgvR-1t{&cK6GQ6HUz#u`l z-C?O9kU6LF&m4uw&upsVn(I;jj!|#`V^NM(Om1*(=6QC4BLCOp4C{Dphi=9DYARg& zQZ>!1pTwF~NiD6#>_xd}@7uSQky4Cu6Zi?!y8nl;a}KYw>(+hLu(2B3wrw|d(zvl3 zJB@AIw(Z6?n#Q(uR`I@H_da`{^VhnPc3oNPnd6ybJagRRck2{VJuiUzJ45l5W*;VU zBQ^6dfprHXi`pvv_ld%}zLuk7E_;_5B?^zh5eE((VM)E7Y3-TEkgdOG2^%s=a!Bzh zEm=*!j%^1VW&DlfQdT5#km%*AY%1}qz3YjL#HQ7Ddzq@uOYumH&{djuAI&qGH!p-e z>+SsnLT6_4xIMrkb_!DpkDb$f^>{OQjP%&f>xUU3mi1Nzb;Np>#MZ!P;3#dhuSRtN zQxUdBQI%ti6tG2BQq@|xi+K9w`|Th`XeJIoHS$nvJ;VF07>l-ksmbWZ9b+6T_J@e$ z*we^>^X?RO*Mw$URN`xzvXMV+VS(RuhF?yx^d1i7t?_vuRF2p+7zV1XgSZUB7W6a+rgjxHDU)~)KCrX6hkx8^Vl2003geo)YS zfoz!(eEUaMBCQWrA!hZ7T+K>*)@lHZhCsM2vUL1n2@9e^R3Yol^+pqE{_#6*ZsCTl zst01`lhcO?mxqn7_Ju-7wW&%4C`JQK97KbTdE$~wpZe}GVohjHbBia1k-_-0P{E$t zKy`TBR_Z_)=kUp>RMq20CIl5hwbgpaitV1i8IFOi7-=+6C8ozqP;s?qYD_&o#LF8~mqhwl)(RKUoWkj6qf<1xb^ zTc!gm-LX0$%s4&+HY)@8YuK zv-OtV>d@Gc@q(OJucR#tWi3;86FPH{i8Lf2Fmc1yA}3&s^3R5i(O;73p( zDkS}w`~fQ{2$D#{O4maZRo&3!gW<177&!coXcv$3dwBpLr4LV|7Tg4rUbWPB+CQ-T|6z=c=lB`Ah-|Ckb>tFu8`Ph$Vp=$KIM5pHIVkUn z&^d$k)z$SOyoBV80(E*P`EUE?Omi~o2rFsH3S^7Hzaya#q;83#C~kWnY{dux2{@OQ zd9e=lS8yG8rA*eDao+8qgNF-ZZEhR53Lam#QxTK0-H)@}4}db=u;ROJ(Bu`*&_PAt zc3-2a1s_AochK?p!k~!UFIf%tA0gBJC;=`(HmN4Xr(tnIy4}+J;&wM?#~^}71^N$L z&xe~pEKn_3BW-U-z=GI1*E#0r7I$Ch|_hM8~r#x9;Ik&)KY?vi@y@8Bz=+HyiXb+^I`n zb3AK6wY7V(W1yh}rD^}wG+VCHpSRt0(q=X%oa^NA&f-K1yFo?ZegYAHF80=%ucvrr zNuA@(*gFauY=X=AF{fK`&)?JDYv=g!U@LMq;KoF1_WTv(m4C)KXsJUSXfkFK||KbAPYs_S`;7dtZcfeM&&mg+s8~Cx> zCa57ykMO`pPh3+`kx^au;K1gBL5$75Sck``j*!eKPHfjiXt@p@_v_kw^7vTets5Lo zn941F;!0%U3~K(wZuGQEAseV8{0V8me{h8@3FjZF(}$7dX%t_5HeT$OSuc-@jX`f; zR6nC6W}7@9^ukyZ+BVxOYtG^T^;j9eNq7H%!;#2u71pHdzbY(-QgD@2%S3kTjtDq} zGSLDK8oWAh9Z6e9TY=n?Aj9$7EsI>gBEW5Lvcp|_quN2Bp5IO62F1!WkLYx_4d;qH zd*`Wgq`Tgzigpy!sii$_D*AXLN0e>MH1f^(gstzB&!5@g4~AZhfVqJ)HfMIgC@>UA zWtMEGz|a&p%q3<(E%W=8kJS&9gp9*PWaN<+I>AE4F<?9naX7`+BFclMoETSwnke~ceI>p0fhaN$YW z0R9_1Qj^=2o`WHEVT6gvjveKr>NXfJD2&whqF9AoF!bF8G~_w#DuFs zUJO zM?uhCPtgT)tUB*SsF(mw8K6ILpsCu$^Jt^5WhI?!oe>8>3 z?Z~k*V9IlIQ(QO-ceOMUGSajt6g`8{MXC17IqR()3G8X1D%6--6J%?@X#=!EP-fNZ zk6tEL!m+2tn0P)lI424(1YYL<_>?`*fI-H*6hyK$cpZx6^V7Os%(~o`^JH4QwX=LCPD5hy^HfM}Do7u(i zQ*QxR$De%f^W5fJJ4nZx8?}~l5}Hzd#fE|yRMHYK1UT@Y#*);LZ0o#}+rab0&GgEn zAEnNlP0(7aL7Q+g*h}+NtNdmp(yvAyj!!w))6Q0pt0Slt2EcPhONN9{G+Dv2eUB^2 zA+(@FYYR#ue;L3wue=GqtosgI+nAqa4!&u_nJ^=U)qv2Sr-Xt^NYD|WdK0i&{&Y!z zj)D?x+f&}wJ9sscX4j&@VP5aXj@Ck2=nt_j7*Pwy4MGSG3ZW5(X~yB{OovL*V*Q)X zecuaaW_~oT)#kC^w=-OF*wCz?qBGU{26lRMd2xArRO%-T7QG_`k$N2;o$#+df)fH* zQeF>n4H*{}mc=#Yr8T96(@tALUs2rD76B_&(gD#xTfybfSKc`CMd9G9rSn;lY<;#V ztMc%_GA=e$yO5AJc5Kd%)n#>c4E*B7)YLhVy2L-lVYQ}V0)0fpY+g6U;J|DWl7?M( zqd$x^rfELx4b0qrhF2TdOv?5*9b)*7O@>4i~Da|s9yu-=L32Pnp zOA>Ehg-8W^x3|k^Gy?D%_ws6}mN#Y}WC(x*O&p6KU>XYh`*$N{w+Nw#rCN%-luvh& zs^eOYH!@})3uZY_m)VT(rG#9z;Zkl(DzY~ih_d-SfoZ{qe>^;3G;kFc7k3NVvP;Uy zuq5hN3SU$91q$mA@YN^R(Kz^i0+x*D*-UfaMpYbQc%w(1?@AqoNL- zZ>fMoBIXLNxvtr`Ty$+ddqvRIN>w#c)pG#M1Sc2hhHSrV5NOvTmNqVj;gx-RxpRTR z6=L}LFqkC+*6{+V)_%Zm$n23H!U~Yu#56VSX8{My)(goz!qQIzg6Mkz+CC8Q&oo8@ z%*%T`kl=f~9?~1kx@G2Qv^B(H%+f}0>8ET=(8vJ|*LqBcv(Mq5S^xnmx|a&Oq^d*Z3*czY|+tsHVf z{h`mI$0FPPJ-TsbhcX~nPlN-KpL!cDMCyFax)5DR>?>y};NI9l-X zID32@Lx+#__O&YzCx}qMyBKpkxucsvt8`*-P->GYXFdb{T^?uSI6x+Hgt8Xb9@-rJIBCVVtjMGiD8EKe^=kqxtxVoxb;{_T7T~Qvj zpH$WwM+{S&yQ0isQT+&$t5JT3L7;dc?<2Mkv>g#2EFRrVZv^$?#O+QZR66}?N3vMt# zMEi?`u(`X_6|p78(zzZA!uP@Bk7gxNP~J4KRQ!SKtV;SB4ngRjl6-?Skk7m;X?(q} zckKgfaj`wld0;2Y+^ks{<@x%knu2tyr%3uF26@gy*7rNd%j7N}nhT=x2<7h5=?wcHcU^ zN^dZM4wYP1$h5}+@yS}zjBUxrw=BpCsR1$3CjTWa)_#BHyl6({ zfngy_ptx`dO%$o?K0vHL^!^VdGDGZNNaXtR$h=`E-oZ7nsk>S38K*_uC-ifQiC`(Q zgsHvf!y;K*t87#f_rqO->ptATctXda{>>4UrDh&(Vo}2h((AEg(8jj?`3EwM@Pfi< zr+-8WBbcTqEGX`lJ8Ev? zntpISaJ|qVOw@CCMU(K>A9jcyA@VV48iE7aBT&e~#QFCZ>iaEX+ciBsu4&jePld_o z%|#z@My2Kmf}|vv*Ne8^5$F3~6whk&MO9YS^!Re7xf?u3Q(C-86{X%LyP*$UE0*C> zU)V49>_2n%i56^(oD71qpJw*mVtqXffaHC56QdxnB0KQyIk_7OOhILP8y@m-O1|n`*}KTd626znX>(@4 z_P}v8-XZ#J9&KO@&obd@e+|5}qii{yed2m=I`{=_;h(Yq2%xleLc$L^7)xT`XXiXE z<2`zLssv347i_`2IIxu@dE~}3`BdMQ*q7HRu;wFFnn%X z4!50ksAu-ak`gR7!Odt@`Q7j!5iy*Fe1OQrwU{}QijM}gbbLle-be3+5W5Den9<7y z>`}c^PN3|dh}F9MtAf6h*n*o-oIfH9@H@Y&y#=`plSofG&kmdI`A;uKM6*k3-=me4 z5h0;VbI{~Vre~mS&1x)WJu3kNvwDXm^~lCD%Z&ElQZv<=H%c0B~m5ag+K=gkyYkFTZ2lP06{uHegI3olu7gN&F;kJpKvHw=yoeU1U z9gbhO{F6S22ThNCa48Asitq7PbjxG7F)l@BD*x|VigyVq^@7}aQ2uDf0 z*u{PM)z8FP?X$Fi=}k)MM1#!P8s*FmNu9)S9j7y5^uUTScV~oWBz!eP9g?J)4Y8Fp z3~AH@ldQa$W*CET=-x?r;VUOdI*=q3EZktY;?6OEp2JO?i{OFnt2oD`6!*hK zc^6S}fBk+e+o;+3jdCMhmAlw%I|SLh;l{~pvXJZOlO=XUk;&whksA3JCJ8Y;h>5X) z)Z4?`J#id-=JL5qpX@aZA1N`kixT|Zw%2Q)Hw6FpO49QmV|(E%kp)JEZ!J2mt`M|o zOa}`~5F@`1OUFgK>|PF7Xfx3HvQ?*=YRZa;G!yZbmVHxyvoUk7H&%Or;cxL5rl1Gx zb=D)WYP%ZzJDSCn0*@kyoO>dIwZ4`!7ushR}INLJxK&GDg8Cf2ojo-Mh z@Jt8xj(egqQ&ZnjGtN{=7slqfeU-uiRefwdC(H+|1sl*L5XGlv|1q^@qSnwa{6*!o z6QJq5$`5pLab|TV7&^wHZppY-uWA2KlC%kw;cVnTk}gT=G2oY*LF3N!tp z3OCKhW_>)H^d6(j89kD^&VbVp|C9j}zt6?vS)Fqtsg+wJ~Qvofr;tm~nW70Bh#DzJQ?bRfEdLOzUR1gE^Hi@2`IjMe0H(8Rxa9$+U1;Y2OrVQO1FK*$gfl zj-;KlW_0UJOj}+RITD(dYGU*ygG;Zq99;E*9d=&VR@EimQ(LzQ-7VpaMFQYNFF=}v zI8o71R;3-Hifsd=WA5(WGs>nvlw|zvY9tt$$vCSgKKwaF$KEc*0&sL?E{)_Lf7av~ ztIfRCQ#ueF7T#~6@CTKeM-wjy1qWxG+k=1U_@*$xC>E=up^0#SuD)o!pXr<-beG-l z1c}fP1o?X`?st%!heCb-8pYvT={up2O0eVM@IXoV$dP_~{{c~LOtbp}>Z$Su#+t=` z$}w?m|HeaL=!NJ_9Y>q5`~o~@X?{eplXLyayZAj0L&ZbjZW1Z+s|*MVqtROg(NIbD zsuLd<(_q)fM7NiUvfxZcr^|dNlPP!u&&gDey@2#3#uUJ;Y{;8eW2fF49;++)R$%qS zBEvA(S>DtShyHFn-M3ZlTCW+OM%elh{WaZ}A=9CA@$g1W?_?3=$Akn*kVXa5`QaX3 zzPn)!`X;VWxD=Z3$3u)jQ3zXZyGPJEu%(h}$ctx2u}U0RoDNFVC3S>AsfXLo6Ujb% zjp4?}h=gZ6W@QOQ1{N4Blp5z(FEe-iL*H+%23cz-mBrknaP+GZkk=`n&GeJ?P zyUuVElEvh(oc-0qn08~t?%^|Uw`AJpqq51p;MsMV5G+Q5Viyg$y!Q?64 zm6B){?g!H!Hg+ls4Qd4I+VqnOGh$kkTC#iQK)1SK;ci+%Sb3#Y-!DyVnWXVOsm!bm zO8?cO+(ngSc*opLRdM+Jxcz*KC{Sua$LpHf)GVlAkdD%v*La%osD38kE*paCA_18+ z!_!DN6t>ZjA-oqBlSgNFapoD56;r>&kLFRFt$3;#Y;3K?fmW^?>+f@*cCbe^ng!l% z1Vu@Y?UUQvVDBWZW!1K#^=k>gH>J)wQ8hW{$B73M@G;=wm6@xf;hHI8%=T^jpy zYNqQo)>M&iMz9NK!UvvLg|J&$F#7oXB5?3EgkpS>7^%m)|U0`urRzreS?C>IrcMJ}u00s|lY3 z@P9xyX+IK{PG8;P58aSQ4IED+94wjs97{q{z%aDAJ)O+DaP;||wd_g?+;lRRTChAU zT|u+{RFoxpr{dSR!&odQc!%Z^lHNlajePcQrW=?niY8>4{;yTyA%Sg}v!} zSCqJ1D^_SzGEQ!7Qs^3?fsD+v*h`jI2Hmb;_y6s?8CtVPo zEY=w`xOp9T-Bm`FLK_yrVE1%Un^%K|Ovr|i!w8Mm8#uy5z25V2IXFgZBhZmBvm5pA z@U{dy?^$Llc+cZL2zsElIq?+ff>}ZRB%=Yav`O404zlL5C;FVDYzKAnBSYcH)u?@8 zWF*#@4u{u0u0qyY&vPJDLQ>sRqbPH*P}OOpsfo?XUlu{fV^&@W8`tm6(yI<P!Hc;^DeB`{l_}@4;1JI4;W&zg+rFFF;GZ zy>++wV7}+nF}GMJ?fZRT2Er|*7Oe98>WhWf^A}GC;2VPstYbzexVMK;F2}gO54Q1n zgV-BwN1Jy_O5zCe%bi{ft#T}$>$jHh8`MEmIgjetPae0zsYE7saAynbqa19s``Zzq z6CEr`gp#J#>TDT1h)@PIGBX|~6>FDcZ}+(fX7U~f1V@%Ht7o?{*_KGtS>c&2rcVZY z-rix9!XFd1`P^1RdiPESQi_;Zg$Wk!+uYks_L_w?HV|cM^UcSUmZb6G;^R%}!+Jfu zHq*?QBt^Q$+HPFEE#>vo_V+UHSe3c-?2?r*K@(cDw$g)99bfCe3%wPn z?}HPXF1Hn8?-(1R6g0(PfWM#jFzt>RxTn255d;-S+O@rXx``2idYIii9xA2gI(%)m zyqnmJ%Kj3=xJKO9AIyE;r*namI01V~usVxExOrw}b8(rF3?rMh1zpqYMUBOxBcRxtm=FWx z6PNq}4>w*zuF-!Bb;IK!4_DD5vK(-@o#E6U9IFF7)7hU$0MKt_AI)>LxmGC$O%@Fh zWqWRpPbDih7Q`zAKBAF6*J1FU4e!HJ}DyV%K zX4&5e408MG$&g6){9(q+!i&gK-@`~le|Z-IZ{YUO_V{}FAap`S!Js;>tMQJk)2*m% zO;b)xTUInJF{rYFd_qi z85HE-Ujk`@RiJ3@Y)~lCr`=BGFMI_(!fk&Ec?XFAL7vyr zlg7OLeLKu9^MWgaUG4gyTLO5SABX?}7191|AeS|Z{}$gusGL??q7jK-#A#Jv5{P=kRJBP9(3?<@B8Wq^~8?bmkIaXQT6Z-jfKBSbld zXP?=ujuW^w`e;tKEL%qg$mWxn0`6Mwa9*}=`W>a5Ac)bXEEJ{*eWU!+J=`;GuV`Ny zWptvZ_;YiPyQ;UIwA@jr5e6!#hn{a4VpT?ka(Gl1FglONcOF?%>2_2m6L52)rgH$^ zXj5PYA>_;kBOSe(Wb|On7@@x{y!YurxVgF4TE7uOkcB!r-ZZ<+b`j9{2KmFo*x7v+ z5Z1s(j7CRggUkDF2=F<69|7R{qM@LC7KI4;_XNvlToll6I-Y}`L_{6(xws{<^;Cnnjt7lzVD(R8AqIt%R6&MeML}^Lr@?%>P&QW%zK*Az znZW(LFynv}7^zaYx(|Gw%Q1*TkG8FNUDk&X%rgg&__b&jPS^swY<1nWUY6hlA>vJ` zyRTS{Di$!Vhu6b%J8nvXa7RX*ppu9fUj>M$NypL{m$d>L^XZUju8PmvAy!+RPcmi# zXWO8`nP4R@PI=09$7*zV6eWB+O(_65gv&KzB+_SLLfh8$lB3Wct_B=v>Lyh2MDdV$>=aVP>Y_!)}If|l=CIOZ@t+l-=kZdzFYzl zro0RmhsELZd}!$>ZEvk!^r8N_(SMIb_`X9zcoacypoU-=yYM1C7S4=pJr z5m9+n6#yN9i6PcELWWOBOS7P@E~BU_Ba+>`cYGY~ca2AKez?TNca~{+^vuWZ7X=5s z(XQHg0}&1SK)>53Op=#xf{qfWq%s#ZgtFaBPD(&qIH|2IrKqi3p^PUAOp%ZJ1W&zD zOU3|j(PAXvDlBSA=%d0XpJ{JRu(HOnG+LjRc0oQZ=-9mfRu4gy>nE6N5MvJ`c__|~ z2qmFRQ~o;O`okBScE=@dqu}d|+wwElx_i9#56afvct~F)MN3v`?RHu&3SMevQW~bp zoE-2$A(YrSg~RLu>mnjDg2lFXbxLhwoe&#Zo}Mqb*wI?@QfNr1M+JGaQo3S_`PD=} zB$u%waWJ7gAk3TzQ77BdpPUhQHI%*+KGo^NjSPj*ji@twZXQn!38Oh5{ui?YuFJ zb|>Mb-mx)rUaEZHE!aeFq244q2WKB8d}h=sKl1iIg1IG|FPVelf?!00X4mGqaQ7>b z=pEiv3@nJex+VmN#EinHeSiLy7EIv4*hD+~#q!4?N3kdg|FUvhk zeo?z&Eo0%OZ#9t(?F_cU4mJ+Kn8CsR-HQRL87mN52B=2tv&I=|6_p5;vy2mFkhy=i z)IV1S@L>S(06#E%{vn5Hsh{L+^U#t=jTWbi4*@*j7d=Qdt{%~T9rf^v%0obZzX$L` z7b-CHSN+DL&mP)5s>^BdubY;T96~-wzpptE$bYgl;5um`0O;|^#EilIJMVrmvy%X0 znjwt(olPF0aw8RkR{+d4!>6j|ju!V)cdGFaC#NS&Ow`nLRW;2>WTe=SO7cwm<`%|g z#KWq0+s_Pl_a!do4R8k}ccHCf6hq>W;X$&pvNYthi=tw6OdB%%gSs9{tDmO(2 z&v{YPfYJ+8NMX8`%3R!+@Q0)sCO~cPN-0@C=E*goRLCJ?dBigd^4CXh1Y7TXz27PY zOy{ND)YRH>p#Mfq{ps`mb)ma{0@!Wyzj>xMo?g9=psB1NT2T2Ur8dyUk(=ib9*v#R zMKq^vu(|7(Y69Dxqh9ZVNQFl0c0*H?S7RI4(@izuqO;~b_ww-AGh9yAgT#0=bo~&_ zjvaZq--e4A8yF>i{7M}R}9Mi!@~>N zIGz^oVBQWJ;b-QsGd*^TqgSEQg7-g6QCRa9kwk~##u(U{1C_Dl@P{eQ)mPFRHMw(= zE22t6ak(-$>@QsTwZ0%Db1#F6RxCAn?2K+cAEQOTpqiAF7Y1LRTqF~{@kor(kg`0R zZoc#Hf6|cVv2_q@8~|e5ITCs@P|YaV{$$3kBOt#9oEw?Jo<-3=C<%1=SKQpkgHcjZ zMjmr55zrW#5Tq*f{)2}7qox6bArKf~F+Q^Zveb{$%yrwXW-&#(8|8cqjC|_L>$=(U z&_p%00Za*I|I7|vo2H{5BRKDn4LZ`|pv$Lgo1_-95p!Ct4OxP^S{Tj={b9or^di+BCvdC66nQlP8G zM7kOD$u)&buZl6gYxB}Ck5=uySN7&$N!p*2>HUaM>^!U_w>NPD%g`hC$7$OF_l^CV zMpJ9=%~1jeB~TQ?DvusHDiSNly&T?Zd~zWDT+C|xCX~2jkvX28(%xw@rAEQR+$K)3 zHR_s$xXKO#3^D*T##lbTp-Fz+_*eKl8G{3S!@utFb15hUNPlEF2vAT#Kd%7rcm8PT zsEy4WYWj6!`@h;}e_d=Kke_?O7GN(}eB|?fOuYhQlAjH9~2vcFm$XAF10dQk)6kA@&D)fs9_&afGA=EL zT{iIM#aT~>F9>twbY`S>P8Us<8lUeYY>^ZqoQurOI)zS)++PNyH+^xyj4e70AKqX zExDc|I-Torjlt%;!G*erp`?ebDBOw(Zs=WFB>C#jE-FIoa7`?B24)Re0AsT>w1NR4AzZ(jpoP)oNYvGPR~bSDSH|g5?~!ITOAd{s<+a; z311}jWizv4P~zQM70gVp(@d2RqH{{~>qCRA4Jj$b>ejR%d@oBQbvujw(838MyAe~G z=!&$~Ppy-}L3&7=-`}-H`0wyO?`vwwE6T^{D(Uz=5>t|pkq%*Elbi$2m9ANF*~e@` zFk3&SeCO30mIREf#MO-7+veWX&-H(O7!JM46?)!ie@jwdMbM^_y2)fT705cHLfsr- zTK6$2NiPg8V*RoIDA7vWNnxVKpAaZF)Matl!eOk|=rSjkxzajxI~^M4%NXFzpi`c? zGair3z#nAR9~wzGDm$u)Zx7z-R=hZ+VwrpjmbW7Jf%_j9 zt^g3bLC8mXkI&}xA*5$3@m9N~Q|GCt(yix%4KmTy;^)sbPZiu7fxRRhJjJH zMT_?PT5O%ov+kBn5mlZjt&rJOzTNqOXKG;x{YtW{&UJb%6b(!p1t+a%CmGG>O-yDl zBYP9u+Oe2^s>~GmjJ8)_+$^Ru@&>X1@Q#5SMUhhGXFjKk*W5y@`$@m1Q?ePx z{m$%kNYEEKuVq=bPYQm&c%^@G-77P&pP5l5wRMPF447?$xlfzrWg-H*<}` za-=`D_Fw*=w)VHbZS4UL1@o-xNAdpc4i3TAQI~&kuAHSvaD!BYosZ`@s8G12mW@+3 zl~?)p6kLU+mrVVL7*q`>(vGvHNFV8!8t2V6FBXcVoMabI)L0d?ljc_TOzviK{n#IX zuUKWi?&EK9`2XVt3@E>XAptm4dRP1VYhDV9Z;vgH`$KAm3<`!M3ftnc(gl+h0HT?l zl3Nk|p%CV8efYl{(4TwZ^UuOUQ}}uiC9H6zN)*Br02cWsj%4%M8$ngmZww`m>zC@C zNb`SJz1N7w@3XGF$wJ%Ma=PsHV6nZKDLj?e_xl1=`HRr0ge9EHdS`S2wsk^(jMxiS z=Jp;v-jk~_s0GA+NgY>$$RK@AqxnKs(H2f#03L46*dC!}D^j4r=&G5z)%iBc)Z*{8 zu=%1-JtKQy^joP51oAVf`0&YkGw>G`WCJMgh>1aM!tK1AL)D)Su!%Lbl(4UvsM+!T zr3-XGy8pL~jta==4bZA&@&jyGgTGYPHYjx5MvPZxv1L46D~o*b%uSg(B+LezIl9a~ zRTa#R3pGn7nJ#Zjfoz+In`&nx$X*s|cc3E;aYd0~A^o;+2zC|gqsfOuGs1BP=B>8N z(yfI>WOuSlCt4gWh2&_Ud8@oFWG!{Toy+H_RAMFew-}Ott;snV6#h|=sK|gm?llWz z*K`;Zlti!|(O8t9Jf!KryVrlI551*8v`P8J316~ZOtgHDxy|B+dvXG9L~H@(<~wL# z3^#w7n_pGhXDVg1e2QB#=$zGE0CP&9$S28PHLaO4lhbD1MUWTEEGWjZc+zoz8!kMp zQcK(dOh-O(agk=ps1kef?%x-8!?q1|^tO6!N>2qCe~0}moGghE(2#t}NJEr&QSkdv z{!WvBqU_gd0Xlk#PzdvLEb5ZAuxl@5CHNzBQ%@4b6%`L8PY+XApD)tgO;vMD{a5dT0w^_bAtDZMn2d%-qFD!{HUw1w{5bS#putT zx5Z6-+ZJxowMii@TVk8sthQ!#-0FL5%M7G#^Q+?-2k~7kBdlw1B+(`*Wvz1La$kWfV(cT7ISz*fmcZ{HSgyZKmoL zJsloT13GLvVeITCy4!a6a)cWetq>kJ0Io8*{9_?v+;0BW(bBR03h4DelEZW#Agxq~ zMfLAn)>@;r_?%%Rz=!<((j9G>0S#X@cZL!FR^SXW7010ii8#|*F zFL8D}s?kN8n4T+TF$7C0uct~pz9UMp}zNz<2yoJh%unYz-_(jBR71qCh9@_3+QR@`2vySI3p7?Xc&Lx4bj z*0I`Pi(k!OD{x;M)`yBqpf_#zhpIj-JkiQy4csOSXjIZo@YWcg`m~;Qx`PwIvDtPb z9mH0`eAdhU3tdJ2X`G(aZtLaCGIi$-#e2l{KN3INJJh+kIW;eee;l{H>_iTt8!Oq< zI&7$F<8b@+9V#SJ5);v5AMTwMcQI<%r3jSW+TENV>t0gN5PhM+>3CZs57!WoVwsXz zR-Dgpyp~rbwbsUHIlHV-ymPoD0+7b&Gjhr(GVuepbzUWGjM zRkF+Es+?e$d7Wu;I*Q0E2%NV(FuC*fu{QN>yhNR}3^-HVMfm<4g88Sw_eA$88$CXj zzBUVAHtc-$@Kha{{8dF|%^(g*g*4e*+@|kY6@OJ8<09J-G66iOrm9Mx(k?rXth%HA zcbioUL83RzxR5qslf6cXB@trAd`1!=n9n<+&WlTW9F(Xz-a)6{h$_90Na{HX%!ckM z#%MfX8zc&Js}!gbvC`KjW2x3GT|^zo|nX&wf+T*=Xn3cDjQGk!qe09tXPvF z_?uenEBtXCw{@zFmgjC%ID5H-q(^n{_zl~-bKg`U0V9@a74^Top-K0DaYOpXW_cAk z!~~T7g;A7}q0@>;pza-R5CgMQsiVKOZdr`&h{x1c&raJ>K zZV-X%eJ>O3(cRswT1W|_11lC*9H)*wLrXO+GZqC83mXLiCHkY7({cL| z*^-Xv3fXnu(m@r|90R~Y#v0bzSzykuHBoa>OZe*aY(sBnSL#m9Eaa2=-}QDDG7{vg z1WtWG`}^?sRm{Y{cGouqV7r?aroja~FAb&8HD9)cr?kAGnJ*0s6?`pUo>s$vhsTNq z|J&nJ7V`ZbsDIunhtOk3uq7nLRQ1P=D?)BKVP|^D&!!o$s%zur*vrBZy@+{@XKELE zb1uvkN~$T2Zl~4*M!S%mLj%VhBjK;Ex4ef z$LYRc12(_itp^>vx;_~;0HeJUEIv=Ht9OZ9xC1}m?pq0He2h|15FnAJ9_^$deXMOo zZUt>^h0$aHjz0xIIJIh8d0RhOTh~#5@ExzlJ3SdqWwY+UYUHvuxn0D`j1quDc>MUcS@WhDq|s0x5iy_zJjdmr;WY5421-f^hT%%`>~Pmqt{sf zZqBNE9&ymxQ?jDRL;#8Nsj+pE4Tcv2Alb(UWFL@UFAjtt*-Z~3h>fGvPY#58-c-MT z`yROIw6Elibrq^_fi!<|ZMdhZFoE*YyDSPQyP$-UjEakqkdcuB@5GlsZiLaGFfvoh z^T{UVD`N+B6fiJ9;3*pn=%1Geu-6+P0<8>`gdqaXAw)Em=+{JWvzvUr<&Xr?p!)b)q5~iKfMnwI$f&1zVh9=Pq!HjSp%IDUW^xj z{?F9~0!a@6dVS|lSu(t)tjrnj)`juw+HiVzMRFCgZRPm2KfAIhL2E&q!NEM4A7I%X6v*iu7~zy20xT$Hv)o=-E3XmSfRr44 z4USCQX6>fO$C-&5jqwX!L<*9p=q+?wbp{u4UFwR!q$;c(V*7beEYm^#w3U*BB-<3> z0%>51u~J-Mp|#r+&MyoMl`#~N{0K20tFSh=YYe+J7nU*(9N-CZ;@V1Po?(&0s~Muh z>;i}qz#%?ZthC)sLGaBVNC525gM9kCBoqti(%5PPW59Ah$TDIxlF=LAm)n!kYPDh| zq(zQ&2S;U9NOZ~@q!-9$atsM0x5E1w-nZp1HznKPGWEUIvPJON?Z|M`T!srP-&v*w zv-o5~5dR&soX9={0Ru(nA4Z9o&Orpj-XQ>j`Fkb-5Zm?%?{$=?wRBZ-&5x~}{Ap}m zdqF*r;yYHZFE`8Qo`Hkqoq-+Fxr}qxcgmG3=Gdl z5(l(i7XwxVqS5ht1l}t3Bg`E(kyG?eCNUzl;@>~%50Jh(bkwF7(xD{`pV~`cGRbI z7-Di3gO@4O(l3Gc&JbdKyNN1Lp^`%slt)+}l2b58f)u{=91u;jtM8;0m~Gn}l~-!& zghWPq2}-)E8g%5Yddt8x#ZkDpFvytE9Am z^v)lV8ahPsFl9MFRCKuJM-x)gBAjLkY$}vJ3>`nnj}W_{t2&^~Sw}Z%)Yk_h9C*mT zHn2$wsJ?-|h51?iiew*j1bu4npF7*zdms0=v-PDq4u1fewlZC#2SBnEAc(M8YU84J zU&$3`J^(c5230s6dig-Y4nP2O889FpV`Tg}lul3Qr==r!0llf@=65VN;l6@|akwJN zH|qf&$71Yb$-J^UWx@8ax?#*KJ6=*32N}hR+L_bK(n|Mn8GKsdLU?DL?{?%G8|ZJ3 zR=<{V`)!pTRTp|d9#uZ!=<;W#pUS!2tIoqmd~L8$L14w_?@?%oK(<&Bj4r2^7w;L? zW3H*%c}@lsV8FQY5sJzenWH*Nk)2_<uJhD4Tnk{{|3Dil#?9Oe;~Ii4c5kMcIQ zW->IDZ$BwqZ5iu3l^ZQ(a(c0wa?p!^ttcg{I`T&OFM*BaGudU+CiVTDzcVI3IN(cr z`STkZV$Ww6S+gzjx43AxM|FkV(2C(!Rv<-B&YT(P=c#{`JS^xcUC2<<#lgTt#7&IR zRExOQ8y@<0H@krK$%vS0KE*1h`CCB?Fc0{;IH_D<22ZR;9nSV=0jZQB*wwkj3d zcEz@nif!ArZQJ&pYwff5Ugz9)+kHxFGcR+F(fiL2*U(WRa`aSXWZ%P`)s$H47|zPp zDo7`<%d>HrwV;8?)KsT+`$3?-ON8dxVEEN}i+Oz_{?Skm{gKDxed~(rmg9VnoAP-E z+3&HD#c3iU?oQch1pClH8aNz>j*j?#J2TNoKJ@zBxfr|e?s_u-x#>qo%br9sZjW_@ z7qjXzZy$X`zOUubdNB)#)<-+k5Nz#FM&qHk^z|(TR$vfWQ~RS^B2`WkxipzN4z2|Z#}*lM`HVt4nJ zY<7M`qAKq{BEW6Q^1{z7GaDc z#BoGqKAYx>v*=@6ro6#R&%)W``dy9FfbcPs`nGFDCg1QwyuAF zp+CvKNXHk7W^=!4s1lhUy(ov~Wp3!^lN`?rYBUG_{p+~HS4H?YD(9IXpr#gN-;n;r zPb6FR*W?3V(40Ced4QR^r54yTC}e%8@7D(LR5D$lvMt3lf--(eWI;pd~exQ+(^kl`k47G|9Suj!& z!~o3=bDFb|%E%pd^41R@hxgG`)I1nB64O{oZ5Ajq!#ZXZbG~@7@Hc@GTKL z7I5;w&opkrNdHWqUgX0XvZiy?LfiR&X3hPoWWVA;5x{Jf<6l0N_m@!?(p%{j?r` z|E`FX`lzhtW{3Casb(N>Ef0MMY;c&#+bo&%aS-FvtuIgd&w3{V3I#nmpG-fK49sDy zGvk4u>hJ&hu=?rpG{jcpxXUGmKYHkRh-M$waT7RRP71}=3RgDf&xYXhtZR_!k7Pab-(p&N`_ zA+_JtBUyH~iN_P{0nEGYQGV*%##&ozr73>b-QGcCJva`uRnAf>UHIxOoID!B^AluD zT}KA`#b{q4vJtVop2{mX*}2PjYiA!>1#V7H5>Ty6qIHm#X1(3>!cvAuRO_LR- zZuq}Gln3efw(^MNB2`?ds+r7w<|CEG`-64f_wL?{_O_gk-F|g9@BSx_A-CJ-0O%KH z2~%z~_z0p!l9k(byd>kAeCJNr#G_yI8u-_(xvDL+IJF`(bDx)SXE7zGL0cik zjWdfPW1AKwflLo%w}t7{w=V1QT7#P;~}x(qhqsZ&lm5^ysiHtbWIk5f4+0w{V;$HTE-L1DWnXQTGf)>}L7LndE^ zeWUjXl;KjiU88)Ezk3DihnZR$A2%D?I3K_m!6Or?kD_Z>W6{MxnnbAFk#M*89*ZrU*hN&>q38j2CEB3+>H&uMK6`(K`Yz_TCfDi}}x@)GB zI(+X6bhT)H*8*z1X-2T0iU!1cE5vwCy@p5+lM%t+he7_E5dioqBuLorLrXU1GZ0NPLLwF76!u3}zpH=A?pmcQH{|5it`pP3R%n z$JcHdXd(;V@wE={!9pm+kD%3z^n8+tayE~~hAbA-WICm8qgnBk*JZ&LDe~YtF$5+O4@tbg4p9-)W3=S8x5N>W zlT_yBFAa>1EDQ)q*RS`-bFM;J>ym6R=G(CI-06^*V(rz%Z57>Rc~U9LvdeAei;`8@ z50x;I<9sZbq{ALR?qAe6XbPvddS(Vw9uvN`RPG)n!}rWcI0-``Q@8Cj7WTF?_T)!A z+kVAd*N?BCa>b?ON3=FpitwH3n&0Xq;bP+vR{C|z)1hS)Bnv;!VnpumEgp8RwK({50ZrZBt>7L%{Ya^I;qI&b}U zTbiYta+K62@e3E+(t&?~{^Q8_@)LN#Tz3a3CpHh%q9m za@0lIm-8#-y~KP|v@WU@_JrFg7eFEYkm?XJwbqV3K9t3v&G*b3qtk|W#I$Q^zcJP0Q&b%VM`yU-tW*`oI>D<=Gig*?UJRl-B=p-25!N*wlmMTxoxfuy0eThw$|^xQ zkPylD^!U?LwVPH11^&*q%M2%vB^hkttt-)TGb;XO$h%ysrxea67dk2lIol zY;HHZ#JA^tdH9$oIq(I5Z?eRl{`etX ztE$77R*Urr3^*eh#{>9G_#utw0j{R%gzM36_dt=4u5M%t!u#v_F02?)d@c6z)rUYW z7>g)MzT5E3jBUMt@kRQK$rj8wk_`W^4@oR{DebA|NdvD@U?mZ(X1A@El=%$zMghh_`usQw|z?s7L^IIkpIc=jEU^CO)2Lc_~QIsTh#{^Y_xy4gaceWV@uS> zRK34ETQ9mf-_g)f(9ZPdeU5U77rE@E8;2L3qAr@>-#r90P_4oRgrP7+f+fCim-lI8 z?_yAH4_-RRFY$T3L#HV6<9pKm+*9B-t1Y&CkRcc@7+p~-naOQiLp^Y&OKpg1gat*HeWS3;#)6)em65Jg9ppEJc|l+=0ZU5(d;O&)q0x> zA>e;DY4+Cy2KGikaNP95)_B(czWk5+8W2qp`E_{_(Rv{fi25K1%Zu)!Il-v_Jq@5$ zpF-fzb#&3&Owy@-Jza8bhX}-!fVUwY(;-n%=orcdMr#D6!LfWxe^fN9-D17&5VMD! zNb$>4`mz>u9dm72ipep)O=cD`L_sw~MHQKo8u@;kF`*@s##0{5(MhA5G<&rnl!732 zp%y%LTUVyfnt$}?6YA}ntu$ltYIVbSUE2cH9WL0$EpMmpn-lj@X7oPmesIgzxDInY zx9-(ilb*UySIJ)SW^>rJc?eCuDaY1`=~y2{(mh}8s2=1q*>DQX8~hK_2=d#evB<;~ zk0eg~&NouMQ#>nmSQevowWAud%*?aw zIM(c(y#Fw)-N|gJ{4%`968@6-1_0V4r zhWF&|!r)oOknSi;P8JU4u2?3LveM*NBF^=w-LY#|cGb6A>70P_>*zY;@w>1IgGM1e ze~Ft!qcK6qlVGuzqfSZcKH|jba2^> zQ8sce?)HIvut-}iMb3+k4z~aJ#bd`k75Tj=z)OpF8L0P~!83-%zzZ&f{U;hPDJ3GcG$QWb;5jWDL zgD>jptQ^qB?_hsd0?mlSQ}o+O3k7o``z%%Mu1psvAGpCb&!lLzO$7|h2M5T8Zb61l zbF=9T`tv`ILfPEc3zz(Pd>C3=aKAn5&16A^o`My8t63UO0*S;l8ybtMZm*?5Nte6$ z6;wuD`V)lM8p7x0(jOCt)tKVWm!Bq>j{kQaE=1;?w}1}0&mEjLvm*`<{0kYxH!*`U zP^)n_*T4uO9Ny(Z2QbJNXkbu&M1Wup)kr)@Je&H-E*O@i_Y?->y_>vf`~`*Nefs`S zugihtf+$fLD)x$Lbu}?Txa-CX^Yw^sShYnNUHeyDrI@fLIa@DWq&cLrvQlGcpdO>6 z=&U`RR)!gq-yIVRO@E+q+;h^9;^NxF5g>p6+U*^7fNo#t?{DE1@2SYnPQmzfcWCd<;v=)}zP zHOPXxjKk)4Yb#e0mw6e6kU?slxQIxBsifvFA`^#k@R*;cZ_H&b=~_6c787ZG2DoIl zTLt<^Yi~KL;wkWN4C76pr}VrCF|eD1v;zjoCn@E|nOIzdsPfSN?tZT65r#)bdeSsv zrebP@3I1n5i&R`*ESz-6Qqc-fTT9D>a{Rjtf3|?)7ZfU*#D48c_0!$L|MBFycf(8> zeMiZ{N4pcI)tktC1QGGa)%3}p`?1Nk2UZ_(#8F8YcMoBbxW;DrzQ-uLx10Zx3X z>WUKKni3-}@o31u7^P4Ulo#1_>y9|EHCu^DI^XtFBN{w}kZLg;if5VKyoIPA^&~4d zPA>4{GL(9!QR48f+HF$;FRO}<@ZAQPW(jk8l(flUFVoRqAEy(WOku9?%9a)&G6zZo zc5d^p49MvQ#UKt?VTK~`^mD6-i3zneG%?Weo-aR&&J|Zly+qsr9Meg{&ngxTU9GX= zT9r88S3jjT9kxvAQG*Bv((hr%_n5AhLr9R7(a|BLx$g7@`70I)V~;I-bS)mJNzB$P z1i<=v0$=IugJ2b#-mAaLn5RIQN1=oXVK+7bBUk_=y=1W?JwHX<%Spssupa>Wi@Tli z3UWNTU)gXdS0I?U`BOZ-RMU0(khMZHnyVNFhy10*w1|+k>D=qN9Q@+KfAhl6FWzvg zzJ2HC%Q5>%8@P4pBaHS=-0)lS-y0u4pCn%Z-I8z3dD`~xnD+0U(+>@S;JX&Avv88q z{$PFz#gv{vm#2{TYvAXk@mWO>w$~<))AOy_-ppR`A-rM#RLtlwIOVjiy*sP) z&xjaeRKtV39HIO+dEtsSnmi103FQV4c3?rW)wKzU9RJy8z_~Z;!P9Inv^1Ipr`E~v z-P-Uv;vF!EWWYVKzv$Hu$NR4Sod}0p=jQpm@?dR!T7p;twL~h(I{KlVLIC#eXWA@} z5WR@*g^@G1%x+P;krTM)r~MvN2in3?lgTxw z>*a@vIy79Lkpx*^Q953fre_4EZi}eE`;8cL8a3^e>*oRsx;?7^TUhd?L>|sAlYz!L zk@*!d>@WjWOJ2--TL^n+f8hjYUH8s-esOP)`l31G(-R10QDpa(iFY)H_*zALBMN<_ zF-k$mP)Zx_x1ZPz{SObsIWbEVer*!V%aK3M(^tpzv`~l-Sx|b|312TXE#C{TcWk^*?dt-+2)bOe?t2 zp4|utWUmdR?3RJK*d(d}*{}ilKgpd7SYLlt#aPZOFVE!amKt^3KS<(8Z?3dSzn@~I6OHwL z#XR=3l!Wqm{_gO3^?5#zPf+t?#jK>}ZZ+l~;p2 zte^2aUS~N~Wn(}GlM-a}A8B%IRw`Kb?LI@vKsrUPfJlt+fahI`!q;zi3Ftca zHGlB)lBj>$>a;^rnZ9rag7PmNegh1JwELNeepPWHKdO=UA+Sq=8Qi}cCHhHs9Ain z(`@qSd~3DfoljU@s^V*bu^qJMjtBDad=J6RVrIiV#K0BC4I+U>pQ_by8o}03!RIJ% z!dQx5JEtXI&hu9c5Q-XF3h8m6sb23=-+s)7h^6R8B}ENBT4Og= zN7IO(XDSc%^r4HRCQm6YB$6I3DWYIGgz)@MrO6^6Tjp%Re2#M-3Za*KGsZwa#pLQQ zZLnD3k%jTNJ&N7*N1CsrnQE1qAev2CabfSJl$6=D!%P%wx;J-UiJpv%85cOzVcSg(p4k7MCe79iPC(%lAr?$O^pL+}u zK%HgD5l$TjE4VcL2%A}GYH;j}?A>6mG=2;Rebs)*n4!{0F!7&1Kn#`9`3M8Z zmz&4XFuJc-ruNyZnvR5J@CzC80)YS^TzpI^DPCMKua|Xure@yZegA>KvaH;YaDN4F zosXlLaDSl%YZQ5lX=pQLzs!BO@q5&E$75k-Ie6^#Tu@poVUA6SVg zK480s=-OA9M-vfzh<}l!8%Z*dpb>SBIHD|S->lcxn2ZJRH>TfHAdm!?wT@!*`S&i`l!=Ywv za^yX5dU6uvE;E5&1RM>Yq}W;QpkYf%Yg#6f$%c%}#YBYD=x~56{M|39Z()G6{zU{z zSj7q!ag!G^#3jAM5!VKH-|2T8Qa$3rI!i%8L3R1)sHF5a5ONS(HzoS01Ld%!#iZIF z?GO@<$zyb{eBW zXKzB^lXgE_-}&PogfA0jPCch@<>&m*P?cqk-Nx*;O;83YBd zcz~)536;RF*zgy7Nx=}MFD{ROftQI1JU2y(tH|2IF1)DogrGd$21K~3+1ZzMuqq^$dG@Bpm%Jr;mDH_%H2{PRIO#&%EH3m>mzwR^v#7qH=6>v zag{;h{47p~tbzvil5joZZ*sXP^0Ny_58=f*&p=E0#wf_{*AXW-_ozs!^0DNDM@nzz zJFVpzioYvCqLBhiPE1YXg5hYxVeT%0$WW6L>e=|kx2XdP*Fac4MM1EFM8y-}H?s2h zcta^RSCf~-!2!14(bYPu!^{{8c;C{Pk^C=kOMyq_m*#0_ibFrEkFsYb+d zp$;eKB#B?V9(%Z|;WagkWb9hqa!%{#f;y@SdU{#>A%Yufby~M;cSKK5e9qd$7w5Pk z5XV)7@7G9W%a+5}FjZ5>d4wff>q;k>l4#CBaS?mI2}cg+LF_!pSPkd<{z_#=c2^B5 z3MzB#=ghAC!&S*m4J`b{)@GsPe8DN{nfHXwGFr<0R6Rmes=)dZaou==6j0z4i`N| zU$xgyT zJWO#>Xh~r^WSioeBG|;+V=KNNFD?jRa)W%1qiGXEv7{t5OWl=W?uUb%ERE4m&5wbD z6sWK(Ujl^aAqkGzt~|#4nT&Fmju?3GGu#D9kMO$k`~GJESb)>H7?u=YRQ~z<{%mpJ zSBtktvz#UZ_ibt#?#ySmv{ST~`9GPHa4xNk#uA77 zv?Zqi;t?<>2y_zNf(pt(zQFT^o$=tejyJJn@!FdbdKoQFr`{6^~w9p>{-l z#6iyL;%Z1v>S`j<$xUu&^6V?$f#iM4c=7f@reyRZXi2ItXk@q5XMuIMEN1i6~Vip2q7VXoT5{(15anwxis(SRRHEh^$5DJ9er6q{!cxBV; z4%hB&XHtUssm+D+t1YJQ`2&pJC5H@1?cbg9-}#Ca`29UM1X1aZw}K7)``@Q#x&ey6 zw*-+F-#b6MqS<@rv2Y~VsM=J8dG+w*BKlrC4_}2x2UB#2Y5(V1)^!Zq$|^hjR4J|j zNwd>IZ-W*(ji>0DKC0XCSstYv`)Jn{Askyk8)9(>yiM19x!pF;D;U|rQY^SgAcjou z3(-&O)i?K_Kxwyg>=@29yNetk>(7^aa@rcIh)BrE{8Ty47u~4fEh^RDmO?Rhp73-r zYytAd>POT8#`6%$pS&P3^R2K_S(7}!A4R_LasO0{b=jLmbg(M)Ptw-=+&{kr^vt8j zz?2OF4#qI@C-pxDIj7V(URy&>t&+BQ-eUKu(W6$dO6?sv_!xhVF(s#G5y!5t;nm#m zRoZg4#Oh^f8ty-7if}Nn^FE#v0|z%cqlr{ z^^RCmx?w7uek&N8!Ahq5ISaK_LoVIAVb7U>iS649ONQpIa;(?sbWls!E)EE+%76wR z55U*&84)ern#1z4^I^^n!c%L5Wz+(a7In`@QBO#`iD+}oZj>N0BG6&Vdu6CSG6o%C zb*6!0>)Awbd$6?jR8+*Q@G!w}aJ_Zk`Tcz2-2SyDfPO0hCUp3!dcx=4x*;A@%Ip*AaF18|sqO&+<=0LXCqhi)wTslujq^SGT-4@FqW|l^M=gJy ztbc6@@yQUdFrsWaQjPT9ss4q^eNKktuQQS3ct1qp`c6u}KXHpJbZLpzGp{g#E9Pdt z?RU1R{%I=4?I|#(5XF_t9$&IYHA>XE{+U>3DeoeUNuMz2>Lr^U*@d9YRx^j*cXTUt zxyP|8ek#dw`zQdCLvZ{tku{dIVt@G|W&z`FKWW_;F7OB{2HTYR!#gFZonkY-=Mmu0 z22_8JZq>Dx@oer?>gd z*H1Q^B!@`HRMWqBQ8y{AZ)=;4^YDM7sISKEka%yUpk-0P!RA%!w z#dANI8+%;AIx%9|FpgT6^$$ek=Ic1BAe;x~U}+#$R@IM9OUEQbg&0ao+ew&dIft); zZNz^(Qcaip>QTai8R*yJ1b>y}WT{QPjT8F+$v0-b=#A1q@Iw7SyEHqS7CP5qG72Ho zPGs6#HC!!UQ5EItmG^qRqIe>g+qHE?#8qr;O00RIID#EwpF+`ZEU4N_=XVWH`*7CZ zxNhIh`G`O@BpHTn5CLz2nnC1i?@+oORR|nC4-rDggXe2Q(J6Qj#un=AdO<@_(g^R6 ziIY#n3bFdLK5SE289^h?FD|lXI%`NyYB$gF`>sW{NELH8tg zg?D&tsz2M7{u@Tvnu2y*N z<@C~9u#X{b2Vwp1eM>D;0ZQs3m&Xr z7&{956A$v2=Z2zdJ1(U^K$pTQMHwA?_Xr;+DJ@n>SBIR2sxm)!b8Xpi8c0fGrxn6P zjx3H{0QX2q#6`!-+EHBJURWt0tX7(u0cYT6h9raPj3o~y-cT|-^(;R!}4T5b^4MlsMS4beip&42z7VDJLVKXVf zUURA-CU@r)b5Wg+2$CYDJj1&4Q5BN4#`;Ke2{CKx$uOM<)|z6iaRAmsWGloBxvfdA z2vMQ+==G%$deT+t-Or+_V%_}dC9DR?0FSRUtKMfI^b@*qtFprM`Sx)lS*~-?KNg6P zH*4CXIIrZqMc%xLPCK^wWV+5ptWdGFFO_fq^j)PaIw!MhoU@rVS6k2Ez{ZVpo@Dl- ztqKiZy<0X*TdV%C3zu>M0gUi!b^z5TbXX6PwgmI|Qv@tTF&Mvn0*7-y)CX&osyXL& z2w)A|TN5kHh}uMMGlWH1dl+|X0>k7HFF%y!$^Caw1TL4|&`F?T#i@VSfuu@eg zq2qQQA~&2C`f^P3Y9?g6=B{N>8ETyMnCIXbgyivT%#NtH)o^3w4b{2S=Xv-z(=tD& z_aUXSTx~z@^D&ubwiI%k>Q=Ubi|CqUPk_+23jf_4AisJ`NeGB+wRS*yZOp9>*j*# zWxbFVSI!=7-M-U)rhh2m_96l%$PEq|`%)UagwUF&6{c9=JKMfu5Mv`=KGdrr^uEDs z;7y^vjLmGkTSyZAfYaceHZU37Q!FbXI{!kfkizQ%TuCwN>1ugVY*v>^n~&H~^mZic zbkM0oNJwo#O&Eekke^~j)3)b~(9q@dWVY4J;2<(epHhnY1$k$KU--Jx2wFM;0kSKE z9TkWS7}D-Pw-ii&WcPjTMc=|zwKJ4^zu zu6I=IF=oF0J{EC6>%4`dEvpou|t+$yd7tIWX7U(eUv8dg=kILEKi}D z_WWVn3>pYP#7tuD7cZGz*Zw^=`MX%i9z!TDD~paY{Gn-Ku0Ly}{XbpIG#=opkkjG4 zvpPx$Qa%_XTf3e*Z_mw%Ib@Q{*y5O)d43Hpc6%jqi82iAE^4rR^D zJd5xQfy;DcQD#YZB8o0Yoi6HYhr#`%ppJV;-SiiG8z)qb7JKvNV{Ra30LuMS1zz~U zZCgvsU69O@9@yt-xd2TvDFmFeV~eZzlp!{*XXG&R`X73H`W06y;0rl&gdlotMs2Nx z0Zeg0j}O7%74puU6FhYIaU{~rjUT8>v_M5-FI74nZz8sT5-JOHoy2Y7648T?@mL0D z9_N?Hiz&N;kCq;1cyG55v_sG)L!i`~+@F}g96R*q8sh(WOXfU+*fI?4lD$#!5mswK zPy#T+gc_L;dLQoeSzgzVYMS(@$w}0Y^)0X4Jz&&UkDkpxC~0Da9Ak9i{|LUmj3syD z5bTE|&hsh=?llHC&8}0L=rINj&6FKJ%hY2vo!?w^WVDflGBtI5UGvmEj`Kug73y-Q zQ3`}w-z{D7v|GitL&oMgaVHA}fAq0$ZL^hC|A!%kNzTf`P(hpoz8`V5<$}#+Ct}U& zJbI{3C?GF5VssXYOf9xuM=aE*PP<#zGECXYS33-b3oK|L1S*C~g6lR7>~kryFzm$I zAnx^?g{$etw90aJ(&pJ}HkHvv^`kB#&uCFteA;?&aDw@*uJF!Ar-EI6`FXbx|(5g;G@gOsGTuI zqoI?6jG%CNT^35_kXYaQq7P+g)sw&BhM!;CbgZWP2^9DyI9e-Au(^*9C+ZgNX=h4J zJsqEU%xpZ|SJ}FfMH$umQ#a)B_4T zQ-q(Hk}OtEZhhq0Te$LDskf6hYyZJIaqVty%xz*7=D#o)dIWQ++CS~Xg0TOCf;q2) zVQBKx-exxWOoD-$}lS*->e&dx!$l@Use9UIGjU?xpXMH zl?Hb&ajM`TeNp+H#aJ2o_P(1?qZ03^MTpKJ)NSMvdxPU-h`u*BUH6X(qY&PtwR+|h zs#^vlr8gK^^pO9~m4P4~NkL{1YaSjV%IF!oOx0FhyVd@hapHs6cYO1-=i_x>O-gy! ztPiR^&u12kB7`O(D4v&*5D--q2P&;9qokssqAU?!~Jo>FI zHCU?nXrsJXPu5?|;(qojuZT{R#3-NSn^+MuUJq&-8X%)3J>2$o@qfTn`LvPRAzsr4-=o^TsCmZ|~owhxNf|>&pi>9W#GF3~rYO8JDj) z&hcDZ*n_jy?A(-iRoQ4`adbqv%#hQDEC z=D8!CD_Nb1oh)HkBsO;jX*j(oL%JZ7ruAi~122z#o9)9xQI^qpMQ&-BIOR$-PM7US z*oe^UEru9jWx3Du;*b-!5Z({h`-Qb97jsn^PytO@1+}eV=i!hNB{I|DP<<5#gpghA zDz{@Tyyf~QM^8HUKRIR+F6`@Wx4Wwnw`6K`v(SQZx23}w@$nOe$CME^eTY*2pfHVA zo3F?I_-CGpA!rKy-M_Z;Dd*59(^rHfek(*!twh?#ah~}_E*p#-G@5f6XOI;@V`(gGY?UY_AH?E6}YTA7fDzx||?@GnG<(s_PqI9Ik%M9(r#RYq;1LDWx zz-@F)JPPMp_=PFmREl1($*`ny6S<;rUEUW$-4_XIVGKY;BNTqz*H=gR2h}g~2X}sl zQ33I@33zFOC%$ZW@D*HL2m%GR%Z42iY{P*Jk@8$qe4f}+U;?22Y_clX8N6tsj|s*a zi_0nmqJEyoDNAc-h~$i@2rx40(@C0zhDw_l(wPrOEM85OZ(3Q~8CJ5Ipf>M}wvI^2 z0<5!YceDW}S_?}Gle+3-&Br}pmu&iz$^D-8g*p3A5r{%r5Jt8)5wY3{$Lu3Luj}FT zQn-=R%1{#bEECiE@n8e}u@kc_-U0%Pd1R+^#B3H3V2Ub_wPtfP2B0#iX6$P38zva6 zz)=64<^uWAi4f4Foa9hDT!Zw|HN5!N0dD=YELc5_==0b7N{i7J_!GY;Jh8O-_|(YA z)Q)CFWy?ni@>(X%e2W`P~< z_2u!0uI1}`MOU0;@!(EEvAp4qGUB|=_&IqpdugcMWi5fE8Ly|k`~0&?kA{lrOr0oEXS}-13Ab4N6y~ zUVBZKENzTpLOUJp1paJCqCVJR44igJ2P0lVQ|m5+$ zpGOJ)KUj_Wv=U~R2bbnN53tfO?x9e2Sbly@Ldk6>X;mv`ok5+ewKn30>$4pOI&2VM zx8I{es3|H?l44Gb3>hu2fy_>u`%;XvK$IhKtUDf@#-wg;Zsf!z=*!AcQP7l>FDvJi zs%-F)Nii#PMs@p=hlXJ9@1d*sd($VL3GS9DEwEu5ngp9VYeV-Sd=`;;jYWrD%|U;l zY8gR-q;-;7$|*9`LJ2Bvpj+{DnvTWZKZj&j57&=pgq>>U`ZCl;qM#(svo^p+MkE+% zt-D2)<%r~NPg>xcO#h)lWH_I7&r44Ctvb4qoo z$mljV7itW5h5^EqA}YazLJ0*LPbQs+hg-Z6jRi6gC``fT7635rVei_a3sRy5MeC`M3`tej>NfABZ9JmK?ne<-d8 z5fp+tW#27=#=gMwy(FtHs3f8$DKF+&#m8Nd(GI@W<0=4gvSL@QIB5HgeDe?bs2@-@ z`2%5`fE*%-)!Gq@AGGPtv(V}ikAhrMRVgkL;(Bwhp~!o1iX4il%jM<#gk$kIQWM+$ z|AQ%`XbR>oMzwtxQ$9Xh)_ZuJvP{xepcDxX{i4OR7>25|AzFzx1jF^ug z_V+$HZ7-i>US?XKCro4fZmfU93IF1;>ICsqT!IJm_6i08WO^gcx)uH&?ybiA=1Wc~ zHCb0|A-UgONw?0)~nt+Z}A+70mMxB3Kc6({}u>Dv}J-ZZ;0LM8+La3>3(Cf7Ht24mg zM1&*dNyq2=gS+ms``%|m+CbBt{pS$WrNuhsA{zqnC%79Xh#!_%fCW{VKFFG|q&Nxd zcHZl&6}j#kX&nX;WXN)Krt9strUNYHzMF%DME+7b7D0JMrJyo6M}77P2_Rb3(q&&S zA;&1sW3Z_jsE@5dK}oG}$yQsr33x(vV)S4O8~qO>Hjt;xUnxWoNfjk<+9mp9p(()*Gd^ zI-lJJb(Re?gyu&AYJEhZDdvs*cFX{IujhI&C&$Wd{vs}|XWc4U{$C&_?WwAFKr#SSFIl^cSJGmw z+HC-3rC^Yx-;hJHYCm|}EMC}}ew`X5<%i9aN;M6+>n8X@#)QmHN=>;SL5|o&KRT{T z_Y6Ir7_r}JbxTXydnM!qNYErh<^-5$LBns=EF&f?{;>a;IsIDs*#v6AZq?Rib(+z4 zY09J5MgocQkdQGRIty5Rd>%tmD9(q~4cw%%0hETvmdusTs^KMi5;DfR=3G&J_4>B7wA4U1 zJsnamlH=}Q0Y=JHaFqsFqTRSO9`|MSbPMLg z4`Mv8TW`Jz6oucJ8NSB0vMhZRE+rKRn)PPQZNT>b9nx>>5qEok+*Sd|5fVhvUNgM5 zX6u)@5MSxMgT3?W5?F2D0%^XQE!t|Akaash}Ex`wkf< zCrL|1X+t0sr^vLStm1JmuaZnorW{A{5JyEF6TGnu5|DGbkJG>ClCpaM*Jzc)URA|Epc31=0UY z$7O1QM!GfWt6S^eYoNckK>*c#g4eT58IP&K{KLbe`Dst$6hs09@PJmcWBL`l zej~%J$wRhl2!!Jdux{W5&L(J|j$Pc19UGm@`Lyh?i2{SM!Kxp6!6FL?a{7w8?jW_E zZ_nQ!v{Y4m9(NbG*=Q6G8LYsz(iY|abUN+aD@}RU%-GYiZ(!h}%29($NM|r)6oH$r zgcjL*T^cQh$fYtT9{~xrW160qI>5`(#rGf1^_wt_yxWlxlYPTI2w7&s<6KaWavA71 zV=lC5KJ;gbhzb*Aqw%6cBs*I50e=;GX!IH5hyCYMsE_0qm*?2@Eg?NF>A3@9`sdsB z<%fofxl^6ecxFvMC=l51U8k9s7j-|qO(ar6)|K#wYeUNgKm8&Cw&nl8*1`pYjJ<&2 zq~m*2YP$-mcxxwOZnk=wJ%4tn9K+*te_h;D;gf-5cDAQpes@$fYQ3{v8v;I=pzjqx zuB4;OnV^>>C^feTv7PQAh58o^h%Sed2nYF|xXm%=k0A0O6rjh*1qp{oQf@0_dm-MG zk&%JKgq5_C6mfgWf<|D2Ae;UhN%rq;o*oH87&HPECAGO}=|?yUfBHXH$v|MwB0$!~ z6&B{>;Hd%lguPX1ez*XqSrQ<);x5}fds6_wDp#Ihj4}L&82vNu>)qbb6|evyqa9R< z*~u_=g+>Z$zgHHAk=uS1_w75mSZDPNCO)q6Y{R=vXn0;nWTPg#07yxBJq0&247y0{C{K$=MN0rT1^Vy(7Z7yLgO=8|_bllUh2`S~%~1g~$I ziJ1$A-Sm9a(CJf3ida8T`yG(|r2lzHxiSEqSQt$BU@2?evH!@wsE+^h>;L+r2@veP zxLyHBHD*OgjFHD`?D+!JN>rMrl8`-&(s10S(^>^E0X~VufBk0bcza6(G|AnRH#rhj z!=ZKWYphda7MH_i-NVOWK^r!0-4tYG%*VdFyG-n+TqdcR`*U9icHS0ij0z#Oy(xCe zsiS4s(KetGeAD^bczD^0Bvj*f!;<3C6YNLKAHVjO#@1ZHAqg3sU_}HK@dn^H$A(j&3*V?K|eE2zo&4)0m=K-0L z0-H`p&>}K7*4MI7d;_FeX}~oe2-vgHc>xG+?Z*WYL-0h>2(VorHG5n_nC$$P00h_4 zho6R+9nK%-VoH5Bl*hh;anV(LIVC`Zx9Tj>nT72fdh&`2+9@F?|AJ3cK>Z6oku*10 z^8XNa4(yd?3%9MLVmp5+Nrr!+dGY3CY2T<@y!654(3Z#|8xZY2>i(J_(?PJ%fcdP8R-S~6*vwbicsNYyNo|n()b#SNh513CF zWB@?__ks7%OF8om{AVz4okv+(0f?MoX99_s9o$nZYt0c4wcnlX_dXyMJ)zH%3*flW zNcdh91wKkJa9peQ9Jkk3*Dck23jhDg6%6J8o0^$b$(sGtQ&hFj$!3_DCmjlHvL8Bo zTuNEmYvqdwtg{}!K@M-H$~HB4TC2epZMWGFxh$ z#OvB-kitZW+OU0y3BC@EE6~c3nnnFc=j>+sm};4mGGr0-AH+7oDYD0i=Sp({f)4wg z%s}U?<+5>mim7Qyu(Bo3L6pN_FzWw;?9U9u$4p77KRic9cJeF21zS%!f=;Fr37y;) zmLj9+VBFDM{fFuqL9IcC32}m_>hE9Qatey1%)`HoN882wde6r`yY`GP#T}GUSSukE_y~{2aXAbV-D z7bMC5v2kGJ@Vx~sBUNlb2(0y@_~9o0j3puFC4NX|fU!F)&r)4U(_`l;1xv}WhTpb^ z@&#%P=<#=bL1qd3ANm4~dFDexD%|k0Keb7J^CrJd)t`E^4y;eC7#Jv#7Bz2xqYvDL-Yk8v=s_e0RA*y28UvY+~mU`tEcnF-gAkpzv;n!hs7) z2w9vidmKAxTPBbZ{6B6GkCJ)~2F@RSp_~shq{O{2bia1sLuz{6IQ}8wE7ZfuIL~08 zi)%TFjEt*`gA;&+lQUaS*UuuQ@qq7BSWR!mG|L@KmB4{RX0p(_-Rht}{L$-wo$7)bv8JckT^3^+qsup8 zVUNb*yn4$O{nKE!o7GIW#2NyK&rR{@BC&FVmfYnQqgf9Rfq;mht)uq5SChh9WXiDK zC(dew%Lfer@b^bWGmuBs#A*5hX;g=vrh}v(@K4C|U)S>g+BW_5DDepY%lZbm=3*QK zzfICJlzf8=li0jCIWdp?j6=B)= zNzgQX=g!JHw0B?38?SKz4bLwS0lk5qE#m#0&ohK^~_eOjBVXkF=)5?CyW%ISV$ z-RiWFte*F+6sup>xcG;)=CZqcAw{=NVnx8B(9pB?a+;V6&0EcC%Vq=^=v6vNDs_cC z4gAuUGhF=4fbGA(0T20ry7}>S60LC!E$12_Sz$FkW3~Tn^u5CXemHx=MIYO~9wzUB zo{JvdV&{@yKHn9rR;$6JDDlkNTrS3)FioHv1cim}WD4PY3s*t^{-e_3W?mTkRmBKM z5CTpRiULF`na*viHHkBpK!pNK#6;^3?Avj@)k0NBkW(B*6CVPE1AeMTJjJgQwiWs` ztXA(px$9!78)gZHc>TGADI42|w40--6~B@S?l+2(JXD=|#3;FHY*zQJXyllH+dO7y zoA2!Bk0pqWs)|V?aA1EQgiqD@n24A`+Z~p8mSua(oTTYg6X0Z3AIuk!-lSu4xK6)? zaJ!^5A0<+$)EmA{F9mPk&eNb}mc#w0^v|{Zze)eB)69u{a(U?X3#3c6Jq``!q-fC= zoImSOSFS?hC24rY@33w*#-H31v|Oo4db}qj91i?b7qvzV6LuU!UM;s%MeiFBIOn4nQ7=48ROye%qx!Y zjcv`ZEBQyffhfKkty!nesmPiznjzFFdb z0T(Dh9*FWw(P6+u_*?HsYqL^4K~wtWKduwXdA@uA@|mEKrfG$SjFxY5UBdsivj*VF z1O^ge?5n_DcfWt;mr=1ZwB(g^%gKxc%QKQwY-`ZLeu0;=&5wvd-FeUCt|M#zX5uyT zDo+{u#^$(1HnI75?A*T@_Gb`dqC z*zv&N=q!M zV{j~Dyau~jW0H$A4HyJR0s{aWO5@pkmZEdB`zx!^dsvK^KC2_l_h`^nlk?Wz#Xd*l z@&>!i*WYJPR~%0XDs+_ZUTAc6hx`QI;a@{R{|rw3C5?D2`CSjE_}}$#xvdX@I{|;_ z$Sgku9*4c4FWmH&JF?^FCRL(oMody&cuY5BM>x|nB0+Jz>^J1uAGm^n}{ zx~3+8p+x>Osq)8%yCaH7N`0bhJ*D1Hg0!DPzJEU^?_z*+bBx>Dtwb}=|0C<<^(oZ~ANXNt5UdSMhclVDH#1=;OPj=} zd*nx)Qc!0&j^O#%Slf(1#EIFW-f*MRa8XfL{jNx74jJ+_r?nj zzV@am%5JT#_P?6OgEyd8M+6?ny6yurn!${1HXb-SjMj9Q9qJPV?n7q8R4|jD%gxK1 zQbez*z6Jw=!^ypQZ0T5W;PG19uUKX0@w}{9EzOkuXZJrD2iBRpoGbD%ICxn*8|&Te zU3`2jgrF*;q97-x#H*?)U(k?MROb$BkGCM|*es{#Rq?^{2Z0SIKvQ#g0}Ftgz{T}Z z8hCY|#KgGPId5I*Clo_e9AfM4dUgK*84@NrJ~~WISz&HW00|y4JUC*%AhW?kk)nhZP(vO8?lpzU9RPu` z>IlD!sm?-BXm!OZild+9bFCyG&Mnlfwo9)APWs4U97RBaq~*&CY1AR_9h6rm?t|hLDhzm6Wt3)3md2 zNT}MJd-Rq5+K4&OJN;~pc>^9B>pYdgw&Nwk9;75qBA+WvP;+1;k&pau1(~ltGK-ab zGvMR>e zmToQ<9~j+QNZMJ{(vpkOsQuT-hc`|slw#a?%z>gw|9vP#KG(Flic zJL`Sqe9;g&hNCJ~%c>PE1k3}|Tw1n?_Q7*-#1_0dI-+Q*iqK)}L_(iZq_A)6(rUF& zUJQ=~3Dl;F5)~Ovj{RrH5iOP{QZCu5oCB0EHnywPCqQZ3ti!3Am*mZmI1i*nogf;)X zo60%3_-s+Ef(Qu~r$qz%K=P^%y`_83^BKPcX5SC%ebeAWs21xt9GuQzMr{AKr3pN^ zhYIkAVGP_I?W@DGACD1xW+&GSRZ5ee5SpU~B?Z{*KTq?guZ;l6m+?0AN9}~BM8Sx_ z#NeFOcm=oJv#As3TYD1mc=qh1dccQ^!@+hsq%9hp?Oj~m*j@re{4IXJGUVgD=yM271)}OQ0ddjST($?;LzUDI^ zet)jXz90p+;4)D1Euppl`FYygRX+$E+}-*myfJ%!wXQ_DkwuJQfU4-Qz!A`Nv3p&p z)gt|;btL!Du7C1lB#(ZR)3zP;Nf$YD#n0-QorDex-NB4|fIrpKwVphZ7H2yL*wk7s z-{8IvX_YqSrgFmP{=}c0oRkTDK|)5(GE4L{SZ{IsydMurNn^@aPS6K^1nwowM~YL# zyYVKoU!b9_sirw1osG_5qYI+7@J?h|@nIdajiMGxR#uEr`zfm=Ct#;xYU(U&;v}i* z6WFNWXm24u^4{OPrVf}t6r5c4C5CRh=Z(L6hR(L+L_{~5?s&Nw<*n4EXoz`5z(~$l zbgDgr>jNU759yhmW%-*~w!)A-GIxh7Sh!R%zF4Bl(kG*WY-wYxYlQbT=2(~i_0^|G zj^1Xt3|6kU;f*@Sg3SVDfsXMKNv9(+ARg&Ww%d|09>3ljEW&-&=hyT^e; z!&+M$JR}1I=)U*VP)=-h*pGhbQkCe(obqN32; z*cb_6`{SqzlD9wL?J|q2HB{(*cw{7Hi7MBeo>4tpDE!*l{c*4eHRH_`y-FP}8333v z26$xNQiE1lH1%Zl%m0v#bz><8d)UfpzLBjX29n@xXgZEJx1Hoe>mGSoW*g!Oc0OIqLYDlG!jugyV7;v-+-E#lNZ2d)aI!UfU;CNha=^oBh~tML4Tmz7ijf%!XOCYz~GvOX65o4!bXtq+=k^(H8)IUh*l457Vy^Wsj4so1uf70@3>`a8zLoYr^&KUG-@_=O<9 zubODU&+i%7f51=& zQ!t2IYdl@j^-i~fBf*`j)|-bKdpXq(@A#|5`>r0GK%H0Cma=}LyZNWcQqNvc&|OMO z*PO3XyYt{-L*9n`&{(8hx*|LzwE1avOrS1kASMd$Y#{O+_VHhf-b_sJNRix!j8CIc%q0Q*fzHj$m%nfuElLXn<> zN-O>CaJ`SqG&(VP!L5NE`>jfG9Zv*Sk4T)`6uC#n%x9jzzZ&xf#5gf ztT$s(7kZ;6Fq zvd290qz+)lsD)ayl{ycMv#T>>{Ird+@WLB6mHiz~KGJviV_!-KCcSFmOM(Bdiw(O? zagsAFww{N+_Yi)ma;(vEF=^b7+gwf+94kY;$s>0RoX@KN^ULTUjkq=O3wy}>57NQi&kHgtgPq9SQ_+`L|g5u2ce zMxjZfU#J1_5u6TS?d~MX$#zk`PZ1z+kz6wKEXrKF^ao~5_|PTamXb_aMf=<}p=!so zp)(e(*7E6TVuAU&_icuLJn-g*{YYdnx4ozLmAtMAncnfC6PtWx~Y=q_^Ycen?3f zWefok)o9AZMo~sWqER$2o*WE}iJTxRt@A0onxoI5)!Qy^L=o47nkA2-ODEwn>6RW~BuILyWI(sjo4ER4I z>Qki$D@z(ZK z#wtKmTAS?E>U4OP&eRA|!`9|x%9?wEwEj?#U!{)$V4A6+1 z$tv++IvofLFDxwd_V(s@^BF`zL0OGePn9CupjrD=8TtAWfWTnv&~)-?s)j45Cw<3w zKffzsc^=)}JzkBI?>Bt{j$n#4Dl+?jO4^Vk!`<_xQ$oQCv03U?3}%LMTWv;3WMu>j zCOY-l<9U9%xe6#C-#H75iPkKTB%IlLXxKcEQ5c1K`2hKbfxKC*e?zQo{2v(K%RTK; z*@AqT3$rL~)bnxhtZyKybOzyG4gmOc-i(psM3v>ccx(`a8|F)i*2fUKC2E|UUE|Eso% zm<$fA-MTXl-NzR3$8>RXadmgJ*z#L)tShq#?YvP+AfWf~a=+RAccT?9mI9osHR6fS z7J7{6NI%KL;E{bIzW?yM$sqiH{BE;l!jG@V_IJESQ1%!@G{@U93V(o+4@jel|1U7I z2L=I5mlJ}-;K}Ys{gLPP%O6uTh@L2N;IPrT)<)xjgoK*A9>0a96hO0bC!tAIBc_;` z;Dl3p4KMR{kGLfl_)~1O_w*W)fJyx(`oa@pQnnAEE=s-6OA0!fNYE!?+3Wl4^6WdG zoo`}btUU;C%B^#SK)eh;oG~`0At+pK|GrWlo(pjN&y9{(xrnERrmCoiiLYlP!QFYm z-I=GjErMP)evR!-vDq<@;Ai#7oV|0(k*UK0&6`n)=@TYmxTd}-?9b^aQ>|E7gw!UR z8|a6RIWTdPJGx_o$(qJcf{k(b?qKiO#KFtk(a`GZKRB&F7}eb3wUNciNgjpB8BQon z5r;+(+>;yETMn&_GJomf@=VSTaU>)Z)E=s5Q8a6StSlWTKS6yFk@6IOuOl9OH%f|IhUln21VuQtvw2=in+|6Oz-Zrpsa;9Ma+h?^~tKYZ!asW zUX;FOwlEhRA!+IabuXGNO>JmXyvZTK{`W=^)X9y92+Pv4Nr!K@X3KKNqiPl=K(Z1; zcf0--4ksfz!DyfA@3so7W<&jL<(7~fIg>XEXQ`;0s!E7&wyfnvJ z+XpSETA}Ng-1zOkR`C2?i{Ss%0DY0ptge23pJ_m?;Dm|@9VloJ5fXx{7wLE!KGorN z9fhTK9IwnsO#H^VOB@mLQAHfw;CiZjL;Jk8=6H^%_mUiL*W|EODF_SP>Zeygj+L=i z=bD1Swt-)SXFoK3R+WxQm^kn*`cUa~j_i*@aoL`$+kwC+kc-^6O-fJPm;l#Vi8tB4Dg_mYDm zViPC%`Gn+MIt**+79o;%phOCC<@UolKJE*hZdH}YhJG=VGRe&j_XMBP6p5wF{g8zj zkV6}}0w|T`78`3mQp!RClDzhl**$w(VNn`s!5Nt($Fs|R=zw!2`6<-DU2t$Ik%`y! zHL&%vW!l=@(|fs~YE#KK+V@h-TN)gDZRG#g$vpvo7Q`|B;2rVz)?sS>;H z@`!CQmh@<|pj_|Lfx)E(DL(oy&qP4CQAW#7N*2p#x2K(vChX*el?roni&nBv_CM;+ zJhwkAXPVvo!(;9(80^MhvTP%f8+)bIhlns+Ao*@^r$kHc(^eXqTaXB^+w`Ye^;VeM zF2&O-T`x#9)wFqETWW;Y@QwGufM#SvD$=+IZPv*pV3wO*r|Kef649@x16REAY$*t> zNrBqUEnB-_;(^&4xnw@`x&QDCu0%XyiE{&o%y+VeBCD@%5}86bc$O5FozMo_SZQr8 z4~E9(WOd{zq}sA8uB)MWwg+Rfa8@UK@=mJYhH6s0K~L%EBU?BkhvDw~X}P&sgcP3C z0&H!QkIMx>wVjiS4{J3a5KZ$3dwD6$)S$k^ zGWoAMFM%SC4UWkzKbP3>CG*35ZmkLq%vpkCjZ2FW z?Dx0lPNPlzQSiV6VZU{_9;9=kSK~<>J;u#@cdtA;?nZY0bk&ojeA!g?S``9}s=#_S zn8Nx>4CkwiX?=z}QymjG)aw^R#r;60h{dThy9ge>53;s$h@hs?|Kk!)FDM~OaaNIq zgCMz+kmqq^1oceHJJ$u4CT>Uk3{&5ie0@j-QV{vP1G-rb#sbF6o<+LyeDITq${wnUBhpM%;s;sDq z769eq&i1x<`ztIO8k?&O8PTO?Ph@nVT$;~$>Z=7=G+&Yn!v$uBz zP%AZ;VPF~NCz$dB%&NH=EKTixnqi(Y| zQ7gLF3=@YDM4C2Q4|nEz@6O6p)CvAXNRf*E7lbs^*8LBH^iuIR*&Quby8Pc*XyL@^ z#|WOb)>ER0IBI0eWxrWe8%#@bWbXC!TLYs3a4OR}-^Ji6b*j|LH8&;vDmK=vi%AWN2(I5(pAi*h<^ZrpL^HN+LSB zXvowI?#PEliwBuUSN#Y9>zm|=;q=VWhR1=IsFkLRdkD!bhyBY?G_Bzx7Bxvx^W53G zQofjI!g%_Ce@}|^^8V8=?iVL%*@5d}468ho`v5Ipx;R6vt)6{Dro}EZ$`+H;9|t`4 z{~Vcp#_yoKwgo1}#M9h%s+$y*6VYvUCbJJ7D$ZLTe~DmATAGfDq9XU5Lx4Fgp$%GK zIP5J8Sc?cqs;5W_|Jc5DV&<~ow~BP<=uoV+Z03{4oz~bm*s49m;cZkN6|D$ zhP}zZtvi_OH~R&bE)|Iv{lt3J;Ao%jG&)0;JQeHN;prn=s^b#Vd=k2xoaH%VXRTr@ z)Kvmc@uii8iJj>^>%~@4Do1Vw5Tax^0|AdO`|^yj;WR`W*k%PRQj5bm^q zMuzfPt)>Ildcnv_kdW|+Q7u`CmLS`zP%to*SJ}2&RT`dwvGKjY2#(AQrgG|Z)lG#V z!&*BsaC_Wmq$6TQSzNMI>iz1~Wq*4Moh6Pba7=&EAD!pV_yP?eG<4YKU6G(al=}lr zC&CH|Qi4qRmm(c*wb6>gZ$Tfj{GPL$*pzUAxiZR8Iw2gUP+*%WdK{)Y6Wg@Qu-G^J z`T{X+zX~Lar0=f-^EFEm_aw@-m&ew{!&x^5OxDhy&QHppWaLe?JKlHcI?+bX6ui@X zIIlLvZ&64`M{1zfab^HBpGes<4l3E$(3BKNr?5YnNfQ zMFyffS42MDbWQA1*0WWY)%zpO+9m4ExkYf_wfWzvZfv~dvaejj=yYeSa|vF=M{W0f zFl$4!VEUA-DTTWo3!V%M>n5z(Nl3ojD=Nt$q4=5(hsf>l^YitXVvwH4m|c&TIz-Du zr0V9(n0`C~X@j{WY3fNTT2B`+mNei^@xqfLLt>~a5;iSgzaHXT#HQ-bO3N7>ua~X7 zv}oHoriBZEA~U?GB&H0DfW__SfxNttl;@s73074^X#DEdkuePLF=gBum#3j305puE{lAj3VGWf0Ba4);7l4ZdrvMD))1=(4^uJ-5f9YcJ3c<9L8Fcg!E?(t zZj1SPW>Gl+bIF#bp@d1JQ~I=Igqx?pJ#?Y%p~~RO)qy_!-9IfA_9yJ;4v&r7tMs(B zq#<3a?Tvz+IHO~|8H=OgWm9!shx>hg(ba6V+ns`zTYr3_9Qodi%PTbT8^x(UhfQ%+ z>X(V?e?!mfVt;5I9f4n;t9DeaLg?p8F`a`E5DML%??^k`^X5;4H$I}qZeKSaK$+!W zD8-)d%ls|fBilH|UoeJe8mLm;kI^jBzc%AxcVtzSjB|1{Nkr%A)}v=E&}l#e72w4wy_?4&ceR|-|P1|W1gZ;N8p3kXFKE!y#D~-@jt?*UduoY zZJCTq>;p~fxwy5=7@R0RF)5+CqL(_n4x*0u!eqR2Vh-8(f$>EN#y=uxq zIJ?tZP+hv%Najvgxy;@Axo2i9VqS)Qh zVJRHZ5u*qT35dJZQS#x~O&S3FZZ6=0C87Z}8^45FoV(rh)yE3Hup}Lp`k*W=f0ScF z4uf|K_m%zn!k3`5$`Hkk1`W)DI1&{-Syq~vU*Q|us&D%=X*;>K?To01*w5Re2iOgb z+fCnIkmb9*!kHyR+$q`}%yhq2fw$0iG#P-2g!~MZ1p#X96eubjed}SrJODe2e8+QDAga6yFDV=fte3L%DZ^dhh zDX&|{`T71DS~(Lh3bFD;r{>jQwtkqkAfjk1>Lf(3WVy4T3C_;`K&>rf)gCc_+cD1( zr`FfwspQ*5;37oC&O}E zyg~$SLwd(tlu;YA{4C~ApdbRtlMf~W#H&iOx0V&ghaEGbhH>@m(4>%>opEyPsqMX@ z4wNuDo78sQ({@anPYXeGKn=fDYe_d< za*CAZT~(Eo;5v@?EhN$-aKBYm7B`_?j8#)6iN*2tAVfPrf869ZlP#{z3Q0pH%*6?W04RC;CKx;N^BZco z(k_W*6~P4T*H)-PrRaej{tKk+6v!+s1$64exz6rt^wrM~9dFAnC@3f{9!5CeSE@?f z(B@dK;H(dgjYYD-4AT}EfeNlUWV{N##lAyWAA7f0a>wN##vSTxZ%EY#l<0JMN$)U8iu5Fl7Iw2CliHk!q zFv=$;>TNn(`>x5;($wD627iw_nvD`| z&}I~GVhYkd;QjUS$%RKoL_&klRL$915E}B;yYT|CfFk16UKk6t@W};MB7XiONs$%} zO@9=pnXr0WcX$Zse2sW;Ry42bYDtoHIe%;|_Ue9Y;LPz%9lr9N7+n8(&GFk_s(8v{ zVhOR6>;<=WgrTNA>HMPV+fw zBO)g5pJ50hn`Z)PlpDn(V6wV{>3FRfK3+CGUM|)xdx|?Ccl}QG4Mpa(!}bKh)h=?M zlVG34@U*70s2$EWu9Ou#TIDHr~?m}-o4Jynlf(oN(=jbUfRps zgh(uUcf6$O8OfX7EJ7tFUQsU>Y2MN?rn`7=x@^8xP;h|*n!=O<0P^`gX5xeS3ije! zp|yVOS|~C)1fK^wv(DoZ5f$SQ<3~_jR}Xr$N~q=$;dKXshv;r2z(Y=?bJEjp-I{ez zv5A-md-`X=BkYmq2!Z|OU`55w|3NABuQUk+JsnfGre96*`;|Sr3+Oh$vl$q7Yws&9 z1|3Jw3H>wQ{jAk_(Jd4qBs>3VA-G)nL>0#Rt;9cRms%A;MahlIiA{L?4z2b1=`UH$ zONG1;M-lCliyGsF%_@S{!jMeTZCntztvc|>9Ytb9&sOrpl93^Yz9qZsj z3jbI5W&kPyb-!1@|LyYC^`O73a8!9Yz{WZ9#Ts?qe|xbBZAH%WFO z2{l*@*|0dd*|(R5!0MzjQF5#gt76T_Lof0Nvj$8E(ZN!yTn)jwj}K zUJk@?4^KLHZc>eIPKP&xc)=yu%^#Ac zeX&Mb@W1M!OBWwtqxPV#cgs_Y(^WmxL)?8z%|RaK6^Xa+SO&dg3`bi|>OkEdAKqrz zPYhwY*V^bHIvInoxdXCK03qgg{I@|Ty6o%f7!(`xo0A1157f$Pr*=W9iRn-4HB7l5 z=VMSz#D3nl7I=Z%NJq%=X)&>y^t+Bb0~IECfqQ*wymt@qVWGCa`eH&9?-{eZfb-(= z=5T3Pb+WZQq)m5hck7N;Sdx9_@sw4Lu@N?xv)xjp6{lfYMLAox^65_7XNf?84JU>0 zp{i@nIo@kphS`CmW#r<$=z^y}VnQIqz((1pZ9=tR)Vz6u{dx(Yu$Zt~?+R_Rd^b9a2Gj zG`u*Ew(}ab=g!C*Zwx|$U15GA8Xa^;Y5CpD_~(sfQGG@;kjndS593tavx z5OskXs@JdoPAOhsl#zO90Pd8IssKtofW^{1?e*6Y;^hUrCq@+PxpNaM(C1&(6G2MO zgeK_yOV{D|Dh%3mJ%KRU?+DeHY};NFlBN(#8v`p#mQ45!e$kcY(hDu`_}b~*F3-Py z*-)vQG!n4Cr?6LR@K^6LK0{&B8+6w?xw#Zqn@l6v1&lE&vcaiM29}}*aNJ0-v6d1C zgdZtf6j&dUhyZ4N_&SaH-~_EHD1dDtBZd4NdOK;baA>Nv9F|X(Zf#$N<(l=#{MwLg zfE*WPhNFhVr?N23mzI*Bjkj~OmRw9`SQie|r*WfQWoTSVz1&*f*^%9ZISEFPK5_UQ z9f@?|NtPln=*`-tGch1{q3tFXDE^9>F)N;7+dzbU0+|2Dj72KArZrK6pA+4U1;h$?;Gcz+< z;Kr)r(q>uNr14MA(7ib?PP;Hrr?LU@S=z)S0w2 zV~3>QK|3u5L0(3*$w``tnyI>`SE4f2=YgF`2 z0vai|w|E3nuNyFZqs4ja-fUGV+lq3P*@KCB{Kr7Z_i-G|3!uU(P4HNQ+#Ez;oVtHk zwxVH2M=H{N+8^E}pK-`=@yVugQDpw+t<`uuQ{R@PgmZy`Ns7A*+LfU$h9bN&XE;VW^mghAZ@^sH5E~rIlquia0wJc10Hc<_e zkn9v{q{3g_%Jt5SxJU*}Xx8-2RVzC>Fp3DAc*F?%YB@^}d5>suxv-j#m@_dx&YT$4 zVrYukbjN>o7cP=4xJBnU&aQGd4Q|#YR{-&+4j@B8Va( zBLad)F9ZuD<78}{7{SLQ^GCytQB5~H=8;K6^oaUlX!49&moLu%oJ5U!;{#^xwh239 zlJjK&snz2>T<<%A|B(HhV$;!4mb*I_z|~zNf5Ap+-AMo4z5-*Ygk(^D$k9WM%+|nB znmi+BwEqgipvcd2*qX}}odAY#BSNcHZk#9VbypAozVuWcBAiK5FdQS|uWp+9s`bVo zHc^OZZ!a&f9~bNI>mA-=BZaWRS1V)D2;&KjujQbNW`th<4!8xV)VekfFp9Sc`v`^F zSJKKWMq89pNe4rEeC$i|G3l`*5Y|y?vIV9@#3aLJti-M&AfS~?L3UHgT<36V zYF04@S7#RH%64Q)`HU@sl7F(}bGW=NE-U2RYbN8e9jU1Ycrm$yVHpe3SDD;wVBppg%X zL}HkRK-eH=spC-j4(4NVTA|g?}?Gt-z=y8MaIify^*#zsaMK&Ob?#Fc=RX(jQRnKOP1ROuNRXlPY(79bsZI$~#s zKaV6?ps{wd@3C^81^OAw+j8H7tKK9x4Iix-TT5+T7A+9paH~T^3|{gtj;@T{%)L!@ zrjz}I{5J}vsmm-a+UEQ*vPmZl{ZJKWON<||m~4FGy@4)1b-(|e6b`a8XZ+yr4?{#n zJXnXGcMVD7MI;(NQ1giwNTN)~1 zz8Dr5oBPAbiL?afrr9$U!6qdj+>TU4TtMqWyyZks$!rN-ws-N~W3U>{QX~Qr=Jo~# z`V|@BFeY7n)D+Yb?8VNa{UGGY<)R{q(fe&!|FPCjxV%+(0QBA2y5&a?1>ru1Wh2@B zP6OC%Y3P-2mwz>dVxrXg?yrj~VSOsbG^EGl-BM*sbblrXe&J;(bW;;cD$?PCl7V|4 z*rCCn-*bGKkQa2Q@hB&*aVXP41a|G)=BzU>x!x$Ni<*Wureme1VMGKJzS-tA=Yzzo zh?knq;Vto9oeF824{~349tfoGp#J~q0727dz>pQ z6lmQ2W2`OwGf{eMwdS_WOf{+@`$bc+F8S(u{vv9;W#sVdgsE8dI!E)B|BXK%B<_dk z;A%GzpuFd#O}EC3q@|7@G!miB*+RiWhs^^#z%<+l+yTCC&_g z_fI!djYs4KLZ%#|(G%hUVYnbsEaedM0>B$@=5_A&>=<32C4Avue>UFz< zFIclW3l|iAQ;H%gLeVNpvLm!HofTtaOU}Z%)lo-*V(fyLQ`#5i%Pvg+;-Np1aE3Xd zz%CT`U4DIZu}^Tv%}!3#A$j03x|KA2lxZ~R`+I*Ip$%sOeZMqnRVhxYAVe0dm@)tZ3CX1&|4(U!#TL041a9ntTquES6s z<;803EUg0j8{+ol=;bZ1$Zm*)``FKIepYP#)c;0al(QSHt=rFl=zyZYb@F zO8%hAv6ml@?8U0RBxz?C(?_#5l1|rsT{ymm9Y`QItPBJeozD4i@X8ro?AHio+zMiQ z=9iUM%I|B4aQZMAHVWI(i#nN&vm13WW2MgyXCQW57Y2L!GzAbhA(1!eFMgc)lU?4W zLKk~2^`jZaeP_SO!EZvS1f}~Xaa>Md93ndAy5@kN_KelxdIW$8RofS>qH(oNO+um? zsJXNCi1l)|={;cp=1B3!Q~d@;o<2VUj3%ZRHho(djrUy9my&Zl_cW!#&2di zg)3g>Sk{>PJ!!4>ZjX1!fe447yUgBd(bZVd-ziR@A=8 z{J_8YYO8h`^b}=$@29y~C@4Z3+CLsDkX05aYfRl_C3qyNnlN|9N1UIjGAx(r56U4X zKCkiVP<6F@fX)ofS2=39ZOM3f#vk9^8nO_Tca?05QnYyfR`52PHGPz*1c z246%_&}CJ5p(pmr9RWs%Ysgk=4@94snnn$?^wJJOLo-l63i_XmpL75>KTIOv_cA^t zac+ASVWewulXMl4x150zdB7Gjoilv~Anm^Cz$Nywbx9*)l(g4}Bb4iGRN?3xa6W`u z_?N2G^bn_0PV&?h8|r&(#;Tt-ePBAJ4OXFZSz3nQv*Sedc+COSy+4r+I{jJv{2BwQ z$i-Fl+_iK=_&vM-e-u9huRz28#S(v)Dq;i%$4D6EeCUoKgax--W3Q*eVPM_dQAO*g zk~02Vkvlq0n~0nzh_%wX**{0VfX#t!mDe}eDf$p@)&9Qv*)D>J@kd*=ibwJ9ZPl)s zopa?S@vR|Su3YjIju#LtN50Fy^n(z{lE-tD}{RjF+YOvQ@7KJ6FYtTjh z%7Gs;0O63X0aMiosO?91!qAaIadZ9Dw0FZe?PNrbO(9*4_=OQ#g-S?fiXO%jPbwa{ zz%B5Lv%~tnb0PCrGM0v;S;7cSz$KShw*=v5Ooe`*991282rO~+{Ck%d^ zYfXT@ot^pBkinDZ@SDt-O`bUE5c!~qiJ2W~LW^fjv1u_7AIY(?gD#m3bB~^#xl2O; z2@VM^WlnLCj`8xsy7gcnF3L8?0r%C-b>7-zpfOaftd-Tn@|^qLMeq00lF-7!Jkt5* zW3}N*`?|}jS@nmA#JUJ8Zfey!ICbDZBm;J`fP=;z0B>WF1_S+sb@uk|09&(BegN-X z@OO8qF859iwT-z@KwwVz&pS zJ0w3upgIZ%68bIY*P#h+z`3#apSD;EV5opm@K7}Olhq)|g>!$xga5hnG<~=r z-6-QA6Vq*BtI(%qnRcXvp4e+PZyd)`0qxhHmKW~X*`epQ>}s>Fgi zao*XzT(W6=4l!ZmeOm1Q?XRm{7>bz{>etgQsg%c%%25>(3+X}UoSkYs?5=NwGl%&u z?@JU;zGPtHAs=Q;WiQQz3nFiGh>So{rfKEQ4ZCqCY@QN=$UnVxosiR*rkKfy^O^hI zHXQLpOGvywcOcZt`R3f=^EZCD_47dEdW7DCYxaJm0**EZP=PB9bQr0XE$~>zzm1j) zVkh|Wz?%`HT5VEi-o+QN0UdV4V@GZ>l|C9c2(`#amkK3J1_xt#Q9J8k$lVtvQ{WCX zb`0XrHof)nK71M`rDUZht;;AwO;l23W2z%yvFi_9o6Z8AOgkW?(4zTpa73I&X*{Yy z1lsDTuuVt?`Qy=Z`=s7a=UK;eihP5;Vpm&nr?=hhsSY9{-VY#_;2@p|iO2qEWPzHZ z^D{nNOY+8kj@Nai+55Yhrtr^W9MWJu8!@ z6C2ku&h<+0@mR)RucoYuwd$%=!8>rX8TGw!S>c=8@BeP%{}&pCpPUGAo}FI1Nh^8d zQR==4_B37OyE!y2?q`=dgSs!W2X%@NXefu=#)&Cin;iMt&Z*v^Pbjf8=tsPsE{;%+0;n_amyY5MOth;7A9(d%G1*& z1qxBO85lUq4L3|^c<8&?E8#@m1z43SwzdbM7=s{*X2y4{ji}d(c*~#YsOh&#!R)!A z!Lus6CZUm(Xy92M9v(K(C&FopAOpJ-rdU6_5PZeETxBN&8*-D_PZgiNIMze2f~&lp zudk7QFVZUg6weSVY~;6-|BQ-mOYjd{$9c3~~QBK0QTXP9wv-yXROU>E0=-puuPJ zubh}uH4?NUikf1A3X(cX3!^_IG*t16{Zle5Hf;||%e8dFqoaL=q3c>mxVb-c(baK?xONJ`103yh~I~ zEIPv{DNik_TWjAu2Nyjpn`)BP0{VerWv{_M8ey+1%~O)<&`*=*lSmi;I`ML->yKc^ zxC53Q2)8Nvqi)qP?iMzDOWcRxf|3cB(6pMwDnqY**WsTTAl-?#|@=l=jAG2r0#IyIg;`AZ%tmg2j^E{(zxQ}fdF*iqXrp(hvh>|}HWxAyp zW;#~3Bv<<6v?HUD`Ym5a;qZ2f=!uI7)qk&Mq~|$Vx|g5Jtv-#y-19^4;|{rL8{d2< z)D+MHJ@prQs-qmp5G_)Wz5A$6c${w52a!8^M?@jtX(leKtIR8JN$S?sJw{d5IP6St zotHwsI=c1t)4HqG_(5G;WZL1VShtT?qT(mrYnaGy+l$64tr_)MkKMUHgscm~kssGK z9_Oz6l15L=_Ju{2<7~S|nzU5e;dJ=F=YOV$aNKKdC)G1A@C%BE}MNLf9UNxv~K+@9X@ zj4as3(FDinh+aZnrle$1ClH%OcJv%4oSGnH_1FMLlg3+w{ zCj&YgYBE}rgLfUZTdz*v-WWo%6qEsAPSK@Iu+)v@)QvJ!i>g3N+{CNwn4lEUh@-@U zG12#vQH4?FC9hN)GpJeZPc!R# zLSkmBhbv=R@f1I?3H}3HeiGdochH}nx>9Ahut&0QdmOy}1v5n+ig(fPIF<#MYv*y4 zGxW{xifJf34Y?|WFgeYd-r6#zBGJF4t-I7}0Kq zT;p5wL0wq97!?>I@0=UgPv>+7>KZVWLh|CM6_aR}2oBs7{BNJs8$*U1${DNm{jT3) z-sc+chyMX(AG_Fo;Ba<4jj-!rJ?CL4K+=s$?nL7j^8E{~9NrmDs_>Z0$!%#-0d0`u z3NgWL2FYg8c9)*Z!&%{C0kQ8J{~T{FDG#L6?^1$MHdt2HN%%FO+3p8Y&0{vQEJ_A& zlZ@jCe;VqTq;san{n}-FkAy&xRC4*It2xXXz4UZtIr0j`_kLosE}Y&6c(`y67iVj| zbIy~+xZnFy^34PdR6;5PsudbIpFiIl1bCBvHd%uba z>!WmE#rrTY;W!g8QpIWZ!Nb==tVT!XRWoqp=G z+f?VL6+JIj{QUx%7E^QGuk7Zzw>KXqv#}td=CsZ#ax;Fol7DBU$gy*Du+eBQ#C5e^qbG&7CSlkhM-p{U{M(vyR1)T)3S4OT;nkK$ z+tm}3aD<*DSxV z6y7U36)&`u-o*ZaGH+5XF63@oULoyq){5?a$p06}+$rAhpBA;Jy-&;yv}aoh(P7nM zus?KMH)?+9hO~SVitU%aUYU-^w4HZ__wt^9?A)uSd!9h+Xs^NsQT?tcbL0h)p%vEV z;c8gKUo2)n20cy*5uy)Hbi3tdFL@S}y zOij1Ys~gV;oY9?sAaWL-W-Wc%?AE*@osv~~vo|fq@LJz^!l6j4Uq3awFxJBiJXYiN z12f}-m2Wa*1M6n?wT-gZXpUR>$C=luw008cNi+7EyZi6lhHE*6`GbKifK}XUis<|c zy_N5Y4}v%N$vw|xt$yommOkSo%nfFGEOGpM9V?m~WPBg|mzuf=$F6d{ysp>{I|5rv zIM`%s`8Zamq>^+#*_(bSSO4B^lA0ybv_kiEb|F~4K>T$XVrbLVbv8SR-9A<@;Xui7 zy{TwR4oe2D=|yn60Ue4sk4%tZEPU0rb@)8 zFq-i6*$>HMBu>pa>9_5C;jB@%K_e0V+?S~7sxh~AlCr|{WPS#L@!Y%znHZzCB`GQG z3=)45!VVrvUVfbH!@s!p)3$RxhYhK_H_-e zXn%O)SM1{&lzqi!^^rBuZ7T2MhcYT531Ph1n9DKJUdLnw7O#Nf3B8u+_IRsbC2muJ zdo?03KHh8l9(U-UAUkhz;isNHgXbui{5*X5sK)AVBOxmGiJ)`hOMAf>sX4e1h?t%)O2CXnKtj3d z^7d3ySkX6ML+XQ=3<4Ge%bzC0sO!}@6CB#-f`kg6fG)#V%B?F~?0XI&R3f6{22Ov~ z$=1%tkG@7v5dZ`4%wzQP1oHnkRgm3eWKoAp@0En#^i30&ebGYXa@s2NC)sTvy&z6bLEPtQ4LuqQh~O?f^R*P4ea^pH!d=|T zA^ucQOmN4Qu(Qi4pYYecU-VWgr)zET`rc*o<6cevy>z&$67=ONzPbpe#lSf_OT;Gx zkMq{*81{-u405tb1vs{8W%l;KL=h6oTrOO`Tsd!VE(8qzv?E)s1k9})t|2b zQg8#6fvw?37wzn{QF{ozG6%M%=3}3mYx0w#C~XJp!$t1Dk9lITx*!+2!wS;L+jjrQVw;$M$pIq0pMNpltFmoy@`fu!H z7rWU;yn!gB+PCN*p6DYUXq)pKwfM8y0vuUfJ(%JxOES};qMw5xMK4lr3W;br??y z6q+ulPa30I%Q@dU);C8MS{8~T)#ZMSpa%8-*80`SzBxG;CrojA{7n-U@O0ESZ5k1^ z$K2-(ZSE-1(muP@>9HYbRKg!%-eyKGdAZ0DW(29}f6iXg**R)9;j`_|=!ohPmsd_e zH&QUOz_d^1x}NW|G81=FxM_jdNkb}29(+64XHmkubkMKUtB%-|nceVsCmb6bmkNdN zb^_0&fO|DhapUvtfmy-9D1UH^U210|*Cgqw-}Yv3s?MM^O`xVDdsvH=i{$lj>Q_-h02cOE3M{$RWF>1&Up$^; zUG26@DO9d>Tq+{6rh}4V3;6tK>&7g(LR55|q}VV0V>QS&d;sL8I5W}zG_#9CFDTAl zQnb59FDvdzN8T)(!nAk2ymx%{e7jGojfx(}r`ZIJoXy0}3yU5NUrHN`ro5K;^5)bU zIAT z&wSsHH*4ZjTqE-@T-xHKksokUu1!zVDS@83Lzz9~8vBQ?H?&CA?g`Nunuo$_RIdrv zLtLgN(I89(5X`Y#QYTqZ|}7a=~Z#Ga1GwS@~ydvP}1w!T5%zZp|DVpMKA3)}^jg?YH;)Kk4XdFd+8J>vsdLSK zA9NNLQ&dY7@I`66T%|D`rp0rUN*!RS%{f~!wQ25xdyR)@WWVqVQJ9phKcrQa@@^w8 zbiLHejki|*rCRc?o=&mmbEU%lN_$;PSZQ5GdAU51Naohmuf&I|<{KNH*adgP46>Iz zDkms$+Ic^jmw7^Ie#C*(ttT!iU43r0P7hOOf_bz0?B<+fIde`W^f|#?_ndUY)y>fX!Y!JaApBZ&mr<)EJXcqyTM^GIyx*?#>plmG$4ck zb8$J(6ym~=H+;KtV!$5UQj^mY^!Xxqz9_O=#OL@M!%-Vdu!h z=(2t<=XVfCkfPFwj4 z&OYkb&{=Ei1{nhi2PuD9AqJqUh!I|$TFi2DinXfKK-PX1EPh`7z7n}}DIf=5&tPIUR9?&3G`l2&!NUBcDk7@FfPoW0behTyasvX+ z3yZxKq3`g>JQ_Unk*&j9c(JKGUh_?9Nw#yH8~MYVYwQY&E0-C?=RONXRAZob4_$L# z2^k75nORsF-z&yoqXq64_1m+=kqARX^qZ%X3bw8dj398t^i2t&ej2=oM?18!)L0E*;hF`xbpEpI_QYn(ZkNtWGH+!z| z)HJq_d3>JZhOf`7<@aUSJ(7cnN2-FdE;-J;!hWw9^qCT->RvGqD?$;10Pm8Bv~2X5d%&)ePUGL?;Qtl^?e zig~@9klXq3b^n@ZcXz0(y@@Dht{;xj_`XN^BezezZUFA^tN6~FfRt;yvJK^;kNRG# zi=> ztWEmqY4hYHwgfLJN@K4wvi@^%1Yz1rlk?6TNpF^JvhbT7q%t3gwn}R*la~H=P9*jw z8=s*p4Lt|<1Rcq{y|y}9#n@F_P|{Yu*VWb8?FAJX*PPj4RzS*|d6Up=CI461eqbml zlprNjhKK7(Z@66R>iFo|Pboa-qlGDGXtAD?b3Mw1$s>)A>V^aRZ#!TwP)+SEsu|oJ z?9pwQy_X6no(n?jsE0ERn9f^0zMbFC@Vees2Ah-N$;$m4krK3#(@`3z9-^?}_jJx_ z;Nt+_KJ#v)n|QppS9H^XHoV)Qm@Qy|XO+Q|o4s0@n;%-Z-btLGXQRxiuD97;dLOGP z6n|&c6~v3T!)Ba0X*29P@mStjwTDP^7U#tqXKqf67S~pg^SCx4Yq9nG0Gg6wfoyiu zloIl`UgGqXsi|N_w+(2Dbn_A$@xGk9dw4S9AoMExIA0#_-@2Cv!M!8PYe4t5f)B3IP+2{`7U;nwe|Mu=N3c=!=k&IoDV`~8C7m0nuoKW243s2L{k?13Dj+P;Z2c4WeKB{oeP7dja)gU-qcd*88=zJcK9)Mi>6rh-?X|44;EMmCIX zXt`rNmH&i|;Ykx>#L8)f_{4|do~83s88kb->$+dO=$~U0bfkMf7gy4`S@^W>W#;yf zg_6QW>|a#QIbCc*I>>I@#~-!n&-6kw$hCy!C55!MOpmN~jM^!Q0quX@Cl=E&L`B1T z9d2VK=@RCXN$lx1I*NqPVQ6lAPt_|cV?bwymoS!c8|U~)M9)3$vBF0yj){pD$9!aC z$pJtWe<#Uh|1oeVtgmctg1AI*;iIvxR$}+zCdBK0zj!nfnvHh@hvhK-t$GsoMg)QX z#b+P+CghYPQ9@Co1nq^Uhvly=M!nH>?1$M|lo1p&8Jt+K{2N04ZLh?8XBc}0b=$o1 z7yH~7;+Ma`$AG=i2Zk0LQFaMjSnSs4YBM{?mB;&V+pDd7B?!$^dEu=}A+CJmA?oGX z@ScZU9SJ(~yBi4%7F<^IqwjP|R?sN7eo8`9uJ@uNJ$PO^gv+O%*W~1WjSx(ANjX_Z zzMtbLMzjsNC&M2pQnc{!qlip7jk2c9la3ux7v>^N@Cfhww4Q4Zf`%~iY4UY>eA1KE zIu%+%*7qiB%+1>rqeek@*Y1ylaGHnT8yhVf0HX3Z^@t+p-B);_IYC*cVK@$mfz!kA`UJ1v2;@Xm;^G2V7Xn+vwhMtJFwxEV+U4E+u|3GGT2=dWPvCdC6 z#zJAZAI4|JrZ#RaI$B!yM?)cV=XvK?0h)j7s=q~)D;x|G=Ic-RpZ%d2m`NetRfSZG36 zlAyT`34XaoGRb~!$fHlgd@}I4fvyerNqvg6=YQMZ9jxch`f;1D>C&jPvqdzrFOUXq ze34+$c4H8#Dk451Eu;&GEFnNZZz@R0@LqsTUI{qTIq=3%Mm15`-#eE49Jn3$NEA0^VAixJP} z=#GPjgA)eN!MseL&Api{uKi=D&S0!^Ys%P;ic@8X0IFA&w>k*Vc~SGmbx!(e3UP{^ zme@ibPGZ};mXWQ(_8rceZET^ha4bW{yWK--QG*V@!Lkb`cKuAJ&s9# zoD@AcNRB0evBXi&bWt+q>|YHcqZ1#l!2ekpt7OpEzGEy|)vt+Iq|xF;vR07+_Q7&% z)A(yujI}t()y-*%c)zi9PeDe|YxVu*w3)tnL{hb0TX1ep4-St)X$ZJ`ow{HX+a^nw zb5)9xID^g-CuUU=;408j(I+H+HZ1q$`CnE5i~$AGLJJB_o$S(G%X;{yrV+Z{-8@Rj z6c=>-{6TZc%1XfQp8EJ}rFyGJ19z0gwUU=&K^G{j?RoMKT_80L7_rCp523!dQSkf~e7n|Mv&=w5SBdt&E$(_4Av@f1|D9wJw z5%D?otFvdWp&uHLwDsg2R8H9sXv(A)b>Z@CB@wtsi)FuQ6Z_QSw6@t}=_2fH;=m5U zFga2E+)d?tg>)XAyw3{LX>Sdg`&+;SiHOL_`Rsr_cR4jp^TGDaS_*o;m^d}FTmrM@ zpRn)Kb@&ps>hSA#n{#P2e6qM39Q0e;(F=--BEt|+U0FH=07a85>nlRi;=MK&{{iR{ zpH8scHk3S$VGslUUl|t2NP`7@LY$TGF9}J#8FTeQc>!g9PjN{Z~Lr6e=?4}9Q@AJ?MY@p6h8jc8#YV|_Y!Zq ztsE;w{kYQ7$SBzLJ|r>YwK=-3tA9*UdgUPu9{a*gE;Ngvx~5l86gtflS0X;%6&)E5 z6NuCXy@LVS(mMP%eBl`S$xHwiFsU`kx@;BY}`1o&U#(&nTBuxYj0oUZM% zP#(JL(2VnK(g`mw)?1JrIWXwnypj1f#Uiz%Bohh9{iwjo-2 z3vXi;@zQNyRO{25Yb5KrtGoB1JKd>gaYz#z|9(?ioPf35wDgQe8M1ZnbEw59=uVQX z=lgq-`5zT*QW;h=MDLYQsy3ph+#>e^2G|b`mw6j3Z(wv`-uYGNCtixaTGV7jh5_@- zL$|e@zsqtABIM-<4xdX)bfTxqLL$5N!kCrP<{2ouc ziP1B7igd?mrgO>mKd1`}(pvTnt=VFP-(WbgfXvryp6U!V+M^ry-n3ABw0}KTmBIw( z!ksR#>+&4M0ip%o?z;kMVPUbT*J{}~-QO=&e*KMH9&hD>oCp^3f2ekk;tOVQZyT)p z_w@>Nn8%|!yB?XVajY%bL91b12L+Xhj|!G%lbA3!{9K!7w;_zJ?7V!eWVDTml@#CW zd)wQdm%FTXHp*5xZ-@#Y^`SB|2yiOkVXDL1O>Npb{j)w4x^8TPgLi&Fg)sQ9hcLg!~oN(OQk8A?wkHHAE03VtOCCy0U{2L z>!-*2BnG|h!;<9S+WLACAy2?LE}6FO_4n$d4+{@7dKE*k`k z3*H=h*^SwRjDJ*0jVR&^w6lPL_eX?T_{Mbs138~6prVq{XF0O%tfZ=XbiQ_8FIhWe z1#|YdDE-aLYAU}YT%w#wW!2Ak#M0zUsyh}UC`CY&1_lCdwIxHr!}BHNLfUs2GTUfj(+vpRC|)CcHn9VqMNDzGo6@@Q(c zl5d`(r!LY9OI5I^g;;x-n>+dG0b1=|gjH zfc^Hpvhv057%2ws#pUJJ8i}U(q`??2t4W3FaqCCJ&Q21g4})zUhqPLpiHBpwBew@- zjl2jIXcCSNprRJ&p?%(h6k)LIS0Mtfwi&ChArisBiP{-J)@4JwdhyFO`AsfPPM<gMKDJS>vW zp;&K3YrJG>IgYt{Wj{7P8d`%3v9_Je-Zm+Ye_xyz;{2@)Ab@@-mZY7nP8r~%Y`_&O z!Hlft&WWXBljMj9=~mARJT_<7fn;Ht|1Xc=z>j%WNl6}*FJHgXX?zz^Q*-H!#Np}QRe|yvij*nM>I|4AODbP#^868Kae}}MBK8D@|2v3LEJ(o5!crEb_#;-1 z@F25fqGa08b$_#UqM*)JeYRi$1qHk1X154zhT8Ang@V5E`}7vMQjG3r4}uFZF`Wib zl*y;Ehq%!E32q%}{Z3HS^{S1c!7h*>=L6dZ63ZB*>UuYZLP%>of&%qnvSg!>DE}uA zrXvDV+oAJ?lKmt78CvK9l>+?y{216Gc!*fo*bYX1iD+qz2B2{G`MJ5U@Nj$d4F$g2 zx&{g)>r!AdpViiLo(Hd9)*JP=|0s4^nH8yr%my)n> zSFUsty>|V39i6lg^=y^z_Hfy~vR?ORl?g*J6KVuB)P?NxkdVJ8^G1${l@hEf(}i&2 z%MTP<_?M7`i^|W%hEG{V@teBE(7{lI3kuOkL;*ASKTrHElQ+_UhxM=pJO39^;L!ko z!`{K6$@}pRSoQ#b9|y9DvGK3NLqJ{vpb$GZP8YkARrr>?D}m)+CcG0EB$_;h68Kv< z-UwyX7ZB~KJ(6O4P=x@PP7Dp=dIfrTdoq40dw|*Mb@|lJ-xMYybfDq~^i1Hv5=Fm}<9!1jSxv!_-$BL~H?mcXcQ$D?LB z94qh$804SN{m!F}x`O~B@d}Urbrm?XCMP!xbWR+l4=^w=;PIT8nGx4Q;Ns%i-`hJy zv6RJZ`#@6L3-yPnW?X)Zd5ACyG!Dh!vNrH9_8f*Bob|jMXk5ck`&+XKwZ=fc{hRcE z&GYhQb+`v-fWOQD46+dhob~2%dk7B$+w*cCGun@lRn~U8M8m9q^<=FJ7E+zOI0E0x z76Q1t6-9srhKZN?`~!p>!jl=f+u+S)e)&*Y4H?a5F!8H zM1g=c5Qw{9Z3_6}{3U>&A+xfwtQYIoHaFve<2_wb9RbkUQ~_q$f*Kkc1cvWly*$60 z4mrA>wMKjiE~EsH_XTQ+cLegJF#>hA(&fB%36F-Rn6Yg%simaGsK}$w}>cTVgmwT-;9O*955<0NeeJiMbx_TH1Uw|CIFapu&BTW1L!P4=UfWH6C zDlGw^Gxxz~h^9YQ6+qtdez>u_zdGc0IRbESPt2^XtUlGgPUUtf^Y;fKGyR>^{Qxo$ zl&Pvbb*=8EbfC)tp58@*3=A@e$>hd2Jwg5dGs&Pq@wL1zv&HCu{v*$;vKiIY7eC`D z%#u3fzww>MD66Wb^ZW26Gn-jk4+|p{{h@#_soyA(PlM{7Z}V5(R&5mD^hZNbjCVd-&|sFz(~&k2s0{6HE$q~|K-Qa@CA|p)!0ez zrrtsI`=<*s>cH`ZHp@BT;SaWT9|*|HII;$Q9?w_kWToSNEU0q#* zLxxbH0Cx5Yek=$$PY^gT8clJccsB?kd?Y|qb-|YU37EbmBB5T?kcIw>y?>|U1vp57 zNmx6#cj)|{1oqpL%Y&JNnR0&DlZ=9b(3A*BP{;H%R?n+^`ET^}^uw|U{r?C^=NEP& zjHDRWU88x>+fm5>&+5P5546@Ge9={e!=vzji7u>PNeL|l1qG`KBMFJWICP8qrDnC+ z=j`n4s3@d=>4XJ1ib&n_xG9?GL91dA8{n`+qdl<7YBP>@$Q`^dgZ<0<0|WFaCTzQx zhZ;}OD*DSuGK$d)%F4U}trQO5>iyVQTbr2Dq^PJ^Wjdn!-T3EdrtqojENTcI1tl~H zke%v80WnQ`IaRK_o?kC1Pd8 z=y`R#)RYt#*EOVo0gun;`7RuOIF%E<2d3d)$%+u5oVd%9$Zwbu@HU5famO6#K_nz3 zX#@HdSpOxRqZUB2U$r3w_`k>JNDjKay``jdJ>MQ$UDYRW2Kp#uJBf^0WC0p~n|QiX zg$ymsT3~dBVY-Ekd;0b6o0r$MV}m}%HPn@*&DbtqfyF5ZRUA?3*#@8y5$Qu(6csZ? zkO*ZXu$5MP)S@V&F5cCl)on3anijTNdb10BH3I_H*m#Y>dAQR-*5RiZPka3O%#Ckit&ia3xP8#&kPoG5XI)1zVxu+)%?Y`iY^t-F8 zL=+T#!ZH~}larH>{RE5v!qv;i|6wLD0}YrT0|PEtN*!{4{{ed0oC10Kw)4DP5x6G# zuZ!N$*m&pv3jV#>=#L+vAz$=W4QPIS)tuFKb|?KJ=CATXCm?VRg+tclbHOKXGq}&> zgjX||>mZl9xCrr83zvdZ=OhD0u*(dIHKKv}Ko@@$)sV24)~7Zj$@6pn|EZ;=C0M$PXYL^EYGtVt7 z;8`)VB9iSk4EH|~G}%|L|d zeh&RGJ#VuL6XmmLY@7?6qx|xg7%;{HGeiOyMS80`>LT^LZF@qUPDZ#;yqAMA2u)D( zCoh&N3ewml$L^hlFN*G;QM{124Um)=Ju*R{nIs6fS{?Y}&8Km@jK+5a20{`X4h;^z z*R}-|Wq*G^Pxp&`1PA6c|4qOwhJTvM{i5T?B;0R92n5N#GX966OFo80suvd0q6Xt=cpztYrWa+d{i+@Rh4mZ5DEHE zGzw0PLV)k9G2S;Tq^yka_s}wGu|R=KYwrT0|DHNzBv|gR*)kns{$j5Fl9G|@T0Psn z`6R)bS9a%zd5uuy$@1Fw(_1-0A!2cm{a>QE4sMohLI@OFJs{xzOi!Q!HUj{B`9>HH zpY;hUA|j#zC&D@5%YPjHzm5B@E$G&blS;CUkwu2?&gl2@8byRffep0YWvfSk{9D!? zA;Gf(17VP648VmvIqH9%Hn`l4C8;~wwza(5L8~z8LCKAJH|pdC7ti$OhhLkHuy0Ho zk09P3=Gl_Rq^En|Us+Yhn`vv~o5E@q`uTx}!_#Y4O9%@GguGS;e_@`luP+LWk)|HT zS7U2l0RaSvm$+*e1*D^&w2QO`mG-YD9U}L|=Jwpu-5PESSXV5zER>FnE$(NwhfgWZ z&qY**8fmIHUr5;D<8-?<|JtCf)@M=ZEohb$AK%TG%}z%LA9C;mEK>ldt9^WrpIBga z51IHK@OeO07=u()RIIJ7fz^L>B)8tm|0yyuvZaN0-o$n^L(r8+H-`5GT|EvSZM1j{6P=RM~Qpxjo zAWQ1kP{2aOLoFyPv?d+O_#blt=2!co1!|4plYa})(&zt10}nGmG$0-JcQg<{{YQBK z#4<*s;>q!bB2MOmscL_9>*{AEknsklozM?J%hdq`|8pOpsVH-bc8Q*SkBP&maC){> zNDR^XEi}DkXoHcCC@2)SJf9}zzYh~yVpE0Ic4;cbH&@?O{P@z{z1iHk9$tj20Bi0< z#~a}dA>&?Dm*XL2WhkRABID_8$Elz!q$1omxhSKe+N{zSrHGDma;l_nrYl*Ktow}# zy?2jV>P-2EO}?x1wCmfTcr-j*6pZBfWDQ+Ww4~Un@dNWEAAK9ypx%XAKM^-U_Y5EX z!I8k`EXC%Sg71yBg}I+<%o)}a@oltaH3TI_uWvRZEtm!66sAUJOX|wPSC5Ag!8_UC zRSEpwTFJOaEhsJZdc0!;yaxBnA|M*V17np%k;M{Gf)bCym)wO);dIyl+j@}>mxpF254ppY4BBC=5Q_w*DbCL{_({Ciu=LcX8gJKEwW|UgDu)ly zfJD{z+KwWxoh!Q9EmT!fH7uTH`~Arv%N1{9_VzvcE&#gGXO9R~@#yIr>^iL?)=go?Sx-dtl$b z;dR`MiVznRrHgZM1?quB+sYTJEy}XqHBpmSBFPE)RsKTn%!S70Uw}^<>cgW zaBz4$ad=!AlbJ)=ae?q}ix}#+$pr`<2E$m+5I)FW^=l<85?bkROYx5sqkt0T6wVLH z0TiFjX%AVABkpo-_tJ0Wgs(V0iJyd}#OB3|^K!G>-qDwhG$^UOM-$>JNjp8Ax~rl$ zoepRFAg&U=BA}E#x=Di65=R}-@~!m3+uLrvzt3glN)f~4GjXofvyrJf0qI${vf5|# zI;W{Dc=^Y<{r8hYdpCLQt9pJ%J0@RA-j_P=Z?sgoEJA#_+eyfYv8;;ALbBqo?;lfb z5p<1SW~Q6;dRpuu%&vMzlNDnKv0V1;{;F*Np5Wc1X&zM%ZLf=wh4jRAxrXb-5%l(Z z0*7cf$+f;Zh8DZaey1JiiI0v4#XmIg@RQu~s%pEE_;?yRZXeoSsr>R2bKK79fg+fz zKI!jyw&tm~F)dXpmx@tDA;QSX2Cw~1C@y5b&dyF~WP*%QeF3oY2q;Dg@*s7yVl#)+eUh|z9zB^p8PWv}z2vN$- zJsnY;T%p*B_{<;9esoN07MeR|Q=zG%Wao0V3F9XTnua%d|cRvE(zINupjd!O;>=}ZN+itvY% zljxLmR8N;IxC1E~NbTb>V1S>!fQEv)b#>!fCkl%Cm+iEW>m;3(JD>15?9DX`M$h9%69FCwJFtcDY^}hq$Y8 z(Ne#!-Z?tXh?f?bePrY^C0>2q3Zv-y~a zB=HC8`sDEvOYu7E+k0!yL)#tE)9h)d%e(UeGmh}G?@DRq=oqV71L(Qh9Ysp^mlp`(H$JY2 zjh&RjVRLtL^PVy_JtmV)5orG@D9CCuy11AcfJF%c{b9X05zht9*FjfMVk0;)kYrk9 zf(r2!kcO#r14cAA+KeYRnVeiPlF?LtQ~TL>z{=nKd41d_HsfT&UWZX% zae3X375z+{O-PK1?~SUGv>;0E-yx>|8*$K)jk;_? z@}3HZO@4YcR=hvwb3cX`LQ!OK&C0&N0R4Di`O$>M_JMH6e)^lG0pXCP*xmNg!${$| zHDRmjciDN%bb`j}ljmVwi`Q>*W>C9TMznc1J}}cIIbX(KoH`lL!LrO>uoCE)Ysk2t zO`7|*@*sbOQh9JH^1CC)aBXv>$s{z!my?<)AbGe9vMn2;gp_4N)rPXNHn(!l=&NhS z6ppW#;%Ljdo9V0j{Pw~b(rw}(>54rP$xw6X7yF^kdgER)Lut-g4}A1i0JdSx$FNsE zX&+y|={6qBx0-u*ctt#8W+5rtt2I)g5H+n{N<>B^KnWub{t@g&C}B|iHaCr{qbN0H zFLva6jrdYaSeTdu?K)n;V-*zHdxZuoaZ>_mfZrJ{AtD|!lyea&sXX!HR`uV>Zy-TA z7#G%*u(3+}uaN?Qge(H+-{`SeEwxoAVB^41=9Fx{yLeiCO4TLHH>lU&3SQDuEs&}; zfXU8#=hnv@G9mv^(O`lQpm`(tp1{necqF?rvZK3j`iuhvSHPTb`uQ~B!-v^PNu)!V zixTRFh>Y zI6m(T#W9+ebtPK1UR04VlYm}vH4K_!q`fm|m3Ik6r;sgxM_IRJs$_bH4>XGb1xWoB z;GlpoF)@KWdY$#s*~P^sQ$HyU&B5ww#m6~jJOJq$I7|Q6rkEg+FL`nZ)YJ$OYh?v7 z3XH%0>sc_s1L#9T!LsfmZjN$7bpM^Q0|N(MeIo+K?|pbX;=ZlrjQ{XDy;IiI!2MT{ zmn8w8>%-aM`4iV=ajboujUZ}Hi8OFc43k~Z{K2mgtIqn&KuFid)kTu zJ#W0;jL^bn7KcvoxVrb6Iy)tW+A}YLS(6YAa@#BX$-iMZOfdU@e7$3Mom;=You+Xb ztFf)7v2EK)V<(Mm+qP}nw$<3S_0F!YwVwU#WB=dp`H*AId5!7o$&U>XP8YkI(AS0SGE(Wuht= zs5!&Ux+15I9Msfc2&st)dl|Dt$b&<~GV%&1qxLS*QBeHjM}|jqO+JZUeuU1$Ms!mP zv-1Sd{C@ek2C1p3NlQzUG5$TQ4y^ru467{#@i>}1++}xJ%z2i|Be(#g{3VDe)2Av; zxKyd3|13kA@jRj~a~20^PAEHqHwCv17~bn&q{;i6(Pg*rGut-Snyo1b>Z7zWa1Pyi z^)?bjIlt<@J`ou_;dE~GPWfjx?Z@35!PpSoMdLBTNb(cb%I=UjX#w_7Af53_FR!o^ zSqzO{kGSKyNpDE|w{3&E`rWTgms_>rX{N~r0RaIl8f#Ix`np-UBxli?1exw8t$zaIPkt4*iPe>xE4*^e)#QX42@<5N#x7j5yp zeMHb@w8sL4X)959u_9LS&<{X3V7USIP@Gf3Fa^~Fe!iLzD)#08uw>C^|G zJjugo(Y*4s9Q*Ei1gZ$LQ-{-`>b>sFxx@{1uK~j^BfkNY}UoL(Gym-7gp$DuLH9;=OIL z%pEq~Qv^pB(zFbeV?3TOs6*q3R9I&HN3UnOTwR~so{; ziR*O+cRPZEhu!NJ(y(x}!!6cFN%30g^>*|_^Zk(%7n-d%<_J4UX0Y~Y>?+|}qkEp$ zp|fTZ?V2CIs$5=&c%M@!K;#TYDwE)>G$zy7aHEy{>TA>+M>R4k2QlT>LO=q2r=cvS zkpCXdMeqPr#4FmD`{St_ot_6eX$=ibYQo6nBrC0sR{sRhK!CG;Ny&F6HsqZjmYne7 z{D48Zx22R983-V4^MLYt`Lmh=fjA*##U&=tZR_pU+;WPOW-J>qc%+pF>%f7cL&_;S z8=CTMqS4ZBT$%=ah57=6%N3+a{%-?;xIq!Cg6fKLfsFpO7XU3NI^|TQWL$+MJB%RO zFH&$)QSCuA@u{^Hk=)gW2k*5x(}&;Aks!m!iELRWvbg=&vDl!E{ zD4H7_pW5kN2g7i!ELMaCWl^Oo$j8RT9?{VdU#VHXcLeb6->o{1xR*6b>fmOY$J4QB ze1NtxaXDEZOERprO*Jk)qjP*^vm6=XO~4qjso(3rqRXya`?WoD!tVk?z9ya+A;Jiu zxWGDe8~ydwvUl520`yc=GL;q0k$y7K0PV1d1CW`AaNPbC+#0I`8&|adCk>-`mZl5D z>F?_+kk0IIy3$owS9jV@{fzg|>jW4G09`UQJGN@jai0eB%K}WGX#wet9!sI?6AVC# z{O5221Uyd4^F!MLkCt`hNevlJa6q1krg7c?3BqoLbLr}I8^|J_J3a zG&x7yWxUwK&7$QAyt-2PNM^_<$i*bOd^~0%9Z)6Z!~f7@1@yOz9fa;O zkK@I&(iM6e6;@fjA8v}b`_yWnm>0NND1|qt8h(&$*k5$d9H#Kp<8@JQogJS81DmvJtDzYg+LB za%(NF@DAQbTI{fAEyfcOroG>3caHD`Ax8V|sv@tc8Wp;(N~g1t$=T$5JBO^@iN=}o zojg%h{A5P9vLfC6be;_xdlq0Ka~y>C*1{zGujCfL6p&B<=mxGE&5DlhItv}`HU9@; z>HaI)Lnovlu{72XF!+o5U?%0kgE(9gX6B~Z1hi{`|N0g`;d>=Av0qIN)CZ;$xqkV& z68pIAFKj4F489tq`z9o*+Gz6f8vMp0#f;81Ep`8@Zmxv^4wDu_MIt?~)1rVccB0{q zY3zEx`4RE)KwlbH?q8L+eQE75s!Z+PY~}6vT`vz;I!bA(O1;LQB^X)DqAb5fKn85| zln#A#Svlc$#d-6zQX|1eqPb$PN&Z7Ci7v?A1xw3(a@ZE~HHSJa8=Otjhd~!`)ywU|cqM z+IX;1R?kY4#rbMwElPVC%iyO|c1FP)sZ@2XV-oY6LSU@XoI^Qt09kRvN5bG~zjOo^ z=iW0{R*dxzx>5xf6)MeI>ziXxv9NjLYKjO*NX6dV#$U{5kTwn;n@2kjgmmROV5EeV zbF))UONZ9?wVtyHXa`F&JW!zIeMER7k2+u-7M3Ay=jk4|#Hi?xXZ@^+Uf7fYWLLc^ zT!$ieoy<1dJ!2t4?@k7SZTAopnv4?3aGFf2{zWYI{Ifz-W;G4>$jD2*YZ>ral?CuT zW^7N7k6F}UnHsc4 z9R=Ld%;okrapLM^E~SMpB_aXnMU0tt^%c{ThF8HG)_Yg{`ctJyV>dN4DNWm+OANRg zQm1{JFeH9_1_MmX(c+b$f`cfFOCAmlepnioP^~%vN&Mfn2tl^#W8V<55j8d!p@D%C z8^km=BU-a|I_g{2%`bJ50AYmp>klsj%XOq*`6i&~sy23H(mhmv9E(S_Y}F@lYgvJ6?L0nAf52oeh@6IRqcThXL{q!5KC#>q2P3s}LfhCsz2VVMJd{3tt&(dqn1fJ2gn7+@0k z_WCNL0dK*eqMEY;&8fTFq*LZH~0Jx1_1<2O$d*QHS`OkKWS3;?nOYXC_|?0t_9}@<>URxFduKZn&zriq z4@i71EL{?b3zI0xj3=eRpFqYo4`@f0Q?!fn?0SgmiwoPnra+*BG+->}B0=Q`e~3jY zw&C(TCRII%tPe#Nz?7H9&wmSv2zyG7)t2aiCNDNgRaG-37h~*2ehFReFO6EZO+1VV#>ff;vX0f@MQ0+PRoI3Fo5WGgHEuZmKs*p#~W-)U4LcOrIu z&cT+zL0YK1r?Q^W{YFXv^Pd&X1;w9V03Z53k{9?~%H$Wdzs?^2{FLp0ful1V8?ae$ z)-R8n7l)fr44 zL^aKfVA$BBCr{%ooW&(9C<;Y92b031%(=2zvQ?Q($VicFkO zddNW?IId5mGi|#?8_8Ob6X|n1YOTn}6*YBZ+WxsHi05UF;kPJ>DB$m{OqlD35A zrhPbA@leROcm~Ggs~cBSDM%8@D23YZC!YtgKhH=a*4Hye>uk^&jq5z)4FDsiK}PNP zbR5iPK6L?-A<4RUVist=|3t1pe=l4-KOm!OnOJCUBq|LUqta57g=j@Zr8HWl=D5zA zB?>Xfyn*mfK3R-v{3qB>kNV%ic9}NH<)65kg<(rU0DsYtR1kZ`<7a$sIh(jZB#ETh z>ighC703M)T1n|p@M??cw145dx&7`4aN$lWu&*a*OJ<@$O4pX1?u$LzMF7d15^`aF zb){QUN=%!K+aAAmnoCp$=!Pfcxp$y-1;K6yQPg64nAJf-K)`;gByEIRluR^x z#6yrqvhCn{??J}iC5MjJOa{7n&KZ(k@~Wc5HTS+PZ)j=xMvB><>(jyA?k>zHYBZgR z`L4pHB^Puj#E%z#(Ib>yUej9TxQX%Kdqx)mV`K)mgl0M&d1_xB8)5nvwPo4d!ewnz zxFLsz7ev5(a;RDI|IE;@IB+X+#fw_$CaVuXsBchHjEoNG?z;B_8zlxW&)sFiY~WMSP#ZmUw;O4RBjx zAnrK*xM!rE7At&oZb~)$CISiUy|S_b2*tHJJ>K?46B!vbGCPH4L8kS2>qhZXSVZuC zKC(gh(EjlCLV};hVs)?UR*YmxNhewaZ%hbdoqLT9etq2EhPtBD&kXrnvq5=Yj-ZBskLi=COOA_Q};KUoH`MLI(pe7#7;`y07 z{Jg|~Mys>4Tqn+0_3qdbEoLIE`(rYfZfK~J^>xolzdEUWqFHZf={d(mTdd*!-8fQ0 zri*x^(@y6F97__@qKlsT;9^5W5lViSwzRX%ccu<;WxxLss5>r}Dp7HDn61ix^ldEQ zBrU}f^N{6o5AEqew97_J64xV?9$hi$y|^R5J1M^2Tq-<*Ug4wIDp*;C_*)#7CA>sw~rj@R7sINbT7e8G~g zJ^!dzPO_8uB1~=c6);QfD55j9sO9r7w+rbE#IyxL1Qy4mpn#$#J_dAZqNBTehkkcz zn($VPWt5Z>e$SV^N#OA&k~&`l2AQ5SKlk0lbcNfyTScQ{GHL1*v1krt4eP(Gc%}Fc%0sE zy?jJwKdP#a0;o11e!7*#TCMN`YcW^_+@gDeKu6P4hSV2- zxqgQ=J8lL~ywoqe0t4@pv0yGC{6^;#W*h=T3oXmb3+(f!G}*kQL^3KWkDJ|}kuknN zWWhDr-t)@K+ivyvlQ9?@8xN@hi+S_hK+2H59-Y3WNvvAclbjWgu6mdiFo=hDo`lzx zw4f5C_y6fd&1af;+drJ^c90_XU*bQ3Qy#n8|GVbU+14P5+CW6U46CSds7{&>_o_%(JKmNNdwD(RQNEK;(9-T^@mk4OUd zxSB(wO5lcZ>^X*5Gi{Cz;Y5b7Y#PTW4+ZtW#WW&#R4hP)b+bv$D2w8iG>05bL@FSc zE=q(IP3RUGT#I*RYu~?2ezezE?}=bX*usI1K2{jQwDg^s(s*wt>aOFgnho|Z2rd5|&QQ{Q^bgWec8P~K10>Ih@g4*7-8fRJ!nMmUk z!{i|-fDni5lc&=!FK^~r44;mim{F5(w7cDYJ|&{uK45-Tw1OrW z_A2t_DmSah504-_XLz3*&O^?AsgFsy9E8Rz~OfJxVL)nW`C?q zoNt+zBn@34XOG}|KbL#7`<$s2i38!e%DuKCR@k%xhms!6V`5Sq8ag_j%IxmuMkXOo zv*afGr`)F|HV43}%Asli7t%sNl)|RdEj)HA--^!9OXIGm(;K_)&_S1w$0@^EeM>;= zKZ?{c&!t(J>N(CqPE0Mt;cmfAjG3)c(vULii}MdvwqTgH5XDQ2IiVkMQJ|qN5SGE* zLAq3ma19HVLu6UkmtoUXF}NM9yx3j#19+s(zYv&E%8Wi}KTYp(D`dWo?`@u2cti)6 z4eZ!ckzTyMY-A6p-P%AE-_FN>q`zF4y701w63Oab)&aoEi^YT;An@3{IplWFpYP{u zsom4T$YpWSGBdR)Y>sz1{ShIEuWbsY6(~6D);%Xh!bO>F7m?iknN?@R{fDt92M2|Y z*N5DhIh;a~47aOmQ(6%gDT6X2Sa0kh}R`Yr8qvTy0N#>7Ga z?r}463|ymFT>5k0xF|(-1)(@fcGd2Cw|c&fW5Gr4n{Hvbep)jRq4_yFZ6 zKqni}HKk7<`_%{F$1bCRbOv7cl(pYPH@=e{kC!L8tG`?a)zY~X#0j;wJkiJvUR^1;P%{``$(hPJ>jB+l3z=I_jq}{?$KmsqHZ|Z1QokN+%~3TQ}e27t3&RW z$=S$I>2PtCg-M+!6BmW`Xm(KQOD^=teJ+tHv3Y-Tf7P6v3b0|3YrdG>fzHvpXl*eT zVImT+i2j&$eL42`pgY1!nFZAPeJx+xd-m4neLpy{EDCxh%bNEX8Rz*)CgND`im;l+ z$nD&($L=dZ!^!Z`xE!6O5~ne~_lhLU#g!M3)%QEzkF&eKz`SAYED0LujNFvAu5-0I z?mmxNC$s=2`!KLFN{_XB&)*CVopZyXZ=lh?#~}Wq1$nYo3JMO{ww^yc+@_$MGLdw4*1c*5 zzd&zqypNS2p$EWH^{0_mJ$6G2_fTivKvuv`viyXa8cxWX6oj0ifP+W_=%?GkZ0b3m ze@l4(Y=0{$K=M`j<*mo}&t@K=Ao_D*Gn*LqxeA5uuo6W(eu>iyF()fyVl%mx?44bu zUujdA^Bdu0rwTEgqm z>;WU8(f1M-w`Y&18Cb^(Ks4sNCo>leK}1Tr(QJEgf3^ys5qEVOqNAs0^2O1pQ~bq&iHW91QEmXq+sPA&~D1yV>e86vR;w43%VdRQWj_=H+Rj=J!^|Q{Lti21LK5Bb< z!o;&zLTX-}BEvBq@LmM-=gYuhW@Qp8sU{*`_hX}?r7w~dQk;GaR(z`XXg;^i5(Y=H zA1f=T(kJ$Zu0`y8@f@MeA7AIYxyjMSYJEIBRSFCsIp}ZG;xIDg^GGL30jacND$9)b z_bJmi5Ivs^@~Yh6D>3O*5ghjRoIrPe-72&;d{w2ZY$#Cc`SB}COYXu$CR6iq+lJEh z#tkKd((VAX)h(nj(De$*(-v=Yisf5=wtN|JJ>0`Mo5v~=r2q%DIoOf0Nl++6Jler4 z#0^YnaVoQFGE)7xbCnYtxL&iCph9BiWFuQ1<^%S(1nU6R_pr!1UOmwitA;SEZeadqk(g@HfN{*2T^?f z+uMu2!6L1JLD*o%WlxWW@y$V5S8k!?)I+d~R|y3Lh5UME$F|aid#OC&{3{j$O~+XE z2|oZB5nG&xPY#$qs{|@_FCv~dXB={FVXna$ck0u>FBenUAU3(2Xw>Q#Z=4NnEgtp_ z5y)9^Q)bwFS{WiVi|9r5V3xGdJAd*Zg!ZU4IX^*-bb&~UQWo=28d z-Ftbg2;c}fS%GS&WddGMi12&LDRDwpOG7lO%zLH=w?Kxb{2pm~+T!Eb}Xq5E*}N#Pc{Jzq>;&N~!{Ev50H3Y%W%Mrb+p z$jzamd$9CRS4ep_vAWFrLs3#v0vhxH(}umYv^377%;?An8w*Pox$kGNFJ7u>num{$ zQp!P4wFl$(Y<8iRZzte@brH+EVCKq2wnPJWy%%I);!QK-&Zy-3*=#1}@xi)@`Xq3eHo-!+`)TOo#S#inzpfjJ#7SSBl-{e_Ds}TiPnNE5MaGZZZXB_r;l=RO2RNT zH@ge%lXxQkql7GrHLY~*+Lv9;=S!oBhZm_u7p?XK$+)?dpSKe|CWKW%()O~~!FRK1 z+kQ2PE%)B|4*RVLiPpfFWf~~# zgYS#Wusu{w=NgwYcqlAXxVF9FLjlV5_SjZcy28vBXz+!yMtj?v?V8l*d1x1W~yT*Md2Ds3{-DAPCNVKivUyPqjA!~ zUin4tSETsMZTg1SM)x~l(Nl%4Xg&Ay*Smuj+~uRd2CKP&gl}C)!B}a1R~KbPk%e*; zqig4BqrB6W{uwubdzQI|gp_TtUAYIDB z^G6Ak#~arh^M_r;X!Lw&Jy$C!v%y-QHcSEY8Quo0(yHaSmIp zk@OG7)YIF^{k-j#L5;X^!;OxMGJ=VBagyvg*I8%BtreX_?Le8-Sg6T2cjK8@abwj! zSeJS5lVNmR%~^6^)O2q5A22tQ3>jo}2ECpeZtL7nDZKPG+ppbg$Zfax;#O!8r@iJ4 zL1hySv&!z^FcNtco56&8kDlS=>AF2wk=bn=ovh!Alh(!5Ja4HJ6FHFulH;@Ln{mi4o-YGlUj!CzBCP^sDRwG1 zoa7FmV2xVuN8aylRL~K>1k!fgsknC64MXZo-h7kYg(<}<5AZYsh2r^6lTWrcES)(R zWOmzmzHM1R9GX0pB5>&FS;l(ZH--r8_Z3dW4(pScpq)PALVHC9Q$m1%Fao@8i^&-o zW|sCp8DTgg4>TNr8P4t>{_*fjNHzQAySE!q5E(wc5300@&s&?|V?My>zSi6@3XeKQ z%V#D{4FTVffY*5cFEBSF+;QAThH|jD{M3=wX+0hz>svO5oKGo!P2l^A^Xu_}+bB|O zK;Jm0ZF)W27Q>W@LEv*V?a>}CjU`6v-C9Fua84OfbHR67QhJ*2r?HXJd`fFodL}MQ z8)&!@oShi6NC&o_qwDktkm&RE`dG~=bgBr-FE^5K)YKARh=Y1^*xbz>usK<~HDa5w z#1r>kZS38Xqf~haU+#5SO@pJ7;;cQ@TV)f*e9Mc{uY4@# zh^AJ~w!Yr=FRw5-z3q?F7ls|>R+5L6ii!u_x$W6p?=~0RvQgaz_;b6#;c(=b{GdB& zgsjP_yW$tKh)P@y>?#68d}X0EeU(Y{$y>PhXQh=rNdEJ;VMb$h@(D$_OlXNhah8w1qE$pcPdwEg`!g1*xAiZPjCG$gJ$sqCOKeZX+NybRUzsf#ga#R z17jtXZ6UP2g}FXlg6TQSYFt!{Qz;&2s`3)lCugRubu12V=YMe6ROr}MRV3h5+guDE zTv*VXAkErzu(=B1rs@-o9u}r^Cvz0Yz{hg3D^il9aEFwq&Wtldq z#ZLO6!^J2P^}W*#)+lb22AxfXNcu-KSQ znmOER@5gG@k6B1IUNul~-i{2EyH6rEQYy$&b|>kruOYAmFUdym#}B83gp}GB)OlV! z;0R=4kDJ*1>7f#?!MC`^BO<*Y@dmxSLe`83px+O0uPC``NjpJWpSSUrJp`SqdzH@>&tKWe zXyVxx!q1!jXag*OI&T?TcPwYKpb=2}X!%Mf2`6@V%avBwP!x#TYOAp_ClE3FlA=00 z+gmTsG^r*t@I=nr-3l`?Ufh6*7A_hEQCBAdc4vANcEu(K7ddfj8x2QxT*_i{#OIZ=gbk~(IHS`Z%{-zN5-u2F3n9o|&t=3LSrVc!+ZCnq9^OT)m=wu2 z|8_Um#vug>ByiCDp*PLY#V4Fb2KE|Ss03MlJ>HQnw0L%0(j;hU#UQvljb8VvFXb)O zlJPV>cy<)sZa4>atgZSFzJP_c^9L@#E!e>O5#UW# zgIsowYhP{D*54Z8c5rt_*V)ErfCK`8)x^l9U*8_F2Q>H8qEQ*dLVLWhq*g!##x|yK zc1!r z@6&8i1@=Cin}w7D`ZqPTv(_x)65?a6FWl&|O8M{51Au0!NHy*S(&$A;r{Ztk z72{VoUqn<{Gy)|H@>RDPUi=%mP77P);~!6(8=q$A(iEb#I2>{kLm$3!ud9W}O89>F zIquXdZe~?&W=(EpecE4Gfg$<|>LhAQDgW^Gc#@7UHSHEUkp9P<_4_Hi^&Orj`Gh@7 znglK-wT=eC8Al#+zEPsQLSE8@{5v}8<#Mbw$>td8_~QO`Ij=*C)CR{cfOZqz`(-Y) z=f+8y^xD6b7hW)lvm7eCI9@_QOZ$e7>CH&zf8_fW`mfE#V7>dSP#j%bgxq&ak6NF7 zBJF&YzJ>3+W5V}uh6e8|2oyB*Q8c#;9{iiMbk-;7^-lRB6o3-e<_ii;z?%IHU(Cb9 zSd!yVJ-K8Gncg2}=Zj8T8bPAEMF7Z6p(S@KDUO4RXu^YFxUAW*O2;sy$B~Im;F?s` zD7FIQC?KE?7oncmK`5?6)xb#Ui1aq=ZY%+HGi3mt;JgL^QMWaZBa1pMbr)rnSb~ zO-J}4-j{}r>&NHlfZhft{N`Ed^@Mk(_XK6luqp(}vUweCE;RX{HclFU5LUC?XAPf? zLWb`Z;DmF-w1tP*b>}}9F(Ju+i{d~5W!i`Hwb9|>t?ZvmRXWDx)62C+;^N{r@BniK z9v+Co^CY%O)eiQVH=K>mCH+HII6cb;5V1!S<`@J}$U_=~0ld0?==J;s;r^UgG?F03 ztHY1_IuM=BscHL9d{{JqccAZH#7YiRifOs&|Kcs_ss*P1Z4R3H!>ryM z=|hfgrOQYiezPvYM*a3P+aEnb)+#~~;D#{*&oSFivO1!oJB~j*=(bX{+r^1h~~}DaODH#DDRo3)~g|KMri`Q$$)LUFNny!3*s+g>Qhu zWuX-MsD{^!lSwVohq;F9l4#AKS2kxbt(KEMs$$KsOszn*M{YscYMuLgpN9bK{2T#3 z`WmLy=K$b%?kIJ2os3{2B6U#(ShJb(72_*)z_i(gmE+~$K1nPD^8B?)SqtLoX=Vx{3KCfIKB#rw zGsYN(3Qov`;@`g4{>W?gz(~F$+_aog?DGSc{|Vi6KcWbJ0M(YXerrP5Yw47898+|V zfdJ}IaBZH`QQ>I(f}FFV8*f5SQZs)|JlZCW(tJgHEa37$w>eL%rBUV~=V^-@sw+D- z`pw4DMh>4}t*MZg(DU8`EV3ulb>Ob26lM~tEx4JnSBlFm02K6_8C@gB&~M^ylMryi zo-j*PMoeRnBik*xt{L0i{o(1k(Y0h+z+L@z@X>5Yu@dn~3tO5;Kp<}?90>YP9G^9d z$OD%TaCc69_CEC7clJIEwx}Z`^W-#Z1k(9`SzV-?ZCCmeKb!6=4$bS{S^f04kA?367=*u4WVrp9wm{OoS3S1fRB%BVrO!aZ%A@lakVuRWxK32`TW)EAow|t-M5~ z?LETVFYWkcC;%D=5@9}(v*efr#s#%@= zjU%}fC9wff4pQMn8bePGc_$Rc0HIa;EqiMG<_RWzVw8r08aWX`MPA8zZlZT{a&e9M zTN6>L)qq|ir~s`VrMW07t^1ZmkZ zM`ZypjJuG~V7{S#VuJD}L{ANrmU8H5smNp)V!3(ZzQE6p$FdNB7`o(*8ph9TaC^ z8&U%czc4>fH?k*4OdJvg4UGw?SB@u6S%|*tu=HS$=&dYk^N|_<3%AGpwx^{FLAtT} zrcorWB;8wjzopofEt+x*Gc{(j2t&E2(02!Pn&o5;_%@igVo37r~^o&ndS`uO{r>$MEw5pQfHEL8>RGC${ za#;qyVBW(Vy@qrC1jzWx8NL;B`&6M*jnWPw?#nx1(C5Llhk|fE#wFUh-&(Vn(Xrp6X5Lk2(t0$gCZi7=O2S1szwrocqMa zkb3r;XgkQDLTx7mR=u5o&W`qVL>1KYUw*kd%1?D_Z@qzVR_kp?Cnux1dbe520Fh=Q zm8z~TFg>Z$PoI(rK_G7X_YmmF&qwkG+}zF4_0Am>H*O9#@3VuGUul9TGCGTNIQ-;P zyOH1Fk;=9Aqo*sj3WL7R^7|PV(2TB$@L$o$@D)=S<;Tqd)^-N?>F1VIlq*`aQt*izsvrf#V>T301?v~287!>AWV z_xw^?T;h4DEF#b}okYyb2Rxo&(7rLyX3<*~h`Z$9(oQSO4_VfVQ2=}{gJr!xz7NCvrttBgHDD@p=TSrlD&uf5`190p;U^=a@ z;c76(Q<@XWne{+OxlPPLILHPlNC1)qR>-WgZZ|hKfb9|>ExB}Zl2lP~y51coqhYb$ z7Kl4f>+qT9@uK`BNa?D+V^K+1Oh0T|%hmn}->BP$Pm;d(v1!Z4%1JqIbS!{rUsl33 z{moECdofO-@vB;&t)^=oc~F#uB=rh#bmh+GTLJX~n@w`VIr(0H?`mlQR^cEnc|7Fg z8rSUj_sklZMpfukIn#@?4D0I*=Kc7px)s2?4At1!-27aAK2dPrGoy;H#>e}^7Pv%> z1rp%BqhW=LGiNQ19_=hSV4TH#GaDdxfHBWQ^$P^~o|vk7XY^aNa+wIkYb)~e5apR^ z>vjIi%1R)R3rDs)o6q0(Z)9;oW>IP*pNUIKN{Wf`eb86JhUEBKpn(v;LmVF;FCp{n zlVt&P#<)Y`$t)&W$ zYjNqtIV)X`c2>6K2`8*`ddhm}>*O~2f(YJReP*cel&V}55)T%o3{QK1DIpg!-(zX( zTbDnOd*^^hPE?vb+*dpeZ`Hz?+#poMx?nVT7TZ6}@@bgf72T15aUBv1i9_8V@bhrL zTOn+(vIH{{yVaLpz}m0d|F5P?2s6#(;neru?BxH_bmiAE z<%t_jT-akR9V&aR^8!{5DhGRgFknAyQQYU>owQsCA`+5yfP>#33<(j@Y3YZdVF2Kc zf`zP_n(u$rMbcA&v_?GM+ZNeB@|}4d+<&?*KN5y19+K1I{Oa5HmP~1s3z4USr=`GG zi_FTYiSgk-3B2}DRQx81fsADJTmsWJ4`ox{q~D$ha<|Gmyb$tb3|pT`w%hRdYiuYj zq0EO#W_o7q>v_!gGiUq!<>r{PpGQ$HF;>xb}LiLQIqCU4`+* z2T`(Rms+lH$3a$V#YLyaGRy5l?X8DDipz$}mCJgR7Fp|*+V)jfzP z$T5uRod|QGa`xUFDM9IXIon|t?2OSRz*Xk&%|F0w?PN6O5BF!$Y{4G#97nD^W3NWv zauf6vRoBrNh06EdHHb-;7?EB%1!-0n$+l8Dt<#>&a3*q*wk@|ETdTlezegmPRC;*y#;&aP6*ibM z-vcy+u=A}bD~TDO@Bd@$EraUnwry=(gIgfD6D+t(aQEOEf?IHRcYNsrpG=z^V}zXD^FNNS zWX#*Et1XsG(SP_B<|!Y6jQkiDY!6tdQ`sKN<%sW+OoOvbe({~>USo?323a0iVoYy* z?l@b1;v)7h%}Rc4KxVF_q=}d;ko-6-4jatDjZ+jxR?NB6*YWvi7xz?LEzT;xl)RBc z(BaAO+t_s(}Mrbx?STLZ>4 zPrVrDJoX()GL8)S{OyhyuwjSHYrn0)e2$v&pcl&UIoqL7yO7^hy9MDb)=v}kt(T{4 zR&1E{N4D)ee%QnH0fAWnp96(a&jd$-Eu5zzkQ`|Gw827te5yUg?dg^N(*hDcMg(G_ zf&LH6IYO8?No!nUU=8zP>(wO=|nE3ONXX7R7-g<}@oskrZEYc`UTF4pM& zNfu)*svv#Q*=$~X_|XxtMZl^rqpdD3Dr#ULD(jCfX^@korX3Kl8x4!V2f~Ad3S#7A z%f$g!T2?qj1nd(Cv;in(r}HHT1_oB;XfVT#hhl)NZHw8W@NoO@=Y5roiO~KE@_wYo zte!`k`9BRx^yf@Fd|qn7b+xqkk7q`hrz0N|IqP-SC1YeuLURf$sW7htyDapaWmMk( z^jnw>kkZk&B*&E?FF7b@vylq3%y`O+!_TGt$tVTOb895^ll)XuMhtmdDo7$(xxFB< zxY%UdiBE7ekH_hI^q?)+>8KWTaHieq5uwz(z?HpqsB3M;7+)kPw!DMKLq8>yPR7_^ zcxu3(7bwNR#+XL7I+*RnE+-`~4v_Yw+c%1_zZBqYtL?gJW~0AmT@r0kQpK6UX5@0r z&$E2X)yz$shhRWK{M#fX7p8XfMTLTJ)`4p5mitsJHpThaD@*VqFMa4L&Nvxy9K+V8FII&hBNfL8=8%r&;#vEn=Q^U7vvYbEU1!zf)@ixN1Xl` zvw)@n4EcULAC&)o9<3$_E}Rc+ZN^kzrvn~8ENFW3oMv1!6Ymrmn|LqVj5$afo>-+U z{&0-^TNfnuiu zzp~Vga1m{@l!jOd6l@L%VWvI-Y4@(vDtXh>i>Vy&V<>Ol0OqRcX$(gF-dutRATgZA zFPqhOcL`*0kN_dn;Z+9Mc zGc&}dKa%Cz zzUahZ;snE5$Wbq53}5?*1^heF3{)~4hTv2z2c{oo7O-)Gswo>#)bjoPTFRl);ca3A z&C`Vy1|+08CBHt^84;b*eXR)7$m4v^i#kLnJY25aK6klLn!dF|G)AZ(bZH!=d$ACz z@F;%p%eVT`^Z9SocYr8_9!z^{Yi`RQhhuDK-G2jhj!+eA5r0BL$->0>WgbS^?`33% z?vSrs1!nuo3kfNa@2sW3w3V__vkmIdI&!_+@EtZ^bp+DO@HTIY91^@=d^`!$=Y1X@ zi0PZ~`RnlWrM6TsX+@;k6Y~>Ical`+3R@eC9=zP5gUM>oct5ZhmN1@?2?&RQZtk?^ zkLWUSFG{%LM9Rvjkt30e$)=y)3l;&(Jo)k7okc`u^x=w5?cjyJ%^{l15o8s?S)G4W z*5)rU7e!0gdrkRpXurfb~( zM~M%UNTzK4np~vp&4k0c$QFOs{X0mgTpQn}#kN3eS;S3I{k62~dmRr)j0s3YBQEx! z)|Z^ilLAh=-3nOZ5x}0ty?RqQ6q3%xHNl z3Oc%Q@mHk)9!4^T96WobF>7wsVv7EcRIwEU4d#~PW9Ac|JlwL|5Aq_ zss2~^xSUvRk8-{Q06~euXWNWOen&-n?gDdxX&$qA9XG2sB+Wy7Mp9U~QOw%M<#MfY zq3^Wjl-c zWNu840@k4~en>+uNr%~ILTH?O^zPYFE0sA3&tNWL^ZkvPy?Oa-(nrM*-d}f zQ5PLVA>!~kDL5p!+Tst=(WR;qG75-(%J+LyK-L4I-j#hLkF##uWL%&9nwXeGx#@7A zxHWIOzmss2#B*H27{TXtL9#c%Z)tf1hpTgfP#xmMVcm048#HEjp#SRS%SUUR(b)Dj zbe(R#8P!g@8~{%0Ql^^0)(0E)-fmDBVSMYNPW~tR0RkaT>ZUtPI4=PswP{NK<;TjK z<$Qs83xlk68oP|)>PsDX*0sQHYnQ>d^F~%kFZr}91Jyk8IXt_|Cs~Gz#?Hxzy zfgBo&5(irV8{{C2+T|4YK27FX4@H8bD#pE)xjI6n19>jg;} zmyvP2v*QGyNB;OW_W<7}kou2MNnKW5J^5D!drxU-+q`WS$Av+YedtRkYFG!?`J6Lc*z zHB_BJIbRkv*hu+;lPLr|oy>muF`~5Rs+o|iwU9SLg$`}kfDW44viD3a106aVF1H@B zTnvij1@jZLmzoMTt`|D7dD;zb#;oph**+D{``BeY3wE4yoN%E$!Vx^G_~AWH_^jvq zB}i%A9KXX}E~|ji8Y?xPNG~U5Ud~Uc()`TNNGUoX6~{n0C|U6(UB%Se zlqejxps=%!Rpni$qiso9IMp+UoK2j!Z*r^%b0ZoYbw0kpuO zB-R@0r6q!U?~MR^Q(;IxMo4;M{Dq7h2@RHQ+Mg0QVVTdSFKhPzFt#vD6it4G^K*@G z_U#d_GyWA;d(nQYvO(Sa)z;&_mWuw{hAd8rlsmSMa}F=h9koppE^h(KwZHfBI@LTc62=n{wZ)dT6SFWk_7jOM(fV4nA4=e>w z{EWB801WQX=wJ_AoV@!ZH(~^BU2^7=nPlfX0jHY;uIfSj@~dvPsYMv5zhQ$gdPnY`VLf)dN`(FOfal zlUUGr|G5RcWO|A2Fj2<YKe60Rpsaq#yi zs}ZaXHxI;*D!!l?`H2oJsy8G8mp_N-oluNo?@8D=7aQEl%wPO)sn`ZV+1={yUf@zL zha`!Va;t`;*x!0!Tg7WWEylD$Y5q}HqBF#9OBbd6D!dkm+9&TfhXyXGkRmO-b(_m^ikqoLr6 z22O9bpCZ-z$+|?(XLpx@?S1iA*imLAOFWis{jN_F7qN=Ws$)$S`S@Wrms{mVZbrAC zj+5a}T7=PfhCB^wz^D61w;7=*#3hsz$~s!ux3@1ZvXc5wK}uiyWL;mboi|P@+M?6A zpQv-pVApM1hohnU&f5>MsFot1i6uABjlngqoplpqy!v*Qu^Y7lHnrtFO zl@1G08a4_Cl?y`nCT8SdMH1%kg#5)62&$uuv6^+c%e< zS^CkI%WJU`&u$O(aOD0>*eD-HB08JYqo*)}I^{npj$Z|@3FfIjKs`IWXStBITti1z z5VKp&s(-i3Ej}ny?^A$lNCu)-J~%OeQFxoa!;SD)$iy2jtfq#oErUHl0G#PJjfOUR z1C{?|mC(}DkNv|g%faYT{N8hT0qz zdqnG96?CBxRx_(G`lIH{JFhfvK@?kGKhK)-G*k?Q%QhQy?SIpj2-eei+kD8SI`%t( zA?i(#JqOR>CE2S!BEH%}&=-^#z31vsnTRTG!Q223nYq0O#w46BYU02Jo==cFbq3T2+v780yPo(kg;^PN-uJkyihhP0OV_$iQ?;+1fTK~;#~ zL&h#zJKPdYmtVbEYa)Y8uJi)@l#hQ!y8IDFiTh%rU6Gdk;ClC+sfdiF1Rg4SycA`_ z1C1jox;%;)7Gy$vyn}=|Ab^Fl<{#kifZI_~l3y9d$MRa?1XILQ;;SUxoEFKR4u< zO}%LFucCcij+mj4gC+D}A^%oHhA@RQ>;MoPL@*pQ6qK8008=6!lPYrL*9YFf8u*tJ*h0 z13s6np@6UGkkUh*(5iHm_4IRkKbWV z`}cggsxztNq-`QDq1@G#P|%P+KQ?jz7!qt(VSqU1Z!4a28q(d4GZ7JQMR440%o8Gq0vzRi}vD={V>yh#Gpu7w9V%#t<$C@jJO+ zPcFSP!eB_*9Ue}clk;b7G#T94->(;kJX~UL@YF>)b;&pJaBmWc3;(8y;Jt85~y`^O3CGn%rUWu-lu!GDf&V9GI2AV zPKROG#~ahX4o1M2hq1SOUR}Qg=E8VAocGY)RRh<;tPDY6v|~IfRhDjI&re6H`)Zw(A3xuY(7d;_!hLp*CiW*wF|*EO zd2fEI?d`6NPc?x!Yf4}-GC!hf8Q8HZ2qTfC{>#^X6tnyDw~X-%G|=6=#_#YxOOHV| z(`7nY^kYvkx{tH{pLMTUp9NGTUjZ;1xjD!i z*{b(Vw#04P^?tkLh#D#}==LsN9r9R7Tz}>WY3s2#j>Z1imZUHpD~X0I%L7#vx91># zWcChg%>CMw;ILG+Y-~1utNZEE3kjk6Gejw0(9Vs~sK`u2x@z)Si;Fdia}pJ1b{E0~ zpX9PS0aTF97~UUlHUQrOlUPaJ<6c) zuvFBvhOg%@Z20E+K5wF)S5I3n*m38%bzep{gU^)=j*g1HNK4ZZR=qteR!dYToi2)X z=U6D(8!jhMY&*rcz503RsnAT0#VsF59f6OM&hEODT-pR3R?!?baafFBC-Y*8c3QjJ zU(Gr<=<+LXa3OKGYQ=h)n5K|e^8Oq#Ou;k(GhPYMwcUnHtT^KgSbTB=>D?ohX{>u( zwNe9#4MDVw($XM|%QIDTOWV?dj+utESr6Jd0hYuY0rtR`^w`qoCPnomT$oU?!NFpa zeY{))FC%3ZDx4%i?>A3rx0w5N)`lyG`p}raI`V>h0O8vO!3i6Ik)2S`E?Bj&C3AzL%kCvZornBlL4_Nu`zF$Tn)~e)5 zJV5=G6c0YfQR%^fgy^69UoX%!lfOR<9Zu5TtLDkMssu6eh3S3Ze!cSO*=c|}8@Ur{pP{3}jy{%@~max@HZTsE0 zbN|)VqluJiYr_~L6}*a-7~e4m8Ukl>oAruVr45DRUhYQrbhe|G7`@K83g7EB$*NqA zM9V7jc2A5m4}ABFJM5+u+JrlvMb$%sC?y9EysRkdcRb=^rlqH;D(lfxGQ6jvC@;&M z9~!p)!ObTbT8gv6T zAT8o{-pwtgzcZtekPr(gE;dU9^jzWOGY&H89&i$-zeejYb<;VkHO)@$E)q|po5_Z= zL7J;AZ>Kjcyz&VzIzt&+UR`W0PZr{)rp8ZJ{}le!5ygKpR6dP_Ekxf;gUG{5s|4@7 z9=rM)=H|3J!lE+k;`8_++b^xIAoDEy$8>LYz1bhlG>PaszVH5EOvXBPAQY0?-Hi&C zyZG$fpG^p>Y-BYVVfuT^6h@UNO)LW8B?2c^3uOm?>jw-Fqne6{U~pxIpZ2+`f2Qn( zX2aK3Jq0Hz>BoE0X+*>xl8B$qQ$h0;$?`{y;3dWMC60x2egh6C*gL-QS-gmAy%d=c zvFyuPNy~^24(7Vt_HpZpVFZ?t`ZEWTM+x7pDIg1e^a>OO&H6Nd3Z0PmZG<<_@%qwV z^rFzk;cQF`W1l~5EMtJG2zBQ{2sT`mko;V0L`dQ4ga z$Sq(n=cME~VwIVjZoo*ui3rm|gB_;PKaGVeu@y;`T+s8`@vQ1NG)`r(U+#@)NjB!y zQT^WJQvFhGO5R&XcP{DuUA$M%+t)`~g;sZ1eq9CWu^r`=*H7lkQ#UtG*w>;~{xe`n z`hb~P;3rM>@WD??*l{-EN>6b9tgNgy3(V$cv{3&mSN9yGQ>Y(U#mfga%^#Yc!#ytD zWo^bu%9nim?zNOg3*qw9&6)7nM$?KXv2(uv3Ca48==3*sQ5iC*{1^SJD$pQh&WsFwoq2n1b^ z@7$r|J^-qRg>RP8s?O*aeSAzp^5X=)FQRe@H8lu`;So7jut?oq2n=m}y#2prH>Rnb zgJ0_fH&%Rl3t@fF-S`Z2(785j%d8CZ9)C32=_$NNn3;}zakKlrP4aOhc${fYO#^o) z&sAM+@!ky0mRNveVBuUGt!e3M9EF!to{q1{N@G~@iSQ(b1J+|GxAQmY#J{^6w*kHH{kjn@`0DUN|QIiDlD4p$5l8Uj%1|TRB~i>j-ZTatE>6Y zS$h`)t2wXeCwFRR5$Lh?Ts`J`*BpTYUY~ucLFbmo2 zJHLlJsJBq-g`IoUX+(sb?&2nRWx-a6j*;GO?qdVIQ9i2|o^U?`z?js;j^pvq3pD?z z)^#tX5tjTS7U?_F?_-?+HGKigfV3>J2&>MhtYQOZj9rS%CgkxLz4eCRcpiLGIW($u zni!lY$D^&S%pQ6Fi(KG=!&4Ey$ol#1bADb?m2rb^ag+b;D;A&l#f>-j+qF$ZnRGaM zu?AHd}p_sDX(A#c~3d&y>a~XcD4DlfB#2^e->m%}Ab^`CSSUuESD} z;vPN^Vth;2cC{lmw<7$ixCzBaHLv5qJpI0RUA1%lEzi}IefiRAZcztMLBGR=Ye$3A z4EaJtKpv!+`PuCJgI!4}s(|VE#w^_JST#kkTH_+!xOZN|&-rHmCNs3x^9Ns{`bB24 zAS#^D*m|8V%fm5m7JFx@$taCZ&Alt__s-@Q%~qw*L)Af-(XBR9;FxjK}t) z;?RC4$`6lK>0wc??$0OA`$N^1=^eeU8B8qN>gpi@zM9Xmf*3$NfWH2^i{wXr{qM%u zNbAL|m1HQ#M|4bJ<*T9Al>7AL1k2JorrU(#MJU25qs@XkKj?JYLTXy)s z1v$N%gP5_npmf4Bhw1!`#61o}*mdG&4L&po*sA$TVQIyyMlzejGt5H$>#0BGTzoeQ zp0d;##)2yPTfSuZ=-e9HEpa<1r)gNTuemgAY%%kPN^bs-QlBOlU4l^F(SDp&wX?rg z1uhPn;J%q7dY4Si%Z1vV#Tq-Z-_oV{RJ%zqc?jC4iptVjvXYa-i<+NeUd$rT2QQAL zre7@6RNrDH_8?17u02m?-g*Xld3S}1o8cwr-d61-siA-fbTm_kBa{P8P`Be#Gd>hQ z-ijOkTKa7P_(Vs@l<@h_`+nMKd=v8su?_}nui(vMMmAblXmMv6!XVI@cyc}i zB)lKU;qU3_5R|2;27(K5Zo854%98u#j)~t|Fh(|+$No1u*W!5k+g}UZN*?{xNT6S0 z;vAqSY}FgRKV88afW>3f4sto#%Y`ZXM{5ssqc9+4OlC^6`1*VXsb8PI8RR|&D`Ah}%9RRTRFi@h0QSZIfFi`&e3vd08%AWWHE6_0kb%65S z{Q#E!iA&*%7x-+}cnl5{5DPN5r4d~1izVVSIRY^C+3{)PC=>zJ5p{IMqb#4%N z+dn|kQJu1=HVic^ivnJ%E;2WPS+awP{M@{%OKUx2VyK(<|EPi4-~TG{%Q>`|+l;~J z!E%1m%yS*OQ8-RAkStpdR_7B(Pd?%LOzyF8Y;74~XAo56vUum98^X5Swav5+t?V)X zySyBATT0pv`<4dhl1@a5dO@hSH}gz0wUI76+jpY0{-fGsPa)s&Ueq_N;%x22y1vz* zAV7M)J?k(ErlW-m*V$Q%lkZt;VXXnQ%;&RQN5TNuA3I6Q=>^Ti=kR2rs3QuMsrw zeS$V)|6m5RW7%y%!JElSEc8!c@7E8+eVOG`iRcn?-&B%)UZevGl9xR1t)QJ@C=Wzh z-RJRF?xud&rp@}dnu`nm!drK1$y#Z|%r6Z+D5neVas#5pKkZK9{fqV-u93#Z=qV|GxN`{;?e6Rq7ntVZhnla5V5=7t&Q62z(|9P0AZr0z>81L7 zg*N%OlB%kh0kD&klT!LCP%P1`0%e?m=_A2^u#GtZu1S3jPxLRj=&((TBjS- ztO=XGio((l%uaZO%r(O}2rSLIFNi>Q8uy^Nu@O+i9L^T!o87}Ke))j%5A2~01+pV( zdvv~ffhbo<1pBMmZ1#_`H6Y1ED)KV|ZKDYZ3Gqt%xm`m!=8K7d83L9b8<;GvLFqhYp zTD~e8g@vrvuP;6~io~qqvC}oPzIpDR_t_o1K6?^k?A!ju$xlI0J|UgAhn2E2V@G*@ zbDD-8mfEHcNQ~sE$;w(wA#CvgJ56~pmKfZh=SS<03oD+H+Azmv4*$<9N;t<6%P+ep zhTA7``A2F^Sn9*`mP1}iP+3S!X=_?pg&~X(Eyp)V5+T@-y(G2r!&`hdqs*#2N;`=! zn21>DDd=XpJH{sRGD=dPra!(yZir&4vPO)Ri~XQXoNsta)qF#=s;E#f`uJR${UuB2 z7n2IQjhF!71s*w|1_Eaa;Gf_JpXG+>-;2{%zc07S#~G}Y_f*DHwb;k|zv84}1>ep* z&xW`bQ%J^$*?+w0&d;Z4)8A)&(+G?P1SC)yT~70xp6gET_VM18N2uIbM&oLJ;^#Nz z_}bDHlU#ycNXo`SIYmR&j!-Ytb^j2^r``;X6*3h@#{5m@k1g}UinON=t&;;JV*$$u z1<|Rh+j;E*!rmSqaOj>u$D&RJvI#2c`VfBouvs@wTloGOC|Qw|3Wf%i+czRI3r-DQ7=8I5?}wQk7tnubk8{S41Du!_ z&RQ~geIpH4;B8kN1H{NxX<&;?aItZli4cJ=2Ba{msS+q{IyIHLZ_|}c^+@c0wb;O( zkFE)<3F`$>Rn<(N-SO#bjjTLXWKCY`2rbl%8jt?uf!UCn;FvN;at&@K&oiv?wgLLH zzc^_vr<^z1g`!$3hVxyHAlwy)HkN!Z_lwDNJ+nN_ddrb0_+@+UTtT+cJUy|mlwdQB zrZfH<9$unZ+5e6LuX>Ecg66VWy5^y*YN!j*)eDIx9%##&nQ4pQC{7boQ#wCvIqWIo z5#>n>%2&hV%@%sPPow{4EoZJBM3p3QcmB9e50UmxgX+A&n4sQaj~x)?9b1d16JAd5 z9@Ne%Zaiwt{mL(*SDWL|YulTw^yPjp`vLcp(ap{F^>$V$a}KncXj$NUz?WsmZ#cOz z1a}u_CN(WMva2xUYT$A?O835;FV!uepkihiznf&eNh#p)>ox-v8rqX{_3p64+C7Am@y~AS9nM>$t(#yu(b~Cit zKT~d|DcyZy*t)`mfnx9111K1FIQj3(_d5v(tUJi9 zq(?5E1pDvxK8AJhMHDCN$xW^B0fn6dNuFtI6SkCf5ws+8zK=&!<>hs6%{=ggQzE#| z=Q$+cCyJ#Yj_qLMqB56z3a`PlT*ei3A2-tku4Q9DL*Ab+FZr)jaoVOGCofgQi)!Kf z>pHn!hGMLh>UOtjNz$+^TG#>kW?LJ~8^A)gV0G$M`-+pF0gu_kKG zrXq&>ERD5wIG--_H?{=rNa?iQH-;}w)XF;PUA_~2`L061`H^EPDFxfd3pDdiqgvP1 z=fi|VbJzFG>!A)<+DBD$bqq?xuknd90fQ zSc}}V>wTuzw^^SykR2mLB2e7gea=?EOw4YZH`!@L*p4Q8>AuA%@ViPd|9)(an51E) zw$BTmJ9F``37F7W;n*_XZry%h5ak4KWsD64yJ616 zONjnw?{M;a>jf8bkv>h|FG!)tP!;MuSkiQdG?N=`KKs({?uCA-WfcWE`GrN5g)!^2 z_IG)zmLAk~rz_2NfG-2;GiB<(DH%DcSbu`XiMjxO_mqT3eo#j%zmrpX?1CzEaGR{0 zJz}^70Y?cgCLW%Jk`!YPa%4nK4Vepz0gc$`li+Y4FK=g}F@@UO``5bT`@l%hm_3$x zM@Lgx1h2y&FR#RZ^2TjGQ91A1spGI?04jvzYVoD?020Tcr8Y0o;|TVv(f^`&PqyIY zsU;`d`#d+5l|{(wnP|QIkpJ}_xS)`A?u6b?OuNvl$i550(0Z4n+t55a)mvLF==SEA zZb*O0zZj*RF76LJ@6UEmDg|>Pf{UfDpIK8!NkhiZPRm18*wPXdMG+x8QfhhlE`9mH zg4Vvp7K0M4Wl1DgsW0G|M2QWEyraH%#0qivs~}_hs~0rfn@*d_-yc8g1W%(a+j<;! z*{wgX@>Vu;XF$(e_`3=u93u@h`eyT`%IAn{k$LMi;&NCQOB9q{9h9V|X44%mJyMw@ zHBuJgqJ#?QtC)&pYVn210FJ5T8Js^Y0Jy2M2P2Bd7<0qSJGxfe zt@$#&r)zI2Vr8QU^*NNJlZs#}*(a?ut@(P{*Y!RKl=Aaw&_tC!=!+Wmz!BBg7TAnf zw~%U|cj#K`12*Y|qJ)Y{O2@TdS1$cgtVdD2oaX8M$wL3HWb{9Y=F{|qz{*Z;;Q#o3 zeamp@&y`9R6`#$0$Iy!Lle>z^VfDe32J`o!0-Tw4(iF3*3<2>4Fo==@))G^-TbO8gcw^3?}p z!@ngc;B9Q42=Qi>D?-W;HVjFEz9_@C9Z#V#PS@#Wz1;#-RHp@cdYyeUC|aqmYPL*! zY4l2p%A89|lWMG*NNX^u3SM*dzUSyBe3xb@I@4M&Xwa2AwP_U_Ya?)r@nRy}D@0`D ztj&Nvf$(JnS@)JF#uA=x4Sn+X+3v;$ zcV$U@syxpawgyI!tMTlzto;&y4}5a{?z%3m>gjzQv|GGBK<^n#0}a5Y)78j%>vr2rHUq58$)&*W zgObbuK>gS7Cp}|e+gO~rQUtfdGrRrxe9B18(CuA#Qa^)wj}S_%VCS-0D81lSL=8$d0`4;HjIl>)S7|2BB6_5ZiQgUMd~KL!uRVvL`WUah-9WBHx+7RyKA z?F9?fY7CWsA3FW~ApQd6(kx7u4E&;DXMx#pUQJmL zT!qnxozV2(=w@gn;g^B7J~BD2pI*)%$1V{JBEP_=O6GcpO(E2vHEbMtD+ zNtk%#m>&{^ggQDF!gpPLr157AA%KvX zpJli4ePBM%QX{9hsua>HkG&&&t^|wL25EzT1-0kP(_48DMO#kQrQYn6&O&%UN>Dx0 z{=ak7x2KuAZ!Qk<=sx|+)F6wwBVTQ>yz+rJ?2x5?rNK4)xX7xjA$}B(nLim#KWrYA zgeTzZ4!*#zw^!5cVRhn7oTteN@YH_!iR&%5!@tKz>xN_fwHiK9pcXINi5UzcZokY_ z2HBS~7h0)dygrGzd0RDM2j`Sh2aM&&?^jHq-aI5X1NGXBH$&E;nVf`-{{MR60psKs z3zN!4IyZmLSUpvM3@u0i@ux<1&;j!&6n?z%+5uB->@uD{Mb7?pHqDgeagS)>G=YmH zhIaRCt$5L?tu^x0guCj3qU1ZrSk(@*;%l202@xTu=k8j9mD8@KI)5KFE^Le8p~5$% zPs&dAygF*SSB$h*R!VN0u19=~0_F12%=Fd6W6WxRGip{}nCCx}XG-_ajf<%^c?>HN zetG4Wkk^9JxBmg9e@glnC|$QLWXp@5%pCRlnrqs?HxsFZ>~^E+VN_;l2xSG<5bTA>;?ln|JV)oq*K`zjK(+&Jg`3i z{B)L{@4|D0+;u5$nPQr1WS#p`n8W8ozTFEJ8sC3bQ|-vKqkQfpf9(%#gXgwy$)%7m z)RPdCFueO~L0H3MSke4zKv)QZFp|vTj9x;!1(rucvaplblS_&tH|GHPdGT;DO+dGr0~#u*G8h2}EB8{?bD_^lVxg*S2;K(!hSe%S>yj0!mFaNNz{B%hNd3{)fa}*|JFjr z9>ZBaHMui=F?q_USbl6ZKpl9@>>{KzeB1N&ph=RoSB!VHTe01wyo(6TC2&xBDZ*-t zuIyhU9^ru}P5T#hCkeIVqFWf352-Y400pzOPH(1d+kqqYNhiS@ytJTf1((0myimP8 zdfav-4Y9mRc!hpi0`sE zq;0fer0F2qi!^~wXbWq)p|AQQhCz2Ie5km_r)hOU%PilK(llICZ=GUj?SGdYAfUXc z0eXiZ^lt9Ia>IM_gbBs|fZsK1!#>=ybXL9g-Dh<4dCts`^k%PZxWoD&M?{3n%E|m> z?%f-hha3*SOc(UDc}U?y%AC{!in%;?78Vvx)`zb67Kaw&kU}vs^|LcIwOoLj{@1mL z`Oa{zMmK*xmlya!Ggo6RKV7bjwwd`{6(OdY9)s&Gi*S~5Bp|K-QjqZ?UFw*(gp&Iw z6BtOk|MaOaWhfF)@eFXcB#U`IYgLE#mPLE=<}(|z0l(ozhK{S-T|%H@ZX^)KZ21up z_!+=~m*;TNnf;`9V(ar8kD+$MnXe?u#S!$pw1Qj?AGtZAs4MW6^oNfDZ}cr(vhu8d zwiwhMKWAZGUA*KoT4-eKlfOK=wK;1cy8ufzh7qOZn;I2MT2%v)_ipD{dfBI#bWo6X zi#jBoc)W7rsGl?zg2V@NrN|h+yd@?AMar38Sj2Rj!x=gL_=x*YP3zCu5)CRdknwcd z@%}h}PeWK(0>#@IHD+D4Y*rASdhXNjKQwvn2kqjwbu91mRwpR+IlHso&uS|Y`hoF)>7xj`c%s4p43@YO3;MvB!d&-f zi0TL+1wQrR(0M-Lt#h)f|@+0#X=w zj^7}N;hFfggXWfCccKR6IC#8{Jz1>H^-Cs)#!o54x3j&*g-?=M2n8n8n(80@urP1} zvn>krj8#Xk9pBSgTD$&cWi0CO0ey4%{ga^&h;ny!Hs?@Q6KQEBBf5V29jZpmuNTUZ zQ(p)R3p*a={JVQMlF(>nbd0_`bVw;M`0Mb6q?$Hwvr%`|Wr>N|3SSQ~@TnkRfDf0G z1p^RTvLJM3JIFwrxyQ-2vKiXp{ov(XW}b#&G#JDZln<(+c7EGa$XA*0p-9@wTFS)A zy83E0rB&&c3;w%1TfxSm{4sg@4jr-G$M!vljx*5!v9#$eDtM`4qvhAK)DTx|x+y;0 zh1G{2xTHHt-(A|7N-TKP6|aoc@GHV~F+0B=+HQcV;>DtLQklp*6;4_)hH25$4Y@+T z75SEFYFZ+SB63&{1jxGTMLH90-H}CCLis?F-Hq|DdQ?oU7Y{!bre#;P>N@gw4ae8h zSw{%t0{>eZum4GfQ+2VcK=!JFw2bx1F?;cVDRc-26Fik41nI>&de}qn8}y@t3D&^TJ<0@X9@lOb+4mFFD)J`0906@626VeBBTp!KswqT zk$er>{(_)Tl2Jw|$dZCfM!D-1%fw1TIW*l;7IkixE%CKN1j&92^CCTOY51k%7FH|x zi;ehCRr*`15qiBUPD7{pc_YWv2&TluIP`jgWs+A>uh9{DKZ@X}edPSe2-%D)4gt2} z()UWJ2u>_eD238i`;*;Zrk0j?`-7mIURee2)`q4?ccj%rL#UmI8x-Wd^;^{UKPozl zjkYsyj%ZVFPdB}%liKt`E_C8B)yzIeB$*yLD8Y7*oXRwM!cdt%Jy z+J~_<+Oa|$!5a1B(n#$i&N!Pj;kAIblxmoU$HCF^wSU6mX2)#yHUKyiF$}hnA7H;FWBZm4<82= z^9-e3u!eXNDUszUA34QIeY!e8^#I%@w z+7XFO5ei{uw_?yXNN;r;jEJTCbdm48(f1kMKdQo7lOEI|u|23)B37EwvDWhYg5(5i z{KnOR_vN?9!)`D}?L5c$0fOe|2INzhO&Meu!8IO_^=(yTksJbaa{>QF4Gl%1J1cL# zDJXRF7>H2wkB(b8F;-Aommirsg!YRhYAU=HO9ktfnJx-v+il~X0TNI??G!8WtmT~ zS2EC=A-ZXefDB%>-ML~YYHs#dViGphy!!4J%21exM_36Kyn8>G5R`Xe%YKw@h46Xo z&llHMDB+bQMqMKLtW?;})HI{6_qL`uF{C*KxqR*sSpl@yB86av6lXMk#g1@M>qs}x z`HIOvGGpsXI0AZlDK537mzY?$)7_-hPZ1vecpBYqmk`D8K7=PHi!%FO3RC?KT03d2 zbCWXN>Uh0^5BO#x@y#+=telRg5TK*+!Rbw zh%p?zw%)=Kgr>xxo5CT|9oCY)`*r4lnfc2sF@NxU=sezn>y#4}drQow5+o%1997cR z;=2E#pI&w1gU0I4livdIJ3R$hniMCtx1Lt#5Z>)?cj9@MCxuEsD>K`hR+lV+MWABZ z?|z*?f+sRLiSL@ba>;o2Xgc1|U3nR)yR3IZKt3QK^uSy^_}-90+zECgB7`et9}3fy zKduo?fn(7P`SPD6JNDW$=10yaqATk)KL?r@@0{D6kNbGSPt?;~d~Ro2<5b1`%p6Ku zFYOr3nT^Vvla-!e+Hz|@OYyU1Yd}4sLU)&Y5WO3GOKfDUq0_m0(|x)*6%$POh0ctzOF^qGnTNb*y@wP zus{Xz6LOlPkwOBSB9RCw1;^oI!U}Wt+JuzsUXkeWrK)69T2C}(93%{cKa(6pdl&6V z5u{r{4f475CIKl>0f(Bv=$T06@*Ycyb8sVwS5Y+J#-eF+>LLOqnK{b1shgSFN(JeY zrZky!L*1YZp>odRl76BAE3ANeJY|HAI)an784@TaeXyqrhUaZ{)Ylx3d8Qhw<155O z5CkZR zDoAK=ro_1|>vcoT5V+c%oE0aoNn%G-=NEzz~z4vBj&HTk$y%yd5>vO8kuD$oEDxHKUU^MKuGexms)w$n5 zJMr=KLtn4u`yk>c#m0H?{Y;o}^a?MosCeEb2L=TK^z3A?TR8aaFmm-kpr@uDp`txc zk`|!<1o7V3O-SEJIs0I1s$#e_`aRLP#dK8-3S|}aVaH#o*%6x7bY(U%-JS50Lc)UU z)9#f;A;Ja>tKIccIqp>+NX;_(Wq+ja}f;sW+-j*C|rq7QHJdbtV-RGqu&3-EZk%VC|Zm?j_6|rsSf_L~Qs78=fDcmn- z`0SGWT`_o_6rc&6?w)Xq%i_e}b>>z1`9M6wH#*x*%vGraW6h?-OikQ)-CqL7m+A}- zfWpu-;BmsFqrd=wkr%m$lHUFCijH!XnLTjU19gBA#$2OVRV~4#?Z2WBZcL0s;pFB*@99ta#Gg7qaZ0Avx zvcxL)w9^7oku$fr$jp)zL;U;T!bmwx&8-4AnVfJQtj!hY3ZcA^yf3cq;#(Vwx+Jm> z>B1Ox)eaM2wp86wRPHnpl7Ra{1=q=Xok55=IsF)MTN*-<~0de}s zyN1=7Bg|WR1|Z%We;{do!+Y=1Qbhjw?F-}qY4fC!gHSd8V{K^wkM>*xIzJ|gY$whxmAL*TS|i`BKCHdY4I>Uw1Xhsq#f9O#$aGF?yfE!`8GJY&NXl34~^BYYz7T zU!`})7<4!a2rKX4aEvJI55B%s;nn&YDv0b-+!^E6qAIM|-mcd<%OK!#ZC?{L6--aJ zq!vv3pq;YOWs*gzWz<>oaX@QIGW+|{Ki5&G&9-rZg#9Xy`|vY)N2`FGEnU*$4^ql! z)|ECsJ4!W*%4_a`%P(Q9u@l=4EuA;1woAZo-=-Rr6DeE>QK|)jBStoIro#aSu;3H~xKEC3|M`^2qbmq#)P4Ufb*H+Unb@n+d_r$qH)IbsXPthl9UE%M(iZUCQmEW3|>( z@LNMJB9`NoZEbq;P{j~9_&qOG6JAd2$Do<($i(vt+>JM;1KK4N{5yQPHslwwESw=`wz__Z979DNGh29TWJ}$g zR1{-HirLvc!7RtD&%>>wxDfT4B)`0pl#&i_X>I!i=dV(=+xVAdHVPgPZlO{WLzQL4 z7|3Xs)3t~Euqf~cnsZMiky@9fq6N%Xy0kD;5!NmVC~hDF6#XKe?_V-AG=7TukQ(UM zzuaNXY0HSj<-=Z#>_~cv{O!lx0;F1;pzsGp3^i3}<}mFN~z$h#yt!Z7OJQ-vz%miB(jFy`dv# z#>pWso9WFE^L$ltpDlJ!uaE%%~hW zQQsX|onGb?JK5Q9_f*f@WW2{{9(RXsf=PHU~A0$u?El(%bJF(Do2^cay%IlaN6QC2=sMEhZ#-d@I8 zwE(HpLC8@~snb+nbSY${XgMrC1Cia|K0#wo$)j7H14`x8(eh`U6CH<5%Jtjn4AQc? zMfZ8xZ3;mcNYjj1V4w902CjFM4@@Z=qebZuRje3^DmVtEY$4@wr)4D#!6j@)Ciz+~ z673u+)^z<}T<%x{J~FR(<)S40&4rU+tKqLf&)(%8wU|Bam(qHFm8pC(WUtj zB+DPT)ak|F_efY4AFu`Pr;7U*gG(V1Hr_~~OBDh4d-0EgSqVjV=MKPGJcHmA7EK$~ zh-4bF^c;5eNNxNKHwh#$KEdwsOv)jT^~phAao-+9=?2^v1<~{a%CG2qAItVFq#M*n zWp@zg|FKcxS&8V;jS3}E7T?@zud9dEfULTG9_#vu-x(99?XCPpSf64{&E9F#vwc5V zG`}tB@fN-O^@$`Kri0zPAv~kCSmOo9anrbodqo6ur|MxMUr>qfVp6T?!&Tx-JEjlI zt4!PDR)MgLNgY_KajinWxHs%Ur4t6Of}Esh{>&Cx;akKH-YVz)Xj3gEJLc$$pn+W6 zh)iC#pM`+S8qy{#AY~!LVlI52y>-|iuTFS z-l#L*Ol+d9BhpeeJUGFlcqmgs+D3vn59uxVss}MJpBxC^!mg1D1l+TL40`i#=Jx6$ zAOWHW!o0d(4;5{E<7+D`Ej91ND`mS-R#-Ia#LogSzF;jt-bGhPbFd)MMS5Op?Lg%~ z|8NH>WPs@eQ)WCxe}L0pHsJ#Vgw?rP+F>`-Kaa)0)ZL)lwG$-o!E{RnhNb$s)xz{< z*HAT?_bsKbpenoNXgR-~cf+#Xtu62&reI!v;!^98JZPWu?6EPThKk_B0yBx8wOP)*$o2GE#vZ(bD6A3dB^^Ns zwBGh-fA6m8`eYhSg@J&?X+%silFhH)v(ZEPpPp8m6LpXa5E}&~ZS+!^wY)@~DZc79 znoXU9AfFf*5J_xo(Nr=cYc;<$^oee=zSUw%D;-i;sIxtu)e<&v*+^Zl=i+?tiTU0( zDOL@^-?~v{vYX_6ZNH<_Ta&7htivZ?SHp<}`QI-IK#wl`pfb z45{tLUn}c?dHxW5jVJ(u&&@}+HPf3xWm5U=TpINC56d$Mc6Dcu=3Ite1p42baYX<% z_bg90Bp(r`lGU@$Th$dj18qA-N^UNv=+xvFcPkVC=J$FmNkx@Fbf_RIEbBATMBl;; z7z}4N;I>~nTd_%wK5z<~>C4}>LejpdG3Skxq0JVi_WNTG+cw!2bvzx0F_L6@NE(^< z5ve@U7}v!2FB=ggXq>WDShV6xn3J9AMJn#c&Dai3uw8&_$Y0S|#q4*{(7$7-n&^x= z$0NA6dESkk=a+epii`|rcV~ygFoJUc6P<9?nhEd+#l5;`MVtIo1{aAVOMcpp8FXB9 ze$P+N*8~VJ?qglDT&Gn!7nN-JO^ZifSmI0{{BWNtC-YjmLO$zhlqdFQ$&ai z{(#^9gV2i^7!DNx_&;<&`h~%Zhxz1y0FDz>@INOK|1FppX@Wt23I;^|e__IZNFj@K za}=V@^t-Sq?WJ${0aWTfelI^e;N)y>^J4>F%VXOZ2{LfEikf64?JLo$pyS)pmy?j0 z`TXbXkBv-X1tjmcD~iHQzspP$xIk=`^VTHA+FgaK$h6wiSgQ9+ zFYTNXDpcM|*q)OoLFXKZ%g=BCTV*yvdR{fv%_D?UZ>l1o6SlbL%nkUsU<)46@S2m{ z?C*JV2ILfOclS~gG?vYXZ8@vyrl}82{RIcCbBlZWha|Z^@@d$CShC0x?uL`8>yA82^FGe^s!|9ZaM-`ddJE0F z@2H3?fG(|Wd$A7*R82qx_}+H>0BD8oTaldgUC8(6!rkvts7#Dpx5YW04?P-xYRhMB`011@Y4~TdK1h>nh>`IP;dz&Bp*XOPp?R z!~Y4zz%Q!R9x84>{61ajweE|umyMQN0H_S&?$3H-5PE59qdJIgHhE%L!8HA;PVi)a zXr-sF#{?q(eTz0SLLxeE>b$tV%N37b#k)=lBs}2aUqm=3%uX6yDQ?ltT7_b!H`;W` zbK8z(1eST&zd4TKh6Qs8AZaMM>{uDs^;=P+BRuuYO1b?Y5d-Nw_tO+^R3xRK=2OCtC89m!1_3 z!6{hJy&x`~!vng0d`%~CvYiK6s0>UhJj-u)AePHrF<{w}Iv>1ohHt&?)BZ6>Amr}C zDL=3x;zJe1>}@7fBb>^1l^3;!23_qw zV+K1f>8!tX4;_2kBd1zbeLt)OR~g@isG!9VYN7;-^eFk9ys}uu_7PINeB zMce(|dU+V_L#-q{&PNy)<{|+u+fw@c0n4DCbZWhKz<=ukMA-Ee(8oNbW=5ATzww;s zotu%3=bk zB6@Vc#+5^ihb~W~h^(RoNtHrv?I&$MO%z+$QzeUM)3qjj#$O8!>CBMq=;#WU#a@9k zCX9tIB@$06;k)`g8C`B+aHU|86j?g>X3o1Tlj%&EEj~P4VyE$hH1xiKQ9wkBDjJi& zB{XLS8yWY-u(U)zSNb)>bA63rL0jQl4_wWfu*GPKukYL%ji=1=5>#BKI->f@J|oy8 z5OSCTP|_Er+Uh4sBGlzG-xnxso^TcF8q$MhEVUAubv;%ZOdZGdBN1|5!q3<(s~jEO z(R~xFGG$q7oNvx9yfT=6vK>qG2FU0^kUv8P!Y95~J2OTMrX8eussAJ6{FPz3yPPid~!CZo|CzAZwd{wXz$NEjT7 z+>Mx_mq7o^r*$Dfawc2-xisVzyn{6nB>r)!2~eNUE}i^!;xwj{>NO6nx4OdB2^34g zLK93J-@I3mv`gKLNyiWivF&|Ow^D-D3I+#qbQs#J5nPzY>1Tp7d3&dye-qyH>HM%` z!4(jUyOlsJh5f#3CQ_A9wGXvxHZTL~hlHAmgedS07HObQC^uco(WZyaDkOm!xzA*_ zu#Sj7NCgY~X<0$4&G{fq+Bj3wWa-LitSjkb50ED`%*U;G+3J;Wj3NJf2q2KJNJHb} z<^mv!p#R~4|Fv2FWCpLUOd_vZE$4&Kfb3i4#Ynkhsbtxhcq@m;kU&KIPPf+_PsHGY zJ}xQeLaUNC+;GJ2BkS?0&}77GEyc1J*Jb$zBcmfzKtz>yRcClA;m?jgM*eNMiaglw^HN*04em=UUIle5ynnp`k24h`efM+nV z(QYgO0fW-;hlTo|?|V*`RaO>O(zVN3iQ)spBHcCl*{!i_Lnmp);bz--Yh4T;^mk#2 zyBvOPpL_d^IRV48buhNsf3@kt0qhJfY&?FhyVMALovw_3&pIG5CkY@UHjnDgai2^b z?Y7NVf4A2!IGIT?Dawiy9~lvEPJFK>G`S!aqaWb4XPz5Wfa@|(ETg<&9h3p#=nTb>V4++22ixV({tEe_sL{|0nX>YwZsuA*i=?l z@blK{Byar!wG+0*uFarhWky{C5v`>;_x+Q9pt&(r%Ab_KNM3c=X%Km-Dd6Up>+3xY z=sNwab!}cDmtGeI`%z9ypu#j3Yy%kNlhE4~!vb)9FpO)Xd(*CP7~p|}$Zq!q`;W?+ z@&MUat8QH5v0k@3oT!^;s`mTDyH zfoi@ZVj;gg$-JnYEd`inGiBF`!eMW350%rtjzsMF@n+yZA7^L>0Rfh!n)1ceQ%MDz z?G1~WVV94?Y^5`>7@OZKiXGP*{lCx$bT#j4+`r_u{<`n@UDr*q)Fm!1X1QgtTuI7{ z0q}HhBw)n7K5{ay4>JdV{>nVeyFxY;)aHEr>6Q)@#xE zkKF-YqB|5?VuVHmF7VTA!Sbi6dERbn*f&`*m^W-V`vV}ILTd@xS(~zqz1|`wO!{V0 zm+hJLjz>+hV9bG}ZS-S%-N|r%5$`FmR>m-vJ{q2)@1)na<*RUqypIvID3<#2n&KzF z1I4vxjw7RX`d+26%X=5vc$NixA$O&nW{C@@YHb5^5>}5#b0<-2C@bhgc_nW|i zQPYfg4h&{xV5cDP&;Hemy!b=GPJU14cdEyM|4+)`H=^JlfqF)g3P~i<4@lxPr%<%Yo%wSN4VyzEC0(3aQl9 z5^{b_KmdMx0bz{Z9MT_%X9vT=)OaI_0A&YMmj60x{`tcO5?2x;vByZ~w9v_9I_P6v z=y0kUiB()!PDMi{QBpoKEQSDmbqgC-q8B6()djd?QSI_OWHyt>{d)Wplse|&{d^n6 zuUn5CZu-<4APA0Zv^%}8lD!)9^?pAN|!S|w$`3k zrM?5fn~5%GR$w6nsn)+f#aN3h*+{58S@GmDMwrT+r_uZPuAHOppDHw-i&~PB=4avi zZ>+8#j*e%epr>1D5(&F*M9j$AymYcIw!L{W5f|o_$sD+l?;3IwtTHJCeffUQH)^mB zI*DSrgXBxHp~ZT7`)deOqtts~1ZD6{oRvw;}Y%3ZQ_yg4fE9ey_W<*ZgK2@1hkx9LU85<_azrvdYa}Uf54DE zXP9JrfVL%zlG1d5l@B4|TyACaX!foiyi(P^Sj#B@r-frBEfHX`g+Hp}NC5m#@KgM; z&WvV@vjSZK1)cz&B6S1v|D|FUj>MBK(^QmPKD1K3ATqEJEs{=axw86aekbe+9e z05Mw^;T45+xL>7S2rl+N$Dd~iPzL|6^A?7$3-7;a0mEda7ai7fqEE(%~UK0gjRFD(hZ(;YkeIPU`!ABYIFSaeU*FIBNP_?wJQ$vJ-K7UjgHCI^?7P!GR8 zOq+INJFjk?F4@RSsVN3s-Xw>L?D;(mNZ%@)$nTKQU23set>rnt8)N}UkK!OL4kOK< zXbnb16*YTCW>1q#^E|JSYZjXr6|e6vI{~|nQ&7Z8DT=q;Y-eW+!oKF@9N0m#tGi?f z&7EVI+&gks)bihpE1%v@fZs$he!X{vQl@*{%_ys6)MNSpP<(MBB^i~f`oIZAZ9>M0 z$@bOCZ9xd-C539)BCf{q`~KN0SYF}HS=0MO=mR%?(J-yRGA#O){fny z*zSb*t`Kkok3c`Dr7&PiS*VEbU=97LG@1>A3Jl^#7?qmdY%x4nWR+0t#&IT^U6tm| ze&Jkyi_dC5KCu7q*`CDT7fBfBTa@HvX|Bog_ayoY#r{!}yt?>=y{6g=TcA+2$Ma{O z1P~@7EAfzezoqiig~5mE1tT!o&trHZL=-?kQK4ma`Z15H$>;f${Y(H6Dah`??|8Aq zO(I@YUhI+ywoW>rSX@*fATX^|$Xih#5cG!An39n&hkqA{ehGLXKOh$i!ZOAIHj#47 z%<7;q!fV=}&C^Y(bG!6bSzD(_HqA1xhSoaHKJAlSzj=L|H*a5EZ=4S+yr^3L(%&+^ z+4MNo&|gyrd0(aUO?)?Kh9a}AJW1buHWHu2EPiFki{1cL3_B-k=xmaKrLwT1AOY^O zSp>9H5&;K45-aH}6Q6DT@~6dbPF&6=6A1keEs)HMbT?Ffo)NcOJ6G&B`|DrMTF)_$ zyWJ0x9c?q@q{MIpi78K-+e#E})4hB>Zj6n3@i)*2mV;WRQAk3<;6zXW@YoAC)DX|F zYTWgbj{yG6sS3W18jqOS?rL{gutb@FgILYf0%2H-UeTTKH|l^uR6(MXfU+~PIlbRA zOv-5giM=lAtd5Lk4>(u6q5l<&IKcn!sw;vtlHYj1YQ;uXzeyU_DoUV}Gs&tqPX$CC ztA#L#*ZIy4SBDLO&u=6UER<1mL`9zJ4I4UBgvlXwHz+73E(P5 z&WHAnmfoq=-1^bI@#9GTfTbYMWwCf5AM~CJ-gMydk7eStciSECW%n?`kRuTflT!U| zan#pOLw-yG?mkGr&d7JP!`%5M&(aZslBm?6S!Ewmjhg%AJ(jSb?(m@1(sn zkb$*pxW#^!MZHRQePF+KPk0%qcIa9HF-K8R?sZD)5}w_m}e~zXlVi?bsLd;`tWAX8 zoY|JyK#g&NcQ>EzS!m+s{ykkO=pEpeHbGAyaitNTQQuBTb7P(A=A$KQN4T8;L|anC z^3=z>Vz%Z)T6{14w>jIQLJq4Uvb!hsAL*$(b@j7UZR;g^R|FK}V@zqXjqQut=j{`; zCRF~5wKi6bHbs)o%K09+h-*!=XDRqRBgimrl~a3I(<6b%D>k9`+ukJQ{wYNQ zHQV^2^e6hhD&dly>)GM+l4(5SiJ^nc#&Wil&HE$`qW1FKF(x$xU>zR8PEJn{&VIf= zZ5T9=D;Uvj9Jr{<%0khp$SZR@A76hToQ8*|ZA9)-x=rLXJ;ki42Uq)x1Z6>%?uEC% zUx9p&gA@BxhOGj8#&u-4^9>#RG;AQr-IXF78A64y+vPfh>wuT$_nb0*U!bzk zB5ABQw++!aFHc1IN7yX6hhJ8|l0Zyd;fq0wmb3ra2K=$R#I05F*dyG|seD~oC5ez) z!D6`5b{cGM0gVj;Lg^ilb2P89K9v^7rKfJnhQ%SQI82~iYpPJpZ!2rr>?;>g|u|d{kh!y;A(-F zqbOuP6tR4QgScj@Nq{PEDF5@vTjg606LJJ)WuDDkBY<+-z4V>*oWs%i=Z~e?*TpDWguqqXy_%>fD?M>pkiW!@1R>Km zFsafalP*ZC|KNd@U{-dvHx47=ttgZtnY%M)QlqYM!zD6kCip4OuJ2x{fnj2GtgBhxU0w!Ds7YHDQdI!Xs>G%w<)BNdq z{o|FZ(+*oF7_8E}rGWw|sEh8^8dl98+oIR{NNzm7EqM$lW(!-b4%@1CMljZV^;|&B z*W$I`yD1L@4EUp+aT3VY*wRH_WZC;8q+vBlP#lm|Xznm!RPGHF_ zn2T@94+??!qGHm6vo z3n<{iE++^})>l>j1#qD-HuLMbtMokn+UT0%e9~K2y7D*5v56O(-!$Uxw`MbR1W)6T zueOF@5*4a+js&3TC?3*(Vm&G%5rgw|wwbJU&|9k&`8(+(Czm>=E!8Ru_|2m#?hr^i zeQP;xF&EY}|GHqwLvlNtm`UlN(vPk?OIKm!LDokI3n6W*4#%e)R1R+PH{C2jbwMUK z9a+^OmC=Xf{1u?LGJt}u(MQ}-2$zAug#7$VOt+Ya15zK`5)d_q#`Ae}(ejy|A3~wj zQwT}LipvEPVNQTb1u*{QI=uKHzj#r^vS0F`q{hT1YD!(k{QNds7KjAwqkX(6CFQ#O z&>K2{?GVM9mD=gYpNPu_IG4ZV(lht0nhdl>S~sV0=SCs>Y*r*+KlJ3QAzo-P$m)2S zUA&?+?jpLWuF6w~)MlnFe_PRch#`VO;%yoEE*Vkyb~|>95ijKy=p%Z3%@~NBG0KI?Dv>|Y`Z|Q z$BfXo^!tBPpKAgos&uVVYgDS!;`pQ7P|V9l*BkYp2|BuAX_G%3 z_!rBGHqthE?BB3HLZXb%AJ6Z-DKQ(hOBzAH^(t92Mym;d{3XtI|l5n>JSOkejsra14Z#aN2*hFs3&# z%g@RpWD6CC4GAVv68iE5_-TXx2O19*zbOqd^-5F8GqS3lLc1=GNBg-82_Yy|ckunU z!v?{m(_O=(-S=E03;O+EtPPMh##WSUlY=b(Y55w904@K@0A+{n6ROsJrNqn#)3pj< z37E~O7VTe(SYIz`?+Ukazn;X>6XAVN*vPTkuFM)%MmNfISG6dYL@St6R9vt%QyP8Q z!=hDCP#Z>%)ng$=Lr-9sk$nX$7@9P{7*dAsugj?a5#U$wG>ETz$s#W+ZeJv8<3G8V zb9~yuNAU!Gd380(k%Chlac$MBur-zx)di}#aY<gLIO&>1Fg&q5v!(&bW`huV5= zpKyeclH;&OtlY|SDl&3aIe8?4FE1zet!2nBvzGfN*$*g2pHLptf?>{{ncZ>rfhwOZ zZ+qvLXS!w0f(MuBhC->I{iFEyw)fTc1rTMJsaZ{HK%>@>h~@qys=h{+>jd$RpPE+U z2IdAP0@mQ~%GS`!7BO=}#G?TeNNB8g3+J5VgDl>{K;r-grgGyX0AI@Jl7lCwkVAdd zEr(&i^rj7O=_pI6F(X$*?S5L8NdAN=7KQiah5XR^@rpp&ZV|fi?%ovu;&V!A**3Wc zSA3#GRo-HzspUBDgJaJjQ%-1xB?aNyy6Spbtp`)kc>rzojQC*C~HTIYuZ-pZx!41X+&8@)%)`=7j!xu$UZuOUBmA28= zFMh7p4Sr=~t<3Hqr{E@N7XB;ybB2ji-Y4@|I&@k*y<*5fk{`(7Ad|HYzqekFg@(UW zJ6y+|jj>R}43Lx1c)soQet?!^f`9e&G4fJ31S19P0xuCDwP;LlB0|bJl|d*kfKv@{ z)2$wCNdGRRs$RMOIWB z<&n#)q`a`So{}(k^&&)6Hhe2UJFpOBw!3yNR zM`|Y98O$I7)Y@Nq8&BFR%jRgz<0REu{#Gn((LP(Gt8!ER!r*H2x?O%8|3l6>>PZF4 zZdwO$ulo(RD{iH|G?6r6ibO&PdOn?k-aLt0I&8?suDEij-NiWewwrqh%RpyL@=#BP z;5;QjJpd(c^~_=OS@z=L`5_R$dsKa0w$9r>I8&K}pj!ko{!WC?_4-#< z0WEO|irkvRfIH4tTl3u|VTujn{nH8erBg9PxT*Mt9bX%R!3d%TaUF zq_LNJEG0MDHqK)uFr=*zRWtt%_`EAmSiQ8y%B|R&AkW}V!2iwyLrt< zR1f}I&R8Fx>Q0@^;;t~-B+F_E8=z}(`G_)+;j9Cb#^q7^xEh;?UzNs~m+M5xyNNRx z)!ccb2ME{7whr$pwdU8q_Dj9N#bTuvJ8)Cuvu}N%CFH8Tj&F)7m^f=@W~WOoqFm?$Eyx?&b|3U8&C+Ta zLQKneb--{df2Vm`4+$6D6g8}Ih&VMjbUv7ysD`*J#e^vyc@Ik+Efy^nW~Ge*+h&|K z%;0M)NQ4`;=Lv=Ts-O|$e!mkw`luyZfX-Th7Ozy3%A&Ko(tN;UfW0U$DMsbXVjjH= z)}PH>qjlcJ8i%Lasx!IX<+4(b>GqlzG!bOro8QQ}g6{^n)mFV}cefmIE!L9!NoBt* z_!)9~Uu*A$eWsuTv3l|AfoR$;0emI9Jma-7 zGew7q?Vi)~U-Tzj-G7=DFRQkCHSOHEH@b+SoUyG7P2lrPWJ~ z)uGdJUwNUEc!{AUYZM@UzPLyOCeDfXk1;!vtSZr8WE>IoZ?4Y%TLN4lXzgq@$AcCQk4!c^F6K#d z6_M5+*YbB>At6-{mQ0#loO2R=9#BX5BK=^i8X@c)I?J^rKb!KghE<=PN zG?qN>jx-e8p4nkSzd5Y8IyDkyYB;$)X2N(x>0m?azQy-0ApKJiZw2rRcvvWlP*a;2 zk9jZ!DF3^se62PSiw|egV+(q7ur(?fcQlOP-&nE?Yx0+u;@STcxZ-U!Ig`>P%8jO0b=j z7F}N(EILt^#E3jT)`ms3GWm(CDha+#u5)Qs=W{mKON+jos2>I8y1GKQDuD$R=OFS*|jW-y~Bna~#F(VD-%Rl>?lFk{yI<0Y`%{SdE7#{IxZS9uF+W5>i_GiIg-&`;O(q}{P48`6Ry{4 z;d+1R`FuG}NzzcQv>DajT{zIpi{c3YT+S*EYyt|rY)2H4R_E8_&iY*E$rww<; zc9wEky-jUXthRgnY%!g+EOyR7Bl+fiD3-;9BI|dE<|6PckL>pGR#rhEs=#s)5&F zJptvAhjhzcy^M}X%0PMl5HEb*Lj(eUkV^3U}ieto!4E5v%SvT;R16Oq(069$*F^j;$WA`f^1uy^x?Y zm^q4q0k%gf4NA?fP$_pZ|oMU(@n5V-!UC2#Xw2Ni9l_)q3v zBQYpecCxDS9!s*!;TADU`TmsB{X3X>FtCSDldbf3?7e&@uGsAc{*X_GN`nev@f zGYzDv6{|9$l*x1^0TymD42f-5jP;g&NFYS~Uw#@dAa<~>V{Z1i6-pF5l<g_!+O-KS z{&(lm#OpnP`r&Nzj=Jt^rD-tx=fRJb}#?;V!afrW? zr4D6vz=@-#4L`p`y2Dueq}q`ZSN+=LyUR^?f2X_qF~&O*OWzFgDuHJJe7&h%Zz&x7 z+gUMr#5sET8wLu%BOK8H$}|&GJs~MRiqCz?YjtF7M)a>(Vhi$x&!?KJ`&6=;gU z0j!CFKU>z9>({9n7`7NG6b0L$_1^5dR+YKETK1#cEV~-Jtv3C>_p7ab2rxxHkE@$D zl!S@(X3WT};l!Gs2xRL$W2epZ{6rZfn_t2$v)OuyIbvr)k73kEE&AB&B*&FHeS_$W z)fK!AoL@cKDtjxr$`(28vYpAJ8JYEqJ-ff+xrf`FJTEHoAMPv22ZAB(FOkh27OM>B7I54} zneorXuI#P2?k~PfGZs^}C9BJf_s2ddS(78Rgr{#o)(@lz#>znd zr>Og5FmMvcx)tGY+Fs9`7oei~YFZ0E-l()lV7w+tRqf>x5N)jZfef2 z5_Kx|fCKir0M)4dW()&f@UXmsAa^EJUhV&B0Q)fJ#B^1BOB=vC4NFID%qya7Vm zLh&xD`lVRw#!iOD3jaT>s7zKxL<1bcBfOVBBr+!VddDkorP*(>aJSovLy=P@sc}r% z5_wA=MA08O940YrZBtOlL8cSxA+OcF9m8lrL3Wm~pN$x=!__hflqOiMe4SEt=^pef zkO{Oh&<>oB+uaF_Wg*G1Mo~!j8YXxGaCxOiY&Ha$_qGRz z{SlEgeZSj}G*+eUCs+OHsjEc#9!Yc@$y&#d5Q^tc_^&xK?RVHF>~-93U!mCkqY3`* zC~?5uRcG;7B@F2wY3E>Z^&QK&ZD#HY_XZ}}3g%}UgL^g5s1z@1>TvDvYqk=e@D0=( zhE!#RQKEggfkg)MGlChQ-;kqA$Y|!y-OnR)06nU-Iq+fG`4dC0eTjRQxy}nOg zTKsX?%^*KF7#SMm0P`txCpWi^jk$4%+H%kON3obST-BrqJt)4cvH00mO&;K$=7`vVGL6e!!&@YC@Y=*89t-?m6X2 zy^1QMO$0TEDFEs%#!pR?uQGJ8sd6OEst*__^D zQP(1ik}gZxX90onz@eM#8>Zz~C{@$)cF!2&pQ*)KmD!oX$`zytJ#@T+sKEUO(R|&= zOU{eNG?z`2?LKGZ$sO1+0!HC*l_$A-M5u{RU-Le7pkaAvG$#*RfT5jxmkNF)Hz#Cxf0=pqRgQ1I3X+mEljet%He_ zKIchmW2lh-g}VSzmcVZWXJKXPT9`Pyun>@C-1j41XVl|G`&aX5nbd=kXh${P`15r*@wX@FS>VBPHD2FS?tq4*`$)o;V?>lqz^F%=opLjwaZ_lGJ zrBvgpD40lH926EJA&^S{Pn)5{|F_K$#oebm@B(h3IuKnjUEi_v_^3y&LtfpFVc=Cx ze_FZsKz9Pry8&Z=;^K8*ADId*)58yVk%*d_4j>Js=xON9V$Bf=NjqWLuWxy*S ziBJN%)>~q50nPjY(%;|j`gmb*U_yn9-#OrXnWOaSZNkdNL7#!^|YpIU9_U?Wz>Qe}J~=?MCUg=WkhWmbftNf%s) z>VR+3^p{3^Hrv7qDonnww;-l5EPjU;w|&!AcC4F?vM}P?@2i1b%_=Eny1L;iN+zgiB01rC3zgF&Lx4T(UU?>muBiY64)S0c+~NF zD|q|EPmON$XeaJuPPFov-5nVf&Pc;?AQ@75kssl&w*5DQeDH$wbx!Ve4(@C(==neJ z=CA8R7ghprm3*bCyX5V+lPq*$a;(u|OVjE2JW6mFK`XjQd_z<66rOsI>F&&Oe4Bq$N> z@6<@N41hY~t%l7r8DITcgSOn0*ja8Clp8(2+Xu%v^_Dyd)kREq@2L(M^#8X{6?MRT z$3Mo++Cr|vk|2grYjVt{9r3WQ6K0wJmsQ>azvYMLihww5}T82EdD?@YY-wPT7-Cuw>(~ z>#BZ|mk>T%+*~RBz?1*F)LYZ3s}Lixp2XNWLcNEKAD{o^i6FpCB8q6?3d@MEXtf_`#eBn=$WoiaBDw5q02=>HFt25A6t_5$ zaUY9oc)|~}GT=CXB>u0Z31GD)25xxXM&I}5r-8DoO}a4dcvm*2E0=m7HgMQiqd?@E zjK|pbYOkTZ4ei`4oXqUqov{-cw_iURazVk`Kh5<;IWVIy%HPa_6aZ0R&un-86^sci zuVH;w8j;=JJM-kWqDJ3*aNtn5=hsJ(=r{yhn^_M7#b9{?2lFCf&D0~*Q>c4`|IRMY)`@%0akm2O+KE?hyytW<0}sn|{`wr$(CZQHh;if!9=D%PE~_S$=` zbH4B1{DI8*zGIHjNAImYtsdSh|8)eQeHl}K6B+ACswwP*n@YXj!Y-ILecT8y7p{Xe zQRhgbJck^y23VQwx+T*Xw_XRBsM&OxYgcy*3LoPA>Xr#{Ec7@>;^_Ig1?BVouMZEJ zT)UIj2iX=0K$)3koa`*TzAji8^v!6085*ABUXxA{(oCn%v_Jn<)qo`RI)vjFAKcz9 z`3gP z1>@5+&;L<`x*>Hy0$e!xmU<$#xPadQ?+u`ho?oD|*10I-{#fwZ2~a$gKErj`p*$B7 zO}M%XnN|HMXMxk{{+98O#SdUeO*k5KOXwgK8I#}h^m@~kT^9|$qn(iONJidYPc!WI zl5)}~!AR<4SMsLq2E6_@YMuRM)(;I0xtqhj+6c?1+L=uD%EUoIMKGSBix;bU6|=`| zL=TjmsoR{*mdMP_<=?wD_6uzGU*i1M_q9WJbOFpRuO&j#bcEk87w&;wMd_A}CT1d9 zs7{$Jcl4~Rd1?5()TrO%<6{N0FU!kIQNAJj;{9%79UbCmzvt$`VI6S^H3#YRqN=P9Y{C8Z~^e@%8iR0O9)0Qu>PoY-=z5@ozP`TpzoM>Eefelq5`r49y8eF;3VjFf* z(#53+n)5Qg51Oqk9gXW8K9Q&HM@IFGethc2TNphvFREV{U~;sV5QOWc)rDV+%rt&B zJDMQFh!Tf%(C*Gs4<(EsGdrEhIUvQC;DZ54N~VaM7{R@yB3zxps$3&WvZN zAmGZ7-0hO1XVYu-prOi1#9*uC{S5MJm_A>mQKniKg+fKtERCfvsEqt(&htpKI4{2b z3}YCfl_uDhYxDXnvZ#zg(XSQ}Gyq`wcV=_&sL&;JN2Ax=M)Eq@&f;>{(A3;PE!5dK zshaKEV35(!_@)jq``7;E@WnUe>X!+vny2HhHECIlzhv^2#65sQZ}pHj>l4&wF5{d< z<4vq{yAY6rb#!6Cm`Pmrv#RCb1BfnvsOE-n9<-G{G~;9tC|pN7tb)Q z3JfIaD3qioh0fM^smEH9;Y1@nIWy6Fnp=uV) z&Ct=dXvzOf3m#)kPh6zcH4s4%79o!Q4W(jL+Xohwz|WC5xrqjibJeY>6h?4ztHD4~ zkloEsTsblQ+Z`wI&zhy4V2#U6PiFdT#?w zYcG}cS1|PI+nUZ$A{B;`@JzW8t=47lh%;@@e}UbBNSP1eBx2G!v0M#i_2WM#qw5QE zLP-fdkQa9C-j#!2Hkpq_CKCYD6KOv`(7} zUY|UgAhF4db3L7Q%q)KB3Mh(}ZqyrvDhmn`-XqM*WTuL0cR*B1{ue(cCK%qPlvhz< z@o>J9m6a8_aavUYmggT?>jMCoB5bqx*3HK4Z{3*Cf(@dWVEh^R{b9EP@$p^iiC>(6 zG+1&0p})sIfXO)%itQBPX1frzvzzFlP*FVHd>DEV=Q$?L3DQiBkS7j&T{y0^W|Hay zYaFGKE-=(HNVxm1&07zSX&lxz}WgGHQ*aKkRg7{1zFIb0YOH(a*=m z4)H%h!JiMk9mhLHN~1vmtS5&lEj(^fEoh%aO3Ah^;o0~8CFS6FMpgGy|*^vZ&K`33w zfArST+`cOc;%;nSG5&XZ=HUIT8%x8az0@lGrET?*T+2VbdQ2~t^V5EXZ%mW}#6^U7 zl_!@-^UenqAk7|VkKb%o^AU))+_#aPA4Lx_u*wy|YC3{s7G`Y=f__MTJF3yy`Puv! zVJ>0v2gW6gj4;0mSQg^=v8lSFBrm$;Rpq6`eM3Ls@WoMTyXoR%VsxynaZ!c6`M=xp ziHMXmH9c56fG@)UE+m@%0Gc-0LntoDHE?fLt+p>J0HuxR^>VU8`*?ovP8N~?VUviqm>1H_p{d|@%B;XFIfRxJ2GaZ#ae(P+W2!smrs z-Wipd{(Iy2FI>~|0)DH*^{+{78E!F2%3-OtL!o12E937|GyG9yP+J$bM<{dBSM5-&}INiu_5X?KN1fjikTQ zSx7RR@GUmo250GL#fBsftV!0HdmKt9D0F`?yBz0!Het7>g}c_`77=S1FMnTR3xW%8 zsuu#Hw!A1Xi3p0Uk7vI_@#ICCYicc+d4l9p(RXKs^w$?&tX%h2may-M(E^p8a%L+W z7Y8e%@vB*}SzEwtVvS@lKS!h(gzqi6RU&3zTlSAUV#{ET;L19;(u(9V2>#Ze@UZT| zV!0U)5-jE70a2xkd23loUIgMpT+{NS@KiN zySL#3YRUgZF;bg1WZ{n*4bX4iv|Xomoye-`k8m4Dgk1ZYHuzth7;v{(!I@>XR;Qhv z9R)S@KwD8^VWa6>5wUoZ4m97N#x1}VMTBre2(gywOSjj>XhHsWhZh@wEcDHW(3!b<<}%T`VH6fDYD?+ zk|bq}iQ%zlmTCC^xJjr117v7wdX@>OF~?mlXSD;L*izylZzwp4X|bAGiXc-F;o@Q= zBa|f%)6+8xiU}wOIoQG(t@i|PL%C4$23Fkk|v zCHPQb!<0@-=Nm)QyxM$X1%VHdWr|>vq0&F@VV|_r0%;cbkb9va%ugS1%@&Jgq0NA# zc+GxAK{F_|cDURgcWxaWKW#k^7`ouo2^l)x`3jIoI5yBP5}|&y3Capi4c>qPC2s!g z3q~U_-cZX|Ch3QNfDa?9t~y%&s*VpQtuQ~0ZE7lIz+?V5z-yltAmb%xn*y522)S5cEf`iZ{XZ&gHu4YU(QRRS zI4ss0`y;8R3xAbtOACw3jdoOQ?8yJ#WZ6@AiAZ?K@X0solbygZzqA1WEWTBOJ`#Ft zYbRn=j>Os!b}#mWrWX%SkQ|BUkF&J;8)S;7ZZ)-=S-C>PINvjl7_;6fT1`P&Wn~ZB zl3fC$yWfIF>Nf+{9M*WW38}_2Zgb|9eogTcu;8&+qK_fPUke1MFsY?m&1=9)H4OEh zymxCBY}CnTIt}dwKl8uD`ypC)A|0D|eLG~A-1jPGT*Cc_3IjMseUJb`<9)$EZ$no8 z=&r$Q+)p=?L?iNnti5yhD09X1qQHZB$Kuj6X3Z^w$dHJ#y6tXzT}3xfp@z3}c%M zdk~I=aY23@(ICQ=&3<^dmd>>MMjCXLy7ChT+hQ~<88s1pte4K@l}v?oFkY#?oXL`( z9cWtoKeZr|qdEj)HMC^rzmUuI6;4>}$HnO#T8_!xUcXAMw(npaNo+Wfm-rPu-0Ue2 zp`^?xDdO|Eokltk7p!iXwurgE0$u!9P54*ElJe{d|R`sVMfl zb#>uueO4JRso5<%vqEJ&JXlw(iI}a~?NprJzOP+bh_CHu5fL97;QGfX?2}+nsh7;l zvwHkg%&7z}jOp@@2Hdif(<*yse8w2G2B*w*kMG~MKP6uM*mzbEA`}bnIfqbAGLb<9 zP!S5t92e4HeOHyVlq!`HrS)^8z$^Rk`-BWj;{xsd7PAn2>Rr6g`|ieQ?PR3}_Dwoq z079&c>jy27MVBr^;~yU8xIuL=$}f7hUspUv7MPVJyfjgs`{`i~7-uHc{R8y$6AnOS z|L(<_WC7}N<|**`zx17d3}WlwTplksBG4Ja!b(t|kBdr6Pj+^6b##1^-o`@1BCc6* zQ=@5Y1%ax+Qd1F-5SLGDRwlc_GXe3xT2CJ?Pj$;J6WDY5l95qS5a)lXzS2{mKkIdqFBApMZ^%9(9VSD8n?Z^s}BCKsuQLAh%%WIdE+9?A|5a z-i5$_-Tr<`?vfq$r^VtLK!V`!C6KG57b_d(Vp8Y<3MMSXqhL+EjNESC+f#@fgvLx=T7-|SfklG^wp=l*q?v{Rzu2SXv^-;eq{~#Dw zHVF~lpf`ND?_eVW9t?amA;Y=i(wvp%kHndncO=pdo2ZTZY4v$KxtTuHU-`c=@ldo3-M!^oV5jKo@p&aL7-19DF|+z+#4<=7_K64}1PC#9&W zb>PR@OcNZ*JL5-Q4XE=EpYMsh3N8>R0lqh1EKmy8r14nx7hsCxj{!WZ!e^rE(AqeJ z=CqNoYsTa7wD}YW$1F4-W3}C6CfeWc4A;Plt|r=Hs&A?at65B*rfrdi($30!K&0+k z*zGL^{y=*U-~05|3Q`~FNj<`LL{P~;E4?{yB5~y^t=Klh9>n-jPLk*eE5P`j0lbdi zhX=u@j!Fa*Uh(7wZEEzgDmjYq6io(#m}jlO z`WR)#{Y1_}b$ z-Mp!c4Z(^U$jWT`qNkj^W)Wjf$(65>yY2gGo_9=05wCiq z!;TYRYQ4Rk*sFQIo>B{CKIxej2v>=F=lf z+S(Fb3*% z21((T*wEqOHVq&3F^mow^f#K;v_oa6fjpb{&t~?&a!3K#k`)qk z`=4#YM+%Ra*zk6LL|0c=g#hrUT&3-?Nr|kaQr%3|| z?-S0mcI9RP$^Gd4)!8}u$-SrxGRIl9`HV1taa(uuJK}um6d(i8FU7p09%I0gFU&hf=Gj57>!lW7!f7oR8J_c@ zvn+3hbN5!2_Pqm{6YBOuZCNiPul~HAJ?m?)cI(>#K#^YdRgwHUKHAWW%&k3&(X~4_ zp0`=A@;8L8BRO*BldV=P=POyf75eh_<0i`C3|V9_ zcZl4k(w~IkhBZ=P1pj%MInant;#FO32)5f$|9R@X$@tqxM@QS+GBPqg_ad5_?<@7j zBqSuu{4rJ%U#d9|#iubxeoBYOV4PBnK{3eh_H}!?czvo#P~4L^yX4RBpKI6mj89bu zqXoBO3WB|DaRNz=lNSU9m4)s4o&PTAAHLS{?snE9Z!Lu3g2l%P#?tS~?0yw&ZU@ar z@c0-2)ywzlamRA(=`r{Mh%ey&mNTEVx@*R8TxMp>=^@+OC3M~A+%dXc6EY@81@5{E zRNTQy%kiqLvHO@4^H}{JXFrPG8Q;a-MUPMMGPpPQGO8EBfBlS#kR!AGmGala62dW$ zZrtW!`piK>(5hPh@vnGN)6hB(pMo!-2DYEV-0OkZ$d{zgx^V5&%|`d^&)})Gb#D| z<+%L(GszD6Mh5&x=nQbvJ45u)VmsK|+dDZ~^++`KU8<|90=9DzKE9nTzF+pzkb-=o zE0@>WJn=hG;>;VXJ1*y&?gh!K=d_R79vk%bKc+a|gOPV31c4w=tgf}Eyov}(C%0;v z>5ms0<%2c#XTuSw0z+|=##8KGSH`sJ{62q_(CoSq8F|Vs69Wu@+*isP&W3^K6`U=} zW%JvbLmgF@Y0D=??&J%)TVA)RAZ1xjJpjy8OzcHrzB$)`*V(UAA5`h+^KOJxH9rXC ze(y}n?!%k(aJ4$`DgUt&?@zP5t|$y`ptUW2pBIx=B9J2vL>T|C049s+U2Z5@<@5HX zuP#zX{8)+fGV0uL#leD>gGz=5x z(|5UfcZZ8^UAU@eM+HmUY^@YDZ!~s~l0ZIMQ(529+1-@kkjHF7irB;eT}Yr(fn>mE zBp>wes->{W3qM?L;o#{>fE>54yMPJ#LE=mF&t~Kx`R7{3^hkOAM}`Y{D?Z+!fbK#P zwYt;UB6SmuQni-n+mkI2(2wE~u%Zjq44>cYp3dF@CeI%QQygrm_5{kU2{Fm`ddXbh?%v=m zjx@izTFz1x((Io)>aAsw4_ZAQaiS<54zxuaX(+wn(M5?Oqc<3>@YS!BuG+G>Jb|Ym zfuMLsZtxf&mwuGYd*abWIGWpxGWCB$>WyeB|Fx(MB+%C4dd)w+6cwiA?sdBb5fi=L2nexp@^V*|HBSA{lhT<*^plY2ks3r zS{nS^tUU$vkwg(U1H#VCDFJTRt4`l*g5BN9=GujJKfFcH$Tdt`{B)#fZog%zL3~*@A;pQV!A>`aq2@Fi)Xv)Qm~sk=VUY|VVFYAr zT~T42i!PosdJaFM+gM$ElgcVz^4Q^Y*|1YkNG0I!BEM`Nf36KwY0clh-3^TG z@{7Z_dJDrm-+xR#8#7PJJF3@}Uqm$*q^7&s8M-2a;P6TK&9#rIEX16Z?e-GxA<5lB ziS2AbKZ%OLQd7$_Xo@0UR*!yGj8%Ntj6y>AKrB*>yY3U8D^)Z#`qJ6GNoJHEOi#{jx9z(G$*qvH6i(O0cmb-^>4+ZQpKp zbD6&7nix4?(Dvw%anWK}=-(D0v!|AofMD=4k)6|i&j*ud88=6?;&k;r3k~dFvsB(> z(w_H1kz`>Ytp7o0)$pzl#*$0rivbDEdIt&$3fswW4_8~bfDr~KQBK7y$ikwGc5r~# zbet0Lsn}fhChN`9%zM8BT)i^EY*|uM{Smc#aWTzQ6eZiGU9`d7P%uH|eNELdE zmHRsy`}Bq|Sw0%*dIkpR%A$M!c+O{hO9xy?Gh*_Y5#C2*E~Zc2O%vf(uMLC1XiOA+8dyIIUlK3JMuDe)ND&^gUgmX6}^#G;|w%4EPqPT zakbIuwYSooGCruy9+<@*e>ASrVUyQ^_PT_3|9(+wUezmkT246=+7&+3yB5L|2tqRu#hoxJSW-;rj)b&#QsbeIz3NGr6|9RtIq0hx!QSM zmwQp)nr6>S89y$CJIg>dp$yLtj6}MyX|1J~nKgv`-J~i(qrP6}?jjm}_1ne6zPCRM z@ws*aQs)$cV76YlGQHDI(r9+dIyRIX{n=2FiPg`iAtK_ZG^{+*#^o#l+RabVjQ(`A zmsH+-_9S4xHbYf%WhK~*`apVPXz@J~dV)H$$@WL9^;#}`c6KUea)#oTvMN3i6@}XN zxTvfsTWu!a!{{Il%q_uB8@j@}I9q!1oEn?Knj&I8*#GWRf9lf?q8?_xKJf(rjPmbt zbvhA3qs2z|Vzu%9zM+*jNZ%hE-s^ThG%oI2{uhtiEM7}$#~D(C__#!CudpEe;hnpq zVsp%;O6k!f8*5eqP0hF+&&Tbxp=6_WjjbP3RiUn?ZHI!N;^s>hBD6-UK^JwoW!vwa zARk(f8PZ&tY^yDnkE2Wbft9IyJt1)X@5VS>r}Wx6mTfhIwwZ&FuqHY!qZK2i=Cx=hZi=SmryuehIis@HAd-S7B#?!Gtg=eA=urEMB+c;k3=M zrqupgJmf3v%58-kSg)6eTo@P3taWA zIOfM|d&SR+0YuPOjIxNoX~O?50Dzt)9dJjy-dexv zG5^mc(N_tfq_Q$_i`L~}6uF66JekJP-X7^Y=+d=?j!SwWQUA|83`dv=wX|U&L)CAg zxKfkayBc9Z&bEGPgMAS&4u-@7XJz7ZUO~YguvFEB6I)9t8=Gv61*gA05+ATg&2&4v z-=}C)YMMY7ej?1wvMkBSBlavD74-iU9$K6^%sLyBgQr24Z2d4@w82I(ZyAmmjc*=r ze2rBK8$MmJa^|R!Y9aS;ky&O&ECjM2#JKQ4i~{{8a;3$S&7mitPYJcBJ(bQ)ocd8f zxQ?7#{7Z%biBOfiHtp6=d*)Z}Rxct+p(*}Zu{yTrlWT-8l$l(#Zq$n%2LY6*ji_c? zwYT67kv>~PlDyyk#WMsoE{9{2jDGs`=}*Y4^Dd{h_2H5zvJe>PK_`HNO$Eb4jL;X! zFnk2lsB_u<6?`4Kl+m<(tno-$xq)F>8{yUVrN6N|JS8|+>t_+j`0J=>s8TZWXGFvk z#!)HxQeIf4F5z59?lB7}zCR&W?C3zFl?=*tC&G}w6vwbu zovPMGGJp^Nccb;`+2RA#_McJjpcQ`~Z%^`|b@lbd5~;WMXUY{oHZs@asSM&tRKHOC z7WVCtS`UNlndpa$!5?4ZO6vouDzW6&Nz>u8vLRsgsUO%b>ip)*G+ejK4^F z`yb5+9fFKsOekPFD<`9#b_}K>V)v&?EVtMXEpCdo02%xno6sF4AS#1G2%|7{JEzPGjE?xfQtlC0EaR z!AflO?Go|WI)}$0D!X34cqrXe_IVz1I|WtQnl(zDzRfuOIc98baeOo4C-_0bIDFk0=UK01^2yNhfYqaB z2F$7jGCam^z>su<+wC4(9>t-!2%91IgU_7TknRL)?qxhl%3BML*jeG_J#@Dz$%9BV z)+Z^lV8=^>X!SR_RL+rve6*q7)%6m^v8W$;{;c+|&##)vzfWj^8Hm+sme)up~JX6 zUmT`$_`I`uywe972f81r(r?NWJ}`AzEnihMR~9+=y4(%)&Cu_45nbeeq&S^*xw9ZX zR2P?YECw-b0>cW>cES~p#)_@OUDmtW)z0LbCJ2*ec+(fT-;-W+oi}A(n0`}@1Om72 zu1+)AMb(BdHzR}Tws}7xHx@2avtqV8Fgy~4=OM+bD?6;G(Pk$nTpr&E#w@fsSRTPH(dZ`stJ1&tl0X6+m+>a--a@@Y z?hHp2FR@B~OpRStMJ-=G#v-HNKHh#s3XocWbi0{3P1;L{9q6JaUu!q2yz;$d6HJ>9 z*_@Y`7vsLZJHF=Svd)ZH`3Z}J?X)CXXX7M)1%Gn7>NQ`gs?=!xrltM8+_c9B2;j8> zaCrZ^1@Kyxl#`K*ykaB2&79qIs-p`jhTLZPqh#1~s5V)+$+LE6b4Zxm}E6BDF;UaXI!U<;OA=apfy zSU$B(e+{+t@^C9Q@YiQRq%}fKaEtbrGUnwR^5(|i)$H1O=P&&xicF*>gWl- zP?}rti0D^(L)|w;v^i*Zhw#4^DWMn6yLY?v{`g|eVu*6)!I2*{M=I@vTdi?ufQLJ_ zUFc?RUg8ov@ukBj#y78z8@8ARU{ZTM9CBzG`ln$N!0QXRhZeqyvI_+h`c#mXKs zzbmxwoV~nn+=$pZ*8BRBInI=?h^Ecn79{n6pS#e`0VGz8YXc=eS2ljokBI4d+|sdf zoSO#j8E2+5(P;YXsxJ&%!jLsShq2?g%TP)0nsoEthmQb7MAuCWPU28#$;Ene3^jX5 z$v`-TrDN(5L->c9;8rkgSo1O-kT_1;xQ#Duwneq^p*SutIo>ofBvG)pT0{Q;OD?Fb z)RfalSS(jtUVabhzxKcm(4IHjqYah`^&~`xDYNzS3^TDiz1ErPtw3Zd%(Cf@W!y62 zkg#4Bj{5PAPkeFSW^Vuk8>f$-U>@=lrAyP>M-^JrtIhdV_RD>2zIB$Bw0|=V4%HSv zh|C5fkV~2Q`^){&WTrk+Dv$REKv)_W7`QUpZo^E=Ql6ei&x1u|+=)5wU*3}Jj%9|&7bq?kJ%37Uu=^HW9Pz$z^W-Bb>no?d?rKyr+7eu+Q3_esjj~`Vs*m1f;sAj&g!*qgZ?bp?W)f&WJg^4FD) z7Zo1>nDRb~Dp0soX~)6D?neyVKQIjaF6XK$D&&ZLni!LJBjd@&xYqiOb>}_#YQciz ziI6V8%9s5@r0NfZ??mG#u=$fM97)iDr*2zZd7fx%!gxuq#bLS*>9T_wzSzDX0y0Z5mxWOXpeha`vx zC#UCbg}x*dWfoqSoAumK1nZ3Z)c~1@#CLFH!b};nvQ+8ZUwrd9Q&%&a!I7!Uz*-qS z)3N&NAlB1qG5#Pt6FAJ!mR4*tqPz3*MAwM7FSfN~9#M!3)5`GBF~#9{!ydiom(&iS zWx+_CE1n$==;m16bIV`wW67qaw*vl%up=Qwe&f{HZ!9ARca$pL3%O@T!@D+0$CYys z%NQom;)2YK+oZ=*dw|&V@8k!szq~~(1^|*Gk9&8JrVlgee31%qY>t8W#T=0dd%nD%P{?K8d%43&wb{5m=;=ZM^#qD2y zng2<@sv&&loV8-lWw>BZw6y|etqlVMzCUPnbh^EenIalk%Tb6!#l^?Rd3{cfS7R|+ zh0!Qera6|pn;8F%>Rb5_^+HY{Q0MFvl>HfP@c-if(b3NLYSr3z#kIdt2|$oeco@Rv zM@(fK(BG~3OWw7vRTX`#HCxA%N=r!>(*OlqZL~SM|2~c_EF@ODjV7YWUiqYcy2Eu$ z%J}}GcQ=ljXP4F_Rh~?vUPLxCT8bp5$iGe-1kH-=ssFQWM7q)o?3$4#P$@eb4MZB3 z!CQpf@uv1BBI#*!^&QO=$D;^LOS9F>8u`MVimcfE^irHqQ55I+z!wVYVFw}UQCxO= zX?1|!t>+94jc!)b>l7_zCl_;ghJu?S0(gR-bV7)+QW$;2Jpj2U@{IoNy%(A!eYl=7 zZ@%N^x6b!4sT6u-%Skeemw3|l=wcccOUf&AKx-jatkDrBFpz`q9G&SHS8RK*a+7{n z)yG_{S4wU9c;Dr@~y1Mln5$3mq3>TU97Ev32-s53Z=w$ zJ=uc`2pv3Yhm%IbBZ9ep>d;oWuJh@v0QVc2(~o#v=SaDu`*VNDZleOveqABPO&Ka)!z zUg$pqOITb0srG4JHJ3IhST=$7NeBEjF#NyLi4ks)BQ*-xH-M-=)XVI{Q2gts+=_;Z=O#f_RXVHy&h+%;3^4DLZHuFg;f2J+h%>AwA3_QVmc*l| zy@2!LNUyhdL`fdYMA`Zg3l%fDt}a+gKB$3L)hN0IJtPwv@kwd%>O$!4fHq2T7Si$B zs3RKt^FY+V0x+7ZqCFvFUU0nYWF)kmmZ!QfAurpnkizFh74$C0yq!4o-mTI-9{veJhI1`PUP3ALKV_wi8eeVlTo$wW(2WDl*Aok1fjgR-!C zen0+QZ(`IWr5?&^3J2vm7G{=(tBoR5W!pL3Ir{%s+GJ(wgoPMaAvej>-cd|Q?=3rV zWLN%Rlx*_Z^s<67Mjt|8Lh5%^q)*E35|}Qjcx5?;AIwULNY-Io+G8ARsA1KUP80_= zXcl*e6W0WJ7D{YvY?`fhfy4y8Br`(wj*g8qXGeW1I-e92qXh-7w%dA!U#H^W>$8Yf zW}~$?t9=;Sm0Uf-0@Ra@y|h{E#|u%l!GG^NB_+wp%J@wd?iCsqsB_=_5+CVR!Uy6H zQP2S1itB?wkTZh{J3+Q7kdTuDo;sDsv`<9WZXVA})%sZoYwamajbS>ShDSCVVf`sj zQGbU{%ju8TQNhVTC00s7Wz+@N>NeJ5Raxh!kpkVlB9qW#VPJGtuLiiVL#0$XPci-S;86VJ3jR$nJ*S zfeX|wO(D5@X?O9wfUJ>KDn}6>o}%5B)<_7}9ERUogYYpMTI*G*R_MFcn^5-FLC?q= zk}Mzd(``R^4}@fu{K_L>UEp?MEWK@%j52kKb~6V&qjruotogTpV4y%L&ET6>h`3lo z5uGF=kH(_)GK_d(K?aas=*2O@5MJ$#E4X2as~v}lofEQ+8Nhg{k2 z*b{fr6O!a=t%{>#10#0Hlu_*TvkdG*GH8EHtJl2>IuT&i3Y9w*Tc5&WcR96__(|7< zABTbv-+a1t=CA$3!!%2U(%$*3e~?}Tvidh;VRz!e{&BQ4JT~|9xu*=%TMgvD!xeRk z@lEM@x;ZzSJ}v$vD~7@)l9A2IJNHES2U9Z|s?5ifU*c?dos?>OnG&O)00pDQ$2F&Q zID8%g!qZgs06BbpW290Uoi7*0aN%IA{{JR|{*Y7|AOnJrs<2`Es=mN`6{;qE&e2ML zS&AnJ<>uu&*W{_aTQ{xrFPvq8Xkp2Z$50xcAoDOe+H7{a=f%F127VN(f0I4eS^rJ; zOj7~+hwN#!hFbP7m}o8?f*DU01B`}ojdMsJ67u{D)!Idq`=&?~IQRqDr$kpyPS4ED z%+L_{8J#aLtKI(a%l%pES-Ng{yW7iKXeSR+9wKcy1?3YW-u^e;=1qT1YwtL1?zhqO zA1$H+w!KlGPA=Rw`u*o>G9cY_@OK*sC}t;BsAcSYy5k(3X6EK}-Q-LQ5l4I_c7ABB zDCZ_cX$fca&a>4S6beL#&t2wwgVgB8AxUp5f&*8}SicLtRu`0wcHjoejkz707Um|L z+MVWyrl7m}`3ODfn|D-E#5xvoSyjeH2 zg0b$F=!ZXi$*W-&Knj021I1Y7^QqB!j5@l)+Jh=xg7}~EM%wDToSAve5Rp}yjv<+1 z;(R&8cru*&8u~0UkGCNMJnQW#mmos<(++EHdTeIlYT@IF4JzQ@UwMC*WJxyU&rxva zzRNcbg^DkR(NnUG%>%>~6>E4ycc{2$uQKfjZzKe~(O z7GZ0g&9`%T&?f)c1U&Qbcdwi0Wq!3b{B!@;G0RX)6VB>K1p4vBu($$a0Lb zF?xovz~I&F|{xt!2*3KPeU zS^tN%EW!V!R~8EEVV+P(M6$OT{<^13u5RT?F{zrYAUV>`pPFC=l3)Q~Vhk$oTH zLan&^4}|kuW}Ob1C6wGt$5Wgg2*&h-Orp2{)TZ zKi@D`b0%uxzY{Duz5BZUonOgHt1eRv#BG^Vn|9q@{Rm6uZ4$*?IrbQ7FcD z<8Pp$$W_H!&uT_9dG@N>)*aEC`o*+;iFC_*tje&<0V-PE;N5W0>Jzs`R2D+zvjywg z-Kv-}WmDEp^b64RihI8?e^IOfwGLYY9b4nd4#<5nr*mA-qJ3}JYVQ`+hN)8fI4+F>?Pe&d6~*S{gDnd3T&cy zhE%~rtkHB7KBn=o;Y9cJQP#u)M*VNe@n4FH9DP9J4IkGP3A3}7{AI)6=!HF1QI|2v8%v|((f#$3q`@d|_e7g7grl7VU#BwM#WI(>v{Zf&|KO|ATvtDh! z_)4lt?$?@iwPYHJ($bQOqh$myqkzheAg3`Vb$n`Z3MwkTQSX;6G~H&_eBey610pHP z@Vjmf1DRgREoT9D(R%0|&;ZaKbb=;4Ji*a-?&)Dhn(~p!vn>&PckuPY z_G`5N=7S!8|87jQKfNt8$<#q@IfN=EsL;^ZgdilS##X$!it|D891M>On0e)tg*{)R zSakaO`UVFF7Zn|D?L%H!1V+EDv5XJVpem{I!H-;5#VeVAlfg1DEpy`!sI-mrcbVMyE~ z==CkzOE_jQ3u@~31zpW6%C*KpwbTxwd3hW;!`BZ~&bXLYt;`BI9J$={AItc0T^Aui zA{@xzJ^4HGrJ3cjNBrzVQ?rOcY24-MQi~TQB8P&>Wr?o3ygg>^mNmmIKV>`lmTrs2 zN7?23(UNu-n`^_)R&36ExBERLQ{xt%y@Re4H`}K3`BPV1@~%mET5ov-%4I6S5Nq9& zTL+(Z5Uc46=ubK`O=!rBnjd%9BBg~NS|W{B(l;XqDCbu4Odc_&@*L9;|5h0PRnLC> z_~R(pgG>1*qErpXoaO&tM5&#uqBer<+vpibhSGgT{B83uy2OaD;;N2%cB~y0 zafjy}j7CC^kZ8te0ENrw?I>UlzT0vV>3&X5rQtJKU>SE^rH402}du?A<*8&hn zR>QuQLXybFv8tQz&k9rvh@)1ArB_r;z+X@x8W8HZ^+3#4^*bj0ci^cSzs!cW-BR8J zsn<~wKJfMD{}13)Cp&;2zS1^aS}P01jK}sNdK;B%*$QolvTdWa$uwHs!c0rR zQ&P%_djd2B5P_;3kp}sH!BA%h(PZn=Gk(bDZIo8A2SMw1kW8)lM#70XoUxfDDB{8* z6BN=gu5j=kCBwM(@WR&Tu$(jjT)H618L60P0^VsN^jeUx;(Uipbrm{W>F zhfyB;TK=Kb5}Y?jM=`N8GuEBplKFt>(9qBTeo97n3%`Et0BQ_9Jw1zq zPpOCTnM~2{-P#W&C7T<^9_DRvjOx5q5I++jeh2^^dAANJBcP)Jfd<^w5Vf_Tr2ywN zC=|_ZmY;^)pzBLG9%W?e>;UB0SjaAY4C<|{Sa|qpjuj{CX&4y>R>vvbs7St1jK`D8 zSbs13a@F}&vl9-cm)n`eWOsiC)se8OYH#>buEV(vmVG}O$2km(l!%rROmft9UP7|6 z3|{MlnlI8BhgXGauf7>?IpCbPR@qdjw^Arfh-1;(3~|aR$lX8_Aewmp1oWKVY*O7( zS4mQTGgReue7A&NL=}>K+X2{INALFfjK`oM1&LnDnrh~42lUg)r5M?M{7N9@?X$&iwds> z#WTO9q3Pj`-IC3uO>lH^t?=l*MA@Y|87d|YCiPSTA~3APIJo^TTe3WpeJFllv>%^7 z3lwpw7Li70QFyx;9RW}cfOf#E?>}*~rwJgFW|LLg_D$3{6&_4AUuNo0R+9zn$G06^ z$KyW+=VH#>*y`C#@tZZQyKFl}S2#9wmIzNdfjRx{4+T!eD2dJD?9iBxJYMM%dnp`Te!+xC(;lYJ-Ryl8 zW>A1E#%I3F^XReCF`>5uDNaNAVShdAKwTO|7l)9)RtL##G2BlNHJ7;c<0vt>TCgkK zL^nM2!6Vm(AZ%^2#XA4q_HQ2UMkU9iZZ#p36)bZUXjpi-@npuyg(N&P9=!{v*XPH( zdXvR-a&{#oG;E9K{ddfUvQfLHIG#95Jh~&?v$JXK`Xq~A#=6@b_6wBMgcdCuTziApN6QoyxN<#Tf}VV{;SbTlQIhjOiJd0>O>0U@G7=QU zsfm=1j*k1!x7Py_KKwC_dG3Di$*f9i1N`e*@)IS&E3;(PJ_Qtl*}fB0u(C*tTtJVmlMtwr$%s-@dTcx}WX) z{w2M2Cw&}eaj&YqObRdnOM@+meJp+}0)Uzqra|>Y-}tZ(O1L8WcY9nD_KC;g0Mk|A zZ#qWvOEq80&2zI7U2zlyY#HvGW10Q!%JW=CMIG#aOMBb!C#7YANHA#5 zTxukms7Z)qGkrwZq$J-fFTVZeie_h>Rfvgv7*CdIm#pf+Y2Rp$e! zkEj_AQ(`U35ItiN5}`u~9^ccWL^Z_zuL=%9sG%qdr`HnLx-Dg?wpY0?$Ggv^jR*)T zrdL!o0|>cso;EKOuh4?)w>k`@ViQbB;R4*P7`yx6zerjg$qE&w z=smvjl2QI;wUwOG=L73UOTKDb5KjBmbVAN_vuF3IeCngLkQ%Y5SHMXYwC|qX{$RS| zYT#&``0w7|j6gS?Mespex5%R?gb_!k|1j1r3+#ZC;Vlwe-EwjwMB~ah;%&sscaOQ^kk%E3h0)cHl zK(WWAX4OA;_fv=2Cyjzmx1`s;dnb8sBP0@U`or}X+XH^$FPkmJrBX%L;iWq~ULHuO zAF0-JMWFDW<)CMR3XRp4OVu)^Pb zoCI9{E93}}EQ#b5nfwGgS!K=fb_?Kw0m&J!_GYvQ^)A+E`{DO+Fo&BD@ZV{~={8Fb z&6hbSI=EKHCAar@;o;i|=6L(YI;6*NCSIu0Cog!a;SqhSxPStqNq_MOdd>5V?}d-!GwHRZ(Xqtg6C>y3n`3K$PF!d-0zUdXZ2U+)qyL&tSgJiY@f5^*Tmr zeWEm(Gw-D2n6+({RFdy+tYAM{(Emp$%M0O*<2>=SY|9#}s`xLVtm%IUWy}8`LfH}^ zksJW@!b zIecHU|FY|{VMVK}kfc*gUBVwz_0=?jLbr8ee%>Flwief0EnTLK;NyufVz1b2{<^w+ zjpXEvR=r`Hk?fRjcPg7R_W-b209t>kzkjbrKRrI?@%hw}mWI)MMktcQTmSugJR?IC zO8Iwk?g@WViR{}oRW0U)w&oC`OjBa_0|5_+yWfu@;T~@rb2bi!Etr8^JK^pj1k;)q zLh40nkc^j{ooOXf0mz`|_A=+J9!~=o(E!Xo%@WD=l6hTQ+uXE!${eR6n4P|hxC6!lwzfw8S6yHmjrDdc z@U$@CzQ8-*)Eb;T6XJBGCUOU0wn&KuC3BgxL6r?lGp|RCF3)YEPzzam|L;B_E&@L} zm*}jg=lPfOQ^*K?U2WcvcQa?g!KDi) zlIP1fGjp9p6RthbTh_!7sFk!t_6@9H-fU?7EhA_$LXq~tp)1SN_Qpn6*Rj_)w2*Ao z$ngiusjR4C_v!+$X=9;?u%#Apzo;)_6%)&KU2z)6s)=+scl~D-Rv%*uFYCsLBoH1L zt}RlrO!h1=aIfrb&@NDp1zHcn;KgQ#$5y8oD)bl+`a8?c#aa^?X-bT(6Kz+^1Nr@* zuD6Lg+`_MCl)%K-__;N9wArf(UyR*z&e_q>{8C()harxVOP(abbQjtv&sXyEoQ^PL zamnWD_ocC)f~kO2(f$t{)NGO+3Q8(LF(j*_23cK@QZBe9gX95*V<yl^Ik1ityV{ZhfHH4 zE3_1J&PS*)3;3KJP0u~L*K6O1N;uAQhnDc71Lo6Dcm@rg*74Y7AY!nX*4^u)I+%uv zzZ046lNNs@ca##LNDY{L(FaHr>L&a_Z1|mUB*BiMV_D=73aB>9(XpGjaG!3wgnr5v zgi!us-3AZ5_%%{hgssY~D)Y$o$O3WctDIK9anR})2%y;P_0Au9h-=P};D(}m|9rLU zzFiScOlPD!9a%BcWN0EhTQ$7GtfoxPi!(k3RB#qe#>N*-h8B z^YOrqXYr=oO~4u15p=y5JV_iEZFR*!&XRm-S*MH3G?eXmZ(J2A``Z7X%2Phr=YeQ% zkVr|>ngYFP4+P|U0vJb#&!;5nSLhtaS&~VoDJGYV(+6hKX5ti?IuxKy%Jq5sW~_<+ z^=X^KY?7K+Cbe6|&5aYAATY6wx{1SKRYp`4$lu(o6~Kr4CnWEGe7N&c|K-Cyl#qBK zYU;={_xivb+@YlnVVX^>on;bhUC7pI9FV4@be=u_^+(%UJis}cSISO-G2ca~N(VcV zSR9UtT7*{!Dl+k6SSD&AZZ%S*KRY{?i6CiUM9bpp)u>@J5uk*tNywz94u58_I`gq zm-gw2W zqN(uoaIsOVFh>ZgQKh|p!*3#&#ias8u{xi9+2&N z+P64m+0x?S-N3b3SNqxdRHlRUL=*dx&^d3MoG>%TIp2r5+0lwOw(Nn+);{gF2(x8= z{Ah?#bTHg#1l~-39fq-EY1((WF2ZZF7(44~e|)|D{L_erOK6DHkCGZPcV3SBn~Tq6 z`zWmMV^f#Q?ZiqR*;7My%T_2NIwQrnhiHF9a|r80fuHOlB<7g<@p~n*tk3PoZDD1g zU3Xj>(?t09nW8AdV)m&X!z-)(+`HAiNsnOn?1fnUtrox(4GCTG%%3zp_{R-Q;&+D@ z8F)Xj|Hd(d(?(FRnGG*pS1VcBeG%c|_R!L8<=GjyXS~)cClw=?HUTg&ciu(L$1e;N z4gy$&(=%Y07zB75^v72S$la+?y5}}^+a}8xS5MwVTi*SH6h#F^XnKq4Vv%DpPj%Ui zOy9SiQ5;YKR@)i%8in6B5Fu55cziSv#kMh(mYx~Ki&S0<**hD_nM6Y!t_ArTm+JNU z**1*e&ejkp}FnjVf z+Bg`y+bdo6$q}-uEM(bBsSMtE{KV!Z7E+NUXIK82xNrO({c=M_d`J<-=>SW0yn5xV z)9nsqGXtH`7rZyM2`fXBN2i-i@M5~7l}kb)3t$i!Y@`{B-r|`QE;L#~R`dxvO zf^zgjA*1g#UrtB!lP>qOAo24)>xe;bX{W9)(mhx8;0vCo!RsZ0{{BHDtQNxJ_oRSD zYFe5Mmh5K7>DW+$oPUX8L42P@ChXSpQ=D+juL(BmyjrM3R7Ec^f+5 zmnPr)UeK6DPI#MD?~IL81Gx^qAR~pNMQTO<$!yDxz2(B0L$4Yc%KfzIWQ?avM@g!J zOK?{l4wI)G{5*-YzAp|a%{M3;gpHs-_CmVa^pt{z`x8a*sy3}?-$X4%|AKz(QYRGg zjcU#!dcVW{pm8n0EZHFgCKBZZ_=;$pD}@;6#MNG*eecGi)@~V{u9w`QCY#iSY7sa4 zlKhEXFYC4;b<a_J>_0;j zM>8mz@Y%VB`@Utg#{0h)1olsNUtxjI??E`A#Hx9p?;omzR!1{f5b1D5E5PUqh03I{ z?JnrhH#2Y_?-hE!>dEW*K1^qw_p4zy#`bVpZ8~mQJWlOGs8y5R)a?bLy~$Y<=*@yU zFylFhhvsv(P-oHc*yiTrPiT(xON|$0$frQ4dE)L4TcpeLg;< z&tQ>BxT%J|J-D=GTCrg1-^=No=qatOmZwG2;T}*IewYuq@`ux`nlFnmBow8-Uw?uc zdMR)Kntmf%9*Y(c>gs#1OxlC5CmhU?teEi`xjy#ZKvu7W!>h!hJ1`ahVl|$e&#kC{ z6P%GK9IZCu|Db0{L)5DW%f29-zN`sR`uQ^?ha(MYe=57HygF?*lG6_u_&CK(tUOcY z!nrK-!{z3XUboW`Kn_Js-S-ORqsPm`1He8*Xx~ldboqT;9k1+}FYl-Y)Q~+4&uWcd zt+W;#wrQGRk`o6sybfuXC(f5sQ5=q{=qmF+jY+{bQ`zoYPO57lT0cldgUY1te1^cj zK|rXmPkSr;f&xx`C??P>ap?3DkTC16nF~3hTbCEhybZe5->RrT`!hc#(AHFh*h$1q zMo#z1UIs-x%8}i=CfE7k$D6V3xzyIfKMs;0wXI`b8^CV0?)~+OG^6Sv$BMi{Sz$=G z-_S%jwOqApiDdWX?$ zPJWKH_P8pal0veyYD7lv?UR*-GyP?)SfA~4Il45e%MrpjSmYS|;unO+(H`jArdqpHp<8#yb+CFyDe;FL~cv*yeTBCWXvst=AfQ&sB3IMwl;P>c4?0miAeyuUAS2 zOEzDP21B>uM7!t|x)#FH2>lEmxO_EbdsZXlkxl&MVe(&Y>dB&NDiHNcsB8UmIBXtF zmtGtw5FTz9O7oUXZxocL2hp04Nxq%URyL{I-qJyB_Al(*+B}}T=Jt|b+`F(*ZReh3 z*Z!$*0Ft5x3k+vB-sSO|y`ilRkDnSEt#_&K-)PDx={I)TA@#lJNz(C>lI~5YmPfgn zs7uS)Ef%s~m?^>#SC=aes}I<%p(}Jd*jlQgRRv4wzYg!7(-FQ|_1><2Wx8`LC}s=e z0I1t2E)cTJm4L95ldp%hK-nwbn#RdM_&(0~PSa!PMw|y}rlykeaDsPRNb)Ot^RVEziP3GEdtEZU7K24S7{(5V z4(FtCM{HS8R8ViGuV+0jMH%DDB;rIPXD+XM zs51&y$`qj*e?~`!$w^95(@_1XtiV7{I<73!Gh`E}`uX%Io1u7W;Lq<3A4W-2r8IlY zZGMjF)bcye`Tzfp;mHQ>cMQu8CDwzNxShDtR8Ex!Qbwwl%@5f7w-O``C=8u1{!4NB z>!<6)`}5i|4M9BxaI%F?cQIjzR7se{)@;t3h;@U7(Uw}Fiup00UpXPp$lVYetEJE^ zSLa|7SVRPQaadr(V^(+Gv@KB%<)YYlw6zHachs?Kp{4jc*tBaS)Vw^~K?%#-?e911 zeZ$N;TiNFXs#zW%yLu>a>gD$K+AH~hZZd0bZK;l-wANDCRAz%%v}9cNa}Uac`Yxa&&dnQ(SJ-Zk6qn zAvWqp3WpdzU2@s{Awz{Hk!feGGjXqcTGb6Az7z&>YpXL_dU6tcPO(b|-svo6olg-K z8c{mQDw-Mf^WKW`=pOyeWH_4IQz*r;I^bX_O&Q<7y$U(7YT&4!FZBO^NxN%2)itcV zD6E0H@*OwZ-KMg5`&J>l9BtPctpGIs;PiMRHMlEvj1<&(6ZSv4Z7BEECcA`i;pquU zzmqM=h-&|-^8Nzu8-&A~*KH1a<8Nlqf0_oDdoRD#<$1rJ>AMGkSCEq=vr0c1L#NTm zqoG}o*U;LEqt1GP?eenz$}h%$F*+ZD&MSGheIuh@w3=0nx0FPNw=7L<-%;v32lz_bYY$7bRPtzrLlrYId1&jlvg=X;Zj3ylilv} zWcH_e1GG=d*0LDsN5_TK3_J&ME%e5`#{&xk zGd`34GGX0j1=sfVpdA~9ZNKE4gevc;v%Z9mhnX%Z%fgp-a39}4(=2ckCPyDWq{68O~+)yoJ7CCJm0*$ zoD#JX%+MgdvpN(|6wB<53+9>ubeQT`MS1Li*w}b$=cn|Fu??dWGW1DzpUc!#W|PVH zqs!W-ENKEltNOwpi%%6siS6P@0Hp7Zr64mi-a2KpGZD9K-fl41|H4?d^lMtDl0ZfR7Pi;?o}Nh z3ZRT+&`Vl_s*8TOx#ZmxjzsexW|EV0{2Sb@W?McpUAxr?rrS0lBBuKa*` zvU3_xgoQ!1Gwa)Aa}IF7)iRrdxr5;dulL`ds1wI^X066EHkeoWsh}FKq4-R}$hMu| z)MP{H0L&IlRX@Di?dPSA{MhyDe0r?QmH!bsbeO)@wUUGaI>y%2K$-)oc*%tStsv;%KjLPgO8Y(*WN%x-#Q&<5YiV#$msakdtyy0zw$9Be{_}j4I`O znWgBsFk;k+Awo<$6+J!$9k@$I4`9wmL(&16wclVoqpyDL)4ma<$U2oP~ zoznRcBmH)L2mKOYz?psiF9M8s7pp4S0>%yVD;fj%Bz zm)e%!+mv2Lww$xuS?`yHJP9 zzZM_`eWfFvaa-x`pIWgs%j-bYubf$qu1p(}22dSMS~5~w9woH)lZQ)&=j-oxXYCd2 zsK^%J-641%xX;4o53H*b&6|SODnD$Lyzkk+Qc_axyVMVqTN5*+hGYkMWhM;CzUx1> z%Py?yIYxATWz20IW*j!ipE(*Z9vuNmYMG6{;~5;b6b=N11ci`O6z^l8BaP%S-Hu|f zYQwgsmkmqa{`qN?HIfLbrv$I8KHlV8esvRZ7m`o~LQ(hGH&o-h3BGBRVFetj+x5Ix zaeut4Z8z-H!NoOz&MN3ZBwnA7XKJfinbZm%T>y_eB{J80OYvcqRoD7Uf zR8>$xNqlX&KPR(YBvR)R2PQVoaQfL6}fNwW4bf?unPrA*$kXhZjwvJYjJU9%nn1DFL07( z^Bmh>=O0j~l!{TW`*nEp=FMYNzguqcrV0-B1%1s!KIHV3a=majZdjZ&b0W&Y3=nqg z-95&&qn%Q|qGc~LS**)Uo#R%^o;gTwbV#s+E;o*aGSMEVG9G%nyRV|lwwtW0g{$l< zzx1P+mP@`4O-WBhMdZoc{wt)2hgVp2o2Aqw^$c{z3G4X}Uycm;WHr^;n^Eq7q=%6w zluU+3JA9ITb5vv*Ng(e|c62Lu?`7O#w74LxM`@VaF7ZIm7`3vwHRA-{)+D*-m-G8F z(4Q@xUL^zkB>pjN;}`t)kp?bi&R*uLsAE|%2F<-_<$3qE1WmRCjT!?uZZB9>eRtnf z4GBwU%M??gkS>o%njM=_g7bflH_Yr#qC{r;TBN^nUL3rk4Vu%j&X3W~M--pS? z^MuBv=T)!cKT(ABecO7BF`=3pyWQgN2!qdREhm)}x){Eo$cIaM`3+w$wub1g{O&~b zXFQD$+6y}2i<(`KyiWf|<|L(L=o_FDm22Uty_w5mBEAc44S2e zI}6ZU!t5#C>{VsU8ZMFA=4b_eN63ER_!38UW*opz8Ws#fq)l@td}_sQ^7o<)eM^dM zkz2lqaNHrIu-xR(H-_H#R+4ir%u)Dr@n})q6DbM#9g7I`E zl_is8`D{Gx&W7ZZ&D11sLL||COdK8M^&+E%oFeZ_3w`X=@vA{9C6dDjteB}alZW3X zO#*~qn=71-r{w3>w7;ilr$IhITO6>7$Z}+pj^5L_9H%q815dRhZ(Gm@!~=8`wMHk4 z4!F6aE6KTrmD&oLAw?NoZ9?xT1r?VeA$f`jErGD7bj>B9D5R826kjK?C<6xipXiDL)aoY&FVUDIOebJ00|rl?$bL{Fb5M z;7gBnMDtlCYO*&eW*}SFr+h<)&sw`~=5%?ymJZleh)u9nFXx{!+TJ)EF3Qqoj{6$m za*LAkqZ&DsQjZxtCQtLLZaHe!0gY+I@8xP7);CtgyiSL;Rbia(qtpjTRG`J>>g;Gf zebKUoH=j3ul%uHg>ze}^7j(9Drz)Os$rbkzHoW5aCm-Y4xy6RT>x=rEVhHR{zyve< zKwboDw8*J3wYvb=u=hxIFSaaEc;cv5GU&J8@PA6HgjAzdn^&7`2sA_zO<)G~`hqu_ z?SvH+6oy~thA%HSYl&%DTiBvdSzeIy8*ZQ-0Z+IjuA6-wR%jxcD}40Ayc`7jZ==_W zOi5q$NnBp}C_n%S1WX7726(HfIv6T9b~HAhnzTwMB?a&F(A`E8$8Vn#BA1wTxE0O@ z6C;-j@+o$Hclv7=IzQ4`LAfq*7lRMFOqSKAgx`qNwBr#GFV0_+8`);%gai-wI|iDW zG^B3Umhs9lIvv%67p5Yf8gA-0*@=#enTGDFo}`z4wpa~x%*GSPi_wmI_efhQEWs40 zE6&YPflPe_G1(1R1bB&N#mt7GP8e2j&>g51#E*+()NB>#cVD6Lnh5wG9rkO>2FGXH;clv*;<-clTpu-*GWYFnj4zit8syRR6?*q_oWJ$Hira^(bWXU zQ!brd`z`!&`FdhLptsI6^ly%w^{u%>k771vE$2V=N&mXx_S)j+{RXp+REV}9KINP` ztpx87O=)AuF8@?8MNd-<;YZ47d@qlWm-pl8aEfvtr?=uQ4`1owd83`iF9EbO(2w|!(@oHqFYg)qy9XZ{paUox zapc!_;DszN?xFSWOM*G;s%*3b;yfo!ECT9bV^4KZHfXDr+L8TTi!PwHuve+Y=?q=YWwBhn&g03N=}JTfzk)6K-u>qK=EI`l+{bQz2oV)08zqMwBCieW-4b|b(RN%Zbw#KbuUJ{4*q>d=w<-BkOV`$oxAZ~AnLKY_v&{q6j$phq=6y&HE++i+efBI zNnDu2iPa{%3$LzbyNIT!X@iL;0aoe83au=)Vbh=+a%rUpinbv4AYNrr|O+twGc**9xbQ~a;u z?_2F4wV?%NV&Z#QhaIp^WtE|If;pCaSDa*I$*H1jmj)UNVu{Oc9}|&VsprHI@Mxk* zq)4fccUq5AnqBNfubT1_rk?szI(m%IhmvEXR8)UVo#)vYSd^2J%avm?^*9`(efBfT zq|zC>(6akr!$pu!V#rZOTssLrQ@YtH! znnTg3yl=i40cj(nw%^>$QGc?%RHb_ZFD)gN#qZ-inn?BhBNoZ;yerk34#pyem_O#B zLhTJZ2jH{??odLZVW_D4=$;^Xe|gOu5};fILDqYN7(#D}|IqXq$_@FCXloDwD~L9I z;ag>`W>bHPBkR_hk2LAKj|dZxlB4UoJpyiD{(jZL$h-1l)cbKdxB41EwnQ zn368tsn60fz20SwY8NiwdKRAPNN59+X6y1BtydrThZKs)#lF`rPYCC&^usM76i#f~ z2A54cUF4Of@Ih7t18q&&{5jG7a|)@TZ0vi{4D5e~A}P|F^ON6^W!kXgqU1F7$0D=Y zud}2-($p@POs##fqu>o=Gv}+)b<{p8th@%Syq}`)4q^Mzue>uoUG*0SjpGh#LV|O4 zo8KL;@etz`i#Z**Z)k;5qwL_9-arTT3Np$jAw4pYcv>o0UJfVHM-nJZjE#5SiVF*a z*znF*Q22aZzgxNu6_KT$lzKv!4d*G2%?RD;?=BBHI?#1e zzOaCYx`*h?ih~_Otp@(DVVZ^od;PIhZDjs63MXxLQW6WDED_AQ z{KDsXT&AwR)wfBSSmYC*Gu+>JTY5dFoL4*8xHDOHR?rrw-{MMQ=L%J4sL^d3-Sm3< zu%#&u3({~7*Fn75)dpE(huYYqXi|-auaycz#ah}E-^hjwH5ssfc_>bQu(b-qvx|%Z zpZT-jL&ffh7-|T}LW3bT?q|BJgFD7)Et7F&be$8kfrl;Nz{;NA8-pta3H}KxbCOU5 z(&6zr?ZIe?N9$fDas&ea8Foc^`TFRaZq;RntNqg5%|)v!E#+_kke+s~A0MKr4u~%Q zPcTT)f&MnEG?psq(XOEo5A zo4V(Ed`V%985bkeQ73^7>bb>#N~rxu6sEVYuR54qERBmZ|Ih|roqHaVl^~4@Nn!T=-rv8*ygSr_#N;m77V}XSfFw<(EKdoyajD8{WQYA zebcFw?-6H3tLite{~TT*CkZL%kYXH@Yg-k_Brjc{O*~#fp+eg+w#H>=i$-?OkeAmg zdi+aU^CyNVUaCdb?N8J8^;MTLj%-GwgopUJ1QNUb@0%m`_NGZo-$4USzsS}GhWJdM zY@Js=+3sD?#2{BjW`?veHd@_|Mj}EwxK+!gG?MuCVK9Ip5uuk{{hIzcWjEpV+mnrl z$Jj*c*pAs4`#!eLgVt=P(>;aKR1C_?bxY4kND z!^4LQk;-6@XKP9F6D-W*Oxet{riNFx0{C4!Z{Z!R>CLXM z>S1?~Ax6HdP6B>5>*jd5bf?KYQ>@c5#DG+8YIGkTyH~S)t~P5Gbtn(l+l8vxGARXb z9s7QxC-HvgVCLfJ%k?p6JX|ApYcVMi(_xS7pFinzpryx+4=BDh>w2D?@+cc;xCd2GTy(x#i<_-P(NaxV zCHtE5muPRFzlhcAln+G(d)El(aw# zk!!F&x-e!X1KX~zjsjiUnf(q07%B@M?t8!dhe!x=g;>uVtT+ zmifV=#f8NgtpQrX%o;0QGxOa^0^wf}>=u@q{hng#Ms2cKjB8 z&V-j`Pc!5C{G^cypWoxDT%Apl>||JBz3Y*ovA!NllbP-Blmu&)vAS|4VZc>=m@|U+ z?w*bplao?^GA+r5n<i+;*`Ug78Q9+TAmCa(% z^UuyE=uD=hblvR_YjHT*WfrXbvAwfFZKKOyk)ivB3yHXxg=PxkXG|eLOONn|9@sLI zPf<=E-U9>-xDYXNfj|$js2`Z)p#NTmDK5x>de_yK2j>1AHp~^7r+3X0Var!F<8QI^ zA-I#m7J7osxAzJ9bmpg+-&hSMQ=j-9R_7281q?pm$7%P86i8~&MqvcwQSP#tTs;D9 zydCunRG%i>#V%JL!qOZIE84ka2=ckZlxC4x7xvy)#F9msDK6|8P5AH;GE}t1NT!88 z96kNF1XE6|tT(X3#QJy-6YQ6q4DBHhd;}vRrLxv%Ced16eha0#1RF9@0m&6Qyn6SD zUU+awLh6c^_vyt?faOitaTyU+=^q;|Z;#s8+CRvnap)+-i2n}`uQpjmNQY?fKruhI z(2y4@fvzyehRfe0D;gikP8};tmHvb4=+SjI*n%efzLqDZu5HH8ri6{DgQ3fJ4p>9* z_Hcy+z72aBzK-#<><=ZiBrVl@0w&J&%-R}zePX^CVJIx_aueI2pm-=CbCnN;fYJIp zw5V4A$>#GCn&|lYo>>Dmhf#bv4U;#pU{yitxPXT4p8MFS=k)m{)>V;bG zkj!PA;3~zSA5&vL+G}hMLPzFIQbv)F$*ji?`9IU9#9P`asi?vz_=zr;>Tyq$x9*aJ z@fyb-=^x*1-&I)tNa;xJ%O16GXS%^&lPmbzo}ud|dgz}<=bYgLR9c-L)hDCm@2iNN z%*)d^$Ea^5Y|447z=qMm|9Gc@`mPAcTAV1hwVPuXMISki9 zhWrQPe8$p0!iv^mToU_(4Ni$H29m_j+Pe&M{kM$=EL@`XyE~f7PZD)gt*WiA7MKxq za(Yl*vjTR4rKM|ix@d1-&wyB^rrCaKYxfh&{VUdq681F#?Y$)Lz$wP7h6ei&JO{XK zAb=IMAQTvjypGxrhgZEXqdDvF!6XronDY4|Dj?35&hvhL4(o`yp zmx+jtt0?1G{ayH9cnnQ}!_O&P05x;Rd7|WMn~a+6MeJ+m%r`i9VNzI}I7V*$?f9E6 zxV;A+EtC+dg^ge*wpMC^H~gdv-Fduz6v9s=(!g|p{|NGU@Amln9Mt5#{{Gae_zYZW+ME@Yi zd1M%f|0g;Elg)vBBt+#5qBRBKhnO*en=d6t*VJgnQb$)wZItj+htxRbceMeNiv0> zI)8Dj;Yc#CA#ZtZo1QZ@ZKw1ziLF<)VuaDG3U19`bc@YM%?PTphLgazEInw1w>Ud@Yc~6w~|r_j!Lw(o+>vmz3Z<)nXd)o2|>k*fDJ!xF$s-8?|12xeV-P zE)_Vwsh!3V@VdWHgluUE*EX-@%t!;+$=Q0#i5JxiRVWepKmZtVCnIRg-&WhoPr%&# zv_A}m-}Bk`sysAwc&9G}gH|JO3asTji0NK8v$(U0ibk=gntr`(vj7$(3%#F>?mOc* zt}`5IDW+p^{iBaK{@mC|4M9#LPwyT?xrnAG>dtcTL0f=OBQJ z7r4d^D#f z?y7W>KcrN&$J(n7Qo^Dad7aEs`6s7UYPMKOYeU5-5(Izq$}iX4O%Kc{e0aTg9-^sO zvZzHdiy(`ttW6J&W;D=~6j3e964e1<_yOB*j=yB)MG2!d>>=^WzZZ{&=LrS$kr*H= z&ECR9K$0SHiW*sUR2m-|pN1mPhkNmjlsDmaZ?H3tF>fPd_7YM!l=PJ1})ZxmT>4_VG4Bku|OcS z$pY50s_Rvl<6W1$Z@>N%F_RM#f1h2J@%=wJ0V8B=|9-jHvZjhn8m0caO^IFCY0`Ho zNn%A~Rg!6ixP|igK>wn>c9rApGjPe$xr~;~XY|}3D!d6J?&K;-jsBkTp@D)`-p8ik zUVe1*VE~0a3xrAh*VE5HX?1$K_4tDi3}{i~q@<>9boq1%hrmZ|dY+jBRnVF0uVUau zs9H^oe4ah+z=fmck+23)KWi8i!`$7O&jW)4^j-tR&!z|1^iE+s;j)8JAoO4FPa#06 zTGRM5zX=u&2>8Ely^eVcD%2$t(LvU*s6Vw6 zT6`3xCF-r z2O+YdYJs3~8pIea^78bbbiF>1uRr(JFigp2GtOzsA)&w#3H$eeupsM|K}@}EO>Kb= zGi$;)d9?jz{th(B2?dal$_R2~1i;b&2mcrR^%X!tc6FGXc(}LfgflKA%iZ(n*YDsH zUR-lJ`~#Y56$|w4iLodsci(2st3Q}cd`~IhR5f31LLb144l7?OTe>nj93P(t1_B0| zZUvOqwDa2&K0-1yKgS&|yAn`-ta@-+LfH7kjFR%l$Llz{Vyfz5;;;Cf;<7gw1qhbW z(b0D^&t~$6081L`8yWzn0VYMvdw(n4n$_B)7-Ub*r@xBG46=5Fo$PkYFWAjp3$&V%?Gx z8Eu^V`CAsBn7#*F#$C`^%<{Yn(0@%{h;fg@*dyP0z&B88WbE=(h{py|%15#Ajn+62 zdS_u3s{Yy`g)*<&acQNn4N{col8Lui!GayvdGbgR1OMn4`5-CnHD5em#nb(oX{ZqW z=@Zb{N~KiP?)idzg#|4Ga0eC>X{^;W`1sNW!_N<*aUY+meb0^lj|@0$=EPjjzlF#F z=b{boUZVF#`$P;IB=4Y(C;Zz)Vfz6!w6`Ob`%3~IEtuT)+thP0{U$mps+HCqe~;$3 zh<}88nh7%W`$@LXu1BX42dEAt_+LjKV7TE*z2hbdse8@6oL)&ch8wzIlt_&K$#@zD z7$I69gagxn^;30&kB}Y->kDks$TrB$%{86t0kEm>T2N9_<{XGwSy30&?nn!w(*S$= z%8ROWIQ%5(S^Z`K__r*)f4!vH6p_)cKlcVi3j%mjzoBA>_Z!!}j=2#{&A_Cjq_(_a zJs$y8mgFmWU&I!6J6tXE20&Kg^PhN^g#z$R*(g5Tn`H7;$4%p76T3yfo&AcJr44)E zJ^JD#y>yYX)(b0XE(lL6>Wm9B;%9c7L4Gp$<}=Mjr_Q6KP!4hDU#s+O>5mHSxD@;~ zOz108dTK(9s*Z};R!?(rOQ{`29QLb1#mp<(Y-v}1*Q?J9cJ^~|b>Md*+Tzj*lhw7n zx?sY~#hJ0*kF8FG=d{$HWknVIhR+PNWP0H;4J8gK0>$JX;jl5Uai8qTQU#QMoQ^l^ zii_eMKY}~_8Z=hFmHBOymc4d(JQ+`a^x2L?)9j;D-1Tl5vl7mKr)qsy`ZyQ23oZNWtPs0&n#nHu%2OW<$ zk`R3<)XJ8~it@fuq{Pg!^CiY?^vB1|td5Y&u3PHwCVl-hlxA2{I`#Gw$P{RjnnC(^GuVUSb$0iULRk&%T>d)N;eGyn8r?nSNi1oo$M6VF9eJ@QnF%8-cKLy zrODWSS_(<($yTSw?Vi1(fX<(*ozW7Ps~*F-=HdZ)7!-!^{#kx({6RjTZmKAqb6e_IV{NEH(N z@_$#@*=@g~+Lu-%@7Pq9uXz&_(*-rekn8kydtZzhj9qgsj6J*wBo&2BIi%fPYun1| zQEh%cQf)NJ^_Vai0?J&oxnm$p`IU8+&)%HZs-}S~8gGtcziCa86u2_a9JsvSp8*?M zMuvx3gwlV-BLHu?R9&~IRM3Yn0RwVNKXh5bcTL13jhe-5J2^Go`k)xh=5JscpupHi zOpUCL5U)UBfvEy+ZY{doKT%Oda(is_W>lO+g@nq>h=;#{{KxaH0+tvfvhC*hbb8!( zPq44UP2bfiUgB$V&+83(N~3|$P8f}(ZSRL`a!RCXXrQ7!+rRuaAi=*F-0JCS^w|jV z;9FnBEWOQJFDTH;dhg$YnymY*X^dh_8e02hidHQ8qYlT3pD?-@`Zo>rubSO(z=3aa#>^}##nWh`oRXRCf`!3aKIbT=JGS~u$mEgEZ!2VBx)vs;eF<5 z0eSZcHo_H7uoLiK<7u66Iz~a>>5pvTqAf}KEqroTWrPjuds<-zZYZfrKQRd_^p>un zWLS@&uqArg6jD=CQ+eF)FY{#6)?>xUqLPyrdc$yapmBk7V2IFNQ(GEYJi8UbUt9cj z&_Y%KX#rPDaO{o`35s!nEP<1cNCKhN2Ve}Nbbyi)|vOkRHcLve_NcttQJDk=$Oud=Fi_F!YIeNjIZJyk~L z7&LFE-*)>yG9104?E3sDxZL3M!_#WzGJVyV8z5Z$80x9C!eJY!?Q90K@1#xB*sNbE z7i$OWv@MsGifWBPMMI9kI=U$^DKT+)@b36xMZ3v4=q|Q1a1lf9!^BRKLECPgCOypV zzy&6%aJP{Br9TC%*gqjWg$m;^o-4Ht75J%fX{-?Oa>|GD|UCJ6!<* zLhzSJ-Fdi@mhCVSna5a8yRLbKC%L`*M3a{K`egHVA2~U3R)UL*53depMZ*cgfWfu` zZp?T}_C!ms7S*Y2mN`4C>_(vbx$S;jZRu`6QlgBde74= zqNO(9agg=6i`KPaAN>mKwARd=kZ>;+Ib5zv;i?o(Xmy!Q9`mDr?1Gmt4KztNfW(-# zGb&y(%IM}2rX*dx<~UK2QG^sHFR9o#dPu@4q8iF72&6jWbLZwEa1GE#Kn`lgRI!IL zfVs$i2C>Y}jUy7`lLd=i5i$-orWNECf@;`bls9Md!U;sk4XTpTF`iX9O{(Kob|RsJ zL-8uNM?R_Vl=9p%vBc+iJyXbc+cn*+)R}-sYT`W67JFeIM$7O0cJ5vbV_HeOc1n&^ zXV423!(^#WVK+nHAka9LJsH2gI2#w}L4?i{L1a2Eq^2NGN=rq#VmaNbiXWIe+;@ia zzSc8xJM;W4ADql2eziLdZ?^bDq&qJbxGYIr+^7e4PxUOaUQt}6WGGaXsj-H1iQT=M z?S0r9pKxtz6pMP+F(BK!v1~$2d-@NJj8)^(KUKj?ys=@dJfHKn!0vIV4BbJh*Cb;E z#(iVIg=dKs1P#-$NTvu{0b1tB&x^?$=jQc(MIxHT0To!X)&vw z-W54|DlqNuWI`SasPKK0gZ~@y=cgwB^G>Q{=1&%jsaYML#STq#+)%sHPq>|J9qy<4|VDChxNR?KfhsF+owgFFdQv#+a; z_77+A7-&&a{-ZpeHsJ+`v!4^(11>D_7b=~)BHMC81=6>BXjSSNCU#=bNuedH9p>-5 zOuCw%_jlaq+RA4&Zp-@y-o|eEtsE`cD$v<(#{5b_1<_fxUAjGx-`5T-)h#1_dPCXn zbZGymYsTU)Mn6|;=OM+))hH1;zG$=it1yu?n^GfVx$<%9!gYrIq*bk-ECu_y+xews zL7jquW>wRlRc6#YMGl&0NLD?^3Pdd!NQL}wiW=%us0+iRh5GAOt;PDD1(97iM*iQN zqdLqA)bSLUHoTD}Hj)l0ixrFVh;{!WwuJW^ znCWF#`$i#8Zoq$*Eqk6mC@A%|uE|-kjWKJjJ!PX~V9hpd$e{p#=pLp1FC5`(eD)>G$TrPCaJZN5i1ZBQzrkz%OA$?%SwulpYaOc+|RfBLf9=rI0ShIh6p{qP%hiRkyAuBYwT zH1G6|%kPHm*|3kj@G2$HW34sZ`_n^u`5#y~eu*udIL2GL*`zMW#!lw;6PXQNv?8g9 zTM-gAMq|G@SZcEg!oU~0OH4cAdvwtc4&wH{?>n#{Ys%DDrnaq(Oc{eQ;^DyR()WuF zUm2;IFeqAE7RvsDbzHwF|I@r~8_T%0! zFV*SJ>|up zOkO^I^pVrITjF?YC zt)F9T!oMKrZc@;{Kz_+9+%Ri>>m7yoW7S5Z%+3hfOC4!63vrO<`RW9R41)_6cH4db zRttRgfXWz*G9`P(-(rwM@epz(nT8A>ezGD5AbV;zH~iV2>CnJZr)kspzA|f?nVOPo znpr+Mb3)5X%eQLQn~dt67JEyLjU95;8J>W#rRI-kp>jb$6Q${xQN^+YL5 zv5H>5dKzA1m4@>~ju|}z6o}_#J!j!Zzz&vg8-kd@%Azt$)qZbEK;V?yPwtTop{VSd zx50vG_(&!B!=&TlIHsAt=!SOn+_b9(a@)<%gWQ~M(Mj(~PnO$eL`A)=Oh^rDGi`5Q zWiev*_$_V+pO<%u{KvaJjy|~F9NlzPq==xZ^}|T4wmdvPJ=9xokdV|H_KQnOY5~aS zT*6BP|^$5D>rfNvUjWx=ALj%`N(Z`wKvE z2Bse}BLg=B!qQCWF)wzAd25siOl(s97};@Gm2W>S|A;=)wO)aPIg{EA$MEawgM=QR zM=13Xj>nU`4fb++-9yjsr3()iXPwbPRW(%|X@9=}ox!^{UOKIN6v-K~7*U~KWK$F( zGLyHb?l1X1%rl14{!kjr5+iHh7R980vPwg8!QHNAN+oe;z=3>eHz9gp_#r9*JsYq6 z{?y^2d2<-R$Y#v>`uqFe{$iy(*x%P}iHnNt*~~>59Fmay7IG0NE+$7A#%|kU!Urjm)e+G+Q;Va5FQ?6z^@ zbIs#DZ}X^lj1?_Ruy2kE@-U;l-T4?@=*y<{7Llvo2O=`cqgh}PKBO;o%^5r_jIDg> z7?t_Kd)&A?Gt4Ec$$hva@1K?g^w(8i54fvch>b=F1X@~L?7azchaGTmcInuuxs&6E zRCv&f1Y;N~8Nd9vOX!fxHhQ>qgL868ISsv48;JDT$Hl8C z^crWe39BT&JaXrQwM@8rMFEjQ}{AuXa`bAhiN zaT&8zAdTSxFT{6pIVCmIB>`}#7ga-;@YM2$w&d>?pyEG>)h+66bb_`~whuPA-9$@45WKdU~o`~ z>}_(uaEKmT3c;2IpNaKuAN3a+R9Z@|tCPIY(6^04Ki1uLV`EZ$A+M!xK1k(~lj|sg zatsU_VyR|k;&ym>wZFK#8(Gz|%{B)9a=YJRDh=-7o7*ODRJk%4je`@SGNJmRvE#_u zgl1p*yBkBTkAvnzFwd0K=qNoIvVLKQiblU?L>&%3I0nlLj06!r6(wZ?kLxv%s^wf< zqF!eS+#$B>`~@INSb4zP*f2sU%pAu9cC{ywz^h>)A!Sxwf3wkW28QA$UZFUlX(PWj zsqOLns#Ff%J#~1D01K2K<<+yAv1KfyVY1h!JX)}|^<^KfdUdNs9nx-U-A@Tyz$~nM zBM>7)$PkgMo^n7TUv2{u3tK=Gz^AOmt*J!1QK*>j7T47-kv{`tZ9WvZH5JF%{mMzP zFoeCliTub^kM$T7h&Blzo|2876k2%*c?Q=cb$MrgW=b@rTr$u6%I=JjgE0$9jpv@> zxZL`ornCPYTWkgtF9jkEpMdQN$_xsr#C*F#Ty z=?JMkhv}iCz}y;x`m8<-#3%HvAt0r%i^t0I;b0;wSo{4X zp={sG*dU_SR9D0LifzmNtO>h&Yomh;`tvB7|jDDQ}HTObJ zCf^^yBOA$8-yh0u^F4CW^sPI(6ha@ ztLz21yR?DOkR{>L(NmW3ysnYtlY{*+Yzxie%h7{ZS)y}}>HPgCf22tTQ-<+2PRHD5 z3`l{5pNW?j>P|pm7BqCQlowA-$d+=Iwm_@m6>&LAe)jm7s)l;kGx}mHws;b=*oi7{ zEsnt=?M{j|og%cTXPc8tS4{7H^+e_N+q!17B)|K|5Bo`dr6%=O zP?^P*jXgwmp&AV?4JAR|%H}9&2-7#weBKoNl$2ZuhV+GIEQ?~-N|YNg)U;gYBQF{) zmgey}tBrnU>kAt`mM?cUjNQGz&z3P~%ggs^WC9J#MtbDQ0-vo8`~r{SM71ciRcXL2 z_yb=a-&W$&)gBR;JxydgVzFv|rEq+!YtW#YidTRegWW*)bn zlPLiw-)-MCklZii*{$&UiN^Dj$$#dwQ(bkLvX4VhR{j=@U=3~LPsG+ zfnbzJOY~(VKV4%SRlZL@;v(+orRrpsnc8?;1addc@`PZcnkozOVFEd^{`xlO z>qSn#FJj2GC*!Wp$!S}@ogwoNB{!4F>fgHwO-5|gA-3);vkj^q7=J{0zqK&K!%LUu zR84B4OCS?(aM=Mx9#5ODJ-lv?0T+}(Kw7x{FVewc8%-ypZOxgL;Za9N#9xvvPA*pT z7Q)TMfPLghPaVsOJ*q1x!B~Y;dN0p^R)A3tSCDCI7YX~;ZD6D}nuhD~C)366gQMTb zj2L6kz7S_gM>OxblB^o>5(ajJ@RBihX!rj* zD#Gt^?gO`Ka^9M8Ky<9JXI8d`7c)xP%qbAq=zZF_I~6n{wE zFjM+<2rag{qN2h1BDb>A=INJUNiWeUTwQB^eu7ikv&M>E*f_~=NPyCYgY|`i(k`)M zI3|8S@*s*p4KQCo1s%(W6eH`<>SZnL(#C_WrUdPx5ZckKoSi)E$P#F^ZQg7{jbbQ; zoY!Kf3aFeX(0ku{v36?rpil>(R=Ck5sknEe2vZX;Qbq`vgox~t&pOhntvaAMipF7m zvR0ZndJr#OJS_K005wus>M(&=OqQY$Rv1<5#2WT7bNY%^KLUbMzMqV0)-yHkMWFAV zP)-EVU7f0zg0lwjKSj#7!@kW4zyZeJX4S>Ly4i4zv&)^4B1Yl7*t{OmLzOyr?`Ub) z);1!X?YGKZ2ozF8LfpU2blNI(LCDGw#gPADOSaZqIi!^dNibyF_u$7P6irYyfWj_o zo?~m|yYt9I>#aOSd*hUVBPFu>{22=J{0?;$t#P#oCefaP-`&mhprc6k@u>}St<6g~ zCk9==!kH_lM_4xs6%uq^BkAcnJ-z#s+6rNDL$J6cT%fC~C~!}Y6i!j$S((r5qT_~) zSuF8)ZUGzB`h@=gs|7zGw#`L$rG9-o%V(5SRmQ{JdbxN=dPpa$el&94WamMAN|3zv6`7iVTMQA~>)Af36aO>Xucq)S#!-*xk6%QWf zklW_~rTYN1S(=wK4P`|%#ZMqrq2jF8yIvj`|C?0@=(5kAKx$&wzqF+dF7-; zn;fPokbjoDU2`^=8t)q=FN;XnC{$Oj|GMO3SX)_cbHz#?JpSx)UbjSHg}_sbywc~= z4?qdPooP)TPn@z#vDC`X4<~KtZysaUz$a70tA*#{k*pYyT&}Co<72x2fzK-$C(!gf zbw|4HGvB>=Wh;z9pwAyR3b>qrrk{u(1jsa4^(fLwH)Ml%mT+ZDweGR8=_nt<1wF;Z zhtRPwFtIRV(J>hO1j*1bFhAP934xdQ(6P3bwhJR)C@ zW$?@)V@tKK^$q5Y3cI{esC84KZC#|^_oVxVvLF+E8(s>Z8=n91E$`6gE8|GdmzePc z`wI0Ooir+y=Cty|qQRc=d3;_hEG;$JugV&#yJlSCn#|-ZfsPwLPsJBiM#JA^&{ELw zO=SQP=0ZoI)bnw>2k2ixuFhCox$SF7NMHVJ(KmuVnPp6>i~*879bPhOnWO;v=91+i z-tB4lVJQj+>zRm7<8#?b2`$BcdAgwCbK9$mNBPc2F35`Dez>5;Hx8>MzRZ8eTsc_0 zmlg3|UeIWyy5m_?Q>P|IswA}D=sb(W{(=gL&Yh4~&kS*gv4N6$?`$|E{O;j9c2;h# z0V-??7;#It#oS|`*4@(<9X&w$cNSLo`qpbr+GH!bkHSB8EdoB#1%n4HR}c2*4@o^A z>B(*KE*4WqxQ(5oDf#Q|L+A&20BmyXDog;x6##YFL5BRRcbHk#m5j{iE>@7*!*-`L znX9>_JtruYb8ju`3Iz=nbu8Bhz-u~`MP@%5js8q!(1Yeh+l=EU+MI;3a}IabW%!L5 zEdU1M=XZiTHRm@rUlw(G0R4O=)$Ab0D!m1FnAqP!`ucfQsy*yUDrJzaORnnO4AGw~ z{~8`KO~0r-f1|)yS@|Xyp}MP3)Bh*GP)E;q&}DBROXc^F&|T6fRR*!%mttf+;kT$E z?2NjAXOt{hp!Nq0qA_!lc30SKKM8eUAQE||!Xrshalfts3yl`h2BHY03{m@%JsdBm zSll~y)Ae`iMRfB?>m@sto65rGGCHpH!TEPXeO$6osi$BH}AGZPoSPh$RmU} zclT~~EsIxjqD3AYCQx;A{G6>BR*qL19+<-HMdMxWPb*4fFr(_<(QSwG`-XZg>@@2! zC`L)B>Gdt#u&^j8#!PO-o?MmdlXtlM2=cGFcwG7EFTE|qHGu! zanHfN(oim0xW3@?Re;Dr(C1TO5F%jnI?THfXZ}v-n4&18Ir|ir_PoB=MAz2QdUdNN z_mAh_qBVz7F$-yy)i+7$2kZR0ltE_KAxBYo>)^&)Wlw7AWj-@09{4`m)}!jY5shmW zhP*hv_6Z%9tD461I;#~nFjZu?!#JnyG>U6ML47;zZchSuA0?%Nmn0xG||zFGFBdUnNI=<^W4G(4R>NFIZOx z{gI=~1%as*lqnGCzxF|LAn2A~;}teL&vmkdJPvJ}Cr^!yAy=mAXweb*wau1(B$>Lq z5s}el>NOv#0bFi;QuDs|sh!F_BU$CAmqItaB8_eX=3_Ivtb0^XZdc%^}0w6Z!59NX&s z(`95Mm0{S3a($Q(S%x;x_t~|RV^Q&_C5s4k2p7_g*Wm+3i@YNUNcWmTC*#H_oeAY* z3O`_k?g-L!L5L@u-X`+R@m0X}WaJ67={2f~$?wwf3JXNiszLTVB^J;rZ~ zGk$s%4ngN44iNUT_m7=6rpRKbdLl?$P>pM`J<)XaQ@8NM=Ne1p8>yuo+$;SDlvRCF(h7fd^~SE zwo&8BFq*~>%1A98I25K@SR#>fsm(|(KcG%unp?k<9s9&0aHQU zps=R{$|#`83=#`7De^KCabM^*aQBF4RPbHF>( z4cTAb?1qLGusx3oUhQ)`c80jiFB#6;WPb#V%GL~#_8|U@!1OGcFG&ijLZ8v`C%y#W z@>ppZLBYn;svDY^sJ2)c7#I|{6JPUDf9t;|^jkcQ6qbSsp|6C@?nRBL*-u6bR^Ut> zfn|LIygiM-k_!9ZU{^l(tp}=fN9Op*l1RI~jrxK@RXz7jue{HBWfOIVN=TmB=@w9F z)=F(L1&c+dRN41MG9h)T*kS>iRQtJAnSU`_OT5{CQCbQOIZE-QDxLb)b97(zQL?`m zZ>D>t@1|KNsx}xfXI6)5aM|1A74$0sAyIv2G!t48?5!E#|0@>R`1>tIs+9%6?jXNi4vnEUd<*lr^?-b$?eBB zjsHzBg{x&!&KaPmBb74;=lvaf&Tf9rFmk$jk>fn&&%-JHfJb( z6!9-%KYDqFU9tB+e?>9!;h%F`wv~8eR{4Ie9?23DU0!$RijB#`h_Pm%7Zd+<+DZR^ znIN!P;75)SFme{2;zOP+Z9Kg55#ocqkmdEZqGFu6o72rT^~sHnJl|xMjkvBt;lA3o zJ8hqoUG;H+q%bpQ;@iqYZx4C6V?4}unBWbfjju~%_Y={wq6&KM z?oWEUXg22|RGFxQg-7;W_5wwO`TaV4=%=y!L|9l@^lH_+Z7wr2xD6o1F zUWOn5Fdg%d--!ynn>pb1384|h9uq{R{Y6Fa0G5r!xcGQVtSs)0N_GVKX*bFlv53+bN|_eN zdLXM$u|d;tiHPUgUeJ6lq+4~Rkv;oR=!X0@VE(>s+@YI+6;r4z3MOxHOn@lr3)e0- zj@_i_OC$C*V_o@I8)o;p@%PrnIT0pNBejJhMEsP@U4X$0Tbs+$YxR*lNbKF^e!vgt zq~bdKzuXZB<}Eh%CR>P~L>%8KG^9IlBz<)?ao8#=%rz>`?Q0A4q>EgXZ=>M6jjwH4 zjB`emq%`InQTIb^g%DKOXEw5=XceZcVi;L-@l1D0iBX)!)+uB9PEpq(UJbwP3y1dj z^mG>2-Q6vd!p>kM10QI*u>?v?_F74fzYT5m(Q%jOMvCzEDn|_r3!>>C>S|{DjsVN> zmo}6Pa!}Ijs@^F278C|JONGIBQ1$g^VDO6^@GqV3R|mqV!I!O!nN3;HyU7dPq#Bac z*k^kYab#y&Tpa_ z4>jE+1L87FW*puT*$nMBPg#f)`j(0o6y#!^1`Tj@ws=TOPgAG_;hFhYJS|q^zjG)g z%3+yszHqXz5JTf@{zOvMqbXaqzkl3HPT47tV9|Y-FC1yYMNyaTG9PHEhF{yuYe70@T2j^q~=tu#4~c6NdQ92B1Hbl?DL8zV^Q*y8KS4&_ItKZ@E%$kT%m z601}tl&8ur7y`O6hLB{F=3qguwk#Q-PhuhN>$MGAU-KR(8 z+H6Fd3y}IV{$PHB0u>_Q{ zlaqmKsed;NWmZjlz&>1E<0ycVo2tPCL5Tl(oatfZdqb^~dkxFHJnU4;;jhhZUqS|X z(b^JtS*uEHf1xV*3pbIGXM)F$i&#hgvG~CJg!)_GHfLe(u79y_!N2c%v*cg&hsYFP zo~t{OzVlJd6AA4yzB2de7-;+g0@ZMjKrpG(J-gL%vtHkij4NU1bK*G=oRHgHijS+q zgl@S7ydA0r2>5vd$jDfWPG)*!1pG=4LaHy;35Y5oUh{e8 z;c{S=u+In5B9k+7QKEU|GA5;y-`!JO;+HN34%Y}wf=HyKua+Fo@B;{~yEA=`1LB54 zl*}Ota!bdj(;w1xx>i!=#sIfc^Jd`Cad_a-TO%3#rG|J6PWIz*TP6h(!B5K%&5br^ z3M#s+)O;N6PwSG(JCTieEFH~t{EXlCRMaa$;GMP1^JB_?hyi@KbSPoq>hjyO4N*6q z>W9uqQc+AgjX*$6Nse}U;S%Inc7hCKmpB92CBCs>NtnpE_}>D+s(}M5SPD6YXikcko4Fyoev-#l#%@yS8)o41jEC)Fv`wMlW;%TD48mm89CL5_}nJ7OUf1mmu@RIsQjCfSD zUQSlESu>3F6FDfm$-6P^yjOw>i$7nVui}K9~nsUE%e}EHGHLwp6*nQVvb7iBB22rLm<11KrLg6V` z1K#QKRxvB8Ab{_RM|R$h$79DP85)%Ox2Bra+sn%f$SkKICtnN7FDwLZIGUZ9Kz*%5 z6sLQ`@V`D`b2xWtmctVFzRLZ(Av^hCGI7aOU_yWCaH+h7{*#9R{<{2N$zDl@0URT^ zMrF$p=r{1`ufkNX&M@N|SpnKx@w~|j7I_Bmll_8S0wgwhN++38wu7IaqP-Wu)Ia z;r9k2X3lP8nK?QrsU7K43v7c+i3Np;jnW$xWV{6JYULjY+@;cCKHP=#ypOmH?Z|<+Gw_8HU5#Mo7qgVK8?R z$aj{-@$iQdl}o+#BXycCg8{KWTn>20c4gR@h5%~Qp38J_NDOsv>ic4G_pO$I#|fW% z5Zy+1K@^C$Hx4C~J^7`#xoNHW>YIwWgb7C&KlM{rkV5Q>Q|XX9QUDFfjQon*#!rYY zSL0I`8Tyy?r{B~>ByII?sXqk5Z&r)nqU~?(tH}$Ih2)#y{z%i#BN6YtWXLd6b_cD& zQSaH?Opi^CvbKc9Y-Sr9^d#UOrZc;3*l0s`HLv`34Z0rgMeYjK6B5lkTBVzUXw zpF;hHyeX=2w;hZ5J5vQ{Z>tw3CE=sjJ)u2ZZkG9~v)9L^4bzMVAU;zvO5kJ}HKnXH z1-3L~dvOZC0`Z}5N{E~<4p9QWBA5rvy|bVG5)+#phyE-cig3GobcCxmC{Kzk1dVtY z5{CGm`C9^{i2sHh#M4@W_YEhqm%6XL7gXVE1@x}vPcJS8Kw;CjP~k5Ytk}0R@NG0cJ*zqvm{4{A?ZODqV;M1_p@7huOE1prb zcd+%f1!a66$9Vd1+~(bC~NufD2~4WBY~*JH-!18-k9r8$gA9xi3v} zra`9b_u9VzGSU!!RcxbAKYLBV4*`D_800JRz6B|!fKS)vl*ed0Q4xS)dsTSEG~o6t zQ$4;eNNF)6L(y6t>9czLR~0o4!B4hBA80vaQq5CK6%M2spFIQvM3u)b=qnQ|ra-XwpH;Tp8t^R1AU7I#6=P6dmhXKZY&)k-Um z@mTuI^25v=AG+YF>jmmTvdpZdX%c<~*=v1-r3bGLlXEbH-fpXKCX|ByYdF`3+zm|* zIR(yYU`K+#E|Czwkjz0~A4Og~TX+ih&F)q}ite*DCj&M{(VE^4jS8dAH>6T0JbAYZ z@2rZU#qWBkL#FqWQY0Y`V{G!3)o zkYog$7Q5+26VhMxGVd&>{okTxp$J5DxK8nVp62qGA^={58GqE>KMSD72kz*2^J*}~ zu;%fasxp$T-b=5obvQWjq(0JFyvgSa!a&gi%tNt1nCyyZQQOPtgYT{Mp@AO235P$; zn_rTYh=gQ*LgQbqJXjcTlDR2|d5i^d)OquoS&Flk zy-S>ufv4d;*odhcgdBO^JV)Gi)^?vg3ERq?g)wjul=Py-G68@Y7}OQ(jY!su@^RI) zT+a8zOpD9PJf+M9Wjq*!KMShXv{>fR@igKV^^32@o>i`^ZIUy8P^1r zX(>DR4#<(7{A2mQH+i;0g1^cK&6eV_YlDx<;R-Ngxa zlQ5AB?iS{L{my_V=QVlK7y5ofl9)d*5B#;`92WKxTlbu;YCGn`o)`K*Gzy+#EJ5 zezzWq$Q_!cyS%*h+0Q2!SUvi7Bj7hapuu)o@aGp~<)s%ZsKVI%smEc`UTT_s2K_h- z#N|K)$3J=5ukV)^e+e9rhB}ka4+zcybZj5i4G=L|aNZuw(z}hKV_;Y<)-#yDn>`+L zf{O6-;}^F+ix0PAuyVb^C87hr5MUqxN*VEcFWw~vot1LLcOB5a@8JJ1h-v_X2uQ%< z*sG!c^CKZefiL)7Zw@amU)Ymysow2o{31Q#w3}~FIA;qTg`szF>OYM5`G!~%+uv|z zb6;8@;AaTmgiBLpO?;bsThTX#Pdv+Zt}pl+zXXn24}>!Cy*w()$$8b8n42H2t!3op z1&l(fioroXw9;^n7%Igr%3Ko3!d`W?5b` zzZkEyS;^)dcMEML%AYX({QQA%uXMoDN7g#z^%1WF;9sdG0U0OWD^20h4o+*Uj#HVPP3aAIRQCIjC4j~jPT$B# zHktKkuFA-%i44^Qm@4V$=*stq2tvw-Jn9i(7YfYwcX44|!`nT9Pf&sEEI#X6Q!tI$OH3^nk6l3x>gE(#rfLh%zsHs7gcfy8!N6l>U&J+q3HoXG4M4JNRUxb z7%Ug-ffIJ4q<>%lNKg7}Zk$DdvcNyM+Bu0Sh6zvC!~Xk;P3lu^YtjPqkbFM^W1Om_+m z-(4+cboK4)9u@;Dd9Dt-%bes`!I!e?4aK$v(hF5p=L|0qk}SzUY0J&+G+9mdEhQG^ zf1SiE-sMD|%`YP5;KT&L<^x7PYVhDdv8r06Fn~}6gZ#HAEC=(NCi~V*&@!1KB02eBbJI5$X&r+opKtdjR{XdGe7QY)79ru(6n8+K1X(1;!U0Fge649E`AYh` z7UqSg-#?cEM*S%a*QhJ?|L3Zb@f^*+bZW8oDja|>KK6-od$MzRd7`B=}c&j$!Ya|I>J}G{x*e`39UZ_GgfRGEbOoeMjr~F;%n>w7QjbTqL z3+~Y74@Py}lzF@1^nuM366yCm>`jJUKae5^RA{5>JEwAzks4{0Bl9OHbKeRklOUs^ z`LN=LhK6?EsELSd55`hc5(0y@83{5rUQF^8)8~Z9`Y@NX z9(^N}HNB_V#mN-AyU7jEzs#GM+E0yRVr@OuC`o^%G-U*R{2}eHR*&<6mI{R~phNvX z_bwRZM_}`I%T?R0%|F{?9p8Pvu56}cqoRtZ;5&2teo^dMY@sK$<^0LF#{^~aP-F=y zaHHTm`Oq6iO=qL>s5CdeaX39^>5oH@1~6uI#DdNql?$2JuB9%q$~xr#ZF%;?{M+&z zueA9wr~lMy0KJ5MmTmpv=jrxh@m0Ww9+#|t8J-Qu_KJ3@sj8Mma?gM3Q|wI{zhDjJ zHnZCs-VdAQHJXWC$Y;GTQLkK6f6t{Ir2OxfQ&5sQTdWj%t!jb)?Au%|#UW5#h)d&f zWd(d1DJgi|{v)Yed`_qB?d@Q|DpQlb4kz}*x*vfU$T`?gj`MWjrq0g#{YJ$vz1xE2 z*=|a=AxqS(r@SqGSKjJGK@xlK5|fc?@y$=Pb@Rhs$a_m*3v%CsZTz0<_N(T(9ecCa z?!E9IwaOw2AV}3u%H!i>Z*JgX?E!8Jl`j!1`GM!H`X3{*dg}kuh&(RD|C5Nw z`+sCXWxN#l7x$rkJ4aP6%8dQ;UN^O$z>Zkzfm^SJli9MCV9r_y7<9Vk!YtePSYpMb=%O5#c}3e|%i``H}p2J8gQzZN@T$P*Fofs zDV%PhS;4x1EJvpQ8N=Xg7;95se`iCD!!K^J`f?LMR2#pF~t|n5I8}NyprI34Xl49Pi4{HdjKc?&OoC2%9;7 z;GW=*jQljS=xltjSOepkyIqMs_Cgk%V0rWWz)DLrA(_?Yhw;(Jo$&)cS9n5`_4dOg zffbWY$VUSb)u}O?^z&+ud|s7$14k0BpzU*l5(@(UHJ=oZHK}p-pp# zt7c#RhYF_FTfRfep5er7m&<)W7E4jm^~u4Z;Fs*|s`aqT;@f_jVuSCYYVp`rhIVG6 zjn?;pR#G@wUL*@L;?05(*|icxe0(oyp3e=gH*`o|z*9Z>UEw3;FP_V-t)|Y%#znnu z3pP`N}QqKcv+KZH5Z_^|A0 zHb=*r;~2*D1FV6n4|)Dy6Y5{5V|whL>W@T|r~uwjw6tHYu3qsT4RnHl&%nZ!7A+9D zWOp`Diw$uL4QpV3zwCynB?oyAnDoDUewpNOT4w$-{lYn~IlA7Y#0=#N$uZhW zz}7cEOKIKd|^F)>p;Az1i$c&{&~63Cm^Dt{{2Dy+4<)z}Q*WLG(v3>kAb{0jG} zpLuuSwueNBK5DyMIb+nI!2@sHWNXXMSrvPrZG)uE{bBRsdT+y*k0V7U*0Z(6XuB@G z>*m;DGGa}?)0GL$%i4S!+*o`#K2~=&o_2ut6zadwr2NC1PUC4GDV31ODpd{oiYy*a^N}C40 z!EDO$%75;)z9ROa!+|)O-TZix_~PNX*Gn#K6t2} z8O|{0B^0fh7L0`))L(5paL}u9d!H94m^kQhgVtR_RUX%u!F%pSkRT26dLSTRyuH4m z<)4UZ)VnTaFGr(GkESi{xtx24TE2W8>aCc6e!iYSZfbyYPQfO~lyJ3jD#f>&`Tf(r zilCIXg7im41(8cEH~W@9A}F$WUSM=AJ(>4@cDOvg!S5(4Yj5a>(ne_d;pa&qi(m=Q z7I&1NeG~t`%(C^#hnJ5b@s?Z!KedpbS&3qKz7-lOEhStaN8+bZgkP{L_f4ol3ulb} zupM6QOwxt5i}FvRB+iK;j?aT?emj^ltCbj;znAkbeqF)$oK+NTDV5{fDwvuOI-mVp z`FD)^{lLK&8&jVSzG8b8eLM4slnGwS zQW_LVGHtZZScMWjLg(1*bOTXj#<8+e{I&jUaM&HyO}Wlk`pJsc-P_unmQ=OQBe0#o z*B%0T{-4%B4bS^edRo6q3GMFqxa%`rO|zbA11`|S&M|I+0kTd0SJNKRuRj%9T=#}RawcmtM$W7hBkSn}H*14N>IHrYS6`ciPdX%rwPZ zL1?-OXgretHy&CHYa7~<;_~-hon7p6zK>dj@$^rDKxi zW>xRIc$wtL1gNL-oJPIr?OX6+Gx!Eb^gRa z!g6_^rh|bjD}PitAG}4b^bew$_E?+SQP3p~|LQq9806}_Il? zK3~Qhee~XXYqfrrFnU$^g{%MrBmP4VIlA&Y2Y9ywlLks%foC(_ymp$}>{j<{Bo9z^ z;Q-?bQ|*%4iO17UkkykEj*al5!IhT{u}EI=pDOBB#609Y&g_@lEG@ zvzSndyR=jYYxvk?JJemrjr7pZ_$bwyWTyANZ34o}MEcKcGKGv=%?{zSeXX@~g;5p3 zFdcTbwnK&Xub@xms|c;I%kbvl(Aq|CuIRb98O+*ZQU7VBfQ!GHbM;Gksj1@yKkSel zUNcbfIGCf?z8VurL7vw$xN$(PxRIef94+>Gwu_Fq+`$1k^Y}vr1`c3sM zAw2!O6g9Cqku3m*_hKX#6UogfZk^hY;?+=dtg*Yjt$QZ))z$3^hf!?N)Fcy^o?Pa^ zr73LseHD!eHYu&*_P0pvFk#pF$k9aaf>QmIZo2m4@%7}nV3|YUq-haXcc4jMyG`w*Nt2Y0!oFo>AW*euBH*Q z)A}5Y&o}RQBhbydLZUKr7tP})yG$=q-@0V@nKjwsZL@&>SF;6q$sQ=ejHpJwua|I#t67T4Y zwVpy$$|bY=(Zzhm{$t{{PExGqDudktN2eQoU-Z3xM0zLE4k&I<I`Gml)mXvo&xw z&1xss^u>@FaT*B=pa%>+62sZ!*%;u!HpyvqFXW*=tnztWT_$C&VVP~$BncwNnhSjQ z%%2=oUapO+l#*ox`mP)vIb**k2EUv8W6t0vY$G{V;Go*&=ApOE&Q0ZxuMt*0V!w$h zy+h`YL%vV-5$3F%lQ$9{aS90AlZ_|CRV!>J|3~RSD+k3yPU|rxJ>rvdUPx~~07rRl zi;s>LLgAmevi)d_idyMSsFMS58Ry~zP1V({3`6Sbwwof6)X;TS=TnaH6$YT6&aqW{ z*D{XWgBesj7VPYUK2ChZYZ^JVcceV{ghKNMgpiOB3M%jt2)$b1T*VUpb;*+o5^S^=BgAi>E<;cvcD}9FP9UFGaB)& zDPK-r1UnstWi`7$JaGIlz9_{8K^btDRxsMBU{w9I%hzacHI%2RLV<5%CZZWww9Ct0 z>8T9K-Y(Rg>cj{`FJE*;5NkjxT4Q?6hclpP zS9lY3xbn`->TyL~pRZN8WZzR#Ztzgrt<~zKVQp?%9qrymXF*9({<|m}jq-Pl&R6sJ zpAG+aRV*tCbb4h)lLc=&+RS?{Wz|!m(be-e{V6Mq5s#J(2r>iy-?racxzS;XU}yxF z(~E<_UTNLn`O?R&H#eb-T500vEB+{P_;QC=?x&wW2W7i+{dD76PjBdWa@bc8Ws04D z^V{{y%Jk~`RUHQ_E0yHoT14je^1hq0`!%*|tz*bk;lA0*yTJ)TlMjZFOKV|&ybv$= zS-`oR`Aer$h9WAue=7GcL~wAawY~A264i1y+<1LVJ=C%hRao-i}*pP*UgpdUN ze4`7@5*`orDG6q$$$cVoJ`>H>nO}CrUWmCl>&nxjDqqSp-yDp~DXYf`(+v*D1i>Q0 zz*8HIl;)!6r$1(-rJAidORq@RH&37i@vDQM04Q%VEI>2zXOidt=Kt0rtat3WWK7=M zdggkwd6QwA9h96eclxaIqq*3jiH_*45joT?gve9S@XrCtk3C8YPE04JR%T0*xpFGd zpf$dkiRcFY?st!@Kw%^nqx$jKY_6?Fr6rjl-6F0NG)MORYjP%n@qM7Vrub70Ut-NO ztf<`Xc@2l+!~W;t-Dg(;$0N2?LUk26O@cISUxEzu$Iw6O5`#PCsdtfDlV8IB$IJ;{ z5MiM1_<|(rP!@nYumU?QnqV@oYxlf+;Go}PfnFl#;pRSeETAKoqNjfpU}JFI65y|F zY$MEes=t)|vgk^z*Rnl63&VSF0w(;pYaDg_rONU~EwX{Kt)=qp>!weW3TGE@9We|r z8qI8MbOuAe|D@-@deG*??}4t50<#pFaAUW5X{u)bAuDt`KXw=L z+x~hTOUDC&8vDa^!D%4@J)`HM0BehK-UJF7PpV$=H*0zSAqJa*Z>BC%&BT8_NC;)tTIne+_W}NHrCFGRXfQNg)VraRH+OTp>P>GoXHAO$chtoYSn`i6QAUy$X=|A zKN=?;w4ony!Xnx(Hzyp~tvo^Sa8niQRj#K#K%48Qr?A{nN55EVJ71l+i3!&6KHN5k zzh7OAT30A0P}z)&8QA*446pKMmHj5hM5JZMkYhuC|z`Y4rNR-!I}q zIcBt@WrP%=h>#h;yCE&s&6c6LZ63hx?&r;)^j#nEyR-8~+gPXWl9S|FENh30Rj;BUx5j zuYvf5Y$BLqQj%dH#@seJ;leSmqI%3|LFt>6+nA^x)>DzZncXzKJu-&$mjepBg zr@$biLNC)peS}U_6ObSB3Vi&Tn?$uqN^C#sTjHx{r|xdRjlh5L7#tCUMSvL-&waCK zvl_^oA8GuVL<-}FO9t2>#}jP4<#xWw8#vrl&x=3lXD8N+jA`CySKo;sqP91bgTTGfFr+GfD~9+yon^|G?iq*hqWRr|>1}aIVfN^2CPW zheXZwDxRUGT9UW@gO&6se?i=3%k3>L%`lwT-V?c9Skgzs;U6PD+j|!2aiPwsJ(t7I8=eAGl5+)Lv)m76z z^B(HzQ)Jdq1@BB#Gi1MM_cSnWMHq3g>vvpWlmF9<@1An@tNt3Mx^m>!^;a{#if1SB zy1eb>gjQRCa%6NyufR!(n?II15vs$HaA9%xlC+}9w?&1<&^T_FvV}gmYPVRGe03f+ z=`8DEX1Lw?MSr*s+#)ccdC7Dn#o**e@LdBUos)ngNoWl#PPu~XNBi&P%B&;l zybfnO2t11AL6C9?BD&`gy%=PPQ^IcgR(@92XpAhOP0&-y4wA;buCKzKiZ!OeZ(|}n z-syB5|KF|EKidScLB{O2iTd^5!e}CP z$AkYQ!e2-vxc&c?2>*ZKt)?{JrpmoP>ZL{Zn5@g;(Vx*#7XAx|G2mr6ZqIxw!jj$R!K82p4W_*5Y_~80}6k#GmO1D}Jc+ON=kA z2s_<9=!i;Sm$BT}Cx3x!JDP55!Gn?@#V@d1#afU161$X;De%)iu{e7r$5YAW_YYiIW}>5j5M#GWZ1$u2uQ{jug-A&cJS5{EEE zmQ>6sPT04$Y0YAxp%F$%V3Na2)dvFGWWoF9>=2J!Gvzt;%?XZf!7*ZZt;Mp5iK?Hf zmCGQ=|I}PS{2B!jF}1qt3&4rZjz56zK`f(UjO20kuTxa&zbzYa9S?yE;cSrMayh!m z);odNFu5Cv$SDa%JXaE@WzE8!O4Z2+hxO<1M!i0#kVkiq(THj_IX9^37eq7UzwjEY zZkNY4vSZxiXouC|x(Hl#HV@sr(P6B8S6cePi{~;1^u#n0e)BRF?IBXt3L+!+tlKG7 zdDTwd-AGe)spki+H(f5c^QblPu^60V%Jabhsk=RLlSWKNT3m)!_$b@;k!dRIJIfHm z(LUy;M!NcM1SgvqCyLY=|8Y>a!nGSvh%{zIu1&1VVf_yA3FV0tME3hTs=RE&JazoD zSz)4PA*TG~i?$~Ax=WNDZlJnE%>3pvna%Cm;`14up{x4yLjlKlr($Bf2uDD~k|)c; zha_tNX;+Jo1$8I}|K6vR#r&S?QZ8;RiPf_5C0bRDo?MZZG`+VB8vNfD>QNv}ZDKP8 zlknmOf>lgbc8Cm_bG7UewZZU$&}+Cagx2poJ2y8sgiKNDPhL5%`!|>V+QF^;$pXM( zrlRu0fi&OiV#SKK>y;TcUw#y{ik

    Qsuh`J@f1qx` zAB(G*EqV6c3Mr>w4;*fu7Wwj2J4l3(QiQvA+z_y;pYL?$FdMy8hBmGa#;m$|Na=1z zE7Juatv`lrs%)l&ID2vg+iAWxp0m$!j6W@@JaoWfD=*n7S7H`*5jAu%9GJ35=5@6Q zze80^ylb8_Nt%u%-K2nb#0?OPVy|v!*jFOd0cVQ<_5V~*J}wQc!rDDie+Z?osFW<9 zU;<@sU|!lbT)Eq0q!f*#B)0OcP!|9V&7aGJOy&!GVp^6dhxWZOX53p~Shih5$Qz?z zK}k#8rJw%C`K)s%9wK=3q1Muo9{14pz=q!(&c^7%Kw;nn><42S%Nsi}5vRFzS=NU1 z){MBMzILq7aVT|e^W_-=kc#hx#l9cgtyHN+*;(MWxvJwKcjN6Lw*R=@u*6F5tss~KdTEkw?Ds*S+6PU(L)_!UJO^=ee&QZZ-|@PA`-xfL+qr#dbNdo`X~Uk%Y*4C zY2!i85(1$|$;RoYF|J~nHz$7@YXYuyQX+@qqIJXJc^_JE+WZLlK(lME(4@F(cXG1% zv+gb-TPB?U(;~8&2G@c~C~JH$V$E(T|2^!3@8s%W$jvCJ;%Jvms5Q@V5o@A{?9ZZN z^m2C+!?n0~hxyl?hCsm8j1Jl-?K(YE8yM33u$H`!W!!IJ$$esCP-{EZ03oDvE8q}% zuF~%l5iMzL>(4k-S2 zj3V@OIH~nRn|MTgsV9|-xl%3!b3{0FQ+|20($q9`r%TxLSdCR$^OEuGl2nSYl6`%i zH$Vb{>4r z$KMNXzq^w4Wqx5;2;dE+w&|YswY}HNkL_MVnLqlp)IN z-jk0NpIX)rAfXEQ2uf#GTRmm%utOVs&!5Vz1fE%N>_-0&(@2w&(vF|x&;QIK{mTO@ zRlARn14mc!-+6KP2s*IDx83IyQf_Ersm#1bcS3Iaz1`7_5+5}{^%tLCP(VvVqbErKBKr^?5ux(o!`cAm z0hz)|zg6amWQI=NF@&VvPm>cy*-HefNspHfT8z_HioC_XkCBf6mmQc37AT%M4s00t ziZN={SuH@bwi7z|%wcnO$(_u>S>)rlKbaZ)j%#IGo7;@ms5q$)#-jc@Pg`M=LPD?J!$Z*=mpWgEg zOZdHf6A~2uIs2Jgm-|{;COh^xQ+qJdm*vBDHF$sR7?MIZzWa9Ga zLCU++rK$OeKm5dOswG{Qn{Bq5Tj6Sl984S6o0TI;D=f2x2`bUF(AL|n-9-uQ z+iojA+<_nO6(9Hpaf4{NE&>Hp+*VMAH;Ridq5;5-=}7myTpg!oWLuthIR~eDBt%ud z#>%s$G_K!g)z0INd_Zq5*J6v09evSKsu~(jv_6u3*Ax;QS2UDZem6@R?~)gdL8v1^ z`Nh&kbd=9|4gQb?T$#;j?s2C%1%4D!cTZ3JzszVELA*Lz>^EZ%mpqG)cEAk-hulC# z6<)?$ZrHV)^%=;Rx%!l$TK0=HB6LPwV_3FU2Am`hAx(d!@pN0h{n#a#2>}5Oum!cG z_4Y`}XlYAm4BwhtNRA6_$VKj@Dc@;4xM%-7!z7MavBrw^s$z_xDOT*sh5re8dGh0l zy!QjeUx{a~|HXnm?mPEi6VH_Aj11xaTa0@>y(2MT!>)K$cdOnn^q9qlmEtdz;h(d5 zKHS}jzXZLcs0w04D^2g2EKRm1X30&XGs8*zJI39&g<0s|G48i!ywyR#_=VwNw`?^9 z`H7y2jE$d}yrL2d;v&~@J1$O{jmHcZ3#WKc`h2P@CgA<o!qo5#tKQJ`#qo$ZH7F}s5!hl!i8N`71?6)oC|v#Lwg`^{dHI9} z1^D8&20IOMo!O7*+4i931W0S`<4FXAy z*5IB^ODlpk;I$47pxDhT(zIL5Hbi$21+X^K}Embw5@f2cpUnRH$frh>zV(g zCapMB6-CQp*}{EfU-3n05ooVT`sk7;t6JXIYTvqE)cgv84_w?q`_yo~m zsnv0q*6j$kUCZo!mx9Q`p!C}lpt2F_4OVG_Z{(8MB#9g~l2I;izrR_u0R!K~`2P~| z{?^t+QL=CW@C_12aHM9h2`#jESC3_h5 zpn#}@-KSE}E6m?7H%^=5J>5J8xT~%dq;aB9t@l^GmXJoAHX_y(kD^G4x0cmrs+2^v z@U?Y>ARXUD7#~cFQ${Ois9;^~Da{uxAXpM51tK+@Qa^7Ki5EyAG22mJknM?L&+iH8 z&4g0XcHclk%BM+5`ZzUxgbR;X80I`@myAn@w;m%MK)`!l8lmMVy;Jo|?iy?ZC;C{| z?pW`bFS}*!@#aJ@65mx~O2!ZHa}sT1z+89gk1R3Y<{tXYEO?)%g`2}EFkA;Unj#>QXzfL9<{^Ko$>z8ZvxAd_hyI_b zx%&BmR>7!F`+!S&u~Hi;#ciG(CxXq&>)hN;6&t~cX`|`qTA|H~WNZN^cgBsOmWyAY ze^v?fj4SHb>Tc7ZD+YGGt2FbAh*wuR<)ehW&=Euvc_nb+uM# zJlDm;zEHgLxGls37SL^&g59N{p^oRIL9TpC|2H^;n}4|WTK|DUMBP95=JlL_l6zgG&%eFZku{cmtPZa2x}HIYYDlk zB1Uu3F_o9%iL!gU)MsxUF4f1h$~7+##>$QGT*^>IMJxTEU53o!t=2eUA6tvRG&^d= znpoTZQvUVyKIMhSj*C9


    EJKdHu(r=n-o>(c613XBLhRP&Vy`0`$ndi{r%eJ7);tMQ= zt<7gQ>M2*^W-G4+KJWJq1NgV+;^wLKvF}L)JX?91>ShnQi&^b}z6)t-Vc2`4By`bY#?}|IzjpV@WVT zQMAz6T**<#+Z!>kd3X#2@)oJy(G*&4#y_;Im5Z8IO{56ic(%HyrRNLNA!FG(fw|?J zHab&-vit3rN*J#EE zC4ILqJ&XyDtn`bdegj9gfkk<3dz-mtvBzeWfK(lVjt_O1`LU!$*>f(sJ&Rs5r(+zC zyuSShWWXpUMEMqQ_3#hN%wJdZiYQcam%df{dD(N(0Y4f^`EMZEEk)B+ak8pfwXQ)E zD-oSJmwf8AC@jQ_3PO$7F`0`QL`PO^NN)OyZt^ZRMrHwDbSe=P37GaqnkubtcQW}ic8z2Kre;9d@_8_*y~6t9~t_FlWqWV|=K3Za{n@AbQ@ zZl2o9XdS;GE`^<9f3M3Ot-G+aigpV1wc&v(}mQD+T3f?uLx&nzO6?PtN zt(W^@{0TVz?CYpXiv-5EzFT5K68vQB zhnqq*TD$3fuSLwmiDebz-tsw;iJQ=M$?QK}72Ve0j&2nRAt<@%)CsXx3W^Uix4PeM zcGUkWyyI)2R``8~r6!sm0q#yXWl-$=WoG8*1zres4}>o$7+SqgnxF4aeHqc7D;**kws{XFcy2}-19ZpFqJsOA7LoQxfFJ{5cl ztm3{7^F*9ioUH1S(G^8C5@idpXZz^k2;P%E#c`k$;JVU#er)N z5Orn0(sL*K0J53(G|!9q$J?S^ z5;qQ@tQjr~tC~B=(TS6%M%(Z#y=0W^D(aiQo_}SY^<*AX_VHuL)a1N&5YqOVyMoQT zgg0J~@1n-v>lS~YbL(bx;PdnGjw1(9CDubk zKjQH0{-P--w565fKiupXCAL4o?0ew>1K>><_+ut&_>Jd$1|5`Tyw5(7iY2~=y05*N z{a_nz6m_7(1M)b#%(~it;`g~|vj6-}jy*24GeQ$^Mry8butk5b(qV){DV7d5y)8Cu zQz$&wrzmiFrtTLeIKcFKM(uzH4Wgw^BflmE<+WHl!=v|`cRU^3B0+sTN&=14M_wj= zYoWo@m`}(_Ovq7X)B4^er#{Z2G&MV`W{Di2=>;ah`L0XGUhngbuV zKC=MsdwbHS97oE5HDuX%4Kh0RFWVEUXr~+Q2ct_OryAd)re?XG8>MiaZ&$i~j*{Fj z@9eSsgVa`&vDof><{E zzUfi%1(yD|U{Uam9SNx)R~w1 zs&IH}j(APr4T-STZ~&)*v$VR@-m542fTwA^*2ehVSusW+_b@BlRV8WiqZ7xm2qqWVV*tRY3tu6-z*1 z1(#XjhRY=O!xa8ehg5WawnR(1eNgwhR3A;T=`LP!JZEcBQIpoI8ME6lZC>s2Z6nQL z{d}%!rM+bBtFmMBp;aJ|R5CROci=GRC~0UL-mjHhHI*Q-SW(~I@EthbMt|_+F+n0I z!>PK5PE`mlgdpQOI`!2D5Z#;rhzk$$>5)m#hE5kxdpL_bXq_W(6eljnjBfs2O z^)1d8t?BNIKcjYn|7+BaDe9Fxcdqh3YZF}zwD-yVvjiRI6A6IIHy*bKb1Rcc6+Y^& zOs|YNyrs-}c<_W=$CVG1JB+DV80j>-o}|m_viGN=nJU_Je72mpFe&6CHMBsf{`c3&uvyzyOMx@)b_SE-b=%A;sIDt6XiHx*Y1H$Y z*5T8Pn;O@xnE!_%gVNs479sQB%>$JlTOu0@iRFBL;xif>x7!6@dnw8_ptmO*hr4z< z1nnj`dh7K*tL>F7yP#>>5u|0uom=vC359!K^Ih>+0`^c+5>D5H2XF!ivB6eF3tfaN z1dzpZ^Ejilt}0jSWK11Lyup56l@)tuo*Ze__dyxiO?j(UXa!3S>8)`aA1dC>@sVLk zVMbQ=>Q9ld4NlBIPK5LO*J<0DPhvs<1H?)8*PY}qyN;t&din{1Hzr#LK0SlP{u+7V z#IJvZ;XHjrni@iZLWWicjYpGNUMOb68Aat5yp2{$LZ*733fi;NE5R5#_6e(mO4I5M zf~_8^6ND_v3L@~2stPA*Z(kzOGMkp?L{9#PKR;%ijF7ESz_}*)6NFq}qY}vKNNC z3XAWt)dp$BA;wkn5tc_>7X%KnaS&i8iLy?v@j#vIyqgBm=S>|$bbbay9U-!?M-}&Wb*NfbimX_q? zr1D1pE-~?i|9CrpUCizt;IYHwd=q$o$0@TxVtJfvs>8ot)SJk$5))^>Yk#pd5JxI= z^e|O7N2Z%WC37Q*7<+;hgQk&`7n3e%`Bde-dOYv}5uUmh2{izTTtMJ%VolT2w2_;b zm*PFi&Um3U=VGn>%uNa<$4HMS-mOiX7XPTWLctj)Axlseg!}8K6&I+%;gpEg4&nAb zj9T!$yvW~Yf3@t7ii+QJ<(d%kt!EVjh3b!Zxb+2t`BnQ+rqZhH@L+zYmosUrZRfWy$s2cLdhrj(@!$vQKC5oh>g6 ztz-%P3)6UP29-uqfB12a8?Z8c2tfhT-HjF84DtyP$#s~Q#^z^M628+OwM-n9l^&#F za$$g}ylr>-rKi}3R~Sk%pz!^S{kf$ta{F7O0 zww*9xh5H~0xIb?;&stm%oQR0X{rx>8;9nvQN|(5nS?}V@S1b=w!1HY1V~AOg{RwK= z4~dfka$SL{;c6Uf*_NUqrC63V*G@<_(Qsw+`#Fv3rgX2lbpFpWW&f2qM6H7ml-7%ZSMx2h2>@ROa?mbZuku0GP;PU9Z2wQ4Sbu12FFAMfLG#v8L zi7}dp;TPnd;Bk^C%=I9|sBDbEoB@SNwTIiQM7M?VL9VH1KMaK8b|cS(*a)u?-rGB!`Bui zp(^IjB@0xYpFoa?X|-zlS8M9{-TweEIi;7H<2=gG*NMw1{=*9H*$s zxg&uGiR`9^KT5G5D{JB9DYcTx@Vd{bSfyap@cdDeC#Z#qfibF+a(cS{Ej8ug=yXej z2F>vp>5a!2b-x^}Q{u|vguIbr^q(+gBlK%d4ypeSdFq*-SN>!dLiAW{Y;5fjb$53r zfvkH9zts8QFf?L~PZk2X3U!TVZjIfT{99nt`Loy2cLkgwAYTTc`*7)>PcnQ_S(ie+ z&e6mY#qT)6A|$lyE3cAl%7*pNtNH*pT5UqiMU0>zp_kQ)WYMQCgMxx$)%?A|C?q7A ztHjDe8ofrQ{3CBpm34{14Pow7L1R}e45Oz*fLy&eqZ5sTfkCd>ZHg{5p%g7JyDZ@A zkFqbV2vK>`Stv+VBwa39ZojOpqH~{l{UCFQNR5#l{?hHPUm`T4Un)kzLExRde~KZB z+ecQY7QZTD%(U8@y^0lpIf*j9hiLKcV)dg@lj~*#_21hJ#p^OODc^Tu@ui7xC@EhB z{_q+W5P%hL3Q3hH^Zslw>tW*dy zCsXG66;?hOglO{V|MOTt+W3TockkYHk+u{U(*R=r>oWQG|F3)9+4zEdZMpRw;3Gc4 zeE>=+okO}ZJ3W6SsI#)d78?!Yk|B{#1Q!?gVmpYPMIj#E({mPmrvL#-U0og9;admb z^FJ$hmgl9vzrV_61YaXpwsJ5sDDWb2H`(}xMWn{zh@!+`rv*d-tLtyhUvuxNuleM9Qyr}X9{A2 zhiC5hz(Hlf*)q^|$fTvMB8yq3a{Q^{c49Mt`tOPJ)d~J}HH+-rYLNob?mSFlLE{^t zplx@OT%7*1I*Ej4a&oX|Ern|4FwMz7Q=nW=Q0`WdF)MatkkcNLr@!|3W+g+F$5)P? zMRzz;3gZX?_f=bqezQY;G?}8%6ZYc+l`ArI(_1RFVu=7VOLrJ#%Cojv0Lv^|npl8! zo*vwZg~Adcg7vXw=H;vPdn|*sQQmTm=dWQ60}|7dCG_7-skSCBd47C zKjN{#pfVP4Aj#I&t~5S|riyH93O7_ZH|4!Us7}*w{`1R@#kW-!ZyvdY%qMi%eZ}3m zYQqcbo;MO&jh|~*1LL~wj#qYfG!fw7{H0b`o$Hll($I#~@J#5%($1Or+AZohL)B+G zk|O)7d*_4J5A`rXkHU`!g#M!`LQ*#Cou!$oV#19cfs8}^wa!pj(+PU)2zE|+p6P01 z%$gqQv#=|PO+>82E!`d+$TzI7inEqrEcGKr?Y8shVf1P@rfJC>)MR5dQUtTNd_$3V{%|R+q|OuN z{CIoBR9dmQqPs^L(x$zLQ|LENp+TiP{?fwZ;SN#Wpih zF`6v*hsa``K$a;!KG&>u4qsF~{nVsw-%F6@2u3mQ+R~JrtN`~40X+-~s&a|2Uf!17C_hn*)1$KUSN38OHDL*5I`xBeKZBHE93;NAt$wpogdo`y6C2wSd3>`!DT z_L9}Um(gh`x|h{gRja=|L7F|;T^f>I$1AD+iGrlbB4+l)?QZySSMxVvI-bAR`uNlODT6?FyOHUBi`S8VQp-A+D1-(_78onwOl61{C1JBl$FzOv-9Ne_< z=C-q6<&BBU2hLaP0Nz#KpAEd@rqFWFU}4_*THm|IN1(vc;Z+p9)@PZZ$cX3)cK*RL z;p2zc76zRb`?ST_oIVBC^gILUjWyv9Dv}Q0l5<$CcckMc@$CBP1Mk0c3fNDTJgJK# zN(|%S;i%}OPQMC%9$}|5q}f4f(=*gaWNS;*zIF)>se39_u|zM;k|pjwolaghdD`yL z5j>9%uk3#xFA6;+OoW()CTGU51BC)VnILLja#ON8@qHUUllNT?HTVwAUq~~kFAUkH zZ(n4A=&MN-7l0?GN5T2tU|!gzs=96Rgk0P;$#Uab6{@?r7oR4!#>2XvEzPGt^eP_4 z^Ho5N-ZAdoE%>cHoWcF11SrmTx2Lf4W!XwB;qq-?*Zyk46VUzY5xytmNbO?Abco8t zv3uNi|L&?aj(Fw#N}HWR|8b}IB;lGA0Afrg)>pPROsK3l59z@(aH{$;ozPvZEOjHTvLosJ>thmFlA z8Vx8dK8cBi%PDy6V>R=b4da}8c*SgQ{7<~p@f>d`o5XC+l*Mjn;nn>6@MtAtnMmdg zF1x7?X8~(eEQE4iX8PYkaasU$zAvs?3byB$VH8HAW>=ldf zE{038q#GJjMjJn;wb9h1nvPgy0T~bfual7aec=KJPc3iYi7sER-mbdRuq8FLj*{1S z32M&LV=STZVXd?SJlUy7lzy~pP9@ypxdlSBZx&geZs5s;bv{)u&WX%GCLkwReH-sN zV=55elKeV6UHu-M6fDdL%D|KFpW#z42 zZ+_huR?^42pm-dzuSR?HD}?zUb9%5Dez5aKIo%vyGqW=L(3mtWpz7bWb-l?TMpKCq zjdql_eEWN;F+B!8kuf3;#oq(wrzTsaM)>rmu-(7T2{(q244(soL7xU5?|G zhVuHrB+mk~0ZP=wFYXa$=?so`P~%y7r()=LV$-v=RgH7NAJ-;nY>N$NdCHOJ8m&_y zpBg-h5X^}9dkIvZ^&j)*x%mp;xxD9c_h;$cX7j0r?7Plj`s=I-V6NOEz1G^R1p#Gv zoWk@Xz!;(W%m?f8@3Q3@%mc4lG~J9q=l&8d#|AnIx%z*HoaZsfNcsjzg#2*96vsJ5 zhD|>E5xcuBh`tl^Wl#%=@BJds(xEbOt8veIWe| z@|c1>G0~!179bkvH5@_+*83Eb802qMr$mzTt+}nhg1=_M7EM%9t$mr0&4a7-h1bS9 z#l+w5muo7XkAOo=P`8kBQ#`NMXsUhNAIuY9%8h_>9FI(ov~77ktWMo$JILwZU!^j_ z-0#DYk6E0G&(=Cd^tq*}I`J-;OM*4Ci#C3F2KzgU@;_a6{`kSFFlN%Xe#L+!YT}CO#B(CJ*9pT{R2&kZVOp3ZltLnE zz7}-wFffSg4-`;WxtsA+rOENb?6Uo}wma5VrKG)DP2jF#xsu&2(2NNrIGx14H)zQ! zm0DqK%-EZVVc6^#D>;DPJ)Umt$4+B4Z!@$}?XMb?n=`LukZ&2yik3uz{2!j$+!jt8 z{0i-Si{3AGtgp?7=ZJmawi^-ZxB@PX0L?$q45*S?woGxDJz+k4iNiH#(7aq{T4bL7 zL+>MFKBr@LJg)LDp#i8Y&ga8tG2gj|-H8qc{7fZ3e~W;GoS#DJM+gA{m=T;cr{>0- zfo^UFlM{t|){Liphn66ct<n-(}#g5hUm`~o*`Gxc-2G(!#?*OW<{g zPe%FCpnTPWcGw<%;QYJ7HAZnIAMDR1?4@S2CeLM(X4lq30KuQL+y+h1#kye%akokT zM|(*P6V^9w2A;f?a>fDoI5If4_30p(ap44h%^eaL|F&;!#mMhzT>H6T_D;0%n`)xS z1(8|FF}HP*oWh2Nw^pkqgLKAmzYPF+4m{7(0%Nh;)B* zj#U;qrnuJ0)4TR9r$=To&3JEI3$ow0bLpCdi6u7oj6731&&}6sNr=}nWboGm_mudZ z+A&kN61E$0#+{{*Ze*}~-V3J$K)-422GFjzd);Xh3BYkZr`JQg7;H8tAGdlK#)7xI zW~GT1-FY1!6N*yzw+57VkAXYYS&z8aE2HRwQ57!tO&u(Dh^N~H@U3;_dggSAb z9nbEpNVamKKizYxXDOos`MK&31Wg>>?$K3+h4`H=@5@S0#tK};Pdjw}F1mU5GC0G3D)F9q}C26H6)%@1mkFPtj6Zm%hO=|1#;(q7*-99j$?Qv=Ov#~IH zfHTv6wiv_j=dMp0gIky85SBhyu-n})KY~0#3FEEDfzG@nayJ65cU|`Nty-E>t0Pzp z0uy|zwchsj_GgAYp`VE^Kzy3D7-s*-p!Ui?*Vp|HrwdmTp3Up<@$r44P+U39F6YNG zA;$IjsTHaCBs;euMJJrTHpMx&!gk!67KzrQ;7a(F7*+cp0Z zQSJ4wxnhloN9t<3H=A#JHx+XX0UJI(Icvtgi$S|2Sq){>V%_OoM#TZp?(Z*9DffUU zzQv*2!|yvW6c9DPUu{znMcJ8BpTpNr5~XQRjaHtLlFLqTZNLblk%D zeck-Bi0J$9P~h$iwX2_7PhSJ1Rnq9hRD3n3-NIT~acB(|yVl{iP`LlanzB}u-83G4 zC6x(jyd?gRYioatxA~jM z`97P?7WeH65$7k&R(`S}+1QvL*4Z3TNsIG5Akq@mV`s<_n)I4o$Dpnx{~X;Ecbguieb_pu&+p&>U+*S2=SEJB9bK6;6H_Xh;C5eE*!a!%fRYr|-ua`r zDi>t??#6O02c>;jO=XiNpwdz(WV7%3VdsY9=)toM%eW4Ly0lR&x`H&}>v{$+PdHEt_s z@5pv$$o>(~$v&yRtRthWZ_Z;~TP;e^o9{0@B^xCEXw`-5?;{El78F2uL>^I;Feo5Qq0z zxBC2^c>Rmd@ru26XJ=<;zB3!F{v^u}Fddw_-*1C5ZXOd~)>}EgTTI;6?Y9bO?+?Xa zE}AfVn4zL7o>ylno8`)wsaC7DJm~x=JDxl&0k>RZKDDE0Qnu6x=q|L&k)(c@J+%OP zgkV37w#pF(u;R=nD&y;97O>P-5rcJwZ(LNAG)g5bT+s|dYc_s!h#sK7*tPmeOcM46 zs{ZgRY$qo+<%sEATLbfy!dKPuj`BVYtX>a;LmNGh;m-m$eS<8ZcZ;NwHQtuG4BcxD z4t>>PmN+FwI9QAudI9r2jBpC?9wIw;IW50C3l}8-gsuRXpj|sb`2(Ja-hit2JO%fn z6us_a6>Wo)J3h>O;_}K%2kd@iR%QVxNroUus-t(?KmbXaTX=Z?CQAzDiQzkP zlljeb?fE(;_Azov1ay7k3~tZos3Q++iRISpo5zg>(GRV$Q%I-(cq_r7a5+s#DGZSF zv&#JUocP6!O;gIts7&mnq_t&XRv0e@1q80`FD}ln%>vL_Xsu`)s9(VE%DugJFL$OV zpns0fQgL>z*R51Wm(GTnE9D!P7MG5Kg^P_^>oGLGq6EL3XKtdz65%;PaGrJtx`;_} zcE8hw_4gMR>iJ^4jv2y|fV0VLc)kBIPxJ{8H$^OXgjXFAyslFSgV%L(t>^^J#T4kI zj2<8i?Nw%B)IwPX!*$qs1SsA&av{Q*9uruV`G`& zpWiMotf8+K2u(gVR9IaDVku8eO~z@cjkRc+2Qh*ZO~Lcg5Dg{d8S<|5VqUqn1$(L@ zMa&C?=^VcMdmbfn1Qu|1)>7@x#r!Jpc9@$66?8d7M?FNp_JFN2i=P}ayh0hucHf#^ z5w%|Ad>YEO&0sE6q)ZN}P|pE0W2`Idip@)+`C5A&N|9cEetkFwH6%|$#^aHpqJzt| zd!V>WSzxS@($1U4Q8^|MLuW>J`pez(O;5;e{o?5jWjcTH^v@2V8@zhL)jet@ZmSaF z&OEm=E$&pbw6w0xy3henXbSc|*zHwpzh1ld;~uw(%YSF#s02j~ob48jco#O-Y+}Vx z;aJ*gzTva?7f#;@kFrVTe`mkSGz4&2O$146I%cLfAO3evzc{^Rsz01BOdjNsX&umq z<7q&5zrB^9HaDbYJ`+I`?6pd$T;XKa7)Emu*Oc4VkFUicbYY5{tFEbuE@TROZw8dy`+v!X|mCzZ5qZlv}}xt(FganpVL^VciEXrTeghZLFW?EMKqS_NS% zJXeLuKzK`#ZmVpp9E9Lvi$&Y)8D_-Mbi8^Bcho3L{%>wb#B>o+rD8(dO0;o-R;b6PIZ6io2vge-VS7UKe9P^-jY9i!fRq0dJoi$#$Y!2 zvO=CgCByW|j0@>-Bm0XoV5lf!F8OSssI!Zg^Ln6NJ|)jderkEe4xU=??HEXQjp|U9 zFMsZwr_m$5HQOfMrSE8s2`E|{H(Cmynn_Z;ad?dzD~?f*?zF$!SOM9=qHS>Iw3u(Q z3`E>=ZQxjpSS_`fs@n1t(uRRE(p9XfB$4B>J4Eb9S5a16E9*J0cG#V-``k~JA&5zM z=V%0drSSSLYaGoe_(9Vve;}MtXi4ol}(wYy2mwk8KODVfg6?AEkWi zuMI22UVv9sGp}ZfDl-6#k2wsfM_7?lW?6-IfWa+BNqjVZ|e z0LK0Rwt$;8r3C3?J(2pNu=+eV%pj{r+5^bPAiU3tq9_(p`skhE8~( zFBIM@klQC-`n&|f@rWz#shp>74~JoCse>>B#}kxMAl{K=*J~M+xU-Rx(c_-m8lkx& zivHGS$M`+J(6g=K^W9xD3q1)F43C@VP7mE(R+>(&p(C5BuigyP(;~$J9T%$?d*w^K z?ze=298p3$Q`k^;=(Ql5F(CtK_~ous=GBbX$1dmBwr@;}6-Rv535yqk zv$8_C8WdS0jexT-M%|49oqZn=IVzoRbJK#*?Ftdl1{NWrVAO3v&davog@3I-{G}HQ ztH!H#Nxv73l%yg7*_+CqCYiy)x%I3RdtNZpN(cLJfR*)GtXK+5b1P|WwpVShRnR^6 zW`;%^mcm8c&nla_!Ou3YFQ}txtEzI1ia*j8y>NbJ24e#~!ZAt<%8%7g_lI>;> zVIb0_G)1(ZWT3DqCnDz1Yc5-;t7-JI;rlTTcHrpJlM+jR9)#JK941bssV(kqY)8_7 ztTq3!16-xq$k%SpaTxk!-#7deiXWL2Os&~0-yVJSyM0&7pDmZvkuQl1k!fRVNAoaA zE5KZ7I^LNTjMgJ;VD7lhTr5cVQbm2O&=e^&cc{Q542zHd9}gH9L82giV{^oZqS~Om zu-x(yoDfc6rS;*wdL~DBr$8LF-G-3Y^;ukMCv9ZH@ugRj?A08HV!60>k55sqb6V9F z1UvKo*Wh6~6MSw?r&9+TOQV9aPvRu%K#n9^Mnc^i9!~-koqn!6!lMV4!q~S_?iz4; zmD|(Kn=*}^B`T{Am?ffzAm!tAX5!VcK4I#*mQV>AN(1zLw5235A@%jJ?)Z4$I0hv^ zF`mXlrKf!cCZ;bCTH9n%SJTD`CuWd4G&0WZ%?4m?Ugh%q)Xv$Ffpz>-g=E!uG}y3# z)NOOezsrnu?q0mmbe6(fNI18lQo`k@pew%qh|^R9$U|4((54M@8=uSBNM!6xwZw^j z33I|osPo$Ee1<+hkv%d5RP`6JUwq0X89g#`bnUqI^*Caz*-@VPLN#5(vTBU8Zu3;+ zWlP*z`?z2xzcK_ddNu1V#H?nTSHy0HMVEWo(ll zb^Xw>NM5RH*EjF4Ub0HeB(Lm#(=pLi$>!Pw`eA9Amqz_twTE=%T1+Y-Gk2wHaA6j9 znP}_E5dxU1oaqj_w;*9wABn?Ov9&4gNUA< zo?LWW`>=?h6wq#DX!v#u0|SekG)Ih9HHCQ&C1OE;weY@7s?TrR-sCicSYM7wexi$pGOgecccqn&d?%laMUr&r@1x8ix_$U?+ zK(RPmF3|7lvvKpD1Kbc%qHAN}EC)O3JTlqAEKdD-ax zrrvV$dPYbRzf%D&U!6@fwXrp$@3dr#GqH0Yu6F~MNP5DYr(d2eNhdMTE4{0UT{mfY z3hz$H)Kd#iy$OFRUD>TCJfOBcFm<1qvJPtQ69qP+u7NWyTBEYp< z<%2Vcj}5Yaa8YzqlT0c|wG^IymU#}|&?YqB`l1Ewh)BlEG@W!JTd$Y0ke|$?hxHT^ zZIxI%i-zfnJds2Rd2)(n(AIcybglVtnkS6zP!e|=?#hy1-&pWH?6rzqddx<`X)T-^ zHyKT_)sCcG|T3esB^r+)WJZh&er6?5KHz08Rl6fpI#R ztFfG|EPLl&iF~jGr5kFjZKN&Hun|BU;ODA%MR{(y7FZNPg@s+CO#8Xmm2LAo{ryMw zN5iAe&l})_d$!fQPnN6hSvd^Z+? z=ep-pCG$`vqP#kb;n3pcPQbg&=+#r98PIG|13&czz;y5VHThy74?8}Ch?pVNu%ZY% zfKN}RGCMy}`a-Q3_dw+Sau8rV_$6cMi%}>Iu}gIK{%hBhaYn1IEh?Jg5By_)!2a)^ z77geX+SuFe^=mikNWJ{0FN2obm zu5i*0@9@=J%e|9El~_W}ujp^0r%MGj;K48 zzCROui^mOV5a~I*QL|S(dvVtC^%rj4pxL#ldwbbkTs;@@HL`TCj8}~HHPWp3@ybEoI~Dl z=ah^oqyBDLb6rVDlJ?Eh(Y0n0>N7!~%*i(wQS+VTX_|GO16@s?s~L8=VT)uV$#rix zUl|PHv>5c&IU^zwihnnDu2UhO3`qqd?+T|0%~Ygu`NfA*NNV|1m68&g&bc+PnZLw19wbP3yhgT5+49H) zS$fD}DAU3MSy{1gIYP65ylymoyrcZ%bbBVMZ7`(^OaQdD@W|*)_wdrEnxKYEK%&Fs zlU{DsC|2dM{7Pr&LXFugnB?dHGjk}D(j8vMoua&_x-Cy6hx!#K$1QgEm#Q?~7EjS# z1WD6g-TW%WaK|NsMnyIxg0y?L2iIQ_5xW71gduGX<@CLbgB37M&Be&#lInIzyUJA_yo`XoCFY_Z^`K%hp-{1k@wEUN zP!P~?7T*5E-#3N7l#us6q^oi5lAvXak*=H}d~Tpl5%OX|o){>BQ`|s}qdGf1DFO7_hyuZCt6m+mFPXXP(H}B!J*?B0WB@u<7 zqI>lL9czCgQ=2-Kp5iePrhNP(NdNw5A@0Av_V*I`!|Ciwz9J9GcU~+!L)LC`3d1F; zuBlDsvUjgJpl0WLU;n0Ng+i|9o8iUyDj8hB>Mz^tA5QxFuPZ4iD_>w9Ul8!jAZ{Ug zqVL^?;*di6>jHKKO#ax@f=xCm7~dm&?Mh=4F$V<+eLZ1*r_JY2saaw97bW_uqwYWG zvP&IIWc710phN2VJ-Q4i)1&pAH~7p(V|6bmlKjI(3804X)GGgELe1HddnH|_D#&L7 zPEdx1Yr9eY0P&|Wu#$rMhI}NAVM9kC>DYVLO#EaaRkmWRYAZkNeSNkhI-M^ioVyX^ z3|4C;#?2Gt$MfaYamd(aOy9HN<#?e7aTAg80im3_D7Ni46#}E7h0rKO#S)Lt{^|;F zf|)lBEtRqAgdSUHaW1s6;K~5j=howmvQ8Th=$XJAD~QM_GC%ik$|*zHI|LE=)2grF zjf3el8n~~flzqC5P{7A`!_qtp_^Xq5YaVs#-w*Q|-&fL-k_B{OhCz*QOW8MV^4jQp z3YvJlccCG)75l>5gC9F2f6X4@4Q_ny(_gJW=72`Qy2INwRWt*SAXOL|#y=sx??acN z={;q8K4K&KaM#e}bNS+U7N(ru{ZiQ*nS#RGN)3m|FuRWkT#~_?ZxKF`J$o2yUs_xA z*%smyKBq<@%(uA&fua0oU;oOZ_$?U681O`N*BB*INC70?k6zS5{i&V*;FEs+NyPs- zD|1HblKf3D&)%`tsj%F1 zLXY<2)Bh&_;A#gXJ_lZOWuh(osze_x!5HZw!n4XExP4**w672Vl~thx|QT7rY4!0>m1&iFXdc$!+(Os zF=sI6fpc2QgNY$0Xxd3h*X-5p&ppbDm}VQlo)G)hZNGHckLLq$!Jn}=RLCd#&v)=0 zAo}yZ<}vPwfT&RSm5z&lW|S*GvR+8*j9AGv{3dH*fN z-^Z0&E*_iF>GS7M&=_sA$uei#EXs1QOHpBKAD|9&oO+D#$7uMJ2|dycY>mbU*88Vn zU^m;UdxY}^L57l;iZ&B)@nXJg!q|bSpz*m^X>uSZhGcQBf~Ohjx0brA_=xt@rMuwB zIDXyOz~8!$m)?7Gr{1I(fm3F~bWy^4VXB--{pWCkUA<|*&0(w$ z$m5CT-Q9sw(Qzp;ajI$^gg(jY12Ux|cYWsQ(#H-JaP`t?HxEg3hjKCiXCH`MH27(QQV%dkB0(6 z`X{BP_PIGt3}ro@9P0WRda7tB0l#hhki)G7P*iETm?WYbhs=_IdUT03& z(G+b;W|4ktHYe7bD(bdGxZJ&Fl8aJ){wM9{Tf6yh2%#r3ig-=2zAuG8ML{>|+nkz3 zi1T{&Bdze7FrMV zgm^$zNwkI_>z_UHeKGld+lA^kL#)Yqx88)M5s4fDP;Y}IEv@VeK2N>-4F%lyYjhJH z^-&=|Ilgeicz#dGnDTv*(iFrm&0L$vW6j^Zu1vR%S9^zDx)ozp-yy znU|WOlB*MeqnTVxV3?L>t&_7=mco4&25Y5y953|vC?NmDP9L9G{e)1^uaj7j*-nim z*Va!2oEA~dGLA{DsvL-BR6k_cExOS3Kyj+5fGwTllVg>FtgVHc(#Imw6;O~)k%Pvg zW#(!8=5x{0ir|-)jjd5hE%s-*Q@J%KSh#J%-{cesU5Q5GameeAixU-_EUzG9y1T2X zHp^l&+ZdDA6mGtgg#U0BOoPYeCNKJU!hBElZI9|rlSK`FypFe2#KSS$D;iEtHg4*? z@_Hp{#k|a%uoO{EtfoMw7G6mkfp`wmJ;iI>Hg9%DTXC2!nkQD=lDJ$~YzN62&-)b+ z-R`Y~-36x9P7_@7pR{MuH*Ybq* zs9mr<@lVj`I|uasB-(>Ld2rR6WYSr^P9o5ySYGO)z9ygZYR|%ug(Nu*k(hl6yc^gJ z(4Eyc1G1OF4^xK?Ggz9k>$NAtkZ?(GS!>3kf{W5*+&*yNMrLd-waJz3}w5G<7w`@zX$4%*zsT5Q9nkhcOYH z=;>Ewyzjuvu0OPdf?u9=qTSBe-o9`DZHdCmsc`F7r)oKIb6*jYWEOKagUN8^7*{bj z-gSEPi{0+R<*C%h9nB7}pp6j{I7g^ZpG7Ttt$Oi;zB~f25DyQ9AQ8ZLIQ?>y1#NFR zr41G?^kP)>r#7iL%i&9B+rc ziJKj3)j0qi!>=uBR@mvx?lqCS*0_{ko!%EL9#B^WD25;^Ui9h0bGaP)Q(mEgQ@m-9 z&Nmy#oj`HwG}hwXLAPa^44w~%+(9yFcq`T~U*mks=~RFrAXxT1&&>eLb})-MsY^)p z9!X9QCysv7!{8?YXV?)|85i@!k~gCxs;I;Du}1~a^muA-na>0wcLJ}`yth<*kAJG$Z?%Va-xnwb)-&VKEG(=!L(%agfYFcE@kAH=@rSw$mff`$ zt5NPdp|Q^rBK<{Z_pcF}o2azO$e1eow}~=>96fp#;z}0Sr7U|!ve5buMs6PmH9bwl zOdxmgZFpmU=dkT(fIlAuF2L3llg7ha#gys&*65|!p9bp3boloKh6N^zMH7bgQ=Y)q1}C6`nmcCQ3n%{Z)UWp?9=aEfOzZ5@FS}{Aoas$BY1>xZ zmsmMqwh(g696Djcdgy0ohQ+FRciL40Wi(zq#|JRh9L!c(FykVUsiP5MfQ~`;`LSA= zbEMJ~bj&*m`0dyOhrDjs1S!M|kpGr1SEZqlcB=v&?LCC(eo?0EKv3y0t+wkNcd>XX z)SYMBQK|p5s++da+1kWPuj36yk8l8Y{T6ymd=D)+Mv=&9S$@BVgFj_yK;u>zdjujkL z1|xUXriZ(u#lgaYidIi*qJ0;(-`8Ocr{6|)cu*T0EY{j@_&X&-wnfS7d)e_^pA#}^ zGjN*D^cLtYFO^<~T~sTbRgQNoHP<`cI|-&<7&n5Ux1)Nl2dC%b|Yl4}+!r zb6Wvm22U*xYN7C35x6o@;8CR<;#Edu8*_(WVItL#_)MGC{cu}EK*)kXaOP5_Vn&iZ zmNX84Uw8#K?TbWgbV0GEC`Ar)KJkRH;Gf==J^X?B2`nA82 zwb=_-(r6<02koXkr&nb-9VH_GsHW+rd7Kmb{4d>B4SCKWHaFlU(r)ZC-!~f~BZ)xC zZ9i@e$c%x;+Vm|#Si1xXkLo)9grtS?q_g+RM>1vWo2qBL>dnTWg?dPxI|<>Vo@M6; z9_QHf&qK*GFFCeA8r=4?Q%LZtUB$&Zw%D|1n@zGhx9=`S$e`j+IfWP;OW5#UvtDt@ zf?A3<>D56;r>N*ty6d$bM~B*%mHfouLhvf}Xc`$i4~QusUh@O#x6}9RAH5@T%r>jd zj(iIIUc)@}>tmT@04**e2I_JWxDt&0@9G@}24dPy9}nx|fiu4OguMTMVEe7U{{q_! z0J&O;k4pRFGDQk!^B2$F%M$9xNYfTy)cEs&>XC~QWSy&yP@;NVutwlLfvu62FHl}6 zX?W#7E#sIVsig7@>jYHXS?#sLptsZ{LS{q(`fgnM9#7HhoVR%)_VeOT_?6MkIe-TH zzjhRTkP}kNrjq(|!}<{f=Y9qu06fIaq&?3O05#D7I>JoWk3M9VR9;VU zo?Hmd@zP97R(Bw%eARS!YL-EO&jECw1Y8g(Ah(s+?n=GF#n7<0F*F+e~Wb7GCtGXTu?b~=y$;hbW zuDCtIo&!gngO=&3D#h>wpN`jc;Zss(uhiejxVx#(mNRdN?%a^T`5k!_3?n=^)~vd6 z(FHYvMm5ZDh{LJf=vEaYy}`xXMvJ3p-`~Gnchq!FS9g~dm03V(*U9ZE56+tEDGPH} z^(pO3HT=Pc)5d2c9gja4T?cKS52h-xNo$IZ02UUerWVE{3EErs$*JiRT>UWNQ2G}V zV__=&K=WSAmHK3zZ?58kCK_2V>5Hx#j-&qD|_9O1rj&mj7)64=wD+L)u+GFHEovqzu8oc4akz2$U@@LIRe zOwzN$PgR&JA%VUL`?($Z7!QrtbXhTW&7Ev-z`ra1Uy)+5eZjt-pgLdb(iw5~x7_v4 zIqw`I+uoc(AgXwJ*|z(bY;XuC&@ZRYdA{~4T@4mxFSU=bR8*e5%4o9tVCoRL>^~p* z5-~7U&Fw{E21&G>mPodMdF6$3mCz@@jezHY-LMY6;DiE+5Fq)@TMN06as?_>Lex0s z!>ys!F@DcJOh3#a-1CtmEI|&AoZz~{mIJo-G+r$5l>K-K)2qpDbLxf2=-THRJjQR$ zZaOD3(c^Suc0^)6UMVOGF6K}k^F|e8_QYasQMufvGEbe}CjHueV3_(!_gUP7r|>1t zGws#(N$R_&^i~#m9Uu3ae6y#-$7yl$(SkSf9ujh{mpzksO8hF`?A(yk%y4D@>HH(g z`^=6{6#LMM+A(*!Y?O(4$os;}#Q*V2wyuAh&m?0d=IQ1*b47jsphqAo%+b(1+Q%#WB9U1L~i7ko!+)+ioK4I-Q%z7GH{Gj*hgK00R4T|h?B^l9nNbj@bE@_U96K8_Kqa#=;(xlgb?6CMnlPm z@~K>LZkFVms18IrR5psKR!&)@2i$rg-?9VUR zN?lr^oL8q-MgL8oYK29eV;H zA?YA)GNLC)qId}4Yac9rIC*GiZx@S0M9R#}>ml!JZ9S2ntVzr8 zgBX^kf3|qCH_${)P4DDhCX;t>P=sw$GD2owX}@kQG+ucjtaiw+$N#4x@E*~<2|{3F ziCv%p+%M}ObO5J{wFwfQE3f;zoTSX{gN?rvLU2|3bh)l*x9b{q?eV^_w-?&Sy6wF$ zobS;3@l@|qXj6jwT<&cy;Qbys`_c7v8xkCR==<>Cpw8<+7$Cjv+Jw0}ZW1679y-_3m43BEB>@2IcFc z8AEwg$J+YUx>3cBa9zSB?b#-*2(bGrdB)|A!JtqTOBNSVk*vLcSVH!FXxIn1`Br1I zx8^13dSVmfQ_*e)MBsEpVXFM69mLulKegQ>$Wz4E7f+ru>b2et81&t|I3DCJ_jFj7 zJb-yf8A{-MdJg3XDuWzr|m zc{;od(2`6FdKu@o2WMS(@*_cz@1qKg9l8LB!#2ry_qDCmLvBf_#gyshRxysforCVpFbb5mt>hSlry z_oDp2DpD855lTE6q}@+TcHUdu0vB+q!6PEwKRAG2#jj(=OfzZrDi@8K*8`yIrPKaX zQbf*|PsQnQ_Q9GmlUNDDhhBXp`oR^pABTidwa*r;q zMCy{|NsR@qJQW^Fu~3rNnNsg>ar7@P`SkjyF=7niv>D5TKLTsZgMH+W-&AjHxe+Dr zn`>dYREm4C&*k-1i=I92R(=5;L473s78R_yCcCw7>bKL8SG5Sj(k`s~pB5cvXcY}S z%NPHs`IE1t7qnXOUTUtk)0ubP=9{;xdaWj|b#37>ItWqPU5HjhHw35NwwL-vJypu6 zSFA*<8~cYCbAdop;bWo6_z(7hwKEd*eIZHA`o}S{7+?7QdS1i%298*7bmI?4j(5B?3vhTx9Gc1f65&{qU)vX?r(E=7vV*0a5|Xe z)V+(wMfMP`%XL(0*DG|(8%AC5Jhf2z=+pexjwI(&WWpT}T~!ESjM(}M!vk6NG9Gh_ zVS9QQ+=uNI`p2SH>2t!TTlwp-Fm@KAY9Ap;e<|5~E{I*McpMy@fB+2Lg56TRYNZrN zB-qZOp%OODYxBMM^T)TUTxvc(ltTgT68aDPU zbmo^wnd3J2FUp?~fsLqd9`bw`2$j@_MdyvSlo#)R7dw6uxXsx2B|j3-e2RWNaLY&H zk2vapNt5j2vR8z-!%&NkRxo*v9LugzoPlYg*Y<}3fO zYUWlZUm~q?n`h^$8GUDWymDlt!#M*GJAdT-8)TfyvNOz{q_b#M@Q+gnUQe&0w@KT$ zSy{bnU~Xx2ozqAhR~OFU30!QmwVjVoJ6bK^t)n7<+PoX@;3IWtPYF^5Zv#TSLnJn= zcsx8ZVhk4jmwn-*mCye#r7B?4_D?0~tEG3#2HH2}S4T@TeSKQ`e!m%2)~gK7%&!qw zk`3!2sa&mS%i0*RlvGr!pk#j>O7-{*Z8_s&YKPA+nCaGgmkv^#2xNM{dRU8-t{G8{ z6HYjhh}M8EGO+qK;^M5+7>U^R_8u^$S*D)tqSY1LeYhrn>Q2DziT5054`9DK7w`!h zs#W6IW*E{x-hFpAh+P~Go26!WB&0h_ZobYMq80GJ-CYet46l1-iR-oNJwg@}|NcfB zA=(8ae$cHfMH}-=mxjqjMZdw3fh`;6LP*_OU=jkU`PvjJg2Us`pJqxSIuYXOsY{RO zED)ZW%*{q~V|}tIDAdD1P+MBXmR~_D_Cb*_!-W53vp#g@ctcg5SeI2dIExgpK?`2L zfHv0n$EHq&21g)mZq4MB?F5W4yygJSASg9yu zy2udqbx!A{;62ODF}y-1;1spz8>Ay37Bxart3@WvD{r=fJ+KJY<3ZQw{!M#(8JKi< zQ*C*EB>@QXID{CUM{~fT6lZ_Zb+~Ziz5A*fi)nQh`&;X`gxsu+OoqK%Th4clCvUHN zOg*P{@pLEm`=Vr^@~qXlB+Huj4ArMDGrTz8ZM3`TK*z@&=hsM5ADx7<(c*vVK9m1$ zu?nF}iMF*eJCEbH<3&{q??p9vVZ0VrHstx1_|^w`d5H{d8^?77I)rJ7*1a%Y)6dT9 zqNA0Nl@5XPyuBX#l)oOrUft|p_b~6#I6a)?>$t;-ti{^0m&*OLK1uJXtb-HB-u75U zOrDzowWJ5WG)`atNZ*H0;Pv>`$(i@D!jhXx^TR~GLWl6F*-UEx`pik($zebKV@GwF z0K;EgX`2=0e*{a_)&cxZ0_5nq;Zed5eFMmri7)M#MFVaGr`4~fr&7|oNwE?l!v8ne zI$g0>cbNF9o_=S!8ZrREiE1Y%P4~r*;)CC!Vmdy#8xbS(kE@Y=T#1iMVBz8%mfz1c z4EUyAW#oqq$9kThNzxn`>i}^zqn;%ENU(?!pRh74pjY5)7vEUo6lfoQ^Ro&a-vy*Y zU~j|KPQ?pyWPhcKk3W#XP|S~e#k{txrLtGdo{S6XhGt7^7J2!3rhTVojUs*rCZ(6o zY?#Rd64;9s8*y-%_4svs=Er`M?N9v??8%k43s#nS_*=0eVSx2pW9O= zm@hd0C1}qL%Mz5}%+lJ-P_!-ByQe*n>$J`FR>}S#WaGO9=?^O;&2ZtMTxIXyL#Yv1 zZpFTOvq6GMEIQE@@&cU0gMxMZ{Pmbs-{t3Og<%?}v6iaGM`;-JT_c&SX8JuDD=)XJ z*a$o@M^CbKErpTQac(+-Tu%|iJROe-W~5G4sbQSl1D3Uc9?EhezY$KAMBvV%F7DC^ zbwWCk{luD#b?Onf-NHL(?RI^H%bq`&(4#BjfTR;u8T>|KpkM4V6E(-nG$JY}{}3#oq#x~}4kVX=&pVo9S^E^Z)GJ!a*5i4c zh!r~Up@*xMvO%|7`t<{kt^QjJ+^AW@;h@iA@MHW@`j9cj9wjnfh>Zo;`3p0+KJ$RAt@XKl2$n3 z@{&Psgg8udRX1tusv%>IR4(0ovx|()3DBWLj zFDMfRky>7@T;s3pDVTt0oqhBoGZt*z-qRsAKM_a=kA{ND;eIl2nffQ%s@o8)w;vh- z5-XEw2AGGNUWAu8+}&!kJq5Av_TYY7bTt%w6K1VDBQ8}BuW~2rtwg!HHwNlrDnm)D zd*rURr@V%Ja|~Lz3$JaT2o|;PlGFvsa@JYj$A>!KhkWS}{)2#%hMycg*M@blZoX|7 zg~yLf6rO%Q)0XgsLrQy3u~?_|>1V;ac@~*zm>?3>(5bB*rMo zC2FRC-3$APxk>joBX3N(ttF`3;Y4@G$@<3?%_9iENz3EmV@x%vcFiYQ)sn}` z^5+OjNJm6cv%hgpF(lQ74#*PXpZ3}JsJ71t&G7+P>Dn#B zj7vG=wcC9T!J~S38w5VcQMV<}UB}a50^8jyd0z|tF*EgA!ScYhd!Lf7e z4NK}vL;{~2GtMS!nDEmEEbNT#RS!eNK}-pz$?DYCoHe%9&-yVEKNf6D>r|MWN3>~i zI&X%Ltbq&gDKOh_n`;UamO~;4L?nK>+F?$|||Kj#SPyI?l21Xy>)d#yG zI7kRY=NdO|j@GaSkq$;j=YWGfVG;$|m7G*Y=F{d&Au4D7r{6x3Li+PU!(LR;NFBK- zx7#KbDn?40>KCO+1~!YCdhsgEA#Le%bIiaz#)Xz{f(sl?mBf3t6=g9YLj?&}etGzd zNfAxek>X5YbT?7eo?IL%)_eRMEw0wpqf&uFg#OV)&QDk%j?=t2h!KJoSKQ?2xU#}h zqc@huN89_Gn^}3o9MFt~&L8Arlx4uDf)rZ+d!!S5fRi~sHg<}d#_TH&u9O`MiKBq% zfE;#zj-RUdhjFjyW5doTc2B2t@1$6l{x63YAk*>OM6f^iAQLaZmb66jL z0*M$l62A@rQbUzi&Wo8|kzt}!7Pfr?H6TBMDJL6jv@If?D`iD&8!wiNW+Y@D@20?` z7quCy5GiFg6cY+FtDC$IBv^uW0Z=IA;exBf+wK1@W7`~_6sG4*UcLk z`%m+5a60=lUtX*$Q*ISi`fpegg#H=C<8y&rw)2jZ>+m3n^+Tk$j(@lSm&JOA=@9t^gxDyvz`;ntcv3<=UBTvI8Su3e}JMNJE!k6 z^N&A$Y`}YFWE2Hzou8epRJPvw;7^>E#9Z6AbAStlh6sK2crm{7%4^vWn0!Du;eQG= zD%QMQI-M@fOqT|7+zFW+LAY|+7$uxAo5#N0V;_|mhk5s`%~2>US@gvZ2hczG)}Q12 zttrPfi0*q30>d}T*Wfs1+W@3(K|!D=q?TMoJQ`Yh!;1HeS8BE#S%8mQe}HM zmQz#hMoHZ+NQsj$1xSPVFNF%SedR6mKJN*?$O%!}0rgxMDij>)Bm~ zn|oYA`1(cC=2rCq`i z?EJW#hz(G5SDEB6cCscpSSX|;In#Q%$SJVtRPnoaoG$Bam!Z(>p$$Q2#uaG-ZuREvuVcXAHarPeiFD%$sC!_emG)&f;w^o-%t&vx091=Aav#1 zH*|mf?+@bYFRA(o4dzQ-dfb0 z|LTKB(1jS_DWXCA?DvcQQ%gQigPGT_(^YhgXusy@fBr-zYOv7P2vPhSQTUgS^C=Sr zBX(sb+WMsb>CM0I$X5YhYaaZ)*x>J9|83iKBfg=5BaL6g{&OpT^`%@1_}WRd%>VJo zZ|!R(0E<~$x?^zEubcnn6IU#-h?ZYBV5F!^j8=1A?d0}kdmOB7d^qy>{HgrfGO*Mo zgYMAbD}*YeWc|lj%IJ%ZEfEDCamBHt!%6WfoMFyRleY7Q^h8lKsg^?zP7CD;YD&S| zkjj9mO3NZC7le!=ZER7ZHYF1mC>1AsN@QHhh ztP~}n66!No+Rw7&re_AHwN$xDn$TiI5h}f(l2?fYZI7MZDMaU*&E>hxn|r;DjzK%4 zTCqCMyWVdGZ}KL4t26y1CE3a6&9R3Vj65+7Ys&tnv5z z^4XHN3s>`jLsyuo&uS(c6|IQULyn^Dzen(tUsYjlJBi10Oe}c5= zcq~p4>*yLIKFU|nW9RC899UJ-_!NgXyD8V7507iTZ_;acagfRoo^Ipz%T|`&C;4Sr zi}^t*23;a)GJhcc%@!c%Fa9f!xs&Ppj9!m)eck z0(8qTR$)vaF-yBhhNO?Z(Z_B3i&1>*OROU4g-wCbgoUNjT<|JixOXI9WzUJ z1qN&?24$OZhF@Y5Yv=37i-{M+uxyT+g*NA3lW0q;QrxL6t7nIA7p1&tjL#{p)F1$U z8(%$mO?YAO;pVxe{n18@W40^@A}WDM?PP2E`UP(i!fI;xHm6&8D?{lBXI#07a@~7b z&5%K)$f(NVcogmVKKhw7*feI54w!{w_7=Ht7Ws5Hb~Xuolnc8BRZlv)E$)P zjgjMxVU1vBQ8P1lT)GP6%j&F$btj)rmw7W_L5gpypn~3tfKd0QcdY`0E2;k7JPDUT%5R3S?lFJxm@zki=nnT6*a?#kLXh+exLGWofa6ZpU2_% z`i~mY2q8A7`%7F#0J)ACM%5QYuRuH}8B;aL$Hvir8<~tjn+)zRE5LOXSJ3 zn&?L%!nm!nzru;RGds$`f|lRhA{?D;CAYCB%2;Ym?`pVVDw*EiNlT@50V=_EHVl-1 z6}Rm<48qKTUiLt}*LIr^X)rwedcf6DIqSgM(n`{Hv}M+)=VL=9KiQXSXtrD8M$ZvC zQPVS&xM7&tY4biam;LQ{aW!BPG{$k_bEVUBbzXkgLB|sE=!KUR@o#JBU%JKJ1=6Ss zC@xMJ@REjA8lRaNoz-~5$MNt@w7z~w4pLEw`l{r!4I{EV-4OkIHkJ0lD%L-M@rgxIL$#z12-Si6jZPOuYMT)dB(!Z_b7 zF)`V!NY!4MFIqV{Jvll}Rc!pZMx!g42<#x0O7rMwukZf(dNmDOn3>@mpRT6%J2Gk# zRu1Mo@6tlOsgFLnh3k$=T^g8$(r*NOkP!jIZVKU6I<2Mg7#m&WWHCr#ftXJwp=d9hlLK>)6zB-?^(r`J2q@}NqXk0vG9qf=r<6{6BQ z`r7TH^_++$LAv?)0(WjHzNgQ)LflV;PBB-;e2y>ZO`a;}}>#6_0=Dstmscl=^jer6I3WTQ8i-ZmV1O!BSmlAqVI)o;@gLDBw=@5D+^j<VhcCL%J$s*fj`#fi@+(iCl{M#@bF4YX9AmuiOE)rO*wJl1S+?7s#DBZ$ ziMICK_FQb_OGD_y7cYnowr+hmOq9X!A z(rVM2au-#+F=w8F`I>8k7Qw(ic0w}ZZ~X82K~9ziy#vb(bp13v2dOg+4y_$=2yWsU zQZa>kgAtlHSWDH$Te(pcpz>J~4hE?GzZSnj$*q#8l4VXZ_^cm^uBktnxeEw_TGO&Ay$m*`3 zL_L%LAj3pEYRRrB#l=pHe^BgS+ahfOJ)>|40VZ8?h|V`7mtOZB~X z-CUK9Aaij}ndsQ)*EU2mQeN_!mVcObk5|=&XYC1$q`{*C5c9big`cRgB(kyvoK^KJ z*Li0uoSm(LS@(e?9t!f(KX_3TX{y1yd<=MfkMs4UpHa^R1;j?Av^dKU6~cvc9#Iv3 zvcT~4{hhy)PmosdnZInB&*u8Go^fS69Id8%w>R~~r=%B2>lN%!sbf1GxEs$1fo+`EYox`E)mv_5Upm`%RdzY=YSf2_PBK=m&0#%i+ilk=yY`m-c$zynObJ_F^a264pbXS$ti z>FlsUx#wuq`m8vW&*G!utw+38(=%Sq$l%MIQ3dI$NJHjGTMKHaW(te!3%eh>dhNW@ z4C0;{zPEhg*N$)AVh|ZKsxF0kdU~54*+bO=;QJYO0m-pLQ5CgMLO-C$T4Fu7qTV3c0C`?_?)jrPS(wGr-$8# zS1Fb}Zl|43Y|#NwQUMF&dxHHui)y1F(yURfr2e7xqXV%aBjs;p-r*#9iJwyTl7r+_ zks;CTu4E-CGXnPKqST@H-5nN+Lse6WapCme>o}#9<}xz;9wcsXsKAH)zFvn=GQM?+Nv5iUg3JdR!r0>#?AXCHbd-6oQ|8vB1=Jh##Ylqk10gvS~ zEURQIwe`x#h9fDyfj13@$WD0q!L!H8oE-UjGM|8LXYCdr2H4rXebrHFbirsCDLKFZ%Dtoh1i4cjP4TlOoKv0Wr%qO{t*+0pY@8{V#qXIz-Sqqd9gp5|j*qeQ z_T4}5ez&@~-B9jpal2Dhs=3i$@AX!(w`VqpeMNZpU9d{S*x@#w_m&qRZUGH4kBPE4H&-SjITyCwy17oHG+p2nP6gj9Zf>?Db z%SLM-X-G>py2dC^jYzX(i9(w9jo%WDp)2&{6rlvhV$VJsCdO42B;BX>+Geq-muuBAgMFcq!1QA@uOYp7}}1hI8CLhgmfD;xo#YOe!)XSI1`*{#T8^oNNdg$ zPn!6!O)5W^32rWK$ZX!8-=B+iK7(d#oHSBL|H90HhX;A>GbKJUQZ8*z=tW5%U1Xyb zW5ah`WV(+3o8vReX9z|!64ibCasQJXNqxM=43R8YwZu41G&>>qo(;N+DM6Dv$=pye zk180V6Z3j$_J@Lkn4C_cx3P5Kk(OE_i2RhpMt?Yn>w2<>1jJXO`C4JR)H79C;3yKZ zma2?9+kBa(aX2(uG)T}opA{YSV+x;ix}u1-c{(3c&Mu-lYg7|$q51j z_l|L-3al{#@gxREkK4k5YvKV6@7RcBogJ2A*1$mFP?nws&w*6#)ErLew;8;!<2qw- zRhXL>pMp}%i+8N=6I&mXI?Ep20^3p4=R9pBMcOCkCy-C4A3P^k^N{B?Jd- z_jYGJ2U{JZrH|AKpNYUY$XMAtbHb@wnAkr#-HOwPM{@U`hpK zclnupSn9nN&;TYm&+0$H_{;6-n_$(-6QWU|&I~a=w8;Rb+gX=#GhOE!wGI#~ipYc`BTY^boZb>)L#u+011UtIMrHWpcC~D3*^ok6I4Re3J=J zguj+q8Iy{6u!iCmy%0OW8yO|9bgT$>r%+gxXvS9B-8NuRv6t;Eh(Cy`hPhO7M|c5? zd#4+=AlU-yk6imgJ#WH=-1-L~Pvj-s6g^$md0Oos_6AtU(b2Y^sjlkG@K0> zvgyqaP)rruJvZuV8pA;gg;`(C>ss9eNu+^v>q^Y-l*)~M(t`G*R0(Tq41 z_OjiFa(4Ei_X!oSjFA?^D9E>CU)r1hu$KPvTHibTQA6Q(J|wEg1d9sg-j<{S;Ghlz z3&y~UsVs<%hMvP`4U)cWIh#X^0fLYZTlk`77@3w;W++X=nL0N&w+4fllAQizjjPps zL!-Rx;_iWL&Z@2CzY~-1M|vK zCs?=z>a!?95F)e1$=QqMAek&lbLcCEP!6Mq#vAE33uJ1X0K?p-r_7mt4H)J{?yhg@ z9>;6Tdbq5_3Fjwr-eOlY5LmgPJnehT<(6AdM}yrZl9Pc6Q z+!D-S4b?Rh06;|}BlZv_wyf?aNfg<3`Q?2Q^|m9N((k^AT?QI0cOHcuMSHti*26zu zv0>f>{m!wYdd-a18*5#>2(UnIC{MU$h7S<~l%*W7hQ#U?anw@9EQT@yT!cV8-0qJX z{Yx!(n zZ>HRb`#ns#W%lnLhWFaaDxczCx*opqH3fTxeE2c9*E?Q^a(xHyLVCJ~v;}#%KCzsk zzvy|68MqXQ8Uev8V{_`k%AT^s0X5J6; z;jSTPhLRL-sMBqZ(^$C9X?CvXJ%d`5RsjSaa|!YaL@893l|{UepKH0&;D52A=|7(& z{c605z1*cLs<7qA(7pQ7OFCB;aY8CoYGwFULX(BqG!k*A=>LXOq z_`e0Jeudi~0@60(N#VgJDkBdV9AA+*^2?N8p+CdIFzU-N*VZPL)&5`&g}!=?;(_j! z9-x9DiZdXU6K_R9DESIoiX0P@8UM~(RH1v&L<|vCp_m7b{oM$kXrz6$5z1+GLvUG zec2G=lkPGY0avk&)_a#2QyUuqTv6zp)DP5~9#_<_@yiQDYZ-3PRd6|ev@gouQ(`4o zTV)}YEC_BFL(O7;vHH==zLxUxDBs5XZy`BahrfJ?@dLmtLuf`u)H)`fy4x%2_4quq z$h67t+Bo6GA(c;3>{w`u?v@vOnjcH|vP*vwsCD11uVn#ZuFp8O9W5lIxLsZAS!IN> zZixI(IbUXK)IF8k`a>itXUci~i-t}(pd9PA=U!+9;f0fhjd{)+_0QMBXUA2{6B#O@ zMMb@a2K>9+^8MFb%~>5JL)i6L6 z&V&ndq^m`Q?dIZ1VloLy)Hf~*V`dLqT`mCuSlZ+7pkYGtlq0O4ua~&?<*%vvu*TSU zI$g0lpEaWbTpZ82^$)(D4%t=7hvp|?bPcQIM@LJ^n76|{q4|+s3N*${`<9tGPjkaQ z%)3wJ`m?wn?qMGjJri@@6-?KPc!Lt7$w_Cj6E1uC)h$8%eW_kCvBRHCN`IS;|M{AS zkM;lnU@}d8JyE^n^trF``%_V~M4rUkP2_u1{8Zsn{7;HT5$FZaMGhc$j<0qh1YVlyBl^QnVeGKW}0*wF)R-(Un)Bx#M{E6^asPz;uT0 z1d`^7@u67Fv~LNZHEUXLYcut>QH|Dz{@kLXPz}0Q!k|p-12k5W)#@Q&j%;oPRaINf>a__m;uze0 zrFseC%SL{}^GMM4l2z9ka8g;c&1lR!=VkZS=$Vdw0xTGpjs3@2#%S{V+Pg_+K_c!x z&Dp~FkD!cr^hb4$t(ewqjiNot1*U3`S|VCi!zJ44pT(;lR_L|;+T zj@;3SZ{$l`@9W$KNI45XQ}W2i95_7M9&9lq3n3{q*v#K7P80gyYq zV2Z$i5T&R*Qw-f_b7uN(j|*8Mwh~ZL@-_0r#(!>q0CL_c61#V`3P~Uda5^U9$$yn*O9i2 z6%}xcFc?mMWc>J2%)o-KP>g;S`#`KRtfyL=z z#eu)ixx3GM(e_oM1y%@u*jC+1Zj`Y{K43Z zs?=Wt)%JeyfIVL@YX6{`Q#6tFP^1RLq$R}j4XdT|fO365*yI`5?%Sg4v+JdVoH5Y7 z?i>}X(idwVkdGYnMa@q7GeE0aTC04k2}R$7ogiZ`Y`0`}q_Nr=H5E-1v^@u0kBKxW zkTp0Y;Lf%@3~>M(2&$PJtCw3!lv}fM#n{X?ikK2@ZG8xu7-fADgiHG6A%~Y2^-0%b zNygpu6yBM)&6STdR(lqhI%s0H$2jPXw>26aTIw$^73VTf#8|m6U2#lwHZ<%fUaHpT zsDao*6&mnyOpi|=MlbV<6Vv;9_T~)dnda=1y;{1CK^-ni@wCMe)G?8PrfVq%Rwk%aS=3Pc|%5yo<*YcP$X2%M!K9supoYv` z^vB4(3OhKksnD7|Zll3Bo{XSQ#fHPkF2WLdUl*0zo}0)*dI$xZ#V`4IV$* z;3um!FOOqhbF-en4C{y+B|^F9RrM~l_H#bVUZsbWx{Wu&!c2+goX*JCfQbC>7|uJw ztD}7&vo-3CQ*^r;9Y&lGk1wM#iDtjAo_Ptu+Edi0#R<);4Ikv8E{Jd6ot+NiGpt8w zZRGFS=ZUvfT-qj8T;1nptO$ad{D>nN`%15b7q zj3mdtcz!NyVeSZLh*OE+R8-}09re#wy$*q!2U^GJJq7iwaU3PO2qey7 z%jz3T=psl!Lj|rYXy_4pC!!AlPwDOxb`TSEvLO&;H%N z4b&Cuny67)K!8x@E`ZrcaM`eOSwlu2su&pNIpbMaSfnqMa%CFYgIJRK+U5lE42Dmn zel4LDEC=(AUhQ_zCg%XfKcP_n?quYX3=Rz~5FdCiFX;=u)(A*e?d0Md&EzVG2P>Dr z$`Z7@i;LC`cM0Z?D6?A%#e-l&MWAj;{$~dRafs;z+N6dzOlMv z9`A0?j7rLd*&kIEJ{JMLSU)(ouNyu0M9=he_pz_QCdAvBiV>689xe2mKM9p_rOW4F zV?n%#USFqj6Y2$;48;dFx>vh;FYt>-Cr#J$x7K@GOqd8DKOXr%OVyb`qZw(qcZ9HC zkvvC1kgU}XKewoS)$D7@s4(wm>v#5rM_G32X&hglfgWEQ_-?v=rDal35+rwmtvc|Mf3b~1g=DhG|u9q6H#k;oOYwX@XXN}F8uRWri7|Aq6 zp}@Izg_Z@IOJ}vR+YUp$D-JMS9Z$^Ora|HpDUKHR+nJsD86Fh*T)Q8j)jTMno<9%T z?q{Kovft&QY!H81ajeNpveUizO=80qyWU5hubgw)hUuQmnQ4dLiw6CY#A-EO_| zmhF;sVXB*KxDLSTe$3)oH(qbAO)CRvThwu)9p=&YP?qvtfdUTTRv#*#NoWTbN*wq4 z()sNoM!D4g)JH!x?=|JF=;~Uu?VM9*%TdtjE{-@U)}?wf%Tb*Ow*Jxj$feA8I6?W* zflra^HKy}B=iv#JKH2l5tD7+Q8^A86A*M5%_wDM~RX~IKum|;1$=}ze-0!3sZ0nM^ z77;;4SNJ;%H?y6j$5xsN?bX1q^TYuaK=L$mT*_U~^%BEN-Xdk?k>Mc~=FUDgV78)D zItA#o$#80VBQ7^s-BZ%}lPuzvO_&wg_chrjuMUbtI`~4=)Ov9|hIEc7W(xuanH*+} zF>bvniMz41hH#(2g7xw%L$pQ-iiMu>j=*__jO@!toMUDvSL za}gR$EOTS5jIK>$?(9;j8tF_J^ppFyTQht3Vc(1f;erGz*$S}gRF1+{1c{d#tZ!BP zH9vkijm!u~!kOo7v(r_D4L80BdwpIOT64@DVP}5xTMM1acpl^L{eC2Na&lKTso5#7 z=*h_EmP{+Fhn7sC34EzSj%WRMO)KQEci%kUvfqeLDaKP)k51P40*N6HR3GuWO7}6r zZ85u&wMfcyW0fnEEW;a_sKuikp^~v5&O-tw?1QA9$HUj3bK3zEW z8#zV6)4Q(Pa9$~leABL4z_^cP7{q4SNPAO9@rA9g@pQiV^o9^B)jD_)#LwMZMfc4q zKz6(p3suFiAS)X8JAd+zY%DV^S9#JWUPlKbH0lz0ir}inaa(Y2zF7*L!j|AogY@Z4 zfSe8OB3H;^-TBnFFt-!RsrqC>5lL|rhjV=6=*>o>`==D|v*;EY_%trD9nMHRl($b8 zakMqkKPkIsR+aTAQa^n`tx1yho&{?}Ikp&$Ur_{zql#@xs)r*FLeq!GcvxX>Y>+I^of&VNIgNk;o!7_$6oYp&TTPwQ z@ltW2*0P~O5`L3N}z zbEKn1MEVOsK?YvA)|nx-Jxd;66k|e;wJFqal3PEq^TH)18vLao#M)rC&@}arWF6l0(1zdx+0HXr8@_k2h!wvczMaO~X!U)j zS4AAGezDt#2U`;(wbgUDMq4>s?T@IUXCKJ@`&RZ3V@Q>HFTAj3MVQ5>z~?ZBa8CX1 zfpAaVXG_LxW6V)06M)>M6%%6BO8}behdlHzQ#d5Ufsw44qAH3=;v%LlBu&0uEC!{R zJMh#fdcsZ3mG!i>CB5_?$rzfMp+b+3;c)5aD9(owhfHakE(4s7@at`9F$)r8iqET0 zs9W|7ffJqgGE%M{cxBXo3w-ts|e4}N&eeMg6jE#(pdLuoYfVhzShKX3*Y;1@C*2ufH zf@uti*5jR``rS_*i#w@8v#jsT5U6O7Q5yy^yT636+3iaPCyE-AAuU;h6GIB8U(`ry zA%IV-kwUNLiatz>Y1PESVskgy=XC3=4m|}wCC$6idCR__cJ*G4i)ybhpe7^H@7HA2 z$BD4nKCJIk0PQ^Yc+;^!lfaYuQ*io-VyJAOw6`+)SHnRpp8YiLMAO*`~8OzSV$*pP=`%aa3LZ)p*UF zk3Tu2|6?ZR3>*E$#mD)x;9P}h!U^G^M?py{8l z!WUCw)U0!t+yUYLx4Yi)LHtAou~iKb|IR@E>X~o_3K)>;ijn5}U;2vr%V;+0T1R+T z^*?*{w?X;WuX_nUZK;>}PT${|Z~uX<`K$F`H%epsi6@b>s{B)d^LL~EvjG&g6NS() z)%(MY;&&$cm*F}xp%5AnXeR4_e=-k~pX{E8*e?(Nuh#z@_&hn(wVNuBt^N+1`_E7I zgBu40e@W1|1N*I+{&Of_LVm(u;-<`S{`-@qYN1SYpaE_0ALKFrx%EGPMXI2#MT|=7 h{P!pO|HE|8MA9$bG)ER?rQSh(WF!>Di(kF<{eSJCUq1i< literal 0 HcmV?d00001 From 474bbce613501dddda2329a04f59ba4732987632 Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Mon, 24 Jun 2019 09:22:49 -0700 Subject: [PATCH 023/228] Tag overridden functions with override This is pretty standard practice these days as it ensures you don't accidentally create a new method that doesn't override the base class method. It also helps document the fact you're overriding methods. --- src/cc/syms.h | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/src/cc/syms.h b/src/cc/syms.h index 09caa9ff3..32cf9275d 100644 --- a/src/cc/syms.h +++ b/src/cc/syms.h @@ -62,9 +62,9 @@ class KSyms : SymbolCache { static void _add_symbol(const char *, uint64_t, void *); public: - virtual bool resolve_addr(uint64_t addr, struct bcc_symbol *sym, bool demangle = true); + virtual bool resolve_addr(uint64_t addr, struct bcc_symbol *sym, bool demangle = true) override; virtual bool resolve_name(const char *unused, const char *name, - uint64_t *addr); + uint64_t *addr) override; virtual void refresh(); }; @@ -143,9 +143,9 @@ class ProcSyms : SymbolCache { public: ProcSyms(int pid, struct bcc_symbol_option *option = nullptr); virtual void refresh(); - virtual bool resolve_addr(uint64_t addr, struct bcc_symbol *sym, bool demangle = true); + virtual bool resolve_addr(uint64_t addr, struct bcc_symbol *sym, bool demangle = true) override; virtual bool resolve_name(const char *module, const char *name, - uint64_t *addr); + uint64_t *addr) override; }; class BuildSyms { From f466fb97b7f8193732608026702f136ac9ad2811 Mon Sep 17 00:00:00 2001 From: Tobias Blass Date: Mon, 3 Jun 2019 22:43:00 +0200 Subject: [PATCH 024/228] Check for string truncation when creating the /id path --- src/cc/libbpf.c | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index 2314141f4..5de772b8a 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -932,6 +932,9 @@ static void exit_mount_ns(int fd) { close(fd); } +/* Creates an [uk]probe using debugfs. + * On success, the path to the probe is placed in buf (which is assumed to be of size PATH_MAX). + */ static int create_probe_event(char *buf, const char *ev_name, enum bpf_probe_attach_type attach_type, const char *config1, uint64_t offset, @@ -1026,7 +1029,10 @@ static int bpf_attach_probe(int progfd, enum bpf_probe_attach_type attach_type, // (kernel < 4.12), the event is created under a different name; we need to // delete that event and start again without maxactive. if (is_kprobe && maxactive > 0 && attach_type == BPF_PROBE_RETURN) { - snprintf(fname, sizeof(fname), "%s/id", buf); + if (snprintf(fname, sizeof(fname), "%s/id", buf) >= sizeof(fname)) { + fprintf(stderr, "filename (%s) is too long for buffer\n", buf); + goto error; + } if (access(fname, F_OK) == -1) { // Deleting kprobe event with incorrect name. kfd = open("/sys/kernel/debug/tracing/kprobe_events", From 40b2db950120656e2364095442e813e341c620d0 Mon Sep 17 00:00:00 2001 From: Tobias Blass Date: Mon, 3 Jun 2019 22:57:50 +0200 Subject: [PATCH 025/228] Check for string truncation when constructing the kheaders tar_cmd --- src/cc/frontends/clang/kbuild_helper.cc | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/src/cc/frontends/clang/kbuild_helper.cc b/src/cc/frontends/clang/kbuild_helper.cc index 24084bd8e..db5ca7f68 100644 --- a/src/cc/frontends/clang/kbuild_helper.cc +++ b/src/cc/frontends/clang/kbuild_helper.cc @@ -142,13 +142,16 @@ static inline int extract_kheaders(const std::string &dirpath, } } - snprintf(dirpath_tmp, 256, "/tmp/kheaders-%s-XXXXXX", uname_data.release); + snprintf(dirpath_tmp, sizeof(dirpath_tmp), "/tmp/kheaders-%s-XXXXXX", uname_data.release); if (mkdtemp(dirpath_tmp) == NULL) { ret = -1; goto cleanup; } - snprintf(tar_cmd, 256, "tar -xf %s -C %s", PROC_KHEADERS_PATH, dirpath_tmp); + if ((size_t)snprintf(tar_cmd, sizeof(tar_cmd), "tar -xf %s -C %s", PROC_KHEADERS_PATH, dirpath_tmp) >= sizeof(tar_cmd)) { + ret = -1; + goto cleanup; + } ret = system(tar_cmd); if (ret) { system(("rm -rf " + std::string(dirpath_tmp)).c_str()); From 93e2e2c4b8accb48bee703e81ec6eb60cf231dff Mon Sep 17 00:00:00 2001 From: Colin Ian King Date: Mon, 24 Jun 2019 10:04:29 +0100 Subject: [PATCH 026/228] snapcraft: fix bcc-wrapper, handle ' ' quoting correctly This allows '' quoted parameters to be passed in the wrapper. Signed-off-by: Colin Ian King --- snapcraft/bcc-wrapper | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/snapcraft/bcc-wrapper b/snapcraft/bcc-wrapper index bbe5ec769..a575f3470 100755 --- a/snapcraft/bcc-wrapper +++ b/snapcraft/bcc-wrapper @@ -1,4 +1,5 @@ -#!/bin/sh -e +#!/bin/bash +set -e # Snappy does not yet support CAP_SYS_ADMIN for unconfined snaps, thus sudo: # https://bugs.launchpad.net/snappy/+bug/1586581 # stdout isn't set to line buffered mode: @@ -7,7 +8,7 @@ cmd="$1" if [ `id -u` = 0 ] ; then shift - stdbuf -oL $SNAP/usr/share/bcc/tools/$cmd $@ + stdbuf -oL $SNAP/usr/share/bcc/tools/$cmd "$@" else echo "Need to run $cmd as root (use sudo $@)" exit 1 From b1cc5509f02ffbf664a3c5c0840d540c9063b7f6 Mon Sep 17 00:00:00 2001 From: Colin Ian King Date: Mon, 24 Jun 2019 10:16:12 +0100 Subject: [PATCH 027/228] snapcraft: fix the fetching of the most recent tag version Signed-off-by: Colin Ian King --- snapcraft/Makefile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snapcraft/Makefile b/snapcraft/Makefile index 2bf9f977e..fe8973cfc 100644 --- a/snapcraft/Makefile +++ b/snapcraft/Makefile @@ -19,7 +19,7 @@ # # Simple makefile to mangle version info in the yaml file # -VERSION=$(shell git tag | tail -1 | cut -c2-) +VERSION=$(shell git tag | sort -V | tail -1 | cut -c2-) COMMITS=$(shell git log --oneline | wc -l) SHA=$(shell git log -1 --oneline | cut -d' ' -f1) DATE=$(shell date +'%Y%m%d') From 2627bae4a6f32b7d83128146d02fc779d635cf95 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Kai=20L=C3=BCke?= Date: Tue, 28 May 2019 11:44:45 +0200 Subject: [PATCH 028/228] Support pinned maps through BPF_TABLE_PINNED macro Define a map to be loaded from a pinned path through the new macro BPF_TABLE_PINNED(..., "/sys/fs/bpf/xyz"); instead of creating a new map. Internally the path is appended to the section attribute with a ':' delimiter. --- docs/reference_guide.md | 11 +++ src/cc/api/BPFTable.h | 4 + src/cc/bpf_module.cc | 33 ++++---- src/cc/export/helpers.h | 3 + src/cc/frontends/clang/b_frontend_action.cc | 61 ++++++++++----- src/cc/frontends/clang/b_frontend_action.h | 4 +- src/cc/table_storage.h | 2 +- tests/cc/CMakeLists.txt | 1 + tests/cc/test_pinned_table.cc | 86 +++++++++++++++++++++ 9 files changed, 169 insertions(+), 36 deletions(-) create mode 100644 tests/cc/test_pinned_table.cc diff --git a/docs/reference_guide.md b/docs/reference_guide.md index 49e9169e1..de38597ab 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -543,6 +543,17 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=BPF_TABLE+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=BPF_TABLE+path%3Atools&type=Code) +#### Pinned Maps + +Maps that were pinned to the BPF filesystem can be accessed through an extended syntax: ```BPF_TABLE_PINNED(_table_type, _key_type, _leaf_type, _name, _max_entries, "/sys/fs/bpf/xyz")``` +The type information is not enforced and the actual map type depends on the map that got pinned to the location. + +For example: + +```C +BPF_TABLE_PINNED("hash", u64, u64, ids, 1024, "/sys/fs/bpf/ids"); +``` + ### 2. BPF_HASH Syntax: ```BPF_HASH(name [, key_type [, leaf_type [, size]]])``` diff --git a/src/cc/api/BPFTable.h b/src/cc/api/BPFTable.h index 7bd243964..9bdae92d5 100644 --- a/src/cc/api/BPFTable.h +++ b/src/cc/api/BPFTable.h @@ -64,6 +64,10 @@ class BPFTableBase { return rc; } + int get_fd() { + return desc.fd; + } + protected: explicit BPFTableBase(const TableDesc& desc) : desc(desc) {} diff --git a/src/cc/bpf_module.cc b/src/cc/bpf_module.cc index 836c458f0..fe7820851 100644 --- a/src/cc/bpf_module.cc +++ b/src/cc/bpf_module.cc @@ -317,6 +317,7 @@ int BPFModule::load_maps(sec_map_def §ions) { for (auto map : fake_fd_map_) { int fd, fake_fd, map_type, key_size, value_size, max_entries, map_flags; const char *map_name; + unsigned int pinned_id; fake_fd = map.first; map_type = get<0>(map.second); @@ -325,22 +326,28 @@ int BPFModule::load_maps(sec_map_def §ions) { value_size = get<3>(map.second); max_entries = get<4>(map.second); map_flags = get<5>(map.second); + pinned_id = get<6>(map.second); + + if (pinned_id) { + fd = bpf_map_get_fd_by_id(pinned_id); + } else { + struct bpf_create_map_attr attr = {}; + attr.map_type = (enum bpf_map_type)map_type; + attr.name = map_name; + attr.key_size = key_size; + attr.value_size = value_size; + attr.max_entries = max_entries; + attr.map_flags = map_flags; + + if (map_tids.find(map_name) != map_tids.end()) { + attr.btf_fd = btf_->get_fd(); + attr.btf_key_type_id = map_tids[map_name].first; + attr.btf_value_type_id = map_tids[map_name].second; + } - struct bpf_create_map_attr attr = {}; - attr.map_type = (enum bpf_map_type)map_type; - attr.name = map_name; - attr.key_size = key_size; - attr.value_size = value_size; - attr.max_entries = max_entries; - attr.map_flags = map_flags; - - if (map_tids.find(map_name) != map_tids.end()) { - attr.btf_fd = btf_->get_fd(); - attr.btf_key_type_id = map_tids[map_name].first; - attr.btf_value_type_id = map_tids[map_name].second; + fd = bcc_create_map_xattr(&attr, allow_rlimit_); } - fd = bcc_create_map_xattr(&attr, allow_rlimit_); if (fd < 0) { fprintf(stderr, "could not open bpf map: %s, error: %s\n", map_name, strerror(errno)); diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index 218d5b82f..2f49f9d99 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -86,6 +86,9 @@ BPF_ANNOTATE_KV_PAIR(_name, _key_type, _leaf_type) #define BPF_TABLE(_table_type, _key_type, _leaf_type, _name, _max_entries) \ BPF_F_TABLE(_table_type, _key_type, _leaf_type, _name, _max_entries, 0) +#define BPF_TABLE_PINNED(_table_type, _key_type, _leaf_type, _name, _max_entries, _pinned) \ +BPF_TABLE(_table_type ":" _pinned, _key_type, _leaf_type, _name, _max_entries) + // define a table same as above but allow it to be referenced by other modules #define BPF_TABLE_PUBLIC(_table_type, _key_type, _leaf_type, _name, _max_entries) \ BPF_TABLE(_table_type, _key_type, _leaf_type, _name, _max_entries); \ diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index 4fc643ce5..567186900 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -34,6 +34,7 @@ #include "loader.h" #include "table_storage.h" #include "arch_helper.h" +#include "libbpf/src/bpf.h" #include "libbpf.h" @@ -1168,46 +1169,66 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { ++i; } + std::string section_attr = A->getName(); + size_t pinned_path_pos = section_attr.find(":"); + unsigned int pinned_id = 0; // 0 is not a valid map ID, they start with 1 + + if (pinned_path_pos != std::string::npos) { + std::string pinned = section_attr.substr(pinned_path_pos + 1); + section_attr = section_attr.substr(0, pinned_path_pos); + int fd = bpf_obj_get(pinned.c_str()); + struct bpf_map_info info = {}; + unsigned int info_len = sizeof(info); + + if (bpf_obj_get_info_by_fd(fd, &info, &info_len)) { + error(GET_BEGINLOC(Decl), "map not found: %0") << pinned; + return false; + } + + close(fd); + pinned_id = info.id; + } + bpf_map_type map_type = BPF_MAP_TYPE_UNSPEC; - if (A->getName() == "maps/hash") { + if (section_attr == "maps/hash") { map_type = BPF_MAP_TYPE_HASH; - } else if (A->getName() == "maps/array") { + } else if (section_attr == "maps/array") { map_type = BPF_MAP_TYPE_ARRAY; - } else if (A->getName() == "maps/percpu_hash") { + } else if (section_attr == "maps/percpu_hash") { map_type = BPF_MAP_TYPE_PERCPU_HASH; - } else if (A->getName() == "maps/percpu_array") { + } else if (section_attr == "maps/percpu_array") { map_type = BPF_MAP_TYPE_PERCPU_ARRAY; - } else if (A->getName() == "maps/lru_hash") { + } else if (section_attr == "maps/lru_hash") { map_type = BPF_MAP_TYPE_LRU_HASH; - } else if (A->getName() == "maps/lru_percpu_hash") { + } else if (section_attr == "maps/lru_percpu_hash") { map_type = BPF_MAP_TYPE_LRU_PERCPU_HASH; - } else if (A->getName() == "maps/lpm_trie") { + } else if (section_attr == "maps/lpm_trie") { map_type = BPF_MAP_TYPE_LPM_TRIE; - } else if (A->getName() == "maps/histogram") { + } else if (section_attr == "maps/histogram") { map_type = BPF_MAP_TYPE_HASH; if (key_type->isSpecificBuiltinType(BuiltinType::Int)) map_type = BPF_MAP_TYPE_ARRAY; if (!leaf_type->isSpecificBuiltinType(BuiltinType::ULongLong)) error(GET_BEGINLOC(Decl), "histogram leaf type must be u64, got %0") << leaf_type; - } else if (A->getName() == "maps/prog") { + } else if (section_attr == "maps/prog") { map_type = BPF_MAP_TYPE_PROG_ARRAY; - } else if (A->getName() == "maps/perf_output") { + } else if (section_attr == "maps/perf_output") { map_type = BPF_MAP_TYPE_PERF_EVENT_ARRAY; int numcpu = get_possible_cpus().size(); if (numcpu <= 0) numcpu = 1; table.max_entries = numcpu; - } else if (A->getName() == "maps/perf_array") { + } else if (section_attr == "maps/perf_array") { map_type = BPF_MAP_TYPE_PERF_EVENT_ARRAY; - } else if (A->getName() == "maps/cgroup_array") { + } else if (section_attr == "maps/cgroup_array") { map_type = BPF_MAP_TYPE_CGROUP_ARRAY; - } else if (A->getName() == "maps/stacktrace") { + } else if (section_attr == "maps/stacktrace") { map_type = BPF_MAP_TYPE_STACK_TRACE; - } else if (A->getName() == "maps/devmap") { + } else if (section_attr == "maps/devmap") { map_type = BPF_MAP_TYPE_DEVMAP; - } else if (A->getName() == "maps/cpumap") { + } else if (section_attr == "maps/cpumap") { map_type = BPF_MAP_TYPE_CPUMAP; - } else if (A->getName() == "maps/extern") { + } else if (section_attr == "maps/extern") { if (!fe_.table_storage().Find(maps_ns_path, table_it)) { if (!fe_.table_storage().Find(global_path, table_it)) { error(GET_BEGINLOC(Decl), "reference to undefined table"); @@ -1216,7 +1237,7 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { } table = table_it->second.dup(); table.is_extern = true; - } else if (A->getName() == "maps/export") { + } else if (section_attr == "maps/export") { if (table.name.substr(0, 2) == "__") table.name = table.name.substr(2); Path local_path({fe_.id(), table.name}); @@ -1227,7 +1248,7 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { } fe_.table_storage().Insert(global_path, table_it->second.dup()); return true; - } else if(A->getName() == "maps/shared") { + } else if(section_attr == "maps/shared") { if (table.name.substr(0, 2) == "__") table.name = table.name.substr(2); Path local_path({fe_.id(), table.name}); @@ -1242,7 +1263,7 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { if (!table.is_extern) { if (map_type == BPF_MAP_TYPE_UNSPEC) { - error(GET_BEGINLOC(Decl), "unsupported map type: %0") << A->getName(); + error(GET_BEGINLOC(Decl), "unsupported map type: %0") << section_attr; return false; } @@ -1250,7 +1271,7 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { table.fake_fd = fe_.get_next_fake_fd(); fe_.add_map_def(table.fake_fd, std::make_tuple((int)map_type, std::string(table.name), (int)table.key_size, (int)table.leaf_size, - (int)table.max_entries, table.flags)); + (int)table.max_entries, table.flags, pinned_id)); } if (!table.is_extern) diff --git a/src/cc/frontends/clang/b_frontend_action.h b/src/cc/frontends/clang/b_frontend_action.h index a8ac858f1..77e53d9b1 100644 --- a/src/cc/frontends/clang/b_frontend_action.h +++ b/src/cc/frontends/clang/b_frontend_action.h @@ -174,8 +174,8 @@ class BFrontendAction : public clang::ASTFrontendAction { void DoMiscWorkAround(); // negative fake_fd to be different from real fd in bpf_pseudo_fd. int get_next_fake_fd() { return next_fake_fd_--; } - void add_map_def(int fd, std::tuple map_def) { - fake_fd_map_[fd] = map_def; + void add_map_def(int fd, std::tuple map_def) { + fake_fd_map_[fd] = move(map_def); } private: diff --git a/src/cc/table_storage.h b/src/cc/table_storage.h index 2df99c597..77fe52abe 100644 --- a/src/cc/table_storage.h +++ b/src/cc/table_storage.h @@ -27,7 +27,7 @@ namespace ebpf { -typedef std::map> fake_fd_map_def; +typedef std::map> fake_fd_map_def; class TableStorageImpl; class TableStorageIteratorImpl; diff --git a/tests/cc/CMakeLists.txt b/tests/cc/CMakeLists.txt index a47abe145..66e484db5 100644 --- a/tests/cc/CMakeLists.txt +++ b/tests/cc/CMakeLists.txt @@ -21,6 +21,7 @@ add_executable(test_libbcc test_bpf_table.cc test_hash_table.cc test_perf_event.cc + test_pinned_table.cc test_prog_table.cc test_shared_table.cc test_usdt_args.cc diff --git a/tests/cc/test_pinned_table.cc b/tests/cc/test_pinned_table.cc new file mode 100644 index 000000000..bd2ac5c6f --- /dev/null +++ b/tests/cc/test_pinned_table.cc @@ -0,0 +1,86 @@ +/* + * Copyright (c) 2019 Kinvolk GmbH + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ + +#include +#include +#include +#include + +#include "BPF.h" +#include "catch.hpp" + +#if LINUX_VERSION_CODE >= KERNEL_VERSION(4, 12, 0) +TEST_CASE("test pinned table", "[pinned_table]") { + bool mounted = false; + if (system("mount | grep /sys/fs/bpf")) { + REQUIRE(system("mkdir -p /sys/fs/bpf") == 0); + REQUIRE(system("mount -o nosuid,nodev,noexec,mode=700 -t bpf bpf /sys/fs/bpf") == 0); + mounted = true; + } + // prepare test by pinning table to bpffs + { + const std::string BPF_PROGRAM = R"( + BPF_TABLE("hash", u64, u64, ids, 1024); + )"; + + ebpf::BPF bpf; + ebpf::StatusTuple res(0); + res = bpf.init(BPF_PROGRAM); + REQUIRE(res.code() == 0); + + REQUIRE(bpf_obj_pin(bpf.get_hash_table("ids").get_fd(), "/sys/fs/bpf/test_pinned_table") == 0); + } + + // test table access + { + const std::string BPF_PROGRAM = R"( + BPF_TABLE_PINNED("hash", u64, u64, ids, 1024, "/sys/fs/bpf/test_pinned_table"); + )"; + + ebpf::BPF bpf; + ebpf::StatusTuple res(0); + res = bpf.init(BPF_PROGRAM); + unlink("/sys/fs/bpf/test_pinned_table"); // can delete table here already + REQUIRE(res.code() == 0); + + auto t = bpf.get_hash_table("ids"); + int key, value; + + // write element + key = 0x08; + value = 0x43; + res = t.update_value(key, value); + REQUIRE(res.code() == 0); + REQUIRE(t[key] == value); + } + + // test failure + { + const std::string BPF_PROGRAM = R"( + BPF_TABLE_PINNED("hash", u64, u64, ids, 1024, "/sys/fs/bpf/test_pinned_table"); + )"; + + ebpf::BPF bpf; + ebpf::StatusTuple res(0); + res = bpf.init(BPF_PROGRAM); + REQUIRE(res.code() != 0); + } + + if (mounted) { + REQUIRE(umount("/sys/fs/bpf") == 0); + } +} +#endif From 660525db2b9e9016b8eb6e803616f95a1d1f14aa Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Tue, 25 Jun 2019 17:43:01 -0700 Subject: [PATCH 029/228] sync with latest libbpf repo sync with latest libbpf repo Signed-off-by: Yonghong Song --- src/cc/compat/linux/virtual_bpf.h | 6 ++++++ src/cc/libbpf | 2 +- 2 files changed, 7 insertions(+), 1 deletion(-) diff --git a/src/cc/compat/linux/virtual_bpf.h b/src/cc/compat/linux/virtual_bpf.h index 4f794d3ef..bdaa1c361 100644 --- a/src/cc/compat/linux/virtual_bpf.h +++ b/src/cc/compat/linux/virtual_bpf.h @@ -3084,6 +3084,10 @@ struct bpf_sock_tuple { }; }; +struct bpf_xdp_sock { + __u32 queue_id; +}; + #define XDP_PACKET_HEADROOM 256 /* User return codes for XDP prog type. @@ -3244,6 +3248,7 @@ struct bpf_sock_addr { __u32 msg_src_ip6[4]; /* Allows 1,2,4-byte read an 4-byte write. * Stored in network byte order. */ + __bpf_md_ptr(struct bpf_sock *, sk); }; /* User bpf_sock_ops struct to access socket values and specify request ops @@ -3295,6 +3300,7 @@ struct bpf_sock_ops { __u32 sk_txhash; __u64 bytes_received; __u64 bytes_acked; + __bpf_md_ptr(struct bpf_sock *, sk); }; /* Definitions for bpf_sock_ops_cb_flags */ diff --git a/src/cc/libbpf b/src/cc/libbpf index 75db50f4a..52ec16bce 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 75db50f4a09d9dbac49b1ace9e4b6a722bdf0519 +Subproject commit 52ec16bce80451130db50d0ad3a1c7135c12195c From 00213fc14e6fd5d929869c0910e60173bf5dfbae Mon Sep 17 00:00:00 2001 From: Xiaozhou Liu Date: Mon, 17 Jun 2019 23:28:16 +0800 Subject: [PATCH 030/228] tools/tcpstates: fix local/remote port output --- tools/tcpstates.py | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/tools/tcpstates.py b/tools/tcpstates.py index 9b25b094a..3c78b1c4c 100755 --- a/tools/tcpstates.py +++ b/tools/tcpstates.py @@ -137,7 +137,7 @@ __builtin_memcpy(&data4.saddr, args->saddr, sizeof(data4.saddr)); __builtin_memcpy(&data4.daddr, args->daddr, sizeof(data4.daddr)); // a workaround until data4 compiles with separate lport/dport - data4.ports = dport + ((0ULL + lport) << 32); + data4.ports = dport + ((0ULL + lport) << 16); data4.pid = pid; bpf_get_current_comm(&data4.task, sizeof(data4.task)); @@ -153,7 +153,7 @@ __builtin_memcpy(&data6.saddr, args->saddr_v6, sizeof(data6.saddr)); __builtin_memcpy(&data6.daddr, args->daddr_v6, sizeof(data6.daddr)); // a workaround until data6 compiles with separate lport/dport - data6.ports = dport + ((0ULL + lport) << 32); + data6.ports = dport + ((0ULL + lport) << 16); data6.pid = pid; bpf_get_current_comm(&data6.task, sizeof(data6.task)); ipv6_events.perf_submit(args, &data6, sizeof(data6)); @@ -257,9 +257,9 @@ def journal_fields(event, addr_family): 'OBJECT_COMM': event.task.decode('utf-8', 'replace'), # Custom fields, aka "stuff we sort of made up". 'OBJECT_' + addr_pfx + '_SOURCE_ADDRESS': inet_ntop(addr_family, pack("I", event.saddr)), - 'OBJECT_TCP_SOURCE_PORT': str(event.ports >> 32), + 'OBJECT_TCP_SOURCE_PORT': str(event.ports >> 16), 'OBJECT_' + addr_pfx + '_DESTINATION_ADDRESS': inet_ntop(addr_family, pack("I", event.daddr)), - 'OBJECT_TCP_DESTINATION_PORT': str(event.ports & 0xffffffff), + 'OBJECT_TCP_DESTINATION_PORT': str(event.ports & 0xffff), 'OBJECT_TCP_OLD_STATE': tcpstate2str(event.oldstate), 'OBJECT_TCP_NEW_STATE': tcpstate2str(event.newstate), 'OBJECT_TCP_SPAN_TIME': str(event.span_us) @@ -297,8 +297,8 @@ def print_ipv4_event(cpu, data, size): print("%-9.6f " % delta_s, end="") print(format_string % (event.skaddr, event.pid, event.task.decode('utf-8', 'replace'), "4" if args.wide or args.csv else "", - inet_ntop(AF_INET, pack("I", event.saddr)), event.ports >> 32, - inet_ntop(AF_INET, pack("I", event.daddr)), event.ports & 0xffffffff, + inet_ntop(AF_INET, pack("I", event.saddr)), event.ports >> 16, + inet_ntop(AF_INET, pack("I", event.daddr)), event.ports & 0xffff, tcpstate2str(event.oldstate), tcpstate2str(event.newstate), float(event.span_us) / 1000)) if args.journal: @@ -322,8 +322,8 @@ def print_ipv6_event(cpu, data, size): print("%-9.6f " % delta_s, end="") print(format_string % (event.skaddr, event.pid, event.task.decode('utf-8', 'replace'), "6" if args.wide or args.csv else "", - inet_ntop(AF_INET6, event.saddr), event.ports >> 32, - inet_ntop(AF_INET6, event.daddr), event.ports & 0xffffffff, + inet_ntop(AF_INET6, event.saddr), event.ports >> 16, + inet_ntop(AF_INET6, event.daddr), event.ports & 0xffff, tcpstate2str(event.oldstate), tcpstate2str(event.newstate), float(event.span_us) / 1000)) if args.journal: From dd994972814fc97cac6825a2a475fe666041c9ef Mon Sep 17 00:00:00 2001 From: Tobias Blass Date: Sat, 22 Jun 2019 17:03:52 +0200 Subject: [PATCH 031/228] Handle the text and src_file the same way in the BPF constructor Instead of having two different code paths for code passed in as a string (via the text parameter) and code passed in via file (via the src_file parameter), load the contents of src_file into the text variable and handle both in the same code path. This fixes issue #2385. --- src/python/bcc/__init__.py | 39 ++++++++++++++++++++++---------------- 1 file changed, 23 insertions(+), 16 deletions(-) diff --git a/src/python/bcc/__init__.py b/src/python/bcc/__init__.py index bff5f2820..0c94b401b 100644 --- a/src/python/bcc/__init__.py +++ b/src/python/bcc/__init__.py @@ -291,6 +291,8 @@ def __init__(self, src_file=b"", hdr_file=b"", text=None, debug=0, hdr_file = _assert_is_bytes(hdr_file) text = _assert_is_bytes(text) + assert not (text and src_file) + self.kprobe_fds = {} self.uprobe_fds = {} self.tracepoint_fds = {} @@ -306,7 +308,21 @@ def __init__(self, src_file=b"", hdr_file=b"", text=None, debug=0, self.module = None cflags_array = (ct.c_char_p * len(cflags))() for i, s in enumerate(cflags): cflags_array[i] = bytes(ArgString(s)) - if text: + + if src_file: + src_file = BPF._find_file(src_file) + hdr_file = BPF._find_file(hdr_file) + + # files that end in ".b" are treated as B files. Everything else is a (BPF-)C file + if src_file.endswith(b".b"): + self.module = lib.bpf_module_create_b(src_file, hdr_file, self.debug) + else: + if src_file: + # Read the BPF C source file into the text variable. This ensures, + # that files and inline text are treated equally. + with open(src_file, mode="rb") as file: + text = file.read() + ctx_array = (ct.c_void_p * len(usdt_contexts))() for i, usdt in enumerate(usdt_contexts): ctx_array[i] = ct.c_void_p(usdt.get_context()) @@ -318,22 +334,13 @@ def __init__(self, src_file=b"", hdr_file=b"", text=None, debug=0, "locations") text = usdt_text + text - if text: + self.module = lib.bpf_module_create_c_from_string(text, - self.debug, cflags_array, len(cflags_array), allow_rlimit) - if not self.module: - raise Exception("Failed to compile BPF text") - else: - src_file = BPF._find_file(src_file) - hdr_file = BPF._find_file(hdr_file) - if src_file.endswith(b".b"): - self.module = lib.bpf_module_create_b(src_file, hdr_file, - self.debug) - else: - self.module = lib.bpf_module_create_c(src_file, self.debug, - cflags_array, len(cflags_array), allow_rlimit) - if not self.module: - raise Exception("Failed to compile BPF module %s" % src_file) + self.debug, + cflags_array, len(cflags_array), + allow_rlimit) + if not self.module: + raise Exception("Failed to compile BPF module %s" % (src_file or "")) for usdt_context in usdt_contexts: usdt_context.attach_uprobes(self) From 4a5ceb891797243ac17f1775fca307834ab691af Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Wed, 26 Jun 2019 09:55:32 -0700 Subject: [PATCH 032/228] fix a compiler warning Fix the following compiler warning: In file included from /home/yhs/work/bcc/src/cc/bcc_syms.cc:34: /home/yhs/work/bcc/src/cc/syms.h:68:16: warning: 'refresh' overrides a member function but is not marked 'override' [-Winconsistent-missing-override] virtual void refresh(); ^ /home/yhs/work/bcc/src/cc/syms.h:45:16: note: overridden virtual function is here virtual void refresh() = 0; ^ /home/yhs/work/bcc/src/cc/syms.h:145:16: warning: 'refresh' overrides a member function but is not marked 'override' [-Winconsistent-missing-override] virtual void refresh(); ^ /home/yhs/work/bcc/src/cc/syms.h:45:16: note: overridden virtual function is here virtual void refresh() = 0; Signed-off-by: Yonghong Song --- src/cc/syms.h | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/cc/syms.h b/src/cc/syms.h index 32cf9275d..b53374151 100644 --- a/src/cc/syms.h +++ b/src/cc/syms.h @@ -65,7 +65,7 @@ class KSyms : SymbolCache { virtual bool resolve_addr(uint64_t addr, struct bcc_symbol *sym, bool demangle = true) override; virtual bool resolve_name(const char *unused, const char *name, uint64_t *addr) override; - virtual void refresh(); + virtual void refresh() override; }; class ProcSyms : SymbolCache { @@ -142,7 +142,7 @@ class ProcSyms : SymbolCache { public: ProcSyms(int pid, struct bcc_symbol_option *option = nullptr); - virtual void refresh(); + virtual void refresh() override; virtual bool resolve_addr(uint64_t addr, struct bcc_symbol *sym, bool demangle = true) override; virtual bool resolve_name(const char *module, const char *name, uint64_t *addr) override; From 3a0d3c4f3596288011746799368ad9eb0460314b Mon Sep 17 00:00:00 2001 From: Maik Riechert Date: Thu, 23 May 2019 17:57:10 +0100 Subject: [PATCH 033/228] add option to print unix timestamp in trace tool --- tools/trace.py | 21 ++++++++++++++++++--- 1 file changed, 18 insertions(+), 3 deletions(-) diff --git a/tools/trace.py b/tools/trace.py index 0b8797c9e..f406f7cae 100755 --- a/tools/trace.py +++ b/tools/trace.py @@ -14,6 +14,7 @@ from bcc import BPF, USDT from functools import partial from time import sleep, strftime +import time import argparse import re import ctypes as ct @@ -27,7 +28,9 @@ class Probe(object): max_events = None event_count = 0 first_ts = 0 + first_ts_real = None print_time = False + print_unix_timestamp = False use_localtime = True time_field = False print_cpu = False @@ -41,11 +44,13 @@ class Probe(object): def configure(cls, args): cls.max_events = args.max_events cls.print_time = args.timestamp or args.time + cls.print_unix_timestamp = args.unix_timestamp cls.use_localtime = not args.timestamp cls.time_field = cls.print_time and (not cls.use_localtime) cls.print_cpu = args.print_cpu cls.print_address = args.address cls.first_ts = BPF.monotonic_time() + cls.first_ts_real = time.time() cls.tgid = args.tgid or -1 cls.pid = args.pid or -1 cls.page_cnt = args.buffer_pages @@ -512,7 +517,11 @@ def generate_program(self, include_self): @classmethod def _time_off_str(cls, timestamp_ns): - return "%.6f" % (1e-9 * (timestamp_ns - cls.first_ts)) + offset = 1e-9 * (timestamp_ns - cls.first_ts) + if cls.print_unix_timestamp: + return "%.6f" % (offset + cls.first_ts_real) + else: + return "%.6f" % offset def _display_function(self): if self.probe_type == 'p' or self.probe_type == 'r': @@ -558,7 +567,10 @@ def print_event(self, bpf, cpu, data, size): if Probe.print_time: time = strftime("%H:%M:%S") if Probe.use_localtime else \ Probe._time_off_str(event.timestamp_ns) - print("%-8s " % time[:8], end="") + if Probe.print_unix_timestamp: + print("%-17s " % time[:17], end="") + else: + print("%-8s " % time[:8], end="") if Probe.print_cpu: print("%-3s " % event.cpu, end="") print("%-7d %-7d %-15s %-16s %s" % @@ -691,6 +703,8 @@ def __init__(self): help="number of events to print before quitting") parser.add_argument("-t", "--timestamp", action="store_true", help="print timestamp column (offset from trace start)") + parser.add_argument("-u", "--unix-timestamp", action="store_true", + help="print UNIX timestamp instead of offset from trace start, requires -t") parser.add_argument("-T", "--time", action="store_true", help="print time column") parser.add_argument("-C", "--print_cpu", action="store_true", @@ -779,7 +793,8 @@ def _main_loop(self): # Print header if self.args.timestamp or self.args.time: - print("%-8s " % "TIME", end=""); + col_fmt = "%-17s " if self.args.unix_timestamp else "%-8s " + print(col_fmt % "TIME", end=""); if self.args.print_cpu: print("%-3s " % "CPU", end=""); print("%-7s %-7s %-15s %-16s %s" % From b3fc5907e66c1b1e821d1dc79179064354b51530 Mon Sep 17 00:00:00 2001 From: Maik Riechert Date: Wed, 5 Jun 2019 22:54:27 +0100 Subject: [PATCH 034/228] add -u description to trace man page --- man/man8/trace.8 | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/man/man8/trace.8 b/man/man8/trace.8 index 329df8daf..ebbb43837 100644 --- a/man/man8/trace.8 +++ b/man/man8/trace.8 @@ -3,7 +3,7 @@ trace \- Trace a function and print its arguments or return value, optionally evaluating a filter. Uses Linux eBPF/bcc. .SH SYNOPSIS .B trace [-h] [-b BUFFER_PAGES] [-p PID] [-L TID] [-v] [-Z STRING_SIZE] [-S] [-s SYM_FILE_LIST] - [-M MAX_EVENTS] [-t] [-T] [-C] [-K] [-U] [-a] [-I header] + [-M MAX_EVENTS] [-t] [-u] [-T] [-C] [-K] [-U] [-a] [-I header] probe [probe ...] .SH DESCRIPTION trace probes functions you specify and displays trace messages if a particular @@ -46,6 +46,9 @@ Print up to MAX_EVENTS trace messages and then exit. \-t Print times relative to the beginning of the trace (offsets), in seconds. .TP +\-u +Print UNIX timestamps instead of offsets from trace beginning, requires -t. +.TP \-T Print the time column. .TP From fabb9a531309634f0065194e056090d97f8e91c6 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Wed, 26 Jun 2019 14:32:26 -0700 Subject: [PATCH 035/228] declare bpf_obj_get_info_by_fd() in src/cc/libbpf.h Function bpf_obj_get_info_by_fd() is used in src/cc/frontends/clang/b_frontend_action.cc to support pinned maps. The file src/cc/frontends/clang/b_frontend_action.cc includes src/cc/libbpf.h which does not have a prototype for the function. This may cause issues in certain build system. Let us put the prototype in src/cc/libbpf.h as the bcc C visible API functions are all defined in this file. Signed-off-by: Yonghong Song --- src/cc/libbpf.h | 1 + 1 file changed, 1 insertion(+) diff --git a/src/cc/libbpf.h b/src/cc/libbpf.h index 024db2186..4a2215746 100644 --- a/src/cc/libbpf.h +++ b/src/cc/libbpf.h @@ -124,6 +124,7 @@ int bpf_prog_get_tag(int fd, unsigned long long *tag); int bpf_prog_get_next_id(uint32_t start_id, uint32_t *next_id); int bpf_prog_get_fd_by_id(uint32_t id); int bpf_map_get_fd_by_id(uint32_t id); +int bpf_obj_get_info_by_fd(int prog_fd, void *info, uint32_t *info_len); #define LOG_BUF_SIZE 65536 From 8bd65dd65c8d3742de310eb952b215247c220b3e Mon Sep 17 00:00:00 2001 From: William Wang Date: Sat, 29 Jun 2019 23:45:32 -0700 Subject: [PATCH 036/228] Add cli argument to limit run time (#2428) If a user is granted sudo access only to btrfsslower.py and not kill or timeout, then user is unable to limit the runtime of btrfsslower.py. The optional cli argument stops execution of program after specified number of seconds passes. --- man/man8/btrfsslower.8 | 9 ++++++++- tools/btrfsslower.py | 11 ++++++++--- tools/btrfsslower_example.txt | 6 +++++- 3 files changed, 21 insertions(+), 5 deletions(-) diff --git a/man/man8/btrfsslower.8 b/man/man8/btrfsslower.8 index 35af5dfdd..9f0a89a64 100644 --- a/man/man8/btrfsslower.8 +++ b/man/man8/btrfsslower.8 @@ -2,7 +2,7 @@ .SH NAME btrfsslower \- Trace slow btrfs file operations, with per-event details. .SH SYNOPSIS -.B btrfsslower [\-h] [\-j] [\-p PID] [min_ms] +.B btrfsslower [\-h] [\-j] [\-p PID] [min_ms] [\-d DURATION] .SH DESCRIPTION This tool traces common btrfs file operations: reads, writes, opens, and syncs. It measures the time spent in these operations, and prints details @@ -25,6 +25,9 @@ Trace this PID only. .TP min_ms Minimum I/O latency (duration) to trace, in milliseconds. Default is 10 ms. +.TP +\-d DURATION +Total duration of trace in seconds. .SH EXAMPLES .TP Trace synchronous file reads and writes slower than 10 ms: @@ -46,6 +49,10 @@ Trace all file reads and writes (warning: the output will be verbose): Trace slower than 1 ms, for PID 181 only: # .B btrfsslower \-p 181 1 +.TP +Trace for 10 seconds only: +# +.B btrfsslower \-d 10 .SH FIELDS .TP TIME(s) diff --git a/tools/btrfsslower.py b/tools/btrfsslower.py index bacbc06ad..84a3441fb 100755 --- a/tools/btrfsslower.py +++ b/tools/btrfsslower.py @@ -4,7 +4,7 @@ # btrfsslower Trace slow btrfs operations. # For Linux, uses BCC, eBPF. # -# USAGE: btrfsslower [-h] [-j] [-p PID] [min_ms] +# USAGE: btrfsslower [-h] [-j] [-p PID] [min_ms] [-d DURATION] # # This script traces common btrfs file operations: reads, writes, opens, and # syncs. It measures the time spent in these operations, and prints details @@ -27,6 +27,7 @@ from __future__ import print_function from bcc import BPF import argparse +from datetime import datetime, timedelta from time import strftime # symbols @@ -39,6 +40,7 @@ ./btrfsslower -j 1 # ... 1 ms, parsable output (csv) ./btrfsslower 0 # trace all operations (warning: verbose) ./btrfsslower -p 185 # trace PID 185 only + ./btrfsslower -d 10 # trace for 10 seconds only """ parser = argparse.ArgumentParser( description="Trace common btrfs file operations slower than a threshold", @@ -52,6 +54,8 @@ help="minimum I/O duration to trace, in ms (default 10)") parser.add_argument("--ebpf", action="store_true", help=argparse.SUPPRESS) +parser.add_argument("-d", "--duration", + help="total duration of trace in seconds") args = parser.parse_args() min_ms = int(args.min_ms) pid = args.pid @@ -335,8 +339,9 @@ def print_event(cpu, data, size): # read events b["events"].open_perf_buffer(print_event, page_cnt=64) -while 1: +start_time = datetime.now() +while not args.duration or datetime.now() - start_time < args.duration: try: - b.perf_buffer_poll() + b.perf_buffer_poll(timeout=1000) except KeyboardInterrupt: exit() diff --git a/tools/btrfsslower_example.txt b/tools/btrfsslower_example.txt index ccb9369dd..21ab64c10 100644 --- a/tools/btrfsslower_example.txt +++ b/tools/btrfsslower_example.txt @@ -126,7 +126,7 @@ patterns. USAGE message: # ./btrfsslower -h -usage: btrfsslower [-h] [-j] [-p PID] [min_ms] +usage: btrfsslower [-h] [-j] [-p PID] [min_ms] [-d DURATION] Trace common btrfs file operations slower than a threshold @@ -137,6 +137,8 @@ optional arguments: -h, --help show this help message and exit -j, --csv just print fields: comma-separated values -p PID, --pid PID trace this PID only + -d DURATION, --duration DURATION + total duration of trace in seconds examples: ./btrfsslower # trace operations slower than 10 ms (default) @@ -144,3 +146,5 @@ examples: ./btrfsslower -j 1 # ... 1 ms, parsable output (csv) ./btrfsslower 0 # trace all operations (warning: verbose) ./btrfsslower -p 185 # trace PID 185 only + ./btrfsslower -d 10 # trace for 10 seconds only + From fed5b68b9fdf3a3196ae39609b7ae217999b094f Mon Sep 17 00:00:00 2001 From: Kyle Zhang Date: Fri, 28 Jun 2019 23:50:36 +0800 Subject: [PATCH 037/228] Use the STL's make_unique if available Fixes build errors with GCC7.3.1 + LLVM5.0.1 under Centos. /bcc/src/cc/frontends/b/loader.cc: In member function 'int ebpf::BLoader::parse(llvm::Module*, const string&, const string&, ebpf::TableStorage&, const string&, const string&)': /bcc/src/cc/frontends/b/loader.cc:39:63: error: call of overloaded 'make_unique(const string&)' is ambiguous proto_parser_ = make_unique(proto_filename); ^ In file included from /bcc/src/cc/frontends/b/node.h:26:0, from /bcc/src/cc/frontends/b/parser.h:20, from /bcc/src/cc/frontends/b/loader.cc:17: /bcc/src/cc/common.h:28:1: note: candidate: typename std::enable_if<(! std::is_array< >::value), std::unique_ptr<_Tp> >::type e/* bpf::make_unique(Args&& ...) [with T = ebpf::cc::Parser; Args = {const std::basic_string, std::allocator >&}; typename std::enable_if<(! std::is_array< >::value), std::unique_ptr<_Tp> >::type = std::unique_ptr] make_unique(Args &&... args) { ^~~~~~~~~~~ In file included from /opt/rh/devtoolset-7/root/usr/include/c++/7/memory:80:0, from /bcc/src/cc/frontends/b/node.h:22, from /bcc/src/cc/frontends/b/parser.h:20, from /bcc/src/cc/frontends/b/loader.cc:17: /opt/rh/devtoolset-7/root/usr/include/c++/7/bits/unique_ptr.h:824:5: note: candidate: typename std::_MakeUniq<_Tp>::__single_object std::make_unique(_Args&& ...) [with _Tp = ebpf::cc::Parser; _Args = {const std::basic_string, std::allocator >&}; typename std::_MakeUniq<_Tp>::__single_object = std::unique_ptr] make_unique(_Args&&... __args) ^~~~~~~~~~~ Signed-off-by: Kyle Zhang --- src/cc/common.h | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/src/cc/common.h b/src/cc/common.h index c22747463..2ef250a2b 100644 --- a/src/cc/common.h +++ b/src/cc/common.h @@ -23,11 +23,15 @@ namespace ebpf { +#ifdef __cpp_lib_make_unique +using std::make_unique; +#else template typename std::enable_if::value, std::unique_ptr>::type make_unique(Args &&... args) { return std::unique_ptr(new T(std::forward(args)...)); } +#endif std::vector get_online_cpus(); From bb477035635a566b63855f005cf7b3392c5a5ecf Mon Sep 17 00:00:00 2001 From: Kyle Zhang Date: Sat, 29 Jun 2019 00:53:03 +0800 Subject: [PATCH 038/228] update INSTALL.md for Centos - add git, bison, flex and ncurses-devel as dependencies - add a simple way of installing LLVM Signed-off-by: Kyle Zhang --- INSTALL.md | 15 ++++++++++++++- 1 file changed, 14 insertions(+), 1 deletion(-) diff --git a/INSTALL.md b/INSTALL.md index 3c27d4f0b..5810cfd51 100644 --- a/INSTALL.md +++ b/INSTALL.md @@ -402,12 +402,14 @@ For Centos 7.6 only sudo yum install -y epel-release sudo yum update -y sudo yum groupinstall -y "Development tools" -sudo yum install -y elfutils-libelf-devel cmake3 +sudo yum install -y elfutils-libelf-devel cmake3 git bison flex ncurses-devel sudo yum install -y luajit luajit-devel # for Lua support ``` ### Install and compile LLVM +You could compile LLVM from source code + ``` curl -LO http://releases.llvm.org/7.0.1/llvm-7.0.1.src.tar.xz curl -LO http://releases.llvm.org/7.0.1/cfe-7.0.1.src.tar.xz @@ -431,6 +433,17 @@ sudo make install cd .. ``` +or install from centos-release-scl + +``` +yum install -y centos-release-scl +yum-config-manager --enable rhel-server-rhscl-7-rpms +yum install -y devtoolset-7 llvm-toolset-7 llvm-toolset-7-llvm-devel llvm-toolset-7-llvm-static llvm-toolset-7-clang-devel +source scl_source enable devtoolset-7 llvm-toolset-7 +``` + +For permanently enable scl environment, please check https://access.redhat.com/solutions/527703. + ### Install and compile BCC ``` From bac633a6bb60b6b8542348ea3f61c367eae14f7c Mon Sep 17 00:00:00 2001 From: Jerome Marchand Date: Wed, 3 Jul 2019 11:12:08 +0200 Subject: [PATCH 039/228] tools: fix runqslower warning The state member of task_struct is volatile and it's use as the last parameter of bpf_probe_read (const void *) triggers the following clang warning (LLVM 8): /virtual/main.c:56:42: warning: passing 'volatile long *' to parameter of type 'const void *' discards qualifiers [-Wincompatible-pointer-types-discards-qualifiers] bpf_probe_read(&state, sizeof(long), &prev->state); ^~~~~~~~~~~~ 1 warning generated. Tracing run queue latency higher than 10000 us TIME COMM PID LAT(us) An explicit cast fixes the warning. --- tools/runqslower.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tools/runqslower.py b/tools/runqslower.py index 1d48be8a6..5f5c3b9b2 100755 --- a/tools/runqslower.py +++ b/tools/runqslower.py @@ -167,7 +167,7 @@ long state; // ivcsw: treat like an enqueue event and store timestamp - bpf_probe_read(&state, sizeof(long), &prev->state); + bpf_probe_read(&state, sizeof(long), (const void *)&prev->state); if (state == TASK_RUNNING) { bpf_probe_read(&tgid, sizeof(prev->tgid), &prev->tgid); bpf_probe_read(&pid, sizeof(prev->pid), &prev->pid); From f84acf9e5cbbea3f60f06a29dd189530e5052a47 Mon Sep 17 00:00:00 2001 From: William Wang Date: Tue, 9 Jul 2019 10:27:55 -0700 Subject: [PATCH 040/228] Error in time comparison Datetime comparisons requires the use of timedelta. --- tools/btrfsslower.py | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/tools/btrfsslower.py b/tools/btrfsslower.py index 84a3441fb..b30880a78 100755 --- a/tools/btrfsslower.py +++ b/tools/btrfsslower.py @@ -61,7 +61,9 @@ pid = args.pid csv = args.csv debug = 0 - +if args.duration: + args.duration = timedelta(seconds=int(args.duration)) + # define BPF program bpf_text = """ #include From 06e30cca8342aed6a1cd83de65d17945499ab6bb Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Tue, 9 Jul 2019 22:54:31 -0700 Subject: [PATCH 041/228] sync to latest libbpf repo sync with latest libbpf repo Signed-off-by: Yonghong Song --- introspection/bps.c | 1 + src/cc/compat/linux/virtual_bpf.h | 38 ++++++++++++++++++++++++++----- src/cc/libbpf | 2 +- 3 files changed, 34 insertions(+), 7 deletions(-) diff --git a/introspection/bps.c b/introspection/bps.c index 5ac80999b..fe47a8057 100644 --- a/introspection/bps.c +++ b/introspection/bps.c @@ -41,6 +41,7 @@ static const char * const prog_type_strings[] = { [BPF_PROG_TYPE_FLOW_DISSECTOR] = "flow_dissector", [BPF_PROG_TYPE_CGROUP_SYSCTL] = "cgroup_sysctl", [BPF_PROG_TYPE_RAW_TRACEPOINT_WRITABLE] = "raw_tracepoint_writable", + [BPF_PROG_TYPE_CGROUP_SOCKOPT] = "cgroup_sockopt", }; static const char * const map_type_strings[] = { diff --git a/src/cc/compat/linux/virtual_bpf.h b/src/cc/compat/linux/virtual_bpf.h index bdaa1c361..12513ad02 100644 --- a/src/cc/compat/linux/virtual_bpf.h +++ b/src/cc/compat/linux/virtual_bpf.h @@ -171,6 +171,7 @@ enum bpf_prog_type { BPF_PROG_TYPE_FLOW_DISSECTOR, BPF_PROG_TYPE_CGROUP_SYSCTL, BPF_PROG_TYPE_RAW_TRACEPOINT_WRITABLE, + BPF_PROG_TYPE_CGROUP_SOCKOPT, }; enum bpf_attach_type { @@ -193,6 +194,10 @@ enum bpf_attach_type { BPF_LIRC_MODE2, BPF_FLOW_DISSECTOR, BPF_CGROUP_SYSCTL, + BPF_CGROUP_UDP4_RECVMSG, + BPF_CGROUP_UDP6_RECVMSG, + BPF_CGROUP_GETSOCKOPT, + BPF_CGROUP_SETSOCKOPT, __MAX_BPF_ATTACH_TYPE }; @@ -1763,6 +1768,7 @@ union bpf_attr { * * **BPF_SOCK_OPS_RTO_CB_FLAG** (retransmission time out) * * **BPF_SOCK_OPS_RETRANS_CB_FLAG** (retransmission) * * **BPF_SOCK_OPS_STATE_CB_FLAG** (TCP state change) + * * **BPF_SOCK_OPS_RTT_CB_FLAG** (every RTT) * * Therefore, this function can be used to clear a callback flag by * setting the appropriate bit to zero. e.g. to disable the RTO @@ -3065,6 +3071,12 @@ struct bpf_tcp_sock { * sum(delta(snd_una)), or how many bytes * were acked. */ + __u32 dsack_dups; /* RFC4898 tcpEStatsStackDSACKDups + * total number of DSACK blocks received + */ + __u32 delivered; /* Total data packets delivered incl. rexmits */ + __u32 delivered_ce; /* Like the above but only ECE marked packets */ + __u32 icsk_retransmits; /* Number of unrecovered [RTO] timeouts */ }; struct bpf_sock_tuple { @@ -3233,7 +3245,7 @@ struct bpf_sock_addr { __u32 user_ip4; /* Allows 1,2,4-byte read and 4-byte write. * Stored in network byte order. */ - __u32 user_ip6[4]; /* Allows 1,2,4-byte read an 4-byte write. + __u32 user_ip6[4]; /* Allows 1,2,4-byte read and 4,8-byte write. * Stored in network byte order. */ __u32 user_port; /* Allows 4-byte read and write. @@ -3242,10 +3254,10 @@ struct bpf_sock_addr { __u32 family; /* Allows 4-byte read, but no write */ __u32 type; /* Allows 4-byte read, but no write */ __u32 protocol; /* Allows 4-byte read, but no write */ - __u32 msg_src_ip4; /* Allows 1,2,4-byte read an 4-byte write. + __u32 msg_src_ip4; /* Allows 1,2,4-byte read and 4-byte write. * Stored in network byte order. */ - __u32 msg_src_ip6[4]; /* Allows 1,2,4-byte read an 4-byte write. + __u32 msg_src_ip6[4]; /* Allows 1,2,4-byte read and 4,8-byte write. * Stored in network byte order. */ __bpf_md_ptr(struct bpf_sock *, sk); @@ -3307,7 +3319,8 @@ struct bpf_sock_ops { #define BPF_SOCK_OPS_RTO_CB_FLAG (1<<0) #define BPF_SOCK_OPS_RETRANS_CB_FLAG (1<<1) #define BPF_SOCK_OPS_STATE_CB_FLAG (1<<2) -#define BPF_SOCK_OPS_ALL_CB_FLAGS 0x7 /* Mask of all currently +#define BPF_SOCK_OPS_RTT_CB_FLAG (1<<3) +#define BPF_SOCK_OPS_ALL_CB_FLAGS 0xF /* Mask of all currently * supported cb flags */ @@ -3362,6 +3375,8 @@ enum { BPF_SOCK_OPS_TCP_LISTEN_CB, /* Called on listen(2), right after * socket transition to LISTEN state. */ + BPF_SOCK_OPS_RTT_CB, /* Called on every RTT. + */ }; /* List of TCP states. There is a build check in net/ipv4/tcp.c to detect @@ -3416,8 +3431,8 @@ struct bpf_raw_tracepoint_args { /* DIRECT: Skip the FIB rules and go to FIB table associated with device * OUTPUT: Do lookup from egress perspective; default is ingress */ -#define BPF_FIB_LOOKUP_DIRECT BIT(0) -#define BPF_FIB_LOOKUP_OUTPUT BIT(1) +#define BPF_FIB_LOOKUP_DIRECT (1U << 0) +#define BPF_FIB_LOOKUP_OUTPUT (1U << 1) enum { BPF_FIB_LKUP_RET_SUCCESS, /* lookup successful */ @@ -3540,5 +3555,16 @@ struct bpf_sysctl { */ }; +struct bpf_sockopt { + __bpf_md_ptr(struct bpf_sock *, sk); + __bpf_md_ptr(void *, optval); + __bpf_md_ptr(void *, optval_end); + + __s32 level; + __s32 optname; + __s32 optlen; + __s32 retval; +}; + #endif /* _UAPI__LINUX_BPF_H__ */ )********" diff --git a/src/cc/libbpf b/src/cc/libbpf index 52ec16bce..45ad86260 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 52ec16bce80451130db50d0ad3a1c7135c12195c +Subproject commit 45ad8626010b384306bc277c46a4107f21414b22 From 01ee0b61a854e06cb62272ddfbb4eeaf16e9ad7c Mon Sep 17 00:00:00 2001 From: Dave Marchevsky Date: Fri, 19 Apr 2019 09:45:31 -0700 Subject: [PATCH 042/228] Use device+inode to identify matching files; prepend /proc/pid/root to paths for usdt. --- examples/cpp/pyperf/PyPerfUtil.cc | 13 ++- src/cc/CMakeLists.txt | 4 +- src/cc/api/BPF.cc | 29 +++++-- src/cc/api/BPF.h | 15 ++++ src/cc/bcc_elf.c | 12 +-- src/cc/bcc_proc.c | 74 +++++++++++------ src/cc/bcc_proc.h | 22 +++++- src/cc/bcc_syms.cc | 109 ++++++++++++++++--------- src/cc/bcc_syms.h | 4 +- src/cc/libbpf.c | 2 +- src/cc/ns_guard.cc | 77 ------------------ src/cc/ns_guard.h | 59 -------------- src/cc/syms.h | 11 +-- src/cc/usdt.h | 21 ++--- src/cc/usdt/usdt.cc | 77 +++++++++--------- tests/cc/CMakeLists.txt | 9 +-- tests/cc/dummy_proc_map.txt | 45 +++++++++++ tests/cc/test_c_api.cc | 127 ++++++++++++++++++++++++++++++ tests/cc/test_usdt_probes.cc | 24 ++++-- tests/cc/usdt_test_lib.c | 10 +++ 20 files changed, 451 insertions(+), 293 deletions(-) delete mode 100644 src/cc/ns_guard.cc delete mode 100644 src/cc/ns_guard.h create mode 100644 tests/cc/dummy_proc_map.txt create mode 100644 tests/cc/usdt_test_lib.c diff --git a/examples/cpp/pyperf/PyPerfUtil.cc b/examples/cpp/pyperf/PyPerfUtil.cc index 252a0fed5..b1495bb5f 100644 --- a/examples/cpp/pyperf/PyPerfUtil.cc +++ b/examples/cpp/pyperf/PyPerfUtil.cc @@ -93,20 +93,19 @@ typedef struct { const static std::string kPy36LibName = "libpython3.6"; -int findPythonPathCallback(const char* name, uint64_t st, uint64_t en, uint64_t, - bool, void* payload) { +int findPythonPathCallback(mod_info *mod, int, void* payload) { auto helper = static_cast(payload); - std::string file = name; + std::string file = mod->name; auto pos = file.rfind("/"); if (pos != std::string::npos) { file = file.substr(pos + 1); } if (file.find(kPy36LibName) == 0) { - logInfo(1, "Found Python library %s loaded at %lx-%lx for PID %d\n", name, - st, en, helper->pid); + logInfo(1, "Found Python library %s loaded at %lx-%lx for PID %d\n", mod->name, + mod->start_addr, mod->end_addr, helper->pid); helper->found = true; - helper->st = st; - helper->en = en; + helper->st = mod->start_addr; + helper->en = mod->end_addr; return -1; } return 0; diff --git a/src/cc/CMakeLists.txt b/src/cc/CMakeLists.txt index bd34fd481..571a46373 100644 --- a/src/cc/CMakeLists.txt +++ b/src/cc/CMakeLists.txt @@ -47,11 +47,11 @@ set(bcc_common_sources ${bcc_common_sources} bpf_module_rw_engine_disabled.cc) endif() set(bcc_table_sources table_storage.cc shared_table.cc bpffs_table.cc json_map_decl_visitor.cc) -set(bcc_util_sources ns_guard.cc common.cc) +set(bcc_util_sources common.cc) set(bcc_sym_sources bcc_syms.cc bcc_elf.c bcc_perf_map.c bcc_proc.c) set(bcc_common_headers libbpf.h perf_reader.h) set(bcc_table_headers file_desc.h table_desc.h table_storage.h) -set(bcc_api_headers bcc_common.h bpf_module.h bcc_exception.h bcc_syms.h bcc_elf.h) +set(bcc_api_headers bcc_common.h bpf_module.h bcc_exception.h bcc_syms.h bcc_proc.h bcc_elf.h) if(ENABLE_CLANG_JIT) add_library(bcc-shared SHARED diff --git a/src/cc/api/BPF.cc b/src/cc/api/BPF.cc index db2436d84..b5aa52b45 100644 --- a/src/cc/api/BPF.cc +++ b/src/cc/api/BPF.cc @@ -740,7 +740,8 @@ USDT::USDT(const std::string& binary_path, const std::string& provider, pid_(-1), provider_(provider), name_(name), - probe_func_(probe_func) {} + probe_func_(probe_func), + mod_match_inode_only_(0) {} USDT::USDT(pid_t pid, const std::string& provider, const std::string& name, const std::string& probe_func) @@ -749,7 +750,8 @@ USDT::USDT(pid_t pid, const std::string& provider, const std::string& name, pid_(pid), provider_(provider), name_(name), - probe_func_(probe_func) {} + probe_func_(probe_func), + mod_match_inode_only_(0) {} USDT::USDT(const std::string& binary_path, pid_t pid, const std::string& provider, const std::string& name, @@ -759,7 +761,8 @@ USDT::USDT(const std::string& binary_path, pid_t pid, pid_(pid), provider_(provider), name_(name), - probe_func_(probe_func) {} + probe_func_(probe_func), + mod_match_inode_only_(0) {} USDT::USDT(const USDT& usdt) : initialized_(false), @@ -767,7 +770,8 @@ USDT::USDT(const USDT& usdt) pid_(usdt.pid_), provider_(usdt.provider_), name_(usdt.name_), - probe_func_(usdt.probe_func_) {} + probe_func_(usdt.probe_func_), + mod_match_inode_only_(usdt.mod_match_inode_only_) {} USDT::USDT(USDT&& usdt) noexcept : initialized_(usdt.initialized_), @@ -777,7 +781,8 @@ USDT::USDT(USDT&& usdt) noexcept name_(std::move(usdt.name_)), probe_func_(std::move(usdt.probe_func_)), probe_(std::move(usdt.probe_)), - program_text_(std::move(usdt.program_text_)) { + program_text_(std::move(usdt.program_text_)), + mod_match_inode_only_(usdt.mod_match_inode_only_) { usdt.initialized_ = false; } @@ -787,14 +792,22 @@ bool USDT::operator==(const USDT& other) const { (probe_func_ == other.probe_func_); } +int USDT::set_probe_matching_kludge(uint8_t kludge) { + if (kludge != 0 && kludge != 1) + return -1; + + mod_match_inode_only_ = kludge; + return 0; +} + StatusTuple USDT::init() { std::unique_ptr<::USDT::Context> ctx; if (!binary_path_.empty() && pid_ > 0) - ctx.reset(new ::USDT::Context(pid_, binary_path_)); + ctx.reset(new ::USDT::Context(pid_, binary_path_, mod_match_inode_only_)); else if (!binary_path_.empty()) - ctx.reset(new ::USDT::Context(binary_path_)); + ctx.reset(new ::USDT::Context(binary_path_, mod_match_inode_only_)); else if (pid_ > 0) - ctx.reset(new ::USDT::Context(pid_)); + ctx.reset(new ::USDT::Context(pid_, mod_match_inode_only_)); else return StatusTuple(-1, "No valid Binary Path or PID provided"); diff --git a/src/cc/api/BPF.h b/src/cc/api/BPF.h index 4b260887e..9c0ab19d6 100644 --- a/src/cc/api/BPF.h +++ b/src/cc/api/BPF.h @@ -287,6 +287,19 @@ class USDT { << usdt.probe_func_; } + // When the kludge flag is set to 1, we will only match on inode + // when searching for modules in /proc/PID/maps that might contain the + // tracepoint we're looking for. Normally match is on inode and + // (dev_major, dev_minor), which is a more accurate way to uniquely + // identify a file. + // + // This hack exists because btrfs reports different device numbers for files + // in /proc/PID/maps vs stat syscall. Don't use it unless you're using btrfs + // + // set_probe_matching_kludge(1) must be called before USDTs are submitted to + // BPF::init() + int set_probe_matching_kludge(uint8_t kludge); + private: bool initialized_; @@ -300,6 +313,8 @@ class USDT { std::unique_ptr> probe_; std::string program_text_; + uint8_t mod_match_inode_only_; + friend class BPF; }; diff --git a/src/cc/bcc_elf.c b/src/cc/bcc_elf.c index ba8fa1d23..b9d25d84f 100644 --- a/src/cc/bcc_elf.c +++ b/src/cc/bcc_elf.c @@ -684,17 +684,17 @@ int bcc_elf_is_vdso(const char *name) { // >0: Initialized static int vdso_image_fd = -1; -static int find_vdso(const char *name, uint64_t st, uint64_t en, - uint64_t offset, bool enter_ns, void *payload) { +static int find_vdso(struct mod_info *info, int enter_ns, void *payload) { int fd; char tmpfile[128]; - if (!bcc_elf_is_vdso(name)) + if (!bcc_elf_is_vdso(info->name)) return 0; - void *image = malloc(en - st); + uint64_t sz = info->end_addr - info->start_addr; + void *image = malloc(sz); if (!image) goto on_error; - memcpy(image, (void *)st, en - st); + memcpy(image, (void *)info->start_addr, sz); snprintf(tmpfile, sizeof(tmpfile), "/tmp/bcc_%d_vdso_image_XXXXXX", getpid()); fd = mkostemp(tmpfile, O_CLOEXEC); @@ -706,7 +706,7 @@ static int find_vdso(const char *name, uint64_t st, uint64_t en, if (unlink(tmpfile) == -1) fprintf(stderr, "Unlink %s failed: %s\n", tmpfile, strerror(errno)); - if (write(fd, image, en - st) == -1) { + if (write(fd, image, sz) == -1) { fprintf(stderr, "Failed to write to vDSO image: %s\n", strerror(errno)); close(fd); goto on_error; diff --git a/src/cc/bcc_proc.c b/src/cc/bcc_proc.c index 6ce63de89..c8f4041ed 100644 --- a/src/cc/bcc_proc.c +++ b/src/cc/bcc_proc.c @@ -121,25 +121,21 @@ static char *_procutils_memfd_path(const int pid, const uint64_t inum) { return path; } -int bcc_procutils_each_module(int pid, bcc_procutils_modulecb callback, - void *payload) { - char procmap_filename[128]; - FILE *procmap; - snprintf(procmap_filename, sizeof(procmap_filename), "/proc/%ld/maps", - (long)pid); - procmap = fopen(procmap_filename, "r"); - if (!procmap) - return -1; - - char buf[PATH_MAX + 1], perm[5], dev[8]; +// return: 0 -> callback returned < 0, stopped iterating +// -1 -> callback never indicated to stop +int _procfs_maps_each_module(FILE *procmap, int pid, + bcc_procutils_modulecb callback, void *payload) { + char buf[PATH_MAX + 1], perm[5]; char *name; - uint64_t begin, end, inode; - unsigned long long offset; + mod_info mod; + uint8_t enter_ns; while (true) { + enter_ns = 1; buf[0] = '\0'; // From fs/proc/task_mmu.c:show_map_vma - if (fscanf(procmap, "%lx-%lx %4s %llx %7s %lu%[^\n]", &begin, &end, perm, - &offset, dev, &inode, buf) != 7) + if (fscanf(procmap, "%lx-%lx %4s %llx %lx:%lx %lu%[^\n]", + &mod.start_addr, &mod.end_addr, perm, &mod.file_offset, + &mod.dev_major, &mod.dev_minor, &mod.inode, buf) != 8) break; if (perm[2] != 'x') @@ -148,39 +144,65 @@ int bcc_procutils_each_module(int pid, bcc_procutils_modulecb callback, name = buf; while (isspace(*name)) name++; + mod.name = name; if (!bcc_mapping_is_file_backed(name)) continue; if (strstr(name, "/memfd:")) { - char *memfd_name = _procutils_memfd_path(pid, inode); + char *memfd_name = _procutils_memfd_path(pid, mod.inode); if (memfd_name != NULL) { strcpy(buf, memfd_name); free(memfd_name); - name = buf; + mod.name = buf; + enter_ns = 0; } } - if (callback(name, begin, end, (uint64_t)offset, true, payload) < 0) - break; + if (callback(&mod, enter_ns, payload) < 0) + return 0; } - fclose(procmap); + return -1; +} + +int bcc_procutils_each_module(int pid, bcc_procutils_modulecb callback, + void *payload) { + char procmap_filename[128]; + FILE *procmap; + snprintf(procmap_filename, sizeof(procmap_filename), "/proc/%ld/maps", + (long)pid); + procmap = fopen(procmap_filename, "r"); + if (!procmap) + return -1; + + _procfs_maps_each_module(procmap, pid, callback, payload); // Address mapping for the entire address space maybe in /tmp/perf-.map // This will be used if symbols aren't resolved in an earlier mapping. char map_path[4096]; // Try perf-.map path with process's mount namespace, chroot and NSPID, // in case it is generated by the process itself. - if (bcc_perf_map_path(map_path, sizeof(map_path), pid)) - if (callback(map_path, 0, -1, 0, true, payload) < 0) - return 0; + mod_info mod; + memset(&mod, 0, sizeof(mod_info)); + if (bcc_perf_map_path(map_path, sizeof(map_path), pid)) { + mod.name = map_path; + mod.end_addr = -1; + if (callback(&mod, 1, payload) < 0) + goto done; + } // Try perf-.map path with global root and PID, in case it is generated // by other Process. Avoid checking mount namespace for this. + memset(&mod, 0, sizeof(mod_info)); int res = snprintf(map_path, 4096, "/tmp/perf-%d.map", pid); - if (res > 0 && res < 4096) - if (callback(map_path, 0, -1, 0, false, payload) < 0) - return 0; + if (res > 0 && res < 4096) { + mod.name = map_path; + mod.end_addr = -1; + if (callback(&mod, 0, payload) < 0) + goto done; + } +done: + fclose(procmap); return 0; } diff --git a/src/cc/bcc_proc.h b/src/cc/bcc_proc.h index 1e5a7200f..a56f680d5 100644 --- a/src/cc/bcc_proc.h +++ b/src/cc/bcc_proc.h @@ -23,13 +23,24 @@ extern "C" { #endif #include +#include #include -// Module name, start address, end address, file_offset, -// whether to check mount namespace, payload + +typedef struct mod_info { + char *name; + uint64_t start_addr; + uint64_t end_addr; + long long unsigned int file_offset; + uint64_t dev_major; + uint64_t dev_minor; + uint64_t inode; +} mod_info; + +// Module info, whether to check mount namespace, payload // Callback returning a negative value indicates to stop the iteration -typedef int (*bcc_procutils_modulecb)(const char *, uint64_t, uint64_t, - uint64_t, bool, void *); +typedef int (*bcc_procutils_modulecb)(mod_info *, int, void *); + // Symbol name, address, payload typedef void (*bcc_procutils_ksymcb)(const char *, uint64_t, void *); @@ -42,6 +53,9 @@ int bcc_mapping_is_file_backed(const char *mapname); // Returns -1 on error, and 0 on success int bcc_procutils_each_module(int pid, bcc_procutils_modulecb callback, void *payload); + +int _procfs_maps_each_module(FILE *procmaps, int pid, + bcc_procutils_modulecb callback, void *payload); // Iterate over all non-data Kernel symbols. // Returns -1 on error, and 0 on success int bcc_procutils_each_ksym(bcc_procutils_ksymcb callback, void *payload); diff --git a/src/cc/bcc_syms.cc b/src/cc/bcc_syms.cc index 96d431ed4..9fea63628 100644 --- a/src/cc/bcc_syms.cc +++ b/src/cc/bcc_syms.cc @@ -20,6 +20,7 @@ #include #include #include +#include #include #include #include @@ -102,7 +103,7 @@ bool KSyms::resolve_name(const char *_unused, const char *name, } ProcSyms::ProcSyms(int pid, struct bcc_symbol_option *option) - : pid_(pid), procstat_(pid), mount_ns_instance_(new ProcMountNS(pid_)) { + : pid_(pid), procstat_(pid) { if (option) std::memcpy(&symbol_option_, option, sizeof(bcc_symbol_option)); else @@ -122,9 +123,8 @@ int ProcSyms::_add_load_sections(uint64_t v_addr, uint64_t mem_sz, } void ProcSyms::load_exe() { - ProcMountNSGuard g(mount_ns_instance_.get()); std::string exe = ebpf::get_pid_exe(pid_); - Module module(exe.c_str(), mount_ns_instance_.get(), &symbol_option_); + Module module(exe.c_str(), exe.c_str(), &symbol_option_); if (module.type_ != ModuleType::EXEC) return; @@ -143,35 +143,33 @@ void ProcSyms::load_modules() { void ProcSyms::refresh() { modules_.clear(); - mount_ns_instance_.reset(new ProcMountNS(pid_)); load_modules(); procstat_.reset(); } -int ProcSyms::_add_module(const char *modname, uint64_t start, uint64_t end, - uint64_t offset, bool check_mount_ns, void *payload) { +int ProcSyms::_add_module(mod_info *mod, int enter_ns, void *payload) { ProcSyms *ps = static_cast(payload); + std::string ns_relative_path = tfm::format("/proc/%d/root%s", ps->pid_, mod->name); + const char *modpath = enter_ns && ps->pid_ != -1 ? ns_relative_path.c_str() : mod->name; auto it = std::find_if( ps->modules_.begin(), ps->modules_.end(), - [=](const ProcSyms::Module &m) { return m.name_ == modname; }); + [=](const ProcSyms::Module &m) { return m.name_ == mod->name; }); if (it == ps->modules_.end()) { auto module = Module( - modname, check_mount_ns ? ps->mount_ns_instance_.get() : nullptr, - &ps->symbol_option_); + mod->name, modpath, &ps->symbol_option_); // pid/maps doesn't account for file_offset of text within the ELF. // It only gives the mmap offset. We need the real offset for symbol // lookup. if (module.type_ == ModuleType::SO) { - ProcMountNSGuard g(ps->mount_ns_instance_.get()); - if (bcc_elf_get_text_scn_info(modname, &module.elf_so_addr_, + if (bcc_elf_get_text_scn_info(modpath, &module.elf_so_addr_, &module.elf_so_offset_) < 0) { - fprintf(stderr, "WARNING: Couldn't find .text section in %s\n", modname); - fprintf(stderr, "WARNING: BCC can't handle sym look ups for %s", modname); + fprintf(stderr, "WARNING: Couldn't find .text section in %s\n", modpath); + fprintf(stderr, "WARNING: BCC can't handle sym look ups for %s", modpath); } } - if (!bcc_is_perf_map(modname) || module.type_ != ModuleType::UNKNOWN) + if (!bcc_is_perf_map(modpath) || module.type_ != ModuleType::UNKNOWN) // Always add the module even if we can't read it, so that we could // report correct module name. Unless it's a perf map that we only // add readable ones. @@ -179,7 +177,7 @@ int ProcSyms::_add_module(const char *modname, uint64_t start, uint64_t end, else return 0; } - it->ranges_.emplace_back(start, end, offset); + it->ranges_.emplace_back(mod->start_addr, mod->end_addr, mod->file_offset); // perf-PID map is added last. We try both inside the Process's mount // namespace + chroot, and in global /tmp. Make sure we only add one. if (it->type_ == ModuleType::PERF_MAP) @@ -242,15 +240,14 @@ bool ProcSyms::resolve_name(const char *module, const char *name, return false; } -ProcSyms::Module::Module(const char *name, ProcMountNS *mount_ns, - struct bcc_symbol_option *option) +ProcSyms::Module::Module(const char *name, const char *path, + struct bcc_symbol_option *option) : name_(name), + path_(path), loaded_(false), - mount_ns_(mount_ns), symbol_option_(option), type_(ModuleType::UNKNOWN) { - ProcMountNSGuard g(mount_ns_); - int elf_type = bcc_elf_get_type(name_.c_str()); + int elf_type = bcc_elf_get_type(path_.c_str()); // The Module is an ELF file if (elf_type >= 0) { if (elf_type == ET_EXEC) @@ -260,9 +257,9 @@ ProcSyms::Module::Module(const char *name, ProcMountNS *mount_ns, return; } // Other symbol files - if (bcc_is_valid_perf_map(name_.c_str()) == 1) + if (bcc_is_valid_perf_map(path_.c_str()) == 1) type_ = ModuleType::PERF_MAP; - else if (bcc_elf_is_vdso(name_.c_str()) == 1) + else if (bcc_elf_is_vdso(path_.c_str()) == 1) type_ = ModuleType::VDSO; // Will be stored later @@ -286,12 +283,10 @@ void ProcSyms::Module::load_sym_table() { if (type_ == ModuleType::UNKNOWN) return; - ProcMountNSGuard g(mount_ns_); - if (type_ == ModuleType::PERF_MAP) - bcc_perf_map_foreach_sym(name_.c_str(), _add_symbol, this); + bcc_perf_map_foreach_sym(path_.c_str(), _add_symbol, this); if (type_ == ModuleType::EXEC || type_ == ModuleType::SO) - bcc_elf_foreach_sym(name_.c_str(), _add_symbol, symbol_option_, this); + bcc_elf_foreach_sym(path_.c_str(), _add_symbol, symbol_option_, this); if (type_ == ModuleType::VDSO) bcc_elf_foreach_vdso_sym(_add_symbol, this); @@ -547,27 +542,60 @@ int bcc_buildsymcache_resolve(void *resolver, return bsym->resolve_addr(build_id, trace->offset, sym) ? 0 : -1; } -struct mod_st { +struct mod_search { const char *name; + uint64_t inode; + uint64_t dev_major; + uint64_t dev_minor; + uint64_t addr; + uint8_t inode_match_only; + uint64_t start; uint64_t file_offset; }; -static int _find_module(const char *modname, uint64_t start, uint64_t end, - uint64_t offset, bool, void *p) { - struct mod_st *mod = (struct mod_st *)p; - if (!strcmp(modname, mod->name)) { - mod->start = start; - mod->file_offset = offset; - return -1; +int _bcc_syms_find_module(mod_info *info, int enter_ns, void *p) { + struct mod_search *mod = (struct mod_search *)p; + // use inode + dev to determine match if inode set + if (mod->inode) { + if (mod->inode != info->inode) + return 0; + + // look at comment on USDT::set_probe_matching_kludge + // in api/BPF.h for explanation of why this might be + // necessary + if (mod->inode_match_only) + goto file_match; + + if(mod->dev_major == info->dev_major + && mod->dev_minor == info->dev_minor) + goto file_match; + + return 0; } + + // fallback to name match + if (!strcmp(info->name, mod->name)) + goto file_match; + return 0; + +file_match: + mod->start = info->start_addr; + mod->file_offset = info->file_offset; + return -1; } int bcc_resolve_global_addr(int pid, const char *module, const uint64_t address, - uint64_t *global) { - struct mod_st mod = {module, 0x0}; - if (bcc_procutils_each_module(pid, _find_module, &mod) < 0 || + uint8_t inode_match_only, uint64_t *global) { + struct stat s; + if (stat(module, &s)) + return -1; + + struct mod_search mod = {module, s.st_ino, major(s.st_dev), minor(s.st_dev), + address, inode_match_only, + 0x0, 0x0}; + if (bcc_procutils_each_module(pid, _bcc_syms_find_module, &mod) < 0 || mod.start == 0x0) return -1; @@ -645,8 +673,11 @@ int bcc_resolve_symname(const char *module, const char *symname, } if (sym->module == NULL) return -1; - - ProcMountNSGuard g(pid); + if (pid != 0 && pid != -1) { + char *temp = (char*)sym->module; + sym->module = strdup(tfm::format("/proc/%d/root%s", pid, sym->module).c_str()); + free(temp); + } sym->name = symname; sym->offset = addr; diff --git a/src/cc/bcc_syms.h b/src/cc/bcc_syms.h index c213f10cd..12b3cfad8 100644 --- a/src/cc/bcc_syms.h +++ b/src/cc/bcc_syms.h @@ -22,6 +22,7 @@ extern "C" { #include #include "linux/bpf.h" +#include "bcc_proc.h" struct bcc_symbol { const char *name; @@ -65,8 +66,9 @@ int bcc_symcache_resolve_name(void *resolver, const char *module, const char *name, uint64_t *addr); void bcc_symcache_refresh(void *resolver); +int _bcc_syms_find_module(struct mod_info *info, int enter_ns, void *p); int bcc_resolve_global_addr(int pid, const char *module, const uint64_t address, - uint64_t *global); + uint8_t inode_match_only, uint64_t *global); /*bcc APIs for build_id stackmap support*/ void *bcc_buildsymcache_new(void); diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index 5de772b8a..9054bef08 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -941,7 +941,7 @@ static int create_probe_event(char *buf, const char *ev_name, const char *event_type, pid_t pid, int maxactive) { int kfd = -1, res = -1, ns_fd = -1; - char ev_alias[128]; + char ev_alias[256]; bool is_kprobe = strncmp("kprobe", event_type, 6) == 0; snprintf(buf, PATH_MAX, "/sys/kernel/debug/tracing/%s_events", event_type); diff --git a/src/cc/ns_guard.cc b/src/cc/ns_guard.cc deleted file mode 100644 index c5baf5abc..000000000 --- a/src/cc/ns_guard.cc +++ /dev/null @@ -1,77 +0,0 @@ -/* - * Copyright (c) 2017 Facebook, Inc. - * Copyright (c) 2017 VMware, Inc. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - -#include -#include -#include -#include - -#include "ns_guard.h" - -// TODO: Remove this when CentOS 6 support is not needed anymore -#include "setns.h" - -ProcMountNS::ProcMountNS(int pid) : target_ino_(0) { - if (pid < 0) - return; - - std::string target_path = "/proc/" + std::to_string(pid) + "/ns/mnt"; - ebpf::FileDesc target_fd(open(target_path.c_str(), O_RDONLY)); - ebpf::FileDesc self_fd(open("/proc/self/ns/mnt", O_RDONLY)); - - if (self_fd < 0 || target_fd < 0) - return; - - struct stat self_stat, target_stat; - if (fstat(self_fd, &self_stat) != 0) - return; - if (fstat(target_fd, &target_stat) != 0) - return; - - target_ino_ = target_stat.st_ino; - if (self_stat.st_ino == target_stat.st_ino) - // Both current and target Process are in same mount namespace - return; - - self_fd_ = std::move(self_fd); - target_fd_ = std::move(target_fd); -} - -ProcMountNSGuard::ProcMountNSGuard(ProcMountNS *mount_ns) - : mount_ns_instance_(nullptr), mount_ns_(mount_ns), entered_(false) { - init(); -} - -ProcMountNSGuard::ProcMountNSGuard(int pid) - : mount_ns_instance_(pid > 0 ? new ProcMountNS(pid) : nullptr), - mount_ns_(mount_ns_instance_.get()), - entered_(false) { - init(); -} - -void ProcMountNSGuard::init() { - if (!mount_ns_ || mount_ns_->self() < 0 || mount_ns_->target() < 0) - return; - - if (setns(mount_ns_->target(), CLONE_NEWNS) == 0) - entered_ = true; -} - -ProcMountNSGuard::~ProcMountNSGuard() { - if (mount_ns_ && entered_ && mount_ns_->self() >= 0) - setns(mount_ns_->self(), CLONE_NEWNS); -} diff --git a/src/cc/ns_guard.h b/src/cc/ns_guard.h deleted file mode 100644 index ce4b61bc0..000000000 --- a/src/cc/ns_guard.h +++ /dev/null @@ -1,59 +0,0 @@ -/* - * Copyright (c) 2017 Facebook, Inc. - * Copyright (c) 2017 VMware, Inc. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - */ - -#pragma once - -#include -#include - -#include "file_desc.h" - -class ProcMountNSGuard; - -// ProcMountNS opens an fd corresponding to the current mount namespace and the -// mount namespace of the target process. -// The fds will remain uninitialized (<0) if the open fails, or if the current -// and target namespaces are identical. -class ProcMountNS { - public: - explicit ProcMountNS(int pid); - int self() const { return self_fd_; } - int target() const { return target_fd_; } - ino_t target_ino() const { return target_ino_; } - - private: - ebpf::FileDesc self_fd_; - ebpf::FileDesc target_fd_; - ino_t target_ino_; -}; - -// ProcMountNSGuard switches to the target mount namespace and restores the -// original upon going out of scope. -class ProcMountNSGuard { - public: - explicit ProcMountNSGuard(ProcMountNS *mount_ns); - explicit ProcMountNSGuard(int pid); - - ~ProcMountNSGuard(); - - private: - void init(); - - std::unique_ptr mount_ns_instance_; - ProcMountNS *mount_ns_; - bool entered_; -}; diff --git a/src/cc/syms.h b/src/cc/syms.h index b53374151..ac7e8fbb6 100644 --- a/src/cc/syms.h +++ b/src/cc/syms.h @@ -23,9 +23,9 @@ #include #include +#include "bcc_proc.h" #include "bcc_syms.h" #include "file_desc.h" -#include "ns_guard.h" class ProcStat { std::string procfs_; @@ -98,13 +98,12 @@ class ProcSyms : SymbolCache { : start(s), end(e), file_offset(f) {} }; - Module(const char *name, ProcMountNS *mount_ns, - struct bcc_symbol_option *option); + Module(const char *name, const char *path, struct bcc_symbol_option *option); std::string name_; + std::string path_; std::vector ranges_; bool loaded_; - ProcMountNS *mount_ns_; bcc_symbol_option *symbol_option_; ModuleType type_; @@ -130,13 +129,11 @@ class ProcSyms : SymbolCache { int pid_; std::vector modules_; ProcStat procstat_; - std::unique_ptr mount_ns_instance_; bcc_symbol_option symbol_option_; static int _add_load_sections(uint64_t v_addr, uint64_t mem_sz, uint64_t file_offset, void *payload); - static int _add_module(const char *, uint64_t, uint64_t, uint64_t, bool, - void *); + static int _add_module(mod_info *, int, void *); void load_exe(); void load_modules(); diff --git a/src/cc/usdt.h b/src/cc/usdt.h index f1dac48a6..428bc35ae 100644 --- a/src/cc/usdt.h +++ b/src/cc/usdt.h @@ -20,7 +20,7 @@ #include #include -#include "ns_guard.h" +#include "bcc_proc.h" #include "syms.h" #include "vendor/optional.hpp" @@ -196,11 +196,11 @@ class Probe { std::vector locations_; optional pid_; - ProcMountNS *mount_ns_; std::unordered_map object_type_map_; // bin_path => is shared lib? optional attached_to_; optional attached_semaphore_; + uint8_t mod_match_inode_only_; std::string largest_arg_type(size_t arg_n); @@ -212,7 +212,7 @@ class Probe { public: Probe(const char *bin_path, const char *provider, const char *name, - uint64_t semaphore, const optional &pid, ProcMountNS *ns); + uint64_t semaphore, const optional &pid, uint8_t mod_match_inode_only = 0); size_t num_locations() const { return locations_.size(); } size_t num_arguments() const { return locations_.front().arguments_.size(); } @@ -251,29 +251,30 @@ class Context { optional pid_; optional pid_stat_; - std::unique_ptr mount_ns_instance_; std::string cmd_bin_path_; bool loaded_; static void _each_probe(const char *binpath, const struct bcc_elf_usdt *probe, void *p); - static int _each_module(const char *modpath, uint64_t, uint64_t, uint64_t, - bool, void *p); + static int _each_module(mod_info *, int enter_ns, void *p); void add_probe(const char *binpath, const struct bcc_elf_usdt *probe); std::string resolve_bin_path(const std::string &bin_path); +private: + uint8_t mod_match_inode_only_; + public: - Context(const std::string &bin_path); - Context(int pid); - Context(int pid, const std::string &bin_path); + Context(const std::string &bin_path, uint8_t mod_match_inode_only = 0); + Context(int pid, uint8_t mod_match_inode_only = 0); + Context(int pid, const std::string &bin_path, + uint8_t mod_match_inode_only = 0); ~Context(); optional pid() const { return pid_; } bool loaded() const { return loaded_; } size_t num_probes() const { return probes_.size(); } const std::string & cmd_bin_path() const { return cmd_bin_path_; } - ino_t inode() const { return mount_ns_instance_->target_ino(); } Probe *get(const std::string &probe_name); Probe *get(const std::string &provider_name, const std::string &probe_name); diff --git a/src/cc/usdt/usdt.cc b/src/cc/usdt/usdt.cc index 09b204ee4..ab51cb5db 100644 --- a/src/cc/usdt/usdt.cc +++ b/src/cc/usdt/usdt.cc @@ -54,17 +54,18 @@ Location::Location(uint64_t addr, const std::string &bin_path, const char *arg_f } Probe::Probe(const char *bin_path, const char *provider, const char *name, - uint64_t semaphore, const optional &pid, ProcMountNS *ns) + uint64_t semaphore, const optional &pid, + uint8_t mod_match_inode_only) : bin_path_(bin_path), provider_(provider), name_(name), semaphore_(semaphore), pid_(pid), - mount_ns_(ns) {} + mod_match_inode_only_(mod_match_inode_only) + {} bool Probe::in_shared_object(const std::string &bin_path) { if (object_type_map_.find(bin_path) == object_type_map_.end()) { - ProcMountNSGuard g(mount_ns_); return (object_type_map_[bin_path] = bcc_elf_is_shared_obj(bin_path.c_str())); } return object_type_map_[bin_path]; @@ -74,7 +75,7 @@ bool Probe::resolve_global_address(uint64_t *global, const std::string &bin_path const uint64_t addr) { if (in_shared_object(bin_path)) { return (pid_ && - !bcc_resolve_global_addr(*pid_, bin_path.c_str(), addr, global)); + !bcc_resolve_global_addr(*pid_, bin_path.c_str(), addr, mod_match_inode_only_, global)); } *global = addr; @@ -235,15 +236,19 @@ void Context::_each_probe(const char *binpath, const struct bcc_elf_usdt *probe, ctx->add_probe(binpath, probe); } -int Context::_each_module(const char *modpath, uint64_t, uint64_t, uint64_t, - bool, void *p) { +int Context::_each_module(mod_info *mod, int enter_ns, void *p) { Context *ctx = static_cast(p); + + std::string path = mod->name; + if (ctx->pid_ && *ctx->pid_ != -1 && enter_ns) { + path = tfm::format("/proc/%d/root%s", *ctx->pid_, path); + } + // Modules may be reported multiple times if they contain more than one // executable region. We are going to parse the ELF on disk anyway, so we // don't need these duplicates. - if (ctx->modules_.insert(modpath).second /*inserted new?*/) { - ProcMountNSGuard g(ctx->mount_ns_instance_.get()); - bcc_elf_foreach_usdt(modpath, _each_probe, p); + if (ctx->modules_.insert(path).second /*inserted new?*/) { + bcc_elf_foreach_usdt(path.c_str(), _each_probe, p); } return 0; } @@ -257,8 +262,9 @@ void Context::add_probe(const char *binpath, const struct bcc_elf_usdt *probe) { } probes_.emplace_back( - new Probe(binpath, probe->provider, probe->name, probe->semaphore, pid_, - mount_ns_instance_.get())); + new Probe(binpath, probe->provider, probe->name, probe->semaphore, pid_, + mod_match_inode_only_) + ); probes_.back()->add_location(probe->pc, binpath, probe->arg_fmt); } @@ -273,6 +279,10 @@ std::string Context::resolve_bin_path(const std::string &bin_path) { ::free(which_so); } + if (!result.empty() && pid_ && *pid_ != -1) { + result = tfm::format("/proc/%d/root%s", *pid_, result); + } + return result; } @@ -348,8 +358,8 @@ void Context::each_uprobe(each_uprobe_cb callback) { } } -Context::Context(const std::string &bin_path) - : mount_ns_instance_(new ProcMountNS(-1)), loaded_(false) { +Context::Context(const std::string &bin_path, uint8_t mod_match_inode_only) + : loaded_(false), mod_match_inode_only_(mod_match_inode_only) { std::string full_path = resolve_bin_path(bin_path); if (!full_path.empty()) { if (bcc_elf_foreach_usdt(full_path.c_str(), _each_probe, this) == 0) { @@ -361,8 +371,9 @@ Context::Context(const std::string &bin_path) probe->finalize_locations(); } -Context::Context(int pid) : pid_(pid), pid_stat_(pid), - mount_ns_instance_(new ProcMountNS(pid)), loaded_(false) { +Context::Context(int pid, uint8_t mod_match_inode_only) + : pid_(pid), pid_stat_(pid), loaded_(false), + mod_match_inode_only_(mod_match_inode_only) { if (bcc_procutils_each_module(pid, _each_module, this) == 0) { cmd_bin_path_ = ebpf::get_pid_exe(pid); if (cmd_bin_path_.empty()) @@ -374,16 +385,13 @@ Context::Context(int pid) : pid_(pid), pid_stat_(pid), probe->finalize_locations(); } -Context::Context(int pid, const std::string &bin_path) - : pid_(pid), pid_stat_(pid), - mount_ns_instance_(new ProcMountNS(pid)), loaded_(false) { +Context::Context(int pid, const std::string &bin_path, + uint8_t mod_match_inode_only) + : pid_(pid), pid_stat_(pid), loaded_(false), + mod_match_inode_only_(mod_match_inode_only) { std::string full_path = resolve_bin_path(bin_path); if (!full_path.empty()) { - int res; - { - ProcMountNSGuard g(mount_ns_instance_.get()); - res = bcc_elf_foreach_usdt(full_path.c_str(), _each_probe, this); - } + int res = bcc_elf_foreach_usdt(full_path.c_str(), _each_probe, this); if (res == 0) { cmd_bin_path_ = ebpf::get_pid_exe(pid); if (cmd_bin_path_.empty()) @@ -410,16 +418,13 @@ void *bcc_usdt_new_frompid(int pid, const char *path) { if (!path) { ctx = new USDT::Context(pid); } else { - { - ProcMountNSGuard g(new ProcMountNS(pid)); - struct stat buffer; - if (strlen(path) >= 1 && path[0] != '/') { - fprintf(stderr, "HINT: Binary path should be absolute.\n\n"); - return nullptr; - } else if (stat(path, &buffer) == -1) { - fprintf(stderr, "HINT: Specified binary doesn't exist.\n\n"); - return nullptr; - } + struct stat buffer; + if (strlen(path) >= 1 && path[0] != '/') { + fprintf(stderr, "HINT: Binary path should be absolute.\n\n"); + return nullptr; + } else if (stat(path, &buffer) == -1) { + fprintf(stderr, "HINT: Specified binary doesn't exist.\n\n"); + return nullptr; } ctx = new USDT::Context(pid, path); } @@ -469,7 +474,7 @@ const char *bcc_usdt_genargs(void **usdt_array, int len) { stream << USDT::USDT_PROGRAM_HEADER; // Generate genargs codes for an array of USDT Contexts. // - // Each mnt_point + cmd_bin_path + probe_provider + probe_name + // Each cmd_bin_path + probe_provider + probe_name // uniquely identifies a probe. std::unordered_set generated_probes; for (int i = 0; i < len; i++) { @@ -478,8 +483,8 @@ const char *bcc_usdt_genargs(void **usdt_array, int len) { for (size_t j = 0; j < ctx->num_probes(); j++) { USDT::Probe *p = ctx->get(j); if (p->enabled()) { - std::string key = std::to_string(ctx->inode()) + "*" - + ctx->cmd_bin_path() + "*" + p->provider() + "*" + p->name(); + auto pid = ctx->pid(); + std::string key = ctx->cmd_bin_path() + "*" + p->provider() + "*" + p->name(); if (generated_probes.find(key) != generated_probes.end()) continue; if (!p->usdt_getarg(stream)) diff --git a/tests/cc/CMakeLists.txt b/tests/cc/CMakeLists.txt index 66e484db5..f4eb39984 100644 --- a/tests/cc/CMakeLists.txt +++ b/tests/cc/CMakeLists.txt @@ -4,6 +4,7 @@ include_directories(${CMAKE_SOURCE_DIR}/src/cc) include_directories(${CMAKE_SOURCE_DIR}/src/cc/api) include_directories(${CMAKE_SOURCE_DIR}/src/cc/libbpf/include/uapi) +include_directories(${CMAKE_SOURCE_DIR}/tests/python/include) add_executable(test_static test_static.c) target_link_libraries(test_static bcc-static) @@ -27,12 +28,10 @@ add_executable(test_libbcc test_usdt_args.cc test_usdt_probes.cc utils.cc) +file(COPY dummy_proc_map.txt DESTINATION ${CMAKE_CURRENT_BINARY_DIR}) +add_library(usdt_test_lib SHARED usdt_test_lib.c) -target_link_libraries(test_libbcc bcc-shared dl) +target_link_libraries(test_libbcc bcc-shared dl usdt_test_lib) add_test(NAME test_libbcc COMMAND ${TEST_WRAPPER} c_test_all sudo ${CMAKE_CURRENT_BINARY_DIR}/test_libbcc) -find_path(SDT_HEADER NAMES "sys/sdt.h") -if (SDT_HEADER) - target_compile_definitions(test_libbcc PRIVATE HAVE_SDT_HEADER=1) -endif() endif(ENABLE_USDT) diff --git a/tests/cc/dummy_proc_map.txt b/tests/cc/dummy_proc_map.txt new file mode 100644 index 000000000..4ff28c821 --- /dev/null +++ b/tests/cc/dummy_proc_map.txt @@ -0,0 +1,45 @@ +00400000-007c8000 r-xp 00000000 00:1b 11644523 /opt/some/path/tobinary/bin/binary +7f151476e000-7f1514779000 r-xp 00000000 00:1b 72809479 /some/other/path/tolibs/lib/libnss_files-2.26.so +7f1514779000-7f1514978000 ---p 0000b000 00:1b 72809479 /some/other/path/tolibs/lib/libnss_files-2.26.so +7f1514978000-7f1514979000 r--p 0000a000 00:1b 72809479 /some/other/path/tolibs/lib/libnss_files-2.26.so +7f1514979000-7f151497a000 rw-p 0000b000 00:1b 72809479 /some/other/path/tolibs/lib/libnss_files-2.26.so +7f1515b7e000-7f1515b7f000 rw-p 00009000 00:1b 72809418 /some/other/path/tolibs/lib/libcrypt-2.26.so +7f1515bad000-7f1515baf000 r-xp 00000000 00:1b 72809526 /some/other/path/tolibs/lib/libutil-2.26.so +7f1515baf000-7f1515dae000 ---p 00002000 00:1b 72809526 /some/other/path/tolibs/lib/libutil-2.26.so +7f1515dae000-7f1515daf000 r--p 00001000 00:1b 72809526 /some/other/path/tolibs/lib/libutil-2.26.so +7f1515daf000-7f1515db0000 rw-p 00002000 00:1b 72809526 /some/other/path/tolibs/lib/libutil-2.26.so +7f1515db0000-7f151601c000 r-xp 00000000 00:1b 72809420 /some/other/path/tolibs/lib/libcrypto.so.1.1 +7f151601c000-7f151621c000 ---p 0026c000 00:1b 72809420 /some/other/path/tolibs/lib/libcrypto.so.1.1 +7f151621c000-7f151623a000 r--p 0026c000 00:1b 72809420 /some/other/path/tolibs/lib/libcrypto.so.1.1 +7f151623a000-7f1516244000 rw-p 0028a000 00:1b 72809420 /some/other/path/tolibs/lib/libcrypto.so.1.1 +7f1516247000-7f15162ac000 r-xp 00000000 00:1b 72809514 /some/other/path/tolibs/lib/libssl.so.1.1 +7f15162ac000-7f15164ab000 ---p 00065000 00:1b 72809514 /some/other/path/tolibs/lib/libssl.so.1.1 +7f15164ab000-7f15164af000 r--p 00064000 00:1b 72809514 /some/other/path/tolibs/lib/libssl.so.1.1 +7f15164af000-7f15164b5000 rw-p 00068000 00:1b 72809514 /some/other/path/tolibs/lib/libssl.so.1.1 +7f15164b5000-7f15164cf000 r-xp 00000000 00:1b 72809538 /some/other/path/tolibs/lib/libz.so.1.2.8 +7f15164cf000-7f15166ce000 ---p 0001a000 00:1b 72809538 /some/other/path/tolibs/lib/libz.so.1.2.8 +7f15166ce000-7f15166cf000 r--p 00019000 00:1b 72809538 /some/other/path/tolibs/lib/libz.so.1.2.8 +7f15166cf000-7f15166d0000 rw-p 0001a000 00:1b 72809538 /some/other/path/tolibs/lib/libz.so.1.2.8 +7f15166d0000-7f15166d1000 r-xp 0001b064 00:1b 72809538 /some/other/path/tolibs/lib/libz.so.1.2.8 +7f15168d4000-7f1516a23000 r-xp 00000000 00:1b 72809463 /some/other/path/tolibs/lib/libm-2.26.so +7f1516a23000-7f1516c22000 ---p 0014f000 00:1b 72809463 /some/other/path/tolibs/lib/libm-2.26.so +7f1516c22000-7f1516c23000 r--p 0014e000 00:1b 72809463 /some/other/path/tolibs/lib/libm-2.26.so +7f1516c23000-7f1516c24000 rw-p 0014f000 00:1b 72809463 /some/other/path/tolibs/lib/libm-2.26.so +7f1516c24000-7f1516c3e000 r-xp 00000000 00:1b 72809495 /some/other/path/tolibs/lib/libpthread-2.26.so +7f1516c3e000-7f1516e3d000 ---p 0001a000 00:1b 72809495 /some/other/path/tolibs/lib/libpthread-2.26.so +7f1516e3d000-7f1516e3e000 r--p 00019000 00:1b 72809495 /some/other/path/tolibs/lib/libpthread-2.26.so +7f1516e3e000-7f1516e3f000 rw-p 0001a000 00:1b 72809495 /some/other/path/tolibs/lib/libpthread-2.26.so +7f1516e43000-7f1516e6a000 r-xp 00000000 00:1b 72809393 /some/other/path/tolibs/lib/ld-2.26.so +7f1517010000-7f1517011000 rw-s 00000000 00:05 1117877022 /dev/zero (deleted) +7f1517011000-7f1517012000 rw-s 00000000 00:05 1117877021 /dev/zero (deleted) +7f1517012000-7f1517013000 rw-s 00000000 00:05 1117877020 /dev/zero (deleted) +7f1517013000-7f151701c000 rw-s 00000000 00:05 1117899207 /dev/zero (deleted) +7f151701c000-7f1517069000 rw-p 00000000 00:00 0 +7f1517069000-7f151706a000 r--p 00026000 00:1b 72809393 /some/other/path/tolibs/lib/ld-2.26.so +7f151706a000-7f151706b000 rw-p 00027000 00:1b 72809393 /some/other/path/tolibs/lib/ld-2.26.so +7f151706b000-7f151706c000 rw-p 00000000 00:00 0 +7ffd5070d000-7ffd5073d000 rwxp 00000000 00:00 0 [stack] +7ffd5073d000-7ffd5073e000 rw-p 00000000 00:00 0 +7ffd507d7000-7ffd507da000 r--p 00000000 00:00 0 [vvar] +7ffd507da000-7ffd507dc000 r-xp 00000000 00:00 0 [vdso] +ffffffffff600000-ffffffffff601000 r-xp 00000000 00:00 0 [vsyscall] diff --git a/tests/cc/test_c_api.cc b/tests/cc/test_c_api.cc index 60804a099..31dc5ec37 100644 --- a/tests/cc/test_c_api.cc +++ b/tests/cc/test_c_api.cc @@ -439,6 +439,133 @@ TEST_CASE("resolve symbols using /tmp/perf-pid.map", "[c_api]") { munmap(map_addr, map_sz); } +// must match exactly the defitinion of mod_search in bcc_syms.cc +struct mod_search { + const char *name; + uint64_t inode; + uint64_t dev_major; + uint64_t dev_minor; + uint64_t addr; + uint8_t inode_match_only; + + uint64_t start; + uint64_t file_offset; +}; + +TEST_CASE("searching for modules in /proc/[pid]/maps", "[c_api]") { + FILE *dummy_maps = fopen("dummy_proc_map.txt", "r"); + REQUIRE(dummy_maps != NULL); + + SECTION("name match") { + fseek(dummy_maps, 0, SEEK_SET); + + struct mod_search search; + memset(&search, 0, sizeof(struct mod_search)); + search.name = "/some/other/path/tolibs/lib/libutil-2.26.so"; + search.addr = 0x1; + int res = _procfs_maps_each_module(dummy_maps, 42, _bcc_syms_find_module, + &search); + REQUIRE(res == 0); + REQUIRE(search.start == 0x7f1515bad000); + } + + SECTION("expected failure to match (name only search)") { + fseek(dummy_maps, 0, SEEK_SET); + + struct mod_search search; + memset(&search, 0, sizeof(struct mod_search)); + search.name = "/lib/that/isnt/in/maps/libdoesntexist.so"; + search.addr = 0x1; + int res = _procfs_maps_each_module(dummy_maps, 42, _bcc_syms_find_module, + &search); + REQUIRE(res == -1); + } + + SECTION("inode+dev match, names different") { + fseek(dummy_maps, 0, SEEK_SET); + + struct mod_search search; + memset(&search, 0, sizeof(struct mod_search)); + search.name = "/proc/5/root/some/other/path/tolibs/lib/libz.so.1.2.8"; + search.inode = 72809538; + search.dev_major = 0x00; + search.dev_minor = 0x1b; + search.addr = 0x2; + int res = _procfs_maps_each_module(dummy_maps, 42, _bcc_syms_find_module, + &search); + REQUIRE(res == 0); + REQUIRE(search.start == 0x7f15164b5000); + } + + SECTION("inode+dev don't match, names same") { + fseek(dummy_maps, 0, SEEK_SET); + + struct mod_search search; + memset(&search, 0, sizeof(struct mod_search)); + search.name = "/some/other/path/tolibs/lib/libutil-2.26.so"; + search.inode = 9999999; + search.dev_major = 0x42; + search.dev_minor = 0x1b; + search.addr = 0x2; + int res = _procfs_maps_each_module(dummy_maps, 42, _bcc_syms_find_module, + &search); + REQUIRE(res == -1); + } + + SECTION("inodes match, dev_major/minor don't, expected failure") { + fseek(dummy_maps, 0, SEEK_SET); + + struct mod_search search; + memset(&search, 0, sizeof(struct mod_search)); + search.name = "/some/other/path/tolibs/lib/libutil-2.26.so"; + search.inode = 72809526; + search.dev_major = 0x11; + search.dev_minor = 0x11; + search.addr = 0x2; + int res = _procfs_maps_each_module(dummy_maps, 42, _bcc_syms_find_module, + &search); + REQUIRE(res == -1); + } + + SECTION("inodes match, dev_major/minor don't, match inode only") { + fseek(dummy_maps, 0, SEEK_SET); + + struct mod_search search; + memset(&search, 0, sizeof(struct mod_search)); + search.name = "/some/other/path/tolibs/lib/libutil-2.26.so"; + search.inode = 72809526; + search.dev_major = 0x11; + search.dev_minor = 0x11; + search.addr = 0x2; + search.inode_match_only = 1; + int res = _procfs_maps_each_module(dummy_maps, 42, _bcc_syms_find_module, + &search); + REQUIRE(res == 0); + REQUIRE(search.start == 0x7f1515bad000); + } + + fclose(dummy_maps); +} + +TEST_CASE("resolve global addr in libc in this process", "[c_api]") { + int pid = getpid(); + char *sopath = bcc_procutils_which_so("c", pid); + uint64_t local_addr = 0x15; + uint64_t global_addr; + + struct mod_search search; + memset(&search, 0, sizeof(struct mod_search)); + search.name = sopath; + + int res = bcc_procutils_each_module(pid, _bcc_syms_find_module, + &search); + REQUIRE(res == 0); + REQUIRE(search.start != 0); + + res = bcc_resolve_global_addr(pid, sopath, local_addr, 0, &global_addr); + REQUIRE(res == 0); + REQUIRE(global_addr == (search.start + local_addr - search.file_offset)); +} TEST_CASE("get online CPUs", "[c_api]") { std::vector cpus = ebpf::get_online_cpus(); diff --git a/tests/cc/test_usdt_probes.cc b/tests/cc/test_usdt_probes.cc index 3e4263344..71c75a1ec 100644 --- a/tests/cc/test_usdt_probes.cc +++ b/tests/cc/test_usdt_probes.cc @@ -22,19 +22,24 @@ #include "usdt.h" #include "api/BPF.h" -#ifdef HAVE_SDT_HEADER /* required to insert USDT probes on this very executable -- * we're gonna be testing them live! */ -#include +#include "folly/tracing/StaticTracepoint.h" static int a_probed_function() { int an_int = 23 + getpid(); void *a_pointer = malloc(4); - DTRACE_PROBE2(libbcc_test, sample_probe_1, an_int, a_pointer); + FOLLY_SDT(libbcc_test, sample_probe_1, an_int, a_pointer); free(a_pointer); return an_int; } +extern "C" int lib_probed_function(); + +int call_shared_lib_func() { + return lib_probed_function(); +} + TEST_CASE("test finding a probe in our own process", "[usdt]") { USDT::Context ctx(getpid()); REQUIRE(ctx.num_probes() >= 1); @@ -43,7 +48,8 @@ TEST_CASE("test finding a probe in our own process", "[usdt]") { auto probe = ctx.get("sample_probe_1"); REQUIRE(probe); - REQUIRE(probe->in_shared_object(probe->bin_path()) == false); + if(probe->in_shared_object(probe->bin_path())) + return; REQUIRE(probe->name() == "sample_probe_1"); REQUIRE(probe->provider() == "libbcc_test"); REQUIRE(probe->bin_path().find("/test_libbcc") != std::string::npos); @@ -83,7 +89,15 @@ TEST_CASE("test fine a probe in our Process with C++ API", "[usdt]") { res = bpf.detach_usdt(u); REQUIRE(res.code() == 0); } -#endif // HAVE_SDT_HEADER + +TEST_CASE("test find a probe in our process' shared libs with c++ API", "[usdt]") { + ebpf::BPF bpf; + ebpf::USDT u(::getpid(), "libbcc_test", "sample_lib_probe_1", "on_event"); + + auto res = bpf.init("int on_event() { return 0; }", {}, {u}); + REQUIRE(res.msg() == ""); + REQUIRE(res.code() == 0); +} class ChildProcess { pid_t pid_; diff --git a/tests/cc/usdt_test_lib.c b/tests/cc/usdt_test_lib.c new file mode 100644 index 000000000..799ad9b78 --- /dev/null +++ b/tests/cc/usdt_test_lib.c @@ -0,0 +1,10 @@ +#include +#include + +#include "folly/tracing/StaticTracepoint.h" + +int lib_probed_function() { + int an_int = 42 + getpid(); + FOLLY_SDT(libbcc_test, sample_lib_probe_1, an_int); + return an_int; +} From d42fcc8eabfe2197cb2aba67113e839240d4b9a5 Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Thu, 27 Jun 2019 19:54:18 -0700 Subject: [PATCH 043/228] Lazily symbolize regular ELF binaries This patch adds a new API to bcc_elf.h, bcc_elf_foreach_sym_lazy. This helper avoids storing symbol names in string format, as for large binaries this data can get quite large. Instead we store the location in the ELF binary where we can later find the string. Later on, we can load these strings on demand and cache them in case they're accessed again. This patch also makes lazy resolution the default for regular ELF binaries, where regular means not perfmap or VDSO. --- src/cc/bcc_elf.c | 59 +++++++++++++++++++++++++++++++++++++++------- src/cc/bcc_elf.h | 9 +++++++ src/cc/bcc_syms.cc | 20 +++++++++++++++- src/cc/syms.h | 19 ++++++++++++++- 4 files changed, 97 insertions(+), 10 deletions(-) diff --git a/src/cc/bcc_elf.c b/src/cc/bcc_elf.c index b9d25d84f..3f99fbf31 100644 --- a/src/cc/bcc_elf.c +++ b/src/cc/bcc_elf.c @@ -214,7 +214,8 @@ static Elf_Scn * get_section(Elf *e, const char *section_name, static int list_in_scn(Elf *e, Elf_Scn *section, size_t stridx, size_t symsize, struct bcc_symbol_option *option, - bcc_elf_symcb callback, void *payload) { + bcc_elf_symcb callback, bcc_elf_symcb_lazy callback_lazy, + void *payload) { Elf_Data *data = NULL; #if defined(__powerpc64__) && __BYTE_ORDER__ == __ORDER_BIG_ENDIAN__ @@ -237,6 +238,7 @@ static int list_in_scn(Elf *e, Elf_Scn *section, size_t stridx, size_t symsize, for (i = 0; i < symcount; ++i) { GElf_Sym sym; const char *name; + size_t name_len; if (!gelf_getsym(data, (int)i, &sym)) continue; @@ -245,6 +247,7 @@ static int list_in_scn(Elf *e, Elf_Scn *section, size_t stridx, size_t symsize, continue; if (name[0] == 0) continue; + name_len = strlen(name); if (sym.st_value == 0) continue; @@ -287,7 +290,13 @@ static int list_in_scn(Elf *e, Elf_Scn *section, size_t stridx, size_t symsize, #endif #endif - if (callback(name, sym.st_value, sym.st_size, payload) < 0) + int ret; + if (callback_lazy) + ret = callback_lazy(stridx, sym.st_name, name_len, sym.st_value, + sym.st_size, payload); + else + ret = callback(name, sym.st_value, sym.st_size, payload); + if (ret < 0) return 1; // signal termination to caller } } @@ -295,7 +304,8 @@ static int list_in_scn(Elf *e, Elf_Scn *section, size_t stridx, size_t symsize, return 0; } -static int listsymbols(Elf *e, bcc_elf_symcb callback, void *payload, +static int listsymbols(Elf *e, bcc_elf_symcb callback, + bcc_elf_symcb_lazy callback_lazy, void *payload, struct bcc_symbol_option *option) { Elf_Scn *section = NULL; @@ -309,7 +319,7 @@ static int listsymbols(Elf *e, bcc_elf_symcb callback, void *payload, continue; int rc = list_in_scn(e, section, header.sh_link, header.sh_entsize, - option, callback, payload); + option, callback, callback_lazy, payload); if (rc == 1) break; // callback signaled termination @@ -537,6 +547,7 @@ static char *find_debug_via_buildid(Elf *e) { } static int foreach_sym_core(const char *path, bcc_elf_symcb callback, + bcc_elf_symcb_lazy callback_lazy, struct bcc_symbol_option *option, void *payload, int is_debug_file) { Elf *e; @@ -561,12 +572,12 @@ static int foreach_sym_core(const char *path, bcc_elf_symcb callback, debug_file = find_debug_via_debuglink(e, path, option->check_debug_file_crc); if (debug_file) { - foreach_sym_core(debug_file, callback, option, payload, 1); + foreach_sym_core(debug_file, callback, callback_lazy, option, payload, 1); free(debug_file); } } - res = listsymbols(e, callback, payload, option); + res = listsymbols(e, callback, callback_lazy, payload, option); elf_end(e); close(fd); return res; @@ -575,7 +586,13 @@ static int foreach_sym_core(const char *path, bcc_elf_symcb callback, int bcc_elf_foreach_sym(const char *path, bcc_elf_symcb callback, void *option, void *payload) { return foreach_sym_core( - path, callback, (struct bcc_symbol_option*)option, payload, 0); + path, callback, NULL, (struct bcc_symbol_option*)option, payload, 0); +} + +int bcc_elf_foreach_sym_lazy(const char *path, bcc_elf_symcb_lazy callback, + void *option, void *payload) { + return foreach_sym_core(path, NULL, callback, + (struct bcc_symbol_option*)option, payload, 0); } int bcc_elf_get_text_scn_info(const char *path, uint64_t *addr, @@ -738,7 +755,7 @@ int bcc_elf_foreach_vdso_sym(bcc_elf_symcb callback, void *payload) { if (openelf_fd(vdso_image_fd, &elf) == -1) return -1; - return listsymbols(elf, callback, payload, &default_option); + return listsymbols(elf, callback, NULL, payload, &default_option); } // return value: 0 : success @@ -911,6 +928,32 @@ int bcc_elf_get_buildid(const char *path, char *buildid) return 0; } +int bcc_elf_symbol_str(const char *path, size_t section_idx, + size_t str_table_idx, char *out, size_t len) +{ + Elf *e; + int fd, err = 0; + const char *name; + + if (!out || !len) + return -1; + + if (openelf(path, &e, &fd) < 0) + return -1; + + if ((name = elf_strptr(e, section_idx, str_table_idx)) == NULL) { + err = -1; + goto exit; + } + + strncpy(out, name, len); + +exit: + elf_end(e); + close(fd); + return err; +} + #if 0 #include diff --git a/src/cc/bcc_elf.h b/src/cc/bcc_elf.h index 314a2e3c6..169241f95 100644 --- a/src/cc/bcc_elf.h +++ b/src/cc/bcc_elf.h @@ -38,6 +38,9 @@ typedef void (*bcc_elf_probecb)(const char *, const struct bcc_elf_usdt *, // Symbol name, start address, length, payload // Callback returning a negative value indicates to stop the iteration typedef int (*bcc_elf_symcb)(const char *, uint64_t, uint64_t, void *); +// Section idx, str table idx, str length, start address, length, payload +typedef int (*bcc_elf_symcb_lazy)(size_t, size_t, size_t, uint64_t, uint64_t, + void *); // Segment virtual address, memory size, file offset, payload // Callback returning a negative value indicates to stop the iteration typedef int (*bcc_elf_load_sectioncb)(uint64_t, uint64_t, uint64_t, void *); @@ -57,6 +60,10 @@ int bcc_elf_foreach_load_section(const char *path, // Returns -1 on error, and 0 on success or stopped by callback int bcc_elf_foreach_sym(const char *path, bcc_elf_symcb callback, void *option, void *payload); +// Similar to bcc_elf_foreach_sym, but pass reference to symbolized string along +// with symbolized string length +int bcc_elf_foreach_sym_lazy(const char *path, bcc_elf_symcb_lazy callback, + void *option, void *payload); // Iterate over all symbols from current system's vDSO // Returns -1 on error, and 0 on success or stopped by callback int bcc_elf_foreach_vdso_sym(bcc_elf_symcb callback, void *payload); @@ -70,6 +77,8 @@ int bcc_elf_is_exe(const char *path); int bcc_elf_is_vdso(const char *name); int bcc_free_memory(); int bcc_elf_get_buildid(const char *path, char *buildid); +int bcc_elf_symbol_str(const char *path, size_t section_idx, + size_t str_table_idx, char *out, size_t len); #ifdef __cplusplus } diff --git a/src/cc/bcc_syms.cc b/src/cc/bcc_syms.cc index 9fea63628..83cb82761 100644 --- a/src/cc/bcc_syms.cc +++ b/src/cc/bcc_syms.cc @@ -275,6 +275,14 @@ int ProcSyms::Module::_add_symbol(const char *symname, uint64_t start, return 0; } +int ProcSyms::Module::_add_symbol_lazy(size_t section_idx, size_t str_table_idx, + size_t str_len, uint64_t start, + uint64_t size, void *p) { + Module *m = static_cast(p); + m->syms_.emplace_back(section_idx, str_table_idx, str_len, start, size); + return 0; +} + void ProcSyms::Module::load_sym_table() { if (loaded_) return; @@ -286,7 +294,7 @@ void ProcSyms::Module::load_sym_table() { if (type_ == ModuleType::PERF_MAP) bcc_perf_map_foreach_sym(path_.c_str(), _add_symbol, this); if (type_ == ModuleType::EXEC || type_ == ModuleType::SO) - bcc_elf_foreach_sym(path_.c_str(), _add_symbol, symbol_option_, this); + bcc_elf_foreach_sym_lazy(path_.c_str(), _add_symbol_lazy, symbol_option_, this); if (type_ == ModuleType::VDSO) bcc_elf_foreach_vdso_sym(_add_symbol, this); @@ -359,6 +367,16 @@ bool ProcSyms::Module::find_addr(uint64_t offset, struct bcc_symbol *sym) { uint64_t limit = it->start; for (; offset >= it->start; --it) { if (offset < it->start + it->size) { + // Resolve and cache the symbol name if necessary + if (!it->name) { + std::string sym_name(it->name_idx.str_len + 1, '\0'); + if (bcc_elf_symbol_str(name_.c_str(), it->name_idx.section_idx, + it->name_idx.str_table_idx, &sym_name[0], sym_name.size())) + break; + + it->name = &*(symnames_.emplace(std::move(sym_name)).first); + } + sym->name = it->name->c_str(); sym->offset = (offset - it->start); return true; diff --git a/src/cc/syms.h b/src/cc/syms.h index ac7e8fbb6..9dfc830b0 100644 --- a/src/cc/syms.h +++ b/src/cc/syms.h @@ -69,10 +69,24 @@ class KSyms : SymbolCache { }; class ProcSyms : SymbolCache { + struct NameIdx { + size_t section_idx; + size_t str_table_idx; + size_t str_len; + }; + struct Symbol { Symbol(const std::string *name, uint64_t start, uint64_t size) : name(name), start(start), size(size) {} - const std::string *name; + Symbol(size_t section_idx, size_t str_table_idx, size_t str_len, uint64_t start, + uint64_t size) + : start(start), size(size) { + name_idx.section_idx = section_idx; + name_idx.str_table_idx = str_table_idx; + name_idx.str_len = str_len; + } + struct NameIdx name_idx; + const std::string *name{nullptr}; uint64_t start; uint64_t size; @@ -124,6 +138,9 @@ class ProcSyms : SymbolCache { static int _add_symbol(const char *symname, uint64_t start, uint64_t size, void *p); + static int _add_symbol_lazy(size_t section_idx, size_t str_table_idx, + size_t str_len, uint64_t start, uint64_t size, + void *p); }; int pid_; From 24496c7760f0fb6f7a0510b8087f7d4a1ad79d9c Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Tue, 2 Jul 2019 12:14:40 -0700 Subject: [PATCH 044/228] Lazify ProcSyms::find_name It's pretty much strictly better to walk all the symbol names on demand to find a symbol rather than storing it all in memory beforehand. --- src/cc/bcc_syms.cc | 42 +++++++++++++++++++++++++++++++++++------- 1 file changed, 35 insertions(+), 7 deletions(-) diff --git a/src/cc/bcc_syms.cc b/src/cc/bcc_syms.cc index 83cb82761..69a8f01af 100644 --- a/src/cc/bcc_syms.cc +++ b/src/cc/bcc_syms.cc @@ -322,15 +322,43 @@ bool ProcSyms::Module::contains(uint64_t addr, uint64_t &offset) const { } bool ProcSyms::Module::find_name(const char *symname, uint64_t *addr) { - load_sym_table(); + struct Payload { + const char *symname; + uint64_t *out; + bool found; + }; - for (Symbol &s : syms_) { - if (*(s.name) == symname) { - *addr = type_ == ModuleType::SO ? start() + s.start : s.start; - return true; + Payload payload; + payload.symname = symname; + payload.out = addr; + payload.found = false; + + auto cb = [](const char *name, uint64_t start, uint64_t size, void *p) { + Payload *payload = static_cast(p); + + if (!strcmp(payload->symname, name)) { + payload->found = true; + *(payload->out) = start; + return -1; // Stop iteration } - } - return false; + + return 0; + }; + + if (type_ == ModuleType::PERF_MAP) + bcc_perf_map_foreach_sym(name_.c_str(), cb, &payload); + if (type_ == ModuleType::EXEC || type_ == ModuleType::SO) + bcc_elf_foreach_sym(name_.c_str(), cb, symbol_option_, &payload); + if (type_ == ModuleType::VDSO) + bcc_elf_foreach_vdso_sym(cb, &payload); + + if (!payload.found) + return false; + + if (type_ == ModuleType::SO) + *(payload.out) += start(); + + return true; } bool ProcSyms::Module::find_addr(uint64_t offset, struct bcc_symbol *sym) { From 0ca7917cdea01421b5c7f54e399ddb511e664f4e Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Mon, 8 Jul 2019 17:27:24 -0700 Subject: [PATCH 045/228] Make bcc_elf_symbol_str support debuginfo --- src/cc/bcc_elf.c | 41 ++++++++++++++++++++++++++++++++++------- 1 file changed, 34 insertions(+), 7 deletions(-) diff --git a/src/cc/bcc_elf.c b/src/cc/bcc_elf.c index 3f99fbf31..ddc38a881 100644 --- a/src/cc/bcc_elf.c +++ b/src/cc/bcc_elf.c @@ -931,26 +931,53 @@ int bcc_elf_get_buildid(const char *path, char *buildid) int bcc_elf_symbol_str(const char *path, size_t section_idx, size_t str_table_idx, char *out, size_t len) { - Elf *e; - int fd, err = 0; + Elf *e = NULL, *d = NULL; + int fd = -1, dfd = -1, err = 0; const char *name; + char *debug_file = NULL; - if (!out || !len) + if (!out) return -1; if (openelf(path, &e, &fd) < 0) return -1; if ((name = elf_strptr(e, section_idx, str_table_idx)) == NULL) { - err = -1; - goto exit; + // The binary did not have the symbol information, try the debuginfo + // file as backup. + debug_file = find_debug_via_buildid(e); + if (!debug_file) + debug_file = find_debug_via_debuglink(e, path, 0); // No crc for speed + + if (!debug_file) { + err = -1; + goto exit; + } + + if (openelf(debug_file, &d, &dfd) < 0) { + err = -1; + goto exit; + } + + if ((name = elf_strptr(d, section_idx, str_table_idx)) == NULL) { + err = -1; + goto exit; + } } strncpy(out, name, len); exit: - elf_end(e); - close(fd); + if (debug_file) + free(debug_file); + if (e) + elf_end(e); + if (d) + elf_end(d); + if (fd >= 0) + close(fd); + if (dfd >= 0) + close(dfd); return err; } From 1772fd163c04436871c2439e48d57b7308c589d5 Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Tue, 9 Jul 2019 12:12:03 -0700 Subject: [PATCH 046/228] Thread through debugfile flag So we don't have to guess and check when reading symbols. Sometimes if the elf sections are laid out just right you can "guess" the wrong string. --- src/cc/bcc_elf.c | 24 ++++++++++++++---------- src/cc/bcc_elf.h | 5 +++-- src/cc/bcc_syms.cc | 8 +++++--- src/cc/syms.h | 6 ++++-- 4 files changed, 26 insertions(+), 17 deletions(-) diff --git a/src/cc/bcc_elf.c b/src/cc/bcc_elf.c index ddc38a881..d6cfe134c 100644 --- a/src/cc/bcc_elf.c +++ b/src/cc/bcc_elf.c @@ -215,7 +215,7 @@ static Elf_Scn * get_section(Elf *e, const char *section_name, static int list_in_scn(Elf *e, Elf_Scn *section, size_t stridx, size_t symsize, struct bcc_symbol_option *option, bcc_elf_symcb callback, bcc_elf_symcb_lazy callback_lazy, - void *payload) { + void *payload, bool debugfile) { Elf_Data *data = NULL; #if defined(__powerpc64__) && __BYTE_ORDER__ == __ORDER_BIG_ENDIAN__ @@ -293,7 +293,7 @@ static int list_in_scn(Elf *e, Elf_Scn *section, size_t stridx, size_t symsize, int ret; if (callback_lazy) ret = callback_lazy(stridx, sym.st_name, name_len, sym.st_value, - sym.st_size, payload); + sym.st_size, debugfile, payload); else ret = callback(name, sym.st_value, sym.st_size, payload); if (ret < 0) @@ -306,7 +306,7 @@ static int list_in_scn(Elf *e, Elf_Scn *section, size_t stridx, size_t symsize, static int listsymbols(Elf *e, bcc_elf_symcb callback, bcc_elf_symcb_lazy callback_lazy, void *payload, - struct bcc_symbol_option *option) { + struct bcc_symbol_option *option, bool debugfile) { Elf_Scn *section = NULL; while ((section = elf_nextscn(e, section)) != 0) { @@ -319,7 +319,7 @@ static int listsymbols(Elf *e, bcc_elf_symcb callback, continue; int rc = list_in_scn(e, section, header.sh_link, header.sh_entsize, - option, callback, callback_lazy, payload); + option, callback, callback_lazy, payload, debugfile); if (rc == 1) break; // callback signaled termination @@ -577,7 +577,7 @@ static int foreach_sym_core(const char *path, bcc_elf_symcb callback, } } - res = listsymbols(e, callback, callback_lazy, payload, option); + res = listsymbols(e, callback, callback_lazy, payload, option, is_debug_file); elf_end(e); close(fd); return res; @@ -755,7 +755,7 @@ int bcc_elf_foreach_vdso_sym(bcc_elf_symcb callback, void *payload) { if (openelf_fd(vdso_image_fd, &elf) == -1) return -1; - return listsymbols(elf, callback, NULL, payload, &default_option); + return listsymbols(elf, callback, NULL, payload, &default_option, 0); } // return value: 0 : success @@ -929,7 +929,8 @@ int bcc_elf_get_buildid(const char *path, char *buildid) } int bcc_elf_symbol_str(const char *path, size_t section_idx, - size_t str_table_idx, char *out, size_t len) + size_t str_table_idx, char *out, size_t len, + int debugfile) { Elf *e = NULL, *d = NULL; int fd = -1, dfd = -1, err = 0; @@ -942,9 +943,7 @@ int bcc_elf_symbol_str(const char *path, size_t section_idx, if (openelf(path, &e, &fd) < 0) return -1; - if ((name = elf_strptr(e, section_idx, str_table_idx)) == NULL) { - // The binary did not have the symbol information, try the debuginfo - // file as backup. + if (debugfile) { debug_file = find_debug_via_buildid(e); if (!debug_file) debug_file = find_debug_via_debuglink(e, path, 0); // No crc for speed @@ -963,6 +962,11 @@ int bcc_elf_symbol_str(const char *path, size_t section_idx, err = -1; goto exit; } + } else { + if ((name = elf_strptr(e, section_idx, str_table_idx)) == NULL) { + err = -1; + goto exit; + } } strncpy(out, name, len); diff --git a/src/cc/bcc_elf.h b/src/cc/bcc_elf.h index 169241f95..866270f06 100644 --- a/src/cc/bcc_elf.h +++ b/src/cc/bcc_elf.h @@ -40,7 +40,7 @@ typedef void (*bcc_elf_probecb)(const char *, const struct bcc_elf_usdt *, typedef int (*bcc_elf_symcb)(const char *, uint64_t, uint64_t, void *); // Section idx, str table idx, str length, start address, length, payload typedef int (*bcc_elf_symcb_lazy)(size_t, size_t, size_t, uint64_t, uint64_t, - void *); + int, void *); // Segment virtual address, memory size, file offset, payload // Callback returning a negative value indicates to stop the iteration typedef int (*bcc_elf_load_sectioncb)(uint64_t, uint64_t, uint64_t, void *); @@ -78,7 +78,8 @@ int bcc_elf_is_vdso(const char *name); int bcc_free_memory(); int bcc_elf_get_buildid(const char *path, char *buildid); int bcc_elf_symbol_str(const char *path, size_t section_idx, - size_t str_table_idx, char *out, size_t len); + size_t str_table_idx, char *out, size_t len, + int debugfile); #ifdef __cplusplus } diff --git a/src/cc/bcc_syms.cc b/src/cc/bcc_syms.cc index 69a8f01af..33e1ca39f 100644 --- a/src/cc/bcc_syms.cc +++ b/src/cc/bcc_syms.cc @@ -277,9 +277,10 @@ int ProcSyms::Module::_add_symbol(const char *symname, uint64_t start, int ProcSyms::Module::_add_symbol_lazy(size_t section_idx, size_t str_table_idx, size_t str_len, uint64_t start, - uint64_t size, void *p) { + uint64_t size, int debugfile, void *p) { Module *m = static_cast(p); - m->syms_.emplace_back(section_idx, str_table_idx, str_len, start, size); + m->syms_.emplace_back( + section_idx, str_table_idx, str_len, start, size, debugfile); return 0; } @@ -399,7 +400,8 @@ bool ProcSyms::Module::find_addr(uint64_t offset, struct bcc_symbol *sym) { if (!it->name) { std::string sym_name(it->name_idx.str_len + 1, '\0'); if (bcc_elf_symbol_str(name_.c_str(), it->name_idx.section_idx, - it->name_idx.str_table_idx, &sym_name[0], sym_name.size())) + it->name_idx.str_table_idx, &sym_name[0], sym_name.size(), + it->name_idx.debugfile)) break; it->name = &*(symnames_.emplace(std::move(sym_name)).first); diff --git a/src/cc/syms.h b/src/cc/syms.h index 9dfc830b0..e8b22c78c 100644 --- a/src/cc/syms.h +++ b/src/cc/syms.h @@ -73,17 +73,19 @@ class ProcSyms : SymbolCache { size_t section_idx; size_t str_table_idx; size_t str_len; + bool debugfile; }; struct Symbol { Symbol(const std::string *name, uint64_t start, uint64_t size) : name(name), start(start), size(size) {} Symbol(size_t section_idx, size_t str_table_idx, size_t str_len, uint64_t start, - uint64_t size) + uint64_t size, bool debugfile) : start(start), size(size) { name_idx.section_idx = section_idx; name_idx.str_table_idx = str_table_idx; name_idx.str_len = str_len; + name_idx.debugfile = debugfile; } struct NameIdx name_idx; const std::string *name{nullptr}; @@ -140,7 +142,7 @@ class ProcSyms : SymbolCache { void *p); static int _add_symbol_lazy(size_t section_idx, size_t str_table_idx, size_t str_len, uint64_t start, uint64_t size, - void *p); + int debugfile, void *p); }; int pid_; From 6f693f59a178b9e7286bc05568ffdb396fedbb52 Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Tue, 9 Jul 2019 15:32:10 -0700 Subject: [PATCH 047/228] Enter mount namespace before trying to open binary --- src/cc/bcc_syms.cc | 3 +++ 1 file changed, 3 insertions(+) diff --git a/src/cc/bcc_syms.cc b/src/cc/bcc_syms.cc index 33e1ca39f..c14170c81 100644 --- a/src/cc/bcc_syms.cc +++ b/src/cc/bcc_syms.cc @@ -346,6 +346,8 @@ bool ProcSyms::Module::find_name(const char *symname, uint64_t *addr) { return 0; }; + ProcMountNSGuard g(mount_ns_); + if (type_ == ModuleType::PERF_MAP) bcc_perf_map_foreach_sym(name_.c_str(), cb, &payload); if (type_ == ModuleType::EXEC || type_ == ModuleType::SO) @@ -398,6 +400,7 @@ bool ProcSyms::Module::find_addr(uint64_t offset, struct bcc_symbol *sym) { if (offset < it->start + it->size) { // Resolve and cache the symbol name if necessary if (!it->name) { + ProcMountNSGuard g(mount_ns_); std::string sym_name(it->name_idx.str_len + 1, '\0'); if (bcc_elf_symbol_str(name_.c_str(), it->name_idx.section_idx, it->name_idx.str_table_idx, &sym_name[0], sym_name.size(), From f20dca1626ae35c9744e68bb97529fc2b49c2d6d Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Tue, 9 Jul 2019 16:24:49 -0700 Subject: [PATCH 048/228] Address code review --- src/cc/bcc_elf.c | 12 +++++++----- src/cc/bcc_syms.cc | 26 +++++++++++++++++--------- src/cc/bcc_syms.h | 2 ++ src/cc/syms.h | 21 +++++++++++++-------- 4 files changed, 39 insertions(+), 22 deletions(-) diff --git a/src/cc/bcc_elf.c b/src/cc/bcc_elf.c index d6cfe134c..65e0e53c2 100644 --- a/src/cc/bcc_elf.c +++ b/src/cc/bcc_elf.c @@ -291,7 +291,7 @@ static int list_in_scn(Elf *e, Elf_Scn *section, size_t stridx, size_t symsize, #endif int ret; - if (callback_lazy) + if (option->lazy_symbolize) ret = callback_lazy(stridx, sym.st_name, name_len, sym.st_value, sym.st_size, debugfile, payload); else @@ -585,14 +585,16 @@ static int foreach_sym_core(const char *path, bcc_elf_symcb callback, int bcc_elf_foreach_sym(const char *path, bcc_elf_symcb callback, void *option, void *payload) { - return foreach_sym_core( - path, callback, NULL, (struct bcc_symbol_option*)option, payload, 0); + struct bcc_symbol_option *o = option; + o->lazy_symbolize = 0; + return foreach_sym_core(path, callback, NULL, o, payload, 0); } int bcc_elf_foreach_sym_lazy(const char *path, bcc_elf_symcb_lazy callback, void *option, void *payload) { - return foreach_sym_core(path, NULL, callback, - (struct bcc_symbol_option*)option, payload, 0); + struct bcc_symbol_option *o = option; + o->lazy_symbolize = 1; + return foreach_sym_core(path, NULL, callback, o, payload, 0); } int bcc_elf_get_text_scn_info(const char *path, uint64_t *addr, diff --git a/src/cc/bcc_syms.cc b/src/cc/bcc_syms.cc index c14170c81..44bcec284 100644 --- a/src/cc/bcc_syms.cc +++ b/src/cc/bcc_syms.cc @@ -110,6 +110,7 @@ ProcSyms::ProcSyms(int pid, struct bcc_symbol_option *option) symbol_option_ = { .use_debug_file = 1, .check_debug_file_crc = 1, + .lazy_symbolize = 0, .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC) }; load_modules(); @@ -294,8 +295,12 @@ void ProcSyms::Module::load_sym_table() { if (type_ == ModuleType::PERF_MAP) bcc_perf_map_foreach_sym(path_.c_str(), _add_symbol, this); - if (type_ == ModuleType::EXEC || type_ == ModuleType::SO) - bcc_elf_foreach_sym_lazy(path_.c_str(), _add_symbol_lazy, symbol_option_, this); + if (type_ == ModuleType::EXEC || type_ == ModuleType::SO) { + if (symbol_option_->lazy_symbolize) + bcc_elf_foreach_sym_lazy(path_.c_str(), _add_symbol_lazy, symbol_option_, this); + else + bcc_elf_foreach_sym(path_.c_str(), _add_symbol, symbol_option_, this); + } if (type_ == ModuleType::VDSO) bcc_elf_foreach_vdso_sym(_add_symbol, this); @@ -399,18 +404,19 @@ bool ProcSyms::Module::find_addr(uint64_t offset, struct bcc_symbol *sym) { for (; offset >= it->start; --it) { if (offset < it->start + it->size) { // Resolve and cache the symbol name if necessary - if (!it->name) { + if (!it->is_name_resolved) { ProcMountNSGuard g(mount_ns_); - std::string sym_name(it->name_idx.str_len + 1, '\0'); - if (bcc_elf_symbol_str(name_.c_str(), it->name_idx.section_idx, - it->name_idx.str_table_idx, &sym_name[0], sym_name.size(), - it->name_idx.debugfile)) + std::string sym_name(it->data.name_idx.str_len + 1, '\0'); + if (bcc_elf_symbol_str(name_.c_str(), it->data.name_idx.section_idx, + it->data.name_idx.str_table_idx, &sym_name[0], sym_name.size(), + it->data.name_idx.debugfile)) break; - it->name = &*(symnames_.emplace(std::move(sym_name)).first); + it->data.name = &*(symnames_.emplace(std::move(sym_name)).first); + it->is_name_resolved = true; } - sym->name = it->name->c_str(); + sym->name = it->data.name->c_str(); sym->offset = (offset - it->start); return true; } @@ -667,6 +673,7 @@ int bcc_foreach_function_symbol(const char *module, SYM_CB cb) { static struct bcc_symbol_option default_option = { .use_debug_file = 1, .check_debug_file_crc = 1, + .lazy_symbolize = 0, .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC) }; @@ -705,6 +712,7 @@ int bcc_resolve_symname(const char *module, const char *symname, static struct bcc_symbol_option default_option = { .use_debug_file = 1, .check_debug_file_crc = 1, + .lazy_symbolize = 0, #if defined(__powerpc64__) && __BYTE_ORDER__ == __ORDER_LITTLE_ENDIAN__ .use_symbol_type = BCC_SYM_ALL_TYPES | (1 << STT_PPC64LE_SYM_LEP), #else diff --git a/src/cc/bcc_syms.h b/src/cc/bcc_syms.h index 12b3cfad8..054e4812f 100644 --- a/src/cc/bcc_syms.h +++ b/src/cc/bcc_syms.h @@ -47,6 +47,8 @@ static const uint32_t BCC_SYM_ALL_TYPES = 65535; struct bcc_symbol_option { int use_debug_file; int check_debug_file_crc; + // Symbolize on-demand or symbolize everything ahead of time + int lazy_symbolize; // Bitmask flags indicating what types of ELF symbols to use uint32_t use_symbol_type; }; diff --git a/src/cc/syms.h b/src/cc/syms.h index e8b22c78c..351da1dff 100644 --- a/src/cc/syms.h +++ b/src/cc/syms.h @@ -78,17 +78,22 @@ class ProcSyms : SymbolCache { struct Symbol { Symbol(const std::string *name, uint64_t start, uint64_t size) - : name(name), start(start), size(size) {} + : is_name_resolved(true), start(start), size(size) { + data.name = name; + } Symbol(size_t section_idx, size_t str_table_idx, size_t str_len, uint64_t start, uint64_t size, bool debugfile) - : start(start), size(size) { - name_idx.section_idx = section_idx; - name_idx.str_table_idx = str_table_idx; - name_idx.str_len = str_len; - name_idx.debugfile = debugfile; + : is_name_resolved(false), start(start), size(size) { + data.name_idx.section_idx = section_idx; + data.name_idx.str_table_idx = str_table_idx; + data.name_idx.str_len = str_len; + data.name_idx.debugfile = debugfile; } - struct NameIdx name_idx; - const std::string *name{nullptr}; + bool is_name_resolved; + union { + struct NameIdx name_idx; + const std::string *name{nullptr}; + } data; uint64_t start; uint64_t size; From 50d0602219c97c51126c89534f29b594fd2dffaf Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Tue, 9 Jul 2019 17:14:12 -0700 Subject: [PATCH 049/228] Add tests --- tests/cc/test_c_api.cc | 33 +++++++++++++++++++++++++++++++++ 1 file changed, 33 insertions(+) diff --git a/tests/cc/test_c_api.cc b/tests/cc/test_c_api.cc index 31dc5ec37..8b96c649b 100644 --- a/tests/cc/test_c_api.cc +++ b/tests/cc/test_c_api.cc @@ -200,9 +200,22 @@ extern int cmd_scanf(const char *cmd, const char *fmt, ...); TEST_CASE("resolve symbol addresses for a given PID", "[c_api]") { struct bcc_symbol sym; + struct bcc_symbol lazy_sym; + static struct bcc_symbol_option lazy_opt{ + .use_debug_file = 1, + .check_debug_file_crc = 1, + .lazy_symbolize = 1, +#if defined(__powerpc64__) && __BYTE_ORDER__ == __ORDER_LITTLE_ENDIAN__ + .use_symbol_type = BCC_SYM_ALL_TYPES | (1 << STT_PPC64LE_SYM_LEP), +#else + .use_symbol_type = BCC_SYM_ALL_TYPES, +#endif + }; void *resolver = bcc_symcache_new(getpid(), nullptr); + void *lazy_resolver = bcc_symcache_new(getpid(), &lazy_opt); REQUIRE(resolver); + REQUIRE(lazy_resolver); SECTION("resolve in our own binary memory space") { REQUIRE(bcc_symcache_resolve(resolver, (uint64_t)&_a_test_function, &sym) == @@ -213,6 +226,11 @@ TEST_CASE("resolve symbol addresses for a given PID", "[c_api]") { free(this_exe); REQUIRE(string("_a_test_function") == sym.name); + + REQUIRE(bcc_symcache_resolve(lazy_resolver, (uint64_t)&_a_test_function, &lazy_sym) == + 0); + REQUIRE(string(lazy_sym.name) == sym.name); + REQUIRE(string(lazy_sym.module) == sym.module); } SECTION("resolve in libbcc.so") { @@ -225,6 +243,10 @@ TEST_CASE("resolve symbol addresses for a given PID", "[c_api]") { REQUIRE(bcc_symcache_resolve(resolver, (uint64_t)libbcc_fptr, &sym) == 0); REQUIRE(string(sym.module).find("libbcc.so") != string::npos); REQUIRE(string("bcc_resolve_symname") == sym.name); + + REQUIRE(bcc_symcache_resolve(lazy_resolver, (uint64_t)libbcc_fptr, &lazy_sym) == 0); + REQUIRE(string(lazy_sym.module) == sym.module); + REQUIRE(string(lazy_sym.name) == sym.name); } SECTION("resolve in libc") { @@ -236,6 +258,10 @@ TEST_CASE("resolve symbol addresses for a given PID", "[c_api]") { REQUIRE(sym.module[0] == '/'); REQUIRE(string(sym.module).find("libc") != string::npos); + REQUIRE(bcc_symcache_resolve(lazy_resolver, (uint64_t)libc_fptr, &lazy_sym) == 0); + REQUIRE(string(lazy_sym.module) == sym.module); + REQUIRE(string(lazy_sym.name) == sym.name); + // In some cases, a symbol may have multiple aliases. Since // bcc_symcache_resolve() returns only the first alias of a // symbol, this may not always be "strtok" even if it points @@ -266,6 +292,7 @@ TEST_CASE("resolve symbol addresses for a given PID", "[c_api]") { SECTION("resolve in separate mount namespace") { pid_t child; uint64_t addr = 0; + uint64_t lazy_addr = 0; child = spawn_child(0, true, true, mntns_func); REQUIRE(child > 0); @@ -276,6 +303,12 @@ TEST_CASE("resolve symbol addresses for a given PID", "[c_api]") { REQUIRE(bcc_symcache_resolve_name(resolver, "/tmp/libz.so.1", "zlibVersion", &addr) == 0); REQUIRE(addr != 0); + + void *lazy_resolver = bcc_symcache_new(child, &lazy_opt); + REQUIRE(lazy_resolver); + REQUIRE(bcc_symcache_resolve_name(lazy_resolver, "/tmp/libz.so.1", "zlibVersion", + &lazy_addr) == 0); + REQUIRE(lazy_addr == addr); } } From d413c95ce4476b18a179c541795a1248491a9584 Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Tue, 9 Jul 2019 17:22:36 -0700 Subject: [PATCH 050/228] Fix designated initializers --- examples/cpp/pyperf/PyPerfUtil.cc | 1 + src/cc/api/BPFTable.cc | 2 ++ src/cc/bcc_syms.cc | 1 + src/cc/usdt/usdt_args.cc | 1 + src/lua/bcc/libbcc.lua | 1 + 5 files changed, 6 insertions(+) diff --git a/examples/cpp/pyperf/PyPerfUtil.cc b/examples/cpp/pyperf/PyPerfUtil.cc index b1495bb5f..4dba39227 100644 --- a/examples/cpp/pyperf/PyPerfUtil.cc +++ b/examples/cpp/pyperf/PyPerfUtil.cc @@ -142,6 +142,7 @@ bool getAddrOfPythonBinary(const std::string& path, PidData& data) { struct bcc_symbol_option option = {.use_debug_file = 0, .check_debug_file_crc = 0, + .lazy_symbolize = 0, .use_symbol_type = (1 << STT_OBJECT)}; bcc_elf_foreach_sym(path.c_str(), &getAddrOfPythonBinaryCallback, &option, diff --git a/src/cc/api/BPFTable.cc b/src/cc/api/BPFTable.cc index 67e8a8f2a..7031add1e 100644 --- a/src/cc/api/BPFTable.cc +++ b/src/cc/api/BPFTable.cc @@ -257,6 +257,7 @@ BPFStackTable::BPFStackTable(const TableDesc& desc, bool use_debug_file, symbol_option_ = {.use_debug_file = use_debug_file, .check_debug_file_crc = check_debug_file_crc, + .lazy_symbolize = 0, .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC)}; } @@ -327,6 +328,7 @@ BPFStackBuildIdTable::BPFStackBuildIdTable(const TableDesc& desc, bool use_debug symbol_option_ = {.use_debug_file = use_debug_file, .check_debug_file_crc = check_debug_file_crc, + .lazy_symbolize = 0, .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC)}; } diff --git a/src/cc/bcc_syms.cc b/src/cc/bcc_syms.cc index 44bcec284..df6908161 100644 --- a/src/cc/bcc_syms.cc +++ b/src/cc/bcc_syms.cc @@ -438,6 +438,7 @@ bool BuildSyms::Module::load_sym_table() symbol_option_ = { .use_debug_file = 1, .check_debug_file_crc = 1, + .lazy_symbolize = 0, .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC) }; diff --git a/src/cc/usdt/usdt_args.cc b/src/cc/usdt/usdt_args.cc index 3e2045575..4cd46dd90 100644 --- a/src/cc/usdt/usdt_args.cc +++ b/src/cc/usdt/usdt_args.cc @@ -39,6 +39,7 @@ bool Argument::get_global_address(uint64_t *address, const std::string &binpath, static struct bcc_symbol_option default_option = { .use_debug_file = 1, .check_debug_file_crc = 1, + .lazy_symbolize = 0, .use_symbol_type = BCC_SYM_ALL_TYPES }; return ProcSyms(*pid, &default_option) diff --git a/src/lua/bcc/libbcc.lua b/src/lua/bcc/libbcc.lua index 4b7fee585..b2b5ee901 100644 --- a/src/lua/bcc/libbcc.lua +++ b/src/lua/bcc/libbcc.lua @@ -116,6 +116,7 @@ struct bcc_symbol { struct bcc_symbol_option { int use_debug_file; int check_debug_file_crc; + int lazy_symbolize; uint32_t use_symbol_type; }; From 86633c44c9b1c0f6be21fc17658c3bd23da3d2c5 Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Thu, 11 Jul 2019 12:31:26 -0700 Subject: [PATCH 051/228] Rebase and remove mount guards --- src/cc/bcc_syms.cc | 9 +++------ 1 file changed, 3 insertions(+), 6 deletions(-) diff --git a/src/cc/bcc_syms.cc b/src/cc/bcc_syms.cc index df6908161..a946fe1a1 100644 --- a/src/cc/bcc_syms.cc +++ b/src/cc/bcc_syms.cc @@ -351,12 +351,10 @@ bool ProcSyms::Module::find_name(const char *symname, uint64_t *addr) { return 0; }; - ProcMountNSGuard g(mount_ns_); - if (type_ == ModuleType::PERF_MAP) - bcc_perf_map_foreach_sym(name_.c_str(), cb, &payload); + bcc_perf_map_foreach_sym(path_.c_str(), cb, &payload); if (type_ == ModuleType::EXEC || type_ == ModuleType::SO) - bcc_elf_foreach_sym(name_.c_str(), cb, symbol_option_, &payload); + bcc_elf_foreach_sym(path_.c_str(), cb, symbol_option_, &payload); if (type_ == ModuleType::VDSO) bcc_elf_foreach_vdso_sym(cb, &payload); @@ -405,9 +403,8 @@ bool ProcSyms::Module::find_addr(uint64_t offset, struct bcc_symbol *sym) { if (offset < it->start + it->size) { // Resolve and cache the symbol name if necessary if (!it->is_name_resolved) { - ProcMountNSGuard g(mount_ns_); std::string sym_name(it->data.name_idx.str_len + 1, '\0'); - if (bcc_elf_symbol_str(name_.c_str(), it->data.name_idx.section_idx, + if (bcc_elf_symbol_str(path_.c_str(), it->data.name_idx.section_idx, it->data.name_idx.str_table_idx, &sym_name[0], sym_name.size(), it->data.name_idx.debugfile)) break; From 5933839d154dc8efa02cd567ce93f36eb2a9cb71 Mon Sep 17 00:00:00 2001 From: Benjamin Poirier Date: Fri, 12 Jul 2019 11:10:25 +0900 Subject: [PATCH 052/228] tools/inject: Update documentation --- man/man8/inject.8 | 83 +++++++++++++++++++++++++++++++++++++--- tools/inject_example.txt | 23 +++++++---- 2 files changed, 93 insertions(+), 13 deletions(-) diff --git a/man/man8/inject.8 b/man/man8/inject.8 index 0cf729e2c..2ab80dbb0 100644 --- a/man/man8/inject.8 +++ b/man/man8/inject.8 @@ -1,12 +1,18 @@ .TH inject 8 "2018-03-16" "USER COMMANDS" + + .SH NAME inject \- injects appropriate error into function if input call chain and predicates are satisfied. Uses Linux eBPF/bcc. + + .SH SYNOPSIS -.B inject -h [-I header] [-P probability] [-v] [-C count] mode spec +.B inject -h [-I header] [-P probability] [-v] [-c count] + + .SH DESCRIPTION inject injects errors into specified kernel functionality when a given call -chain and associated predicates are satsified. +chain and associated predicates are satisfied. WARNING: This tool injects failures into key kernel functions and may crash the kernel. You should know what you're doing if you're using this tool. @@ -14,8 +20,8 @@ kernel. You should know what you're doing if you're using this tool. This makes use of a Linux 4.16 feature (bpf_override_return()) Since this uses BPF, only the root user can use this tool. -.SH REQUIREMENTS -CONFIG_BPF, CONFIG_BPF_KPROBE_OVERRIDE, bcc + + .SH OPTIONS .TP \-h @@ -30,10 +36,69 @@ Necessary headers to be included. \-P probability Optional probability of failure, default 1. .TP -\-C count +\-c count Number of errors to inject before stopping, default never stops. + + +.SH MODE + +.TP +\fBkmalloc\fR +Make the following function indicate failure +.RS 14 +int should_failslab(struct kmem_cache *s, gfp_t gfpflags) +.RE + +.TP +\fBbio\fR +Make the following function indicate failure +.RS 14 +int should_fail_bio(struct bio *bio) +.RE + +.TP +\fBalloc_page\fR +Make the following function indicate failure +.RS 14 +bool should_fail_alloc_page(gfp_t gfp_mask, unsigned int order) +.RE + + +.SH SPEC +.B FUNCTION([ARGS])[(TEST)] [=> ...] + +A list of predicates separated by "=>". A predicate is a function signature +(name and arguments) in a call stack and a test on the function's arguments. + +Missing predicates are implicitly true. Missing tests are implicitly true. +Specifying the function arguments is optional if the test does not use them. +If the error injection function is not listed as the first predicate, it is +implicitly added. + +Functions are listed in the reverse order that they are called, ie. if a() +calls b(), the spec would be "b() => a()". + + +.SH REQUIREMENTS +CONFIG_BPF, CONFIG_BPF_KPROBE_OVERRIDE, bcc + + .SH EXAMPLES -Please see inject_example.txt +.EX +inject kmalloc -v 'SyS_mount()' +.EE + +.EX +inject kmalloc -v 'mount_subtree() => btrfs_mount()' +.EE + +.EX +inject -P 0.5 -c 100 alloc_page "should_fail_alloc_page(gfp_t gfp_mask, unsigned int order) (order == 1) => qlge_refill_bq()" +.EE + +Please see the output of '-h' and tools/inject_example.txt for more examples. + + .SH SOURCE This is from bcc. .IP @@ -41,9 +106,15 @@ https://github.com/iovisor/bcc .PP Also look in the bcc distribution for a companion _examples.txt file containing example usage, output, and commentary for this tool. + + .SH OS Linux + + .SH STABILITY Unstable - in development. + + .SH AUTHOR Howard McLauchlan diff --git a/tools/inject_example.txt b/tools/inject_example.txt index 101a39db6..77cef4a10 100644 --- a/tools/inject_example.txt +++ b/tools/inject_example.txt @@ -28,11 +28,16 @@ The "(true)" without an associated function is a predicate for the error injection mechanism of the current mode. In the case of kmalloc, the predicate would have access to the arguments of: - int should_failslab(struct kmem_cache *s, gfp_t gfpflags); + should_failslab(struct kmem_cache *s, gfp_t gfpflags) -The bio mode works similarly, with access to the arguments of: - - static noinline int should_fail_bio(struct bio *bio) +Other modes work similarly. +"bio" has access to the arguments of: + + should_fail_bio(struct bio *bio) + +"alloc_page" has access to the arguments of: + + should_fail_alloc_page(gfp_t gfp_mask, unsigned int order) We also note that it's unnecessary to state the arguments of the function if you have no intention to reference them in the associated predicate. @@ -62,7 +67,7 @@ In general, it's worth noting that the required specificity of the call chain is dependent on how much granularity you need. The example above might have performed as expected without the intermediate btrfs_alloc_device, but might have also done something unexpected(an earlier kmalloc could have failed before -the one we were targetting). +the one we were targeting). For hot paths, the approach outlined above isn't enough. If a path is traversed very often, we can distinguish distinct calls with function arguments. Let's say @@ -115,12 +120,14 @@ fail our mounts half the time: # ./inject.py kmalloc -v -P 0.01 'SyS_mount()' USAGE message: -usage: inject.py [-h] [-I header] [-P probability] [-v] {kmalloc,bio} spec +usage: inject.py [-h] [-I header] [-P probability] [-v] [-c COUNT] + {kmalloc,bio,alloc_page} spec Fail specified kernel functionality when call chain and predicates are met positional arguments: - {kmalloc,bio} indicate which base kernel function to fail + {kmalloc,bio,alloc_page} + indicate which base kernel function to fail spec specify call chain optional arguments: @@ -130,6 +137,8 @@ optional arguments: -P probability, --probability probability probability that this call chain will fail -v, --verbose print BPF program + -c COUNT, --count COUNT + Number of fails before bypassing the override EXAMPLES: # ./inject.py kmalloc -v 'SyS_mount()' From 10dae9eac33287c1df9e6645933b608c2d2c5640 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Mon, 15 Jul 2019 11:10:12 -0700 Subject: [PATCH 053/228] fix various compilation warnings The following compilation warnings are fix: ... /home/yhs/work/bcc/src/cc/libbpf.c:548:12: warning: comparison of distinct pointer types ('typeof (name_len - name_offset) *' (aka 'unsigned long *') and 'typeof (16U - 1) *' (aka 'unsigned int *')) [-Wcompare-distinct-pointer-types] min(name_len - name_offset, BPF_OBJ_NAME_LEN - 1)); ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ /home/yhs/work/bcc/src/cc/libbpf/include/linux/kernel.h:28:17: note: expanded from macro 'min' (void) (&_min1 == &_min2); ... /home/yhs/work/bcc/src/cc/bcc_syms.h:71:34: warning: declaration of 'struct mod_info' will not be visible outside of this function [-Wvisibility] int _bcc_syms_find_module(struct mod_info *info, int enter_ns, void *p); ... /home/yhs/work/bcc/src/cc/usdt/usdt.cc:486:14: warning: unused variable 'pid' [-Wunused-variable] auto pid = ctx->pid(); ^ ... Signed-off-by: Yonghong Song --- src/cc/bcc_syms.h | 1 + src/cc/libbpf.c | 4 ++-- src/cc/usdt/usdt.cc | 1 - 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/src/cc/bcc_syms.h b/src/cc/bcc_syms.h index 054e4812f..352d385bd 100644 --- a/src/cc/bcc_syms.h +++ b/src/cc/bcc_syms.h @@ -32,6 +32,7 @@ struct bcc_symbol { }; typedef int (*SYM_CB)(const char *symname, uint64_t addr); +struct mod_info; #ifndef STT_GNU_IFUNC #define STT_GNU_IFUNC 10 diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index 9054bef08..c9b893f53 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -216,7 +216,7 @@ static uint64_t ptr_to_u64(void *ptr) int bcc_create_map_xattr(struct bpf_create_map_attr *attr, bool allow_rlimit) { - size_t name_len = attr->name ? strlen(attr->name) : 0; + unsigned name_len = attr->name ? strlen(attr->name) : 0; char map_name[BPF_OBJ_NAME_LEN] = {}; memcpy(map_name, attr->name, min(name_len, BPF_OBJ_NAME_LEN - 1)); @@ -499,7 +499,7 @@ int bpf_prog_get_tag(int fd, unsigned long long *ptag) int bcc_prog_load_xattr(struct bpf_load_program_attr *attr, int prog_len, char *log_buf, unsigned log_buf_size, bool allow_rlimit) { - size_t name_len = attr->name ? strlen(attr->name) : 0; + unsigned name_len = attr->name ? strlen(attr->name) : 0; char *tmp_log_buf = NULL, *attr_log_buf = NULL; unsigned tmp_log_buf_size = 0, attr_log_buf_size = 0; int ret = 0, name_offset = 0; diff --git a/src/cc/usdt/usdt.cc b/src/cc/usdt/usdt.cc index ab51cb5db..b8c4b966d 100644 --- a/src/cc/usdt/usdt.cc +++ b/src/cc/usdt/usdt.cc @@ -483,7 +483,6 @@ const char *bcc_usdt_genargs(void **usdt_array, int len) { for (size_t j = 0; j < ctx->num_probes(); j++) { USDT::Probe *p = ctx->get(j); if (p->enabled()) { - auto pid = ctx->pid(); std::string key = ctx->cmd_bin_path() + "*" + p->provider() + "*" + p->name(); if (generated_probes.find(key) != generated_probes.end()) continue; From a74c0429396f3180ba5b20f4a4eefc233b681cb4 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Mon, 15 Jul 2019 16:37:11 -0700 Subject: [PATCH 054/228] fix asm_volatile_goto issue again In src/cc/export/helpers.h, we tried to define asm_volatile_goto to something else if it is defined through uapi bpf.h. #ifdef asm_volatile_goto #undef asm_volatile_goto #define asm_volatile_goto(x...) asm volatile("invalid use of asm_volatile_goto") #endif It is possible that due to different kernel configurations, asm_volatile_goto may not be defined after uapi bpf.h. To prevent compilation errors, let us unconditionally define asm_volatile_goto here. Signed-off-by: Yonghong Song --- src/cc/export/helpers.h | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index 2f49f9d99..b0a16dcdd 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -18,7 +18,7 @@ R"********( #define __BPF_HELPERS_H /* Before bpf_helpers.h is included, uapi bpf.h has been - * included, which references linux/types.h. This will bring + * included, which references linux/types.h. This may bring * in asm_volatile_goto definition if permitted based on * compiler setup and kernel configs. * @@ -29,8 +29,8 @@ R"********( */ #ifdef asm_volatile_goto #undef asm_volatile_goto -#define asm_volatile_goto(x...) asm volatile("invalid use of asm_volatile_goto") #endif +#define asm_volatile_goto(x...) asm volatile("invalid use of asm_volatile_goto") #include #include From 60944a486a619556b64b7d385fe67e7be9d32fdf Mon Sep 17 00:00:00 2001 From: cclauss Date: Sat, 29 Jun 2019 00:13:12 +0200 Subject: [PATCH 055/228] Travis CI: Lint for Python syntax errors and undefined names --- .travis.yml | 16 ++++++++++++++++ 1 file changed, 16 insertions(+) diff --git a/.travis.yml b/.travis.yml index 983554712..052be4e69 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,4 +1,20 @@ language: generic +matrix: + include: + - name: "generic tests" + - name: "flake8 lint on Python 2.7" + language: python + python: 2.7 + install: pip install flake8 + script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics + - name: "flake8 lint on Python 3.7" + dist: xenial # required for Python >= 3.7 + language: python + python: 3.7 + install: pip install flake8 + script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics + allow_failures: + - python 3.7 install: - sudo apt-get install -y python-pip - sudo pip install pep8 From f84e55c51acb3e063b62ddcd39738ef8fa1b56e0 Mon Sep 17 00:00:00 2001 From: cclauss Date: Sat, 29 Jun 2019 01:11:16 +0200 Subject: [PATCH 056/228] Identity is not the same thing as equality in Python --- src/python/bcc/table.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/src/python/bcc/table.py b/src/python/bcc/table.py index d32400e91..96a038ab2 100644 --- a/src/python/bcc/table.py +++ b/src/python/bcc/table.py @@ -726,7 +726,7 @@ def __init__(self, *args, **kwargs): self.total_cpu = len(get_possible_cpus()) # This needs to be 8 as hard coded into the linux kernel. self.alignment = ct.sizeof(self.sLeaf) % 8 - if self.alignment is 0: + if self.alignment == 0: self.Leaf = self.sLeaf * self.total_cpu else: # Currently Float, Char, un-aligned structs are not supported @@ -739,7 +739,7 @@ def __init__(self, *args, **kwargs): def getvalue(self, key): result = super(PerCpuHash, self).__getitem__(key) - if self.alignment is 0: + if self.alignment == 0: ret = result else: ret = (self.sLeaf * self.total_cpu)() @@ -782,7 +782,7 @@ def __init__(self, *args, **kwargs): self.total_cpu = len(get_possible_cpus()) # This needs to be 8 as hard coded into the linux kernel. self.alignment = ct.sizeof(self.sLeaf) % 8 - if self.alignment is 0: + if self.alignment == 0: self.Leaf = self.sLeaf * self.total_cpu else: # Currently Float, Char, un-aligned structs are not supported @@ -795,7 +795,7 @@ def __init__(self, *args, **kwargs): def getvalue(self, key): result = super(PerCpuArray, self).__getitem__(key) - if self.alignment is 0: + if self.alignment == 0: ret = result else: ret = (self.sLeaf * self.total_cpu)() From 851f58833f1b6985d75790a23c49d6b9970614ec Mon Sep 17 00:00:00 2001 From: cclauss Date: Sun, 30 Jun 2019 03:23:21 +0200 Subject: [PATCH 057/228] Add missing colon (:) --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 052be4e69..a1864ef71 100644 --- a/.travis.yml +++ b/.travis.yml @@ -14,7 +14,7 @@ matrix: install: pip install flake8 script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics allow_failures: - - python 3.7 + - python: 3.7 install: - sudo apt-get install -y python-pip - sudo pip install pep8 From 807772f5cb724a98535924b4cb474c2546c98b89 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 19:27:28 +0200 Subject: [PATCH 058/228] Force a retest --- .travis.yml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index a1864ef71..e2dc4b59f 100644 --- a/.travis.yml +++ b/.travis.yml @@ -13,8 +13,8 @@ matrix: python: 3.7 install: pip install flake8 script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics - allow_failures: - - python: 3.7 + #allow_failures: + # - python: 3.7 install: - sudo apt-get install -y python-pip - sudo pip install pep8 From 1bbdc0987dae2ff48449d69553cae5f70409cfe2 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 20:58:29 +0200 Subject: [PATCH 059/228] This retest should work --- .travis.yml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index e2dc4b59f..a1864ef71 100644 --- a/.travis.yml +++ b/.travis.yml @@ -13,8 +13,8 @@ matrix: python: 3.7 install: pip install flake8 script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics - #allow_failures: - # - python: 3.7 + allow_failures: + - python: 3.7 install: - sudo apt-get install -y python-pip - sudo pip install pep8 From fae282cba4f98138e31ad650d5bd149fbfc10414 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:04:52 +0200 Subject: [PATCH 060/228] Undefined name: signal_ignore --> signal.SIG_IGN --- examples/tracing/stack_buildid_example.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/examples/tracing/stack_buildid_example.py b/examples/tracing/stack_buildid_example.py index 505697cbe..706d7507e 100755 --- a/examples/tracing/stack_buildid_example.py +++ b/examples/tracing/stack_buildid_example.py @@ -90,7 +90,7 @@ def signal_handler(signal, frame): sleep(duration) except KeyboardInterrupt: # as cleanup can take some time, trap Ctrl-C: - signal.signal(signal.SIGINT, signal_ignore) + signal.signal(signal.SIGINT, signal.SIG_IGN) user_stack=[] for k,v in sorted(counts.items(), key=lambda counts: counts[1].value): From 37ac181e56fefe02ccc500d3512dda0a7536bbdd Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:08:15 +0200 Subject: [PATCH 061/228] Undefined name: Don't forget "self" in "self.b" --- tests/python/test_probe_count.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/python/test_probe_count.py b/tests/python/test_probe_count.py index df0baa221..1e40305f0 100755 --- a/tests/python/test_probe_count.py +++ b/tests/python/test_probe_count.py @@ -81,7 +81,7 @@ def setUp(self): def test_not_exist(self): with self.assertRaises(Exception): - b.attach_kprobe(event="___doesnotexist", fn_name="count") + self.b.attach_kprobe(event="___doesnotexist", fn_name="count") def tearDown(self): self.b.cleanup() From 64ea990fef6a9a290c2aaa34386906b2335bf51e Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:11:28 +0200 Subject: [PATCH 062/228] Undefined name: "headerInstance" --> "p4header" --- src/cc/frontends/p4/compiler/ebpfDeparser.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/cc/frontends/p4/compiler/ebpfDeparser.py b/src/cc/frontends/p4/compiler/ebpfDeparser.py index e4ab51fbf..484927ef9 100644 --- a/src/cc/frontends/p4/compiler/ebpfDeparser.py +++ b/src/cc/frontends/p4/compiler/ebpfDeparser.py @@ -96,7 +96,7 @@ def serializeHeaderEmit(self, header, serializer, program): assert isinstance(ebpfStack, ebpfInstance.EbpfHeaderStack) if isinstance(p4header.index, int): - index = "[" + str(headerInstance.index) + "]" + index = "[" + str(p4header.index) + "]" elif p4header.index is P4_NEXT: index = "[" + ebpfStack.indexVar + "]" else: From 887ff829e6add0e25944d9fb1c8716a1c1aabbdf Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:13:35 +0200 Subject: [PATCH 063/228] Undefined name: "SocketConfig" -> "TargetConfig" --- src/cc/frontends/p4/compiler/target.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/cc/frontends/p4/compiler/target.py b/src/cc/frontends/p4/compiler/target.py index 6124dff88..9b5fb4dd2 100644 --- a/src/cc/frontends/p4/compiler/target.py +++ b/src/cc/frontends/p4/compiler/target.py @@ -91,7 +91,7 @@ def generateDword(self, serializer): # source tree samples folder and which attaches to a socket class KernelSamplesConfig(TargetConfig): def __init__(self): - super(SocketConfig, self).__init__("Socket") + super(TargetConfig, self).__init__("Socket") self.entrySection = "socket1" self.section = "SEC" self.uprefix = "u" From 317fe14378a3bd9836be6ef5618595dc4dd0f19a Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:15:18 +0200 Subject: [PATCH 064/228] Undefined name: from compilationException import CompilationException --- src/cc/frontends/p4/compiler/ebpfDeparser.py | 1 + 1 file changed, 1 insertion(+) diff --git a/src/cc/frontends/p4/compiler/ebpfDeparser.py b/src/cc/frontends/p4/compiler/ebpfDeparser.py index 484927ef9..bf3de3906 100644 --- a/src/cc/frontends/p4/compiler/ebpfDeparser.py +++ b/src/cc/frontends/p4/compiler/ebpfDeparser.py @@ -2,6 +2,7 @@ # Licensed under the Apache License, Version 2.0 (the "License") from collections import defaultdict, OrderedDict +from compilationException import CompilationException from p4_hlir.hlir import parse_call, p4_field, p4_parse_value_set, \ P4_DEFAULT, p4_parse_state, p4_table, \ p4_conditional_node, p4_parser_exception, \ From e52c41fecbcd0e750e08c494c35aa4fc4bc2c145 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:18:34 +0200 Subject: [PATCH 065/228] from __future__ import print_function --- src/cc/frontends/p4/test/endToEndTest.py | 1 + 1 file changed, 1 insertion(+) diff --git a/src/cc/frontends/p4/test/endToEndTest.py b/src/cc/frontends/p4/test/endToEndTest.py index 634a2ec1d..11337195f 100755 --- a/src/cc/frontends/p4/test/endToEndTest.py +++ b/src/cc/frontends/p4/test/endToEndTest.py @@ -8,6 +8,7 @@ # This program exercises the simple.c EBPF program # generated from the simple.p4 source file. +from __future__ import print_function import subprocess import ctypes import time From 3e69639a89134575abda3696b41f6ac0d5e4887e Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:33:52 +0200 Subject: [PATCH 066/228] Old style exceptions --> new style for Python 3 --- src/cc/frontends/p4/compiler/p4toEbpf.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/cc/frontends/p4/compiler/p4toEbpf.py b/src/cc/frontends/p4/compiler/p4toEbpf.py index 7a5bc422c..8500ca5aa 100755 --- a/src/cc/frontends/p4/compiler/p4toEbpf.py +++ b/src/cc/frontends/p4/compiler/p4toEbpf.py @@ -92,12 +92,12 @@ def compileP4(inputFile, gen_file, isRouter, preprocessor_args): f = open(gen_file, 'w') f.write(serializer.toString()) return CompileResult("OK", "") - except CompilationException, e: + except CompilationException as e: prefix = "" if e.isBug: prefix = "### Compiler bug: " return CompileResult("bug", prefix + e.show()) - except NotSupportedException, e: + except NotSupportedException as e: return CompileResult("not supported", e.show()) except: return CompileResult("exception", traceback.format_exc()) From bfdb8171e91b0fdd583d42cc3b2788529af8383c Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:35:12 +0200 Subject: [PATCH 067/228] Old style exceptions --> new style for Python 3 --- src/cc/frontends/p4/compiler/ebpfStructType.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/cc/frontends/p4/compiler/ebpfStructType.py b/src/cc/frontends/p4/compiler/ebpfStructType.py index 8efa2d2c2..e279bc61e 100644 --- a/src/cc/frontends/p4/compiler/ebpfStructType.py +++ b/src/cc/frontends/p4/compiler/ebpfStructType.py @@ -22,7 +22,7 @@ def __init__(self, hlirParentType, name, widthInBits, attributes, config): try: self.type = EbpfScalarType( self.hlirType, widthInBits, signed, config) - except CompilationException, e: + except CompilationException as e: raise CompilationException( e.isBug, "{0}.{1}: {2}", hlirParentType, self.name, e.show()) From 2a2661c6a7fdc0ac72e7674ef108efb88cbff847 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:38:08 +0200 Subject: [PATCH 068/228] Use feature detection instead of version detection https://docs.python.org/3/howto/pyporting.html#use-feature-detection-instead-of-version-detection --- src/python/bcc/__init__.py | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/src/python/bcc/__init__.py b/src/python/bcc/__init__.py index 0c94b401b..01230b714 100644 --- a/src/python/bcc/__init__.py +++ b/src/python/bcc/__init__.py @@ -22,7 +22,6 @@ import struct import errno import sys -basestring = (unicode if sys.version_info[0] < 3 else str) from .libbcc import lib, bcc_symbol, bcc_symbol_option, bcc_stacktrace_build_id, _SYM_CB_TYPE from .table import Table, PerfEventArray @@ -31,6 +30,11 @@ from .version import __version__ from .disassembler import disassemble_prog, decode_map +try: + basestring +except NameError: # Python 3 + basestring = str + _probe_limit = 1000 _num_open_probes = 0 From d2cd9d0a1be162ac3cfe28066e5c398ef296d3d4 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:39:53 +0200 Subject: [PATCH 069/228] long was removed in Python 3 --- tests/python/test_lru.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tests/python/test_lru.py b/tests/python/test_lru.py index fd279c1c3..1139040d3 100644 --- a/tests/python/test_lru.py +++ b/tests/python/test_lru.py @@ -52,8 +52,8 @@ def test_lru_percpu_hash(self): sum = stats_map.sum(stats_map.Key(0)) avg = stats_map.average(stats_map.Key(0)) max = stats_map.max(stats_map.Key(0)) - self.assertGreater(sum.value, 0L) - self.assertGreater(max.value, 0L) + self.assertGreater(sum.value, 0) + self.assertGreater(max.value, 0) b.detach_kprobe(event_name) if __name__ == "__main__": From 5c2b514227fe212c72afd8d6f5f584bd8658bc01 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:42:11 +0200 Subject: [PATCH 070/228] Remove allow_failures on python: 3.7 tests --- .travis.yml | 2 -- 1 file changed, 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index a1864ef71..43d79667d 100644 --- a/.travis.yml +++ b/.travis.yml @@ -13,8 +13,6 @@ matrix: python: 3.7 install: pip install flake8 script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics - allow_failures: - - python: 3.7 install: - sudo apt-get install -y python-pip - sudo pip install pep8 From f37279f75dc1828e6c4f2aee0b10c2ae40b189fa Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:48:44 +0200 Subject: [PATCH 071/228] Swap test order --- .travis.yml | 1 + 1 file changed, 1 insertion(+) diff --git a/.travis.yml b/.travis.yml index 43d79667d..b021c2119 100644 --- a/.travis.yml +++ b/.travis.yml @@ -18,5 +18,6 @@ install: - sudo pip install pep8 script: - set -euo pipefail + - ./scripts/py-style-check.sh - ./scripts/check-helpers.sh - ./scripts/py-style-check.sh From e25e75bcb33da16302f532b72299153ccb6999f4 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:55:16 +0200 Subject: [PATCH 072/228] Move language: generic --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index b021c2119..fc8ae7415 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,7 +1,7 @@ -language: generic matrix: include: - name: "generic tests" + language: generic - name: "flake8 lint on Python 2.7" language: python python: 2.7 From 6034b818a6f0d1d65292b9e6a146574ee55d83d4 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 21:59:46 +0200 Subject: [PATCH 073/228] Try under language: python --- .travis.yml | 11 ++++------- 1 file changed, 4 insertions(+), 7 deletions(-) diff --git a/.travis.yml b/.travis.yml index fc8ae7415..e2bbc4233 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,23 +1,20 @@ +language: python matrix: include: - name: "generic tests" - language: generic - - name: "flake8 lint on Python 2.7" - language: python + python: 2.7 + - name: "flake8 lint on Python 2.7" python: 2.7 install: pip install flake8 script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics - name: "flake8 lint on Python 3.7" dist: xenial # required for Python >= 3.7 - language: python python: 3.7 install: pip install flake8 script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics install: - - sudo apt-get install -y python-pip - - sudo pip install pep8 + - pip install pep8 script: - set -euo pipefail - - ./scripts/py-style-check.sh - ./scripts/check-helpers.sh - ./scripts/py-style-check.sh From de34dab81fcae90d1db11f9191f4176e6ca40b92 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 22:02:37 +0200 Subject: [PATCH 074/228] Echo --- .travis.yml | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/.travis.yml b/.travis.yml index e2bbc4233..9ae6ad460 100644 --- a/.travis.yml +++ b/.travis.yml @@ -16,5 +16,10 @@ install: - pip install pep8 script: - set -euo pipefail + - echo "0" + - ./scripts/py-style-check.sh + - echo "1" - ./scripts/check-helpers.sh + - echo "2" - ./scripts/py-style-check.sh + - echo "3" From f1c7b8effb7f805c032515657fe5426654930ac4 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 22:04:41 +0200 Subject: [PATCH 075/228] Comment out the set -euo pipefail --- .travis.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.travis.yml b/.travis.yml index 9ae6ad460..40065279b 100644 --- a/.travis.yml +++ b/.travis.yml @@ -15,7 +15,7 @@ matrix: install: - pip install pep8 script: - - set -euo pipefail + #- set -euo pipefail - echo "0" - ./scripts/py-style-check.sh - echo "1" From 96f251e59f787e79444e2d761443300fcb10438d Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 22:13:04 +0200 Subject: [PATCH 076/228] Update .travis.yml --- .travis.yml | 13 +++---------- 1 file changed, 3 insertions(+), 10 deletions(-) diff --git a/.travis.yml b/.travis.yml index 40065279b..9355598b9 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,25 +1,18 @@ language: python matrix: include: - - name: "generic tests" + - name: "generic tests on Python 2.7" python: 2.7 - name: "flake8 lint on Python 2.7" python: 2.7 - install: pip install flake8 script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics - name: "flake8 lint on Python 3.7" dist: xenial # required for Python >= 3.7 python: 3.7 - install: pip install flake8 script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics -install: - - pip install pep8 +before_install: pip install --upgrade pip +install: pip install flake8 script: #- set -euo pipefail - - echo "0" - - ./scripts/py-style-check.sh - - echo "1" - ./scripts/check-helpers.sh - - echo "2" - ./scripts/py-style-check.sh - - echo "3" From 45fd2f727864c6690def73046ce4e102d77ca6e1 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 22:14:26 +0200 Subject: [PATCH 077/228] Upgrade from pep8 --> pycodestyle --- scripts/py-style-check.sh | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/scripts/py-style-check.sh b/scripts/py-style-check.sh index 78c8964ef..bed092ad8 100755 --- a/scripts/py-style-check.sh +++ b/scripts/py-style-check.sh @@ -3,8 +3,8 @@ set -euo pipefail # TODO: stop ignoring this. Maybe autopep8 existing stuff? -find tools -type f -name "*.py" | xargs pep8 -r --show-source --ignore=E123,E125,E126,E127,E128,E302 || \ - echo "pep8 run failed, please fix it" >&2 +find tools -type f -name "*.py" | xargs pycodestyle -r --show-source --ignore=E123,E125,E126,E127,E128,E302 || \ + echo "pycodestyle run failed, please fix it" >&2 NO_PROPER_SHEBANG="$(find tools examples -type f -executable -name '*.py' | xargs grep -L '#!/usr/bin/python')" if [ -n "$NO_PROPER_SHEBANG" ]; then From e7c422a8aa6c7787910df8679dc6c7d879df86d6 Mon Sep 17 00:00:00 2001 From: cclauss Date: Thu, 4 Jul 2019 22:20:21 +0200 Subject: [PATCH 078/228] Four parallel test runs --- .travis.yml | 12 +++++++----- 1 file changed, 7 insertions(+), 5 deletions(-) diff --git a/.travis.yml b/.travis.yml index 9355598b9..194428daa 100644 --- a/.travis.yml +++ b/.travis.yml @@ -1,8 +1,12 @@ language: python matrix: include: - - name: "generic tests on Python 2.7" + - name: "Check helpers on Python 2.7" python: 2.7 + script: ./scripts/check-helpers.sh + - name: "Python style check on Python 2.7" + python: 2.7 + script: ./scripts/py-style-check.sh - name: "flake8 lint on Python 2.7" python: 2.7 script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics @@ -10,9 +14,7 @@ matrix: dist: xenial # required for Python >= 3.7 python: 3.7 script: flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics + allow_failures: + - name: "Check helpers on Python 2.7" before_install: pip install --upgrade pip install: pip install flake8 -script: - #- set -euo pipefail - - ./scripts/check-helpers.sh - - ./scripts/py-style-check.sh From fb99f2fdc033be84ec0921d9ddd38058a7ecf83b Mon Sep 17 00:00:00 2001 From: category Date: Thu, 18 Jul 2019 16:48:28 +0100 Subject: [PATCH 079/228] Update lua Quickstart for Ubuntu 18.04 LTS --- src/lua/README.md | 33 +++++++++++++++++---------------- 1 file changed, 17 insertions(+), 16 deletions(-) diff --git a/src/lua/README.md b/src/lua/README.md index 6057176af..4802c9fce 100644 --- a/src/lua/README.md +++ b/src/lua/README.md @@ -24,33 +24,34 @@ benefit from such JIT compilation. ## Quickstart Guide -The following instructions assume Ubuntu 14.04 LTS. +The following instructions assume Ubuntu 18.04 LTS. -1. Install a **very new kernel**. It has to be new and shiny for this to work. 4.3+ +1. Clone this repository ``` - VER=4.4.2-040402 - PREFIX=http://kernel.ubuntu.com/~kernel-ppa/mainline/v4.4.2-wily/ - REL=201602171633 - wget ${PREFIX}/linux-headers-${VER}-generic_${VER}.${REL}_amd64.deb - wget ${PREFIX}/linux-headers-${VER}_${VER}.${REL}_all.deb - wget ${PREFIX}/linux-image-${VER}-generic_${VER}.${REL}_amd64.deb - sudo dpkg -i linux-*${VER}.${REL}*.deb + $ git clone https://github.com/iovisor/bcc.git + $ cd bcc/ ``` -2. Install the `libbcc` binary packages and `luajit` +2. As per the [Ubuntu - Binary](https://github.com/iovisor/bcc/blob/master/INSTALL.md#ubuntu---binary) installation istructions, install the required upstream stable and signed packages ``` - sudo apt-key adv --keyserver keyserver.ubuntu.com --recv-keys D4284CDD - echo "deb https://repo.iovisor.org/apt trusty main" | sudo tee /etc/apt/sources.list.d/iovisor.list - sudo apt-get update - sudo apt-get install libbcc luajit + $ sudo apt-key adv --keyserver keyserver.ubuntu.com --recv-keys 4052245BD4284CDD + $ echo "deb https://repo.iovisor.org/apt/$(lsb_release -cs) $(lsb_release -cs) main" | sudo tee /etc/apt/sources.list.d/iovisor.list + $ sudo apt-get update + $ sudo apt-get install bcc-tools libbcc-examples linux-headers-$(uname -r) ``` -3. Test one of the examples to ensure `libbcc` is properly installed +3. Install LuaJit and the corresponding development files ``` - sudo ./bcc-probe examples/lua/task_switch.lua + $ sudo apt-get install luajit luajit-5.1-dev + ``` + +4. Test one of the examples to ensure `libbcc` is properly installed + + ``` + $ sudo src/lua/bcc-probe examples/lua/task_switch.lua ``` ## LuaJIT BPF compiler From 4995db078b7c7f25a38c6bf5e628221e97709759 Mon Sep 17 00:00:00 2001 From: Juergen Hoetzel Date: Fri, 7 Jun 2019 20:58:58 +0200 Subject: [PATCH 080/228] Filter out non-bash COMMs Prevents the output of non-bash readlines when bash is dynamically linked. Refs #1851. --- tools/bashreadline.py | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/tools/bashreadline.py b/tools/bashreadline.py index 4cc1f9653..b7d98272f 100755 --- a/tools/bashreadline.py +++ b/tools/bashreadline.py @@ -35,6 +35,7 @@ # load BPF program bpf_text = """ #include +#include struct str_t { u64 pid; @@ -45,13 +46,19 @@ int printret(struct pt_regs *ctx) { struct str_t data = {}; + char comm[TASK_COMM_LEN] = {}; u32 pid; if (!PT_REGS_RC(ctx)) return 0; pid = bpf_get_current_pid_tgid(); data.pid = pid; bpf_probe_read(&data.str, sizeof(data.str), (void *)PT_REGS_RC(ctx)); - events.perf_submit(ctx,&data,sizeof(data)); + + bpf_get_current_comm(&comm, sizeof(comm)); + if (comm[0] == 'b' && comm[1] == 'a' && comm[2] == 's' && comm[3] == 'h' && comm[4] == 0 ) { + events.perf_submit(ctx,&data,sizeof(data)); + } + return 0; }; From 36219753ee17fc0af37c20828eef02520e1602dc Mon Sep 17 00:00:00 2001 From: category Date: Fri, 19 Jul 2019 11:11:41 +0100 Subject: [PATCH 081/228] Use bpf_prog_load function from ljsyscall module in LuaJIT compiler At various points in the compiler code, an attempt to load the BPF program is made. In order to do this, a bpf() syscall needs to happen with BPF_PROG_LOAD as the first argument (Consult the bpf man page, under the 'eBPF programs' section). The module ljsyscall does this via the bpf_prog_load function. At the time of writing, this function is declared in the file: syscall/linux/syscalls.lua In the repo: https://github.com/justincormack/ljsyscall.git --- src/lua/bpf/bpf.lua | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/lua/bpf/bpf.lua b/src/lua/bpf/bpf.lua index 220e68cbb..215fb730e 100644 --- a/src/lua/bpf/bpf.lua +++ b/src/lua/bpf/bpf.lua @@ -1475,7 +1475,7 @@ local tracepoint_mt = { prog = compile(prog, {proto.type(t.type, {source='ptr_to_probe'})}) end -- Load the BPF program - local prog_fd, err, log = S.bcc_prog_load(S.c.BPF_PROG.TRACEPOINT, prog.insn, prog.pc) + local prog_fd, err, log = S.bpf_prog_load(S.c.BPF_PROG.TRACEPOINT, prog.insn, prog.pc) assert(prog_fd, tostring(err)..': '..tostring(log)) -- Open tracepoint and attach t.reader:setbpf(prog_fd:getfd()) @@ -1499,7 +1499,7 @@ local function trace_bpf(ptype, pname, pdef, retprobe, prog, pid, cpu, group_fd) if type(prog) ~= 'table' then prog = compile(prog, {proto.pt_regs}) end - local prog_fd, err, log = S.bcc_prog_load(S.c.BPF_PROG.KPROBE, prog.insn, prog.pc) + local prog_fd, err, log = S.bpf_prog_load(S.c.BPF_PROG.KPROBE, prog.insn, prog.pc) assert(prog_fd, tostring(err)..': '..tostring(log)) -- Open tracepoint and attach local tp, err = S.perf_probe(ptype, pname, pdef, retprobe) @@ -1580,7 +1580,7 @@ return setmetatable({ if type(prog) ~= 'table' then prog = compile(prog, {proto.skb}) end - local prog_fd, err, log = S.bcc_prog_load(S.c.BPF_PROG.SOCKET_FILTER, prog.insn, prog.pc) + local prog_fd, err, log = S.bpf_prog_load(S.c.BPF_PROG.SOCKET_FILTER, prog.insn, prog.pc) assert(prog_fd, tostring(err)..': '..tostring(log)) assert(sock:setsockopt('socket', 'attach_bpf', prog_fd:getfd())) return prog_fd, err From 50aeaed4d101f22027eaf07186418ec8dcbab019 Mon Sep 17 00:00:00 2001 From: Jiri Olsa Date: Fri, 19 Jul 2019 14:58:19 +0200 Subject: [PATCH 082/228] Report proper module on kernel backtrace Raghavendra Rao reported that memleak does not display proper name of the related kernel module, but just the "kernel" string, like here for xfs module functions: 131072 bytes in 4 allocations from stack .. bvec_alloc+0x92 [kernel] bio_alloc_bioset+0x13f [kernel] xfs_add_to_ioend+0x2df [kernel] xfs_do_writepage+0x148 [kernel] write_cache_pages+0x171 [kernel] xfs_vm_writepages+0x59 [kernel] do_writepages+0x43 [kernel] ... The kernel resolver code is parsing /proc/kallsyms, which already has the module information in. This patch is adding support to parse the module info from /proc/kallsyms and initialize the module with proper value. Above memleak backtrace now looks like: 131072 bytes in 4 allocations from stack bvec_alloc+0x92 [kernel] bio_alloc_bioset+0x13f [kernel] xfs_add_to_ioend+0x2df [xfs] xfs_do_writepage+0x148 [xfs] write_cache_pages+0x171 [kernel] xfs_vm_writepages+0x59 [xfs] do_writepages+0x43 [kernel] ... Reported-by: Raghavendra Rao Signed-off-by: Jiri Olsa --- src/cc/bcc_proc.c | 20 ++++++++++++++++++-- src/cc/bcc_proc.h | 2 +- src/cc/bcc_syms.cc | 8 ++++---- src/cc/syms.h | 5 +++-- tests/cc/test_c_api.cc | 2 +- 5 files changed, 27 insertions(+), 10 deletions(-) diff --git a/src/cc/bcc_proc.c b/src/cc/bcc_proc.c index c8f4041ed..d6e17282e 100644 --- a/src/cc/bcc_proc.c +++ b/src/cc/bcc_proc.c @@ -208,7 +208,7 @@ int bcc_procutils_each_module(int pid, bcc_procutils_modulecb callback, int bcc_procutils_each_ksym(bcc_procutils_ksymcb callback, void *payload) { char line[2048]; - char *symname, *endsym; + char *symname, *endsym, *modname, *endmod = NULL; FILE *kallsyms; unsigned long long addr; @@ -237,7 +237,23 @@ int bcc_procutils_each_ksym(bcc_procutils_ksymcb callback, void *payload) { while (*endsym && !isspace(*endsym)) endsym++; *endsym = '\0'; - callback(symname, addr, payload); + // Parse module name if it's available + modname = endsym + 1; + while (*modname && isspace(*endsym)) modname++; + + if (*modname && *modname == '[') { + endmod = ++modname; + while (*endmod && *endmod != ']') endmod++; + if (*endmod) + *(endmod) = '\0'; + else + endmod = NULL; + } + + if (!endmod) + modname = "kernel"; + + callback(symname, modname, addr, payload); } fclose(kallsyms); diff --git a/src/cc/bcc_proc.h b/src/cc/bcc_proc.h index a56f680d5..368f27d9e 100644 --- a/src/cc/bcc_proc.h +++ b/src/cc/bcc_proc.h @@ -42,7 +42,7 @@ typedef struct mod_info { typedef int (*bcc_procutils_modulecb)(mod_info *, int, void *); // Symbol name, address, payload -typedef void (*bcc_procutils_ksymcb)(const char *, uint64_t, void *); +typedef void (*bcc_procutils_ksymcb)(const char *, const char *, uint64_t, void *); char *bcc_procutils_which_so(const char *libname, int pid); char *bcc_procutils_which(const char *binpath); diff --git a/src/cc/bcc_syms.cc b/src/cc/bcc_syms.cc index a946fe1a1..95ec8bad3 100644 --- a/src/cc/bcc_syms.cc +++ b/src/cc/bcc_syms.cc @@ -47,9 +47,9 @@ bool ProcStat::is_stale() { ProcStat::ProcStat(int pid) : procfs_(tfm::format("/proc/%d/exe", pid)), inode_(getinode_()) {} -void KSyms::_add_symbol(const char *symname, uint64_t addr, void *p) { +void KSyms::_add_symbol(const char *symname, const char *modname, uint64_t addr, void *p) { KSyms *ks = static_cast(p); - ks->syms_.emplace_back(symname, addr); + ks->syms_.emplace_back(symname, modname, addr); } void KSyms::refresh() { @@ -67,13 +67,13 @@ bool KSyms::resolve_addr(uint64_t addr, struct bcc_symbol *sym, bool demangle) { if (syms_.empty()) goto unknown_symbol; - it = std::upper_bound(syms_.begin(), syms_.end(), Symbol("", addr)); + it = std::upper_bound(syms_.begin(), syms_.end(), Symbol("", "", addr)); if (it != syms_.begin()) { it--; sym->name = (*it).name.c_str(); if (demangle) sym->demangle_name = sym->name; - sym->module = "kernel"; + sym->module = (*it).mod.c_str(); sym->offset = addr - (*it).addr; return true; } diff --git a/src/cc/syms.h b/src/cc/syms.h index 351da1dff..021b28aa4 100644 --- a/src/cc/syms.h +++ b/src/cc/syms.h @@ -50,8 +50,9 @@ class SymbolCache { class KSyms : SymbolCache { struct Symbol { - Symbol(const char *name, uint64_t addr) : name(name), addr(addr) {} + Symbol(const char *name, const char *mod, uint64_t addr) : name(name), mod(mod), addr(addr) {} std::string name; + std::string mod; uint64_t addr; bool operator<(const Symbol &rhs) const { return addr < rhs.addr; } @@ -59,7 +60,7 @@ class KSyms : SymbolCache { std::vector syms_; std::unordered_map symnames_; - static void _add_symbol(const char *, uint64_t, void *); + static void _add_symbol(const char *, const char *, uint64_t, void *); public: virtual bool resolve_addr(uint64_t addr, struct bcc_symbol *sym, bool demangle = true) override; diff --git a/tests/cc/test_c_api.cc b/tests/cc/test_c_api.cc index 8b96c649b..e3744be4e 100644 --- a/tests/cc/test_c_api.cc +++ b/tests/cc/test_c_api.cc @@ -67,7 +67,7 @@ TEST_CASE("binary resolution with `which`", "[c_api]") { free(ld); } -static void _test_ksym(const char *sym, uint64_t addr, void *_) { +static void _test_ksym(const char *sym, const char *mod, uint64_t addr, void *_) { if (!strcmp(sym, "startup_64")) REQUIRE(addr != 0x0ull); } From 1a47a9a5085188398dd5a03f5d3c438c1ddb0af5 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Tue, 23 Jul 2019 14:57:38 -0700 Subject: [PATCH 083/228] sync with latest libbpf sync with latest libbpf (v0.0.4 tag) Signed-off-by: Yonghong Song --- src/cc/libbpf | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/cc/libbpf b/src/cc/libbpf index 45ad86260..550aa56dd 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 45ad8626010b384306bc277c46a4107f21414b22 +Subproject commit 550aa56dd497ac894f2d1f60ed6aac3481de1804 From 6af649a9a1939b9bbda7f410dd115c06f89dcf14 Mon Sep 17 00:00:00 2001 From: Jerome Marchand Date: Mon, 29 Jul 2019 16:09:59 +0200 Subject: [PATCH 084/228] tools: fix printb usage in solisten Since its conversion to printb, solisten has suffers from yet another python2/3 bytes/str issue: Traceback (most recent call last): File "_ctypes/callbacks.c", line 234, in 'calling callback function' File "/usr/lib/python3.6/site-packages/bcc/table.py", line 581, in raw_cb_ callback(cpu, data, size) File "/usr/share/bcc/tools/solisten", line 176, in print_event event.lport, address, TypeError: %b requires a bytes-like object, or an object that implements __bytes__, not 'str' This patch fix the issue on python3. The tools still works on python2. --- tools/solisten.py | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/tools/solisten.py b/tools/solisten.py index f2a0a342a..1fbcb4037 100755 --- a/tools/solisten.py +++ b/tools/solisten.py @@ -151,14 +151,14 @@ def print_event(cpu, data, size): # Display if show_netns: - printb(b"%-6d %-12.12s %-12s %-6s %-8s %-5s %-39s" % ( - pid, event.task, event.netns, protocol, event.backlog, - event.lport, address, + printb(b"%-6d %-12.12s %-12d %-6s %-8d %-5d %-39s" % ( + pid, event.task, event.netns, protocol.encode(), event.backlog, + event.lport, address.encode(), )) else: - printb(b"%-6d %-12.12s %-6s %-8s %-5s %-39s" % ( - pid, event.task, protocol, event.backlog, - event.lport, address, + printb(b"%-6d %-12.12s %-6s %-8d %-5d %-39s" % ( + pid, event.task, protocol.encode(), event.backlog, + event.lport, address.encode(), )) return print_event From 237a4b46567c75834476beadfb76b7c5d5b97877 Mon Sep 17 00:00:00 2001 From: Daniel Xu Date: Tue, 30 Jul 2019 13:40:48 -0700 Subject: [PATCH 085/228] Turn on lazy symbolize by default This turns on lazy symbolization by default. Symbol names will be resolved the first time they're requested and then cached for future access. This can reduce bcc memory usage by quite a bit in certain workloads. --- examples/cpp/pyperf/PyPerfUtil.cc | 2 +- src/cc/api/BPFTable.cc | 4 ++-- src/cc/bcc_syms.cc | 8 ++++---- src/cc/usdt/usdt_args.cc | 2 +- 4 files changed, 8 insertions(+), 8 deletions(-) diff --git a/examples/cpp/pyperf/PyPerfUtil.cc b/examples/cpp/pyperf/PyPerfUtil.cc index 4dba39227..84af18408 100644 --- a/examples/cpp/pyperf/PyPerfUtil.cc +++ b/examples/cpp/pyperf/PyPerfUtil.cc @@ -142,7 +142,7 @@ bool getAddrOfPythonBinary(const std::string& path, PidData& data) { struct bcc_symbol_option option = {.use_debug_file = 0, .check_debug_file_crc = 0, - .lazy_symbolize = 0, + .lazy_symbolize = 1, .use_symbol_type = (1 << STT_OBJECT)}; bcc_elf_foreach_sym(path.c_str(), &getAddrOfPythonBinaryCallback, &option, diff --git a/src/cc/api/BPFTable.cc b/src/cc/api/BPFTable.cc index 7031add1e..54c23ad1f 100644 --- a/src/cc/api/BPFTable.cc +++ b/src/cc/api/BPFTable.cc @@ -257,7 +257,7 @@ BPFStackTable::BPFStackTable(const TableDesc& desc, bool use_debug_file, symbol_option_ = {.use_debug_file = use_debug_file, .check_debug_file_crc = check_debug_file_crc, - .lazy_symbolize = 0, + .lazy_symbolize = 1, .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC)}; } @@ -328,7 +328,7 @@ BPFStackBuildIdTable::BPFStackBuildIdTable(const TableDesc& desc, bool use_debug symbol_option_ = {.use_debug_file = use_debug_file, .check_debug_file_crc = check_debug_file_crc, - .lazy_symbolize = 0, + .lazy_symbolize = 1, .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC)}; } diff --git a/src/cc/bcc_syms.cc b/src/cc/bcc_syms.cc index 95ec8bad3..45d3f2c53 100644 --- a/src/cc/bcc_syms.cc +++ b/src/cc/bcc_syms.cc @@ -110,7 +110,7 @@ ProcSyms::ProcSyms(int pid, struct bcc_symbol_option *option) symbol_option_ = { .use_debug_file = 1, .check_debug_file_crc = 1, - .lazy_symbolize = 0, + .lazy_symbolize = 1, .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC) }; load_modules(); @@ -435,7 +435,7 @@ bool BuildSyms::Module::load_sym_table() symbol_option_ = { .use_debug_file = 1, .check_debug_file_crc = 1, - .lazy_symbolize = 0, + .lazy_symbolize = 1, .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC) }; @@ -671,7 +671,7 @@ int bcc_foreach_function_symbol(const char *module, SYM_CB cb) { static struct bcc_symbol_option default_option = { .use_debug_file = 1, .check_debug_file_crc = 1, - .lazy_symbolize = 0, + .lazy_symbolize = 1, .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC) }; @@ -710,7 +710,7 @@ int bcc_resolve_symname(const char *module, const char *symname, static struct bcc_symbol_option default_option = { .use_debug_file = 1, .check_debug_file_crc = 1, - .lazy_symbolize = 0, + .lazy_symbolize = 1, #if defined(__powerpc64__) && __BYTE_ORDER__ == __ORDER_LITTLE_ENDIAN__ .use_symbol_type = BCC_SYM_ALL_TYPES | (1 << STT_PPC64LE_SYM_LEP), #else diff --git a/src/cc/usdt/usdt_args.cc b/src/cc/usdt/usdt_args.cc index 4cd46dd90..a6a04b9a4 100644 --- a/src/cc/usdt/usdt_args.cc +++ b/src/cc/usdt/usdt_args.cc @@ -39,7 +39,7 @@ bool Argument::get_global_address(uint64_t *address, const std::string &binpath, static struct bcc_symbol_option default_option = { .use_debug_file = 1, .check_debug_file_crc = 1, - .lazy_symbolize = 0, + .lazy_symbolize = 1, .use_symbol_type = BCC_SYM_ALL_TYPES }; return ProcSyms(*pid, &default_option) From 9518a5b74105a16f5c3ad3d7e0f717b153965f6e Mon Sep 17 00:00:00 2001 From: Xiaozhou Liu Date: Fri, 2 Aug 2019 01:13:53 +0800 Subject: [PATCH 086/228] tools/tcpconnect: add option -c to count connects Add -c to count all active connections per dest ip/port so we can easily spot the heavy outbound connection attempts. # ./tcpconnect.py -c Tracing connect ... Hit Ctrl-C to end ^C LADDR RADDR RPORT CONNECTS 192.168.10.50 172.217.21.194 443 70 192.168.10.50 172.213.11.195 443 34 192.168.10.50 172.212.22.194 443 21 [...] --- man/man8/tcpconnect.8 | 16 +++- tools/tcpconnect.py | 153 ++++++++++++++++++++++++++--------- tools/tcpconnect_example.txt | 28 +++++-- 3 files changed, 150 insertions(+), 47 deletions(-) diff --git a/man/man8/tcpconnect.8 b/man/man8/tcpconnect.8 index 60de372ce..9bf44e9c9 100644 --- a/man/man8/tcpconnect.8 +++ b/man/man8/tcpconnect.8 @@ -2,7 +2,7 @@ .SH NAME tcpconnect \- Trace TCP active connections (connect()). Uses Linux eBPF/bcc. .SH SYNOPSIS -.B tcpconnect [\-h] [\-t] [\-x] [\-p PID] [-P PORT] +.B tcpconnect [\-h] [\-c] [\-t] [\-x] [\-p PID] [-P PORT] .SH DESCRIPTION This tool traces active TCP connections (eg, via a connect() syscall; accept() are passive connections). This can be useful for general @@ -25,6 +25,9 @@ Print usage message. \-t Include a timestamp column. .TP +\-c +Count connects per src ip and dest ip/port. +.TP \-p PID Trace this process ID only (filtered in-kernel). .TP @@ -53,16 +56,18 @@ Trace PID 181 only: Trace ports 80 and 81 only: # .B tcpconnect \-P 80,81 -.SH FIELDS .TP Trace all TCP connects, and include UID: # .B tcpconnect \-U -.SH FIELDS .TP Trace UID 1000 only: # .B tcpconnect \-u 1000 +.TP +Count connects per src ip and dest ip/port: +# +.B tcpconnect \-c .SH FIELDS .TP TIME(s) @@ -88,11 +93,14 @@ Destination IP address. .TP DPORT Destination port +.TP +CONNECTS +Accumulated active connections since start. .SH OVERHEAD This traces the kernel tcp_v[46]_connect functions and prints output for each event. As the rate of this is generally expected to be low (< 1000/s), the overhead is also expected to be negligible. If you have an application that -is calling a high rate of connects()s, such as a proxy server, then test and +is calling a high rate of connect()s, such as a proxy server, then test and understand this overhead before use. .SH SOURCE This is from bcc. diff --git a/tools/tcpconnect.py b/tools/tcpconnect.py index cb3e83b48..eb12667eb 100755 --- a/tools/tcpconnect.py +++ b/tools/tcpconnect.py @@ -4,7 +4,7 @@ # tcpconnect Trace TCP connect()s. # For Linux, uses BCC, eBPF. Embedded C. # -# USAGE: tcpconnect [-h] [-t] [-p PID] [-P PORT [PORT ...]] +# USAGE: tcpconnect [-h] [-c] [-t] [-p PID] [-P PORT [PORT ...]] # # All connection attempts are traced, even if they ultimately fail. # @@ -17,6 +17,7 @@ # 25-Sep-2015 Brendan Gregg Created this. # 14-Feb-2016 " " Switch to bpf_perf_output. # 09-Jan-2019 Takuma Kume Support filtering by UID +# 30-Jul-2019 Xiaozhou Liu Count connects. from __future__ import print_function from bcc import BPF @@ -24,6 +25,7 @@ import argparse from socket import inet_ntop, ntohs, AF_INET, AF_INET6 from struct import pack +from time import sleep # arguments examples = """examples: @@ -34,6 +36,7 @@ ./tcpconnect -P 80,81 # only trace port 80 and 81 ./tcpconnect -U # include UID ./tcpconnect -u 1000 # only trace UID 1000 + ./tcpconnect -c # count connects per src ip and dest ip/port """ parser = argparse.ArgumentParser( description="Trace TCP connects", @@ -49,6 +52,8 @@ help="include UID on output") parser.add_argument("-u", "--uid", help="trace this UID only") +parser.add_argument("-c", "--count", action="store_true", + help="count connects per src ip and dest ip/port") parser.add_argument("--ebpf", action="store_true", help=argparse.SUPPRESS) args = parser.parse_args() @@ -87,6 +92,21 @@ }; BPF_PERF_OUTPUT(ipv6_events); +// separate flow keys per address family +struct ipv4_flow_key_t { + u32 saddr; + u32 daddr; + u16 dport; +}; +BPF_HASH(ipv4_count, struct ipv4_flow_key_t); + +struct ipv6_flow_key_t { + unsigned __int128 saddr; + unsigned __int128 daddr; + u16 dport; +}; +BPF_HASH(ipv6_count, struct ipv6_flow_key_t); + int trace_connect_entry(struct pt_regs *ctx, struct sock *sk) { u64 pid_tgid = bpf_get_current_pid_tgid(); @@ -130,26 +150,9 @@ FILTER_PORT if (ipver == 4) { - struct ipv4_data_t data4 = {.pid = pid, .ip = ipver}; - data4.uid = bpf_get_current_uid_gid(); - data4.ts_us = bpf_ktime_get_ns() / 1000; - data4.saddr = skp->__sk_common.skc_rcv_saddr; - data4.daddr = skp->__sk_common.skc_daddr; - data4.dport = ntohs(dport); - bpf_get_current_comm(&data4.task, sizeof(data4.task)); - ipv4_events.perf_submit(ctx, &data4, sizeof(data4)); - + IPV4_CODE } else /* 6 */ { - struct ipv6_data_t data6 = {.pid = pid, .ip = ipver}; - data6.uid = bpf_get_current_uid_gid(); - data6.ts_us = bpf_ktime_get_ns() / 1000; - bpf_probe_read(&data6.saddr, sizeof(data6.saddr), - skp->__sk_common.skc_v6_rcv_saddr.in6_u.u6_addr32); - bpf_probe_read(&data6.daddr, sizeof(data6.daddr), - skp->__sk_common.skc_v6_daddr.in6_u.u6_addr32); - data6.dport = ntohs(dport); - bpf_get_current_comm(&data6.task, sizeof(data6.task)); - ipv6_events.perf_submit(ctx, &data6, sizeof(data6)); + IPV6_CODE } currsock.delete(&tid); @@ -168,7 +171,58 @@ } """ +struct_init = { 'ipv4': + { 'count' : + """ + struct ipv4_flow_key_t flow_key = {}; + flow_key.saddr = skp->__sk_common.skc_rcv_saddr; + flow_key.daddr = skp->__sk_common.skc_daddr; + flow_key.dport = ntohs(dport); + ipv4_count.increment(flow_key);""", + 'trace' : + """ + struct ipv4_data_t data4 = {.pid = pid, .ip = ipver}; + data4.uid = bpf_get_current_uid_gid(); + data4.ts_us = bpf_ktime_get_ns() / 1000; + data4.saddr = skp->__sk_common.skc_rcv_saddr; + data4.daddr = skp->__sk_common.skc_daddr; + data4.dport = ntohs(dport); + bpf_get_current_comm(&data4.task, sizeof(data4.task)); + ipv4_events.perf_submit(ctx, &data4, sizeof(data4));""" + }, + 'ipv6': + { 'count' : + """ + struct ipv6_flow_key_t flow_key = {}; + bpf_probe_read(&flow_key.saddr, sizeof(flow_key.saddr), + skp->__sk_common.skc_v6_rcv_saddr.in6_u.u6_addr32); + bpf_probe_read(&flow_key.daddr, sizeof(flow_key.daddr), + skp->__sk_common.skc_v6_daddr.in6_u.u6_addr32); + flow_key.dport = ntohs(dport); + ipv6_count.increment(flow_key);""", + 'trace' : + """ + struct ipv6_data_t data6 = {.pid = pid, .ip = ipver}; + data6.uid = bpf_get_current_uid_gid(); + data6.ts_us = bpf_ktime_get_ns() / 1000; + bpf_probe_read(&data6.saddr, sizeof(data6.saddr), + skp->__sk_common.skc_v6_rcv_saddr.in6_u.u6_addr32); + bpf_probe_read(&data6.daddr, sizeof(data6.daddr), + skp->__sk_common.skc_v6_daddr.in6_u.u6_addr32); + data6.dport = ntohs(dport); + bpf_get_current_comm(&data6.task, sizeof(data6.task)); + ipv6_events.perf_submit(ctx, &data6, sizeof(data6));""" + } + } + # code substitutions +if args.count: + bpf_text = bpf_text.replace("IPV4_CODE", struct_init['ipv4']['count']) + bpf_text = bpf_text.replace("IPV6_CODE", struct_init['ipv6']['count']) +else: + bpf_text = bpf_text.replace("IPV4_CODE", struct_init['ipv4']['trace']) + bpf_text = bpf_text.replace("IPV6_CODE", struct_init['ipv6']['trace']) + if args.pid: bpf_text = bpf_text.replace('FILTER_PID', 'if (pid != %s) { return 0; }' % args.pid) @@ -219,6 +273,18 @@ def print_ipv6_event(cpu, data, size): inet_ntop(AF_INET6, event.saddr).encode(), inet_ntop(AF_INET6, event.daddr).encode(), event.dport)) +def depict_cnt(counts_tab, l3prot='ipv4'): + for k, v in sorted(counts_tab.items(), key=lambda counts: counts[1].value, reverse=True): + depict_key = "" + if l3prot == 'ipv4': + depict_key = "%-25s %-25s %-20s" % ((inet_ntop(AF_INET, pack('I', k.saddr))), + inet_ntop(AF_INET, pack('I', k.daddr)), k.dport) + else: + depict_key = "%-25s %-25s %-20s" % ((inet_ntop(AF_INET6, k.saddr)), + inet_ntop(AF_INET6, k.daddr), k.dport) + + print ("%s %-10d" % (depict_key, v.value)) + # initialize BPF b = BPF(text=bpf_text) b.attach_kprobe(event="tcp_v4_connect", fn_name="trace_connect_entry") @@ -226,21 +292,36 @@ def print_ipv6_event(cpu, data, size): b.attach_kretprobe(event="tcp_v4_connect", fn_name="trace_connect_v4_return") b.attach_kretprobe(event="tcp_v6_connect", fn_name="trace_connect_v6_return") -# header -if args.timestamp: - print("%-9s" % ("TIME(s)"), end="") -if args.print_uid: - print("%-6s" % ("UID"), end="") -print("%-6s %-12s %-2s %-16s %-16s %-4s" % ("PID", "COMM", "IP", "SADDR", - "DADDR", "DPORT")) - -start_ts = 0 - -# read events -b["ipv4_events"].open_perf_buffer(print_ipv4_event) -b["ipv6_events"].open_perf_buffer(print_ipv6_event) -while 1: +print("Tracing connect ... Hit Ctrl-C to end") +if args.count: try: - b.perf_buffer_poll() + while 1: + sleep(99999999) except KeyboardInterrupt: - exit() + pass + + # header + print("\n%-25s %-25s %-20s %-10s" % ( + "LADDR", "RADDR", "RPORT", "CONNECTS")) + depict_cnt(b["ipv4_count"]) + depict_cnt(b["ipv6_count"], l3prot='ipv6') +# read events +else: + # header + if args.timestamp: + print("%-9s" % ("TIME(s)"), end="") + if args.print_uid: + print("%-6s" % ("UID"), end="") + print("%-6s %-12s %-2s %-16s %-16s %-4s" % ("PID", "COMM", "IP", "SADDR", + "DADDR", "DPORT")) + + start_ts = 0 + + # read events + b["ipv4_events"].open_perf_buffer(print_ipv4_event) + b["ipv6_events"].open_perf_buffer(print_ipv6_event) + while 1: + try: + b.perf_buffer_poll() + except KeyboardInterrupt: + exit() diff --git a/tools/tcpconnect_example.txt b/tools/tcpconnect_example.txt index 15f6e712e..e88701e02 100644 --- a/tools/tcpconnect_example.txt +++ b/tools/tcpconnect_example.txt @@ -55,22 +55,35 @@ UID PID COMM IP SADDR DADDR DPORT 1000 31338 telnet 6 ::1 ::1 23 1000 31338 telnet 4 127.0.0.1 127.0.0.1 23 +To spot heavy outbound connections quickly one can use the -c flag. It will +count all active connections per source ip and destination ip/port. + +# ./tcpconnect.py -c +Tracing connect ... Hit Ctrl-C to end +^C +LADDR RADDR RPORT CONNECTS +192.168.10.50 172.217.21.194 443 70 +192.168.10.50 172.213.11.195 443 34 +192.168.10.50 172.212.22.194 443 21 +[...] + USAGE message: # ./tcpconnect -h -usage: tcpconnect [-h] [-t] [-p PID] [-P PORT] +usage: tcpconnect [-h] [-c] [-t] [-p PID] [-P PORT] Trace TCP connects optional arguments: - -h, --help show this help message and exit - -t, --timestamp include timestamp on output - -p PID, --pid PID trace this PID only + -h, --help show this help message and exit + -t, --timestamp include timestamp on output + -p PID, --pid PID trace this PID only -P PORT, --port PORT - comma-separated list of destination ports to trace. - -U, --print-uid include UID on output - -u UID, --uid UID trace this UID only + comma-separated list of destination ports to trace. + -U, --print-uid include UID on output + -u UID, --uid UID trace this UID only + -c, --count count connects per src ip and dest ip/port examples: ./tcpconnect # trace all TCP connect()s @@ -80,3 +93,4 @@ examples: ./tcpconnect -P 80,81 # only trace port 80 and 81 ./tcpconnect -U # include UID ./tcpconnect -u 1000 # only trace UID 1000 + ./tcpconnect -c # count connects per src ip and dest ip/port From 56ba6fde05240e220b359d8e03ec7f97893440ee Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Thu, 1 Aug 2019 16:41:23 -0700 Subject: [PATCH 087/228] sync to latest libbpf The latest libbpf includes a few bug fixes since last time update. Signed-off-by: Yonghong Song --- src/cc/libbpf | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/cc/libbpf b/src/cc/libbpf index 550aa56dd..2c9394f2a 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 550aa56dd497ac894f2d1f60ed6aac3481de1804 +Subproject commit 2c9394f2a3af77e7ee41e00beb69e59a7e86e732 From 910ddaf1dbc25e1ba1006e7bdf8390042c717732 Mon Sep 17 00:00:00 2001 From: Romain Naour Date: Fri, 7 Dec 2018 22:36:21 +0100 Subject: [PATCH 088/228] CMake: Allow to disable building man pages Avoid building man pages when it's not necessary (i.e when building for an embedded system). Signed-off-by: Romain Naour --- CMakeLists.txt | 3 +++ 1 file changed, 3 insertions(+) diff --git a/CMakeLists.txt b/CMakeLists.txt index 94aac856e..61d9ac982 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -27,6 +27,7 @@ option(ENABLE_RTTI "Enable compiling with real time type information" OFF) option(ENABLE_LLVM_SHARED "Enable linking LLVM as a shared library" OFF) option(ENABLE_CLANG_JIT "Enable Loading BPF through Clang Frontend" ON) option(ENABLE_USDT "Enable User-level Statically Defined Tracing" ON) +option(ENABLE_MAN "Build man pages" ON) CMAKE_DEPENDENT_OPTION(ENABLE_CPP_API "Enable C++ API" ON "ENABLE_USDT" OFF) set(CMAKE_MODULE_PATH ${CMAKE_MODULE_PATH} ${CMAKE_CURRENT_SOURCE_DIR}/cmake) @@ -96,7 +97,9 @@ add_subdirectory(src) add_subdirectory(introspection) if(ENABLE_CLANG_JIT) add_subdirectory(examples) +if(ENABLE_MAN) add_subdirectory(man) +endif(ENABLE_MAN) add_subdirectory(tests) add_subdirectory(tools) endif(ENABLE_CLANG_JIT) From 0206fc4e3568eab6cacfc1d5916258a9ba764f5d Mon Sep 17 00:00:00 2001 From: Jerome Marchand Date: Mon, 5 Aug 2019 15:29:22 +0200 Subject: [PATCH 089/228] tools: fix vfscount output when no duration is specified Since commit a2e71a9eb71a ("vfscount.py: add args time (#2344)"), vfscount does not show any output when it is interrupted by a key press, which is the only way out when no time limit is specified. I assume the exit() that has been added in the keyboard interrupt handler is there so that no output is displayed when the program has been interrupted early when a time limit has been specified. But since the tool still invite the user to use Ctrl-C to end the tracing in that case, it seems more consistent to show an output in that case too. This patch removes the exit() and the tools always show a result at the end. It also adds the duration argument to the synopsis and the option section in the man page. --- man/man8/vfscount.8 | 6 +++++- tools/vfscount.py | 1 - 2 files changed, 5 insertions(+), 2 deletions(-) diff --git a/man/man8/vfscount.8 b/man/man8/vfscount.8 index fbf0e89ec..febbc9e6a 100644 --- a/man/man8/vfscount.8 +++ b/man/man8/vfscount.8 @@ -2,7 +2,7 @@ .SH NAME vfscount \- Count VFS calls ("vfs_*"). Uses Linux eBPF/bcc. .SH SYNOPSIS -.B vfscount +.B vfscount [duration] .SH DESCRIPTION This counts VFS calls. This can be useful for general workload characterization of these operations. @@ -14,6 +14,10 @@ Edit the script to customize which functions to trace. Since this uses BPF, only the root user can use this tool. .SH REQUIREMENTS CONFIG_BPF and bcc. +.SH OPTIONS +.TP +duration +duration of the trace in seconds. .SH EXAMPLES .TP Count some VFS calls until Ctrl-C is hit: diff --git a/tools/vfscount.py b/tools/vfscount.py index b7c18efd4..303d3fdea 100755 --- a/tools/vfscount.py +++ b/tools/vfscount.py @@ -54,7 +54,6 @@ def usage(): sleep(interval) except KeyboardInterrupt: pass - exit() print("\n%-16s %-26s %8s" % ("ADDR", "FUNC", "COUNT")) counts = b.get_table("counts") From 68b8d3017c296d3c266e540f27ea5cf04c6c0f72 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Micha=C5=82=20Gregorczyk?= Date: Sun, 4 Aug 2019 22:08:21 -0400 Subject: [PATCH 090/228] Support perf's symfs mechanism for debuginfo lookup. Symfs is a file path prefix that needs to be prepended to full path of a library to compute location of corresponding debuginfo. It will allow bcc users to provide debug symbols if only they can write to at least one directory. Nothing else needs to be assumed regarding the system bcc runs on. My intention is to make debuginfo lookup work on Android in one form or another. None of the gdb rules works out of the box: - native libraries are often managed by Android apps themselves and uncompressed by apps into private directories. Sideloading debuginfo into those directories might be not feasible. What's more it's desirable to remove data like debuglink from release builds of mobile apps. At the same time those builds are the most interesting ones to investigate with bcc. - there is no /usr directory on Android, so there is no /usr/lib/debug/. It could be created with some effort, but symfs is much more convenient and already used when profiling with simpleperf (fork of perf for Android). --- src/cc/bcc_elf.c | 60 ++++++++++++++++++++++++++++++++++++++++++++---- 1 file changed, 56 insertions(+), 4 deletions(-) diff --git a/src/cc/bcc_elf.c b/src/cc/bcc_elf.c index 65e0e53c2..584257199 100644 --- a/src/cc/bcc_elf.c +++ b/src/cc/bcc_elf.c @@ -546,6 +546,54 @@ static char *find_debug_via_buildid(Elf *e) { return NULL; } +static char *find_debug_via_symfs(Elf *e, const char* path) { + char fullpath[PATH_MAX]; + char buildid[128]; + char symfs_buildid[128]; + int check_build_id; + char *symfs; + Elf *symfs_e = NULL; + int symfs_fd = -1; + char *result = NULL; + + symfs = getenv("BCC_SYMFS"); + if (!symfs || !*symfs) + goto out; + + check_build_id = find_buildid(e, buildid); + + snprintf(fullpath, sizeof(fullpath), "%s/%s", symfs, path); + if (access(fullpath, F_OK) == -1) + goto out; + + if (openelf(fullpath, &symfs_e, &symfs_fd) < 0) { + symfs_e = NULL; + symfs_fd = -1; + goto out; + } + + if (check_build_id) { + if (!find_buildid(symfs_e, symfs_buildid)) + goto out; + + if (strncmp(buildid, symfs_buildid, sizeof(buildid))) + goto out; + } + + result = strdup(fullpath); + +out: + if (symfs_e) { + elf_end(symfs_e); + } + + if (symfs_fd != -1) { + close(symfs_fd); + } + + return result; +} + static int foreach_sym_core(const char *path, bcc_elf_symcb callback, bcc_elf_symcb_lazy callback_lazy, struct bcc_symbol_option *option, void *payload, @@ -561,13 +609,17 @@ static int foreach_sym_core(const char *path, bcc_elf_symcb callback, return -1; // If there is a separate debuginfo file, try to locate and read it, first - // using the build-id section, then using the debuglink section. These are - // also the rules that GDB folows. - // See: https://sourceware.org/gdb/onlinedocs/gdb/Separate-Debug-Files.html + // using symfs, then using the build-id section, finally using the debuglink + // section. These rules are what perf and gdb follow. + // See: + // - https://github.com/torvalds/linux/blob/v5.2/tools/perf/Documentation/perf-report.txt#L325 + // - https://sourceware.org/gdb/onlinedocs/gdb/Separate-Debug-Files.html if (option->use_debug_file && !is_debug_file) { // The is_debug_file argument helps avoid infinitely resolving debuginfo // files for debuginfo files and so on. - debug_file = find_debug_via_buildid(e); + debug_file = find_debug_via_symfs(e, path); + if (!debug_file) + debug_file = find_debug_via_buildid(e); if (!debug_file) debug_file = find_debug_via_debuglink(e, path, option->check_debug_file_crc); From 33c9c571057b75ec979cc74121a0d3cb3a19be1b Mon Sep 17 00:00:00 2001 From: Jerome Marchand Date: Mon, 29 Jul 2019 15:57:03 +0200 Subject: [PATCH 091/228] man: fixes some man pages In the man pages of tcplife and tcpstates, the name of the field for the remote port and address (DPORT, DADDR) differs from the tool itself (RPORT, RADDR). This patch fix the man pages. The man page of tcpdrop mentions options that do not exists. This patch fix that. It also fix the comment at the head of the code that too mentions inexistents options. The man pages for solisten and sofdsnoop are missing. This patch adds them. The deadlock_detector tools has been rename simply deadlock, but its manpage is still named deadlock_detector although its content has been updated. This patch rename the manpage. --- man/man8/{deadlock_detector.8 => deadlock.8} | 0 man/man8/sofdsnoop.8 | 62 ++++++++++++++++++++ man/man8/solisten.8 | 49 ++++++++++++++++ man/man8/tcpdrop.8 | 2 +- man/man8/tcplife.8 | 6 +- man/man8/tcpstates.8 | 6 +- tools/sofdsnoop.py | 2 +- tools/sofdsnoop_example.txt | 2 +- tools/solisten.py | 4 +- tools/tcpdrop.py | 2 +- 10 files changed, 123 insertions(+), 12 deletions(-) rename man/man8/{deadlock_detector.8 => deadlock.8} (100%) create mode 100644 man/man8/sofdsnoop.8 create mode 100644 man/man8/solisten.8 diff --git a/man/man8/deadlock_detector.8 b/man/man8/deadlock.8 similarity index 100% rename from man/man8/deadlock_detector.8 rename to man/man8/deadlock.8 diff --git a/man/man8/sofdsnoop.8 b/man/man8/sofdsnoop.8 new file mode 100644 index 000000000..cd3ffa271 --- /dev/null +++ b/man/man8/sofdsnoop.8 @@ -0,0 +1,62 @@ +.TH SOFDSNOOP 8 "2019-07-29" "USER COMMANDS" +.SH NAME +sofdsnoop \- traces FDs passed by sockets +.SH SYNOPSIS +usage: sofdsnoop [\-h] [\-T] [\-p PID] [\-t TID] [\-n NAME] [\-d DURATION] +.SH DESCRIPTION +Trace file descriptors passed via socket +.SS "optional arguments:" +.TP +\fB\-h\fR, \fB\-\-help\fR +show this help message and exit +.TP +\fB\-T\fR, \fB\-\-timestamp\fR +include timestamp on output +.TP +\fB\-p\fR PID, \fB\-\-pid\fR PID +trace this PID only +.TP +\fB\-t\fR TID, \fB\-\-tid\fR TID +trace this TID only +.TP +\fB\-n\fR NAME, \fB\-\-name\fR NAME +only print process names containing this name +.TP +\fB\-d\fR DURATION, \fB\-\-duration\fR DURATION +total duration of trace in seconds +.SH EXAMPLES +.TP +Trace passed file descriptors +# +.B sofdsnoop +.TP +Include timestamps +# +.B sofdsnoop \fB\-T\fR +.TP +Only trace PID 181 +# +.B sofdsnoop \fB\-p\fR 181 +.TP +Only trace TID 123 +# +.B sofdsnoop \fB\-t\fR 123 +.TP +Trace for 10 seconds only +# +.B sofdsnoop \fB\-d\fR 10 +.TP +Only print process names containing "main" +# +.B sofdsnoop \fB\-n\fR main +.SH SOURCE +This is from bcc. +.IP +https://github.com/iovisor/bcc +.PP +Also look in the bcc distribution for a companion _examples.txt file containing +example usage, output, and commentary for this tool. +.SH OS +Linux +.SH STABILITY +Unstable - in development. diff --git a/man/man8/solisten.8 b/man/man8/solisten.8 new file mode 100644 index 000000000..4d8ffe950 --- /dev/null +++ b/man/man8/solisten.8 @@ -0,0 +1,49 @@ +.TH SOLISTEN 8 "2019-07-29" "USER COMMANDS" +.SH NAME +solisten \- Trace listening socket +.SH SYNOPSIS +usage: solisten [\-h] [\-\-show\-netns] [\-p PID] [\-n NETNS] +.SH DESCRIPTION +All IPv4 and IPv6 listen attempts are traced, even if they ultimately +fail or the listening program is not willing to accept(). +.SS "optional arguments:" +.TP +\fB\-h\fR, \fB\-\-help\fR +show this help message and exit +.TP +\fB\-\-show\-netns\fR +show network namespace +.TP +\fB\-p\fR PID, \fB\-\-pid\fR PID +trace this PID only +.TP +\fB\-n\fR NETNS, \fB\-\-netns\fR NETNS +trace this Network Namespace only +.SH EXAMPLES +.TP +Stream socket listen: +# +.B solisten +.TP +Stream socket listen for specified PID only +# +.B solisten \-p 1234 +.TP +Stream socket listen for the specified network namespace ID only +# +.B solisten \-\-netns 4242 +.TP +Show network ns ID (useful for containers) +# +.B solisten \-\-show\-netns +.SH SOURCE +This is from bcc. +.IP +https://github.com/iovisor/bcc +.PP +Also look in the bcc distribution for a companion _examples.txt file containing +example usage, output, and commentary for this tool. +.SH OS +Linux +.SH STABILITY +Unstable - in development. diff --git a/man/man8/tcpdrop.8 b/man/man8/tcpdrop.8 index a21e885bb..12806472e 100644 --- a/man/man8/tcpdrop.8 +++ b/man/man8/tcpdrop.8 @@ -2,7 +2,7 @@ .SH NAME tcpdrop \- Trace kernel-based TCP packet drops with details. Uses Linux eBPF/bcc. .SH SYNOPSIS -.B tcpdrop [\-h] [\-T] [\-t] [\-w] [\-s] [\-p PID] [\-D PORTS] [\-L PORTS] +.B tcpdrop [\-h] .SH DESCRIPTION This tool traces TCP packets or segments that were dropped by the kernel, and shows details from the IP and TCP headers, the socket state, and the diff --git a/man/man8/tcplife.8 b/man/man8/tcplife.8 index f6b899167..a2419c61b 100644 --- a/man/man8/tcplife.8 +++ b/man/man8/tcplife.8 @@ -84,14 +84,14 @@ IP address family (4 or 6) LADDR Local IP address. .TP -DADDR +RADDR Remote IP address. .TP LPORT Local port. .TP -DPORT -Destination port. +RPORT +Remote port. .TP TX_KB Total transmitted Kbytes. diff --git a/man/man8/tcpstates.8 b/man/man8/tcpstates.8 index d78161bb7..26c7a8a1a 100644 --- a/man/man8/tcpstates.8 +++ b/man/man8/tcpstates.8 @@ -85,14 +85,14 @@ IP address family (4 or 6) LADDR Local IP address. .TP -DADDR +RADDR Remote IP address. .TP LPORT Local port. .TP -DPORT -Destination port. +RPORT +Remote port. .TP OLDSTATE Previous TCP state. diff --git a/tools/sofdsnoop.py b/tools/sofdsnoop.py index e0c1310bb..6df7fcadc 100755 --- a/tools/sofdsnoop.py +++ b/tools/sofdsnoop.py @@ -19,7 +19,7 @@ # arguments examples = """examples: - ./sofdsnoop # trace file descriptors passes + ./sofdsnoop # trace passed file descriptors ./sofdsnoop -T # include timestamps ./sofdsnoop -p 181 # only trace PID 181 ./sofdsnoop -t 123 # only trace TID 123 diff --git a/tools/sofdsnoop_example.txt b/tools/sofdsnoop_example.txt index 740a26fdf..92676199e 100644 --- a/tools/sofdsnoop_example.txt +++ b/tools/sofdsnoop_example.txt @@ -61,7 +61,7 @@ optional arguments: total duration of trace in seconds examples: - ./sofdsnoop # trace file descriptors passes + ./sofdsnoop # trace passed file descriptors ./sofdsnoop -T # include timestamps ./sofdsnoop -p 181 # only trace PID 181 ./sofdsnoop -t 123 # only trace TID 123 diff --git a/tools/solisten.py b/tools/solisten.py index f2a0a342a..ba8fcb89b 100755 --- a/tools/solisten.py +++ b/tools/solisten.py @@ -9,8 +9,8 @@ # It could be useful in scenarios where load balancers needs to be updated # dynamically as application is fully initialized. # -# All IPv4 listen attempts are traced, even if they ultimately fail or the -# the listening program is not willing to accept(). +# All IPv4 and IPv6 listen attempts are traced, even if they ultimately fail +# or the the listening program is not willing to accept(). # # Copyright (c) 2016 Jean-Tiare Le Bigot. # Licensed under the Apache License, Version 2.0 (the "License") diff --git a/tools/tcpdrop.py b/tools/tcpdrop.py index bf8634df6..14515f75e 100755 --- a/tools/tcpdrop.py +++ b/tools/tcpdrop.py @@ -7,7 +7,7 @@ # This provides information such as packet details, socket state, and kernel # stack trace for packets/segments that were dropped via tcp_drop(). # -# USAGE: tcpdrop [-c] [-h] [-l] +# USAGE: tcpdrop [-h] # # This uses dynamic tracing of kernel functions, and will need to be updated # to match kernel changes. From 89bb40a3d0773e4ea8bdebcf685d100d1ad102dd Mon Sep 17 00:00:00 2001 From: Yohei Ueda Date: Fri, 9 Aug 2019 14:12:21 +0900 Subject: [PATCH 092/228] offwaketime: Fix incorrect target and waker PIDs offwaketime reports target and waker PIDs inversely. This patch fixes this issue. Signed-off-by: Yohei Ueda --- tools/offwaketime.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tools/offwaketime.py b/tools/offwaketime.py index 4a1cebabd..b46e9e1b4 100755 --- a/tools/offwaketime.py +++ b/tools/offwaketime.py @@ -350,7 +350,7 @@ def signal_ignore(signal, frame): print("%s %d" % (";".join(line), v.value)) else: # print wakeup name then stack in reverse order - print(" %-16s %s %s" % ("waker:", k.waker.decode('utf-8', 'replace'), k.t_pid)) + print(" %-16s %s %s" % ("waker:", k.waker.decode('utf-8', 'replace'), k.w_pid)) if not args.kernel_stacks_only: if stack_id_err(k.w_u_stack_id): print(" [Missed User Stack]") @@ -383,7 +383,7 @@ def signal_ignore(signal, frame): else: for addr in target_user_stack: print(" %s" % b.sym(addr, k.t_tgid)) - print(" %-16s %s %s" % ("target:", k.target.decode('utf-8', 'replace'), k.w_pid)) + print(" %-16s %s %s" % ("target:", k.target.decode('utf-8', 'replace'), k.t_pid)) print(" %d\n" % v.value) if missing_stacks > 0: From 5ce16e478a98442b7687e9f5139c1cdb27051ce6 Mon Sep 17 00:00:00 2001 From: Dave Marchevsky Date: Thu, 15 Aug 2019 13:30:34 -0700 Subject: [PATCH 093/228] Don't prepend /proc/PID/root to user-supplied USDT binary paths starting with /proc already --- src/cc/usdt/usdt.cc | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/cc/usdt/usdt.cc b/src/cc/usdt/usdt.cc index b8c4b966d..0c02601ba 100644 --- a/src/cc/usdt/usdt.cc +++ b/src/cc/usdt/usdt.cc @@ -279,7 +279,7 @@ std::string Context::resolve_bin_path(const std::string &bin_path) { ::free(which_so); } - if (!result.empty() && pid_ && *pid_ != -1) { + if (!result.empty() && pid_ && *pid_ != -1 && result.find("/proc") != 0) { result = tfm::format("/proc/%d/root%s", *pid_, result); } From e102514589bfb2519dcd9345fd30868956f85275 Mon Sep 17 00:00:00 2001 From: SuperSix0 <34592509+SuperSix0@users.noreply.github.com> Date: Fri, 16 Aug 2019 20:39:56 +0800 Subject: [PATCH 094/228] Update reference_guide.md I think it should be attach_uretprobe rather than attach_uprobe. --- docs/reference_guide.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docs/reference_guide.md b/docs/reference_guide.md index de38597ab..64a07acf1 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -1146,8 +1146,8 @@ This will instrument ```strlen()``` function from libc, and call our BPF functio Other examples: ```Python -b.attach_uprobe(name="c", sym="getaddrinfo", fn_name="do_entry") -b.attach_uprobe(name="/usr/bin/python", sym="main", fn_name="do_main") +b.attach_uretprobe(name="c", sym="getaddrinfo", fn_name="do_return") +b.attach_uretprobe(name="/usr/bin/python", sym="main", fn_name="do_main") ``` You can call attach_uretprobe() more than once, and attach your BPF function to multiple user-level functions. From 2479fbf1d3bc62a3170b2b289a49fb19972078c3 Mon Sep 17 00:00:00 2001 From: SuperSix0 <34592509+SuperSix0@users.noreply.github.com> Date: Thu, 15 Aug 2019 19:48:33 +0800 Subject: [PATCH 095/228] Update mysqld_query.py store the query in query[128] and printk("%s\n",query) instead of printk("%s\n",addr) --- examples/tracing/mysqld_query.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/examples/tracing/mysqld_query.py b/examples/tracing/mysqld_query.py index 73c7f26f0..ace07150d 100755 --- a/examples/tracing/mysqld_query.py +++ b/examples/tracing/mysqld_query.py @@ -34,7 +34,8 @@ * see: https://dev.mysql.com/doc/refman/5.7/en/dba-dtrace-ref-query.html */ bpf_usdt_readarg(1, ctx, &addr); - bpf_trace_printk("%s\\n", addr); + bpf_probe_read(&query, sizeof(query), (void *)addr); + bpf_trace_printk("%s\\n", query); return 0; }; """ From 270d54ae18c589b352dad71f465cf7d439275e24 Mon Sep 17 00:00:00 2001 From: John O'Hara Date: Fri, 23 Aug 2019 16:37:07 +0100 Subject: [PATCH 096/228] =?UTF-8?q?Make=20number=20of=20stack=20traces=20c?= =?UTF-8?q?onfigurable=20from=20command=20line=20in=20example=E2=80=A6=20(?= =?UTF-8?q?#2500)?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Make number of stack traces configurable from command line in examples/tracing/mallocstacks.py --- examples/tracing/mallocstacks.py | 14 ++++++++++++-- 1 file changed, 12 insertions(+), 2 deletions(-) diff --git a/examples/tracing/mallocstacks.py b/examples/tracing/mallocstacks.py index 84b435e10..1d887e86d 100755 --- a/examples/tracing/mallocstacks.py +++ b/examples/tracing/mallocstacks.py @@ -17,16 +17,26 @@ import sys if len(sys.argv) < 2: - print("USAGE: mallocstacks PID") + print("USAGE: mallocstacks PID [NUM_STACKS=1024]") exit() pid = int(sys.argv[1]) +if len(sys.argv) == 3: + try: + assert int(sys.argv[2]) > 0, "" + except (ValueError, AssertionError) as e: + print("USAGE: mallocstacks PID [NUM_STACKS=1024]") + print("NUM_STACKS must be a non-zero, positive integer") + exit() + stacks = sys.argv[2] +else: + stacks = "1024" # load BPF program b = BPF(text=""" #include BPF_HASH(calls, int); -BPF_STACK_TRACE(stack_traces, 1024); +BPF_STACK_TRACE(stack_traces, """ + stacks + """); int alloc_enter(struct pt_regs *ctx, size_t size) { int key = stack_traces.get_stackid(ctx, From 496a2b17627918c7b836e3b5eff175002efc9263 Mon Sep 17 00:00:00 2001 From: Zwb Date: Sat, 31 Aug 2019 01:46:34 +0800 Subject: [PATCH 097/228] tcptop: Fix incorrect pid filter Fix incorrect pid filter in tcptop --- tools/tcptop.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tools/tcptop.py b/tools/tcptop.py index b6e26e186..5f09bed4f 100755 --- a/tools/tcptop.py +++ b/tools/tcptop.py @@ -97,7 +97,7 @@ def range_check(string): int kprobe__tcp_sendmsg(struct pt_regs *ctx, struct sock *sk, struct msghdr *msg, size_t size) { - u32 pid = bpf_get_current_pid_tgid(); + u32 pid = bpf_get_current_pid_tgid() >> 32; FILTER u16 dport = 0, family = sk->__sk_common.skc_family; @@ -134,7 +134,7 @@ def range_check(string): */ int kprobe__tcp_cleanup_rbuf(struct pt_regs *ctx, struct sock *sk, int copied) { - u32 pid = bpf_get_current_pid_tgid(); + u32 pid = bpf_get_current_pid_tgid() >> 32; FILTER u16 dport = 0, family = sk->__sk_common.skc_family; u64 *val, zero = 0; From d147588ebe35b7cd2b4d253a7da18bef253ea78d Mon Sep 17 00:00:00 2001 From: Paul Chaignon Date: Tue, 3 Sep 2019 18:05:01 +0200 Subject: [PATCH 098/228] Support for hardware offload (#2502) Support for hardware offload Update XDP example to support HW offload Signed-off-by: Paul Chaignon --- examples/networking/xdp/xdp_drop_count.py | 30 ++++++++++++++--------- src/cc/bcc_common.cc | 18 ++++++++------ src/cc/bcc_common.h | 11 ++++++--- src/cc/bpf_module.cc | 11 +++++++-- src/cc/bpf_module.h | 7 ++++-- src/python/bcc/__init__.py | 10 ++++---- src/python/bcc/libbcc.py | 7 +++--- tests/cc/test_static.c | 2 +- 8 files changed, 59 insertions(+), 37 deletions(-) diff --git a/examples/networking/xdp/xdp_drop_count.py b/examples/networking/xdp/xdp_drop_count.py index 9b228d43f..f03273e90 100755 --- a/examples/networking/xdp/xdp_drop_count.py +++ b/examples/networking/xdp/xdp_drop_count.py @@ -16,24 +16,29 @@ def usage(): print("Usage: {0} [-S] ".format(sys.argv[0])) print(" -S: use skb mode\n") + print(" -H: use hardware offload mode\n") print("e.g.: {0} eth0\n".format(sys.argv[0])) exit(1) if len(sys.argv) < 2 or len(sys.argv) > 3: usage() +offload_device = None if len(sys.argv) == 2: device = sys.argv[1] +elif len(sys.argv) == 3: + device = sys.argv[2] +maptype = "percpu_array" if len(sys.argv) == 3: if "-S" in sys.argv: # XDP_FLAGS_SKB_MODE - flags |= 2 << 0 - - if "-S" == sys.argv[1]: - device = sys.argv[2] - else: - device = sys.argv[1] + flags |= (1 << 1) + if "-H" in sys.argv: + # XDP_FLAGS_HW_MODE + maptype = "array" + offload_device = device + flags |= (1 << 3) mode = BPF.XDP #mode = BPF.SCHED_CLS @@ -56,8 +61,7 @@ def usage(): #include #include - -BPF_TABLE("percpu_array", uint32_t, long, dropcnt, 256); +BPF_TABLE(MAPTYPE, uint32_t, long, dropcnt, 256); static inline int parse_ipv4(void *data, u64 nh_off, void *data_end) { struct iphdr *iph = data + nh_off; @@ -119,13 +123,15 @@ def usage(): value = dropcnt.lookup(&index); if (value) - *value += 1; + __sync_fetch_and_add(value, 1); return rc; } -""", cflags=["-w", "-DRETURNCODE=%s" % ret, "-DCTXTYPE=%s" % ctxtype]) +""", cflags=["-w", "-DRETURNCODE=%s" % ret, "-DCTXTYPE=%s" % ctxtype, + "-DMAPTYPE=\"%s\"" % maptype], + device=offload_device) -fn = b.load_func("xdp_prog1", mode) +fn = b.load_func("xdp_prog1", mode, offload_device) if mode == BPF.XDP: b.attach_xdp(device, fn, flags) @@ -143,7 +149,7 @@ def usage(): while 1: try: for k in dropcnt.keys(): - val = dropcnt.sum(k).value + val = dropcnt[k].value if maptype == "array" else dropcnt.sum(k).value i = k.value if val: delta = val - prev[i] diff --git a/src/cc/bcc_common.cc b/src/cc/bcc_common.cc index 182281119..1ccd8d165 100644 --- a/src/cc/bcc_common.cc +++ b/src/cc/bcc_common.cc @@ -17,8 +17,9 @@ #include "bpf_module.h" extern "C" { -void * bpf_module_create_b(const char *filename, const char *proto_filename, unsigned flags) { - auto mod = new ebpf::BPFModule(flags); +void * bpf_module_create_b(const char *filename, const char *proto_filename, unsigned flags, + const char *dev_name) { + auto mod = new ebpf::BPFModule(flags, nullptr, true, "", true, dev_name); if (mod->load_b(filename, proto_filename) != 0) { delete mod; return nullptr; @@ -27,8 +28,8 @@ void * bpf_module_create_b(const char *filename, const char *proto_filename, uns } void * bpf_module_create_c(const char *filename, unsigned flags, const char *cflags[], - int ncflags, bool allow_rlimit) { - auto mod = new ebpf::BPFModule(flags, nullptr, true, "", allow_rlimit); + int ncflags, bool allow_rlimit, const char *dev_name) { + auto mod = new ebpf::BPFModule(flags, nullptr, true, "", allow_rlimit, dev_name); if (mod->load_c(filename, cflags, ncflags) != 0) { delete mod; return nullptr; @@ -37,8 +38,8 @@ void * bpf_module_create_c(const char *filename, unsigned flags, const char *cfl } void * bpf_module_create_c_from_string(const char *text, unsigned flags, const char *cflags[], - int ncflags, bool allow_rlimit) { - auto mod = new ebpf::BPFModule(flags, nullptr, true, "", allow_rlimit); + int ncflags, bool allow_rlimit, const char *dev_name) { + auto mod = new ebpf::BPFModule(flags, nullptr, true, "", allow_rlimit, dev_name); if (mod->load_string(text, cflags, ncflags) != 0) { delete mod; return nullptr; @@ -240,12 +241,13 @@ int bpf_table_leaf_sscanf(void *program, size_t id, const char *buf, void *leaf) int bcc_func_load(void *program, int prog_type, const char *name, const struct bpf_insn *insns, int prog_len, const char *license, unsigned kern_version, - int log_level, char *log_buf, unsigned log_buf_size) { + int log_level, char *log_buf, unsigned log_buf_size, + const char *dev_name) { auto mod = static_cast(program); if (!mod) return -1; return mod->bcc_func_load(prog_type, name, insns, prog_len, license, kern_version, log_level, - log_buf, log_buf_size); + log_buf, log_buf_size, dev_name); } diff --git a/src/cc/bcc_common.h b/src/cc/bcc_common.h index 2504ea237..4377523df 100644 --- a/src/cc/bcc_common.h +++ b/src/cc/bcc_common.h @@ -25,11 +25,13 @@ extern "C" { #endif -void * bpf_module_create_b(const char *filename, const char *proto_filename, unsigned flags); +void * bpf_module_create_b(const char *filename, const char *proto_filename, unsigned flags, + const char *dev_name); void * bpf_module_create_c(const char *filename, unsigned flags, const char *cflags[], int ncflags, - bool allow_rlimit); + bool allow_rlimit, const char *dev_name); void * bpf_module_create_c_from_string(const char *text, unsigned flags, const char *cflags[], - int ncflags, bool allow_rlimit); + int ncflags, bool allow_rlimit, + const char *dev_name); void bpf_module_destroy(void *program); char * bpf_module_license(void *program); unsigned bpf_module_kern_version(void *program); @@ -69,7 +71,8 @@ struct bpf_insn; int bcc_func_load(void *program, int prog_type, const char *name, const struct bpf_insn *insns, int prog_len, const char *license, unsigned kern_version, - int log_level, char *log_buf, unsigned log_buf_size); + int log_level, char *log_buf, unsigned log_buf_size, + const char *dev_name); #ifdef __cplusplus } diff --git a/src/cc/bpf_module.cc b/src/cc/bpf_module.cc index fe7820851..c27ce9c8d 100644 --- a/src/cc/bpf_module.cc +++ b/src/cc/bpf_module.cc @@ -20,6 +20,7 @@ #include #include #include +#include #include #include @@ -93,7 +94,8 @@ class MyMemoryManager : public SectionMemoryManager { }; BPFModule::BPFModule(unsigned flags, TableStorage *ts, bool rw_engine_enabled, - const std::string &maps_ns, bool allow_rlimit) + const std::string &maps_ns, bool allow_rlimit, + const char *dev_name) : flags_(flags), rw_engine_enabled_(rw_engine_enabled && bpf_module_rw_engine_enabled()), used_b_loader_(false), @@ -102,6 +104,7 @@ BPFModule::BPFModule(unsigned flags, TableStorage *ts, bool rw_engine_enabled, id_(std::to_string((uintptr_t)this)), maps_ns_(maps_ns), ts_(ts), btf_(nullptr) { + ifindex_ = dev_name ? if_nametoindex(dev_name) : 0; initialize_rw_engine(); LLVMInitializeBPFTarget(); LLVMInitializeBPFTargetMC(); @@ -338,6 +341,7 @@ int BPFModule::load_maps(sec_map_def §ions) { attr.value_size = value_size; attr.max_entries = max_entries; attr.map_flags = map_flags; + attr.map_ifindex = ifindex_; if (map_tids.find(map_name) != map_tids.end()) { attr.btf_fd = btf_->get_fd(); @@ -847,7 +851,8 @@ int BPFModule::load_string(const string &text, const char *cflags[], int ncflags int BPFModule::bcc_func_load(int prog_type, const char *name, const struct bpf_insn *insns, int prog_len, const char *license, unsigned kern_version, - int log_level, char *log_buf, unsigned log_buf_size) { + int log_level, char *log_buf, unsigned log_buf_size, + const char *dev_name) { struct bpf_load_program_attr attr = {}; unsigned func_info_cnt, line_info_cnt, finfo_rec_size, linfo_rec_size; void *func_info = NULL, *line_info = NULL; @@ -859,6 +864,8 @@ int BPFModule::bcc_func_load(int prog_type, const char *name, attr.license = license; attr.kern_version = kern_version; attr.log_level = log_level; + if (dev_name) + attr.prog_ifindex = if_nametoindex(dev_name); if (btf_) { int btf_fd = btf_->get_fd(); diff --git a/src/cc/bpf_module.h b/src/cc/bpf_module.h index 03e4f6d63..ee53bc5d5 100644 --- a/src/cc/bpf_module.h +++ b/src/cc/bpf_module.h @@ -91,7 +91,8 @@ class BPFModule { public: BPFModule(unsigned flags, TableStorage *ts = nullptr, bool rw_engine_enabled = true, - const std::string &maps_ns = "", bool allow_rlimit = true); + const std::string &maps_ns = "", bool allow_rlimit = true, + const char *dev_name = nullptr); ~BPFModule(); int free_bcc_memory(); int load_b(const std::string &filename, const std::string &proto_filename); @@ -138,7 +139,8 @@ class BPFModule { int bcc_func_load(int prog_type, const char *name, const struct bpf_insn *insns, int prog_len, const char *license, unsigned kern_version, - int log_level, char *log_buf, unsigned log_buf_size); + int log_level, char *log_buf, unsigned log_buf_size, + const char *dev_name = nullptr); size_t perf_event_fields(const char *) const; const char * perf_event_field(const char *, size_t i) const; @@ -168,6 +170,7 @@ class BPFModule { std::unique_ptr local_ts_; BTF *btf_; fake_fd_map_def fake_fd_map_; + unsigned int ifindex_; // map of events -- key: event name, value: event fields std::map> perf_events_; diff --git a/src/python/bcc/__init__.py b/src/python/bcc/__init__.py index 01230b714..03fcdcf68 100644 --- a/src/python/bcc/__init__.py +++ b/src/python/bcc/__init__.py @@ -276,7 +276,7 @@ def is_exe(fpath): return None def __init__(self, src_file=b"", hdr_file=b"", text=None, debug=0, - cflags=[], usdt_contexts=[], allow_rlimit=True): + cflags=[], usdt_contexts=[], allow_rlimit=True, device=None): """Create a new BPF module with the given source code. Note: @@ -319,7 +319,7 @@ def __init__(self, src_file=b"", hdr_file=b"", text=None, debug=0, # files that end in ".b" are treated as B files. Everything else is a (BPF-)C file if src_file.endswith(b".b"): - self.module = lib.bpf_module_create_b(src_file, hdr_file, self.debug) + self.module = lib.bpf_module_create_b(src_file, hdr_file, self.debug, device) else: if src_file: # Read the BPF C source file into the text variable. This ensures, @@ -342,7 +342,7 @@ def __init__(self, src_file=b"", hdr_file=b"", text=None, debug=0, self.module = lib.bpf_module_create_c_from_string(text, self.debug, cflags_array, len(cflags_array), - allow_rlimit) + allow_rlimit, device) if not self.module: raise Exception("Failed to compile BPF module %s" % (src_file or "")) @@ -367,7 +367,7 @@ def load_funcs(self, prog_type=KPROBE): return fns - def load_func(self, func_name, prog_type): + def load_func(self, func_name, prog_type, device = None): func_name = _assert_is_bytes(func_name) if func_name in self.funcs: return self.funcs[func_name] @@ -383,7 +383,7 @@ def load_func(self, func_name, prog_type): lib.bpf_function_size(self.module, func_name), lib.bpf_module_license(self.module), lib.bpf_module_kern_version(self.module), - log_level, None, 0); + log_level, None, 0, device); if fd < 0: atexit.register(self.donothing) diff --git a/src/python/bcc/libbcc.py b/src/python/bcc/libbcc.py index e98bb1401..792558f40 100644 --- a/src/python/bcc/libbcc.py +++ b/src/python/bcc/libbcc.py @@ -18,13 +18,14 @@ # keep in sync with bcc_common.h lib.bpf_module_create_b.restype = ct.c_void_p -lib.bpf_module_create_b.argtypes = [ct.c_char_p, ct.c_char_p, ct.c_uint] +lib.bpf_module_create_b.argtypes = [ct.c_char_p, ct.c_char_p, ct.c_uint, + ct.c_char_p] lib.bpf_module_create_c.restype = ct.c_void_p lib.bpf_module_create_c.argtypes = [ct.c_char_p, ct.c_uint, - ct.POINTER(ct.c_char_p), ct.c_int, ct.c_bool] + ct.POINTER(ct.c_char_p), ct.c_int, ct.c_bool, ct.c_char_p] lib.bpf_module_create_c_from_string.restype = ct.c_void_p lib.bpf_module_create_c_from_string.argtypes = [ct.c_char_p, ct.c_uint, - ct.POINTER(ct.c_char_p), ct.c_int, ct.c_bool] + ct.POINTER(ct.c_char_p), ct.c_int, ct.c_bool, ct.c_char_p] lib.bpf_module_destroy.restype = None lib.bpf_module_destroy.argtypes = [ct.c_void_p] lib.bpf_module_license.restype = ct.c_char_p diff --git a/tests/cc/test_static.c b/tests/cc/test_static.c index 919b07420..bc6ecfeef 100644 --- a/tests/cc/test_static.c +++ b/tests/cc/test_static.c @@ -1,6 +1,6 @@ #include "bcc_common.h" int main(int argc, char **argv) { - void *mod = bpf_module_create_c_from_string("BPF_TABLE(\"array\", int, int, stats, 10);\n", 4, NULL, 0, true); + void *mod = bpf_module_create_c_from_string("BPF_TABLE(\"array\", int, int, stats, 10);\n", 4, NULL, 0, true, NULL); return !(mod != NULL); } From 44454d948b9fa4e0587fad7478b9383d51501c41 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Micha=C5=82=20Weso=C5=82owski?= Date: Wed, 11 Sep 2019 11:08:58 +0200 Subject: [PATCH 099/228] support gcc 8's cold subfunctions --- src/python/bcc/__init__.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/python/bcc/__init__.py b/src/python/bcc/__init__.py index 03fcdcf68..2d6dc350f 100644 --- a/src/python/bcc/__init__.py +++ b/src/python/bcc/__init__.py @@ -576,7 +576,7 @@ def get_kprobe_functions(event_re): elif fn.startswith(b'__perf') or fn.startswith(b'perf_'): continue # Exclude all gcc 8's extra .cold functions - elif re.match(b'^.*\.cold\.\d+$', fn): + elif re.match(b'^.*\.cold(\.\d+)?$', fn): continue if (t.lower() in [b't', b'w']) and re.match(event_re, fn) \ and fn not in blacklist: From c99c7c4063213f4bb6e8347f9b4d36ed316aa8c9 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Micha=C5=82=20Weso=C5=82owski?= Date: Sun, 15 Sep 2019 07:54:21 +0200 Subject: [PATCH 100/228] stackcount: fix TypeError (#2514) fix type error in stackcount.py --- tools/stackcount.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tools/stackcount.py b/tools/stackcount.py index 8c056d684..6aec429fe 100755 --- a/tools/stackcount.py +++ b/tools/stackcount.py @@ -346,10 +346,10 @@ def run(self): user_stack = list(user_stack) kernel_stack = list(kernel_stack) line = [k.name.decode('utf-8', 'replace')] + \ - [b.sym(addr, k.tgid) for addr in + [b.sym(addr, k.tgid).decode('utf-8', 'replace') for addr in reversed(user_stack)] + \ (self.need_delimiter and ["-"] or []) + \ - [b.ksym(addr) for addr in reversed(kernel_stack)] + [b.ksym(addr).decode('utf-8', 'replace') for addr in reversed(kernel_stack)] print("%s %d" % (";".join(line), v.value)) else: # print multi-line stack output From ba64f031f2435aad5a85f8f37dbbe2a982cbbe6b Mon Sep 17 00:00:00 2001 From: Philip Gladstone Date: Fri, 20 Sep 2019 01:12:01 -0400 Subject: [PATCH 101/228] Fixes #2518 -- weird behaviour of lookup_or_init (#2520) * Allow lookup_or_init to return NULL (rather than just returning from the current function) * Fixed a couple of bad edits found when running tests. Also fixed a bug in the test runner. Also fixed a bug in libbcc where the python signature did not match the actual implementation. --- docs/reference_guide.md | 2 +- docs/tutorial_bcc_python_developer.md | 8 ++++-- examples/cpp/LLCStat.cc | 8 ++++-- examples/cpp/TCPSendStack.cc | 4 ++- examples/cpp/UseExternalMap.cc | 4 ++- examples/lua/offcputime.lua | 4 ++- examples/lua/task_switch.lua | 4 ++- .../networking/distributed_bridge/tunnel.c | 4 ++- examples/networking/tunnel_monitor/monitor.c | 14 +++++----- .../networking/vlan_learning/vlan_learning.c | 10 ++++--- examples/tracing/mallocstacks.py | 4 ++- examples/tracing/strlen_count.py | 4 ++- examples/tracing/task_switch.c | 4 ++- src/cc/frontends/clang/b_frontend_action.cc | 1 - src/python/bcc/libbcc.py | 2 +- tests/cc/test_bpf_table.cc | 8 ++++-- tests/lua/test_clang.lua | 4 ++- tests/python/test_clang.py | 4 ++- tests/python/test_license.py | 4 ++- tests/python/test_lru.py | 4 ++- tests/python/test_percpu.py | 14 +++++++--- tests/python/test_stat1.c | 6 +++-- tests/python/test_trace2.c | 5 +++- tests/python/test_trace2.py | 5 +++- tests/python/test_trace3.c | 4 ++- tests/python/test_trace4.py | 10 +++++-- tests/python/test_trace_maxactive.py | 10 +++++-- tests/python/test_tracepoint.py | 10 ++++--- tests/wrapper.sh.in | 2 +- tools/biotop.py | 10 ++++--- tools/filetop.py | 14 +++++----- tools/lib/ucalls.py | 20 +++++++++----- tools/lib/uflow.py | 3 +++ tools/lib/uobjnew.py | 26 +++++++++++++------ tools/lib/ustat.py | 4 ++- tools/old/offcputime.py | 4 ++- tools/old/offwaketime.py | 4 ++- tools/old/profile.py | 4 ++- tools/old/softirqs.py | 2 +- tools/old/stackcount.py | 4 ++- tools/old/wakeuptime.py | 4 ++- tools/slabratetop.py | 6 +++-- tools/syscount.py | 10 ++++--- 43 files changed, 198 insertions(+), 84 deletions(-) diff --git a/docs/reference_guide.md b/docs/reference_guide.md index 64a07acf1..ef088b2c6 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -767,7 +767,7 @@ Examples in situ: Syntax: ```*val map.lookup_or_init(&key, &zero)``` -Lookup the key in the map, and return a pointer to its value if it exists, else initialize the key's value to the second argument. This is often used to initialize values to zero. +Lookup the key in the map, and return a pointer to its value if it exists, else initialize the key's value to the second argument. This is often used to initialize values to zero. If the key cannot be inserted (e.g. the map is full) then NULL is returned. Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=lookup_or_init+path%3Aexamples&type=Code), diff --git a/docs/tutorial_bcc_python_developer.md b/docs/tutorial_bcc_python_developer.md index 82e1bbe83..60a0dfb0b 100644 --- a/docs/tutorial_bcc_python_developer.md +++ b/docs/tutorial_bcc_python_developer.md @@ -559,7 +559,9 @@ int count(struct pt_regs *ctx) { bpf_probe_read(&key.c, sizeof(key.c), (void *)PT_REGS_PARM1(ctx)); // could also use `counts.increment(key)` val = counts.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; }; """) @@ -678,7 +680,9 @@ int count_sched(struct pt_regs *ctx, struct task_struct *prev) { // could also use `stats.increment(key);` val = stats.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; } ``` diff --git a/examples/cpp/LLCStat.cc b/examples/cpp/LLCStat.cc index 2e9d628bd..b1a36aedc 100644 --- a/examples/cpp/LLCStat.cc +++ b/examples/cpp/LLCStat.cc @@ -43,7 +43,9 @@ int on_cache_miss(struct bpf_perf_event_data *ctx) { u64 zero = 0, *val; val = miss_count.lookup_or_init(&key, &zero); - (*val) += ctx->sample_period; + if (val) { + (*val) += ctx->sample_period; + } return 0; } @@ -54,7 +56,9 @@ int on_cache_ref(struct bpf_perf_event_data *ctx) { u64 zero = 0, *val; val = ref_count.lookup_or_init(&key, &zero); - (*val) += ctx->sample_period; + if (val) { + (*val) += ctx->sample_period; + } return 0; } diff --git a/examples/cpp/TCPSendStack.cc b/examples/cpp/TCPSendStack.cc index 183529ef0..7c4167089 100644 --- a/examples/cpp/TCPSendStack.cc +++ b/examples/cpp/TCPSendStack.cc @@ -39,7 +39,9 @@ int on_tcp_send(struct pt_regs *ctx) { u64 zero = 0, *val; val = counts.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; } diff --git a/examples/cpp/UseExternalMap.cc b/examples/cpp/UseExternalMap.cc index d0cf445c6..724a12f98 100644 --- a/examples/cpp/UseExternalMap.cc +++ b/examples/cpp/UseExternalMap.cc @@ -56,7 +56,9 @@ int on_sched_switch(struct tracepoint__sched__sched_switch *args) { __builtin_memcpy(&key.prev_comm, args->prev_comm, 16); __builtin_memcpy(&key.next_comm, args->next_comm, 16); val = counts.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; } diff --git a/examples/lua/offcputime.lua b/examples/lua/offcputime.lua index 09c704f6d..73bd43509 100755 --- a/examples/lua/offcputime.lua +++ b/examples/lua/offcputime.lua @@ -65,7 +65,9 @@ int oncpu(struct pt_regs *ctx, struct task_struct *prev) { key.stack_id = stack_traces.get_stackid(ctx, stack_flags); val = counts.lookup_or_init(&key, &zero); - (*val) += delta; + if (val) { + (*val) += delta; + } return 0; } ]] diff --git a/examples/lua/task_switch.lua b/examples/lua/task_switch.lua index 1c0aaa8b7..92c1f276e 100755 --- a/examples/lua/task_switch.lua +++ b/examples/lua/task_switch.lua @@ -33,7 +33,9 @@ int count_sched(struct pt_regs *ctx, struct task_struct *prev) { key.prev_pid = prev->pid; val = stats.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; } ]] diff --git a/examples/networking/distributed_bridge/tunnel.c b/examples/networking/distributed_bridge/tunnel.c index 0bd99829a..1d5681fb0 100644 --- a/examples/networking/distributed_bridge/tunnel.c +++ b/examples/networking/distributed_bridge/tunnel.c @@ -38,7 +38,9 @@ int handle_ingress(struct __sk_buff *skb) { struct vni_key vk = {ethernet->src, *ifindex, 0}; struct host *src_host = mac2host.lookup_or_init(&vk, &(struct host){tkey.tunnel_id, tkey.remote_ipv4, 0, 0}); - lock_xadd(&src_host->rx_pkts, 1); + if (src_host) { + lock_xadd(&src_host->rx_pkts, 1); + } bpf_clone_redirect(skb, *ifindex, 1/*ingress*/); } else { bpf_trace_printk("ingress invalid tunnel_id=%d\n", tkey.tunnel_id); diff --git a/examples/networking/tunnel_monitor/monitor.c b/examples/networking/tunnel_monitor/monitor.c index 630e4a682..787be1f77 100644 --- a/examples/networking/tunnel_monitor/monitor.c +++ b/examples/networking/tunnel_monitor/monitor.c @@ -126,12 +126,14 @@ ip: ; swap_ipkey(&key); struct counters zleaf = {0}; struct counters *leaf = stats.lookup_or_init(&key, &zleaf); - if (is_ingress) { - lock_xadd(&leaf->rx_pkts, 1); - lock_xadd(&leaf->rx_bytes, skb->len); - } else { - lock_xadd(&leaf->tx_pkts, 1); - lock_xadd(&leaf->tx_bytes, skb->len); + if (leaf) { + if (is_ingress) { + lock_xadd(&leaf->rx_pkts, 1); + lock_xadd(&leaf->rx_bytes, skb->len); + } else { + lock_xadd(&leaf->tx_pkts, 1); + lock_xadd(&leaf->tx_bytes, skb->len); + } } return 1; } diff --git a/examples/networking/vlan_learning/vlan_learning.c b/examples/networking/vlan_learning/vlan_learning.c index 3774d74ba..ad08c1184 100644 --- a/examples/networking/vlan_learning/vlan_learning.c +++ b/examples/networking/vlan_learning/vlan_learning.c @@ -33,10 +33,12 @@ int handle_phys2virt(struct __sk_buff *skb) { int out_ifindex = leaf->out_ifindex; struct ifindex_leaf_t zleaf = {0}; struct ifindex_leaf_t *out_leaf = egress.lookup_or_init(&out_ifindex, &zleaf); - // to capture potential configuration changes - out_leaf->out_ifindex = skb->ifindex; - out_leaf->vlan_tci = skb->vlan_tci; - out_leaf->vlan_proto = skb->vlan_proto; + if (out_leaf) { + // to capture potential configuration changes + out_leaf->out_ifindex = skb->ifindex; + out_leaf->vlan_tci = skb->vlan_tci; + out_leaf->vlan_proto = skb->vlan_proto; + } // pop the vlan header and send to the destination bpf_skb_vlan_pop(skb); bpf_clone_redirect(skb, leaf->out_ifindex, 0); diff --git a/examples/tracing/mallocstacks.py b/examples/tracing/mallocstacks.py index 1d887e86d..051ee3f92 100755 --- a/examples/tracing/mallocstacks.py +++ b/examples/tracing/mallocstacks.py @@ -47,7 +47,9 @@ // could also use `calls.increment(key, size);` u64 zero = 0, *val; val = calls.lookup_or_init(&key, &zero); - (*val) += size; + if (val) { + (*val) += size; + } return 0; }; """) diff --git a/examples/tracing/strlen_count.py b/examples/tracing/strlen_count.py index eab67109f..c122d647a 100755 --- a/examples/tracing/strlen_count.py +++ b/examples/tracing/strlen_count.py @@ -34,7 +34,9 @@ bpf_probe_read(&key.c, sizeof(key.c), (void *)PT_REGS_PARM1(ctx)); // could also use `counts.increment(key)` val = counts.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; }; """) diff --git a/examples/tracing/task_switch.c b/examples/tracing/task_switch.c index 7192ad02c..83f4ff182 100644 --- a/examples/tracing/task_switch.c +++ b/examples/tracing/task_switch.c @@ -16,6 +16,8 @@ int count_sched(struct pt_regs *ctx, struct task_struct *prev) { // could also use `stats.increment(key);` val = stats.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; } diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index 567186900..cb1f5b1cd 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -782,7 +782,6 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { txt += "if (!leaf) {"; txt += " " + update + ", " + arg0 + ", " + arg1 + ", BPF_NOEXIST);"; txt += " leaf = " + lookup + ", " + arg0 + ");"; - txt += " if (!leaf) return 0;"; txt += "}"; txt += "leaf;})"; } else if (memb_name == "increment") { diff --git a/src/python/bcc/libbcc.py b/src/python/bcc/libbcc.py index 792558f40..4c992dda9 100644 --- a/src/python/bcc/libbcc.py +++ b/src/python/bcc/libbcc.py @@ -89,7 +89,7 @@ lib.bpf_attach_socket.argtypes = [ct.c_int, ct.c_int] lib.bcc_func_load.restype = ct.c_int lib.bcc_func_load.argtypes = [ct.c_void_p, ct.c_int, ct.c_char_p, ct.c_void_p, - ct.c_size_t, ct.c_char_p, ct.c_uint, ct.c_int, ct.c_char_p, ct.c_uint] + ct.c_size_t, ct.c_char_p, ct.c_uint, ct.c_int, ct.c_char_p, ct.c_uint, ct.c_char_p] _RAW_CB_TYPE = ct.CFUNCTYPE(None, ct.py_object, ct.c_void_p, ct.c_int) _LOST_CB_TYPE = ct.CFUNCTYPE(None, ct.py_object, ct.c_ulonglong) lib.bpf_attach_kprobe.restype = ct.c_int diff --git a/tests/cc/test_bpf_table.cc b/tests/cc/test_bpf_table.cc index a45c7bc6b..39ebf89dd 100644 --- a/tests/cc/test_bpf_table.cc +++ b/tests/cc/test_bpf_table.cc @@ -182,7 +182,9 @@ TEST_CASE("test bpf stack table", "[bpf_stack_table]") { int stack_id = stack_traces.get_stackid(ctx, BPF_F_REUSE_STACKID); int zero = 0, *val; val = id.lookup_or_init(&zero, &stack_id); - (*val) = stack_id; + if (val) { + (*val) = stack_id; + } return 0; } @@ -233,7 +235,9 @@ TEST_CASE("test bpf stack_id table", "[bpf_stack_table]") { int stack_id = stack_traces.get_stackid(ctx, BPF_F_USER_STACK); int zero = 0, *val; val = id.lookup_or_init(&zero, &stack_id); - (*val) = stack_id; + if (val) { + (*val) = stack_id; + } return 0; } diff --git a/tests/lua/test_clang.lua b/tests/lua/test_clang.lua index f3d395ec5..8843b74b2 100644 --- a/tests/lua/test_clang.lua +++ b/tests/lua/test_clang.lua @@ -244,7 +244,9 @@ int kprobe__finish_task_switch(struct pt_regs *ctx, struct task_struct *prev) { key.prev_pid = prev->pid; val = stats.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; } ]]} diff --git a/tests/python/test_clang.py b/tests/python/test_clang.py index 36f0a1b09..69b35f6a6 100755 --- a/tests/python/test_clang.py +++ b/tests/python/test_clang.py @@ -397,7 +397,9 @@ def test_task_switch(self): key.prev_pid = prev->pid; val = stats.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; } """) diff --git a/tests/python/test_license.py b/tests/python/test_license.py index f0c6b1dca..61faf52f7 100755 --- a/tests/python/test_license.py +++ b/tests/python/test_license.py @@ -43,7 +43,9 @@ class TestLicense(unittest.TestCase): bpf_get_current_comm(&(key.comm), 16); val = counts.lookup_or_init(&key, &zero); // update counter - (*val)++; + if (val) { + (*val)++; + } return 0; } """ diff --git a/tests/python/test_lru.py b/tests/python/test_lru.py index 1139040d3..34ba9b5ab 100644 --- a/tests/python/test_lru.py +++ b/tests/python/test_lru.py @@ -27,7 +27,9 @@ def test_lru_percpu_hash(self): u32 key=0; u32 value = 0, *val; val = stats.lookup_or_init(&key, &value); - *val += 1; + if (val) { + *val += 1; + } return 0; } """ diff --git a/tests/python/test_percpu.py b/tests/python/test_percpu.py index 39a3bbc43..86497d0fb 100755 --- a/tests/python/test_percpu.py +++ b/tests/python/test_percpu.py @@ -30,7 +30,9 @@ def test_u64(self): u32 key=0; u64 value = 0, *val; val = stats.lookup_or_init(&key, &value); - *val += 1; + if (val) { + *val += 1; + } return 0; } """ @@ -60,7 +62,9 @@ def test_u32(self): u32 key=0; u32 value = 0, *val; val = stats.lookup_or_init(&key, &value); - *val += 1; + if (val) { + *val += 1; + } return 0; } """ @@ -94,8 +98,10 @@ def test_struct_custom_func(self): u32 key=0; counter value = {0,0}, *val; val = stats.lookup_or_init(&key, &value); - val->c1 += 1; - val->c2 += 1; + if (val) { + val->c1 += 1; + val->c2 += 1; + } return 0; } """ diff --git a/tests/python/test_stat1.c b/tests/python/test_stat1.c index f7ecb93c1..f3fa1cefa 100644 --- a/tests/python/test_stat1.c +++ b/tests/python/test_stat1.c @@ -48,8 +48,10 @@ int on_packet(struct __sk_buff *skb) { } struct IPLeaf zleaf = {0}; struct IPLeaf *leaf = stats.lookup_or_init(&key, &zleaf); - lock_xadd(&leaf->rx_pkts, rx); - lock_xadd(&leaf->tx_pkts, tx); + if (leaf) { + lock_xadd(&leaf->rx_pkts, rx); + lock_xadd(&leaf->tx_pkts, tx); + } } EOP: diff --git a/tests/python/test_trace2.c b/tests/python/test_trace2.c index 4c18a8607..76412a5a1 100644 --- a/tests/python/test_trace2.c +++ b/tests/python/test_trace2.c @@ -8,6 +8,9 @@ BPF_HASH(stats, struct Ptr, struct Counters, 1024); int count_sched(struct pt_regs *ctx) { struct Ptr key = {.ptr = PT_REGS_PARM1(ctx)}; struct Counters zleaf = {0}; - stats.lookup_or_init(&key, &zleaf)->stat1++; + struct Counters *val = stats.lookup_or_init(&key, &zleaf); + if (val) { + val->stat1++; + } return 0; } diff --git a/tests/python/test_trace2.py b/tests/python/test_trace2.py index 5e9805ae5..06cce8b7d 100755 --- a/tests/python/test_trace2.py +++ b/tests/python/test_trace2.py @@ -19,7 +19,10 @@ struct Counters zleaf; memset(&zleaf, 0, sizeof(zleaf)); - stats.lookup_or_init(&key, &zleaf)->stat1++; + struct Counters *val = stats.lookup_or_init(&key, &zleaf); + if (val) { + val->stat1++; + } return 0; } """ diff --git a/tests/python/test_trace3.c b/tests/python/test_trace3.c index 10d91d089..235ae3ace 100644 --- a/tests/python/test_trace3.c +++ b/tests/python/test_trace3.c @@ -48,6 +48,8 @@ int probe_blk_update_request(struct pt_regs *ctx) { u64 zero = 0; u64 *val = latency.lookup_or_init(&index, &zero); - lock_xadd(val, 1); + if (val) { + lock_xadd(val, 1); + } return 0; } diff --git a/tests/python/test_trace4.py b/tests/python/test_trace4.py index 683604758..63c543b83 100755 --- a/tests/python/test_trace4.py +++ b/tests/python/test_trace4.py @@ -14,11 +14,17 @@ def setUp(self): typedef struct { u64 val; } Val; BPF_HASH(stats, Key, Val, 3); int hello(void *ctx) { - stats.lookup_or_init(&(Key){1}, &(Val){0})->val++; + Val *val = stats.lookup_or_init(&(Key){1}, &(Val){0}); + if (val) { + val->val++; + } return 0; } int goodbye(void *ctx) { - stats.lookup_or_init(&(Key){2}, &(Val){0})->val++; + Val *val = stats.lookup_or_init(&(Key){2}, &(Val){0}); + if (val) { + val->val++; + } return 0; } """) diff --git a/tests/python/test_trace_maxactive.py b/tests/python/test_trace_maxactive.py index b0d4d68eb..4455e9efc 100755 --- a/tests/python/test_trace_maxactive.py +++ b/tests/python/test_trace_maxactive.py @@ -14,11 +14,17 @@ def setUp(self): typedef struct { u64 val; } Val; BPF_HASH(stats, Key, Val, 3); int hello(void *ctx) { - stats.lookup_or_init(&(Key){1}, &(Val){0})->val++; + Val *val = stats.lookup_or_init(&(Key){1}, &(Val){0}); + if (val) { + val->val++; + } return 0; } int goodbye(void *ctx) { - stats.lookup_or_init(&(Key){2}, &(Val){0})->val++; + Val *val = stats.lookup_or_init(&(Key){2}, &(Val){0}); + if (val) { + val->val++; + } return 0; } """) diff --git a/tests/python/test_tracepoint.py b/tests/python/test_tracepoint.py index 3bc576a84..006516645 100755 --- a/tests/python/test_tracepoint.py +++ b/tests/python/test_tracepoint.py @@ -29,7 +29,9 @@ def test_tracepoint(self): u64 val = 0; u32 pid = args->next_pid; u64 *existing = switches.lookup_or_init(&pid, &val); - (*existing)++; + if (existing) { + (*existing)++; + } return 0; } """ @@ -53,8 +55,10 @@ def test_tracepoint_data_loc(self): char fn[64]; u32 pid = args->pid; struct value_t *existing = execs.lookup_or_init(&pid, &val); - TP_DATA_LOC_READ_CONST(fn, filename, 64); - __builtin_memcpy(existing->filename, fn, 64); + if (existing) { + TP_DATA_LOC_READ_CONST(fn, filename, 64); + __builtin_memcpy(existing->filename, fn, 64); + } return 0; } """ diff --git a/tests/wrapper.sh.in b/tests/wrapper.sh.in index 90b63ec7d..41b352113 100755 --- a/tests/wrapper.sh.in +++ b/tests/wrapper.sh.in @@ -8,7 +8,7 @@ name=$1; shift kind=$1; shift cmd=$1; shift -PYTHONPATH=@CMAKE_BINARY_DIR@/src/python +PYTHONPATH=@CMAKE_BINARY_DIR@/src/python/bcc-python LD_LIBRARY_PATH=@CMAKE_BINARY_DIR@:@CMAKE_BINARY_DIR@/src/cc ns=$name diff --git a/tools/biotop.py b/tools/biotop.py index 6c959f671..3181ba9d6 100755 --- a/tools/biotop.py +++ b/tools/biotop.py @@ -155,10 +155,12 @@ def signal_ignore(signal_value, frame): valp = counts.lookup_or_init(&info, &zero); } - // save stats - valp->us += delta_us; - valp->bytes += req->__data_len; - valp->io++; + if (valp) { + // save stats + valp->us += delta_us; + valp->bytes += req->__data_len; + valp->io++; + } start.delete(&req); whobyreq.delete(&req); diff --git a/tools/filetop.py b/tools/filetop.py index ccc5a1079..238048ea8 100755 --- a/tools/filetop.py +++ b/tools/filetop.py @@ -119,12 +119,14 @@ def signal_ignore(signal_value, frame): struct val_t *valp, zero = {}; valp = counts.lookup_or_init(&info, &zero); - if (is_read) { - valp->reads++; - valp->rbytes += count; - } else { - valp->writes++; - valp->wbytes += count; + if (valp) { + if (is_read) { + valp->reads++; + valp->rbytes += count; + } else { + valp->writes++; + valp->wbytes += count; + } } return 0; diff --git a/tools/lib/ucalls.py b/tools/lib/ucalls.py index d072af09c..117519523 100755 --- a/tools/lib/ucalls.py +++ b/tools/lib/ucalls.py @@ -164,7 +164,9 @@ (void *)method); #ifndef LATENCY valp = counts.lookup_or_init(&data.method, &val); - ++(*valp); + if (valp) { + ++(*valp); + } #endif #ifdef LATENCY entry.update(&data, ×tamp); @@ -189,8 +191,10 @@ return 0; // missed the entry event } info = times.lookup_or_init(&data.method, &zero); - info->num_calls += 1; - info->total_ns += bpf_ktime_get_ns() - *entry_timestamp; + if (info) { + info->num_calls += 1; + info->total_ns += bpf_ktime_get_ns() - *entry_timestamp; + } entry.delete(&data); return 0; } @@ -210,7 +214,9 @@ #endif #ifndef LATENCY valp = syscounts.lookup_or_init(&id, &val); - ++(*valp); + if (valp) { + ++(*valp); + } #endif return 0; } @@ -227,8 +233,10 @@ } id = e->id; info = systimes.lookup_or_init(&id, &zero); - info->num_calls += 1; - info->total_ns += bpf_ktime_get_ns() - e->timestamp; + if (info) { + info->num_calls += 1; + info->total_ns += bpf_ktime_get_ns() - e->timestamp; + } sysentry.delete(&pid); return 0; } diff --git a/tools/lib/uflow.py b/tools/lib/uflow.py index 63fab877d..f904533d1 100755 --- a/tools/lib/uflow.py +++ b/tools/lib/uflow.py @@ -89,6 +89,9 @@ data.pid = bpf_get_current_pid_tgid(); depth = entry.lookup_or_init(&data.pid, &zero); + if (!depth) { + depth = &zero; + } data.depth = DEPTH; UPDATE diff --git a/tools/lib/uobjnew.py b/tools/lib/uobjnew.py index 85f576812..63dd80ac9 100755 --- a/tools/lib/uobjnew.py +++ b/tools/lib/uobjnew.py @@ -80,8 +80,10 @@ struct val_t *valp, zero = {}; key.size = size; valp = allocs.lookup_or_init(&key, &zero); - valp->total_size += size; - valp->num_allocs += 1; + if (valp) { + valp->total_size += size; + valp->num_allocs += 1; + } return 0; } """ @@ -98,8 +100,10 @@ bpf_usdt_readarg(4, ctx, &size); bpf_probe_read(&key.name, sizeof(key.name), (void *)classptr); valp = allocs.lookup_or_init(&key, &zero); - valp->total_size += size; - valp->num_allocs += 1; + if (valp) { + valp->total_size += size; + valp->num_allocs += 1; + } return 0; } """ @@ -115,8 +119,10 @@ u64 size = 0; bpf_usdt_readarg(1, ctx, &size); valp = allocs.lookup_or_init(&key, &zero); - valp->total_size += size; - valp->num_allocs += 1; + if (valp) { + valp->total_size += size; + valp->num_allocs += 1; + } return 0; } """ @@ -128,7 +134,9 @@ bpf_usdt_readarg(1, ctx, &classptr); bpf_probe_read(&key.name, sizeof(key.name), (void *)classptr); valp = allocs.lookup_or_init(&key, &zero); - valp->num_allocs += 1; // We don't know the size, unfortunately + if (valp) { + valp->num_allocs += 1; // We don't know the size, unfortunately + } return 0; } """ @@ -146,7 +154,9 @@ struct key_t key = { .name = "" }; struct val_t *valp, zero = {}; valp = allocs.lookup_or_init(&key, &zero); - valp->num_allocs += 1; + if (valp) { + valp->num_allocs += 1; + } return 0; } """ diff --git a/tools/lib/ustat.py b/tools/lib/ustat.py index 1edc98565..bd5b98b68 100755 --- a/tools/lib/ustat.py +++ b/tools/lib/ustat.py @@ -94,7 +94,9 @@ def _generate_functions(self): u64 *valp, zero = 0; u32 tgid = bpf_get_current_pid_tgid() >> 32; valp = %s_%s_counts.lookup_or_init(&tgid, &zero); - ++(*valp); + if (valp) { + ++(*valp); + } return 0; } """ diff --git a/tools/old/offcputime.py b/tools/old/offcputime.py index 38d12a251..c0042ffc0 100755 --- a/tools/old/offcputime.py +++ b/tools/old/offcputime.py @@ -141,7 +141,9 @@ def signal_ignore(signal, frame): out: val = counts.lookup_or_init(&key, &zero); - (*val) += delta; + if (val) { + (*val) += delta; + } return 0; } """ diff --git a/tools/old/offwaketime.py b/tools/old/offwaketime.py index 3b5bb36c8..42fa5ce27 100755 --- a/tools/old/offwaketime.py +++ b/tools/old/offwaketime.py @@ -189,7 +189,9 @@ def signal_ignore(signal, frame): } val = counts.lookup_or_init(&key, &zero); - (*val) += delta; + if (val) { + (*val) += delta; + } return 0; } """ diff --git a/tools/old/profile.py b/tools/old/profile.py index e308208ee..e6940e678 100755 --- a/tools/old/profile.py +++ b/tools/old/profile.py @@ -185,7 +185,9 @@ def positive_nonzero_int(val): } val = counts.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; } """ diff --git a/tools/old/softirqs.py b/tools/old/softirqs.py index 3b40b1acf..5708ba69f 100755 --- a/tools/old/softirqs.py +++ b/tools/old/softirqs.py @@ -147,7 +147,7 @@ bpf_text = bpf_text.replace('STORE', ' .ip = ip, .slot = 0 /* ignore */};' + 'u64 zero = 0, *vp = dist.lookup_or_init(&key, &zero);' + - '(*vp) += delta;') + 'if (vp) { (*vp) += delta; }') if debug: print(bpf_text) diff --git a/tools/old/stackcount.py b/tools/old/stackcount.py index 108c80007..b60cc4c22 100755 --- a/tools/old/stackcount.py +++ b/tools/old/stackcount.py @@ -118,7 +118,9 @@ def signal_ignore(signal, frame): out: val = counts.lookup_or_init(&key, &zero); - (*val)++; + if (val) { + (*val)++; + } return 0; } """ diff --git a/tools/old/wakeuptime.py b/tools/old/wakeuptime.py index 783c7ffbb..a4cd521d6 100644 --- a/tools/old/wakeuptime.py +++ b/tools/old/wakeuptime.py @@ -154,7 +154,9 @@ def signal_ignore(signal, frame): out: val = counts.lookup_or_init(&key, &zero); - (*val) += delta; + if (val) { + (*val) += delta; + } return 0; } """ diff --git a/tools/slabratetop.py b/tools/slabratetop.py index 101c58568..7b8a42167 100755 --- a/tools/slabratetop.py +++ b/tools/slabratetop.py @@ -92,8 +92,10 @@ def signal_ignore(signal, frame): struct val_t *valp, zero = {}; valp = counts.lookup_or_init(&info, &zero); - valp->count++; - valp->size += cachep->size; + if (valp) { + valp->count++; + valp->size += cachep->size; + } return 0; } diff --git a/tools/syscount.py b/tools/syscount.py index 6cbea1162..21e788ddf 100755 --- a/tools/syscount.py +++ b/tools/syscount.py @@ -133,12 +133,16 @@ def handle_errno(errstr): return 0; val = data.lookup_or_init(&key, &zero); - val->count++; - val->total_ns += bpf_ktime_get_ns() - *start_ns; + if (val) { + val->count++; + val->total_ns += bpf_ktime_get_ns() - *start_ns; + } #else u64 *val, zero = 0; val = data.lookup_or_init(&key, &zero); - ++(*val); + if (val) { + ++(*val); + } #endif return 0; } From 84d9798aec01bc8486f3fc88afcbe37988e3ee58 Mon Sep 17 00:00:00 2001 From: Jan-Philip Gehrcke Date: Mon, 23 Sep 2019 14:15:32 +0200 Subject: [PATCH 102/228] FAQ: fix error message The package is called bcc, and not bpf: from bcc import BPF If that is not available the error message reads ModuleNotFoundError: No module named 'bcc' and not `No module named 'bpf'` --- FAQ.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/FAQ.txt b/FAQ.txt index c898afb86..71423a666 100644 --- a/FAQ.txt +++ b/FAQ.txt @@ -11,7 +11,7 @@ A: make sure to 'make install' and add the directory export LD_LIBRARY_PATH=/usr/local/lib:$LD_LIBRARY_PATH Q: hello_world.py fails with: - ImportError: No module named bpf + ImportError: No module named bcc A: checkout "sudo make install" output to find out bpf package installation site, add it to the PYTHONPATH env variable before running the program. sudo bash -c 'PYTHONPATH=/usr/lib/python2.7/site-packages python examples/hello_world.py' From f8c5654c01f7705017e8b7becee8907d949eb13c Mon Sep 17 00:00:00 2001 From: Jan-Philip Gehrcke Date: Tue, 24 Sep 2019 04:48:08 +0200 Subject: [PATCH 103/228] INSTALL.md: add install instructions for Fedora 30+ (#2524) add install instructions for Fedora 30+ --- INSTALL.md | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/INSTALL.md b/INSTALL.md index 5810cfd51..b850ea67e 100644 --- a/INSTALL.md +++ b/INSTALL.md @@ -105,6 +105,17 @@ sudo apt-get install bcc-tools libbcc-examples linux-headers-$(uname -r) ## Fedora - Binary +### Fedora 30 and newer + +As of Fedora 30, bcc binaries are available in the standard repository. +You can install them via + +```bash +sudo dnf install bcc +``` + +### Fedora 29 and older + Ensure that you are running a 4.2+ kernel with `uname -r`. If not, install a 4.2+ kernel from http://alt.fedoraproject.org/pub/alt/rawhide-kernel-nodebug, for example: From 867c3e3f7cdbba014605cee1f994ea3d2a1e3d50 Mon Sep 17 00:00:00 2001 From: Will Findlay Date: Tue, 24 Sep 2019 19:10:24 -0400 Subject: [PATCH 104/228] Fix BPF_PERCPU_ARRAY description (#2527) Fixed the BPF_PERCPU_ARRAY description in reference_guide.md to include information about maximum element size. This is in regards to #2519 . --- docs/reference_guide.md | 3 +++ 1 file changed, 3 insertions(+) diff --git a/docs/reference_guide.md b/docs/reference_guide.md index ef088b2c6..149abbdde 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -669,6 +669,9 @@ Syntax: ```BPF_PERCPU_ARRAY(name [, leaf_type [, size]])``` Creates NUM_CPU int-indexed arrays which are optimized for fastest lookup and update, named ```name```, with optional parameters. Each CPU will have a separate copy of this array. The copies are not kept synchronized in any way. +Note that due to limits defined in the kernel (in linux/mm/percpu.c), the ```leaf_type``` cannot have a size of more than 32KB. +In other words, ```BPF_PERCPU_ARRAY``` elements cannot be larger than 32KB in size. + Defaults: ```BPF_PERCPU_ARRAY(name, leaf_type=u64, size=10240)``` From c02e5eb13d154661af39a27f202ee64ad6be63a1 Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Tue, 24 Sep 2019 17:18:52 -0700 Subject: [PATCH 105/228] fix compilation errors with clang CreateFromArgs() change (#2528) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Upstream change https://reviews.llvm.org/D66797 (in llvm 10) changed signature of CreateFromArgs(). Compiled with latest upstream, we will have compilation error like: /home/yhs/work/bcc/src/cc/frontends/clang/loader.cc:343:57: error: ‘cargs’ was not declared in this scope; did you mean ‘ccargs’? 343 | if (!CompilerInvocation::CreateFromArgs( invocation0, cargs. diags)) | ^~~~~ | ccargs Adjust bcc codes to use the new func signature. Signed-off-by: Yonghong Song --- src/cc/frontends/clang/loader.cc | 26 +++++++++++++++++--------- 1 file changed, 17 insertions(+), 9 deletions(-) diff --git a/src/cc/frontends/clang/loader.cc b/src/cc/frontends/clang/loader.cc index be4e94fea..9d768d305 100644 --- a/src/cc/frontends/clang/loader.cc +++ b/src/cc/frontends/clang/loader.cc @@ -102,6 +102,19 @@ std::pair get_kernel_path_info(const string kdir) return std::make_pair(false, "build"); } +static int CreateFromArgs(clang::CompilerInvocation &invocation, + const llvm::opt::ArgStringList &ccargs, + clang::DiagnosticsEngine &diags) +{ +#if LLVM_MAJOR_VERSION >= 10 + return clang::CompilerInvocation::CreateFromArgs(invocation, ccargs, diags); +#else + return clang::CompilerInvocation::CreateFromArgs( + invocation, const_cast(ccargs.data()), + const_cast(ccargs.data()) + ccargs.size(), diags); +#endif +} + } int ClangLoader::parse(unique_ptr *mod, TableStorage &ts, @@ -339,9 +352,7 @@ int ClangLoader::do_compile(unique_ptr *mod, TableStorage &ts, // pre-compilation pass for generating tracepoint structures CompilerInstance compiler0; CompilerInvocation &invocation0 = compiler0.getInvocation(); - if (!CompilerInvocation::CreateFromArgs( - invocation0, const_cast(ccargs.data()), - const_cast(ccargs.data()) + ccargs.size(), diags)) + if (!CreateFromArgs(invocation0, ccargs, diags)) return -1; invocation0.getPreprocessorOpts().RetainRemappedFileBuffers = true; @@ -370,9 +381,7 @@ int ClangLoader::do_compile(unique_ptr *mod, TableStorage &ts, // first pass CompilerInstance compiler1; CompilerInvocation &invocation1 = compiler1.getInvocation(); - if (!CompilerInvocation::CreateFromArgs( - invocation1, const_cast(ccargs.data()), - const_cast(ccargs.data()) + ccargs.size(), diags)) + if (!CreateFromArgs( invocation1, ccargs, diags)) return -1; // This option instructs clang whether or not to free the file buffers that we @@ -403,10 +412,9 @@ int ClangLoader::do_compile(unique_ptr *mod, TableStorage &ts, // second pass, clear input and take rewrite buffer CompilerInstance compiler2; CompilerInvocation &invocation2 = compiler2.getInvocation(); - if (!CompilerInvocation::CreateFromArgs( - invocation2, const_cast(ccargs.data()), - const_cast(ccargs.data()) + ccargs.size(), diags)) + if (!CreateFromArgs(invocation2, ccargs, diags)) return -1; + invocation2.getPreprocessorOpts().RetainRemappedFileBuffers = true; for (const auto &f : remapped_headers_) invocation2.getPreprocessorOpts().addRemappedFile(f.first, &*f.second); From 903513e454c9847370f7e54797ff29f12e1de4d9 Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Tue, 24 Sep 2019 20:08:31 -0700 Subject: [PATCH 106/228] cmakefile change to require c++14 (#2529) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit The latest llvm trunk (llvm 10) built require c++14. Built with gcc and llvm 10 headers, the following error will show up: ... /home/yhs/work/llvm-project/llvm/build/install/include/llvm/Support/RWMutex.h: At global scope: /home/yhs/work/llvm-project/llvm/build/install/include/llvm/Support/RWMutex.h:101:8: error: ‘shared_t$ med_mutex’ in namespace ‘std’ does not name a type std::shared_timed_mutex impl; ... /home/yhs/work/llvm-project/llvm/build/install/include/llvm/Support/TrailingObjects.h:252:19: error: ‘is_final’ is not a member of ‘std’ static_assert(std::is_final(), "BaseTy must be final."); ... std::shared_timed_mutex and std::is_final etc. are all c++14 features. Most compilers should already support c++14. Let us require it in Makefile now. Signed-off-by: Yonghong Song --- CMakeLists.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 61d9ac982..c2b726653 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -86,7 +86,7 @@ if (USINGISYSTEM AND GCC_VERSION VERSION_LESS 6.0) endif() set(CMAKE_CXX_STANDARD_REQUIRED ON) -set(CMAKE_CXX_STANDARD 11) +set(CMAKE_CXX_STANDARD 14) endif(NOT PYTHON_ONLY AND ENABLE_CLANG_JIT) From 115b959d866159eecd09ca703197c809aa19ceda Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Wed, 25 Sep 2019 09:07:44 -0700 Subject: [PATCH 107/228] Fix a file descriptor leak when module is deleted (#2530) Fix issue #989 When module is cleaned up, let us also close all bpf program file descriptors to avoid fd leaking. Signed-off-by: Yonghong Song --- src/python/bcc/__init__.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/python/bcc/__init__.py b/src/python/bcc/__init__.py index 2d6dc350f..f3910c6f3 100644 --- a/src/python/bcc/__init__.py +++ b/src/python/bcc/__init__.py @@ -1355,6 +1355,8 @@ def cleanup(self): if self.tracefile: self.tracefile.close() self.tracefile = None + for name, fn in list(self.funcs.items()): + os.close(fn.fd) if self.module: lib.bpf_module_destroy(self.module) self.module = None From ac29d09a10b80c26fa1e5f8351e2dec29cfd4b9a Mon Sep 17 00:00:00 2001 From: Jan-Philip Gehrcke Date: Thu, 26 Sep 2019 18:41:34 +0200 Subject: [PATCH 108/228] FAQ: Add Q&A about kernel lockdown (#2532) add kernel lockdown and solution to turn it off. --- FAQ.txt | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/FAQ.txt b/FAQ.txt index 71423a666..4862b7e14 100644 --- a/FAQ.txt +++ b/FAQ.txt @@ -21,6 +21,15 @@ Q: hello_world.py still fails with: Exception: Failed to load BPF program hello A: sudo +Q: hello_world.py fails with + bpf: Failed to load program: Operation not permitted + despite running as root, and strace shows each `bpf()` system call failing with an EPERM. +A: The so-called Kernel lockdown might be the root cause. Try disabling it with the so-called + sysrq mechanism: + echo 1 > /proc/sys/kernel/sysrq + echo x > /proc/sysrq-trigger + Also see https://github.com/iovisor/bcc/issues/2525 + Q: How do I fulfill the Linux kernel version requirement? A: You need to obtain a recent version of the Linux source code (please look at the README for the exact version), enable the From c00d10d4552f647491395e326d2e4400f3a0b6c5 Mon Sep 17 00:00:00 2001 From: Jinshan Xiong Date: Thu, 26 Sep 2019 14:47:38 -0700 Subject: [PATCH 109/228] Add sampe code for cgoup test (#2522) How to run this test: 0. Make sure you have cgroup2 mounted: $ mount -t cgroup2 cgroup on /sys/fs/cgroup/unified type cgroup2 (rw,nosuid,nodev,noexec,relatime) 1. Create a test cgroup in cgroup2 fs: $ sudo mkdir /sys/fs/cgroup/unified/test 2. Run this program in a bash: $ sudo CGroupTest /sys/fs/cgroup/unified/test 3. In another bash window, do the following: $ echo $$ > /sys/fs/cgroup/unified/test/cgroup.procs $ run some other commands 4. You should be able to see lots of prints like: 'file ... was opened!' --- examples/cpp/CGroupTest.cc | 85 +++++++++++++++++++++++++++++++++++++ examples/cpp/CMakeLists.txt | 4 ++ 2 files changed, 89 insertions(+) create mode 100644 examples/cpp/CGroupTest.cc diff --git a/examples/cpp/CGroupTest.cc b/examples/cpp/CGroupTest.cc new file mode 100644 index 000000000..bfe156ca4 --- /dev/null +++ b/examples/cpp/CGroupTest.cc @@ -0,0 +1,85 @@ +/* + * CGroupTest Demonstrate how to use BPF cgroup API to collect file open event + * + * Basic example of cgroup and BPF kprobes. + * + * USAGE: CGroupTest cgroup2_path + * + * EXAMPLES: + * 1. Create a directory under cgroup2 mountpoint: + * $ sudo mkdir /sys/fs/cgroup/unified/test + * 2. Add current bash into the testing cgroup: + * $ sudo echo $$ | sudo tee -a /sys/fs/cgroup/unified/test/cgroup.procs + * 3. Open another bash window, and start CGroupTest as: + * $ sudo ./examples/cpp/CGroupTest /sys/fs/cgroup/unified/test + * 4. Run file open activity from previous bash window should be printed. + * + * Copyright (c) Jinshan Xiong + * Licensed under the Apache License, Version 2.0 (the "License") + */ + +#include +#include +#include +#include +#include +#include + +#include "BPF.h" + +const std::string BPF_PROGRAM = R"( +#include +#include +#include + +BPF_CGROUP_ARRAY(cgroup, 1); + +int on_vfs_open(struct pt_regs *ctx, struct path *path) { + if (cgroup.check_current_task(0) > 0) + bpf_trace_printk("file '%s' was opened!\n", path->dentry->d_name.name); + return 0; +} +)"; + +int main(int argc, char** argv) { + if (argc != 2) { + std::cerr << argv[0] << ": requires _one_ cgroup path" << std::endl; + return 1; + } + + ebpf::BPF bpf; + auto init_res = bpf.init(BPF_PROGRAM); + if (init_res.code() != 0) { + std::cerr << init_res.msg() << std::endl; + return 1; + } + + auto cgroup_array = bpf.get_cgroup_array("cgroup"); + auto update_res = cgroup_array.update_value(0, argv[1]); + if (update_res.code() != 0) { + std::cerr << update_res.msg() << std::endl; + return 1; + } + + auto attach_res = + bpf.attach_kprobe("vfs_open", "on_vfs_open"); + if (attach_res.code() != 0) { + std::cerr << attach_res.msg() << std::endl; + return 1; + } + + std::ifstream pipe("/sys/kernel/debug/tracing/trace_pipe"); + std::string line; + + std::cout << "Started tracing open event, hit Ctrl-C to terminate." << std::endl; + while (std::getline(pipe, line)) + std::cout << line << std::endl; + + auto detach_res = bpf.detach_kprobe("vfs_open"); + if (detach_res.code() != 0) { + std::cerr << detach_res.msg() << std::endl; + return 1; + } + + return 0; +} diff --git a/examples/cpp/CMakeLists.txt b/examples/cpp/CMakeLists.txt index 906c9aaf1..c801cc9f9 100644 --- a/examples/cpp/CMakeLists.txt +++ b/examples/cpp/CMakeLists.txt @@ -31,6 +31,9 @@ target_link_libraries(FollyRequestContextSwitch bcc-static) add_executable(UseExternalMap UseExternalMap.cc) target_link_libraries(UseExternalMap bcc-static) +add_executable(CGroupTest CGroupTest.cc) +target_link_libraries(CGroupTest bcc-static) + if(INSTALL_CPP_EXAMPLES) install (TARGETS HelloWorld DESTINATION share/bcc/examples/cpp) install (TARGETS CPUDistribution DESTINATION share/bcc/examples/cpp) @@ -40,6 +43,7 @@ if(INSTALL_CPP_EXAMPLES) install (TARGETS LLCStat DESTINATION share/bcc/examples/cpp) install (TARGETS FollyRequestContextSwitch DESTINATION share/bcc/examples/cpp) install (TARGETS UseExternalMap DESTINATION share/bcc/examples/cpp) + install (TARGETS CGroupTest DESTINATION share/bcc/examples/cpp) endif(INSTALL_CPP_EXAMPLES) add_subdirectory(pyperf) From 4c2cb869dc559af2bbd92dafbf769412e638093b Mon Sep 17 00:00:00 2001 From: Jan-Philip Gehrcke Date: Mon, 30 Sep 2019 19:05:15 +0200 Subject: [PATCH 110/228] INSTALL.md: Fedora 30: note about kernel lockdown (#2536) Add a note about the kernel lockdown challenge to the "Fedora 30 and newer" section. Motivation: Fedora 30 users are likely to follow the instructions in the "Fedora 30 and newer" section of INSTALL.md. They will run into the kernel lockdown challenge. --- INSTALL.md | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/INSTALL.md b/INSTALL.md index b850ea67e..3a0af1d07 100644 --- a/INSTALL.md +++ b/INSTALL.md @@ -114,6 +114,13 @@ You can install them via sudo dnf install bcc ``` +**Note**: if you keep getting `Failed to load program: Operation not permitted` when +trying to run the `hello_world.py` example as root then you might need to lift +the so-called kernel lockdown (cf. +[FAQ](https://github.com/iovisor/bcc/blob/c00d10d4552f647491395e326d2e4400f3a0b6c5/FAQ.txt#L24), +[background article](https://gehrcke.de/2019/09/running-an-ebpf-program-may-require-lifting-the-kernel-lockdown)). + + ### Fedora 29 and older Ensure that you are running a 4.2+ kernel with `uname -r`. If not, install a 4.2+ kernel from From eb018cf9e5df30c9748e4b31a33f0934a47cca6b Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Wed, 2 Oct 2019 16:34:38 -0700 Subject: [PATCH 111/228] sync to latest libbpf (#2540) sync to latest libpf with tag v0.0.5. Signed-off-by: Yonghong Song --- docs/kernel-versions.md | 1 + introspection/bps.c | 1 + src/cc/compat/linux/virtual_bpf.h | 70 ++++++++++++++++++++++++++----- src/cc/export/helpers.h | 3 ++ src/cc/libbpf | 2 +- src/cc/libbpf.c | 1 + 6 files changed, 66 insertions(+), 12 deletions(-) diff --git a/docs/kernel-versions.md b/docs/kernel-versions.md index f40f098c8..9b6ad8f79 100644 --- a/docs/kernel-versions.md +++ b/docs/kernel-versions.md @@ -256,6 +256,7 @@ Helper | Kernel version | License | Commit | `BPF_FUNC_sysctl_set_new_value()` | 5.2 | | [`4e63acdff864`](https://kernel.googlesource.com/pub/scm/linux/kernel/git/davem/net-next/+/4e63acdff864654cee0ac5aaeda3913798ee78f6) `BPF_FUNC_tail_call()` | 4.2 | | [`04fd61ab36ec`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=04fd61ab36ec065e194ab5e74ae34a5240d992bb) `BPF_FUNC_tcp_check_syncookie()` | 5.2 | | [`399040847084`](https://kernel.googlesource.com/pub/scm/linux/kernel/git/davem/net-next/+/399040847084a69f345e0a52fd62f04654e0fce3) +`BPF_FUNC_tcp_gen_syncookie()` | 5.3 | | [`70d66244317e`](https://github.com/torvalds/linux/commit/70d66244317e958092e9c971b08dd5b7fd29d9cb#diff-05da4bf36c7fbcd176254e1615d98b28) `BPF_FUNC_tcp_sock()` | 5.1 | | [`655a51e536c0`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=655a51e536c09d15ffa3603b1b6fce2b45b85a1f) `BPF_FUNC_trace_printk()` | 4.1 | GPL | [`9c959c863f82`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=9c959c863f8217a2ff3d7c296e8223654d240569) `BPF_FUNC_xdp_adjust_head()` | 4.10 | | [`17bedab27231`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=17bedab2723145d17b14084430743549e6943d03) diff --git a/introspection/bps.c b/introspection/bps.c index fe47a8057..5e510aa4f 100644 --- a/introspection/bps.c +++ b/introspection/bps.c @@ -69,6 +69,7 @@ static const char * const map_type_strings[] = { [BPF_MAP_TYPE_QUEUE] = "queue", [BPF_MAP_TYPE_STACK] = "stack", [BPF_MAP_TYPE_SK_STORAGE] = "sk_storage", + [BPF_MAP_TYPE_DEVMAP_HASH] = "devmap_hash", }; #define ARRAY_SIZE(x) (sizeof(x) / sizeof(*(x))) diff --git a/src/cc/compat/linux/virtual_bpf.h b/src/cc/compat/linux/virtual_bpf.h index 12513ad02..d45d08109 100644 --- a/src/cc/compat/linux/virtual_bpf.h +++ b/src/cc/compat/linux/virtual_bpf.h @@ -107,6 +107,7 @@ enum bpf_cmd { BPF_TASK_FD_QUERY, BPF_MAP_LOOKUP_AND_DELETE_ELEM, BPF_MAP_FREEZE, + BPF_BTF_GET_NEXT_ID, }; enum bpf_map_type { @@ -135,6 +136,7 @@ enum bpf_map_type { BPF_MAP_TYPE_QUEUE, BPF_MAP_TYPE_STACK, BPF_MAP_TYPE_SK_STORAGE, + BPF_MAP_TYPE_DEVMAP_HASH, }; /* Note that tracing related programs such as @@ -284,6 +286,9 @@ enum bpf_attach_type { */ #define BPF_F_TEST_RND_HI32 (1U << 2) +/* The verifier internal test flag. Behavior is undefined */ +#define BPF_F_TEST_STATE_FREQ (1U << 3) + /* When BPF ldimm64's insn[0].src_reg != 0 then this can have * two extensions: * @@ -337,6 +342,9 @@ enum bpf_attach_type { #define BPF_F_RDONLY_PROG (1U << 7) #define BPF_F_WRONLY_PROG (1U << 8) +/* Clone map from listener for newly accepted socket */ +#define BPF_F_CLONE (1U << 9) + /* flags for BPF_PROG_QUERY */ #define BPF_F_QUERY_EFFECTIVE (1U << 0) @@ -576,6 +584,8 @@ union bpf_attr { * limited to five). * * Each time the helper is called, it appends a line to the trace. + * Lines are discarded while *\/sys/kernel/debug/tracing/trace* is + * open, use *\/sys/kernel/debug/tracing/trace_pipe* to avoid this. * The format of the trace is customizable, and the exact output * one will get depends on the options set in * *\/sys/kernel/debug/tracing/trace_options* (see also the @@ -807,7 +817,7 @@ union bpf_attr { * based on a user-provided identifier for all traffic coming from * the tasks belonging to the related cgroup. See also the related * kernel documentation, available from the Linux sources in file - * *Documentation/cgroup-v1/net_cls.txt*. + * *Documentation/admin-guide/cgroup-v1/net_cls.rst*. * * The Linux kernel has two versions for cgroups: there are * cgroups v1 and cgroups v2. Both are available to users, who can @@ -1014,7 +1024,7 @@ union bpf_attr { * The realm of the route for the packet associated to *skb*, or 0 * if none was found. * - * int bpf_perf_event_output(struct pt_reg *ctx, struct bpf_map *map, u64 flags, void *data, u64 size) + * int bpf_perf_event_output(struct pt_regs *ctx, struct bpf_map *map, u64 flags, void *data, u64 size) * Description * Write raw *data* blob into a special BPF perf event held by * *map* of type **BPF_MAP_TYPE_PERF_EVENT_ARRAY**. This perf @@ -1076,7 +1086,7 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * - * int bpf_get_stackid(struct pt_reg *ctx, struct bpf_map *map, u64 flags) + * int bpf_get_stackid(struct pt_regs *ctx, struct bpf_map *map, u64 flags) * Description * Walk a user or a kernel stack and return its id. To achieve * this, the helper needs *ctx*, which is a pointer to the context @@ -1467,8 +1477,8 @@ union bpf_attr { * If no cookie has been set yet, generate a new cookie. Once * generated, the socket cookie remains stable for the life of the * socket. This helper can be useful for monitoring per socket - * networking traffic statistics as it provides a unique socket - * identifier per namespace. + * networking traffic statistics as it provides a global socket + * identifier that can be assumed unique. * Return * A 8-byte long non-decreasing number on success, or 0 if the * socket field is missing inside *skb*. @@ -1572,8 +1582,11 @@ union bpf_attr { * but this is only implemented for native XDP (with driver * support) as of this writing). * - * All values for *flags* are reserved for future usage, and must - * be left at zero. + * The lower two bits of *flags* are used as the return code if + * the map lookup fails. This is so that the return value can be + * one of the XDP program return codes up to XDP_TX, as chosen by + * the caller. Any higher bits in the *flags* argument must be + * unset. * * When used to redirect packets to net devices, this helper * provides a high performance increase over **bpf_redirect**\ (). @@ -1722,7 +1735,7 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * - * int bpf_override_return(struct pt_reg *regs, u64 rc) + * int bpf_override_return(struct pt_regs *regs, u64 rc) * Description * Used for error injection, this helper uses kprobes to override * the return value of the probed function, and to set it to *rc*. @@ -2711,6 +2724,33 @@ union bpf_attr { * **-EPERM** if no permission to send the *sig*. * * **-EAGAIN** if bpf program can try again. + * + * s64 bpf_tcp_gen_syncookie(struct bpf_sock *sk, void *iph, u32 iph_len, struct tcphdr *th, u32 th_len) + * Description + * Try to issue a SYN cookie for the packet with corresponding + * IP/TCP headers, *iph* and *th*, on the listening socket in *sk*. + * + * *iph* points to the start of the IPv4 or IPv6 header, while + * *iph_len* contains **sizeof**\ (**struct iphdr**) or + * **sizeof**\ (**struct ip6hdr**). + * + * *th* points to the start of the TCP header, while *th_len* + * contains the length of the TCP header. + * + * Return + * On success, lower 32 bits hold the generated SYN cookie in + * followed by 16 bits which hold the MSS value for that cookie, + * and the top 16 bits are unused. + * + * On failure, the returned value is one of the following: + * + * **-EINVAL** SYN cookie cannot be issued due to error + * + * **-ENOENT** SYN cookie should not be issued (no SYN flood) + * + * **-EOPNOTSUPP** kernel configuration does not enable SYN cookies + * + * **-EPROTONOSUPPORT** IP packet version is not 4 or 6 */ #define __BPF_FUNC_MAPPER(FN) \ FN(unspec), \ @@ -2822,7 +2862,8 @@ union bpf_attr { FN(strtoul), \ FN(sk_storage_get), \ FN(sk_storage_delete), \ - FN(send_signal), + FN(send_signal), \ + FN(tcp_gen_syncookie), /* integer value in 'imm' field of BPF_CALL instruction selects which helper * function eBPF program intends to call @@ -3191,6 +3232,7 @@ struct bpf_prog_info { char name[BPF_OBJ_NAME_LEN]; __u32 ifindex; __u32 gpl_compatible:1; + __u32 :31; /* alignment pad */ __u64 netns_dev; __u64 netns_ino; __u32 nr_jited_ksyms; @@ -3245,7 +3287,7 @@ struct bpf_sock_addr { __u32 user_ip4; /* Allows 1,2,4-byte read and 4-byte write. * Stored in network byte order. */ - __u32 user_ip6[4]; /* Allows 1,2,4-byte read and 4,8-byte write. + __u32 user_ip6[4]; /* Allows 1,2,4,8-byte read and 4,8-byte write. * Stored in network byte order. */ __u32 user_port; /* Allows 4-byte read and write. @@ -3257,7 +3299,7 @@ struct bpf_sock_addr { __u32 msg_src_ip4; /* Allows 1,2,4-byte read and 4-byte write. * Stored in network byte order. */ - __u32 msg_src_ip6[4]; /* Allows 1,2,4-byte read and 4,8-byte write. + __u32 msg_src_ip6[4]; /* Allows 1,2,4,8-byte read and 4,8-byte write. * Stored in network byte order. */ __bpf_md_ptr(struct bpf_sock *, sk); @@ -3504,6 +3546,10 @@ enum bpf_task_fd_type { BPF_FD_TYPE_URETPROBE, /* filename + offset */ }; +#define BPF_FLOW_DISSECTOR_F_PARSE_1ST_FRAG (1U << 0) +#define BPF_FLOW_DISSECTOR_F_STOP_AT_FLOW_LABEL (1U << 1) +#define BPF_FLOW_DISSECTOR_F_STOP_AT_ENCAP (1U << 2) + struct bpf_flow_keys { __u16 nhoff; __u16 thoff; @@ -3525,6 +3571,8 @@ struct bpf_flow_keys { __u32 ipv6_dst[4]; /* in6_addr; network order */ }; }; + __u32 flags; + __be32 flow_label; }; struct bpf_func_info { diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index b0a16dcdd..7a500cb3c 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -512,6 +512,9 @@ static void *(*bpf_sk_storage_get)(void *map, struct bpf_sock *sk, static int (*bpf_sk_storage_delete)(void *map, struct bpf_sock *sk) = (void *)BPF_FUNC_sk_storage_delete; static int (*bpf_send_signal)(unsigned sig) = (void *)BPF_FUNC_send_signal; +static long long (*bpf_tcp_gen_syncookie)(struct bpf_sock *sk, void *ip, + int ip_len, void *tcp, int tcp_len) = + (void *) BPF_FUNC_tcp_gen_syncookie; /* llvm builtin functions that eBPF C program may use to * emit BPF_LD_ABS and BPF_LD_IND instructions diff --git a/src/cc/libbpf b/src/cc/libbpf index 2c9394f2a..1a26b51b1 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 2c9394f2a3af77e7ee41e00beb69e59a7e86e732 +Subproject commit 1a26b51b1ca0c33ded075e7563ab40fba686ea0f diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index c9b893f53..8459ecf0a 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -207,6 +207,7 @@ static struct bpf_helper helpers[] = { {"sk_storage_get", "5.2"}, {"sk_storage_delete", "5.2"}, {"send_signal", "5.3"}, + {"tcp_gen_syncookie", "5.3"}, }; static uint64_t ptr_to_u64(void *ptr) From 0fa419a64e71984d42f107c210d3d3f0cc82d59a Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Thu, 3 Oct 2019 09:02:00 -0700 Subject: [PATCH 112/228] debian changelog for v0.11.0 tag (#2541) the main changes from v0.10.0 to v0.11.0 tag: * Support for kernel up to 5.3 * Corresponding libbpf submodule release is v0.0.5 * Fix USDT issue with multi-threaded applications * Fixed the early return behavior of lookup_or_init * Support for nic hardware offload * Fixed and Enabled Travis CI * A lot of tools change with added new options, etc. Signed-off-by: Yonghong Song --- debian/changelog | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/debian/changelog b/debian/changelog index f839a0a95..82c58ceca 100644 --- a/debian/changelog +++ b/debian/changelog @@ -1,3 +1,15 @@ +bcc (0.11.0-1) unstable; urgency=low + + * Support for kernel up to 5.3 + * Corresponding libbpf submodule release is v0.0.5 + * Fix USDT issue with multi-threaded applications + * Fixed the early return behavior of lookup_or_init + * Support for nic hardware offload + * Fixed and Enabled Travis CI + * A lot of tools change with added new options, etc. + + -- Yonghong Song Tue, 03 Oct 2019 17:00:00 +0000 + bcc (0.10.0-1) unstable; urgency=low * Support for kernel up to 5.1 From 76f31edfdbac03b02a4fc0bcd07fcd25c6dd5d03 Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Thu, 10 Oct 2019 09:24:02 -0700 Subject: [PATCH 113/228] sync with latest libbpf repo (#2545) libbpf repo has a big sync from kernel side. Let us bring in to ensure bcc working fine and indeed it works fine. Signed-off-by: Yonghong Song --- src/cc/compat/linux/virtual_bpf.h | 32 +++++++++++++++---------------- src/cc/libbpf | 2 +- 2 files changed, 17 insertions(+), 17 deletions(-) diff --git a/src/cc/compat/linux/virtual_bpf.h b/src/cc/compat/linux/virtual_bpf.h index d45d08109..362f2d2f7 100644 --- a/src/cc/compat/linux/virtual_bpf.h +++ b/src/cc/compat/linux/virtual_bpf.h @@ -795,7 +795,7 @@ union bpf_attr { * A 64-bit integer containing the current GID and UID, and * created as such: *current_gid* **<< 32 \|** *current_uid*. * - * int bpf_get_current_comm(char *buf, u32 size_of_buf) + * int bpf_get_current_comm(void *buf, u32 size_of_buf) * Description * Copy the **comm** attribute of the current task into *buf* of * *size_of_buf*. The **comm** attribute contains the name of @@ -1024,7 +1024,7 @@ union bpf_attr { * The realm of the route for the packet associated to *skb*, or 0 * if none was found. * - * int bpf_perf_event_output(struct pt_regs *ctx, struct bpf_map *map, u64 flags, void *data, u64 size) + * int bpf_perf_event_output(void *ctx, struct bpf_map *map, u64 flags, void *data, u64 size) * Description * Write raw *data* blob into a special BPF perf event held by * *map* of type **BPF_MAP_TYPE_PERF_EVENT_ARRAY**. This perf @@ -1069,7 +1069,7 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * - * int bpf_skb_load_bytes(const struct sk_buff *skb, u32 offset, void *to, u32 len) + * int bpf_skb_load_bytes(const void *skb, u32 offset, void *to, u32 len) * Description * This helper was provided as an easy way to load data from a * packet. It can be used to load *len* bytes from *offset* from @@ -1086,7 +1086,7 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * - * int bpf_get_stackid(struct pt_regs *ctx, struct bpf_map *map, u64 flags) + * int bpf_get_stackid(void *ctx, struct bpf_map *map, u64 flags) * Description * Walk a user or a kernel stack and return its id. To achieve * this, the helper needs *ctx*, which is a pointer to the context @@ -1155,7 +1155,7 @@ union bpf_attr { * The checksum result, or a negative error code in case of * failure. * - * int bpf_skb_get_tunnel_opt(struct sk_buff *skb, u8 *opt, u32 size) + * int bpf_skb_get_tunnel_opt(struct sk_buff *skb, void *opt, u32 size) * Description * Retrieve tunnel options metadata for the packet associated to * *skb*, and store the raw tunnel option data to the buffer *opt* @@ -1173,7 +1173,7 @@ union bpf_attr { * Return * The size of the option data retrieved. * - * int bpf_skb_set_tunnel_opt(struct sk_buff *skb, u8 *opt, u32 size) + * int bpf_skb_set_tunnel_opt(struct sk_buff *skb, void *opt, u32 size) * Description * Set tunnel options metadata for the packet associated to *skb* * to the option data contained in the raw buffer *opt* of *size*. @@ -1512,7 +1512,7 @@ union bpf_attr { * Return * 0 * - * int bpf_setsockopt(struct bpf_sock_ops *bpf_socket, int level, int optname, char *optval, int optlen) + * int bpf_setsockopt(struct bpf_sock_ops *bpf_socket, int level, int optname, void *optval, int optlen) * Description * Emulate a call to **setsockopt()** on the socket associated to * *bpf_socket*, which must be a full socket. The *level* at @@ -1596,7 +1596,7 @@ union bpf_attr { * Return * **XDP_REDIRECT** on success, or **XDP_ABORTED** on error. * - * int bpf_sk_redirect_map(struct bpf_map *map, u32 key, u64 flags) + * int bpf_sk_redirect_map(struct sk_buff *skb, struct bpf_map *map, u32 key, u64 flags) * Description * Redirect the packet to the socket referenced by *map* (of type * **BPF_MAP_TYPE_SOCKMAP**) at index *key*. Both ingress and @@ -1716,7 +1716,7 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * - * int bpf_getsockopt(struct bpf_sock_ops *bpf_socket, int level, int optname, char *optval, int optlen) + * int bpf_getsockopt(struct bpf_sock_ops *bpf_socket, int level, int optname, void *optval, int optlen) * Description * Emulate a call to **getsockopt()** on the socket associated to * *bpf_socket*, which must be a full socket. The *level* at @@ -1948,7 +1948,7 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * - * int bpf_get_stack(struct pt_regs *regs, void *buf, u32 size, u64 flags) + * int bpf_get_stack(void *ctx, void *buf, u32 size, u64 flags) * Description * Return a user or a kernel stack in bpf program provided buffer. * To achieve this, the helper needs *ctx*, which is a pointer @@ -1981,7 +1981,7 @@ union bpf_attr { * A non-negative value equal to or less than *size* on success, * or a negative error in case of failure. * - * int bpf_skb_load_bytes_relative(const struct sk_buff *skb, u32 offset, void *to, u32 len, u32 start_header) + * int bpf_skb_load_bytes_relative(const void *skb, u32 offset, void *to, u32 len, u32 start_header) * Description * This helper is similar to **bpf_skb_load_bytes**\ () in that * it provides an easy way to load *len* bytes from *offset* @@ -2034,7 +2034,7 @@ union bpf_attr { * * > 0 one of **BPF_FIB_LKUP_RET_** codes explaining why the * packet is not forwarded or needs assist from full stack * - * int bpf_sock_hash_update(struct bpf_sock_ops_kern *skops, struct bpf_map *map, void *key, u64 flags) + * int bpf_sock_hash_update(struct bpf_sock_ops *skops, struct bpf_map *map, void *key, u64 flags) * Description * Add an entry to, or update a sockhash *map* referencing sockets. * The *skops* is used as a new value for the entry associated to @@ -2393,7 +2393,7 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * - * int bpf_msg_push_data(struct sk_buff *skb, u32 start, u32 len, u64 flags) + * int bpf_msg_push_data(struct sk_msg_buff *msg, u32 start, u32 len, u64 flags) * Description * For socket policies, insert *len* bytes into *msg* at offset * *start*. @@ -2409,9 +2409,9 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * - * int bpf_msg_pop_data(struct sk_msg_buff *msg, u32 start, u32 pop, u64 flags) + * int bpf_msg_pop_data(struct sk_msg_buff *msg, u32 start, u32 len, u64 flags) * Description - * Will remove *pop* bytes from a *msg* starting at byte *start*. + * Will remove *len* bytes from a *msg* starting at byte *start*. * This may result in **ENOMEM** errors under certain situations if * an allocation and copy are required due to a full ring buffer. * However, the helper will try to avoid doing the allocation @@ -2506,7 +2506,7 @@ union bpf_attr { * A **struct bpf_tcp_sock** pointer on success, or **NULL** in * case of failure. * - * int bpf_skb_ecn_set_ce(struct sk_buf *skb) + * int bpf_skb_ecn_set_ce(struct sk_buff *skb) * Description * Set ECN (Explicit Congestion Notification) field of IP header * to **CE** (Congestion Encountered) if current value is **ECT** diff --git a/src/cc/libbpf b/src/cc/libbpf index 1a26b51b1..a30df5c09 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 1a26b51b1ca0c33ded075e7563ab40fba686ea0f +Subproject commit a30df5c09fb3941fc42c4570ed2545e7057bf82a From 2d1497cde1cc9835f759a707b42dea83bee378b8 Mon Sep 17 00:00:00 2001 From: Ivan Babrou Date: Thu, 10 Oct 2019 20:24:21 -0700 Subject: [PATCH 114/228] Redefine asm_inline for Linux 5.4+, Fixes #2546 (#2547) Here's the upstream commit that introduced `asm_inline`: * https://github.com/torvalds/linux/commit/eb111869301e15b737315a46c913ae82bd19eb9d Without this patch BCC fails with the following: ``` $ sudo /usr/share/bcc/tools/opensnoop In file included from /virtual/main.c:2: In file included from include/uapi/linux/ptrace.h:142: In file included from ./arch/x86/include/asm/ptrace.h:5: ./arch/x86/include/asm/segment.h:254:2: error: expected '(' after 'asm' alternative_io ("lsl %[seg],%[p]", ^ ./arch/x86/include/asm/alternative.h:240:2: note: expanded from macro 'alternative_io' asm_inline volatile (ALTERNATIVE(oldinstr, newinstr, feature) \ ^ include/linux/compiler_types.h:210:24: note: expanded from macro 'asm_inline' ^ ``` --- src/cc/export/helpers.h | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index 7a500cb3c..edab202f4 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -17,6 +17,14 @@ R"********( #ifndef __BPF_HELPERS_H #define __BPF_HELPERS_H +/* In Linux 5.4 asm_inline was introduced, but it's not supported by clang. + * Redefine it to just asm to enable successful compilation. + */ +#ifdef asm_inline +#undef asm_inline +#define asm_inline asm +#endif + /* Before bpf_helpers.h is included, uapi bpf.h has been * included, which references linux/types.h. This may bring * in asm_volatile_goto definition if permitted based on From 6b989dba8dbd8db6bb7a2f75810f2b979d58a955 Mon Sep 17 00:00:00 2001 From: synical Date: Sun, 13 Oct 2019 02:17:44 -0400 Subject: [PATCH 115/228] Fix Erroneous "gethostlatency" Comments (#2549) * Fix erroneous comment in gethostlatency.py * Fix erroneous comment in gethostlatency_example --- tools/gethostlatency.py | 2 +- tools/gethostlatency_example.txt | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/tools/gethostlatency.py b/tools/gethostlatency.py index 965c0db94..f7506a868 100755 --- a/tools/gethostlatency.py +++ b/tools/gethostlatency.py @@ -21,7 +21,7 @@ import argparse examples = """examples: - ./gethostlatency # trace all TCP accept()s + ./gethostlatency # time getaddrinfo/gethostbyname[2] calls ./gethostlatency -p 181 # only trace PID 181 """ parser = argparse.ArgumentParser( diff --git a/tools/gethostlatency_example.txt b/tools/gethostlatency_example.txt index debb2df1c..49302c620 100644 --- a/tools/gethostlatency_example.txt +++ b/tools/gethostlatency_example.txt @@ -33,5 +33,5 @@ optional arguments: -p PID, --pid PID trace this PID only examples: - ./gethostlatency # trace all TCP accept()s + ./gethostlatency # time getaddrinfo/gethostbyname[2] calls ./gethostlatency -p 181 # only trace PID 181 From 183be9a470035f1916349a29f31070400e9d3a70 Mon Sep 17 00:00:00 2001 From: Jakobu5 <32122722+Jakobu5@users.noreply.github.com> Date: Tue, 15 Oct 2019 04:54:51 +0200 Subject: [PATCH 116/228] Changed Link to HTTPS (#2551) Changed Link to HTTPS --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 26630ca74..66e167dae 100644 --- a/README.md +++ b/README.md @@ -245,7 +245,7 @@ Already pumped up to commit some code? Here are some resources to join the discussions in the [IOVisor](https://www.iovisor.org/) community and see what you want to work on. -* _Mailing List:_ http://lists.iovisor.org/mailman/listinfo/iovisor-dev +* _Mailing List:_ https://lists.iovisor.org/mailman/listinfo/iovisor-dev * _IRC:_ #iovisor at irc.oftc.net * _BCC Issue Tracker:_ [Github Issues](https://github.com/iovisor/bcc/issues) * _A guide for contributing scripts:_ [CONTRIBUTING-SCRIPTS.md](CONTRIBUTING-SCRIPTS.md) From 56aa780c3fc0149df400e90007b5ba5b9608182a Mon Sep 17 00:00:00 2001 From: senofgithub <591596081@qq.com> Date: Wed, 16 Oct 2019 14:52:03 +0800 Subject: [PATCH 117/228] Mod: the 'min_us' is in us, mot ms --- tools/runqslower_example.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tools/runqslower_example.txt b/tools/runqslower_example.txt index 64b604e06..61825e520 100644 --- a/tools/runqslower_example.txt +++ b/tools/runqslower_example.txt @@ -37,7 +37,7 @@ usage: runqslower.py [-h] [-p PID] [min_us] Trace high run queue latency positional arguments: - min_us minimum run queue latecy to trace, in ms (default 10000) + min_us minimum run queue latecy to trace, in us (default 10000) optional arguments: -h, --help show this help message and exit From e3668b991dd4147437bcb11400020b3e4f4cbe7d Mon Sep 17 00:00:00 2001 From: senofgithub <591596081@qq.com> Date: Wed, 16 Oct 2019 15:13:24 +0800 Subject: [PATCH 118/228] Mod: fix two errors in examples --- tools/drsnoop_example.txt | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/tools/drsnoop_example.txt b/tools/drsnoop_example.txt index 3171ef266..0c41fa531 100644 --- a/tools/drsnoop_example.txt +++ b/tools/drsnoop_example.txt @@ -38,7 +38,7 @@ whether it is caused by some critical processes or not. The -p option can be used to filter on a PID, which is filtered in-kernel. Here I've used it with -T to print timestamps: -# ./drsnoop -Tp +# ./drsnoop -Tp 17491 TIME(s) COMM PID LAT(ms) PAGES 107.364115000 summond 17491 0.24 50 107.364550000 summond 17491 0.26 38 @@ -142,7 +142,7 @@ examples: ./drsnoop # trace all direct reclaim ./drsnoop -T # include timestamps ./drsnoop -U # include UID - ./drsnoop -P 181 # only trace PID 181 + ./drsnoop -p 181 # only trace PID 181 ./drsnoop -t 123 # only trace TID 123 ./drsnoop -u 1000 # only trace UID 1000 ./drsnoop -d 10 # trace for 10 seconds only From 930846dc2c49281c693c2e39a0a2d21c650c61de Mon Sep 17 00:00:00 2001 From: Jerome Marchand Date: Fri, 9 Aug 2019 13:15:13 +0200 Subject: [PATCH 119/228] man: add missing -c option to tcpretrans synopsis --- man/man8/tcpretrans.8 | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/man/man8/tcpretrans.8 b/man/man8/tcpretrans.8 index e4f6fbf6d..0ac82afa8 100644 --- a/man/man8/tcpretrans.8 +++ b/man/man8/tcpretrans.8 @@ -2,7 +2,7 @@ .SH NAME tcpretrans \- Trace or count TCP retransmits and TLPs. Uses Linux eBPF/bcc. .SH SYNOPSIS -.B tcpretrans [\-h] [\-l] +.B tcpretrans [\-h] [\-l] [\-c] .SH DESCRIPTION This traces TCP retransmits, showing address, port, and TCP state information, and sometimes the PID (although usually not, since retransmits are usually From 54aa25763e87cd0c4e0298bcfca0094df87d2be7 Mon Sep 17 00:00:00 2001 From: Evan Klitzke Date: Fri, 18 Oct 2019 18:13:25 -0700 Subject: [PATCH 120/228] Fix a typo, tracepint -> tracepoint (#2559) Fix a typo, tracepint -> tracepoint --- src/python/bcc/__init__.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/python/bcc/__init__.py b/src/python/bcc/__init__.py index f3910c6f3..c0d9ff12d 100644 --- a/src/python/bcc/__init__.py +++ b/src/python/bcc/__init__.py @@ -868,7 +868,7 @@ def detach_raw_tracepoint(self, tp=b""): @staticmethod def support_raw_tracepoint(): - # kernel symbol "bpf_find_raw_tracepoint" indicates raw_tracepint support + # kernel symbol "bpf_find_raw_tracepoint" indicates raw_tracepoint support if BPF.ksymname("bpf_find_raw_tracepoint") != -1 or \ BPF.ksymname("bpf_get_raw_tracepoint") != -1: return True From 708f786e3784dc32570a079f2ed74c35731664ea Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Sat, 19 Oct 2019 12:13:54 -0700 Subject: [PATCH 121/228] document the release info related to libbpf submodule (#2561) Fix issue #2261. In INSTALL.md document that source code with libbpf submodule will be released as well for each bcc release in the future. Signed-off-by: Yonghong Song --- INSTALL.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/INSTALL.md b/INSTALL.md index 3a0af1d07..84f044e95 100644 --- a/INSTALL.md +++ b/INSTALL.md @@ -221,6 +221,16 @@ sudo yum install bcc # Source +## libbpf Submodule + +Since release v0.10.0, bcc starts to leverage libbpf repo (https://github.com/libbpf/libbpf) +to provide wrapper functions to the kernel for bpf syscalls, uapi headers bpf.h/btf.h etc. +Unfortunately, the default github release source code does not contain libbpf submodule +source code and this will cause build issues. + +To alleviate this problem, starting at release v0.11.0, source code with corresponding +libbpf submodule codes will be released as well. See https://github.com/iovisor/bcc/releases. + ## Debian - Source ### Jessie #### Repositories From f04c6de5bfaa9137be09af0e6aaad040936bb148 Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Sat, 19 Oct 2019 12:14:16 -0700 Subject: [PATCH 122/228] assign offset properly for btf DataSec (#2560) The following test case failed: -bash-4.4$ cat test.py #!/usr/bin/python from bcc import BPF prog=""" BPF_ARRAY(array1, u64, 1); BPF_ARRAY(array2, u64, 1); """ b=BPF(text=prog, debug=0x20) -bash-4.4$ sudo ./test.py libbpf: Error loading BTF: Invalid argument(22) libbpf: magic: 0xeb9f version: 1 flags: 0x0 hdr_len: 24 ... [57] DATASEC array size=176 vlen=2 type_id=47 offset=0 size=88 type_id=49 offset=0 size=88 Invalid offset Loading .BTF section failed -bash-4.4$ The reason is the data offset in DataSec VarInfo (e.g., type_id=47 offset=0 size=88) always have offset=0 since JIT won't do a final relocation for the record. Assign offset properly in bcc_btf before loading btf to the kernel. With this patch, test case can load btf properly. -bash-4.4$ cat test.py #!/usr/bin/python from bcc import BPF prog=""" BPF_ARRAY(array1, u64, 1); BPF_ARRAY(array2, u64, 1); """ b=BPF(text=prog, debug=0x20) -bash-4.4$ sudo ./test.py -bash-4.4$ Signed-off-by: Yonghong Song --- src/cc/bcc_btf.cc | 15 ++++++++++++++- 1 file changed, 14 insertions(+), 1 deletion(-) diff --git a/src/cc/bcc_btf.cc b/src/cc/bcc_btf.cc index 128167579..f7773fd4d 100644 --- a/src/cc/bcc_btf.cc +++ b/src/cc/bcc_btf.cc @@ -114,7 +114,7 @@ void BTF::fixup_datasec(uint8_t *type_sec, uintptr_t type_sec_size, case BTF_KIND_VAR: next_type += sizeof(struct btf_var); break; - case BTF_KIND_DATASEC: + case BTF_KIND_DATASEC: { secname = strings + t->name_off; if (sections_.find(secname) != sections_.end()) { t->size = std::get<1>(sections_[secname]); @@ -126,8 +126,21 @@ void BTF::fixup_datasec(uint8_t *type_sec, uintptr_t type_sec_size, // changed to accpet '/' in section names. if (strncmp(strings + t->name_off, "maps/", 5) == 0) t->name_off += 5; + + // fill in the in-section offset as JIT did not + // do relocations. Did not cross-verify correctness with + // symbol table as we do not use it yet. + struct btf_var_secinfo *var_info = (struct btf_var_secinfo *)next_type; + uint32_t offset = 0; + for (int index = 0; index < vlen; index++) { + var_info->offset = offset; + offset += var_info->size; + var_info++; + } + next_type += vlen * sizeof(struct btf_var_secinfo); break; + } default: // Something not understood return; From c2a530b3adf91e5fe5886277e0f2abed4a77b8ea Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Sun, 20 Oct 2019 09:35:55 -0700 Subject: [PATCH 123/228] support cgroup level tracing in trace.py (#2562) This patch added cgroup based filtering in trace.py. If a cgroup path is specified by the user, one cgroup array map will be added to the program: BPF_CGROUP_ARRAY(__cgroup, 1); Each probe will have a filter like below: if (__cgroup.check_current_task(0) <= 0) { return 0; } to filter out any events not happening in the cgroup hierarchy as specified by the user. The trace.py updated the `__cgroup` map with user provided cgroup path information before attaching bpf functions to events for probe function(s). An example like below: $ trace.py -v -c /sys/fs/cgroup/system.slice/workload.service \ '__x64_sys_nanosleep' '__x64_sys_clone' PID TID COMM FUNC 3191578 3191583 BaseAgentEvents __x64_sys_nanosleep 3191578 3191579 FutureTimekeepr __x64_sys_clone 3191578 3191583 BaseAgentEvents __x64_sys_nanosleep 3191578 3191583 BaseAgentEvents __x64_sys_nanosleep since workload.service only contains one process 3191578. Going up the hierarchy to system.slice will have more processes and hence more results: $ trace.py -v -c /sys/fs/cgroup/system.slice \ '__x64_sys_nanosleep' '__x64_sys_clone' PID TID COMM FUNC 591542 591677 dynoScribe __x64_sys_nanosleep 591610 591613 mcreplay2 __x64_sys_nanosleep 553252 553252 sleeperagent __x64_sys_nanosleep 591610 591613 mcreplay2 __x64_sys_nanosleep 553252 553252 sleeperagent __x64_sys_nanosleep Signed-off-by: Yonghong Song --- man/man8/trace.8 | 3 +++ tools/trace.py | 38 ++++++++++++++++++++++++++++++++++---- tools/trace_example.txt | 3 +++ 3 files changed, 40 insertions(+), 4 deletions(-) diff --git a/man/man8/trace.8 b/man/man8/trace.8 index ebbb43837..df3b978e7 100644 --- a/man/man8/trace.8 +++ b/man/man8/trace.8 @@ -55,6 +55,9 @@ Print the time column. \-C Print CPU id. .TP +\-c CGROUP_PATH +Trace only functions in processes under CGROUP_PATH hierarchy. +.TP \-B Treat argument of STRCMP helper as a binary value .TP diff --git a/tools/trace.py b/tools/trace.py index f406f7cae..1f4f5893c 100755 --- a/tools/trace.py +++ b/tools/trace.py @@ -3,7 +3,7 @@ # trace Trace a function and print a trace message based on its # parameters, with an optional filter. # -# usage: trace [-h] [-p PID] [-L TID] [-v] [-Z STRING_SIZE] [-S] +# usage: trace [-h] [-p PID] [-L TID] [-v] [-Z STRING_SIZE] [-S] [-c cgroup_path] # [-M MAX_EVENTS] [-s SYMBOLFILES] [-T] [-t] [-K] [-U] [-a] [-I header] # probe [probe ...] # @@ -57,7 +57,8 @@ def configure(cls, args): cls.bin_cmp = args.bin_cmp cls.build_id_enabled = args.sym_file_list is not None - def __init__(self, probe, string_size, kernel_stack, user_stack): + def __init__(self, probe, string_size, kernel_stack, user_stack, + cgroup_map_name): self.usdt = None self.streq_functions = "" self.raw_probe = probe @@ -71,6 +72,7 @@ def __init__(self, probe, string_size, kernel_stack, user_stack): (self._display_function(), self.probe_num) self.probe_name = re.sub(r'[^A-Za-z0-9_]', '_', self.probe_name) + self.cgroup_map_name = cgroup_map_name # compiler can generate proper codes for function # signatures with "syscall__" prefix @@ -453,6 +455,13 @@ def generate_program(self, include_self): else: pid_filter = "" + if self.cgroup_map_name is not None: + cgroup_filter = """ + if (%s.check_current_task(0) <= 0) { return 0; } + """ % self.cgroup_map_name + else: + cgroup_filter = "" + prefix = "" signature = "struct pt_regs *ctx" if self.signature: @@ -494,6 +503,7 @@ def generate_program(self, include_self): %s %s %s + %s if (!(%s)) return 0; struct %s __data = {0}; @@ -508,7 +518,7 @@ def generate_program(self, include_self): return 0; } """ - text = text % (pid_filter, prefix, + text = text % (pid_filter, cgroup_filter, prefix, self._generate_usdt_filter_read(), self.filter, self.struct_name, time_str, cpu_str, data_fields, stack_trace, self.events_name, ctx_name) @@ -659,6 +669,9 @@ class Tool(object): Trace the USDT probe pthread_create when its 4th argument is non-zero trace 'p::SyS_nanosleep(struct timespec *ts) "sleep for %lld ns", ts->tv_nsec' Trace the nanosleep syscall and print the sleep duration in ns +trace -c /sys/fs/cgroup/system.slice/workload.service '__x64_sys_nanosleep' '__x64_sys_clone' + Trace nanosleep/clone syscall calls only under workload.service + cgroup hierarchy. trace -I 'linux/fs.h' \\ 'p::uprobe_register(struct inode *inode) "a_ops = %llx", inode->i_mapping->a_ops' Trace the uprobe_register inode mapping ops, and the symbol can be found @@ -709,6 +722,9 @@ def __init__(self): help="print time column") parser.add_argument("-C", "--print_cpu", action="store_true", help="print CPU id") + parser.add_argument("-c", "--cgroup-path", type=str, \ + metavar="CGROUP_PATH", dest="cgroup_path", \ + help="cgroup path") parser.add_argument("-B", "--bin_cmp", action="store_true", help="allow to use STRCMP with binary values") parser.add_argument('-s', "--sym_file_list", type=str, \ @@ -734,6 +750,10 @@ def __init__(self): self.args = parser.parse_args() if self.args.tgid and self.args.pid: parser.error("only one of -p and -L may be specified") + if self.args.cgroup_path is not None: + self.cgroup_map_name = "__cgroup" + else: + self.cgroup_map_name = None def _create_probes(self): Probe.configure(self.args) @@ -741,7 +761,8 @@ def _create_probes(self): for probe_spec in self.args.probes: self.probes.append(Probe( probe_spec, self.args.string_size, - self.args.kernel_stack, self.args.user_stack)) + self.args.kernel_stack, self.args.user_stack, + self.cgroup_map_name)) def _generate_program(self): self.program = """ @@ -757,6 +778,9 @@ def _generate_program(self): self.program += "#include <%s>\n" % include self.program += BPF.generate_auto_includes( map(lambda p: p.raw_probe, self.probes)) + if self.cgroup_map_name is not None: + self.program += "BPF_CGROUP_ARRAY(%s, 1);\n" % \ + self.cgroup_map_name for probe in self.probes: self.program += probe.generate_program( self.args.include_self) @@ -782,6 +806,12 @@ def _attach_probes(self): if self.args.sym_file_list is not None: print("Note: Kernel bpf will report stack map with ip/build_id") map(lambda x: self.bpf.add_module(x), self.args.sym_file_list.split(',')) + + # if cgroup filter is requested, update the cgroup array map + if self.cgroup_map_name is not None: + cgroup_array = self.bpf.get_table(self.cgroup_map_name) + cgroup_array[0] = self.args.cgroup_path + for probe in self.probes: if self.args.verbose: print(probe) diff --git a/tools/trace_example.txt b/tools/trace_example.txt index 303be0eed..156929f58 100644 --- a/tools/trace_example.txt +++ b/tools/trace_example.txt @@ -324,6 +324,9 @@ trace 'u:pthread:pthread_create (arg4 != 0)' Trace the USDT probe pthread_create when its 4th argument is non-zero trace 'p::SyS_nanosleep(struct timespec *ts) "sleep for %lld ns", ts->tv_nsec' Trace the nanosleep syscall and print the sleep duration in ns +trace -c /sys/fs/cgroup/system.slice/workload.service '__x64_sys_nanosleep' '__x64_sys_clone' + Trace nanosleep/clone syscall calls only under workload.service + cgroup hierarchy. trace -I 'linux/fs.h' \ 'p::uprobe_register(struct inode *inode) "a_ops = %llx", inode->i_mapping->a_ops' Trace the uprobe_register inode mapping ops, and the symbol can be found From 93479699176c613e2caa0bd6c8b731d0b7257746 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?J=C3=BCrgen=20H=C3=B6tzel?= Date: Sun, 20 Oct 2019 18:36:44 +0200 Subject: [PATCH 124/228] man: COMM describes the process name, not the parent process name (#2563) For shmsnoop, COMM describes the process name, not the parent process name. --- man/man8/shmsnoop.8 | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/man/man8/shmsnoop.8 b/man/man8/shmsnoop.8 index 390974f6f..e7092e195 100644 --- a/man/man8/shmsnoop.8 +++ b/man/man8/shmsnoop.8 @@ -50,7 +50,7 @@ PID Process ID .TP COMM -Parent process/command name. +Process/command name. .TP RET Return value of shm syscall. From 9b433f20ea0b5832c151e577268df66046c4bfe1 Mon Sep 17 00:00:00 2001 From: Tristan Cacqueray Date: Wed, 23 Oct 2019 15:02:03 +0000 Subject: [PATCH 125/228] cpudist: create sufficiently large hash table to avoid missing tasks This change fixes the cpudist tool to avoid issue when too many tasks are running. Fixes #2567 -- cpudist stop working when there are too many fork --- tools/cpudist.py | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/tools/cpudist.py b/tools/cpudist.py index 4d7c9eb4e..4e549ac48 100755 --- a/tools/cpudist.py +++ b/tools/cpudist.py @@ -64,7 +64,7 @@ } pid_key_t; -BPF_HASH(start, u32, u64); +BPF_HASH(start, u32, u64, MAX_PID); STORAGE static inline void store_start(u32 tgid, u32 pid, u64 ts) @@ -142,7 +142,7 @@ pid = "pid" section = "tid" bpf_text = bpf_text.replace('STORAGE', - 'BPF_HISTOGRAM(dist, pid_key_t);') + 'BPF_HISTOGRAM(dist, pid_key_t, MAX_PID);') bpf_text = bpf_text.replace('STORE', 'pid_key_t key = {.id = ' + pid + ', .slot = bpf_log2l(delta)}; ' + 'dist.increment(key);') @@ -156,7 +156,9 @@ if args.ebpf: exit() -b = BPF(text=bpf_text) +max_pid = int(open("/proc/sys/kernel/pid_max").read()) + +b = BPF(text=bpf_text, cflags=["-DMAX_PID=%d" % max_pid]) b.attach_kprobe(event="finish_task_switch", fn_name="sched_switch") print("Tracing %s-CPU time... Hit Ctrl-C to end." % From 2dad4759a850bac6a0e3e1dd5fe35fc4c29419f0 Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Mon, 28 Oct 2019 10:07:49 -0700 Subject: [PATCH 126/228] fix compilation errors with latest llvm trunk (#2575) llvm commit https://reviews.llvm.org/D66795 changed the signature of function createMCAsmInfo(). - MCAsmInfo *createMCAsmInfo(const MCRegisterInfo &MRI, - StringRef TheTriple) const { + MCAsmInfo *createMCAsmInfo(const MCRegisterInfo &MRI, StringRef TheTriple, + const MCTargetOptions &Options) const { Did similar adjustment in bcc to ensure compilation success. Signed-off-by: Yonghong Song --- src/cc/bcc_debug.cc | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/src/cc/bcc_debug.cc b/src/cc/bcc_debug.cc index 759576c34..1e82d2669 100644 --- a/src/cc/bcc_debug.cc +++ b/src/cc/bcc_debug.cc @@ -117,7 +117,12 @@ void SourceDebugger::dump() { errs() << "Debug Error: cannot get register info\n"; return; } +#if LLVM_MAJOR_VERSION >= 10 + MCTargetOptions MCOptions; + std::unique_ptr MAI(T->createMCAsmInfo(*MRI, TripleStr, MCOptions)); +#else std::unique_ptr MAI(T->createMCAsmInfo(*MRI, TripleStr)); +#endif if (!MAI) { errs() << "Debug Error: cannot get assembly info\n"; return; From eb1a2f64a47030728ac8e190adf1fe27466dda7a Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Mon, 28 Oct 2019 15:22:07 -0700 Subject: [PATCH 127/228] sync with latest libbpf (#2576) This should fix the ARM build issue reported in issue #83. Signed-off-by: Yonghong Song --- src/cc/libbpf | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/cc/libbpf b/src/cc/libbpf index a30df5c09..f02e248ae 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit a30df5c09fb3941fc42c4570ed2545e7057bf82a +Subproject commit f02e248ae125a30564b74900ed2fce40128dc4e0 From 82f4302a651a6b46b0b090733d34af8201ecacb5 Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Thu, 31 Oct 2019 08:16:12 -0700 Subject: [PATCH 128/228] introduce map.lookup_or_try_init() (#2577) Previously, map.lookup_or_init() may cause unexpected return from the function when lookup finds no element and init failed e.g. due to unlikely racy update or sometimes hash table full. This has caught surprise from many users. So, the commit https://github.com/iovisor/bcc/commit/ba64f031f2435aad5a85f8f37dbbe2a982cbbe6b attempts to remove the early return in map.lookup_or_init(). But then since NULL pointer could be returned, user will need to change their bpf program to check return value, otherwise, verifier will reject the program. As described in the above, such an API behavior change may cause verifier failure and reject previously loadable bpf programs. bcc should try to maintain API stability, esp. to avoid subtle API behavior change. This patch propose to restore the behavior of map.lookup_or_init() and introduce a new one map.lookup_or_try_init(), which will avoid unexpected return. The name is suggested by Alexei to reflect that init may fail. map.lookup_or_try_init() will be formally documented and used in bcc. A warning will be generated if map.lookup_or_init() is used. Documentation will make it clear that map.lookup_or_try_init() is preferred over map.lookup_or_init(). ``` -bash-4.4$ sudo ./syscount.py /virtual/main.c:71:11: warning: lookup_or_init() may return from the function, use loopup_or_try_init() instead. val = data.lookup_or_init(&key, &zero); ^ 1 warning generated. Tracing syscalls, printing top 10... Ctrl+C to quit. ... ``` All uses in examples and tools are converted to use lookup_or_try_init(). Most tests are converted to use lookup_or_try_init() too except test_trace_maxactive.py and test_tracepoint.py to test lookup_or_init() functionality. --- docs/reference_guide.md | 19 +++++++++++-------- docs/tutorial_bcc_python_developer.md | 4 ++-- examples/cpp/LLCStat.cc | 4 ++-- examples/cpp/TCPSendStack.cc | 2 +- examples/cpp/UseExternalMap.cc | 2 +- examples/lua/offcputime.lua | 2 +- examples/lua/task_switch.lua | 2 +- .../networking/distributed_bridge/tunnel.c | 2 +- .../http_filter/http-parse-complete.c | 2 +- examples/networking/tunnel_monitor/monitor.c | 2 +- .../networking/vlan_learning/vlan_learning.c | 2 +- examples/tracing/mallocstacks.py | 2 +- examples/tracing/strlen_count.py | 2 +- examples/tracing/task_switch.c | 2 +- examples/usdt_sample/scripts/lat_avg.py | 2 +- src/cc/export/helpers.h | 1 + src/cc/frontends/clang/b_frontend_action.cc | 10 ++++++++-- tests/cc/test_bpf_table.cc | 4 ++-- tests/lua/test_clang.lua | 2 +- tests/python/test_clang.py | 2 +- tests/python/test_license.py | 2 +- tests/python/test_lru.py | 2 +- tests/python/test_percpu.py | 6 +++--- tests/python/test_stat1.c | 2 +- tests/python/test_trace2.c | 2 +- tests/python/test_trace2.py | 2 +- tests/python/test_trace3.c | 2 +- tests/python/test_trace4.py | 4 ++-- tests/python/test_trace_maxactive.py | 8 ++------ tests/python/test_tracepoint.py | 10 +++------- tools/biotop.py | 4 ++-- tools/deadlock.c | 4 ++-- tools/filetop.py | 2 +- tools/lib/ucalls.py | 8 ++++---- tools/lib/uflow.py | 2 +- tools/lib/uobjnew.py | 10 +++++----- tools/lib/ustat.py | 2 +- tools/slabratetop.py | 2 +- tools/syscount.py | 4 ++-- 39 files changed, 75 insertions(+), 73 deletions(-) diff --git a/docs/reference_guide.md b/docs/reference_guide.md index 149abbdde..0cd91eb2d 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -45,7 +45,7 @@ This guide is incomplete. If something feels missing, check the bcc and kernel s - [10. BPF_DEVMAP](#10-bpf_devmap) - [11. BPF_CPUMAP](#11-bpf_cpumap) - [12. map.lookup()](#12-maplookup) - - [13. map.lookup_or_init()](#13-maplookup_or_init) + - [13. map.lookup_or_try_init()](#13-maplookup_or_try_init) - [14. map.delete()](#14-mapdelete) - [15. map.update()](#15-mapupdate) - [16. map.insert()](#16-mapinsert) @@ -537,7 +537,7 @@ Syntax: ```BPF_TABLE(_table_type, _key_type, _leaf_type, _name, _max_entries)``` Creates a map named ```_name```. Most of the time this will be used via higher-level macros, like BPF_HASH, BPF_HIST, etc. -Methods (covered later): map.lookup(), map.lookup_or_init(), map.delete(), map.update(), map.insert(), map.increment(). +Methods (covered later): map.lookup(), map.lookup_or_try_init(), map.delete(), map.update(), map.insert(), map.increment(). Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=BPF_TABLE+path%3Aexamples&type=Code), @@ -570,7 +570,7 @@ BPF_HASH(start, struct request *); This creates a hash named ```start``` where the key is a ```struct request *```, and the value defaults to u64. This hash is used by the disksnoop.py example for saving timestamps for each I/O request, where the key is the pointer to struct request, and the value is the timestamp. -Methods (covered later): map.lookup(), map.lookup_or_init(), map.delete(), map.update(), map.insert(), map.increment(). +Methods (covered later): map.lookup(), map.lookup_or_try_init(), map.delete(), map.update(), map.insert(), map.increment(). Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=BPF_HASH+path%3Aexamples&type=Code), @@ -705,7 +705,7 @@ BPF_LPM_TRIE(trie, struct key_v6); This creates an LPM trie map named `trie` where the key is a `struct key_v6`, and the value defaults to u64. -Methods (covered later): map.lookup(), map.lookup_or_init(), map.delete(), map.update(), map.insert(), map.increment(). +Methods (covered later): map.lookup(), map.lookup_or_try_init(), map.delete(), map.update(), map.insert(), map.increment(). Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=BPF_LPM_TRIE+path%3Aexamples&type=Code), @@ -766,15 +766,18 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=lookup+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=lookup+path%3Atools&type=Code) -### 13. map.lookup_or_init() +### 13. map.lookup_or_try_init() -Syntax: ```*val map.lookup_or_init(&key, &zero)``` +Syntax: ```*val map.lookup_or_try_init(&key, &zero)``` Lookup the key in the map, and return a pointer to its value if it exists, else initialize the key's value to the second argument. This is often used to initialize values to zero. If the key cannot be inserted (e.g. the map is full) then NULL is returned. Examples in situ: -[search /examples](https://github.com/iovisor/bcc/search?q=lookup_or_init+path%3Aexamples&type=Code), -[search /tools](https://github.com/iovisor/bcc/search?q=lookup_or_init+path%3Atools&type=Code) +[search /examples](https://github.com/iovisor/bcc/search?q=lookup_or_try_init+path%3Aexamples&type=Code), +[search /tools](https://github.com/iovisor/bcc/search?q=lookup_or_try_init+path%3Atools&type=Code) + +Note: The old map.lookup_or_init() may cause return from the function, so lookup_or_try_init() is recommended as it +does not have this side effect. ### 14. map.delete() diff --git a/docs/tutorial_bcc_python_developer.md b/docs/tutorial_bcc_python_developer.md index 60a0dfb0b..a06f4b7f0 100644 --- a/docs/tutorial_bcc_python_developer.md +++ b/docs/tutorial_bcc_python_developer.md @@ -558,7 +558,7 @@ int count(struct pt_regs *ctx) { bpf_probe_read(&key.c, sizeof(key.c), (void *)PT_REGS_PARM1(ctx)); // could also use `counts.increment(key)` - val = counts.lookup_or_init(&key, &zero); + val = counts.lookup_or_try_init(&key, &zero); if (val) { (*val)++; } @@ -679,7 +679,7 @@ int count_sched(struct pt_regs *ctx, struct task_struct *prev) { key.prev_pid = prev->pid; // could also use `stats.increment(key);` - val = stats.lookup_or_init(&key, &zero); + val = stats.lookup_or_try_init(&key, &zero); if (val) { (*val)++; } diff --git a/examples/cpp/LLCStat.cc b/examples/cpp/LLCStat.cc index b1a36aedc..b351f1dd8 100644 --- a/examples/cpp/LLCStat.cc +++ b/examples/cpp/LLCStat.cc @@ -42,7 +42,7 @@ int on_cache_miss(struct bpf_perf_event_data *ctx) { get_key(&key); u64 zero = 0, *val; - val = miss_count.lookup_or_init(&key, &zero); + val = miss_count.lookup_or_try_init(&key, &zero); if (val) { (*val) += ctx->sample_period; } @@ -55,7 +55,7 @@ int on_cache_ref(struct bpf_perf_event_data *ctx) { get_key(&key); u64 zero = 0, *val; - val = ref_count.lookup_or_init(&key, &zero); + val = ref_count.lookup_or_try_init(&key, &zero); if (val) { (*val) += ctx->sample_period; } diff --git a/examples/cpp/TCPSendStack.cc b/examples/cpp/TCPSendStack.cc index 7c4167089..42aac3448 100644 --- a/examples/cpp/TCPSendStack.cc +++ b/examples/cpp/TCPSendStack.cc @@ -38,7 +38,7 @@ int on_tcp_send(struct pt_regs *ctx) { key.user_stack = stack_traces.get_stackid(ctx, BPF_F_USER_STACK); u64 zero = 0, *val; - val = counts.lookup_or_init(&key, &zero); + val = counts.lookup_or_try_init(&key, &zero); if (val) { (*val)++; } diff --git a/examples/cpp/UseExternalMap.cc b/examples/cpp/UseExternalMap.cc index 724a12f98..31bd17ab7 100644 --- a/examples/cpp/UseExternalMap.cc +++ b/examples/cpp/UseExternalMap.cc @@ -55,7 +55,7 @@ int on_sched_switch(struct tracepoint__sched__sched_switch *args) { key.next_pid = args->next_pid; __builtin_memcpy(&key.prev_comm, args->prev_comm, 16); __builtin_memcpy(&key.next_comm, args->next_comm, 16); - val = counts.lookup_or_init(&key, &zero); + val = counts.lookup_or_try_init(&key, &zero); if (val) { (*val)++; } diff --git a/examples/lua/offcputime.lua b/examples/lua/offcputime.lua index 73bd43509..6d23cd878 100755 --- a/examples/lua/offcputime.lua +++ b/examples/lua/offcputime.lua @@ -64,7 +64,7 @@ int oncpu(struct pt_regs *ctx, struct task_struct *prev) { bpf_get_current_comm(&key.name, sizeof(key.name)); key.stack_id = stack_traces.get_stackid(ctx, stack_flags); - val = counts.lookup_or_init(&key, &zero); + val = counts.lookup_or_try_init(&key, &zero); if (val) { (*val) += delta; } diff --git a/examples/lua/task_switch.lua b/examples/lua/task_switch.lua index 92c1f276e..4a6dbf58a 100755 --- a/examples/lua/task_switch.lua +++ b/examples/lua/task_switch.lua @@ -32,7 +32,7 @@ int count_sched(struct pt_regs *ctx, struct task_struct *prev) { key.curr_pid = bpf_get_current_pid_tgid(); key.prev_pid = prev->pid; - val = stats.lookup_or_init(&key, &zero); + val = stats.lookup_or_try_init(&key, &zero); if (val) { (*val)++; } diff --git a/examples/networking/distributed_bridge/tunnel.c b/examples/networking/distributed_bridge/tunnel.c index 1d5681fb0..da795a547 100644 --- a/examples/networking/distributed_bridge/tunnel.c +++ b/examples/networking/distributed_bridge/tunnel.c @@ -36,7 +36,7 @@ int handle_ingress(struct __sk_buff *skb) { if (ifindex) { //bpf_trace_printk("ingress tunnel_id=%d ifindex=%d\n", tkey.tunnel_id, *ifindex); struct vni_key vk = {ethernet->src, *ifindex, 0}; - struct host *src_host = mac2host.lookup_or_init(&vk, + struct host *src_host = mac2host.lookup_or_try_init(&vk, &(struct host){tkey.tunnel_id, tkey.remote_ipv4, 0, 0}); if (src_host) { lock_xadd(&src_host->rx_pkts, 1); diff --git a/examples/networking/http_filter/http-parse-complete.c b/examples/networking/http_filter/http-parse-complete.c index 8c6dbf80c..117cd4504 100644 --- a/examples/networking/http_filter/http-parse-complete.c +++ b/examples/networking/http_filter/http-parse-complete.c @@ -141,7 +141,7 @@ int http_filter(struct __sk_buff *skb) { //keep the packet and send it to userspace retruning -1 HTTP_MATCH: //if not already present, insert into map - sessions.lookup_or_init(&key,&zero); + sessions.lookup_or_try_init(&key,&zero); //send packet to userspace returning -1 KEEP: diff --git a/examples/networking/tunnel_monitor/monitor.c b/examples/networking/tunnel_monitor/monitor.c index 787be1f77..17acbc60d 100644 --- a/examples/networking/tunnel_monitor/monitor.c +++ b/examples/networking/tunnel_monitor/monitor.c @@ -125,7 +125,7 @@ ip: ; if (key.outer_dip < key.outer_sip) swap_ipkey(&key); struct counters zleaf = {0}; - struct counters *leaf = stats.lookup_or_init(&key, &zleaf); + struct counters *leaf = stats.lookup_or_try_init(&key, &zleaf); if (leaf) { if (is_ingress) { lock_xadd(&leaf->rx_pkts, 1); diff --git a/examples/networking/vlan_learning/vlan_learning.c b/examples/networking/vlan_learning/vlan_learning.c index ad08c1184..4ca91a965 100644 --- a/examples/networking/vlan_learning/vlan_learning.c +++ b/examples/networking/vlan_learning/vlan_learning.c @@ -32,7 +32,7 @@ int handle_phys2virt(struct __sk_buff *skb) { // auto-program reverse direction table int out_ifindex = leaf->out_ifindex; struct ifindex_leaf_t zleaf = {0}; - struct ifindex_leaf_t *out_leaf = egress.lookup_or_init(&out_ifindex, &zleaf); + struct ifindex_leaf_t *out_leaf = egress.lookup_or_try_init(&out_ifindex, &zleaf); if (out_leaf) { // to capture potential configuration changes out_leaf->out_ifindex = skb->ifindex; diff --git a/examples/tracing/mallocstacks.py b/examples/tracing/mallocstacks.py index 051ee3f92..31306a491 100755 --- a/examples/tracing/mallocstacks.py +++ b/examples/tracing/mallocstacks.py @@ -46,7 +46,7 @@ // could also use `calls.increment(key, size);` u64 zero = 0, *val; - val = calls.lookup_or_init(&key, &zero); + val = calls.lookup_or_try_init(&key, &zero); if (val) { (*val) += size; } diff --git a/examples/tracing/strlen_count.py b/examples/tracing/strlen_count.py index c122d647a..f1bb1b7ef 100755 --- a/examples/tracing/strlen_count.py +++ b/examples/tracing/strlen_count.py @@ -33,7 +33,7 @@ bpf_probe_read(&key.c, sizeof(key.c), (void *)PT_REGS_PARM1(ctx)); // could also use `counts.increment(key)` - val = counts.lookup_or_init(&key, &zero); + val = counts.lookup_or_try_init(&key, &zero); if (val) { (*val)++; } diff --git a/examples/tracing/task_switch.c b/examples/tracing/task_switch.c index 83f4ff182..fd902018e 100644 --- a/examples/tracing/task_switch.c +++ b/examples/tracing/task_switch.c @@ -15,7 +15,7 @@ int count_sched(struct pt_regs *ctx, struct task_struct *prev) { key.prev_pid = prev->pid; // could also use `stats.increment(key);` - val = stats.lookup_or_init(&key, &zero); + val = stats.lookup_or_try_init(&key, &zero); if (val) { (*val)++; } diff --git a/examples/usdt_sample/scripts/lat_avg.py b/examples/usdt_sample/scripts/lat_avg.py index 48e7db56a..7c72e2110 100755 --- a/examples/usdt_sample/scripts/lat_avg.py +++ b/examples/usdt_sample/scripts/lat_avg.py @@ -78,7 +78,7 @@ start_hash.delete(&operation_id); struct hash_leaf_t zero = {}; - struct hash_leaf_t* hash_leaf = lat_hash.lookup_or_init(&hash_key, &zero); + struct hash_leaf_t* hash_leaf = lat_hash.lookup_or_try_init(&hash_key, &zero); if (0 == hash_leaf) { return 0; } diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index edab202f4..ba983e3fe 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -78,6 +78,7 @@ struct _name##_table_t { \ _leaf_type leaf; \ _leaf_type * (*lookup) (_key_type *); \ _leaf_type * (*lookup_or_init) (_key_type *, _leaf_type *); \ + _leaf_type * (*lookup_or_try_init) (_key_type *, _leaf_type *); \ int (*update) (_key_type *, _leaf_type *); \ int (*insert) (_key_type *, _leaf_type *); \ int (*delete) (_key_type *); \ diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index cb1f5b1cd..e44163f4d 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -291,7 +291,8 @@ bool ProbeVisitor::assignsExtPtr(Expr *E, int *nbAddrOf) { if (!A->getName().startswith("maps")) return false; - if (memb_name == "lookup" || memb_name == "lookup_or_init") { + if (memb_name == "lookup" || memb_name == "lookup_or_init" || + memb_name == "lookup_or_try_init") { if (m_.find(Ref->getDecl()) != m_.end()) { // Retrieved an ext. pointer from a map, mark LHS as ext. pointer. // Pointers from maps always need a single dereference to get the @@ -772,7 +773,7 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { string txt; auto rewrite_start = GET_BEGINLOC(Call); auto rewrite_end = GET_ENDLOC(Call); - if (memb_name == "lookup_or_init") { + if (memb_name == "lookup_or_init" || memb_name == "lookup_or_try_init") { string name = Ref->getDecl()->getName(); string arg0 = rewriter_.getRewrittenText(expansionRange(Call->getArg(0)->getSourceRange())); string arg1 = rewriter_.getRewrittenText(expansionRange(Call->getArg(1)->getSourceRange())); @@ -782,6 +783,11 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { txt += "if (!leaf) {"; txt += " " + update + ", " + arg0 + ", " + arg1 + ", BPF_NOEXIST);"; txt += " leaf = " + lookup + ", " + arg0 + ");"; + if (memb_name == "lookup_or_init") { + warning(GET_BEGINLOC(Call), "lookup_or_init() may cause return from the function, " + "use lookup_or_try_init() instead."); + txt += " if (!leaf) return 0;"; + } txt += "}"; txt += "leaf;})"; } else if (memb_name == "increment") { diff --git a/tests/cc/test_bpf_table.cc b/tests/cc/test_bpf_table.cc index 39ebf89dd..5d4ea3c5c 100644 --- a/tests/cc/test_bpf_table.cc +++ b/tests/cc/test_bpf_table.cc @@ -181,7 +181,7 @@ TEST_CASE("test bpf stack table", "[bpf_stack_table]") { int on_sys_getuid(void *ctx) { int stack_id = stack_traces.get_stackid(ctx, BPF_F_REUSE_STACKID); int zero = 0, *val; - val = id.lookup_or_init(&zero, &stack_id); + val = id.lookup_or_try_init(&zero, &stack_id); if (val) { (*val) = stack_id; } @@ -234,7 +234,7 @@ TEST_CASE("test bpf stack_id table", "[bpf_stack_table]") { int on_sys_getuid(void *ctx) { int stack_id = stack_traces.get_stackid(ctx, BPF_F_USER_STACK); int zero = 0, *val; - val = id.lookup_or_init(&zero, &stack_id); + val = id.lookup_or_try_init(&zero, &stack_id); if (val) { (*val) = stack_id; } diff --git a/tests/lua/test_clang.lua b/tests/lua/test_clang.lua index 8843b74b2..ad540a266 100644 --- a/tests/lua/test_clang.lua +++ b/tests/lua/test_clang.lua @@ -243,7 +243,7 @@ int kprobe__finish_task_switch(struct pt_regs *ctx, struct task_struct *prev) { key.curr_pid = bpf_get_current_pid_tgid(); key.prev_pid = prev->pid; - val = stats.lookup_or_init(&key, &zero); + val = stats.lookup_or_try_init(&key, &zero); if (val) { (*val)++; } diff --git a/tests/python/test_clang.py b/tests/python/test_clang.py index 69b35f6a6..7593af003 100755 --- a/tests/python/test_clang.py +++ b/tests/python/test_clang.py @@ -396,7 +396,7 @@ def test_task_switch(self): key.curr_pid = bpf_get_current_pid_tgid(); key.prev_pid = prev->pid; - val = stats.lookup_or_init(&key, &zero); + val = stats.lookup_or_try_init(&key, &zero); if (val) { (*val)++; } diff --git a/tests/python/test_license.py b/tests/python/test_license.py index 61faf52f7..1358579cb 100755 --- a/tests/python/test_license.py +++ b/tests/python/test_license.py @@ -42,7 +42,7 @@ class TestLicense(unittest.TestCase): key.uid = uid & 0xFFFFFFFF; bpf_get_current_comm(&(key.comm), 16); - val = counts.lookup_or_init(&key, &zero); // update counter + val = counts.lookup_or_try_init(&key, &zero); // update counter if (val) { (*val)++; } diff --git a/tests/python/test_lru.py b/tests/python/test_lru.py index 34ba9b5ab..2946edccf 100644 --- a/tests/python/test_lru.py +++ b/tests/python/test_lru.py @@ -26,7 +26,7 @@ def test_lru_percpu_hash(self): int hello_world(void *ctx) { u32 key=0; u32 value = 0, *val; - val = stats.lookup_or_init(&key, &value); + val = stats.lookup_or_try_init(&key, &value); if (val) { *val += 1; } diff --git a/tests/python/test_percpu.py b/tests/python/test_percpu.py index 86497d0fb..9469b1a75 100755 --- a/tests/python/test_percpu.py +++ b/tests/python/test_percpu.py @@ -29,7 +29,7 @@ def test_u64(self): int hello_world(void *ctx) { u32 key=0; u64 value = 0, *val; - val = stats.lookup_or_init(&key, &value); + val = stats.lookup_or_try_init(&key, &value); if (val) { *val += 1; } @@ -61,7 +61,7 @@ def test_u32(self): int hello_world(void *ctx) { u32 key=0; u32 value = 0, *val; - val = stats.lookup_or_init(&key, &value); + val = stats.lookup_or_try_init(&key, &value); if (val) { *val += 1; } @@ -97,7 +97,7 @@ def test_struct_custom_func(self): int hello_world(void *ctx) { u32 key=0; counter value = {0,0}, *val; - val = stats.lookup_or_init(&key, &value); + val = stats.lookup_or_try_init(&key, &value); if (val) { val->c1 += 1; val->c2 += 1; diff --git a/tests/python/test_stat1.c b/tests/python/test_stat1.c index f3fa1cefa..606dc7dac 100644 --- a/tests/python/test_stat1.c +++ b/tests/python/test_stat1.c @@ -47,7 +47,7 @@ int on_packet(struct __sk_buff *skb) { tx = 1; } struct IPLeaf zleaf = {0}; - struct IPLeaf *leaf = stats.lookup_or_init(&key, &zleaf); + struct IPLeaf *leaf = stats.lookup_or_try_init(&key, &zleaf); if (leaf) { lock_xadd(&leaf->rx_pkts, rx); lock_xadd(&leaf->tx_pkts, tx); diff --git a/tests/python/test_trace2.c b/tests/python/test_trace2.c index 76412a5a1..0f8bc76b4 100644 --- a/tests/python/test_trace2.c +++ b/tests/python/test_trace2.c @@ -8,7 +8,7 @@ BPF_HASH(stats, struct Ptr, struct Counters, 1024); int count_sched(struct pt_regs *ctx) { struct Ptr key = {.ptr = PT_REGS_PARM1(ctx)}; struct Counters zleaf = {0}; - struct Counters *val = stats.lookup_or_init(&key, &zleaf); + struct Counters *val = stats.lookup_or_try_init(&key, &zleaf); if (val) { val->stat1++; } diff --git a/tests/python/test_trace2.py b/tests/python/test_trace2.py index 06cce8b7d..4900c5f75 100755 --- a/tests/python/test_trace2.py +++ b/tests/python/test_trace2.py @@ -19,7 +19,7 @@ struct Counters zleaf; memset(&zleaf, 0, sizeof(zleaf)); - struct Counters *val = stats.lookup_or_init(&key, &zleaf); + struct Counters *val = stats.lookup_or_try_init(&key, &zleaf); if (val) { val->stat1++; } diff --git a/tests/python/test_trace3.c b/tests/python/test_trace3.c index 235ae3ace..c8b59ad82 100644 --- a/tests/python/test_trace3.c +++ b/tests/python/test_trace3.c @@ -47,7 +47,7 @@ int probe_blk_update_request(struct pt_regs *ctx) { index = SLOTS - 1; u64 zero = 0; - u64 *val = latency.lookup_or_init(&index, &zero); + u64 *val = latency.lookup_or_try_init(&index, &zero); if (val) { lock_xadd(val, 1); } diff --git a/tests/python/test_trace4.py b/tests/python/test_trace4.py index 63c543b83..8fb680e68 100755 --- a/tests/python/test_trace4.py +++ b/tests/python/test_trace4.py @@ -14,14 +14,14 @@ def setUp(self): typedef struct { u64 val; } Val; BPF_HASH(stats, Key, Val, 3); int hello(void *ctx) { - Val *val = stats.lookup_or_init(&(Key){1}, &(Val){0}); + Val *val = stats.lookup_or_try_init(&(Key){1}, &(Val){0}); if (val) { val->val++; } return 0; } int goodbye(void *ctx) { - Val *val = stats.lookup_or_init(&(Key){2}, &(Val){0}); + Val *val = stats.lookup_or_try_init(&(Key){2}, &(Val){0}); if (val) { val->val++; } diff --git a/tests/python/test_trace_maxactive.py b/tests/python/test_trace_maxactive.py index 4455e9efc..677ca8bb5 100755 --- a/tests/python/test_trace_maxactive.py +++ b/tests/python/test_trace_maxactive.py @@ -15,16 +15,12 @@ def setUp(self): BPF_HASH(stats, Key, Val, 3); int hello(void *ctx) { Val *val = stats.lookup_or_init(&(Key){1}, &(Val){0}); - if (val) { - val->val++; - } + val->val++; return 0; } int goodbye(void *ctx) { Val *val = stats.lookup_or_init(&(Key){2}, &(Val){0}); - if (val) { - val->val++; - } + val->val++; return 0; } """) diff --git a/tests/python/test_tracepoint.py b/tests/python/test_tracepoint.py index 006516645..3bc576a84 100755 --- a/tests/python/test_tracepoint.py +++ b/tests/python/test_tracepoint.py @@ -29,9 +29,7 @@ def test_tracepoint(self): u64 val = 0; u32 pid = args->next_pid; u64 *existing = switches.lookup_or_init(&pid, &val); - if (existing) { - (*existing)++; - } + (*existing)++; return 0; } """ @@ -55,10 +53,8 @@ def test_tracepoint_data_loc(self): char fn[64]; u32 pid = args->pid; struct value_t *existing = execs.lookup_or_init(&pid, &val); - if (existing) { - TP_DATA_LOC_READ_CONST(fn, filename, 64); - __builtin_memcpy(existing->filename, fn, 64); - } + TP_DATA_LOC_READ_CONST(fn, filename, 64); + __builtin_memcpy(existing->filename, fn, 64); return 0; } """ diff --git a/tools/biotop.py b/tools/biotop.py index 3181ba9d6..cad3759a9 100755 --- a/tools/biotop.py +++ b/tools/biotop.py @@ -148,11 +148,11 @@ def signal_ignore(signal_value, frame): whop = whobyreq.lookup(&req); if (whop == 0) { // missed pid who, save stats as pid 0 - valp = counts.lookup_or_init(&info, &zero); + valp = counts.lookup_or_try_init(&info, &zero); } else { info.pid = whop->pid; __builtin_memcpy(&info.name, whop->name, sizeof(info.name)); - valp = counts.lookup_or_init(&info, &zero); + valp = counts.lookup_or_try_init(&info, &zero); } if (valp) { diff --git a/tools/deadlock.c b/tools/deadlock.c index e1f9b823e..82d22a834 100644 --- a/tools/deadlock.c +++ b/tools/deadlock.c @@ -75,7 +75,7 @@ int trace_mutex_acquire(struct pt_regs *ctx, void *mutex_addr) { struct thread_to_held_mutex_leaf_t empty_leaf = {}; struct thread_to_held_mutex_leaf_t *leaf = - thread_to_held_mutexes.lookup_or_init(&pid, &empty_leaf); + thread_to_held_mutexes.lookup_or_try_init(&pid, &empty_leaf); if (!leaf) { bpf_trace_printk( "could not add thread_to_held_mutex key, thread: %d, mutex: %p\n", pid, @@ -195,7 +195,7 @@ int trace_clone(struct pt_regs *ctx, unsigned long flags, void *child_stack, sizeof(thread_created_leaf.comm)); struct thread_created_leaf_t *insert_result = - thread_to_parent.lookup_or_init(&child_pid, &thread_created_leaf); + thread_to_parent.lookup_or_try_init(&child_pid, &thread_created_leaf); if (!insert_result) { bpf_trace_printk( "could not add thread_created_key, child: %d, parent: %d\n", child_pid, diff --git a/tools/filetop.py b/tools/filetop.py index 238048ea8..552367a98 100755 --- a/tools/filetop.py +++ b/tools/filetop.py @@ -118,7 +118,7 @@ def signal_ignore(signal_value, frame): } struct val_t *valp, zero = {}; - valp = counts.lookup_or_init(&info, &zero); + valp = counts.lookup_or_try_init(&info, &zero); if (valp) { if (is_read) { valp->reads++; diff --git a/tools/lib/ucalls.py b/tools/lib/ucalls.py index 117519523..307df2527 100755 --- a/tools/lib/ucalls.py +++ b/tools/lib/ucalls.py @@ -163,7 +163,7 @@ bpf_probe_read(&data.method.method, sizeof(data.method.method), (void *)method); #ifndef LATENCY - valp = counts.lookup_or_init(&data.method, &val); + valp = counts.lookup_or_try_init(&data.method, &val); if (valp) { ++(*valp); } @@ -190,7 +190,7 @@ if (!entry_timestamp) { return 0; // missed the entry event } - info = times.lookup_or_init(&data.method, &zero); + info = times.lookup_or_try_init(&data.method, &zero); if (info) { info->num_calls += 1; info->total_ns += bpf_ktime_get_ns() - *entry_timestamp; @@ -213,7 +213,7 @@ sysentry.update(&pid, &data); #endif #ifndef LATENCY - valp = syscounts.lookup_or_init(&id, &val); + valp = syscounts.lookup_or_try_init(&id, &val); if (valp) { ++(*valp); } @@ -232,7 +232,7 @@ return 0; // missed the entry event } id = e->id; - info = systimes.lookup_or_init(&id, &zero); + info = systimes.lookup_or_try_init(&id, &zero); if (info) { info->num_calls += 1; info->total_ns += bpf_ktime_get_ns() - e->timestamp; diff --git a/tools/lib/uflow.py b/tools/lib/uflow.py index f904533d1..4779ba2cc 100755 --- a/tools/lib/uflow.py +++ b/tools/lib/uflow.py @@ -88,7 +88,7 @@ FILTER_METHOD data.pid = bpf_get_current_pid_tgid(); - depth = entry.lookup_or_init(&data.pid, &zero); + depth = entry.lookup_or_try_init(&data.pid, &zero); if (!depth) { depth = &zero; } diff --git a/tools/lib/uobjnew.py b/tools/lib/uobjnew.py index 63dd80ac9..b8eed0f74 100755 --- a/tools/lib/uobjnew.py +++ b/tools/lib/uobjnew.py @@ -79,7 +79,7 @@ struct key_t key = {}; struct val_t *valp, zero = {}; key.size = size; - valp = allocs.lookup_or_init(&key, &zero); + valp = allocs.lookup_or_try_init(&key, &zero); if (valp) { valp->total_size += size; valp->num_allocs += 1; @@ -99,7 +99,7 @@ bpf_usdt_readarg(2, ctx, &classptr); bpf_usdt_readarg(4, ctx, &size); bpf_probe_read(&key.name, sizeof(key.name), (void *)classptr); - valp = allocs.lookup_or_init(&key, &zero); + valp = allocs.lookup_or_try_init(&key, &zero); if (valp) { valp->total_size += size; valp->num_allocs += 1; @@ -118,7 +118,7 @@ struct val_t *valp, zero = {}; u64 size = 0; bpf_usdt_readarg(1, ctx, &size); - valp = allocs.lookup_or_init(&key, &zero); + valp = allocs.lookup_or_try_init(&key, &zero); if (valp) { valp->total_size += size; valp->num_allocs += 1; @@ -133,7 +133,7 @@ u64 classptr = 0; bpf_usdt_readarg(1, ctx, &classptr); bpf_probe_read(&key.name, sizeof(key.name), (void *)classptr); - valp = allocs.lookup_or_init(&key, &zero); + valp = allocs.lookup_or_try_init(&key, &zero); if (valp) { valp->num_allocs += 1; // We don't know the size, unfortunately } @@ -153,7 +153,7 @@ int alloc_entry(struct pt_regs *ctx) { struct key_t key = { .name = "" }; struct val_t *valp, zero = {}; - valp = allocs.lookup_or_init(&key, &zero); + valp = allocs.lookup_or_try_init(&key, &zero); if (valp) { valp->num_allocs += 1; } diff --git a/tools/lib/ustat.py b/tools/lib/ustat.py index bd5b98b68..3f4287bfe 100755 --- a/tools/lib/ustat.py +++ b/tools/lib/ustat.py @@ -93,7 +93,7 @@ def _generate_functions(self): int %s_%s(void *ctx) { u64 *valp, zero = 0; u32 tgid = bpf_get_current_pid_tgid() >> 32; - valp = %s_%s_counts.lookup_or_init(&tgid, &zero); + valp = %s_%s_counts.lookup_or_try_init(&tgid, &zero); if (valp) { ++(*valp); } diff --git a/tools/slabratetop.py b/tools/slabratetop.py index 7b8a42167..b947e44e1 100755 --- a/tools/slabratetop.py +++ b/tools/slabratetop.py @@ -91,7 +91,7 @@ def signal_ignore(signal, frame): bpf_probe_read(&info.name, sizeof(info.name), name); struct val_t *valp, zero = {}; - valp = counts.lookup_or_init(&info, &zero); + valp = counts.lookup_or_try_init(&info, &zero); if (valp) { valp->count++; valp->size += cachep->size; diff --git a/tools/syscount.py b/tools/syscount.py index 21e788ddf..7ba08dd32 100755 --- a/tools/syscount.py +++ b/tools/syscount.py @@ -132,14 +132,14 @@ def handle_errno(errstr): if (!start_ns) return 0; - val = data.lookup_or_init(&key, &zero); + val = data.lookup_or_try_init(&key, &zero); if (val) { val->count++; val->total_ns += bpf_ktime_get_ns() - *start_ns; } #else u64 *val, zero = 0; - val = data.lookup_or_init(&key, &zero); + val = data.lookup_or_try_init(&key, &zero); if (val) { ++(*val); } From 58ff1b3647024bad1da4d20e9d0e99afa61fde51 Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Thu, 31 Oct 2019 20:30:29 -0700 Subject: [PATCH 129/228] remove the warning for map.lookup_or_init() (#2581) Commit 82f4302a651a ("introduce map.lookup_or_try_init()") introduced new API map.lookup_or_try_init(). A compile time warning is introduced if old map.lookup_or_init() is used to discourage the usage. The API is still supported and documentation already recommends using the new one. So let us drop the warning. Signed-off-by: Yonghong Song --- src/cc/frontends/clang/b_frontend_action.cc | 2 -- 1 file changed, 2 deletions(-) diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index e44163f4d..efd2e3340 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -784,8 +784,6 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { txt += " " + update + ", " + arg0 + ", " + arg1 + ", BPF_NOEXIST);"; txt += " leaf = " + lookup + ", " + arg0 + ");"; if (memb_name == "lookup_or_init") { - warning(GET_BEGINLOC(Call), "lookup_or_init() may cause return from the function, " - "use lookup_or_try_init() instead."); txt += " if (!leaf) return 0;"; } txt += "}"; From 77fe428579b27773f9bdc2cb2a880b1c2d274b67 Mon Sep 17 00:00:00 2001 From: Denis Andrejew Date: Sun, 3 Nov 2019 17:21:08 +0100 Subject: [PATCH 130/228] fix typos in tutorial.md (#2584) fix typos in tutorial.md --- docs/tutorial.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docs/tutorial.md b/docs/tutorial.md index 09de4a2a4..0753fca5a 100644 --- a/docs/tutorial.md +++ b/docs/tutorial.md @@ -97,7 +97,7 @@ TIME COMM PID T BYTES OFF_KB LAT(ms) FILENAME ext4slower traces the ext4 file system and times common operations, and then only prints those that exceed a threshold. -This is great for identifying or exonerating one type of performance issue: slow individually slow disk i/O via the file system. Disks process I/O asynchronously, and it can be difficult to associate latency at that layer with the latency applications experience. Tracing higher up in the kernel stack, at the VFS -> file system interface, will more closely match what an application suffers. Use this tool to identify if file system latency exceeds a given threshold. +This is great for identifying or exonerating one type of performance issue: show individually slow disk i/O via the file system. Disks process I/O asynchronously, and it can be difficult to associate latency at that layer with the latency applications experience. Tracing higher up in the kernel stack, at the VFS -> file system interface, will more closely match what an application suffers. Use this tool to identify if file system latency exceeds a given threshold. Similar tools exist in bcc for other file systems: btrfsslower, xfsslower, and zfsslower. There is also fileslower, which works at the VFS layer and traces everything (although at some higher overhead). @@ -151,7 +151,7 @@ TIME(s) COMM PID DISK T SECTOR BYTES LAT(ms) biosnoop prints a line of output for each disk I/O, with details including latency (time from device issue to completion). -This allows you to examine disk I/O in more detail, and look for time-ordered patterns (eg, reads queueing behind writes). Note that the output will be verbose if your system performance a high rate of disk I/O. +This allows you to examine disk I/O in more detail, and look for time-ordered patterns (eg, reads queueing behind writes). Note that the output will be verbose if your system performs disk I/O at a high rate. More [examples](../tools/biosnoop_example.txt). From 0429040559f9f324b0e1d3ed78b26e678499887f Mon Sep 17 00:00:00 2001 From: Masanori Misono Date: Sat, 9 Nov 2019 02:52:02 +0900 Subject: [PATCH 131/228] Support attaching uprobe to offset (#2585) * Support attaching uprobe to offset * C++ API support of attaching uprobe to offset * Update document of attach_uprobe() The document is taken from src/python/bcc/__init__.py:attach_upobe() --- docs/reference_guide.md | 9 +++++++-- src/cc/api/BPF.cc | 28 ++++++++++++++++++++-------- src/cc/api/BPF.h | 9 ++++++--- src/lua/bcc/bpf.lua | 2 +- src/lua/bcc/sym.lua | 6 ++++-- src/python/bcc/__init__.py | 21 ++++++++++++++------- 6 files changed, 52 insertions(+), 23 deletions(-) diff --git a/docs/reference_guide.md b/docs/reference_guide.md index 0cd91eb2d..9940f1348 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -1106,9 +1106,14 @@ Examples in situ: ### 4. attach_uprobe() -Syntax: ```BPF.attach_uprobe(name="location", sym="symbol", fn_name="name")``` +Syntax: ```BPF.attach_uprobe(name="location", sym="symbol", fn_name="name" [, sym_off=int])```, ```BPF.attach_uprobe(name="location", sym_re="regex", fn_name="name")```, ```BPF.attach_uprobe(name="location", addr=int, fn_name="name")``` -Instruments the user-level function ```symbol()``` from either the library or binary named by ```location``` using user-level dynamic tracing of the function entry, and attach our C defined function ```name()``` to be called whenever the user-level function is called. + +Instruments the user-level function ```symbol()``` from either the library or binary named by ```location``` using user-level dynamic tracing of the function entry, and attach our C defined function ```name()``` to be called whenever the user-level function is called. If ```sym_off``` is given, the function is attached to the offset within the symbol. + +The real address ```addr``` may be supplied in place of ```sym```, in which case ```sym``` must be set to its default value. If the file is a non-PIE executable, ```addr``` must be a virtual address, otherwise it must be an offset relative to the file load address. + +Instead of a symbol name, a regular expression can be provided in ```sym_re```. The uprobe will then attach to symbols that match the provided regular expression. Libraries can be given in the name argument without the lib prefix, or with the full path (/usr/lib/...). Binaries can be given only with the full path (/bin/sh). diff --git a/src/cc/api/BPF.cc b/src/cc/api/BPF.cc index b5aa52b45..a58f23b09 100644 --- a/src/cc/api/BPF.cc +++ b/src/cc/api/BPF.cc @@ -198,10 +198,18 @@ StatusTuple BPF::attach_uprobe(const std::string& binary_path, const std::string& symbol, const std::string& probe_func, uint64_t symbol_addr, - bpf_probe_attach_type attach_type, pid_t pid) { + bpf_probe_attach_type attach_type, pid_t pid, + uint64_t symbol_offset) { + + if (symbol_addr != 0 && symbol_offset != 0) + return StatusTuple(-1, + "Attachng uprobe with addr %lx and offset %lx is not supported", + symbol_addr, symbol_offset); + std::string module; uint64_t offset; - TRY2(check_binary_symbol(binary_path, symbol, symbol_addr, module, offset)); + TRY2(check_binary_symbol(binary_path, symbol, symbol_addr, module, offset, + symbol_offset)); std::string probe_event = get_uprobe_event(module, offset, attach_type, pid); if (uprobes_.find(probe_event) != uprobes_.end()) @@ -217,9 +225,10 @@ StatusTuple BPF::attach_uprobe(const std::string& binary_path, TRY2(unload_func(probe_func)); return StatusTuple( -1, - "Unable to attach %suprobe for binary %s symbol %s addr %lx using %s\n", + "Unable to attach %suprobe for binary %s symbol %s addr %lx " + "offset %lx using %s\n", attach_type_debug(attach_type).c_str(), binary_path.c_str(), - symbol.c_str(), symbol_addr, probe_func.c_str()); + symbol.c_str(), symbol_addr, symbol_offset, probe_func.c_str()); } open_probe_t p = {}; @@ -398,10 +407,12 @@ StatusTuple BPF::detach_kprobe(const std::string& kernel_func, StatusTuple BPF::detach_uprobe(const std::string& binary_path, const std::string& symbol, uint64_t symbol_addr, - bpf_probe_attach_type attach_type, pid_t pid) { + bpf_probe_attach_type attach_type, pid_t pid, + uint64_t symbol_offset) { std::string module; uint64_t offset; - TRY2(check_binary_symbol(binary_path, symbol, symbol_addr, module, offset)); + TRY2(check_binary_symbol(binary_path, symbol, symbol_addr, module, offset, + symbol_offset)); std::string event = get_uprobe_event(module, offset, attach_type, pid); auto it = uprobes_.find(event); @@ -601,7 +612,8 @@ StatusTuple BPF::check_binary_symbol(const std::string& binary_path, const std::string& symbol, uint64_t symbol_addr, std::string& module_res, - uint64_t& offset_res) { + uint64_t& offset_res, + uint64_t symbol_offset) { bcc_symbol output; int res = bcc_resolve_symname(binary_path.c_str(), symbol.c_str(), symbol_addr, -1, nullptr, &output); @@ -616,7 +628,7 @@ StatusTuple BPF::check_binary_symbol(const std::string& binary_path, } else { module_res = ""; } - offset_res = output.offset; + offset_res = output.offset + symbol_offset; return StatusTuple(0); } diff --git a/src/cc/api/BPF.h b/src/cc/api/BPF.h index 9c0ab19d6..63a39f405 100644 --- a/src/cc/api/BPF.h +++ b/src/cc/api/BPF.h @@ -75,11 +75,13 @@ class BPF { const std::string& probe_func, uint64_t symbol_addr = 0, bpf_probe_attach_type attach_type = BPF_PROBE_ENTRY, - pid_t pid = -1); + pid_t pid = -1, + uint64_t symbol_offset = 0); StatusTuple detach_uprobe(const std::string& binary_path, const std::string& symbol, uint64_t symbol_addr = 0, bpf_probe_attach_type attach_type = BPF_PROBE_ENTRY, - pid_t pid = -1); + pid_t pid = -1, + uint64_t symbol_offset = 0); StatusTuple attach_usdt(const USDT& usdt, pid_t pid = -1); StatusTuple detach_usdt(const USDT& usdt, pid_t pid = -1); @@ -239,7 +241,8 @@ class BPF { StatusTuple check_binary_symbol(const std::string& binary_path, const std::string& symbol, uint64_t symbol_addr, std::string& module_res, - uint64_t& offset_res); + uint64_t& offset_res, + uint64_t symbol_offset = 0); int flag_; diff --git a/src/lua/bcc/bpf.lua b/src/lua/bcc/bpf.lua index 123590079..89170f318 100644 --- a/src/lua/bcc/bpf.lua +++ b/src/lua/bcc/bpf.lua @@ -189,7 +189,7 @@ end function Bpf:attach_uprobe(args) Bpf.check_probe_quota(1) - local path, addr = Sym.check_path_symbol(args.name, args.sym, args.addr, args.pid) + local path, addr = Sym.check_path_symbol(args.name, args.sym, args.addr, args.pid, args.sym_off) local fn = self:load_func(args.fn_name, 'BPF_PROG_TYPE_KPROBE') local ptype = args.retprobe and "r" or "p" local ev_name = string.format("%s_%s_0x%p", ptype, path:gsub("[^%a%d]", "_"), addr) diff --git a/src/lua/bcc/sym.lua b/src/lua/bcc/sym.lua index d30546a35..0d7a2599e 100644 --- a/src/lua/bcc/sym.lua +++ b/src/lua/bcc/sym.lua @@ -32,9 +32,10 @@ local function create_cache(pid) } end -local function check_path_symbol(module, symname, addr, pid) +local function check_path_symbol(module, symname, addr, pid, sym_off) local sym = SYM() local module_path + local new_addr if libbcc.bcc_resolve_symname(module, symname, addr or 0x0, pid or 0, nil, sym) < 0 then if sym[0].module == nil then error("could not find library '%s' in the library path" % module) @@ -45,9 +46,10 @@ local function check_path_symbol(module, symname, addr, pid) symname, module_path}) end end + new_addr = sym[0].offset + (sym_off or 0) module_path = ffi.string(sym[0].module) libbcc.bcc_procutils_free(sym[0].module) - return module_path, sym[0].offset + return module_path, new_addr end return { create_cache=create_cache, check_path_symbol=check_path_symbol } diff --git a/src/python/bcc/__init__.py b/src/python/bcc/__init__.py index c0d9ff12d..ce9fa07c3 100644 --- a/src/python/bcc/__init__.py +++ b/src/python/bcc/__init__.py @@ -742,7 +742,7 @@ def remove_xdp(dev, flags=0): @classmethod - def _check_path_symbol(cls, module, symname, addr, pid): + def _check_path_symbol(cls, module, symname, addr, pid, sym_off=0): module = _assert_is_bytes(module) symname = _assert_is_bytes(symname) sym = bcc_symbol() @@ -754,9 +754,10 @@ def _check_path_symbol(cls, module, symname, addr, pid): ct.byref(sym), ) < 0: raise Exception("could not determine address of symbol %s" % symname) + new_addr = sym.offset + sym_off module_path = ct.cast(sym.module, ct.c_char_p).value lib.bcc_procutils_free(sym.module) - return module_path, sym.offset + return module_path, new_addr @staticmethod def find_library(libname): @@ -974,14 +975,16 @@ def _get_uprobe_evname(self, prefix, path, addr, pid): return b"%s_%s_0x%x_%d" % (prefix, self._probe_repl.sub(b"_", path), addr, pid) def attach_uprobe(self, name=b"", sym=b"", sym_re=b"", addr=None, - fn_name=b"", pid=-1): + fn_name=b"", pid=-1, sym_off=0): """attach_uprobe(name="", sym="", sym_re="", addr=None, fn_name="" - pid=-1) + pid=-1, sym_off=0) Run the bpf function denoted by fn_name every time the symbol sym in the library or binary 'name' is encountered. Optional parameters pid, cpu, and group_fd can be used to filter the probe. + If sym_off is given, attach uprobe to offset within the symbol. + The real address addr may be supplied in place of sym, in which case sym must be set to its default value. If the file is a non-PIE executable, addr must be a virtual address, otherwise it must be an offset relative @@ -1000,6 +1003,10 @@ def attach_uprobe(self, name=b"", sym=b"", sym_re=b"", addr=None, BPF(text).attach_uprobe("/usr/bin/python", "main") """ + assert sym_off >= 0 + if addr is not None: + assert sym_off == 0, "offset with addr is not supported" + name = _assert_is_bytes(name) sym = _assert_is_bytes(sym) sym_re = _assert_is_bytes(sym_re) @@ -1013,7 +1020,7 @@ def attach_uprobe(self, name=b"", sym=b"", sym_re=b"", addr=None, fn_name=fn_name, pid=pid) return - (path, addr) = BPF._check_path_symbol(name, sym, addr, pid) + (path, addr) = BPF._check_path_symbol(name, sym, addr, pid, sym_off) self._check_probe_quota(1) fn = self.load_func(fn_name, BPF.KPROBE) @@ -1067,7 +1074,7 @@ def detach_uprobe_event(self, ev_name): raise Exception("Failed to detach BPF from uprobe") self._del_uprobe_fd(ev_name) - def detach_uprobe(self, name=b"", sym=b"", addr=None, pid=-1): + def detach_uprobe(self, name=b"", sym=b"", addr=None, pid=-1, sym_off=0): """detach_uprobe(name="", sym="", addr=None, pid=-1) Stop running a bpf function that is attached to symbol 'sym' in library @@ -1076,7 +1083,7 @@ def detach_uprobe(self, name=b"", sym=b"", addr=None, pid=-1): name = _assert_is_bytes(name) sym = _assert_is_bytes(sym) - (path, addr) = BPF._check_path_symbol(name, sym, addr, pid) + (path, addr) = BPF._check_path_symbol(name, sym, addr, pid, sym_off) ev_name = self._get_uprobe_evname(b"p", path, addr, pid) self.detach_uprobe_event(ev_name) From 9cede20f9ff19784bba4ef5473b396fa58b5302c Mon Sep 17 00:00:00 2001 From: Xiaozhou Liu Date: Sat, 9 Nov 2019 08:34:45 +0800 Subject: [PATCH 132/228] tools/tcpretrans: add tracepoint support (#2574) If tracepoint tcp:tcp_retransmit_skb exists (kernel version >= 4.15) we use tracepoint instead of kprobe for efficiency. Co-authored-by: Runlong Lin --- tools/tcpretrans.py | 109 +++++++++++++++++++++++++++++++++++++++----- 1 file changed, 98 insertions(+), 11 deletions(-) diff --git a/tools/tcpretrans.py b/tools/tcpretrans.py index 4301b8eb4..1b2636ae6 100755 --- a/tools/tcpretrans.py +++ b/tools/tcpretrans.py @@ -91,7 +91,9 @@ u16 dport; }; BPF_HASH(ipv6_count, struct ipv6_flow_key_t); +""" +bpf_text_kprobe = """ static int trace_event(struct pt_regs *ctx, struct sock *skp, int type) { if (skp == NULL) @@ -115,13 +117,17 @@ return 0; } +""" +bpf_text_kprobe_retransmit = """ int trace_retransmit(struct pt_regs *ctx, struct sock *sk) { trace_event(ctx, sk, RETRANSMIT); return 0; } +""" +bpf_text_kprobe_tlp = """ int trace_tlp(struct pt_regs *ctx, struct sock *sk) { trace_event(ctx, sk, TLP); @@ -129,6 +135,25 @@ } """ +bpf_text_tracepoint = """ +TRACEPOINT_PROBE(tcp, tcp_retransmit_skb) +{ + u32 pid = bpf_get_current_pid_tgid() >> 32; + const struct sock *skp = (const struct sock *)args->skaddr; + u16 lport = args->sport; + u16 dport = args->dport; + char state = skp->__sk_common.skc_state; + u16 family = skp->__sk_common.skc_family; + + if (family == AF_INET) { + IPV4_CODE + } else if (family == AF_INET6) { + IPV6_CODE + } + return 0; +} +""" + struct_init = { 'ipv4': { 'count' : """ @@ -178,20 +203,81 @@ } } +struct_init_tracepoint = { 'ipv4': + { 'count' : """ + struct ipv4_flow_key_t flow_key = {}; + __builtin_memcpy(&flow_key.saddr, args->saddr, sizeof(flow_key.saddr)); + __builtin_memcpy(&flow_key.daddr, args->daddr, sizeof(flow_key.daddr)); + flow_key.lport = lport; + flow_key.dport = dport; + ipv4_count.increment(flow_key); + """, + 'trace' : """ + struct ipv4_data_t data4 = {}; + data4.pid = pid; + data4.lport = lport; + data4.dport = dport; + data4.type = RETRANSMIT; + data4.ip = 4; + data4.state = state; + __builtin_memcpy(&data4.saddr, args->saddr, sizeof(data4.saddr)); + __builtin_memcpy(&data4.daddr, args->daddr, sizeof(data4.daddr)); + ipv4_events.perf_submit(args, &data4, sizeof(data4)); + """ + }, + 'ipv6': + { 'count' : """ + struct ipv6_flow_key_t flow_key = {}; + __builtin_memcpy(&flow_key.saddr, args->saddr_v6, sizeof(flow_key.saddr)); + __builtin_memcpy(&flow_key.daddr, args->daddr_v6, sizeof(flow_key.daddr)); + flow_key.lport = lport; + flow_key.dport = dport; + ipv6_count.increment(flow_key); + """, + 'trace' : """ + struct ipv6_data_t data6 = {}; + data6.pid = pid; + data6.lport = lport; + data6.dport = dport; + data6.type = RETRANSMIT; + data6.ip = 6; + data6.state = state; + __builtin_memcpy(&data6.saddr, args->saddr_v6, sizeof(data6.saddr)); + __builtin_memcpy(&data6.daddr, args->daddr_v6, sizeof(data6.daddr)); + ipv6_events.perf_submit(args, &data6, sizeof(data6)); + """ + } + } + count_core_base = """ COUNT_STRUCT.increment(flow_key); """ -if args.count: - bpf_text = bpf_text.replace("IPV4_INIT", struct_init['ipv4']['count']) - bpf_text = bpf_text.replace("IPV6_INIT", struct_init['ipv6']['count']) - bpf_text = bpf_text.replace("IPV4_CORE", count_core_base.replace("COUNT_STRUCT", 'ipv4_count')) - bpf_text = bpf_text.replace("IPV6_CORE", count_core_base.replace("COUNT_STRUCT", 'ipv6_count')) -else: - bpf_text = bpf_text.replace("IPV4_INIT", struct_init['ipv4']['trace']) - bpf_text = bpf_text.replace("IPV6_INIT", struct_init['ipv6']['trace']) - bpf_text = bpf_text.replace("IPV4_CORE", "ipv4_events.perf_submit(ctx, &data4, sizeof(data4));") - bpf_text = bpf_text.replace("IPV6_CORE", "ipv6_events.perf_submit(ctx, &data6, sizeof(data6));") +if BPF.tracepoint_exists("tcp", "tcp_retransmit_skb"): + if args.count: + bpf_text_tracepoint = bpf_text_tracepoint.replace("IPV4_CODE", struct_init_tracepoint['ipv4']['count']) + bpf_text_tracepoint = bpf_text_tracepoint.replace("IPV6_CODE", struct_init_tracepoint['ipv6']['count']) + else: + bpf_text_tracepoint = bpf_text_tracepoint.replace("IPV4_CODE", struct_init_tracepoint['ipv4']['trace']) + bpf_text_tracepoint = bpf_text_tracepoint.replace("IPV6_CODE", struct_init_tracepoint['ipv6']['trace']) + bpf_text += bpf_text_tracepoint + +if args.lossprobe or not BPF.tracepoint_exists("tcp", "tcp_retransmit_skb"): + bpf_text += bpf_text_kprobe + if args.count: + bpf_text = bpf_text.replace("IPV4_INIT", struct_init['ipv4']['count']) + bpf_text = bpf_text.replace("IPV6_INIT", struct_init['ipv6']['count']) + bpf_text = bpf_text.replace("IPV4_CORE", count_core_base.replace("COUNT_STRUCT", 'ipv4_count')) + bpf_text = bpf_text.replace("IPV6_CORE", count_core_base.replace("COUNT_STRUCT", 'ipv6_count')) + else: + bpf_text = bpf_text.replace("IPV4_INIT", struct_init['ipv4']['trace']) + bpf_text = bpf_text.replace("IPV6_INIT", struct_init['ipv6']['trace']) + bpf_text = bpf_text.replace("IPV4_CORE", "ipv4_events.perf_submit(ctx, &data4, sizeof(data4));") + bpf_text = bpf_text.replace("IPV6_CORE", "ipv6_events.perf_submit(ctx, &data6, sizeof(data6));") + if args.lossprobe: + bpf_text += bpf_text_kprobe_tlp + if not BPF.tracepoint_exists("tcp", "tcp_retransmit_skb"): + bpf_text += bpf_text_kprobe_retransmit if debug or args.ebpf: print(bpf_text) @@ -252,7 +338,8 @@ def depict_cnt(counts_tab, l3prot='ipv4'): # initialize BPF b = BPF(text=bpf_text) -b.attach_kprobe(event="tcp_retransmit_skb", fn_name="trace_retransmit") +if not BPF.tracepoint_exists("tcp", "tcp_retransmit_skb"): + b.attach_kprobe(event="tcp_retransmit_skb", fn_name="trace_retransmit") if args.lossprobe: b.attach_kprobe(event="tcp_send_loss_probe", fn_name="trace_tlp") From d4b3bf03d9c67324ff85f9d3c74b201b7e427615 Mon Sep 17 00:00:00 2001 From: Jiri Olsa Date: Tue, 22 Oct 2019 21:01:00 +0200 Subject: [PATCH 133/228] Add libbcc-no-libbpf.so library Which links libbpf.so dynamicaly, instead of its current static inclusion in libbcc.so. The compilation needs to define CMAKE_USE_LIBBPF_PACKAGE variable to enable search for libbpf package. If the package is found it is used to build all the bcc libs. The libbcc.so and libbcc_bpf.so (and their static versions) remain the same. The new library libbcc-no-libbpf.so is built from all libcc.so sources including libbpf_bcc.so's sources: libbpf.c perf_reader.c and dynamically linked to libbpf.so library. With libbcc-no-libbpf.so symbols are versioned, so there's no chance of being mixed: Symbols exported from libbpf.so: $ objdump -T /usr/lib64/libbpf.so | grep bpf_map_lookup_elem 0000000000006df0 g DF .text 000000000000006e LIBBPF_0.0.1 bpf_map_lookup_elem 0000000000006e60 g DF .text 0000000000000076 LIBBPF_0.0.2 bpf_map_lookup_elem_flags Symbol needed by libbcc-no-libbpf.so: $ objdump -T /opt/bcc/lib64/libbcc-no-libbpf.so | grep bpf_map_lookup_elem 0000000000000000 DF *UND* 0000000000000000 LIBBPF_0.0.1 bpf_map_lookup_elem Symbols exported by current libbcc.so: $ objdump -T /opt/bcc/lib64/libbcc.so | grep bpf_map_lookup_elem 00000000023ad843 g DF .text 0000000000000082 Base bpf_map_lookup_elem_flags 00000000023ad7d3 g DF .text 0000000000000070 Base bpf_map_lookup_elem Besides that it's better to share common source of libbpf code, it also prevents issues when having application that links to libbpf and libbcc, where you could end up conflicting functions and segfaults if those 2 libbpf libs are not on the same version. All installed libraries now: total 259096 lrwxrwxrwx. 1 root root 15 Nov 8 15:24 libbcc_bpf.so -> libbcc_bpf.so.0 lrwxrwxrwx. 1 root root 20 Nov 8 15:24 libbcc_bpf.so.0 -> libbcc_bpf.so.0.11.0 -rwxr-xr-x. 1 root root 453416 Nov 11 17:03 libbcc_bpf.so.0.11.0 lrwxrwxrwx. 1 root root 21 Nov 8 15:24 libbcc-no-libbpf.so -> libbcc-no-libbpf.so.0 lrwxrwxrwx. 1 root root 26 Nov 8 15:24 libbcc-no-libbpf.so.0 -> libbcc-no-libbpf.so.0.11.0 -rwxr-xr-x. 1 root root 132276312 Nov 11 17:04 libbcc-no-libbpf.so.0.11.0 lrwxrwxrwx. 1 root root 11 Nov 8 15:24 libbcc.so -> libbcc.so.0 lrwxrwxrwx. 1 root root 16 Nov 8 15:24 libbcc.so.0 -> libbcc.so.0.11.0 -rwxr-xr-x. 1 root root 132579280 Nov 11 17:04 libbcc.so.0.11.0 drwxr-xr-x. 2 root root 23 Nov 11 21:49 pkgconfig Signed-off-by: Jiri Olsa jolsa@kernel.org --- CMakeLists.txt | 4 +++ cmake/FindLibBpf.cmake | 68 ++++++++++++++++++++++++++++++++++++++++++ src/cc/CMakeLists.txt | 40 ++++++++++++++++++++++--- 3 files changed, 108 insertions(+), 4 deletions(-) create mode 100644 cmake/FindLibBpf.cmake diff --git a/CMakeLists.txt b/CMakeLists.txt index c2b726653..7bd0f3b27 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -32,6 +32,10 @@ CMAKE_DEPENDENT_OPTION(ENABLE_CPP_API "Enable C++ API" ON "ENABLE_USDT" OFF) set(CMAKE_MODULE_PATH ${CMAKE_MODULE_PATH} ${CMAKE_CURRENT_SOURCE_DIR}/cmake) +if (CMAKE_USE_LIBBPF_PACKAGE) + find_package(LibBpf) +endif() + if(NOT PYTHON_ONLY AND ENABLE_CLANG_JIT) find_package(BISON) find_package(FLEX) diff --git a/cmake/FindLibBpf.cmake b/cmake/FindLibBpf.cmake new file mode 100644 index 000000000..cc56bebb8 --- /dev/null +++ b/cmake/FindLibBpf.cmake @@ -0,0 +1,68 @@ +# - Try to find libbpf +# Once done this will define +# +# LIBBPF_FOUND - system has libbpf +# LIBBPF_INCLUDE_DIR - the libbpf include directory +# LIBBPF_SOURCE_DIR - the libbpf source directory +# LIBBPF_LIBRARIES - link these to use libbpf + +#if (LIBBPF_LIBRARIES AND LIBBPF_INCLUDE_DIR AND LIBBPF_SOURCE_DIR) +# set (LibBpf_FIND_QUIETLY TRUE) +#endif (LIBBPF_LIBRARIES AND LIBBPF_INCLUDE_DIR AND LIBBPF_SOURCE_DIR) + +# You'll need following packages to be installed (Fedora names): +# libbpf +# libbpf-debugsource +# libbpf-devel +# +# Please note that you might need to enable updates-debuginfo repo +# for debugsource package like: +# dnf install --enablerepo=updates-debuginfo libbpf-debugsource + +find_path (LIBBPF_INCLUDE_DIR + NAMES + bpf/bpf.h + bpf/btf.h + bpf/libbpf.h + + PATHS + /usr/include + /usr/local/include + /opt/local/include + /sw/include + ENV CPATH) + +file(GLOB libbpf_source_path /usr/src/debug/libbpf-*) + +find_path (LIBBPF_SOURCE_DIR + NAMES + src/bpf.c + src/bpf.h + src/libbpf.c + src/libbpf.h + + PATHS + ${libbpf_source_path} + ENV CPATH +) + +find_library (LIBBPF_LIBRARIES + NAMES + bpf + PATHS + /usr/lib + /usr/local/lib + /opt/local/lib + /sw/lib + ENV LIBRARY_PATH + ENV LD_LIBRARY_PATH) + +include (FindPackageHandleStandardArgs) + +# handle the QUIETLY and REQUIRED arguments and set LIBBPF_FOUND to TRUE if all listed variables are TRUE +FIND_PACKAGE_HANDLE_STANDARD_ARGS(LibBpf "Please install the libbpf development package" + LIBBPF_LIBRARIES + LIBBPF_SOURCE_DIR + LIBBPF_INCLUDE_DIR) + +mark_as_advanced(LIBBPF_INCLUDE_DIR LIBBPF_SOURCE_DIR LIBBPF_LIBRARIES) diff --git a/src/cc/CMakeLists.txt b/src/cc/CMakeLists.txt index 571a46373..757dbcbaf 100644 --- a/src/cc/CMakeLists.txt +++ b/src/cc/CMakeLists.txt @@ -28,7 +28,20 @@ set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -DLLVM_MAJOR_VERSION=${CMAKE_MATCH_1}") include(static_libstdc++) -file(GLOB libbpf_sources "libbpf/src/*.c") +if(LIBBPF_FOUND) + # We need to include the libbpf packaged source to get the + # headers location, becaseu they are installed under 'bpf' + # directory, but the libbpf code references them localy + + include_directories(${LIBBPF_INCLUDE_DIR}/bpf) + + file(GLOB libbpf_sources "${LIBBPF_SOURCE_DIR}/src/*.c") + set(libbpf_uapi ${LIBBPF_SOURCE_DIR}/include/uapi/linux) +else() + file(GLOB libbpf_sources "libbpf/src/*.c") + set(libbpf_uapi libbpf/include/uapi/linux}) +endif() + add_library(bpf-static STATIC libbpf.c perf_reader.c ${libbpf_sources}) set_target_properties(bpf-static PROPERTIES OUTPUT_NAME bcc_bpf) add_library(bpf-shared SHARED libbpf.c perf_reader.c ${libbpf_sources}) @@ -60,6 +73,16 @@ add_library(bcc-shared SHARED set_target_properties(bcc-shared PROPERTIES VERSION ${REVISION_LAST} SOVERSION 0) set_target_properties(bcc-shared PROPERTIES OUTPUT_NAME bcc) +# If there's libbpf detected we build the libbcc-no-libbpf.so library, that +# dynamicaly links libbpf.so, in comparison to static link in libbcc.so. +if(LIBBPF_FOUND) + add_library(bcc-shared-no-libbpf SHARED + link_all.cc ${bcc_common_sources} ${bcc_table_sources} ${bcc_sym_sources} + ${bcc_util_sources} libbpf.c perf_reader.c) + set_target_properties(bcc-shared-no-libbpf PROPERTIES VERSION ${REVISION_LAST} SOVERSION 0) + set_target_properties(bcc-shared-no-libbpf PROPERTIES OUTPUT_NAME bcc-no-libbpf) +endif() + if(ENABLE_USDT) set(bcc_usdt_sources usdt/usdt.cc usdt/usdt_args.cc) # else undefined @@ -79,10 +102,12 @@ set(CMAKE_SHARED_LINKER_FLAGS "${CMAKE_SHARED_LINKER_FLAGS} ${llvm_lib_exclude_f # bcc_common_libs_for_a for archive libraries # bcc_common_libs_for_s for shared libraries -set(bcc_common_libs_for_a b_frontend clang_frontend bpf-static +set(bcc_common_libs b_frontend clang_frontend -Wl,--whole-archive ${clang_libs} ${llvm_libs} -Wl,--no-whole-archive ${LIBELF_LIBRARIES}) -set(bcc_common_libs_for_s ${bcc_common_libs_for_a}) +set(bcc_common_libs_for_a ${bcc_common_libs} bpf-static) +set(bcc_common_libs_for_s ${bcc_common_libs} bpf-static) +set(bcc_common_libs_for_n ${bcc_common_libs}) set(bcc_common_libs_for_lua b_frontend clang_frontend bpf-static ${clang_libs} ${llvm_libs} ${LIBELF_LIBRARIES}) @@ -91,6 +116,7 @@ if(ENABLE_CPP_API) list(APPEND bcc_common_libs_for_a api-static) # Keep all API functions list(APPEND bcc_common_libs_for_s -Wl,--whole-archive api-static -Wl,--no-whole-archive) + list(APPEND bcc_common_libs_for_n -Wl,--whole-archive api-static -Wl,--no-whole-archive) endif() if(ENABLE_USDT) @@ -98,6 +124,7 @@ if(ENABLE_USDT) add_subdirectory(usdt) list(APPEND bcc_common_libs_for_a usdt-static) list(APPEND bcc_common_libs_for_s usdt-static) + list(APPEND bcc_common_libs_for_n usdt-static) list(APPEND bcc_common_libs_for_lua usdt-static) endif() @@ -108,10 +135,15 @@ target_link_libraries(bcc-shared ${bcc_common_libs_for_s}) target_link_libraries(bcc-static ${bcc_common_libs_for_a} bcc-loader-static) set(bcc-lua-static ${bcc-lua-static} ${bcc_common_libs_for_lua}) +if(LIBBPF_FOUND) + target_link_libraries(bcc-shared-no-libbpf ${bcc_common_libs_for_n} ${LIBBPF_LIBRARIES}) + install(TARGETS bcc-shared-no-libbpf LIBRARY DESTINATION ${CMAKE_INSTALL_LIBDIR}) +endif() + install(TARGETS bcc-shared LIBRARY DESTINATION ${CMAKE_INSTALL_LIBDIR}) install(FILES ${bcc_table_headers} DESTINATION include/bcc) install(FILES ${bcc_api_headers} DESTINATION include/bcc) -install(DIRECTORY libbpf/include/uapi/linux/ DESTINATION include/bcc/compat/linux FILES_MATCHING PATTERN "*.h") +install(DIRECTORY ${libbpf_uapi} DESTINATION include/bcc/compat/linux FILES_MATCHING PATTERN "*.h") install(FILES ${CMAKE_CURRENT_BINARY_DIR}/libbcc.pc DESTINATION ${CMAKE_INSTALL_LIBDIR}/pkgconfig) endif(ENABLE_CLANG_JIT) install(FILES ${bcc_common_headers} DESTINATION include/bcc) From 19c625e65f6726913ef435b1882d50da49bf43e0 Mon Sep 17 00:00:00 2001 From: Jiri Olsa Date: Tue, 12 Nov 2019 22:46:35 +0100 Subject: [PATCH 134/228] Link test_libbcc directly with libbcc.so Linking with bcc-shared will use all the libraries in bcc-shared which compose libbcc, instead of libbcc.so dynamic link. Signed-off-by: Jiri Olsa jolsa@kernel.org --- tests/cc/CMakeLists.txt | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/tests/cc/CMakeLists.txt b/tests/cc/CMakeLists.txt index f4eb39984..26ed0d772 100644 --- a/tests/cc/CMakeLists.txt +++ b/tests/cc/CMakeLists.txt @@ -31,7 +31,10 @@ add_executable(test_libbcc file(COPY dummy_proc_map.txt DESTINATION ${CMAKE_CURRENT_BINARY_DIR}) add_library(usdt_test_lib SHARED usdt_test_lib.c) -target_link_libraries(test_libbcc bcc-shared dl usdt_test_lib) +add_dependencies(test_libbcc bcc-shared) +target_link_libraries(test_libbcc ${PROJECT_BINARY_DIR}/src/cc/libbcc.so dl usdt_test_lib) +set_target_properties(test_libbcc PROPERTIES INSTALL_RPATH ${PROJECT_BINARY_DIR}/src/cc) + add_test(NAME test_libbcc COMMAND ${TEST_WRAPPER} c_test_all sudo ${CMAKE_CURRENT_BINARY_DIR}/test_libbcc) endif(ENABLE_USDT) From 7ec8bde336af400fc691dba864b62e5733e82bb3 Mon Sep 17 00:00:00 2001 From: Jiri Olsa Date: Sat, 9 Nov 2019 00:00:44 +0100 Subject: [PATCH 135/228] Add test_libbcc_no_libbpf test It's the same code as for test_libbcc test, but linked with libbcc-no-libbpf.so library. Added LIBBCC_NAME macro to be used in dynamic loader test where we need to provide the library name. Signed-off-by: Jiri Olsa jolsa@kernel.org --- tests/cc/CMakeLists.txt | 17 ++++++++++++++++- tests/cc/test_c_api.cc | 8 ++++---- 2 files changed, 20 insertions(+), 5 deletions(-) diff --git a/tests/cc/CMakeLists.txt b/tests/cc/CMakeLists.txt index 26ed0d772..d545cc15e 100644 --- a/tests/cc/CMakeLists.txt +++ b/tests/cc/CMakeLists.txt @@ -15,7 +15,7 @@ set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -Wno-unused-result") set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -Wno-unused-result") if(ENABLE_USDT) -add_executable(test_libbcc +set(TEST_LIBBCC_SOURCES test_libbcc.cc test_c_api.cc test_array_table.cc @@ -28,13 +28,28 @@ add_executable(test_libbcc test_usdt_args.cc test_usdt_probes.cc utils.cc) + +add_executable(test_libbcc ${TEST_LIBBCC_SOURCES}) + file(COPY dummy_proc_map.txt DESTINATION ${CMAKE_CURRENT_BINARY_DIR}) add_library(usdt_test_lib SHARED usdt_test_lib.c) add_dependencies(test_libbcc bcc-shared) target_link_libraries(test_libbcc ${PROJECT_BINARY_DIR}/src/cc/libbcc.so dl usdt_test_lib) set_target_properties(test_libbcc PROPERTIES INSTALL_RPATH ${PROJECT_BINARY_DIR}/src/cc) +target_compile_definitions(test_libbcc PRIVATE -DLIBBCC_NAME=\"libbcc.so\") add_test(NAME test_libbcc COMMAND ${TEST_WRAPPER} c_test_all sudo ${CMAKE_CURRENT_BINARY_DIR}/test_libbcc) +if(LIBBPF_FOUND) + add_executable(test_libbcc_no_libbpf ${TEST_LIBBCC_SOURCES}) + add_dependencies(test_libbcc_no_libbpf bcc-shared-no-libbpf) + + target_link_libraries(test_libbcc_no_libbpf ${PROJECT_BINARY_DIR}/src/cc/libbcc-no-libbpf.so dl usdt_test_lib bpf) + set_target_properties(test_libbcc_no_libbpf PROPERTIES INSTALL_RPATH ${PROJECT_BINARY_DIR}/src/cc) + target_compile_definitions(test_libbcc_no_libbpf PRIVATE -DLIBBCC_NAME=\"libbcc-no-libbpf.so\") + + add_test(NAME test_libbcc_no_libbpf COMMAND ${TEST_WRAPPER} c_test_all_no_libbpf sudo ${CMAKE_CURRENT_BINARY_DIR}/test_libbcc_no_libbpf) +endif() + endif(ENABLE_USDT) diff --git a/tests/cc/test_c_api.cc b/tests/cc/test_c_api.cc index e3744be4e..04b70bc2c 100644 --- a/tests/cc/test_c_api.cc +++ b/tests/cc/test_c_api.cc @@ -104,7 +104,7 @@ TEST_CASE("resolve symbol name in external library using loaded libraries", "[c_ struct bcc_symbol sym; REQUIRE(bcc_resolve_symname("bcc", "bcc_procutils_which", 0x0, getpid(), nullptr, &sym) == 0); - REQUIRE(string(sym.module).find("libbcc.so") != string::npos); + REQUIRE(string(sym.module).find(LIBBCC_NAME) != string::npos); REQUIRE(sym.module[0] == '/'); REQUIRE(sym.offset != 0); bcc_procutils_free(sym.module); @@ -233,15 +233,15 @@ TEST_CASE("resolve symbol addresses for a given PID", "[c_api]") { REQUIRE(string(lazy_sym.module) == sym.module); } - SECTION("resolve in libbcc.so") { - void *libbcc = dlopen("libbcc.so", RTLD_LAZY | RTLD_NOLOAD); + SECTION("resolve in " LIBBCC_NAME) { + void *libbcc = dlopen(LIBBCC_NAME, RTLD_LAZY | RTLD_NOLOAD); REQUIRE(libbcc); void *libbcc_fptr = dlsym(libbcc, "bcc_resolve_symname"); REQUIRE(libbcc_fptr); REQUIRE(bcc_symcache_resolve(resolver, (uint64_t)libbcc_fptr, &sym) == 0); - REQUIRE(string(sym.module).find("libbcc.so") != string::npos); + REQUIRE(string(sym.module).find(LIBBCC_NAME) != string::npos); REQUIRE(string("bcc_resolve_symname") == sym.name); REQUIRE(bcc_symcache_resolve(lazy_resolver, (uint64_t)libbcc_fptr, &lazy_sym) == 0); From a6f658dfd3a74ce770f62972d16cda1fd8db35d9 Mon Sep 17 00:00:00 2001 From: WYF Date: Thu, 14 Nov 2019 00:31:55 +0800 Subject: [PATCH 136/228] Add a supplementary explanation to function `get_syscall_fnname` (#2593) * add a supplementary explanation to function `get_syscall_fnname`. * fix the contents --- docs/reference_guide.md | 18 ++++++++++++++++++ 1 file changed, 18 insertions(+) diff --git a/docs/reference_guide.md b/docs/reference_guide.md index 9940f1348..506c9abe7 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -86,6 +86,7 @@ This guide is incomplete. If something feels missing, check the bcc and kernel s - [2. ksymname()](#2-ksymname) - [3. sym()](#3-sym) - [4. num_open_kprobes()](#4-num_open_kprobes) + - [5. get_syscall_fnname()](#5-get_syscall_fnname) - [BPF Errors](#bpf-errors) - [1. Invalid mem access](#1-invalid-mem-access) @@ -1604,6 +1605,23 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=num_open_kprobes+path%3Aexamples+language%3Apython&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=num_open_kprobes+path%3Atools+language%3Apython&type=Code) +### 5. get_syscall_fnname() + +Syntax: ```BPF.get_syscall_fnname(name : str)``` + +Return the corresponding kernel function name of the syscall. This helper function will try different prefixes and use the right one to concatenate with the syscall name. Note that the return value may vary in different versions of linux kernel and sometimes it will causing trouble. (see [#2590](https://github.com/iovisor/bcc/issues/2590)) + +Example: + +```Python +print("The function name of %s in kernel is %s" % ("clone", b.get_syscall_fnname("clone"))) +# sys_clone or __x64_sys_clone or ... +``` + +Examples in situ: +[search /examples](https://github.com/iovisor/bcc/search?q=get_syscall_fnname+path%3Aexamples+language%3Apython&type=Code), +[search /tools](https://github.com/iovisor/bcc/search?q=get_syscall_fnname+path%3Atools+language%3Apython&type=Code) + # BPF Errors See the "Understanding eBPF verifier messages" section in the kernel source under Documentation/networking/filter.txt. From 992e482b5d06c58888b3821a96a41e48aff678d0 Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Wed, 13 Nov 2019 13:37:58 -0800 Subject: [PATCH 137/228] sync with latest libbpf (#2594) The following helpers are sync'ed into bcc and will be available in linux 5.5. bpf_probe_read_kernel bpf_probe_read_kernel_str bpf_probe_read_user bpf_probe_read_user_str Signed-off-by: Yonghong Song --- docs/kernel-versions.md | 9 +- introspection/bps.c | 1 + src/cc/compat/linux/virtual_bpf.h | 150 ++++++++++++++++++++++-------- src/cc/export/helpers.h | 15 +++ src/cc/libbpf | 2 +- src/cc/libbpf.c | 5 + 6 files changed, 139 insertions(+), 43 deletions(-) diff --git a/docs/kernel-versions.md b/docs/kernel-versions.md index 9b6ad8f79..dd74ee01a 100644 --- a/docs/kernel-versions.md +++ b/docs/kernel-versions.md @@ -203,6 +203,10 @@ Helper | Kernel version | License | Commit | `BPF_FUNC_perf_event_read_value()` | 4.15 | GPL | [`908432ca84fc`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=908432ca84fc229e906ba164219e9ad0fe56f755) `BPF_FUNC_perf_prog_read_value()` | 4.15 | GPL | [`4bebdc7a85aa`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=4bebdc7a85aa400c0222b5329861e4ad9252f1e5) `BPF_FUNC_probe_read()` | 4.1 | GPL | [`2541517c32be`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=2541517c32be2531e0da59dfd7efc1ce844644f5) +`BPF_FUNC_probe_read_kernel()` | 5.5 | GPL | [`6ae08ae3dea2`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=6ae08ae3dea2cfa03dd3665a3c8475c2d429ef47) +`BPF_FUNC_probe_read_kernel_str()` | 5.5 | GPL | [`6ae08ae3dea2`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=6ae08ae3dea2cfa03dd3665a3c8475c2d429ef47) +`BPF_FUNC_probe_read_user()` | 5.5 | GPL | [`6ae08ae3dea2`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=6ae08ae3dea2cfa03dd3665a3c8475c2d429ef47) +`BPF_FUNC_probe_read_user_str()` | 5.5 | GPL | [`6ae08ae3dea2`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=6ae08ae3dea2cfa03dd3665a3c8475c2d429ef47) `BPF_FUNC_probe_read_str()` | 4.11 | GPL | [`a5e8c07059d0`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=a5e8c07059d0f0b31737408711d44794928ac218) `BPF_FUNC_probe_write_user()` | 4.8 | GPL | [`96ae52279594`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=96ae52279594470622ff0585621a13e96b700600) `BPF_FUNC_rc_keydown()` | 4.18 | GPL | [`f4364dcfc86d`](https://git.kernel.org/cgit/linux/kernel/git/bpf/bpf-next.git/commit/?id=f4364dcfc86df7c1ca47b256eaf6b6d0cdd0d936) @@ -236,6 +240,7 @@ Helper | Kernel version | License | Commit | `BPF_FUNC_skb_get_xfrm_state()` | 4.18 | | [`12bed760a78d`](https://git.kernel.org/cgit/linux/kernel/git/davem/net-next.git/commit/?id=12bed760a78da6e12ac8252fec64d019a9eac523) `BPF_FUNC_skb_load_bytes()` | 4.5 | | [`05c74e5e53f6`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=05c74e5e53f6cb07502c3e6a820f33e2777b6605) `BPF_FUNC_skb_load_bytes_relative()` | 4.18 | | [`4e1ec56cdc59`](https://git.kernel.org/cgit/linux/kernel/git/davem/net-next.git/commit/?id=4e1ec56cdc59746943b2acfab3c171b930187bbe) +`BPF_FUNC_skb_output()` | 5.5 | | [`a7658e1a4164`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=a7658e1a4164ce2b9eb4a11aadbba38586e93bd6) `BPF_FUNC_skb_pull_data()` | 4.9 | | [`36bbef52c7eb`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=36bbef52c7eb646ed6247055a2acd3851e317857) `BPF_FUNC_skb_set_tunnel_key()` | 4.3 | | [`d3aa45ce6b94`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=d3aa45ce6b94c65b83971257317867db13e5f492) `BPF_FUNC_skb_set_tunnel_opt()` | 4.6 | | [`14ca0751c96f`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=14ca0751c96f8d3d0f52e8ed3b3236f8b34d3460) @@ -298,7 +303,7 @@ The list of program types and supported helper functions can be retrieved with: |`BPF_PROG_TYPE_SK_SKB`|`BPF_FUNC_skb_store_bytes()`
    `BPF_FUNC_skb_load_bytes()`
    `BPF_FUNC_skb_pull_data()`
    `BPF_FUNC_skb_change_tail()`
    `BPF_FUNC_skb_change_head()`
    `BPF_FUNC_get_socket_cookie()`
    `BPF_FUNC_get_socket_uid()`
    `BPF_FUNC_sk_redirect_map()`
    `BPF_FUNC_sk_redirect_hash()`
    `BPF_FUNC_sk_lookup_tcp()`
    `BPF_FUNC_sk_lookup_udp()`
    `BPF_FUNC_sk_release()`
    `Base functions`| |`BPF_PROG_TYPE_CGROUP_DEVICE`|`BPF_FUNC_map_lookup_elem()`
    `BPF_FUNC_map_update_elem()`
    `BPF_FUNC_map_delete_elem()`
    `BPF_FUNC_get_current_uid_gid()`
    `BPF_FUNC_trace_printk()`| |`BPF_PROG_TYPE_SK_MSG`|`BPF_FUNC_msg_redirect_map()`
    `BPF_FUNC_msg_redirect_hash()`
    `BPF_FUNC_msg_apply_bytes()`
    `BPF_FUNC_msg_cork_bytes()`
    `BPF_FUNC_msg_pull_data()`
    `BPF_FUNC_msg_push_data()`
    `BPF_FUNC_msg_pop_data()`
    `Base functions`| -|`BPF_PROG_TYPE_RAW_TRACEPOINT`|`BPF_FUNC_perf_event_output()`
    `BPF_FUNC_get_stackid()`
    `BPF_FUNC_get_stack()`
    `Tracing functions`| +|`BPF_PROG_TYPE_RAW_TRACEPOINT`|`BPF_FUNC_perf_event_output()`
    `BPF_FUNC_get_stackid()`
    `BPF_FUNC_get_stack()`
    `BPF_FUNC_skb_output()`
    `Tracing functions`| |`BPF_PROG_TYPE_CGROUP_SOCK_ADDR`|`BPF_FUNC_get_current_uid_gid()`
    `BPF_FUNC_bind()`
    `BPF_FUNC_get_socket_cookie()`
    `Base functions`| |`BPF_PROG_TYPE_LWT_SEG6LOCAL`|`BPF_FUNC_lwt_seg6_store_bytes()`
    `BPF_FUNC_lwt_seg6_action()`
    `BPF_FUNC_lwt_seg6_adjust_srh()`
    `LWT functions`| |`BPF_PROG_TYPE_LIRC_MODE2`|`BPF_FUNC_rc_repeat()`
    `BPF_FUNC_rc_keydown()`
    `BPF_FUNC_rc_pointer_rel()`
    `BPF_FUNC_map_lookup_elem()`
    `BPF_FUNC_map_update_elem()`
    `BPF_FUNC_map_delete_elem()`
    `BPF_FUNC_ktime_get_ns()`
    `BPF_FUNC_tail_call()`
    `BPF_FUNC_get_prandom_u32()`
    `BPF_FUNC_trace_printk()`| @@ -308,5 +313,5 @@ The list of program types and supported helper functions can be retrieved with: |Function Group| Functions| |------------------|-------| |`Base functions`| `BPF_FUNC_map_lookup_elem()`
    `BPF_FUNC_map_update_elem()`
    `BPF_FUNC_map_delete_elem()`
    `BPF_FUNC_map_peek_elem()`
    `BPF_FUNC_map_pop_elem()`
    `BPF_FUNC_map_push_elem()`
    `BPF_FUNC_get_prandom_u32()`
    `BPF_FUNC_get_smp_processor_id()`
    `BPF_FUNC_get_numa_node_id()`
    `BPF_FUNC_tail_call()`
    `BPF_FUNC_ktime_get_ns()`
    `BPF_FUNC_trace_printk()`
    `BPF_FUNC_spin_lock()`
    `BPF_FUNC_spin_unlock()` | -|`Tracing functions`|`BPF_FUNC_map_lookup_elem()`
    `BPF_FUNC_map_update_elem()`
    `BPF_FUNC_map_delete_elem()`
    `BPF_FUNC_probe_read()`
    `BPF_FUNC_ktime_get_ns()`
    `BPF_FUNC_tail_call()`
    `BPF_FUNC_get_current_pid_tgid()`
    `BPF_FUNC_get_current_task()`
    `BPF_FUNC_get_current_uid_gid()`
    `BPF_FUNC_get_current_comm()`
    `BPF_FUNC_trace_printk()`
    `BPF_FUNC_get_smp_processor_id()`
    `BPF_FUNC_get_numa_node_id()`
    `BPF_FUNC_perf_event_read()`
    `BPF_FUNC_probe_write_user()`
    `BPF_FUNC_current_task_under_cgroup()`
    `BPF_FUNC_get_prandom_u32()`
    `BPF_FUNC_probe_read_str()`
    `BPF_FUNC_get_current_cgroup_id()`
    `BPF_FUNC_send_signal()`| +|`Tracing functions`|`BPF_FUNC_map_lookup_elem()`
    `BPF_FUNC_map_update_elem()`
    `BPF_FUNC_map_delete_elem()`
    `BPF_FUNC_probe_read()`
    `BPF_FUNC_ktime_get_ns()`
    `BPF_FUNC_tail_call()`
    `BPF_FUNC_get_current_pid_tgid()`
    `BPF_FUNC_get_current_task()`
    `BPF_FUNC_get_current_uid_gid()`
    `BPF_FUNC_get_current_comm()`
    `BPF_FUNC_trace_printk()`
    `BPF_FUNC_get_smp_processor_id()`
    `BPF_FUNC_get_numa_node_id()`
    `BPF_FUNC_perf_event_read()`
    `BPF_FUNC_probe_write_user()`
    `BPF_FUNC_current_task_under_cgroup()`
    `BPF_FUNC_get_prandom_u32()`
    `BPF_FUNC_probe_read_str()`
    `BPF_FUNC_get_current_cgroup_id()`
    `BPF_FUNC_send_signal()`
    `BPF_FUNC_probe_read_kernel()`
    `BPF_FUNC_probe_read_kernel_str()`
    `BPF_FUNC_probe_read_user()`
    `BPF_FUNC_probe_read_user_str()`| |`LWT functions`| `BPF_FUNC_skb_load_bytes()`
    `BPF_FUNC_skb_pull_data()`
    `BPF_FUNC_csum_diff()`
    `BPF_FUNC_get_cgroup_classid()`
    `BPF_FUNC_get_route_realm()`
    `BPF_FUNC_get_hash_recalc()`
    `BPF_FUNC_perf_event_output()`
    `BPF_FUNC_get_smp_processor_id()`
    `BPF_FUNC_skb_under_cgroup()`| diff --git a/introspection/bps.c b/introspection/bps.c index 5e510aa4f..59160938c 100644 --- a/introspection/bps.c +++ b/introspection/bps.c @@ -42,6 +42,7 @@ static const char * const prog_type_strings[] = { [BPF_PROG_TYPE_CGROUP_SYSCTL] = "cgroup_sysctl", [BPF_PROG_TYPE_RAW_TRACEPOINT_WRITABLE] = "raw_tracepoint_writable", [BPF_PROG_TYPE_CGROUP_SOCKOPT] = "cgroup_sockopt", + [BPF_PROG_TYPE_TRACING] = "tracing", }; static const char * const map_type_strings[] = { diff --git a/src/cc/compat/linux/virtual_bpf.h b/src/cc/compat/linux/virtual_bpf.h index 362f2d2f7..f9f28e8eb 100644 --- a/src/cc/compat/linux/virtual_bpf.h +++ b/src/cc/compat/linux/virtual_bpf.h @@ -174,6 +174,7 @@ enum bpf_prog_type { BPF_PROG_TYPE_CGROUP_SYSCTL, BPF_PROG_TYPE_RAW_TRACEPOINT_WRITABLE, BPF_PROG_TYPE_CGROUP_SOCKOPT, + BPF_PROG_TYPE_TRACING, }; enum bpf_attach_type { @@ -200,6 +201,7 @@ enum bpf_attach_type { BPF_CGROUP_UDP6_RECVMSG, BPF_CGROUP_GETSOCKOPT, BPF_CGROUP_SETSOCKOPT, + BPF_TRACE_RAW_TP, __MAX_BPF_ATTACH_TYPE }; @@ -421,6 +423,7 @@ union bpf_attr { __u32 line_info_rec_size; /* userspace bpf_line_info size */ __aligned_u64 line_info; /* line info */ __u32 line_info_cnt; /* number of bpf_line_info records */ + __u32 attach_btf_id; /* in-kernel BTF type id to attach to */ }; struct { /* anonymous struct used by BPF_OBJ_* commands */ @@ -561,10 +564,13 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * - * int bpf_probe_read(void *dst, u32 size, const void *src) + * int bpf_probe_read(void *dst, u32 size, const void *unsafe_ptr) * Description * For tracing programs, safely attempt to read *size* bytes from - * address *src* and store the data in *dst*. + * kernel space address *unsafe_ptr* and store the data in *dst*. + * + * Generally, use bpf_probe_read_user() or bpf_probe_read_kernel() + * instead. * Return * 0 on success, or a negative error in case of failure. * @@ -1426,45 +1432,14 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * - * int bpf_probe_read_str(void *dst, int size, const void *unsafe_ptr) + * int bpf_probe_read_str(void *dst, u32 size, const void *unsafe_ptr) * Description - * Copy a NUL terminated string from an unsafe address - * *unsafe_ptr* to *dst*. The *size* should include the - * terminating NUL byte. In case the string length is smaller than - * *size*, the target is not padded with further NUL bytes. If the - * string length is larger than *size*, just *size*-1 bytes are - * copied and the last byte is set to NUL. - * - * On success, the length of the copied string is returned. This - * makes this helper useful in tracing programs for reading - * strings, and more importantly to get its length at runtime. See - * the following snippet: - * - * :: - * - * SEC("kprobe/sys_open") - * void bpf_sys_open(struct pt_regs *ctx) - * { - * char buf[PATHLEN]; // PATHLEN is defined to 256 - * int res = bpf_probe_read_str(buf, sizeof(buf), - * ctx->di); - * - * // Consume buf, for example push it to - * // userspace via bpf_perf_event_output(); we - * // can use res (the string length) as event - * // size, after checking its boundaries. - * } - * - * In comparison, using **bpf_probe_read()** helper here instead - * to read the string would require to estimate the length at - * compile time, and would often result in copying more memory - * than necessary. + * Copy a NUL terminated string from an unsafe kernel address + * *unsafe_ptr* to *dst*. See bpf_probe_read_kernel_str() for + * more details. * - * Another useful use case is when parsing individual process - * arguments or individual environment variables navigating - * *current*\ **->mm->arg_start** and *current*\ - * **->mm->env_start**: using this helper and the return value, - * one can quickly iterate at the right offset of the memory area. + * Generally, use bpf_probe_read_user_str() or bpf_probe_read_kernel_str() + * instead. * Return * On success, the strictly positive length of the string, * including the trailing NUL character. On error, a negative @@ -2751,6 +2726,96 @@ union bpf_attr { * **-EOPNOTSUPP** kernel configuration does not enable SYN cookies * * **-EPROTONOSUPPORT** IP packet version is not 4 or 6 + * + * int bpf_skb_output(void *ctx, struct bpf_map *map, u64 flags, void *data, u64 size) + * Description + * Write raw *data* blob into a special BPF perf event held by + * *map* of type **BPF_MAP_TYPE_PERF_EVENT_ARRAY**. This perf + * event must have the following attributes: **PERF_SAMPLE_RAW** + * as **sample_type**, **PERF_TYPE_SOFTWARE** as **type**, and + * **PERF_COUNT_SW_BPF_OUTPUT** as **config**. + * + * The *flags* are used to indicate the index in *map* for which + * the value must be put, masked with **BPF_F_INDEX_MASK**. + * Alternatively, *flags* can be set to **BPF_F_CURRENT_CPU** + * to indicate that the index of the current CPU core should be + * used. + * + * The value to write, of *size*, is passed through eBPF stack and + * pointed by *data*. + * + * *ctx* is a pointer to in-kernel struct sk_buff. + * + * This helper is similar to **bpf_perf_event_output**\ () but + * restricted to raw_tracepoint bpf programs. + * Return + * 0 on success, or a negative error in case of failure. + * + * int bpf_probe_read_user(void *dst, u32 size, const void *unsafe_ptr) + * Description + * Safely attempt to read *size* bytes from user space address + * *unsafe_ptr* and store the data in *dst*. + * Return + * 0 on success, or a negative error in case of failure. + * + * int bpf_probe_read_kernel(void *dst, u32 size, const void *unsafe_ptr) + * Description + * Safely attempt to read *size* bytes from kernel space address + * *unsafe_ptr* and store the data in *dst*. + * Return + * 0 on success, or a negative error in case of failure. + * + * int bpf_probe_read_user_str(void *dst, u32 size, const void *unsafe_ptr) + * Description + * Copy a NUL terminated string from an unsafe user address + * *unsafe_ptr* to *dst*. The *size* should include the + * terminating NUL byte. In case the string length is smaller than + * *size*, the target is not padded with further NUL bytes. If the + * string length is larger than *size*, just *size*-1 bytes are + * copied and the last byte is set to NUL. + * + * On success, the length of the copied string is returned. This + * makes this helper useful in tracing programs for reading + * strings, and more importantly to get its length at runtime. See + * the following snippet: + * + * :: + * + * SEC("kprobe/sys_open") + * void bpf_sys_open(struct pt_regs *ctx) + * { + * char buf[PATHLEN]; // PATHLEN is defined to 256 + * int res = bpf_probe_read_user_str(buf, sizeof(buf), + * ctx->di); + * + * // Consume buf, for example push it to + * // userspace via bpf_perf_event_output(); we + * // can use res (the string length) as event + * // size, after checking its boundaries. + * } + * + * In comparison, using **bpf_probe_read_user()** helper here + * instead to read the string would require to estimate the length + * at compile time, and would often result in copying more memory + * than necessary. + * + * Another useful use case is when parsing individual process + * arguments or individual environment variables navigating + * *current*\ **->mm->arg_start** and *current*\ + * **->mm->env_start**: using this helper and the return value, + * one can quickly iterate at the right offset of the memory area. + * Return + * On success, the strictly positive length of the string, + * including the trailing NUL character. On error, a negative + * value. + * + * int bpf_probe_read_kernel_str(void *dst, u32 size, const void *unsafe_ptr) + * Description + * Copy a NUL terminated string from an unsafe kernel address *unsafe_ptr* + * to *dst*. Same semantics as with bpf_probe_read_user_str() apply. + * Return + * On success, the strictly positive length of the string, including + * the trailing NUL character. On error, a negative value. */ #define __BPF_FUNC_MAPPER(FN) \ FN(unspec), \ @@ -2863,7 +2928,12 @@ union bpf_attr { FN(sk_storage_get), \ FN(sk_storage_delete), \ FN(send_signal), \ - FN(tcp_gen_syncookie), + FN(tcp_gen_syncookie), \ + FN(skb_output), \ + FN(probe_read_user), \ + FN(probe_read_kernel), \ + FN(probe_read_user_str), \ + FN(probe_read_kernel_str), /* integer value in 'imm' field of BPF_CALL instruction selects which helper * function eBPF program intends to call diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index ba983e3fe..49abd61d3 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -524,6 +524,21 @@ static int (*bpf_send_signal)(unsigned sig) = (void *)BPF_FUNC_send_signal; static long long (*bpf_tcp_gen_syncookie)(struct bpf_sock *sk, void *ip, int ip_len, void *tcp, int tcp_len) = (void *) BPF_FUNC_tcp_gen_syncookie; +static int (*bpf_skb_output)(void *ctx, void *map, __u64 flags, void *data, + __u64 size) = + (void *)BPF_FUNC_skb_output; +static int (*bpf_probe_read_user)(void *dst, __u32 size, + const void *unsafe_ptr) = + (void *)BPF_FUNC_probe_read_user; +static int (*bpf_probe_read_kernel)(void *dst, __u32 size, + const void *unsafe_ptr) = + (void *)BPF_FUNC_probe_read_kernel; +static int (*bpf_probe_read_user_str)(void *dst, __u32 size, + const void *unsafe_ptr) = + (void *)BPF_FUNC_probe_read_user_str; +static int (*bpf_probe_read_kernel_str)(void *dst, __u32 size, + const void *unsafe_ptr) = + (void *)BPF_FUNC_probe_read_kernel_str; /* llvm builtin functions that eBPF C program may use to * emit BPF_LD_ABS and BPF_LD_IND instructions diff --git a/src/cc/libbpf b/src/cc/libbpf index f02e248ae..4da243c17 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit f02e248ae125a30564b74900ed2fce40128dc4e0 +Subproject commit 4da243c179771d01072e8b7d2d4b663bc2362e03 diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index 8459ecf0a..f7f0d4ce2 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -208,6 +208,11 @@ static struct bpf_helper helpers[] = { {"sk_storage_delete", "5.2"}, {"send_signal", "5.3"}, {"tcp_gen_syncookie", "5.3"}, + {"skb_output", "5.5"}, + {"probe_read_user", "5.5"}, + {"probe_read_kernel", "5.5"}, + {"probe_read_user_str", "5.5"}, + {"probe_read_kernel_str", "5.5"}, }; static uint64_t ptr_to_u64(void *ptr) From ccf8261e89eede7b6c9c949c1913610fe1bd9a5c Mon Sep 17 00:00:00 2001 From: Dave Marchevsky Date: Tue, 30 Jul 2019 11:17:37 -0700 Subject: [PATCH 138/228] add BPF::init_usdt function to init a single USDT so folks can handle partial init failure of list of USDTs. modify BPF::init so that failure doesn't leave the BPF object in a broken state such that subsequent inits will also fail --- docs/reference_guide.md | 2 ++ src/cc/api/BPF.cc | 35 ++++++++++++++++++++++++++--------- src/cc/api/BPF.h | 5 +++++ tests/cc/test_usdt_probes.cc | 26 ++++++++++++++++++++++++++ 4 files changed, 59 insertions(+), 9 deletions(-) diff --git a/docs/reference_guide.md b/docs/reference_guide.md index 506c9abe7..7f22f1c29 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -245,6 +245,8 @@ int do_trace(struct pt_regs *ctx) { This reads the sixth USDT argument, and then pulls it in as a string to ```path```. +When initializing USDTs via the third argument of ```BPF::init``` in the C API, if any USDT fails to ```init```, entire ```BPF::init``` will fail. If you're OK with some USDTs failing to ```init```, use ```BPF::init_usdt``` before calling ```BPF::init```. + Examples in situ: [code](https://github.com/iovisor/bcc/commit/4f88a9401357d7b75e917abd994aa6ea97dda4d3#diff-04a7cad583be5646080970344c48c1f4R24), [search /examples](https://github.com/iovisor/bcc/search?q=bpf_usdt_readarg+path%3Aexamples&type=Code), diff --git a/src/cc/api/BPF.cc b/src/cc/api/BPF.cc index a58f23b09..66dba7460 100644 --- a/src/cc/api/BPF.cc +++ b/src/cc/api/BPF.cc @@ -55,18 +55,33 @@ std::string sanitize_str(std::string str, bool (*validator)(char), return str; } +StatusTuple BPF::init_usdt(const USDT& usdt) { + USDT u(usdt); + StatusTuple init_stp = u.init(); + if (init_stp.code() != 0) { + return init_stp; + } + + usdt_.push_back(std::move(u)); + all_bpf_program_ += usdt_.back().program_text_; + return StatusTuple(0); +} + +void BPF::init_fail_reset() { + usdt_.clear(); + all_bpf_program_ = ""; +} + StatusTuple BPF::init(const std::string& bpf_program, const std::vector& cflags, const std::vector& usdt) { - std::string all_bpf_program; - usdt_.reserve(usdt.size()); for (const auto& u : usdt) { - usdt_.emplace_back(u); - } - for (auto& u : usdt_) { - TRY2(u.init()); - all_bpf_program += u.program_text_; + StatusTuple init_stp = init_usdt(u); + if (init_stp.code() != 0) { + init_fail_reset(); + return init_stp; + } } auto flags_len = cflags.size(); @@ -74,9 +89,11 @@ StatusTuple BPF::init(const std::string& bpf_program, for (size_t i = 0; i < flags_len; i++) flags[i] = cflags[i].c_str(); - all_bpf_program += bpf_program; - if (bpf_module_->load_string(all_bpf_program, flags, flags_len) != 0) + all_bpf_program_ += bpf_program; + if (bpf_module_->load_string(all_bpf_program_, flags, flags_len) != 0) { + init_fail_reset(); return StatusTuple(-1, "Unable to initialize BPF program"); + } return StatusTuple(0); }; diff --git a/src/cc/api/BPF.h b/src/cc/api/BPF.h index 63a39f405..ff4590300 100644 --- a/src/cc/api/BPF.h +++ b/src/cc/api/BPF.h @@ -58,6 +58,8 @@ class BPF { const std::vector& cflags = {}, const std::vector& usdt = {}); + StatusTuple init_usdt(const USDT& usdt); + ~BPF(); StatusTuple detach_all(); @@ -244,6 +246,8 @@ class BPF { uint64_t& offset_res, uint64_t symbol_offset = 0); + void init_fail_reset(); + int flag_; void *bsymcache_; @@ -255,6 +259,7 @@ class BPF { std::map funcs_; std::vector usdt_; + std::string all_bpf_program_; std::map kprobes_; std::map uprobes_; diff --git a/tests/cc/test_usdt_probes.cc b/tests/cc/test_usdt_probes.cc index 71c75a1ec..6015c5d98 100644 --- a/tests/cc/test_usdt_probes.cc +++ b/tests/cc/test_usdt_probes.cc @@ -99,6 +99,32 @@ TEST_CASE("test find a probe in our process' shared libs with c++ API", "[usdt]" REQUIRE(res.code() == 0); } +TEST_CASE("test usdt partial init w/ fail init_usdt", "[usdt]") { + ebpf::BPF bpf; + ebpf::USDT u(::getpid(), "libbcc_test", "sample_lib_probe_nonexistent", "on_event"); + ebpf::USDT p(::getpid(), "libbcc_test", "sample_lib_probe_1", "on_event"); + + // We should be able to fail initialization and subsequently do bpf.init w/o USDT + // successfully + auto res = bpf.init_usdt(u); + REQUIRE(res.msg() != ""); + REQUIRE(res.code() != 0); + + // Shouldn't be necessary to re-init bpf object either after failure to init w/ + // bad USDT + res = bpf.init("int on_event() { return 0; }", {}, {u}); + REQUIRE(res.msg() != ""); + REQUIRE(res.code() != 0); + + res = bpf.init_usdt(p); + REQUIRE(res.msg() == ""); + REQUIRE(res.code() == 0); + + res = bpf.init("int on_event() { return 0; }", {}, {}); + REQUIRE(res.msg() == ""); + REQUIRE(res.code() == 0); +} + class ChildProcess { pid_t pid_; From 15fbd7cd24e37bfda80326ecdb713be3cc063641 Mon Sep 17 00:00:00 2001 From: Wenbo Zhang Date: Fri, 15 Nov 2019 03:47:27 -0500 Subject: [PATCH 139/228] add tool: compactsnoop --- README.md | 1 + man/man8/compactsnoop.8 | 179 ++++++++++++++ snapcraft/snapcraft.yaml | 2 + tests/python/test_tools_smoke.py | 4 + tools/compactsnoop.py | 400 +++++++++++++++++++++++++++++++ tools/compactsnoop_example.txt | 203 ++++++++++++++++ tools/old/compactsnoop.py | 390 ++++++++++++++++++++++++++++++ 7 files changed, 1179 insertions(+) create mode 100644 man/man8/compactsnoop.8 create mode 100755 tools/compactsnoop.py create mode 100644 tools/compactsnoop_example.txt create mode 100755 tools/old/compactsnoop.py diff --git a/README.md b/README.md index 66e167dae..f079827a5 100644 --- a/README.md +++ b/README.md @@ -95,6 +95,7 @@ pair of .c and .py files, and some are directories of files. - tools/[capable](tools/capable.py): Trace security capability checks. [Examples](tools/capable_example.txt). - tools/[cachestat](tools/cachestat.py): Trace page cache hit/miss ratio. [Examples](tools/cachestat_example.txt). - tools/[cachetop](tools/cachetop.py): Trace page cache hit/miss ratio by processes. [Examples](tools/cachetop_example.txt). +- tools/[compactsnoop](tools/compactsnoop.py): Trace compact zone events with PID and latency. [Examples](tools/compactsnoop_example.txt). - tools/[cpudist](tools/cpudist.py): Summarize on- and off-CPU time per task as a histogram. [Examples](tools/cpudist_example.txt) - tools/[cpuunclaimed](tools/cpuunclaimed.py): Sample CPU run queues and calculate unclaimed idle CPU. [Examples](tools/cpuunclaimed_example.txt) - tools/[criticalstat](tools/criticalstat.py): Trace and report long atomic critical sections in the kernel. [Examples](tools/criticalstat_example.txt) diff --git a/man/man8/compactsnoop.8 b/man/man8/compactsnoop.8 new file mode 100644 index 000000000..d110a2b1d --- /dev/null +++ b/man/man8/compactsnoop.8 @@ -0,0 +1,179 @@ +.TH compactsnoop 8 "2019-11-1" "USER COMMANDS" +.SH NAME +compactstall \- Trace compact zone events. Uses Linux eBPF/bcc. +.SH SYNOPSIS +.B compactsnoop.py [\-h] [\-T] [\-p PID] [\-d DURATION] [\-K] [\-e] +.SH DESCRIPTION +compactsnoop traces the compact zone events, showing which processes are +allocing pages with memory compaction. This can be useful for discovering +when compact_stall (/proc/vmstat) continues to increase, whether it is +caused by some critical processes or not. + +This works by tracing the compact zone events using raw_tracepoints and one +kretprobe. + +For the Centos 7.6 (3.10.x kernel), see the version under tools/old, which +uses an older memory compaction mechanism. + +Since this uses BPF, only the root user can use this tool. +.SH REQUIREMENTS +CONFIG_BPF and bcc. +.SH OPTIONS +.TP +\-h +Print usage message. +.TP +\-T +Include a timestamp column. +.TP +\-p PID +Trace this process ID only (filtered in-kernel). +.TP +\-d DURATION +Total duration of trace in seconds. +.TP +\-K +Output kernel stack trace +.TP +\-e +Show extended fields. +.SH EXAMPLES +.TP +Trace all compact zone events: +# +.B compactsnoop +.TP +Trace all compact zone events, for 10 seconds only: +# +.B compactsnoop -d 10 +.SH FIELDS +.TP +TIME(s) +Time of the call, in seconds. +.TP +COMM +Process name +.TP +PID +Process ID +.TP +NODE +Memory node +.TP +ZONE +Zone of the node (such as DMA, DMA32, NORMAL eg) +.TP +ORDER +Shows which order alloc cause memory compaction, -1 means all orders (eg: write +to /proc/sys/vm/compact_memory) +.TP +MODE +SYNC OR ASYNC +.TP +FRAGIDX (extra column) +The FRAGIDX is short for fragmentation index, which only makes sense if an +allocation of a requested size would fail. If that is true, the fragmentation +index indicates whether external fragmentation or a lack of memory was the +problem. The value can be used to determine if page reclaim or compaction +should be used. +.PP +.in +8n +Index is between 0 and 1 so return within 3 decimal places +.PP +.in +8n +0 => allocation would fail due to lack of memory +.PP +.in +8n +1 => allocation would fail due to fragmentation +.TP +MIN (extra column) +The min watermark of the zone +.TP +LOW (extra column) +The low watermark of the zone +.TP +HIGH (extra column) +The high watermark of the zone +.TP +FREE (extra column) +The nr_free_pages of the zone +.TP +LAT(ms) +compact zone's latency +.TP +STATUS +The compaction's result. +.PP +.in +8n +For (CentOS 7.6's kernel), the status include: +.PP +.in +8n +"skipped" (COMPACT_SKIPPED): compaction didn't start as it was not possible or +direct reclaim was more suitable +.PP +.in +8n +"continue" (COMPACT_CONTINUE): compaction should continue to another pageblock +.PP +.in +8n +"partial" (COMPACT_PARTIAL): direct compaction partially compacted a zone and +there are suitable pages +.PP +.in +8n +"complete" (COMPACT_COMPLETE): The full zone was compacted +.PP +.in +8n +For (kernel 4.7 and above): +.PP +.in +8n +"not_suitable_zone" (COMPACT_NOT_SUITABLE_ZONE): For more detailed tracepoint +output - internal to compaction +.PP +.in +8n +"skipped" (COMPACT_SKIPPED): compaction didn't start as it was not possible or +direct reclaim was more suitable +.PP +.in +8n +"deferred" (COMPACT_DEFERRED): compaction didn't start as it was deferred due +to past failures +.PP +.in +8n +"no_suitable_page" (COMPACT_NOT_SUITABLE_PAGE): For more detailed tracepoint +output - internal to compaction +.PP +.in +8n +"continue" (COMPACT_CONTINUE): compaction should continue to another pageblock +.PP +.in +8n +"complete" (COMPACT_COMPLETE): The full zone was compacted scanned but wasn't +successfull to compact suitable pages. +.PP +.in +8n +"partial_skipped" (COMPACT_PARTIAL_SKIPPED): direct compaction has scanned part +of the zone but wasn't successfull to compact suitable pages. +.PP +.in +8n +"contended" (COMPACT_CONTENDED): compaction terminated prematurely due to lock +contentions +.PP +.in +8n +"success" (COMPACT_SUCCESS): direct compaction terminated after concluding that +the allocation should now succeed +.PP +.in +8n +.SH OVERHEAD +This traces the kernel compact zone kprobe/kretprobe or raw_tracepoints and +prints output for each event. As the rate of this is generally expected to be +low (< 1000/s), the overhead is also expected to be negligible. +.SH SOURCE +This is from bcc. +.IP +https://github.com/iovisor/bcc +.PP +Also look in the bcc distribution for a companion _examples.txt file containing +example usage, output, and commentary for this tool. +.SH OS +Linux +.SH STABILITY +Unstable - in development. +.SH AUTHOR +Ethercflow diff --git a/snapcraft/snapcraft.yaml b/snapcraft/snapcraft.yaml index ee815b957..5152575cc 100644 --- a/snapcraft/snapcraft.yaml +++ b/snapcraft/snapcraft.yaml @@ -101,6 +101,8 @@ apps: command: bcc-wrapper capable cobjnew: command: bcc-wrapper cobjnew + compactsnoop: + command: bcc-wrapper compactsnoop cpudist: command: bcc-wrapper cpudist cpuunclaimed: diff --git a/tests/python/test_tools_smoke.py b/tests/python/test_tools_smoke.py index e1b10ae28..50f20b4dc 100755 --- a/tests/python/test_tools_smoke.py +++ b/tests/python/test_tools_smoke.py @@ -117,6 +117,10 @@ def test_cpudist(self): def test_cpuunclaimed(self): self.run_with_duration("cpuunclaimed.py 1 1") + @skipUnless(kernel_version_ge(4,17), "requires kernel >= 4.17") + def test_compactsnoop(self): + self.run_with_int("compactsnoop.py") + @skipUnless(kernel_version_ge(4,4), "requires kernel >= 4.4") def test_dbslower(self): # Deliberately left empty -- dbslower requires an instance of either diff --git a/tools/compactsnoop.py b/tools/compactsnoop.py new file mode 100755 index 000000000..7bdf33c18 --- /dev/null +++ b/tools/compactsnoop.py @@ -0,0 +1,400 @@ +#!/usr/bin/python +# @lint-avoid-python-3-compatibility-imports +# +# compactsnoop Trace compact zone and print details including issuing PID. +# For Linux, uses BCC, eBPF. +# +# This uses in-kernel eBPF maps to cache process details (PID and comm) by +# compact zone begin, as well as a starting timestamp for calculating +# latency. +# +# Copyright (c) 2019 Wenbo Zhang +# Licensed under the Apache License, Version 2.0 (the "License") +# +# 11-NOV-2019 Wenbo Zhang Created this. + +from __future__ import print_function +from bcc import BPF +import argparse +import platform +from datetime import datetime, timedelta + +# arguments +examples = """examples: + ./compactsnoop # trace all compact stall + ./compactsnoop -T # include timestamps + ./compactsnoop -d 10 # trace for 10 seconds only + ./compactsnoop -K # output kernel stack trace + ./compactsnoop -e # show extended fields +""" + +parser = argparse.ArgumentParser( + description="Trace compact zone", + formatter_class=argparse.RawDescriptionHelpFormatter, + epilog=examples, +) +parser.add_argument("-T", "--timestamp", action="store_true", + help="include timestamp on output") +parser.add_argument("-p", "--pid", help="trace this PID only") +parser.add_argument("-d", "--duration", + help="total duration of trace in seconds") +parser.add_argument("-K", "--kernel-stack", action="store_true", + help="output kernel stack trace") +parser.add_argument("-e", "--extended_fields", action="store_true", + help="show system memory state") +parser.add_argument("--ebpf", action="store_true", help=argparse.SUPPRESS) +args = parser.parse_args() +debug = 0 +if args.duration: + args.duration = timedelta(seconds=int(args.duration)) + +NO_EXTENDED = """ +#ifdef EXTNEDED_FIELDS +#undef EXTNEDED_FIELDS +#endif +""" + +EXTENDED = """ +#define EXTNEDED_FIELDS 1 +""" + +bpf_text = """ +#include +#include +#include +#include + +struct val_t { + int nid; + int idx; + int order; + int sync; +#ifdef EXTNEDED_FIELDS + int fragindex; + int low; + int min; + int high; + int free; +#endif + u64 ts; // compaction begin time +}; + +struct data_t { + u32 pid; + u32 tid; + int nid; + int idx; + int order; + u64 delta; + u64 ts; // compaction end time + int sync; +#ifdef EXTNEDED_FIELDS + int fragindex; + int low; + int min; + int high; + int free; +#endif + int status; + int stack_id; + char comm[TASK_COMM_LEN]; +}; + +BPF_HASH(start, u64, struct val_t); +BPF_PERF_OUTPUT(events); +BPF_STACK_TRACE(stack_traces, 2048); + +#ifdef CONFIG_NUMA +static inline int zone_to_nid_(struct zone *zone) +{ + int node; + bpf_probe_read(&node, sizeof(node), &zone->node); + return node; +} +#else +static inline int zone_to_nid_(struct zone *zone) +{ + return 0; +} +#endif + +// #define zone_idx(zone) ((zone) - (zone)->zone_pgdat->node_zones) +static inline int zone_idx_(struct zone *zone) +{ + struct pglist_data *zone_pgdat = NULL; + bpf_probe_read(&zone_pgdat, sizeof(zone_pgdat), &zone->zone_pgdat); + return zone - zone_pgdat->node_zones; +} + +#ifdef EXTNEDED_FIELDS +static inline void get_all_wmark_pages(struct zone *zone, struct val_t *valp) +{ + u64 _watermark[NR_WMARK] = {}; + u64 watermark_boost = 0; + + bpf_probe_read(&_watermark, sizeof(_watermark), &zone->_watermark); + bpf_probe_read(&watermark_boost, sizeof(watermark_boost), + &zone->watermark_boost); + valp->min = _watermark[WMARK_MIN] + watermark_boost; + valp->low = _watermark[WMARK_LOW] + watermark_boost; + valp->high = _watermark[WMARK_HIGH] + watermark_boost; + bpf_probe_read(&valp->free, sizeof(valp->free), + &zone->vm_stat[NR_FREE_PAGES]); +} +#endif + +static inline void submit_event(void *ctx, int status) +{ + struct data_t data = {}; + u64 ts = bpf_ktime_get_ns(); + u64 id = bpf_get_current_pid_tgid(); + struct val_t *valp = start.lookup(&id); + if (valp == NULL) { + // missed entry + return; + } + + data.delta = ts - valp->ts; + data.ts = ts / 1000; + data.pid = id >> 32; + data.tid = id; + bpf_get_current_comm(&data.comm, sizeof(data.comm)); + data.nid = valp->nid; + data.idx = valp->idx; + data.order = valp->order; + data.sync = valp->sync; + +#ifdef EXTNEDED_FIELDS + data.fragindex = valp->fragindex; + data.min = valp->min; + data.low = valp->low; + data.high = valp->high; + data.free = valp->free; +#endif + + data.status = status; + data.stack_id = stack_traces.get_stackid(ctx, 0); + + events.perf_submit(ctx, &data, sizeof(data)); + + start.delete(&id); +} + +#ifdef EXTNEDED_FIELDS +int trace_fragmentation_index_return(struct pt_regs *ctx) +{ + struct val_t val = { }; + int ret = PT_REGS_RC(ctx); + u64 id = bpf_get_current_pid_tgid(); + PID_FILTER + val.fragindex = ret; + start.update(&id, &val); + return 0; +} +#endif + +static inline void fill_compact_info(struct val_t *valp, + struct zone *zone, + int order) +{ + valp->nid = zone_to_nid_(zone); + valp->idx = zone_idx_(zone); + valp->order = order; +} + +RAW_TRACEPOINT_PROBE(mm_compaction_suitable) +{ + // TP_PROTO(struct zone *zone, int order, int ret) + struct zone *zone = (struct zone *)ctx->args[0]; + int order = (int)ctx->args[1]; + int ret = (int)ctx->args[2]; + u64 id; + + if(ret != COMPACT_CONTINUE) + return 0; + + id = bpf_get_current_pid_tgid(); + PID_FILTER + +#ifdef EXTNEDED_FIELDS + struct val_t *valp = start.lookup(&id); + if (valp == NULL) { + // missed entry or order <= PAGE_ALLOC_COSTLY_ORDER, eg: + // manual trigger echo 1 > /proc/sys/vm/compact_memory + struct val_t val = { .fragindex = -1000 }; + valp = &val; + start.update(&id, valp); + } + fill_compact_info(valp, zone, order); + get_all_wmark_pages(zone, valp); +#else + struct val_t val = { }; + fill_compact_info(&val, zone, order); + start.update(&id, &val); +#endif + + return 0; +} + +RAW_TRACEPOINT_PROBE(mm_compaction_begin) +{ + // TP_PROTO(unsigned long zone_start, unsigned long migrate_pfn, + // unsigned long free_pfn, unsigned long zone_end, bool sync) + bool sync = (bool)ctx->args[4]; + + u64 id = bpf_get_current_pid_tgid(); + struct val_t *valp = start.lookup(&id); + if (valp == NULL) { + // missed entry + return 0; + } + + valp->ts = bpf_ktime_get_ns(); + valp->sync = sync; + return 0; +} + +RAW_TRACEPOINT_PROBE(mm_compaction_end) +{ + // TP_PROTO(unsigned long zone_start, unsigned long migrate_pfn, + // unsigned long free_pfn, unsigned long zone_end, bool sync, + // int status) + submit_event(ctx, ctx->args[5]); + return 0; +} +""" + +if platform.machine() != 'x86_64': + print(""" + Currently only support x86_64 servers, if you want to use it on + other platforms, please refer include/linux/mmzone.h to modify + zone_idex_to_str to get the right zone type + """) + exit() + +if args.extended_fields: + bpf_text = EXTENDED + bpf_text +else: + bpf_text = NO_EXTENDED + bpf_text + +if args.pid: + bpf_text = bpf_text.replace("PID_FILTER", + "if (id >> 32 != %s) { return 0; }" % args.pid) +else: + bpf_text = bpf_text.replace("PID_FILTER", "") +if debug or args.ebpf: + print(bpf_text) + if args.ebpf: + exit() + +# load BPF program +b = BPF(text=bpf_text) +if args.extended_fields: + b.attach_kretprobe(event="fragmentation_index", + fn_name="trace_fragmentation_index_return") + +stack_traces = b.get_table("stack_traces") +initial_ts = 0 + +def zone_idx_to_str(idx): + # from include/linux/mmzone.h + # NOTICE: consider only x86_64 servers + zone_type = { + 0: "ZONE_DMA", + 1: "ZONE_DMA32", + 2: "ZONE_NORMAL", + } + + if idx in zone_type: + return zone_type[idx] + else: + return str(idx) + +def compact_result_to_str(status): + # from include/trace/evnets/mmflags.h + # from include/linux/compaction.h + compact_status = { + # COMPACT_NOT_SUITABLE_ZONE: For more detailed tracepoint + # output - internal to compaction + 0: "not_suitable_zone", + # COMPACT_SKIPPED: compaction didn't start as it was not + # possible or direct reclaim was more suitable + 1: "skipped", + # COMPACT_DEFERRED: compaction didn't start as it was + # deferred due to past failures + 2: "deferred", + # COMPACT_NOT_SUITABLE_PAGE: For more detailed tracepoint + # output - internal to compaction + 3: "no_suitable_page", + # COMPACT_CONTINUE: compaction should continue to another pageblock + 4: "continue", + # COMPACT_COMPLETE: The full zone was compacted scanned but wasn't + # successfull to compact suitable pages. + 5: "complete", + # COMPACT_PARTIAL_SKIPPED: direct compaction has scanned part of the + # zone but wasn't successfull to compact suitable pages. + 6: "partial_skipped", + # COMPACT_CONTENDED: compaction terminated prematurely due to lock + # contentions + 7: "contended", + # COMPACT_SUCCESS: direct compaction terminated after concluding + # that the allocation should now succeed + 8: "success", + } + + if status in compact_status: + return compact_status[status] + else: + return str(status) + +# header +if args.timestamp: + print("%-14s" % ("TIME(s)"), end=" ") +print("%-14s %-6s %-4s %-12s %-5s %-7s" % + ("COMM", "PID", "NODE", "ZONE", "ORDER", "MODE"), end=" ") +if args.extended_fields: + print("%-8s %-8s %-8s %-8s %-8s" % + ("FRAGIDX", "MIN", "LOW", "HIGH", "FREE"), end=" ") +print("%9s %16s" % ("LAT(ms)", "STATUS")) + +# process event +def print_event(cpu, data, size): + event = b["events"].event(data) + + global initial_ts + + if not initial_ts: + initial_ts = event.ts + + if args.timestamp: + delta = event.ts - initial_ts + print("%-14.9f" % (float(delta) / 1000000), end=" ") + + print("%-14.14s %-6s %-4s %-12s %-5s %-7s" % ( + event.comm.decode("utf-8", "replace"), + event.pid, + event.nid, + zone_idx_to_str(event.idx), + event.order, + "SYNC" if event.sync else "ASYNC"), end=" ") + if args.extended_fields: + print("%-8.3f %-8s %-8s %-8s %-8s" % ( + (float(event.fragindex) / 1000), + event.min, event.low, event.high, event.free + ), end=" ") + print("%9.3f %16s" % ( + float(event.delta) / 1000000, compact_result_to_str(event.status))) + if args.kernel_stack: + for addr in stack_traces.walk(event.stack_id): + sym = b.ksym(addr, show_offset=True) + print("\t%s" % sym) + print("") + +# loop with callback to print_event +b["events"].open_perf_buffer(print_event, page_cnt=64) +start_time = datetime.now() +while not args.duration or datetime.now() - start_time < args.duration: + try: + b.perf_buffer_poll() + except KeyboardInterrupt: + exit() diff --git a/tools/compactsnoop_example.txt b/tools/compactsnoop_example.txt new file mode 100644 index 000000000..563ee80f6 --- /dev/null +++ b/tools/compactsnoop_example.txt @@ -0,0 +1,203 @@ +Demonstrations of compactstall, the Linux eBPF/bcc version. + + +compactsnoop traces the compact zone system-wide, and print various details. +Example output (manual trigger by echo 1 > /proc/sys/vm/compact_memory): + +# ./compactsnoop +COMM PID NODE ZONE ORDER MODE LAT(ms) STATUS +zsh 23685 0 ZONE_DMA -1 SYNC 0.025 complete +zsh 23685 0 ZONE_DMA32 -1 SYNC 3.925 complete +zsh 23685 0 ZONE_NORMAL -1 SYNC 113.975 complete +zsh 23685 1 ZONE_NORMAL -1 SYNC 81.57 complete +zsh 23685 0 ZONE_DMA -1 SYNC 0.02 complete +zsh 23685 0 ZONE_DMA32 -1 SYNC 4.631 complete +zsh 23685 0 ZONE_NORMAL -1 SYNC 113.975 complete +zsh 23685 1 ZONE_NORMAL -1 SYNC 80.647 complete +zsh 23685 0 ZONE_DMA -1 SYNC 0.020 complete +zsh 23685 0 ZONE_DMA32 -1 SYNC 3.367 complete +zsh 23685 0 ZONE_NORMAL -1 SYNC 115.18 complete +zsh 23685 1 ZONE_NORMAL -1 SYNC 81.766 complete +zsh 23685 0 ZONE_DMA -1 SYNC 0.025 complete +zsh 23685 0 ZONE_DMA32 -1 SYNC 4.346 complete +zsh 23685 0 ZONE_NORMAL -1 SYNC 114.570 complete +zsh 23685 1 ZONE_NORMAL -1 SYNC 80.820 complete +zsh 23685 0 ZONE_DMA -1 SYNC 0.026 complete +zsh 23685 0 ZONE_DMA32 -1 SYNC 4.611 complete +zsh 23685 0 ZONE_NORMAL -1 SYNC 113.993 complete +zsh 23685 1 ZONE_NORMAL -1 SYNC 80.928 complete +zsh 23685 0 ZONE_DMA -1 SYNC 0.02 complete +zsh 23685 0 ZONE_DMA32 -1 SYNC 3.889 complete +zsh 23685 0 ZONE_NORMAL -1 SYNC 113.776 complete +zsh 23685 1 ZONE_NORMAL -1 SYNC 80.727 complete +^C + +While tracing, the processes alloc pages due to memory fragmentation is too +serious to meet contiguous memory requirements in the system, compact zone +events happened, which will increase the waiting delay of the processes. + +compactsnoop can be useful for discovering when compact_stall(/proc/vmstat) +continues to increase, whether it is caused by some critical processes or not. + +The STATUS include (CentOS 7.6's kernel) + + compact_status = { + # COMPACT_SKIPPED: compaction didn't start as it was not possible or direct reclaim was more suitable + 0: "skipped", + # COMPACT_CONTINUE: compaction should continue to another pageblock + 1: "continue", + # COMPACT_PARTIAL: direct compaction partially compacted a zone and there are suitable pages + 2: "partial", + # COMPACT_COMPLETE: The full zone was compacted + 3: "complete", + } + +or (kernel 4.7 and above) + + compact_status = { + # COMPACT_NOT_SUITABLE_ZONE: For more detailed tracepoint output - internal to compaction + 0: "not_suitable_zone", + # COMPACT_SKIPPED: compaction didn't start as it was not possible or direct reclaim was more suitable + 1: "skipped", + # COMPACT_DEFERRED: compaction didn't start as it was deferred due to past failures + 2: "deferred", + # COMPACT_NOT_SUITABLE_PAGE: For more detailed tracepoint output - internal to compaction + 3: "no_suitable_page", + # COMPACT_CONTINUE: compaction should continue to another pageblock + 4: "continue", + # COMPACT_COMPLETE: The full zone was compacted scanned but wasn't successfull to compact suitable pages. + 5: "complete", + # COMPACT_PARTIAL_SKIPPED: direct compaction has scanned part of the zone but wasn't successfull to compact suitable pages. + 6: "partial_skipped", + # COMPACT_CONTENDED: compaction terminated prematurely due to lock contentions + 7: "contended", + # COMPACT_SUCCESS: direct compaction terminated after concluding that the allocation should now succeed + 8: "success", + } + +The -p option can be used to filter on a PID, which is filtered in-kernel. Here +I've used it with -T to print timestamps: + +# ./compactsnoop -Tp 24376 +TIME(s) COMM PID NODE ZONE ORDER MODE LAT(ms) STATUS +101.364115000 zsh 24376 0 ZONE_DMA -1 SYNC 0.025 complete +101.364555000 zsh 24376 0 ZONE_DMA32 -1 SYNC 3.925 complete +^C + +This shows the zsh process allocs pages, and compact zone events happening, +and the delays are not affected much. + +A maximum tracing duration can be set with the -d option. For example, to trace +for 2 seconds: + +# ./compactsnoop -d 2 +COMM PID NODE ZONE ORDER MODE LAT(ms) STATUS +zsh 26385 0 ZONE_DMA -1 SYNC 0.025444 complete +^C + +The -e option prints out extra columns + +# ./compactsnoop -e +COMM PID NODE ZONE ORDER MODE FRAGIDX MIN LOW HIGH FREE LAT(ms) STATUS +summ 28276 1 ZONE_NORMAL 3 ASYNC 0.728 11284 14105 16926 14193 3.58 partial +summ 28276 0 ZONE_NORMAL 2 ASYNC -1.000 11043 13803 16564 14479 0.0 complete +summ 28276 1 ZONE_NORMAL 2 ASYNC -1.000 11284 14105 16926 14785 0.019 complete +summ 28276 0 ZONE_NORMAL 2 ASYNC -1.000 11043 13803 16564 15199 0.006 partial +summ 28276 1 ZONE_NORMAL 2 ASYNC -1.000 11284 14105 16926 17360 0.030 complete +summ 28276 0 ZONE_NORMAL 2 ASYNC -1.000 11043 13803 16564 15443 0.024 complete +summ 28276 1 ZONE_NORMAL 2 ASYNC -1.000 11284 14105 16926 15634 0.018 complete +summ 28276 1 ZONE_NORMAL 3 ASYNC 0.832 11284 14105 16926 15301 0.006 partial +summ 28276 0 ZONE_NORMAL 2 ASYNC -1.000 11043 13803 16564 14774 0.005 partial +summ 28276 1 ZONE_NORMAL 3 ASYNC 0.733 11284 14105 16926 19888 0.012 partial +^C + +The FRAGIDX is short for fragmentation index, which only makes sense if an +allocation of a requested size would fail. If that is true, the fragmentation +index indicates whether external fragmentation or a lack of memory was the +problem. The value can be used to determine if page reclaim or compaction +should be used. + +Index is between 0 and 1 so return within 3 decimal places + +0 => allocation would fail due to lack of memory +1 => allocation would fail due to fragmentation + +We can see the whole buddy's fragmentation index from /sys/kernel/debug/extfrag/extfrag_index + +The MIN/LOW/HIGH shows the watermarks of the zone, which can also get from +/proc/zoneinfo, and FREE means nr_free_pages (can be found in /proc/zoneinfo too). + + +The -K option prints out kernel stack + +# ./compactsnoop -K -e + +summ 28276 0 ZONE_NORMAL 3 ASYNC 0.528 11043 13803 16564 22654 13.258 partial + kretprobe_trampoline+0x0 + try_to_compact_pages+0x121 + __alloc_pages_direct_compact+0xac + __alloc_pages_slowpath+0x3e9 + __alloc_pages_nodemask+0x404 + alloc_pages_current+0x98 + new_slab+0x2c5 + ___slab_alloc+0x3ac + __slab_alloc+0x40 + kmem_cache_alloc_node+0x8b + copy_process+0x18e + do_fork+0x91 + sys_clone+0x16 + stub_clone+0x44 + +summ 28276 1 ZONE_NORMAL 3 ASYNC -1.000 11284 14105 16926 22074 0.008 partial + kretprobe_trampoline+0x0 + try_to_compact_pages+0x121 + __alloc_pages_direct_compact+0xac + __alloc_pages_slowpath+0x3e9 + __alloc_pages_nodemask+0x404 + alloc_pages_current+0x98 + new_slab+0x2c5 + ___slab_alloc+0x3ac + __slab_alloc+0x40 + kmem_cache_alloc_node+0x8b + copy_process+0x18e + do_fork+0x91 + sys_clone+0x16 + stub_clone+0x44 + +summ 28276 0 ZONE_NORMAL 3 ASYNC 0.527 11043 13803 16564 25653 9.812 partial + kretprobe_trampoline+0x0 + try_to_compact_pages+0x121 + __alloc_pages_direct_compact+0xac + __alloc_pages_slowpath+0x3e9 + __alloc_pages_nodemask+0x404 + alloc_pages_current+0x98 + new_slab+0x2c5 + ___slab_alloc+0x3ac + __slab_alloc+0x40 + kmem_cache_alloc_node+0x8b + copy_process+0x18e + do_fork+0x91 + sys_clone+0x16 + stub_clone+0x44 + +# ./compactsnoop -h +usage: compactsnoop.py [-h] [-T] [-p PID] [-d DURATION] [-K] [-e] + +Trace compact zone + +optional arguments: + -h, --help show this help message and exit + -T, --timestamp include timestamp on output + -p PID, --pid PID trace this PID only + -d DURATION, --duration DURATION + total duration of trace in seconds + -K, --kernel-stack output kernel stack trace + -e, --extended_fields + show system memory state + +examples: + ./compactsnoop # trace all compact stall + ./compactsnoop -T # include timestamps + ./compactsnoop -d 10 # trace for 10 seconds only + ./compactsnoop -K # output kernel stack trace + ./compactsnoop -e # show extended fields diff --git a/tools/old/compactsnoop.py b/tools/old/compactsnoop.py new file mode 100755 index 000000000..c54404176 --- /dev/null +++ b/tools/old/compactsnoop.py @@ -0,0 +1,390 @@ +#!/usr/bin/python +# @lint-avoid-python-3-compatibility-imports +# +# compactsnoop Trace compact zone and print details including issuing PID. +# For Linux, uses BCC, eBPF. +# +# This uses in-kernel eBPF maps to cache process details (PID and comm) by +# compact zone begin, as well as a starting timestamp for calculating +# latency. +# +# Copyright (c) 2019 Wenbo Zhang +# Licensed under the Apache License, Version 2.0 (the "License") +# +# 11-NOV-2019 Wenbo Zhang Created this. + +from __future__ import print_function +from bcc import BPF +import argparse +import platform +from datetime import datetime, timedelta + +# arguments +examples = """examples: + ./compactsnoop # trace all compact stall + ./compactsnoop -T # include timestamps + ./compactsnoop -d 10 # trace for 10 seconds only + ./compactsnoop -K # output kernel stack trace + ./compactsnoop -e # show extended fields +""" + +parser = argparse.ArgumentParser( + description="Trace compact zone", + formatter_class=argparse.RawDescriptionHelpFormatter, + epilog=examples, +) +parser.add_argument("-T", "--timestamp", action="store_true", + help="include timestamp on output") +parser.add_argument("-p", "--pid", help="trace this PID only") +parser.add_argument("-d", "--duration", + help="total duration of trace in seconds") +parser.add_argument("-K", "--kernel-stack", action="store_true", + help="output kernel stack trace") +parser.add_argument("-e", "--extended_fields", action="store_true", + help="show system memory state") +parser.add_argument("--ebpf", action="store_true", help=argparse.SUPPRESS) +args = parser.parse_args() +debug = 0 +if args.duration: + args.duration = timedelta(seconds=int(args.duration)) + +NO_EXTENDED = """ +#ifdef EXTNEDED_FIELDS +#undef EXTNEDED_FIELDS +#endif +""" + +EXTENDED = """ +#define EXTNEDED_FIELDS 1 +""" + +bpf_text = """ +#include +#include +#include +struct node; +#include + +struct compact_control { + struct list_head freepages; /* List of free pages to migrate to */ + struct list_head migratepages; /* List of pages being migrated */ + unsigned long nr_freepages; /* Number of isolated free pages */ + unsigned long nr_migratepages; /* Number of pages to migrate */ + unsigned long free_pfn; /* isolate_freepages search base */ + unsigned long migrate_pfn; /* isolate_migratepages search base */ + bool sync; /* Synchronous migration */ +}; + +struct val_t { + int nid; + int idx; + int order; + int sync; +#ifdef EXTNEDED_FIELDS + int fragindex; + int low; + int min; + int high; + int free; +#endif + u64 ts; // compaction begin time +}; + +struct data_t { + u32 pid; + u32 tid; + int nid; + int idx; + int order; + u64 delta; + u64 ts; // compaction end time + int sync; +#ifdef EXTNEDED_FIELDS + int fragindex; + int low; + int min; + int high; + int free; +#endif + int status; + int stack_id; + char comm[TASK_COMM_LEN]; +}; + +BPF_HASH(start, u64, struct val_t); +BPF_PERF_OUTPUT(events); +BPF_STACK_TRACE(stack_traces, 2048); + +#ifdef CONFIG_NUMA +static inline int zone_to_nid_(struct zone *zone) +{ + int node; + bpf_probe_read(&node, sizeof(node), &zone->node); + return node; +} +#else +static inline int zone_to_nid_(struct zone *zone) +{ + return 0; +} +#endif + +// #define zone_idx(zone) ((zone) - (zone)->zone_pgdat->node_zones) +static inline int zone_idx_(struct zone *zone) +{ + struct pglist_data *zone_pgdat = NULL; + bpf_probe_read(&zone_pgdat, sizeof(zone_pgdat), &zone->zone_pgdat); + return zone - zone_pgdat->node_zones; +} + +#ifdef EXTNEDED_FIELDS +static inline void get_all_wmark_pages(struct zone *zone, struct val_t *valp) +{ + u64 watermark[NR_WMARK] = {}; + u64 watermark_boost = 0; + + bpf_probe_read(&watermark, sizeof(watermark), &zone->watermark); + valp->min = watermark[WMARK_MIN]; + valp->low = watermark[WMARK_LOW]; + valp->high = watermark[WMARK_HIGH]; + bpf_probe_read(&valp->free, sizeof(valp->free), + &zone->vm_stat[NR_FREE_PAGES]); +} +#endif + +int trace_compact_zone_entry(struct pt_regs *ctx, struct zone *zone, + struct compact_control *cc) +{ +#ifdef EXTNEDED_FIELDS + struct val_t val = { .fragindex=-1000 }; +#else + struct val_t val = { }; +#endif + u64 id = bpf_get_current_pid_tgid(); + PID_FILTER + val.sync = cc->sync; + start.update(&id, &val); + return 0; +} + +int trace_compaction_suitable_entry(struct pt_regs *ctx, struct zone *zone, + int order) +{ + u64 id = bpf_get_current_pid_tgid(); + struct val_t *valp = start.lookup(&id); + if (valp == NULL) { + // missed entry + return 0; + } + valp->nid = zone_to_nid_(zone); + valp->idx = zone_idx_(zone); + valp->order = order; + +#ifdef EXTNEDED_FIELDS + get_all_wmark_pages(zone, valp); +#endif + + return 0; +} + +int trace_fragmentation_index_return(struct pt_regs *ctx) +{ + int ret = PT_REGS_RC(ctx); + u64 id = bpf_get_current_pid_tgid(); + struct val_t *valp = start.lookup(&id); + if (valp == NULL) { + // missed entry + return 0; + } +#ifdef EXTNEDED_FIELDS + valp->fragindex = ret; +#endif + return 0; +} + +int trace_compaction_suitable_return(struct pt_regs *ctx) +{ + int ret = PT_REGS_RC(ctx); + u64 id = bpf_get_current_pid_tgid(); + struct val_t *valp = start.lookup(&id); + if (valp == NULL) { + // missed entry + return 0; + } + if (ret != COMPACT_CONTINUE) + start.delete(&id); + else + valp->ts = bpf_ktime_get_ns(); + return 0; +} + +int trace_compact_zone_return(struct pt_regs *ctx) +{ + int ret = PT_REGS_RC(ctx); + struct data_t data = {}; + u64 ts = bpf_ktime_get_ns(); + u64 id = bpf_get_current_pid_tgid(); + struct val_t *valp = start.lookup(&id); + if (valp == NULL) { + // missed entry or unsuitable + return 0; + } + + data.delta = ts - valp->ts; + data.ts = ts / 1000; + data.pid = id >> 32; + data.tid = id; + bpf_get_current_comm(&data.comm, sizeof(data.comm)); + data.nid = valp->nid; + data.idx = valp->idx; + data.order = valp->order; + data.sync = valp->sync; + +#ifdef EXTNEDED_FIELDS + data.fragindex = valp->fragindex; + data.min = valp->min; + data.low = valp->low; + data.high = valp->high; + data.free = valp->free; +#endif + + data.status = ret; + data.stack_id = stack_traces.get_stackid(ctx, BPF_F_REUSE_STACKID); + + events.perf_submit(ctx, &data, sizeof(data)); + + start.delete(&id); + return 0; +} +""" + +if platform.machine() != 'x86_64': + print(""" + Currently only support x86_64 servers, if you want to use it on + other platforms, please refer include/linux/mmzone.h to modify + zone_idex_to_str to get the right zone type + """) + exit() + +if args.extended_fields: + bpf_text = EXTENDED + bpf_text +else: + bpf_text = NO_EXTENDED + bpf_text + +if args.pid: + bpf_text = bpf_text.replace( + "PID_FILTER", "if (id >> 32 != %s) { return 0; }" % args.pid) +else: + bpf_text = bpf_text.replace("PID_FILTER", "") +if debug or args.ebpf: + print(bpf_text) + if args.ebpf: + exit() + +# load BPF program +b = BPF(text=bpf_text) +b.attach_kprobe(event="compact_zone", fn_name="trace_compact_zone_entry") +b.attach_kretprobe(event="compact_zone", fn_name="trace_compact_zone_return") +b.attach_kprobe( + event="compaction_suitable", fn_name="trace_compaction_suitable_entry" +) +b.attach_kretprobe( + event="fragmentation_index", fn_name="trace_fragmentation_index_return" +) +b.attach_kretprobe( + event="compaction_suitable", fn_name="trace_compaction_suitable_return" +) + +stack_traces = b.get_table("stack_traces") +initial_ts = 0 + +def zone_idx_to_str(idx): + # from include/linux/mmzone.h + # NOTICE: consider only x86_64 servers + zonetype = { + 0: "ZONE_DMA", + 1: "ZONE_DMA32", + 2: "ZONE_NORMAL", + } + + if idx in zonetype: + return zonetype[idx] + else: + return str(idx) + +def compact_result_to_str(status): + # from include/linux/compaction.h + compact_status = { + # COMPACT_SKIPPED: compaction didn't start as it was not possible + # or direct reclaim was more suitable + 0: "skipped", + # COMPACT_CONTINUE: compaction should continue to another pageblock + 1: "continue", + # COMPACT_PARTIAL: direct compaction partially compacted a zone and + # there are suitable pages + 2: "partial", + # COMPACT_COMPLETE: The full zone was compacted + 3: "complete", + } + + if status in compact_status: + return compact_status[status] + else: + return str(status) + +# header +if args.timestamp: + print("%-14s" % ("TIME(s)"), end=" ") +print( + "%-14s %-6s %-4s %-12s %-5s %-7s" + % ("COMM", "PID", "NODE", "ZONE", "ORDER", "MODE"), + end=" ", +) +if args.extended_fields: + print("%-8s %-8s %-8s %-8s %-8s" % + ("FRAGIDX", "MIN", "LOW", "HIGH", "FREE"), end=" ") +print("%9s %16s" % ("LAT(ms)", "STATUS")) + +# process event +def print_event(cpu, data, size): + event = b["events"].event(data) + + global initial_ts + + if not initial_ts: + initial_ts = event.ts + + if args.timestamp: + delta = event.ts - initial_ts + print("%-14.9f" % (float(delta) / 1000000), end=" ") + + print("%-14.14s %-6s %-4s %-12s %-5s %-7s" % ( + event.comm.decode("utf-8", "replace"), + event.pid, + event.nid, + zone_idx_to_str(event.idx), + event.order, + "SYNC" if event.sync else "ASYNC"), end=" ") + if args.extended_fields: + print("%-8.3f %-8s %-8s %-8s %-8s" % ( + float(event.fragindex) / 1000, + event.min, + event.low, + event.high, + event.free), end=" ") + print("%9.3f %16s" % ( + float(event.delta) / 1000000, compact_result_to_str(event.status))) + if args.kernel_stack: + for addr in stack_traces.walk(event.stack_id): + sym = b.ksym(addr, show_offset=True) + print("\t%s" % sym) + print("") + +# loop with callback to print_event +b["events"].open_perf_buffer(print_event, page_cnt=64) +start_time = datetime.now() +while not args.duration or datetime.now() - start_time < args.duration: + try: + b.perf_buffer_poll() + except KeyboardInterrupt: + exit() From 10c1a8303aba778707cd6875d2de1dd7e0a4eda3 Mon Sep 17 00:00:00 2001 From: Greg Bod Date: Fri, 15 Nov 2019 14:26:00 +0000 Subject: [PATCH 140/228] docs/reference_guide.md: update doc virtual_bpf.h instead of bpf.h src/cc/compat/linux/bpf.h -> src/cc/compat/linux/virtual_bpf.h --- docs/reference_guide.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/reference_guide.md b/docs/reference_guide.md index 7f22f1c29..f36ecf911 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -258,7 +258,7 @@ Syntax: RAW_TRACEPOINT_PROBE(*event*) This is a macro that instruments the raw tracepoint defined by *event*. -The argument is a pointer to struct ```bpf_raw_tracepoint_args```, which is defined in [bpf.h](https://github.com/iovisor/bcc/blob/master/src/cc/compat/linux/bpf.h). The struct field ```args``` contains all parameters of the raw tracepoint where you can found at linux tree [include/trace/events](https://github.com/torvalds/linux/tree/master/include/trace/events) +The argument is a pointer to struct ```bpf_raw_tracepoint_args```, which is defined in [bpf.h](https://github.com/iovisor/bcc/blob/master/src/cc/compat/linux/virtual_bpf.h). The struct field ```args``` contains all parameters of the raw tracepoint where you can found at linux tree [include/trace/events](https://github.com/torvalds/linux/tree/master/include/trace/events) directory. For example: From 98b8d0c833b51ca595b257d2c1afd3a6c53c4437 Mon Sep 17 00:00:00 2001 From: Gary Lin Date: Fri, 15 Nov 2019 16:55:44 +0800 Subject: [PATCH 141/228] docs: update XDP driver list There are a few more drivers supporting XDP now. Signed-off-by: Gary Lin --- docs/kernel-versions.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/docs/kernel-versions.md b/docs/kernel-versions.md index dd74ee01a..86b739fbc 100644 --- a/docs/kernel-versions.md +++ b/docs/kernel-versions.md @@ -140,6 +140,10 @@ Intel `i40e` driver | 4.13 | [`0c8493d90b6b`](https://git.kernel.org/pub/scm/lin Action: redirect | 4.14 | [`6453073987ba`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=6453073987ba392510ab6c8b657844a9312c67f7) Support for tap | 4.14 | [`761876c857cb`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=761876c857cb2ef8489fbee01907151da902af91) Support for veth | 4.14 | [`d445516966dc`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=d445516966dcb2924741b13b27738b54df2af01a) +Intel `ixgbevf` driver | 4.17 | [`c7aec59657b6`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=c7aec59657b60f3a29fc7d3274ebefd698879301) +Freescale `dpaa2` driver | 5.0 | [`7e273a8ebdd3`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=7e273a8ebdd3b83f94eb8b49fc8ee61464f47cc2) +Socionext `netsec` driver | 5.3 | [`ba2b232108d3`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=ba2b232108d3c2951bab02930a00f23b0cffd5af) +TI `cpsw` driver | 5.3 | [`9ed4050c0d75`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=9ed4050c0d75768066a07cf66eef4f8dc9d79b52) Intel `e1000` driver | | [Not upstream yet](https://git.kernel.org/pub/scm/linux/kernel/git/ast/bpf.git/commit/?h=xdp&id=0afee87cfc800bf3317f4dc8847e6f36539b820c) Intel `e1000e` driver | | [Not planned for upstream at this time](https://github.com/adjavon/e1000e_xdp) From 6ee245bd9d2d548bb82437a7a32740e7570737b8 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Sat, 16 Nov 2019 22:47:07 -0800 Subject: [PATCH 142/228] fix a bug in mountsnoop.py with 4.17+ kernels in 4.17+ kernels, syscall parameters are wrapped in the first parammeter in pt_regs. So put the 5th parameter in the syscall__ parameter list so it can be handled properly by the rewriter. Signed-off-by: Yonghong Song --- tools/mountsnoop.py | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/tools/mountsnoop.py b/tools/mountsnoop.py index eefb4ec72..17a2edb61 100755 --- a/tools/mountsnoop.py +++ b/tools/mountsnoop.py @@ -88,10 +88,8 @@ int syscall__mount(struct pt_regs *ctx, char __user *source, char __user *target, char __user *type, - unsigned long flags) + unsigned long flags, char __user *data) { - /* sys_mount takes too many arguments */ - char __user *data = (char __user *)PT_REGS_PARM5(ctx); struct data_t event = {}; struct task_struct *task; struct nsproxy *nsproxy; From b8ab98b272bc205108d777eb311610b22f1af133 Mon Sep 17 00:00:00 2001 From: Masanori Misono Date: Sun, 17 Nov 2019 13:10:57 +0000 Subject: [PATCH 143/228] Include stddef.h for size_t in bcc_elf.h Signed-off-by: Masanori Misono --- src/cc/bcc_elf.h | 1 + 1 file changed, 1 insertion(+) diff --git a/src/cc/bcc_elf.h b/src/cc/bcc_elf.h index 866270f06..b6f5c4313 100644 --- a/src/cc/bcc_elf.h +++ b/src/cc/bcc_elf.h @@ -20,6 +20,7 @@ extern "C" { #endif +#include #include struct bcc_elf_usdt { From ac00ac5d7fec86524ff815360d0cda2ec583cf24 Mon Sep 17 00:00:00 2001 From: Jiri Olsa Date: Fri, 15 Nov 2019 12:45:59 +0100 Subject: [PATCH 144/228] Add lockstat tool Adding lockstat tool to trace kernel mutex lock events and display locks statistics and displays following data: Caller Avg Spin Count Max spin Total spin psi_avgs_work+0x2e 3675 5 5468 18379 flush_to_ldisc+0x22 2833 2 4210 5667 n_tty_write+0x30c 3914 1 3914 3914 isig+0x5d 2390 1 2390 2390 tty_buffer_flush+0x2a 1604 1 1604 1604 commit_echoes+0x22 1400 1 1400 1400 n_tty_receive_buf_common+0x3b9 1399 1 1399 1399 Caller Avg Hold Count Max hold Total hold flush_to_ldisc+0x22 42558 2 76135 85116 psi_avgs_work+0x2e 14821 5 20446 74106 n_tty_receive_buf_common+0x3b9 12300 1 12300 12300 n_tty_write+0x30c 10712 1 10712 10712 isig+0x5d 3362 1 3362 3362 tty_buffer_flush+0x2a 3078 1 3078 3078 commit_echoes+0x22 3017 1 3017 3017 Every caller to using kernel's mutex is displayed on every line. First portion of lines show the lock acquiring data, showing the amount of time it took to acquired given lock. 'Caller' - symbol acquiring the mutex 'Average Spin' - average time to acquire the mutex 'Count' - number of times mutex was acquired 'Max spin' - maximum time to acquire the mutex 'Total spin' - total time spent in acquiring the mutex Second portion of lines show the lock holding data, showing the amount of time it took to hold given lock. 'Caller' - symbol holding the mutex 'Average Hold' - average time mutex was held 'Count' - number of times mutex was held 'Max hold' - maximum time mutex was held 'Total hold' - total time spent in holding the mutex This works by tracing mutex_lock/unlock kprobes, udating the lock stats in maps and processing them in the python part. Examples: lockstats # trace system wide lockstats -d 5 # trace for 5 seconds only lockstats -i 5 # display stats every 5 seconds lockstats -p 123 # trace locks for PID 123 lockstats -t 321 # trace locks for PID 321 lockstats -c pipe_ # display stats only for lock callers with 'pipe_' substring lockstats -S acq_count # sort lock acquired results on acquired count lockstats -S hld_total # sort lock held results on total held time lockstats -S acq_count,hld_total # combination of above lockstats -n 3 # display 3 locks lockstats -s 3 # display 3 levels of stack Signed-off-by: Jiri Olsa --- README.md | 1 + man/man8/lockstat.8 | 190 +++++++++++++ snapcraft/snapcraft.yaml | 2 + tests/python/test_tools_smoke.py | 4 + tools/lockstat.py | 452 +++++++++++++++++++++++++++++++ tools/lockstat_example.txt | 167 ++++++++++++ tools/offwaketime.py | 6 +- 7 files changed, 819 insertions(+), 3 deletions(-) create mode 100644 man/man8/lockstat.8 create mode 100755 tools/lockstat.py create mode 100644 tools/lockstat_example.txt diff --git a/README.md b/README.md index 66e167dae..8ff346413 100644 --- a/README.md +++ b/README.md @@ -118,6 +118,7 @@ pair of .c and .py files, and some are directories of files. - tools/[hardirqs](tools/hardirqs.py): Measure hard IRQ (hard interrupt) event time. [Examples](tools/hardirqs_example.txt). - tools/[inject](tools/inject.py): Targeted error injection with call chain and predicates [Examples](tools/inject_example.txt). - tools/[killsnoop](tools/killsnoop.py): Trace signals issued by the kill() syscall. [Examples](tools/killsnoop_example.txt). +- tools/[lockstat](tools/lockstat.py): Traces kernel mutex lock events and display locks statistics. [Examples](tools/lockstat_example.txt). - tools/[llcstat](tools/llcstat.py): Summarize CPU cache references and misses by process. [Examples](tools/llcstat_example.txt). - tools/[mdflush](tools/mdflush.py): Trace md flush events. [Examples](tools/mdflush_example.txt). - tools/[memleak](tools/memleak.py): Display outstanding memory allocations to find memory leaks. [Examples](tools/memleak_example.txt). diff --git a/man/man8/lockstat.8 b/man/man8/lockstat.8 new file mode 100644 index 000000000..6d871f147 --- /dev/null +++ b/man/man8/lockstat.8 @@ -0,0 +1,190 @@ +.TH lockstat 8 "2019-10-22" "USER COMMANDS" +.SH NAME +lockstat \- Traces kernel mutex lock events and display locks statistics. Uses Linux eBPF/bcc. +.SH SYNOPSIS +.B lockstat [\-h] [\-i] [\-n] [\-s] [\-c] [\-S FIELDS] [\-p] [\-t] [\-d DURATION] +.SH DESCRIPTION +lockstats traces kernel mutex lock events and display locks statistics +and displays following data: + + Caller Avg Spin Count Max spin Total spin + psi_avgs_work+0x2e 3675 5 5468 18379 + flush_to_ldisc+0x22 2833 2 4210 5667 + n_tty_write+0x30c 3914 1 3914 3914 + isig+0x5d 2390 1 2390 2390 + tty_buffer_flush+0x2a 1604 1 1604 1604 + commit_echoes+0x22 1400 1 1400 1400 + n_tty_receive_buf_common+0x3b9 1399 1 1399 1399 + + Caller Avg Hold Count Max hold Total hold + flush_to_ldisc+0x22 42558 2 76135 85116 + psi_avgs_work+0x2e 14821 5 20446 74106 + n_tty_receive_buf_common+0x3b9 12300 1 12300 12300 + n_tty_write+0x30c 10712 1 10712 10712 + isig+0x5d 3362 1 3362 3362 + tty_buffer_flush+0x2a 3078 1 3078 3078 + commit_echoes+0x22 3017 1 3017 3017 + + +Every caller to using kernel's mutex is displayed on every line. + +First portion of lines show the lock acquiring data, showing the +amount of time it took to acquired given lock. + + 'Caller' - symbol acquiring the mutex + 'Average Spin' - average time to acquire the mutex + 'Count' - number of times mutex was acquired + 'Max spin' - maximum time to acquire the mutex + 'Total spin' - total time spent in acquiring the mutex + +Second portion of lines show the lock holding data, showing the +amount of time it took to hold given lock. + + 'Caller' - symbol holding the mutex + 'Average Hold' - average time mutex was held + 'Count' - number of times mutex was held + 'Max hold' - maximum time mutex was held + 'Total hold' - total time spent in holding the mutex + +This works by tracing mutex_lock/unlock kprobes, updating the +lock stats in maps and processing them in the python part. + +Since this uses BPF, only the root user can use this tool. +.SH REQUIREMENTS +CONFIG_BPF and bcc. +.SH OPTIONS +.TP +\-h +Print usage message. +.TP +\-i SEC +print summary at this interval (seconds) +.TP +\-c CALLER +print locks taken by given caller +.TP +\-S FIELDS +sort data on specific columns defined by FIELDS string (by default the data is sorted by Max columns) + +FIELDS string contains 1 or 2 fields describing columns to sort on +for both acquiring and holding data. Following fields are available: + + acq_max for 'Max spin' column + acq_total for 'Total spin' column + acq_count for 'Count' column + + hld_max for 'Max hold' column + hld_total for 'Total hold' column + hld_count for 'Count' column + +See EXAMPLES. + +.TP +\-n COUNT +print COUNT number of locks +.TP +\-s COUNT +print COUNT number of stack entries +.TP +\-p PID +Trace this process ID only (filtered in-kernel). +.TP +\-t TID +Trace this thread ID only (filtered in-kernel). +.TP +\-d DURATION +Total duration of trace in seconds. +.TP +\-\-stack-storage-size STACK_STORAGE_SIZE +Change the number of unique stack traces that can be stored and displayed. +.SH EXAMPLES +.TP +Sort lock acquired results on acquired count: +# +.B lockstats -S acq_count + +.TP +Sort lock held results on total held time: +# +.B lockstats -S hld_total + +.TP +Combination of above: +# +.B lockstats -S acq_count,hld_total + +.TP +Trace system wide: +# +.B lockstats + +.TP +Trace for 5 seconds only: +# +.B lockstats -d 5 + +.TP +Display stats every 5 seconds +# +.B lockstats -i 5 + +.TP +Trace locks for PID 123: +# +.B lockstats -p 123 + +.TP +Trace locks for PID 321: +# +.B lockstats -t 321 + +.TP +Display stats only for lock callers with 'pipe_' substring +# +.B lockstats -c pipe_ + +.TP +Display 3 locks: +# +.B lockstats -n 3 + +.TP +Display 10 levels of stack for the most expensive lock: +# +.B lockstats -n 1 -s 10 + +Tracing lock events... Hit Ctrl-C to end. +^C + Caller Avg Spin Count Max spin Total spin + pipe_wait+0xa9 670 397691 17273 266775437 + pipe_wait+0xa9 + pipe_read+0x206 + new_sync_read+0x12a + vfs_read+0x9d + ksys_read+0x5f + do_syscall_64+0x5b + entry_SYSCALL_64_after_hwframe+0x44 + + Caller Avg Hold Count Max hold Total hold + flush_to_ldisc+0x22 28381 3 65484 85144 + flush_to_ldisc+0x22 + process_one_work+0x1b0 + worker_thread+0x50 + kthread+0xfb + ret_from_fork+0x35 + +.SH SOURCE +This is from bcc. +.IP +https://github.com/iovisor/bcc +.PP +Also look in the bcc distribution for a companion _examples.txt file containing +example usage, output, and commentary for this tool. +.SH OS +Linux +.SH STABILITY +Unstable - in development. +.SH CREDITS +This tool is based on work of David Valin and his script. +.SH AUTHOR +Jiri Olsa diff --git a/snapcraft/snapcraft.yaml b/snapcraft/snapcraft.yaml index ee815b957..09d71564a 100644 --- a/snapcraft/snapcraft.yaml +++ b/snapcraft/snapcraft.yaml @@ -151,6 +151,8 @@ apps: command: bcc-wrapper javathreads killsnoop: command: bcc-wrapper killsnoop + lockstat: + command: bcc-wrapper lockstat llcstat: command: bcc-wrapper llcstat mdflush: diff --git a/tests/python/test_tools_smoke.py b/tests/python/test_tools_smoke.py index e1b10ae28..d220004c5 100755 --- a/tests/python/test_tools_smoke.py +++ b/tests/python/test_tools_smoke.py @@ -199,6 +199,10 @@ def test_killsnoop(self): # a traceback but will not exit. self.run_with_int("killsnoop.py", kill=True) + @skipUnless(kernel_version_ge(4,18), "requires kernel >= 4.18") + def test_lockstat(self): + self.run_with_int("lockstat.py") + @skipUnless(kernel_version_ge(4,9), "requires kernel >= 4.9") def test_llcstat(self): # Requires PMU, which is not available in virtual machines. diff --git a/tools/lockstat.py b/tools/lockstat.py new file mode 100755 index 000000000..07bff3ee5 --- /dev/null +++ b/tools/lockstat.py @@ -0,0 +1,452 @@ +#!/usr/bin/python +# +# lockstats traces lock events and display locks statistics. +# +# USAGE: lockstats +# + +from __future__ import print_function +from bcc import BPF, USDT +import argparse +import subprocess +import ctypes as ct +from time import sleep, strftime +from datetime import datetime, timedelta +import errno +from sys import stderr + +examples = """ + lockstats # trace system wide + lockstats -d 5 # trace for 5 seconds only + lockstats -i 5 # display stats every 5 seconds + lockstats -p 123 # trace locks for PID 123 + lockstats -t 321 # trace locks for PID 321 + lockstats -c pipe_ # display stats only for lock callers with 'pipe_' substring + lockstats -S acq_count # sort lock acquired results on acquired count + lockstats -S hld_total # sort lock held results on total held time + lockstats -S acq_count,hld_total # combination of above + lockstats -n 3 # display 3 locks + lockstats -s 3 # display 3 levels of stack +""" + +# arg validation +def positive_int(val): + try: + ival = int(val) + except ValueError: + raise argparse.ArgumentTypeError("must be an integer") + + if ival < 0: + raise argparse.ArgumentTypeError("must be positive") + return ival + +def positive_nonzero_int(val): + ival = positive_int(val) + if ival == 0: + raise argparse.ArgumentTypeError("must be nonzero") + return ival + +def stack_id_err(stack_id): + # -EFAULT in get_stackid normally means the stack-trace is not availible, + # Such as getting kernel stack trace in userspace code + return (stack_id < 0) and (stack_id != -errno.EFAULT) + +parser = argparse.ArgumentParser( + description="", + formatter_class=argparse.RawDescriptionHelpFormatter, + epilog=examples) + +time_group = parser.add_mutually_exclusive_group() +time_group.add_argument("-d", "--duration", type=int, + help="total duration of trace in seconds") +time_group.add_argument("-i", "--interval", type=int, + help="print summary at this interval (seconds)") +parser.add_argument("-n", "--locks", type=int, default=999999999, + help="print given number of locks") +parser.add_argument("-s", "--stacks", type=int, default=1, + help="print given number of stack entries") +parser.add_argument("-c", "--caller", + help="print locks taken by given caller") +parser.add_argument("-S", "--sort", + help="sort data on , fields: acq_[max|total|count] hld_[max|total|count]") +parser.add_argument("-p", "--pid", + help="trace this PID only") +parser.add_argument("-t", "--tid", + help="trace this TID only") +parser.add_argument("--stack-storage-size", default=16384, + type=positive_nonzero_int, + help="the number of unique stack traces that can be stored and " + "displayed (default 16384)") + +args = parser.parse_args() + +program = """ +#include + +struct depth_id { + u64 id; + u64 depth; +}; + +BPF_ARRAY(enabled, u64, 1); +BPF_HASH(track, u64, u64); +BPF_HASH(time_aq, u64, u64); +BPF_HASH(lock_depth, u64, u64); +BPF_HASH(time_held, struct depth_id, u64); +BPF_HASH(stack, struct depth_id, int); + +BPF_HASH(aq_report_count, int, u64); +BPF_HASH(aq_report_max, int, u64); +BPF_HASH(aq_report_total, int, u64); + +BPF_HASH(hl_report_count, int, u64); +BPF_HASH(hl_report_max, int, u64); +BPF_HASH(hl_report_total, int, u64); + +BPF_STACK_TRACE(stack_traces, STACK_STORAGE_SIZE); + +static bool is_enabled(void) +{ + int key = 0; + u64 *ret; + + ret = enabled.lookup(&key); + return ret && *ret == 1; +} + +static bool allow_pid(u64 id) +{ + u32 pid = id >> 32; // PID is higher part + u32 tid = id; // Cast and get the lower part + + FILTER + + return 1; +} + +int mutex_lock_enter(struct pt_regs *ctx) +{ + if (!is_enabled()) + return 0; + + u64 id = bpf_get_current_pid_tgid(); + + if (!allow_pid(id)) + return 0; + + u64 one = 1, zero = 0; + + track.update(&id, &one); + + u64 *depth = lock_depth.lookup(&id); + + if (!depth) { + lock_depth.update(&id, &zero); + + depth = lock_depth.lookup(&id); + /* something is wrong.. */ + if (!depth) + return 0; + } + + int stackid = stack_traces.get_stackid(ctx, 0); + struct depth_id did = { + .id = id, + .depth = *depth, + }; + stack.update(&did, &stackid); + + u64 ts = bpf_ktime_get_ns(); + time_aq.update(&id, &ts); + + *depth += 1; + return 0; +} + +static void update_aq_report_count(int *stackid) +{ + u64 *count, one = 1; + + count = aq_report_count.lookup(stackid); + if (!count) { + aq_report_count.update(stackid, &one); + } else { + *count += 1; + } +} + +static void update_hl_report_count(int *stackid) +{ + u64 *count, one = 1; + + count = hl_report_count.lookup(stackid); + if (!count) { + hl_report_count.update(stackid, &one); + } else { + *count += 1; + } +} + +static void update_aq_report_max(int *stackid, u64 time) +{ + u64 *max; + + max = aq_report_max.lookup(stackid); + if (!max || *max < time) + aq_report_max.update(stackid, &time); +} + +static void update_hl_report_max(int *stackid, u64 time) +{ + u64 *max; + + max = hl_report_max.lookup(stackid); + if (!max || *max < time) + hl_report_max.update(stackid, &time); +} + +static void update_aq_report_total(int *stackid, u64 delta) +{ + u64 *count, *time; + + count = aq_report_count.lookup(stackid); + if (!count) + return; + + time = aq_report_total.lookup(stackid); + if (!time) { + aq_report_total.update(stackid, &delta); + } else { + *time = *time + delta; + } +} + +static void update_hl_report_total(int *stackid, u64 delta) +{ + u64 *count, *time; + + count = hl_report_count.lookup(stackid); + if (!count) + return; + + time = hl_report_total.lookup(stackid); + if (!time) { + hl_report_total.update(stackid, &delta); + } else { + *time = *time + delta; + } +} + +int mutex_lock_return(struct pt_regs *ctx) +{ + if (!is_enabled()) + return 0; + + u64 id = bpf_get_current_pid_tgid(); + + if (!allow_pid(id)) + return 0; + + u64 *one = track.lookup(&id); + + if (!one) + return 0; + + track.delete(&id); + + u64 *depth = lock_depth.lookup(&id); + if (!depth) + return 0; + + struct depth_id did = { + .id = id, + .depth = *depth - 1, + }; + + u64 *aq = time_aq.lookup(&id); + if (!aq) + return 0; + + int *stackid = stack.lookup(&did); + if (!stackid) + return 0; + + u64 cur = bpf_ktime_get_ns(); + + if (cur > *aq) { + int val = cur - *aq; + update_aq_report_count(stackid); + update_aq_report_max(stackid, val); + update_aq_report_total(stackid, val); + } + + time_held.update(&did, &cur); + return 0; +} + +int mutex_unlock_enter(struct pt_regs *ctx) +{ + if (!is_enabled()) + return 0; + + u64 id = bpf_get_current_pid_tgid(); + + if (!allow_pid(id)) + return 0; + + u64 *depth = lock_depth.lookup(&id); + + if (!depth || *depth == 0) + return 0; + + *depth -= 1; + + struct depth_id did = { + .id = id, + .depth = *depth, + }; + + u64 *held = time_held.lookup(&did); + if (!held) + return 0; + + int *stackid = stack.lookup(&did); + if (!stackid) + return 0; + + u64 cur = bpf_ktime_get_ns(); + + if (cur > *held) { + u64 val = cur - *held; + update_hl_report_count(stackid); + update_hl_report_max(stackid, val); + update_hl_report_total(stackid, val); + } + + stack.delete(&did); + time_held.delete(&did); + return 0; +} + +""" + +def sort_list(maxs, totals, counts): + if (not args.sort): + return maxs; + + for field in args.sort.split(','): + if (field == "acq_max" or field == "hld_max"): + return maxs + if (field == "acq_total" or field == "hld_total"): + return totals + if (field == "acq_count" or field == "hld_count"): + return counts + + print("Wrong sort argument: %s", args.sort) + exit(-1) + +def display(sort, maxs, totals, counts): + global missing_stacks + global has_enomem + + for k, v in sorted(sort.items(), key=lambda sort: sort[1].value, reverse=True)[:args.locks]: + missing_stacks += int(stack_id_err(k.value)) + has_enomem = has_enomem or (k.value == -errno.ENOMEM) + + caller = "[Missed Kernel Stack]" + stack = [] + + if (k.value >= 0): + stack = list(stack_traces.walk(k.value)) + caller = b.ksym(stack[1], show_offset=True) + + if (args.caller and caller.find(args.caller)): + continue + + avg = totals[k].value / counts[k].value + + print("%40s %10lu %6lu %10lu %10lu" % (caller, avg, counts[k].value, maxs[k].value, totals[k].value)) + + for addr in stack[1:args.stacks]: + print("%40s" % b.ksym(addr, show_offset=True)) + + +if args.tid: # TID trumps PID + program = program.replace('FILTER', + 'if (tid != %s) { return 0; }' % args.tid) +elif args.pid: + program = program.replace('FILTER', + 'if (pid != %s) { return 0; }' % args.pid) +else: + program = program.replace('FILTER', '') + +program = program.replace('STACK_STORAGE_SIZE', str(args.stack_storage_size)) + +b = BPF(text=program) + +b.attach_kprobe(event="mutex_unlock", fn_name="mutex_unlock_enter") +b.attach_kretprobe(event="mutex_lock", fn_name="mutex_lock_return") +b.attach_kprobe(event="mutex_lock", fn_name="mutex_lock_enter") + +enabled = b.get_table("enabled"); + +stack_traces = b.get_table("stack_traces") +aq_counts = b.get_table("aq_report_count") +aq_maxs = b.get_table("aq_report_max") +aq_totals = b.get_table("aq_report_total") + +hl_counts = b.get_table("hl_report_count") +hl_maxs = b.get_table("hl_report_max") +hl_totals = b.get_table("hl_report_total") + +aq_sort = sort_list(aq_maxs, aq_totals, aq_counts) +hl_sort = sort_list(hl_maxs, hl_totals, hl_counts) + +print("Tracing lock events... Hit Ctrl-C to end.") + +# duration and interval are mutualy exclusive +exiting = 0 if args.interval else 1 +exiting = 1 if args.duration else 0 + +seconds = 999999999 +if args.interval: + seconds = args.interval +if args.duration: + seconds = args.duration + +missing_stacks = 0 +has_enomem = False + +while (1): + enabled[ct.c_int(0)] = ct.c_int(1) + + try: + sleep(seconds) + except KeyboardInterrupt: + exiting = 1 + + enabled[ct.c_int(0)] = ct.c_int(0) + + print("\n%40s %10s %6s %10s %10s" % ("Caller", "Avg Spin", "Count", "Max spin", "Total spin")) + display(aq_sort, aq_maxs, aq_totals, aq_counts) + + + print("\n%40s %10s %6s %10s %10s" % ("Caller", "Avg Hold", "Count", "Max hold", "Total hold")) + display(hl_sort, hl_maxs, hl_totals, hl_counts) + + if exiting: + break; + + stack_traces.clear() + aq_counts.clear() + aq_maxs.clear() + aq_totals.clear() + hl_counts.clear() + hl_maxs.clear() + hl_totals.clear() + +if missing_stacks > 0: + enomem_str = " Consider increasing --stack-storage-size." + print("WARNING: %d stack traces lost and could not be displayed.%s" % + (missing_stacks, (enomem_str if has_enomem else "")), + file=stderr) diff --git a/tools/lockstat_example.txt b/tools/lockstat_example.txt new file mode 100644 index 000000000..3f51e31fa --- /dev/null +++ b/tools/lockstat_example.txt @@ -0,0 +1,167 @@ +Demonstrations of lockstat, the Linux eBPF/bcc version. + +lockstats traces kernel mutex lock events and display locks statistics + +# lockstat.py +Tracing lock events... Hit Ctrl-C to end. +^C + Caller Avg Spin Count Max spin Total spin + psi_avgs_work+0x2e 3675 5 5468 18379 + flush_to_ldisc+0x22 2833 2 4210 5667 + n_tty_write+0x30c 3914 1 3914 3914 + isig+0x5d 2390 1 2390 2390 + tty_buffer_flush+0x2a 1604 1 1604 1604 + commit_echoes+0x22 1400 1 1400 1400 + n_tty_receive_buf_common+0x3b9 1399 1 1399 1399 + + Caller Avg Hold Count Max hold Total hold + flush_to_ldisc+0x22 42558 2 76135 85116 + psi_avgs_work+0x2e 14821 5 20446 74106 + n_tty_receive_buf_common+0x3b9 12300 1 12300 12300 + n_tty_write+0x30c 10712 1 10712 10712 + isig+0x5d 3362 1 3362 3362 + tty_buffer_flush+0x2a 3078 1 3078 3078 + commit_echoes+0x22 3017 1 3017 3017 + + +Every caller to using kernel's mutex is displayed on every line. + +First portion of lines show the lock acquiring data, showing the +amount of time it took to acquired given lock. + + 'Caller' - symbol acquiring the mutex + 'Average Spin' - average time to acquire the mutex + 'Count' - number of times mutex was acquired + 'Max spin' - maximum time to acquire the mutex + 'Total spin' - total time spent in acquiring the mutex + +Second portion of lines show the lock holding data, showing the +amount of time it took to hold given lock. + + 'Caller' - symbol holding the mutex + 'Average Hold' - average time mutex was held + 'Count' - number of times mutex was held + 'Max hold' - maximum time mutex was held + 'Total hold' - total time spent in holding the mutex + +This works by tracing mutex_lock/unlock kprobes, updating the +lock stats in maps and processing them in the python part. + + +An -i option can be used to display stats in interval (5 seconds in example below): + +# lockstat.py -i 5 +Tracing lock events... Hit Ctrl-C to end. + + Caller Avg Spin Count Max spin Total spin + psi_avgs_work+0x2e 3822 15 5650 57338 + flush_to_ldisc+0x22 4630 1 4630 4630 + work_fn+0x4f 4185 1 4185 4185 + + Caller Avg Hold Count Max hold Total hold + psi_avgs_work+0x2e 12155 15 15739 182329 + flush_to_ldisc+0x22 13809 1 13809 13809 + work_fn+0x4f 5274 1 5274 5274 + + Caller Avg Spin Count Max spin Total spin + psi_avgs_work+0x2e 3715 17 4374 63163 + + Caller Avg Hold Count Max hold Total hold + psi_avgs_work+0x2e 13141 17 19510 223399 +^C + + +A -p option can be used to trace only selected process: + +# lockstat.py -p 883 +Tracing lock events... Hit Ctrl-C to end. +^C + Caller Avg Spin Count Max spin Total spin + pipe_wait+0xa9 625 412686 16930 258277958 + pipe_read+0x3f 420 413425 16872 174017649 + pipe_write+0x35 471 413425 16765 194792253 + + Caller Avg Hold Count Max hold Total hold + pipe_read+0x3f 473 413425 20063 195773647 + pipe_wait+0xa9 604 412686 16972 249598153 + pipe_write+0x35 481 413425 16944 199008064 + + +A -c option can be used to display only callers with specific substring: + +# lockstat.py -c pipe_ +Tracing lock events... Hit Ctrl-C to end. +^C + Caller Avg Spin Count Max spin Total spin + pipe_read+0x3f 422 469554 18665 198354705 + pipe_wait+0xa9 679 469536 17196 319017069 + pipe_write+0x35 469 469554 17057 220338525 + + Caller Avg Hold Count Max hold Total hold + pipe_write+0x35 638 469554 17330 299857180 + pipe_wait+0xa9 779 469535 16912 366047392 + pipe_read+0x3f 575 469554 13251 270005394 + + +An -n option can be used to display only specific number of callers: + +# lockstat.py -n 3 +Tracing lock events... Hit Ctrl-C to end. +^C + Caller Avg Spin Count Max spin Total spin + pipe_read+0x3f 420 334120 16964 140632284 + pipe_wait+0xa9 688 334116 16876 229957062 + pipe_write+0x35 463 334120 16791 154981747 + + Caller Avg Hold Count Max hold Total hold + flush_to_ldisc+0x22 27754 3 63270 83264 + pipe_read+0x3f 571 334120 17123 190976463 + pipe_wait+0xa9 759 334115 17068 253747213 + + +An -s option can be used to display number of callers backtrace entries: + +# lockstat.py -n 1 -s 3 +Tracing lock events... Hit Ctrl-C to end. +^C + Caller Avg Spin Count Max spin Total spin + pipe_wait+0xa9 685 811947 17376 556542328 + pipe_wait+0xa9 + pipe_read+0x206 + + Caller Avg Hold Count Max hold Total hold + flush_to_ldisc+0x22 28145 3 63872 84437 + flush_to_ldisc+0x22 + process_one_work+0x1b0 + + +Output can be sorted by using -S option on various +fields, the acq_total will force the acquired table to be +sorted on 'Total spin' column: + +# lockstat.py -S acq_total +Tracing lock events... Hit Ctrl-C to end. +^C + Caller Avg Spin Count Max spin Total spin + pipe_wait+0xa9 691 269343 17190 186263983 + pipe_write+0x35 464 269351 11730 125205417 + pipe_read+0x3f 422 269351 17107 113724697 + psi_avgs_work+0x2e 2499 11 4454 27494 + flush_to_ldisc+0x22 3111 3 5096 9334 + n_tty_write+0x30c 2764 1 2764 2764 + isig+0x5d 1287 1 1287 1287 + tty_buffer_flush+0x2a 961 1 961 961 + commit_echoes+0x22 892 1 892 892 + n_tty_receive_buf_common+0x3b9 868 1 868 868 + + Caller Avg Hold Count Max hold Total hold + pipe_wait+0xa9 788 269343 17128 212496240 + pipe_write+0x35 637 269351 17209 171596811 + pipe_read+0x3f 585 269351 11834 157606323 + psi_avgs_work+0x2e 8726 11 19177 95996 + flush_to_ldisc+0x22 22158 3 43731 66474 + n_tty_write+0x30c 9770 1 9770 9770 + n_tty_receive_buf_common+0x3b9 6830 1 6830 6830 + isig+0x5d 3114 1 3114 3114 + tty_buffer_flush+0x2a 2032 1 2032 2032 + commit_echoes+0x22 1616 1 1616 1616 diff --git a/tools/offwaketime.py b/tools/offwaketime.py index b46e9e1b4..4809a3b65 100755 --- a/tools/offwaketime.py +++ b/tools/offwaketime.py @@ -140,7 +140,7 @@ def signal_ignore(signal, frame): // of the Process who wakes it BPF_HASH(wokeby, u32, struct wokeby_t); -BPF_STACK_TRACE(stack_traces, STACK_STORAGE_SIZE); +BPF_STACK_TRACE(stack_traces, 2); int waker(struct pt_regs *ctx, struct task_struct *p) { // PID and TGID of the target Process to be waken @@ -321,7 +321,7 @@ def signal_ignore(signal, frame): line = [k.target.decode('utf-8', 'replace')] if not args.kernel_stacks_only: if stack_id_err(k.t_u_stack_id): - line.append("[Missed User Stack]") + line.append("[Missed User Stack] %d" % k.t_u_stack_id) else: line.extend([b.sym(addr, k.t_tgid).decode('utf-8', 'replace') for addr in reversed(list(target_user_stack)[1:])]) @@ -353,7 +353,7 @@ def signal_ignore(signal, frame): print(" %-16s %s %s" % ("waker:", k.waker.decode('utf-8', 'replace'), k.w_pid)) if not args.kernel_stacks_only: if stack_id_err(k.w_u_stack_id): - print(" [Missed User Stack]") + print(" [Missed User Stack] %d" % k.w_u_stack_id) else: for addr in waker_user_stack: print(" %s" % b.sym(addr, k.w_tgid)) From f0f19dbcc34f6246e75094457a268b35dea79149 Mon Sep 17 00:00:00 2001 From: Evan Klitzke Date: Mon, 18 Nov 2019 08:30:34 -0800 Subject: [PATCH 145/228] make TRY2 macro work outside of ebpf namespace (#2604) make TRY2 macro work outside of ebpf namespace --- src/cc/bcc_exception.h | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/src/cc/bcc_exception.h b/src/cc/bcc_exception.h index 1f8aee6aa..342f0631b 100644 --- a/src/cc/bcc_exception.h +++ b/src/cc/bcc_exception.h @@ -49,12 +49,12 @@ class StatusTuple { std::string msg_; }; -#define TRY2(CMD) \ - do { \ - StatusTuple __stp = (CMD); \ - if (__stp.code() != 0) { \ - return __stp; \ - } \ +#define TRY2(CMD) \ + do { \ + ebpf::StatusTuple __stp = (CMD); \ + if (__stp.code() != 0) { \ + return __stp; \ + } \ } while (0) } // namespace ebpf From 3032347541d8b121598e220ec782aceb642ebf55 Mon Sep 17 00:00:00 2001 From: Evan Klitzke Date: Mon, 18 Nov 2019 08:31:19 -0800 Subject: [PATCH 146/228] Make StatusTuple code and msg methods const (#2603) I ran into this while trying to write a method that takes a const StatusTuple reference, these methods should be marked const. I also fixed an unnecessary string copy in msg. --- src/cc/bcc_exception.h | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/cc/bcc_exception.h b/src/cc/bcc_exception.h index 342f0631b..7933adca7 100644 --- a/src/cc/bcc_exception.h +++ b/src/cc/bcc_exception.h @@ -40,9 +40,9 @@ class StatusTuple { msg_ += msg; } - int code() { return ret_; } + int code() const { return ret_; } - std::string msg() { return msg_; } + const std::string& msg() const { return msg_; } private: int ret_; From f68d818085c2c26a88606d4976474a08cfe7c9ee Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Mon, 18 Nov 2019 09:01:00 -0800 Subject: [PATCH 147/228] update INSTALL.md for new llvm source compilation clang/llvm has moved from old svn with git mirror to github based source control. The new github address is https://github.com/llvm/llvm-project which includes clang, llvm and other related projects. This patch updated instruction how to build clang/llvm library with new llvm-project setup. Signed-off-by: Yonghong Song --- INSTALL.md | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/INSTALL.md b/INSTALL.md index 84f044e95..2d858397c 100644 --- a/INSTALL.md +++ b/INSTALL.md @@ -532,12 +532,12 @@ sudo /usr/share/bcc/tools/execsnoop ## Build LLVM and Clang development libs ``` -git clone http://llvm.org/git/llvm.git -cd llvm/tools; git clone http://llvm.org/git/clang.git -cd ..; mkdir -p build/install; cd build -cmake -G "Unix Makefiles" -DLLVM_TARGETS_TO_BUILD="BPF;X86" \ +git clone https://github.com/llvm/llvm-project.git +mkdir -p llvm-project/llvm/build/install +cd llvm-project/llvm/build +cmake -G "Ninja" -DLLVM_TARGETS_TO_BUILD="BPF;X86" \ + -DLLVM_ENABLE_PROJECTS="clang" \ -DCMAKE_BUILD_TYPE=Release -DCMAKE_INSTALL_PREFIX=$PWD/install .. -make -make install +ninja && ninja install export PATH=$PWD/install/bin:$PATH ``` From 65885f34d5ea1acb6a014615f1eea08fc6c5514d Mon Sep 17 00:00:00 2001 From: Greg Bod Date: Mon, 18 Nov 2019 19:35:31 +0000 Subject: [PATCH 148/228] tools/runqslower.py: Fix raw tracepoint code Closes: #2588 It is was observed that many unrelated process names were reported for the same pid. The cause of the bug was the use of bpf_get_current_comm() which operates on the current process which might already be different than the 'next' task we captured. The fix is to use bpf_probe_read_str() instead. Also removing dead code related to tgid extraction which is not used at all. --- tools/runqslower.py | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/tools/runqslower.py b/tools/runqslower.py index 5f5c3b9b2..b67853301 100755 --- a/tools/runqslower.py +++ b/tools/runqslower.py @@ -28,6 +28,10 @@ # Licensed under the Apache License, Version 2.0 (the "License") # # 02-May-2018 Ivan Babrou Created this. +# 18-Nov-2019 Gergely Bod BUG fix: Use bpf_probe_read_str() to extract the +# process name from 'task_struct* next' in raw tp code. +# bpf_get_current_comm() operates on the current task +# which might already be different than 'next'. from __future__ import print_function from bcc import BPF @@ -163,13 +167,12 @@ // TP_PROTO(bool preempt, struct task_struct *prev, struct task_struct *next) struct task_struct *prev = (struct task_struct *)ctx->args[1]; struct task_struct *next= (struct task_struct *)ctx->args[2]; - u32 pid, tgid; + u32 pid; long state; // ivcsw: treat like an enqueue event and store timestamp bpf_probe_read(&state, sizeof(long), (const void *)&prev->state); if (state == TASK_RUNNING) { - bpf_probe_read(&tgid, sizeof(prev->tgid), &prev->tgid); bpf_probe_read(&pid, sizeof(prev->pid), &prev->pid); if (!(FILTER_PID || pid == 0)) { u64 ts = bpf_ktime_get_ns(); @@ -177,7 +180,6 @@ } } - bpf_probe_read(&tgid, sizeof(next->tgid), &next->tgid); bpf_probe_read(&pid, sizeof(next->pid), &next->pid); u64 *tsp, delta_us; @@ -195,7 +197,7 @@ struct data_t data = {}; data.pid = pid; data.delta_us = delta_us; - bpf_get_current_comm(&data.task, sizeof(data.task)); + bpf_probe_read_str(&data.task, sizeof(data.task), next->comm); // output events.perf_submit(ctx, &data, sizeof(data)); From 0272a3d5f3bc87e63aefe1078349be79c5afc651 Mon Sep 17 00:00:00 2001 From: Masanori Misono Date: Mon, 25 Nov 2019 04:45:34 +0000 Subject: [PATCH 149/228] docs: update helper functions of BPF_PROG_TYPE_SOCKET_FILTER Signed-off-by: Masanori Misono --- docs/kernel-versions.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/kernel-versions.md b/docs/kernel-versions.md index 86b739fbc..85d38ff18 100644 --- a/docs/kernel-versions.md +++ b/docs/kernel-versions.md @@ -292,7 +292,7 @@ The list of program types and supported helper functions can be retrieved with: |Program Type| Helper Functions| |------------|-----------------| -|`BPF_PROG_TYPE_SOCKET_FILTER`|`BPF_FUNC_get_current_uid_gid()`
    `Base functions`| +|`BPF_PROG_TYPE_SOCKET_FILTER`|`BPF_FUNC_skb_load_bytes()`
    `BPF_FUNC_skb_load_bytes_relative()`
    `BPF_FUNC_get_socket_cookie()`
    `BPF_FUNC_get_socket_uid()`
    `BPF_FUNC_perf_event_output()`
    `Base functions`| |`BPF_PROG_TYPE_KPROBE`|`BPF_FUNC_perf_event_output()`
    `BPF_FUNC_get_stackid()`
    `BPF_FUNC_get_stack()`
    `BPF_FUNC_perf_event_read_value()`
    `BPF_FUNC_override_return()`
    `Tracing functions`| |`BPF_PROG_TYPE_SCHED_CLS`
    `BPF_PROG_TYPE_SCHED_ACT`|`BPF_FUNC_skb_store_bytes()`
    `BPF_FUNC_skb_load_bytes()`
    `BPF_FUNC_skb_load_bytes_relative()`
    `BPF_FUNC_skb_pull_data()`
    `BPF_FUNC_csum_diff()`
    `BPF_FUNC_csum_update()`
    `BPF_FUNC_l3_csum_replace()`
    `BPF_FUNC_l4_csum_replace()`
    `BPF_FUNC_clone_redirect()`
    `BPF_FUNC_get_cgroup_classid()`
    `BPF_FUNC_skb_vlan_push()`
    `BPF_FUNC_skb_vlan_pop()`
    `BPF_FUNC_skb_change_proto()`
    `BPF_FUNC_skb_change_type()`
    `BPF_FUNC_skb_adjust_room()`
    `BPF_FUNC_skb_change_tail()`
    `BPF_FUNC_skb_get_tunnel_key()`
    `BPF_FUNC_skb_set_tunnel_key()`
    `BPF_FUNC_skb_get_tunnel_opt()`
    `BPF_FUNC_skb_set_tunnel_opt()`
    `BPF_FUNC_redirect()`
    `BPF_FUNC_get_route_realm()`
    `BPF_FUNC_get_hash_recalc()`
    `BPF_FUNC_set_hash_invalid()`
    `BPF_FUNC_set_hash()`
    `BPF_FUNC_perf_event_output()`
    `BPF_FUNC_get_smp_processor_id()`
    `BPF_FUNC_skb_under_cgroup()`
    `BPF_FUNC_get_socket_cookie()`
    `BPF_FUNC_get_socket_uid()`
    `BPF_FUNC_fib_lookup()`
    `BPF_FUNC_skb_get_xfrm_state()`
    `BPF_FUNC_skb_cgroup_id()`
    `Base functions`| |`BPF_PROG_TYPE_TRACEPOINT`|`BPF_FUNC_perf_event_output()`
    `BPF_FUNC_get_stackid()`
    `BPF_FUNC_get_stack()`
    `Tracing functions`| From 149c1c8857652997622fc2a30747a60e0c9c17dc Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Sat, 23 Nov 2019 09:26:48 -0800 Subject: [PATCH 150/228] Add map-in-map support Add BPF_MAP_TYPE_HASH_OF_MAPS and BPF_MAP_TYPE_HASH_OF_MAPS supports in bcc. Two new constructs below are introduced to bpf program: BPF_HASH_OF_MAPS(map_name, "inner_map_name", max_entries) BPF_ARRAY_OF_MAPS(map_name, "inner_map_name", max_entries) In the above, "inner_map_name" is for metadata purpose and there must be a map defined in bpf program with map name "inner_map_name". Both python and C++ APIs are added. For python, a new Table API get_fd() is introduced to get the fd of a map so that the fd can be used by a map-in-map do update. The get_fd() is already exposed as API function in C++. For C++, without get_fd(), we will need to templatize basic functions like update_value etc, which I feed too heavy weight. Because of C++ using get_fd() mechanism, so I exposed similar API on python side for parity reason. For map-in-map, the inner map lookup/update/delete won't have explicit map names. Considering map-in-map is not used very frequently, I feel looking primitive bpf_map_{lookup,update,delete}_elem() probably okay, so I did not create any new bcc specific constructs for this purpose. Added both C++ and python test cases to show how to use the above two new map type in bcc. Signed-off-by: Yonghong Song --- docs/reference_guide.md | 46 ++++- src/cc/api/BPF.cc | 7 + src/cc/api/BPF.h | 2 + src/cc/api/BPFTable.cc | 21 ++ src/cc/api/BPFTable.h | 7 + src/cc/bpf_module.cc | 131 ++++++++---- src/cc/bpf_module.h | 4 + src/cc/export/helpers.h | 6 + src/cc/frontends/clang/b_frontend_action.cc | 20 +- src/cc/frontends/clang/b_frontend_action.h | 3 +- src/cc/table_storage.h | 3 +- src/python/bcc/table.py | 15 ++ tests/cc/CMakeLists.txt | 1 + tests/cc/test_map_in_map.cc | 216 ++++++++++++++++++++ tests/python/test_map_in_map.py | 148 ++++++++++++++ 15 files changed, 574 insertions(+), 56 deletions(-) create mode 100644 tests/cc/test_map_in_map.cc create mode 100755 tests/python/test_map_in_map.py diff --git a/docs/reference_guide.md b/docs/reference_guide.md index f36ecf911..2b352c131 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -759,7 +759,33 @@ Methods (covered later): map.redirect_map(). Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=BPF_CPUMAP+path%3Aexamples&type=Code), -### 12. map.lookup() +### 12. BPF_ARRAY_OF_MAPS + +Syntax: ```BPF_ARRAY_OF_MAPS(name, inner_map_name, size)``` + +This creates an array map with a map-in-map type (BPF_MAP_TYPE_HASH_OF_MAPS) map named ```name``` with ```size``` entries. The inner map meta data is provided by map ```inner_map_name``` and can be most of array or hash maps except ```BPF_MAP_TYPE_PROG_ARRAY```, ```BPF_MAP_TYPE_CGROUP_STORAGE``` and ```BPF_MAP_TYPE_PERCPU_CGROUP_STORAGE```. + +For example: +```C +BPF_TABLE("hash", int, int, ex1, 1024); +BPF_TABLE("hash", int, int, ex2, 1024); +BPF_ARRAY_OF_MAPS(maps_array, "ex1", 10); +``` + +### 13. BPF_HASH_OF_MAPS + +Syntax: ```BPF_HASH_OF_MAPS(name, inner_map_name, size)``` + +This creates a hash map with a map-in-map type (BPF_MAP_TYPE_HASH_OF_MAPS) map named ```name``` with ```size``` entries. The inner map meta data is provided by map ```inner_map_name``` and can be most of array or hash maps except ```BPF_MAP_TYPE_PROG_ARRAY```, ```BPF_MAP_TYPE_CGROUP_STORAGE``` and ```BPF_MAP_TYPE_PERCPU_CGROUP_STORAGE```. + +For example: +```C +BPF_ARRAY(ex1, int, 1024); +BPF_ARRAY(ex2, int, 1024); +BPF_HASH_OF_MAPS(maps_hash, "ex1", 10); +``` + +### 14. map.lookup() Syntax: ```*val map.lookup(&key)``` @@ -769,7 +795,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=lookup+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=lookup+path%3Atools&type=Code) -### 13. map.lookup_or_try_init() +### 15. map.lookup_or_try_init() Syntax: ```*val map.lookup_or_try_init(&key, &zero)``` @@ -782,7 +808,7 @@ Examples in situ: Note: The old map.lookup_or_init() may cause return from the function, so lookup_or_try_init() is recommended as it does not have this side effect. -### 14. map.delete() +### 16. map.delete() Syntax: ```map.delete(&key)``` @@ -792,7 +818,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=delete+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=delete+path%3Atools&type=Code) -### 15. map.update() +### 17. map.update() Syntax: ```map.update(&key, &val)``` @@ -802,7 +828,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=update+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=update+path%3Atools&type=Code) -### 16. map.insert() +### 18. map.insert() Syntax: ```map.insert(&key, &val)``` @@ -812,7 +838,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=insert+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=insert+path%3Atools&type=Code) -### 17. map.increment() +### 19. map.increment() Syntax: ```map.increment(key[, increment_amount])``` @@ -822,7 +848,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=increment+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=increment+path%3Atools&type=Code) -### 18. map.get_stackid() +### 20. map.get_stackid() Syntax: ```int map.get_stackid(void *ctx, u64 flags)``` @@ -832,7 +858,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=get_stackid+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=get_stackid+path%3Atools&type=Code) -### 19. map.perf_read() +### 21. map.perf_read() Syntax: ```u64 map.perf_read(u32 cpu)``` @@ -841,7 +867,7 @@ This returns the hardware performance counter as configured in [5. BPF_PERF_ARRA Examples in situ: [search /tests](https://github.com/iovisor/bcc/search?q=perf_read+path%3Atests&type=Code) -### 20. map.call() +### 22. map.call() Syntax: ```void map.call(void *ctx, int index)``` @@ -880,7 +906,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?l=C&q=call+path%3Aexamples&type=Code), [search /tests](https://github.com/iovisor/bcc/search?l=C&q=call+path%3Atests&type=Code) -### 21. map.redirect_map() +### 23. map.redirect_map() Syntax: ```int map.redirect_map(int index, int flags)``` diff --git a/src/cc/api/BPF.cc b/src/cc/api/BPF.cc index 66dba7460..56d52de19 100644 --- a/src/cc/api/BPF.cc +++ b/src/cc/api/BPF.cc @@ -694,6 +694,13 @@ BPFStackBuildIdTable BPF::get_stackbuildid_table(const std::string &name, bool u return BPFStackBuildIdTable({}, use_debug_file, check_debug_file_crc, get_bsymcache()); } +BPFMapInMapTable BPF::get_map_in_map_table(const std::string& name) { + TableStorage::iterator it; + if (bpf_module_->table_storage().Find(Path({bpf_module_->id(), name}), it)) + return BPFMapInMapTable(it->second); + return BPFMapInMapTable({}); +} + bool BPF::add_module(std::string module) { return bcc_buildsymcache_add_module(get_bsymcache(), module.c_str()) != 0 ? diff --git a/src/cc/api/BPF.h b/src/cc/api/BPF.h index ff4590300..679250f7a 100644 --- a/src/cc/api/BPF.h +++ b/src/cc/api/BPF.h @@ -167,6 +167,8 @@ class BPF { bool use_debug_file = true, bool check_debug_file_crc = true); + BPFMapInMapTable get_map_in_map_table(const std::string& name); + bool add_module(std::string module); StatusTuple open_perf_event(const std::string& name, uint32_t type, diff --git a/src/cc/api/BPFTable.cc b/src/cc/api/BPFTable.cc index 54c23ad1f..6c7fde17e 100644 --- a/src/cc/api/BPFTable.cc +++ b/src/cc/api/BPFTable.cc @@ -653,4 +653,25 @@ StatusTuple BPFDevmapTable::remove_value(const int& index) { return StatusTuple(0); } +BPFMapInMapTable::BPFMapInMapTable(const TableDesc& desc) + : BPFTableBase(desc) { + if(desc.type != BPF_MAP_TYPE_ARRAY_OF_MAPS && + desc.type != BPF_MAP_TYPE_HASH_OF_MAPS) + throw std::invalid_argument("Table '" + desc.name + + "' is not a map-in-map table"); +} + +StatusTuple BPFMapInMapTable::update_value(const int& index, + const int& inner_map_fd) { + if (!this->update(const_cast(&index), const_cast(&inner_map_fd))) + return StatusTuple(-1, "Error updating value: %s", std::strerror(errno)); + return StatusTuple(0); +} + +StatusTuple BPFMapInMapTable::remove_value(const int& index) { + if (!this->remove(const_cast(&index))) + return StatusTuple(-1, "Error removing value: %s", std::strerror(errno)); + return StatusTuple(0); +} + } // namespace ebpf diff --git a/src/cc/api/BPFTable.h b/src/cc/api/BPFTable.h index 9bdae92d5..49ee64752 100644 --- a/src/cc/api/BPFTable.h +++ b/src/cc/api/BPFTable.h @@ -399,7 +399,14 @@ class BPFDevmapTable : public BPFTableBase { StatusTuple update_value(const int& index, const int& value); StatusTuple get_value(const int& index, int& value); StatusTuple remove_value(const int& index); +}; + +class BPFMapInMapTable : public BPFTableBase { +public: + BPFMapInMapTable(const TableDesc& desc); + StatusTuple update_value(const int& index, const int& inner_map_fd); + StatusTuple remove_value(const int& index); }; } // namespace ebpf diff --git a/src/cc/bpf_module.cc b/src/cc/bpf_module.cc index c27ce9c8d..3df7ef18f 100644 --- a/src/cc/bpf_module.cc +++ b/src/cc/bpf_module.cc @@ -19,6 +19,7 @@ #include #include #include +#include #include #include @@ -271,56 +272,25 @@ void BPFModule::load_btf(sec_map_def §ions) { btf_ = btf; } -int BPFModule::load_maps(sec_map_def §ions) { - // find .maps. sections and retrieve all map key/value type id's - std::map> map_tids; - if (btf_) { - for (auto section : sections) { - auto sec_name = section.first; - if (strncmp(".maps.", sec_name.c_str(), 6) == 0) { - std::string map_name = sec_name.substr(6); - unsigned key_tid = 0, value_tid = 0; - unsigned expected_ksize = 0, expected_vsize = 0; - - // skip extern maps, which won't be in fake_fd_map_ as they do not - // require explicit bpf_create_map. - bool is_extern = false; - for (auto &t : tables_) { - if (t->name == map_name) { - is_extern = t->is_extern; - break; - } - } - if (is_extern) - continue; - - for (auto map : fake_fd_map_) { - std::string name; - - name = get<1>(map.second); - if (map_name == name) { - expected_ksize = get<2>(map.second); - expected_vsize = get<3>(map.second); - break; - } - } - - int ret = btf_->get_map_tids(map_name, expected_ksize, - expected_vsize, &key_tid, &value_tid); - if (ret) - continue; - - map_tids[map_name] = std::make_pair(key_tid, value_tid); - } +int BPFModule::create_maps(std::map> &map_tids, + std::map &map_fds, + std::map &inner_map_fds, + bool for_inner_map) { + std::set inner_maps; + if (for_inner_map) { + for (auto map : fake_fd_map_) { + std::string inner_map_name = get<7>(map.second); + if (inner_map_name.size()) + inner_maps.insert(inner_map_name); } } - // create maps - std::map map_fds; for (auto map : fake_fd_map_) { int fd, fake_fd, map_type, key_size, value_size, max_entries, map_flags; const char *map_name; unsigned int pinned_id; + std::string inner_map_name; + int inner_map_fd = 0; fake_fd = map.first; map_type = get<0>(map.second); @@ -330,6 +300,22 @@ int BPFModule::load_maps(sec_map_def §ions) { max_entries = get<4>(map.second); map_flags = get<5>(map.second); pinned_id = get<6>(map.second); + inner_map_name = get<7>(map.second); + + if (for_inner_map) { + if (inner_maps.find(map_name) == inner_maps.end()) + continue; + if (inner_map_name.size()) { + fprintf(stderr, "inner map %s has inner map %s\n", + map_name, inner_map_name.c_str()); + return -1; + } + } else { + if (inner_map_fds.find(map_name) != inner_map_fds.end()) + continue; + if (inner_map_name.size()) + inner_map_fd = inner_map_fds[inner_map_name]; + } if (pinned_id) { fd = bpf_map_get_fd_by_id(pinned_id); @@ -342,6 +328,7 @@ int BPFModule::load_maps(sec_map_def §ions) { attr.max_entries = max_entries; attr.map_flags = map_flags; attr.map_ifindex = ifindex_; + attr.inner_map_fd = inner_map_fd; if (map_tids.find(map_name) != map_tids.end()) { attr.btf_fd = btf_->get_fd(); @@ -358,9 +345,67 @@ int BPFModule::load_maps(sec_map_def §ions) { return -1; } + if (for_inner_map) + inner_map_fds[map_name] = fd; + map_fds[fake_fd] = fd; } + return 0; +} + +int BPFModule::load_maps(sec_map_def §ions) { + // find .maps. sections and retrieve all map key/value type id's + std::map> map_tids; + if (btf_) { + for (auto section : sections) { + auto sec_name = section.first; + if (strncmp(".maps.", sec_name.c_str(), 6) == 0) { + std::string map_name = sec_name.substr(6); + unsigned key_tid = 0, value_tid = 0; + unsigned expected_ksize = 0, expected_vsize = 0; + + // skip extern maps, which won't be in fake_fd_map_ as they do not + // require explicit bpf_create_map. + bool is_extern = false; + for (auto &t : tables_) { + if (t->name == map_name) { + is_extern = t->is_extern; + break; + } + } + if (is_extern) + continue; + + for (auto map : fake_fd_map_) { + std::string name; + + name = get<1>(map.second); + if (map_name == name) { + expected_ksize = get<2>(map.second); + expected_vsize = get<3>(map.second); + break; + } + } + + int ret = btf_->get_map_tids(map_name, expected_ksize, + expected_vsize, &key_tid, &value_tid); + if (ret) + continue; + + map_tids[map_name] = std::make_pair(key_tid, value_tid); + } + } + } + + // create maps + std::map inner_map_fds; + std::map map_fds; + if (create_maps(map_tids, map_fds, inner_map_fds, true) < 0) + return -1; + if (create_maps(map_tids, map_fds, inner_map_fds, false) < 0) + return -1; + // update map table fd's for (auto it = ts_->begin(), up = ts_->end(); it != up; ++it) { TableDesc &table = it->second; diff --git a/src/cc/bpf_module.h b/src/cc/bpf_module.h index ee53bc5d5..343ce28dd 100644 --- a/src/cc/bpf_module.h +++ b/src/cc/bpf_module.h @@ -88,6 +88,10 @@ class BPFModule { const void *val); void load_btf(sec_map_def §ions); int load_maps(sec_map_def §ions); + int create_maps(std::map> &map_tids, + std::map &map_fds, + std::map &inner_map_fds, + bool for_inner_map); public: BPFModule(unsigned flags, TableStorage *ts = nullptr, bool rw_engine_enabled = true, diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index 49abd61d3..4679ee26a 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -269,6 +269,12 @@ struct _name##_table_t _name = { .max_entries = (_max_entries) } #define BPF_CPUMAP(_name, _max_entries) \ BPF_XDP_REDIRECT_MAP("cpumap", u32, _name, _max_entries) +#define BPF_ARRAY_OF_MAPS(_name, _inner_map_name, _max_entries) \ + BPF_TABLE("array_of_maps$" _inner_map_name, int, int, _name, _max_entries) + +#define BPF_HASH_OF_MAPS(_name, _inner_map_name, _max_entries) \ + BPF_TABLE("hash_of_maps$" _inner_map_name, int, int, _name, _max_entries) + // packet parsing state machine helpers #define cursor_advance(_cursor, _len) \ ({ void *_tmp = _cursor; _cursor += _len; _tmp; }) diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index efd2e3340..5697f2f97 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -1192,6 +1192,19 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { pinned_id = info.id; } + // Additional map specific information + size_t map_info_pos = section_attr.find("$"); + std::string inner_map_name; + + if (map_info_pos != std::string::npos) { + std::string map_info = section_attr.substr(map_info_pos + 1); + section_attr = section_attr.substr(0, map_info_pos); + if (section_attr == "maps/array_of_maps" || + section_attr == "maps/hash_of_maps") { + inner_map_name = map_info; + } + } + bpf_map_type map_type = BPF_MAP_TYPE_UNSPEC; if (section_attr == "maps/hash") { map_type = BPF_MAP_TYPE_HASH; @@ -1231,6 +1244,10 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { map_type = BPF_MAP_TYPE_DEVMAP; } else if (section_attr == "maps/cpumap") { map_type = BPF_MAP_TYPE_CPUMAP; + } else if (section_attr == "maps/hash_of_maps") { + map_type = BPF_MAP_TYPE_HASH_OF_MAPS; + } else if (section_attr == "maps/array_of_maps") { + map_type = BPF_MAP_TYPE_ARRAY_OF_MAPS; } else if (section_attr == "maps/extern") { if (!fe_.table_storage().Find(maps_ns_path, table_it)) { if (!fe_.table_storage().Find(global_path, table_it)) { @@ -1274,7 +1291,8 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { table.fake_fd = fe_.get_next_fake_fd(); fe_.add_map_def(table.fake_fd, std::make_tuple((int)map_type, std::string(table.name), (int)table.key_size, (int)table.leaf_size, - (int)table.max_entries, table.flags, pinned_id)); + (int)table.max_entries, table.flags, pinned_id, + inner_map_name)); } if (!table.is_extern) diff --git a/src/cc/frontends/clang/b_frontend_action.h b/src/cc/frontends/clang/b_frontend_action.h index 77e53d9b1..cea13cc08 100644 --- a/src/cc/frontends/clang/b_frontend_action.h +++ b/src/cc/frontends/clang/b_frontend_action.h @@ -174,7 +174,8 @@ class BFrontendAction : public clang::ASTFrontendAction { void DoMiscWorkAround(); // negative fake_fd to be different from real fd in bpf_pseudo_fd. int get_next_fake_fd() { return next_fake_fd_--; } - void add_map_def(int fd, std::tuple map_def) { + void add_map_def(int fd, + std::tuple map_def) { fake_fd_map_[fd] = move(map_def); } diff --git a/src/cc/table_storage.h b/src/cc/table_storage.h index 77fe52abe..b83fbdd71 100644 --- a/src/cc/table_storage.h +++ b/src/cc/table_storage.h @@ -27,7 +27,8 @@ namespace ebpf { -typedef std::map> fake_fd_map_def; +typedef std::map> + fake_fd_map_def; class TableStorageImpl; class TableStorageIteratorImpl; diff --git a/src/python/bcc/table.py b/src/python/bcc/table.py index 96a038ab2..c9ad9c8d7 100644 --- a/src/python/bcc/table.py +++ b/src/python/bcc/table.py @@ -182,6 +182,10 @@ def Table(bpf, map_id, map_fd, keytype, leaftype, name, **kwargs): t = DevMap(bpf, map_id, map_fd, keytype, leaftype) elif ttype == BPF_MAP_TYPE_CPUMAP: t = CpuMap(bpf, map_id, map_fd, keytype, leaftype) + elif ttype == BPF_MAP_TYPE_ARRAY_OF_MAPS: + t = MapInMapArray(bpf, map_id, map_fd, keytype, leaftype) + elif ttype == BPF_MAP_TYPE_HASH_OF_MAPS: + t = MapInMapHash(bpf, map_id, map_fd, keytype, leaftype) if t == None: raise Exception("Unknown table type %d" % ttype) return t @@ -200,6 +204,9 @@ def __init__(self, bpf, map_id, map_fd, keytype, leaftype, name=None): self._cbs = {} self._name = name + def get_fd(self): + return self.map_fd + def key_sprintf(self, key): buf = ct.create_string_buffer(ct.sizeof(self.Key) * 8) res = lib.bpf_table_key_snprintf(self.bpf.module, self.map_id, buf, @@ -897,3 +904,11 @@ def __init__(self, *args, **kwargs): class CpuMap(ArrayBase): def __init__(self, *args, **kwargs): super(CpuMap, self).__init__(*args, **kwargs) + +class MapInMapArray(ArrayBase): + def __init__(self, *args, **kwargs): + super(MapInMapArray, self).__init__(*args, **kwargs) + +class MapInMapHash(HashTable): + def __init__(self, *args, **kwargs): + super(MapInMapHash, self).__init__(*args, **kwargs) diff --git a/tests/cc/CMakeLists.txt b/tests/cc/CMakeLists.txt index d545cc15e..0d94e92a3 100644 --- a/tests/cc/CMakeLists.txt +++ b/tests/cc/CMakeLists.txt @@ -21,6 +21,7 @@ set(TEST_LIBBCC_SOURCES test_array_table.cc test_bpf_table.cc test_hash_table.cc + test_map_in_map.cc test_perf_event.cc test_pinned_table.cc test_prog_table.cc diff --git a/tests/cc/test_map_in_map.cc b/tests/cc/test_map_in_map.cc new file mode 100644 index 000000000..76c07f77f --- /dev/null +++ b/tests/cc/test_map_in_map.cc @@ -0,0 +1,216 @@ +/* + * Copyright (c) 2019 Facebook, Inc. + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ + +#include +#include +#include + +#include "BPF.h" +#include "catch.hpp" + +#if LINUX_VERSION_CODE >= KERNEL_VERSION(4, 11, 0) +typedef unsigned long long __u64; + +TEST_CASE("test hash of maps", "[hash_of_maps]") { + { + const std::string BPF_PROGRAM = R"( + BPF_ARRAY(cntl, int, 1); + BPF_ARRAY(ex1, int, 1024); + BPF_ARRAY(ex2, int, 1024); + BPF_ARRAY(ex3, u64, 1024); + BPF_HASH_OF_MAPS(maps_hash, "ex1", 10); + + int syscall__getuid(void *ctx) { + int key = 0, data, *val, cntl_val; + void *inner_map; + + val = cntl.lookup(&key); + if (!val || *val == 0) + return 0; + + // cntl_val == 1 : lookup and update + cntl_val = *val; + inner_map = maps_hash.lookup(&key); + if (!inner_map) + return 0; + + if (cntl_val == 1) { + val = bpf_map_lookup_elem(inner_map, &key); + if (val) { + data = 1; + bpf_map_update_elem(inner_map, &key, &data, 0); + } + } + + return 0; + } + )"; + + ebpf::BPF bpf; + ebpf::StatusTuple res(0); + res = bpf.init(BPF_PROGRAM); + REQUIRE(res.code() == 0); + + auto t = bpf.get_map_in_map_table("maps_hash"); + auto ex1_table = bpf.get_array_table("ex1"); + auto ex2_table = bpf.get_array_table("ex2"); + auto ex3_table = bpf.get_array_table<__u64>("ex3"); + int ex1_fd = ex1_table.get_fd(); + int ex2_fd = ex2_table.get_fd(); + int ex3_fd = ex3_table.get_fd(); + + int key = 0, value = 0; + res = t.update_value(key, ex1_fd); + REQUIRE(res.code() == 0); + + // updating already-occupied slot will succeed. + res = t.update_value(key, ex2_fd); + REQUIRE(res.code() == 0); + res = t.update_value(key, ex1_fd); + REQUIRE(res.code() == 0); + + // an in-compatible map + key = 1; + res = t.update_value(key, ex3_fd); + REQUIRE(res.code() == -1); + + // hash table, any valid key should work as long + // as hash table is not full. + key = 10; + res = t.update_value(key, ex2_fd); + REQUIRE(res.code() == 0); + res = t.remove_value(key); + REQUIRE(res.code() == 0); + + // test effectiveness of map-in-map + key = 0; + std::string getuid_fnname = bpf.get_syscall_fnname("getuid"); + res = bpf.attach_kprobe(getuid_fnname, "syscall__getuid"); + REQUIRE(res.code() == 0); + + auto cntl_table = bpf.get_array_table("cntl"); + cntl_table.update_value(0, 1); + REQUIRE(getuid() >= 0); + res = ex1_table.get_value(key, value); + REQUIRE(res.code() == 0); + REQUIRE(value > 0); + + res = bpf.detach_kprobe(getuid_fnname); + REQUIRE(res.code() == 0); + + res = t.remove_value(key); + REQUIRE(res.code() == 0); + } +} + +TEST_CASE("test array of maps", "[array_of_maps]") { + { + const std::string BPF_PROGRAM = R"( + BPF_ARRAY(cntl, int, 1); + BPF_TABLE("hash", int, int, ex1, 1024); + BPF_TABLE("hash", int, int, ex2, 1024); + BPF_TABLE("hash", u64, u64, ex3, 1024); + BPF_ARRAY_OF_MAPS(maps_array, "ex1", 10); + + int syscall__getuid(void *ctx) { + int key = 0, data, *val, cntl_val; + void *inner_map; + + val = cntl.lookup(&key); + if (!val || *val == 0) + return 0; + + // cntl_val == 1 : lookup and update + // cntl_val == 2 : delete + cntl_val = *val; + inner_map = maps_array.lookup(&key); + if (!inner_map) + return 0; + + if (cntl_val == 1) { + val = bpf_map_lookup_elem(inner_map, &key); + if (!val) { + data = 1; + bpf_map_update_elem(inner_map, &key, &data, 0); + } + } else if (cntl_val == 2) { + bpf_map_delete_elem(inner_map, &key); + } + + return 0; + } + )"; + + ebpf::BPF bpf; + ebpf::StatusTuple res(0); + res = bpf.init(BPF_PROGRAM); + REQUIRE(res.code() == 0); + + auto t = bpf.get_map_in_map_table("maps_array"); + auto ex1_table = bpf.get_hash_table("ex1"); + auto ex2_table = bpf.get_hash_table("ex2"); + auto ex3_table = bpf.get_hash_table<__u64, __u64>("ex3"); + int ex1_fd = ex1_table.get_fd(); + int ex2_fd = ex2_table.get_fd(); + int ex3_fd = ex3_table.get_fd(); + + int key = 0, value = 0; + res = t.update_value(key, ex1_fd); + REQUIRE(res.code() == 0); + + // updating already-occupied slot will succeed. + res = t.update_value(key, ex2_fd); + REQUIRE(res.code() == 0); + res = t.update_value(key, ex1_fd); + REQUIRE(res.code() == 0); + + // an in-compatible map + key = 1; + res = t.update_value(key, ex3_fd); + REQUIRE(res.code() == -1); + + // array table, out of bound access + key = 10; + res = t.update_value(key, ex2_fd); + REQUIRE(res.code() == -1); + + // test effectiveness of map-in-map + key = 0; + std::string getuid_fnname = bpf.get_syscall_fnname("getuid"); + res = bpf.attach_kprobe(getuid_fnname, "syscall__getuid"); + REQUIRE(res.code() == 0); + + auto cntl_table = bpf.get_array_table("cntl"); + cntl_table.update_value(0, 1); + + REQUIRE(getuid() >= 0); + res = ex1_table.get_value(key, value); + REQUIRE(res.code() == 0); + REQUIRE(value == 1); + + cntl_table.update_value(0, 2); + REQUIRE(getuid() >= 0); + res = ex1_table.get_value(key, value); + REQUIRE(res.code() == -1); + + res = bpf.detach_kprobe(getuid_fnname); + REQUIRE(res.code() == 0); + + res = t.remove_value(key); + REQUIRE(res.code() == 0); + } +} +#endif diff --git a/tests/python/test_map_in_map.py b/tests/python/test_map_in_map.py new file mode 100755 index 000000000..0f5960431 --- /dev/null +++ b/tests/python/test_map_in_map.py @@ -0,0 +1,148 @@ +#!/usr/bin/env python +# +# USAGE: test_map_in_map.py +# +# Copyright 2019 Facebook, Inc +# Licensed under the Apache License, Version 2.0 (the "License") + +from __future__ import print_function +from bcc import BPF +import distutils.version +from unittest import main, skipUnless, TestCase +import ctypes as ct +import os + +def kernel_version_ge(major, minor): + # True if running kernel is >= X.Y + version = distutils.version.LooseVersion(os.uname()[2]).version + if version[0] > major: + return True + if version[0] < major: + return False + if minor and version[1] < minor: + return False + return True + +@skipUnless(kernel_version_ge(4,11), "requires kernel >= 4.11") +class TestUDST(TestCase): + def test_hash_table(self): + bpf_text = """ + BPF_ARRAY(cntl, int, 1); + BPF_TABLE("hash", int, int, ex1, 1024); + BPF_TABLE("hash", int, int, ex2, 1024); + BPF_HASH_OF_MAPS(maps_hash, "ex1", 10); + + int syscall__getuid(void *ctx) { + int key = 0, data, *val, cntl_val; + void *inner_map; + + val = cntl.lookup(&key); + if (!val || *val == 0) + return 0; + + cntl_val = *val; + inner_map = maps_hash.lookup(&cntl_val); + if (!inner_map) + return 0; + + val = bpf_map_lookup_elem(inner_map, &key); + if (!val) { + data = 1; + bpf_map_update_elem(inner_map, &key, &data, 0); + } else { + data = 1 + *val; + bpf_map_update_elem(inner_map, &key, &data, 0); + } + + return 0; + } +""" + b = BPF(text=bpf_text) + cntl_map = b.get_table("cntl") + ex1_map = b.get_table("ex1") + ex2_map = b.get_table("ex2") + hash_maps = b.get_table("maps_hash") + + hash_maps[ct.c_int(1)] = ct.c_int(ex1_map.get_fd()) + hash_maps[ct.c_int(2)] = ct.c_int(ex2_map.get_fd()) + + syscall_fnname = b.get_syscall_fnname("getuid") + b.attach_kprobe(event=syscall_fnname, fn_name="syscall__getuid") + + try: + ex1_map[ct.c_int(0)] + raise Exception("Unexpected success for ex1_map[0]") + except KeyError: + pass + + cntl_map[0] = ct.c_int(1) + os.getuid() + assert(ex1_map[ct.c_int(0)] >= 1) + + try: + ex2_map[ct.c_int(0)] + raise Exception("Unexpected success for ex2_map[0]") + except KeyError: + pass + + cntl_map[0] = ct.c_int(2) + os.getuid() + assert(ex2_map[ct.c_int(0)] >= 1) + + b.detach_kprobe(event=syscall_fnname) + del hash_maps[ct.c_int(1)] + del hash_maps[ct.c_int(2)] + + def test_array_table(self): + bpf_text = """ + BPF_ARRAY(cntl, int, 1); + BPF_ARRAY(ex1, int, 1024); + BPF_ARRAY(ex2, int, 1024); + BPF_ARRAY_OF_MAPS(maps_array, "ex1", 10); + + int syscall__getuid(void *ctx) { + int key = 0, data, *val, cntl_val; + void *inner_map; + + val = cntl.lookup(&key); + if (!val || *val == 0) + return 0; + + cntl_val = *val; + inner_map = maps_array.lookup(&cntl_val); + if (!inner_map) + return 0; + + val = bpf_map_lookup_elem(inner_map, &key); + if (val) { + data = 1 + *val; + bpf_map_update_elem(inner_map, &key, &data, 0); + } + + return 0; + } +""" + b = BPF(text=bpf_text) + cntl_map = b.get_table("cntl") + ex1_map = b.get_table("ex1") + ex2_map = b.get_table("ex2") + array_maps = b.get_table("maps_array") + + array_maps[ct.c_int(1)] = ct.c_int(ex1_map.get_fd()) + array_maps[ct.c_int(2)] = ct.c_int(ex2_map.get_fd()) + + syscall_fnname = b.get_syscall_fnname("getuid") + b.attach_kprobe(event=syscall_fnname, fn_name="syscall__getuid") + + cntl_map[0] = ct.c_int(1) + os.getuid() + assert(ex1_map[ct.c_int(0)] >= 1) + + cntl_map[0] = ct.c_int(2) + os.getuid() + assert(ex2_map[ct.c_int(0)] >= 1) + + b.detach_kprobe(event=syscall_fnname) + +if __name__ == "__main__": + main() From a1a04f49ac736bc0ddd341258b8a56f2a25d30c5 Mon Sep 17 00:00:00 2001 From: Aleksi Torhamo Date: Tue, 26 Nov 2019 09:49:52 +0200 Subject: [PATCH 151/228] Do not traverse attributes during JSON generation (Fixes #2605) Previously, __attribute__((aligned(sizeof(...)))) would cause the type inside sizeof() to be appended after the JSON type information for the struct in some clang versions, generating invalid JSON. Inhibit attribute traversal, since we only want to visit the fields. --- src/cc/json_map_decl_visitor.cc | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/cc/json_map_decl_visitor.cc b/src/cc/json_map_decl_visitor.cc index c7fe9b8c0..0b28aba81 100644 --- a/src/cc/json_map_decl_visitor.cc +++ b/src/cc/json_map_decl_visitor.cc @@ -43,6 +43,7 @@ class BMapDeclVisitor : public clang::RecursiveASTVisitor { bool VisitPointerType(const clang::PointerType *T); bool VisitEnumConstantDecl(clang::EnumConstantDecl *D); bool VisitEnumDecl(clang::EnumDecl *D); + bool VisitAttr(clang::Attr *A); private: bool shouldSkipPadding(const RecordDecl *D); @@ -183,6 +184,7 @@ bool BMapDeclVisitor::VisitBuiltinType(const BuiltinType *T) { result_ += "\""; return true; } +bool BMapDeclVisitor::VisitAttr(clang::Attr *A) { return false; } class JsonMapTypesVisitor : public virtual MapTypesVisitor { public: From 90f2086c8dd073792b0be382944440e3d0f1977f Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Wed, 27 Nov 2019 09:16:23 -0800 Subject: [PATCH 152/228] do not use BPF_F_REUSE_STACKID incorrectly Do not use BPF_F_REUSE_STACKID if the stack id is used together with process specific info like pid/tgid/comm. Using BPF_F_REUSE_STACKID may cause stack id pointing to a different stack later on. Signed-off-by: Yonghong Song --- tools/deadlock.c | 4 ++-- tools/memleak.py | 2 +- tools/old/profile.py | 4 ++-- tools/stackcount.py | 4 ++-- tools/stacksnoop.lua | 2 +- tools/trace.py | 4 ++-- tools/wakeuptime.py | 2 +- 7 files changed, 11 insertions(+), 11 deletions(-) diff --git a/tools/deadlock.c b/tools/deadlock.c index 82d22a834..a6a6d9155 100644 --- a/tools/deadlock.c +++ b/tools/deadlock.c @@ -95,7 +95,7 @@ int trace_mutex_acquire(struct pt_regs *ctx, void *mutex_addr) { } u64 stack_id = - stack_traces.get_stackid(ctx, BPF_F_USER_STACK | BPF_F_REUSE_STACKID); + stack_traces.get_stackid(ctx, BPF_F_USER_STACK); int added_mutex = 0; #pragma unroll @@ -190,7 +190,7 @@ int trace_clone(struct pt_regs *ctx, unsigned long flags, void *child_stack, struct thread_created_leaf_t thread_created_leaf = {}; thread_created_leaf.parent_pid = bpf_get_current_pid_tgid(); thread_created_leaf.stack_id = - stack_traces.get_stackid(ctx, BPF_F_USER_STACK | BPF_F_REUSE_STACKID); + stack_traces.get_stackid(ctx, BPF_F_USER_STACK); bpf_get_current_comm(&thread_created_leaf.comm, sizeof(thread_created_leaf.comm)); diff --git a/tools/memleak.py b/tools/memleak.py index fd08bc4d8..9fa6805c6 100755 --- a/tools/memleak.py +++ b/tools/memleak.py @@ -399,7 +399,7 @@ def run_command_get_pid(command): size_filter = "if (size > %d) return 0;" % max_size bpf_source = bpf_source.replace("SIZE_FILTER", size_filter) -stack_flags = "BPF_F_REUSE_STACKID" +stack_flags = "0" if not kernel_trace: stack_flags += "|BPF_F_USER_STACK" bpf_source = bpf_source.replace("STACK_FLAGS", stack_flags) diff --git a/tools/old/profile.py b/tools/old/profile.py index e6940e678..7c768f436 100755 --- a/tools/old/profile.py +++ b/tools/old/profile.py @@ -209,9 +209,9 @@ def positive_nonzero_int(val): # handle stack args kernel_stack_get = "stack_traces.get_stackid(args, " \ - "%d | BPF_F_REUSE_STACKID)" % skip + "%d)" % skip user_stack_get = \ - "stack_traces.get_stackid(args, BPF_F_REUSE_STACKID | BPF_F_USER_STACK)" + "stack_traces.get_stackid(args, BPF_F_USER_STACK)" stack_context = "" if args.user_stacks_only: stack_context = "user" diff --git a/tools/stackcount.py b/tools/stackcount.py index 6aec429fe..a58f9e316 100755 --- a/tools/stackcount.py +++ b/tools/stackcount.py @@ -110,14 +110,14 @@ def load(self): if self.user_stack: stack_trace += """ key.user_stack_id = stack_traces.get_stackid( - %s, BPF_F_REUSE_STACKID | BPF_F_USER_STACK + %s, BPF_F_USER_STACK );""" % (ctx_name) else: stack_trace += "key.user_stack_id = -1;" if self.kernel_stack: stack_trace += """ key.kernel_stack_id = stack_traces.get_stackid( - %s, BPF_F_REUSE_STACKID + %s, 0 );""" % (ctx_name) else: stack_trace += "key.kernel_stack_id = -1;" diff --git a/tools/stacksnoop.lua b/tools/stacksnoop.lua index 5bcef8c48..d8d79c794 100755 --- a/tools/stacksnoop.lua +++ b/tools/stacksnoop.lua @@ -32,7 +32,7 @@ void trace_stack(struct pt_regs *ctx) { u32 pid = bpf_get_current_pid_tgid(); FILTER struct data_t data = {}; - data.stack_id = stack_traces.get_stackid(ctx, BPF_F_REUSE_STACKID), + data.stack_id = stack_traces.get_stackid(ctx, 0), data.pid = pid; bpf_get_current_comm(&data.comm, sizeof(data.comm)); events.perf_submit(ctx, &data, sizeof(data)); diff --git a/tools/trace.py b/tools/trace.py index 1f4f5893c..0bd28613d 100755 --- a/tools/trace.py +++ b/tools/trace.py @@ -487,12 +487,12 @@ def generate_program(self, include_self): if self.user_stack: stack_trace += """ __data.user_stack_id = %s.get_stackid( - %s, BPF_F_REUSE_STACKID | BPF_F_USER_STACK + %s, BPF_F_USER_STACK );""" % (self.stacks_name, ctx_name) if self.kernel_stack: stack_trace += """ __data.kernel_stack_id = %s.get_stackid( - %s, BPF_F_REUSE_STACKID + %s, 0 );""" % (self.stacks_name, ctx_name) text = heading + """ diff --git a/tools/wakeuptime.py b/tools/wakeuptime.py index 18e70e480..a22245a7b 100755 --- a/tools/wakeuptime.py +++ b/tools/wakeuptime.py @@ -135,7 +135,7 @@ def signal_ignore(signal, frame): struct key_t key = {}; - key.w_k_stack_id = stack_traces.get_stackid(ctx, BPF_F_REUSE_STACKID); + key.w_k_stack_id = stack_traces.get_stackid(ctx, 0); bpf_probe_read(&key.target, sizeof(key.target), p->comm); bpf_get_current_comm(&key.waker, sizeof(key.waker)); From ea8bbbf942a1a4275d434c62db7adc6136fc72f4 Mon Sep 17 00:00:00 2001 From: uppinggoer Date: Fri, 29 Nov 2019 15:33:44 +0800 Subject: [PATCH 153/228] fix bug for lockstat.py #347 (#2618) fix bug for lockstat.py with map keys in stack instead of map value in order to run in older kernels. --- tools/lockstat.py | 15 +++++++++------ 1 file changed, 9 insertions(+), 6 deletions(-) diff --git a/tools/lockstat.py b/tools/lockstat.py index 07bff3ee5..320168a3e 100755 --- a/tools/lockstat.py +++ b/tools/lockstat.py @@ -271,13 +271,14 @@ def stack_id_err(stack_id): if (!stackid) return 0; + int stackid_ = *stackid; u64 cur = bpf_ktime_get_ns(); if (cur > *aq) { int val = cur - *aq; - update_aq_report_count(stackid); - update_aq_report_max(stackid, val); - update_aq_report_total(stackid, val); + update_aq_report_count(&stackid_); + update_aq_report_max(&stackid_, val); + update_aq_report_total(&stackid_, val); } time_held.update(&did, &cur); @@ -314,13 +315,15 @@ def stack_id_err(stack_id): if (!stackid) return 0; + + int stackid_ = *stackid; u64 cur = bpf_ktime_get_ns(); if (cur > *held) { u64 val = cur - *held; - update_hl_report_count(stackid); - update_hl_report_max(stackid, val); - update_hl_report_total(stackid, val); + update_hl_report_count(&stackid_); + update_hl_report_max(&stackid_, val); + update_hl_report_total(&stackid_, val); } stack.delete(&did); From feadea6d789f54e304e9c2f570ed87299e6f4e5e Mon Sep 17 00:00:00 2001 From: Masanori Misono Date: Sat, 30 Nov 2019 10:22:19 +0000 Subject: [PATCH 154/228] Support a BPF program larger than BPF_MAXINSNS A privileged user can load bpf program whose size is at most BPF_COMPLEXITY_LIMIT_INSNS (which is larger than BPF_MAXINSNS) in Linux 5.3 (https://github.com/torvalds/linux/commit/c04c0d2b968ac45d6ef020316808ef6c82325a82). Currently, however, `bcc_prog_load_xattr()` return error if a bpf program size is larger than BPF_MAXINSNS before loading the program. To cope with this, change the function so that first trying to load a bpf program and print an error message if bpf_program_load_xattr() fails with -E2BIG. This strategy is the same as libbpf's `load_program` (https://github.com/libbpf/libbpf/blob/9ef191ea7dca6815e75dab341f2f7a346d979c66/src/libbpf.c#L3792) The Error message should use BPF_COMPLEXITY_LIMIT_INSNS when appropriate, but it is not defined in uapi headers yet. Signed-off-by: Masanori Misono --- src/cc/libbpf.c | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index f7f0d4ce2..111f0195b 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -512,13 +512,6 @@ int bcc_prog_load_xattr(struct bpf_load_program_attr *attr, int prog_len, char prog_name[BPF_OBJ_NAME_LEN] = {}; unsigned insns_cnt = prog_len / sizeof(struct bpf_insn); - if (insns_cnt > BPF_MAXINSNS) { - errno = EINVAL; - fprintf(stderr, - "bpf: %s. Program %s too large (%u insns), at most %d insns\n\n", - strerror(errno), attr->name, insns_cnt, BPF_MAXINSNS); - return -1; - } attr->insns_cnt = insns_cnt; if (attr->log_level > 0) { @@ -596,6 +589,13 @@ int bcc_prog_load_xattr(struct bpf_load_program_attr *attr, int prog_len, } } + if (ret < 0 && errno == E2BIG) { + fprintf(stderr, + "bpf: %s. Program %s too large (%u insns), at most %d insns\n\n", + strerror(errno), attr->name, insns_cnt, BPF_MAXINSNS); + return -1; + } + // The load has failed. Handle log message. if (ret < 0) { // User has provided a log buffer. From 556d9ec9ca0c142d38b08c5d93420ab06df4e6e0 Mon Sep 17 00:00:00 2001 From: Aleksi Torhamo Date: Sun, 1 Dec 2019 07:10:38 +0200 Subject: [PATCH 155/228] Use integer types for enums in JSON (Fixes #2615) The JSON generated for enums wasn't being handled, and caused exceptions. Since the enum values aren't needed (and would've been useless without the associated numerical values, anyway), just use the matching integer type instead. --- src/cc/json_map_decl_visitor.cc | 17 +---------------- tests/python/test_clang.py | 1 + 2 files changed, 2 insertions(+), 16 deletions(-) diff --git a/src/cc/json_map_decl_visitor.cc b/src/cc/json_map_decl_visitor.cc index 0b28aba81..eff4d067f 100644 --- a/src/cc/json_map_decl_visitor.cc +++ b/src/cc/json_map_decl_visitor.cc @@ -41,7 +41,6 @@ class BMapDeclVisitor : public clang::RecursiveASTVisitor { bool VisitTypedefType(const clang::TypedefType *T); bool VisitTagType(const clang::TagType *T); bool VisitPointerType(const clang::PointerType *T); - bool VisitEnumConstantDecl(clang::EnumConstantDecl *D); bool VisitEnumDecl(clang::EnumDecl *D); bool VisitAttr(clang::Attr *A); @@ -93,22 +92,8 @@ bool BMapDeclVisitor::VisitFieldDecl(FieldDecl *D) { return true; } -bool BMapDeclVisitor::VisitEnumConstantDecl(EnumConstantDecl *D) { - result_ += "\""; - result_ += D->getName(); - result_ += "\","; - return false; -} - bool BMapDeclVisitor::VisitEnumDecl(EnumDecl *D) { - result_ += "[\""; - result_ += D->getName(); - result_ += "\", ["; - for (auto it = D->enumerator_begin(); it != D->enumerator_end(); ++it) { - TraverseDecl(*it); - } - result_.erase(result_.end() - 1); - result_ += "], \"enum\"]"; + TraverseType(D->getIntegerType()); return false; } diff --git a/tests/python/test_clang.py b/tests/python/test_clang.py index 7593af003..281b13db9 100755 --- a/tests/python/test_clang.py +++ b/tests/python/test_clang.py @@ -944,6 +944,7 @@ def test_enumerations(self): BPF_HASH(drops, struct a); """ b = BPF(text=text) + t = b['drops'] def test_int128_types(self): text = """ From e09116d3e777782cfdf1a129f8ca8f2981505fb2 Mon Sep 17 00:00:00 2001 From: Jiri Olsa Date: Fri, 29 Nov 2019 12:48:48 +0100 Subject: [PATCH 156/228] Use libbpf-static instead of libbpf-debugsource for CMAKE_USE_LIBBPF_PACKAGE Currently when building with CMAKE_USE_LIBBPF_PACKAGE we assume that 'source' package is available to build libbcc_bpf libraries. However It turned on that using debugsource (in Fedora) package is not suitable or even possible, so we are switching to use the libbpf-static package instead. Adding libbpf-static package detection and removing source package detection. Using ar to extract objects from archive and linking them with both libbcc_bpf.so and libbcc_bpf.a. Using always uapi headers from the latest libbpf Github repo, because there are not packaged, but they are backwards compatible, so it's no problem to have older libbpf package with newer uapi headers. Signed-off-by: Jiri Olsa --- cmake/FindLibBpf.cmake | 35 ++++++++++++++--------------------- src/cc/CMakeLists.txt | 8 +++++--- 2 files changed, 19 insertions(+), 24 deletions(-) diff --git a/cmake/FindLibBpf.cmake b/cmake/FindLibBpf.cmake index cc56bebb8..75683ae3d 100644 --- a/cmake/FindLibBpf.cmake +++ b/cmake/FindLibBpf.cmake @@ -3,21 +3,17 @@ # # LIBBPF_FOUND - system has libbpf # LIBBPF_INCLUDE_DIR - the libbpf include directory -# LIBBPF_SOURCE_DIR - the libbpf source directory +# LIBBPF_STATIC_LIBRARIES - the libbpf source directory # LIBBPF_LIBRARIES - link these to use libbpf -#if (LIBBPF_LIBRARIES AND LIBBPF_INCLUDE_DIR AND LIBBPF_SOURCE_DIR) +#if (LIBBPF_LIBRARIES AND LIBBPF_INCLUDE_DIR AND LIBBPF_STATIC_LIBRARIES) # set (LibBpf_FIND_QUIETLY TRUE) -#endif (LIBBPF_LIBRARIES AND LIBBPF_INCLUDE_DIR AND LIBBPF_SOURCE_DIR) +#endif (LIBBPF_LIBRARIES AND LIBBPF_INCLUDE_DIR AND LIBBPF_STATIC_LIBRARIES) # You'll need following packages to be installed (Fedora names): # libbpf -# libbpf-debugsource +# libbpf-static # libbpf-devel -# -# Please note that you might need to enable updates-debuginfo repo -# for debugsource package like: -# dnf install --enablerepo=updates-debuginfo libbpf-debugsource find_path (LIBBPF_INCLUDE_DIR NAMES @@ -32,19 +28,16 @@ find_path (LIBBPF_INCLUDE_DIR /sw/include ENV CPATH) -file(GLOB libbpf_source_path /usr/src/debug/libbpf-*) - -find_path (LIBBPF_SOURCE_DIR +find_library (LIBBPF_STATIC_LIBRARIES NAMES - src/bpf.c - src/bpf.h - src/libbpf.c - src/libbpf.h - + libbpf.a PATHS - ${libbpf_source_path} - ENV CPATH -) + /usr/lib + /usr/local/lib + /opt/local/lib + /sw/lib + ENV LIBRARY_PATH + ENV LD_LIBRARY_PATH) find_library (LIBBPF_LIBRARIES NAMES @@ -62,7 +55,7 @@ include (FindPackageHandleStandardArgs) # handle the QUIETLY and REQUIRED arguments and set LIBBPF_FOUND to TRUE if all listed variables are TRUE FIND_PACKAGE_HANDLE_STANDARD_ARGS(LibBpf "Please install the libbpf development package" LIBBPF_LIBRARIES - LIBBPF_SOURCE_DIR + LIBBPF_STATIC_LIBRARIES LIBBPF_INCLUDE_DIR) -mark_as_advanced(LIBBPF_INCLUDE_DIR LIBBPF_SOURCE_DIR LIBBPF_LIBRARIES) +mark_as_advanced(LIBBPF_INCLUDE_DIR LIBBPF_STATIC_LIBRARIES LIBBPF_LIBRARIES) diff --git a/src/cc/CMakeLists.txt b/src/cc/CMakeLists.txt index 757dbcbaf..c53c542f4 100644 --- a/src/cc/CMakeLists.txt +++ b/src/cc/CMakeLists.txt @@ -35,13 +35,15 @@ if(LIBBPF_FOUND) include_directories(${LIBBPF_INCLUDE_DIR}/bpf) - file(GLOB libbpf_sources "${LIBBPF_SOURCE_DIR}/src/*.c") - set(libbpf_uapi ${LIBBPF_SOURCE_DIR}/include/uapi/linux) + set(extract_dir ${CMAKE_CURRENT_BINARY_DIR}/libbpf_a_extract) + execute_process(COMMAND sh -c "mkdir -p ${extract_dir} && cd ${extract_dir} && ${CMAKE_AR} x ${LIBBPF_STATIC_LIBRARIES}") + file(GLOB libbpf_sources "${extract_dir}/*.o") else() file(GLOB libbpf_sources "libbpf/src/*.c") - set(libbpf_uapi libbpf/include/uapi/linux}) endif() +set(libbpf_uapi libbpf/include/uapi/linux}) + add_library(bpf-static STATIC libbpf.c perf_reader.c ${libbpf_sources}) set_target_properties(bpf-static PROPERTIES OUTPUT_NAME bcc_bpf) add_library(bpf-shared SHARED libbpf.c perf_reader.c ${libbpf_sources}) From 744b644e0d2677e0ffc774d8fefe63715670c455 Mon Sep 17 00:00:00 2001 From: Kenta Tada Date: Tue, 3 Dec 2019 13:08:56 +0900 Subject: [PATCH 157/228] man: fix the field of filetop In the man pages of filetop, the field of FILE is missing Signed-off-by: Kenta Tada --- man/man8/filetop.8 | 3 +++ 1 file changed, 3 insertions(+) diff --git a/man/man8/filetop.8 b/man/man8/filetop.8 index e70d908f9..68cb2042c 100644 --- a/man/man8/filetop.8 +++ b/man/man8/filetop.8 @@ -90,6 +90,9 @@ Total write Kbytes during interval. .TP T Type of file: R == regular, S == socket, O == other (pipe, etc). +.TP +FILE +Filename. .SH OVERHEAD Depending on the frequency of application reads and writes, overhead can become significant, in the worst case slowing applications by over 50%. Hopefully for From 0bca64555ab30b37d23f6898f2eec4528d4d4ec7 Mon Sep 17 00:00:00 2001 From: Kenta Tada Date: Tue, 3 Dec 2019 13:49:31 +0900 Subject: [PATCH 158/228] man: fix the explanation of filename Below filenames currently come from dentry->d_name.name * btrfsslower * ext4slower * fileslower * nfsslower * xfsslower * zfsslower Signed-off-by: Kenta Tada --- man/man8/btrfsslower.8 | 2 +- man/man8/ext4slower.8 | 2 +- man/man8/fileslower.8 | 2 +- man/man8/nfsslower.8 | 2 +- man/man8/xfsslower.8 | 2 +- man/man8/zfsslower.8 | 2 +- 6 files changed, 6 insertions(+), 6 deletions(-) diff --git a/man/man8/btrfsslower.8 b/man/man8/btrfsslower.8 index 9f0a89a64..a1ea106a2 100644 --- a/man/man8/btrfsslower.8 +++ b/man/man8/btrfsslower.8 @@ -81,7 +81,7 @@ accurate measure of the latency suffered by applications performing file system I/O, than to measure this down at the block device interface. .TP FILENAME -A cached kernel file name (comes from dentry->d_iname). +A cached kernel file name (comes from dentry->d_name.name). .TP ENDTIME_us Completion timestamp, microseconds (\-j only). diff --git a/man/man8/ext4slower.8 b/man/man8/ext4slower.8 index 7591f2847..a16bd5ef6 100644 --- a/man/man8/ext4slower.8 +++ b/man/man8/ext4slower.8 @@ -74,7 +74,7 @@ accurate measure of the latency suffered by applications performing file system I/O, than to measure this down at the block device interface. .TP FILENAME -A cached kernel file name (comes from dentry->d_iname). +A cached kernel file name (comes from dentry->d_name.name). .TP ENDTIME_us Completion timestamp, microseconds (\-j only). diff --git a/man/man8/fileslower.8 b/man/man8/fileslower.8 index 169013bdc..fe9124363 100644 --- a/man/man8/fileslower.8 +++ b/man/man8/fileslower.8 @@ -73,7 +73,7 @@ measure of the latency suffered by applications performing file system I/O, than to measure this down at the block device interface. .TP FILENAME -A cached kernel file name (comes from dentry->d_iname). +A cached kernel file name (comes from dentry->d_name.name). .SH OVERHEAD Depending on the frequency of application reads and writes, overhead can become severe, in the worst case slowing applications by 2x. In the best case, the diff --git a/man/man8/nfsslower.8 b/man/man8/nfsslower.8 index 19eb63597..22b36e3ec 100644 --- a/man/man8/nfsslower.8 +++ b/man/man8/nfsslower.8 @@ -83,7 +83,7 @@ Its a more accurate measure of the latency suffered by applications performing NFS read/write calls to a fileserver. .TP FILENAME -A cached kernel file name (comes from dentry->d_iname). +A cached kernel file name (comes from dentry->d_name.name). .TP ENDTIME_us Completion timestamp, microseconds (\-j only). diff --git a/man/man8/xfsslower.8 b/man/man8/xfsslower.8 index 533a70111..30ec32538 100644 --- a/man/man8/xfsslower.8 +++ b/man/man8/xfsslower.8 @@ -74,7 +74,7 @@ accurate measure of the latency suffered by applications performing file system I/O, than to measure this down at the block device interface. .TP FILENAME -A cached kernel file name (comes from dentry->d_iname). +A cached kernel file name (comes from dentry->d_name.name). .TP ENDTIME_us Completion timestamp, microseconds (\-j only). diff --git a/man/man8/zfsslower.8 b/man/man8/zfsslower.8 index 8f5c8cf33..d1e2f9c14 100644 --- a/man/man8/zfsslower.8 +++ b/man/man8/zfsslower.8 @@ -77,7 +77,7 @@ accurate measure of the latency suffered by applications performing file system I/O, than to measure this down at the block device interface. .TP FILENAME -A cached kernel file name (comes from dentry->d_iname). +A cached kernel file name (comes from dentry->d_name.name). .TP ENDTIME_us Completion timestamp, microseconds (\-j only). From 1f7b6cd3fdaec9a49b3534539044f31f6694ebe9 Mon Sep 17 00:00:00 2001 From: joelcollin Date: Tue, 3 Dec 2019 12:29:04 -0500 Subject: [PATCH 159/228] Correction to Usage text. --- tools/mysqld_qslower.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tools/mysqld_qslower.py b/tools/mysqld_qslower.py index 1518974a9..d867d70fd 100755 --- a/tools/mysqld_qslower.py +++ b/tools/mysqld_qslower.py @@ -21,7 +21,7 @@ # arguments def usage(): - print("USAGE: mysqld_latency PID [min_ms]") + print("USAGE: mysqld_qslower PID [min_ms]") exit() if len(sys.argv) < 2: usage() From b040635d86fa7eba195ec3f43f91a6f72806fb05 Mon Sep 17 00:00:00 2001 From: Jerome Marchand Date: Wed, 4 Dec 2019 15:11:20 +0100 Subject: [PATCH 160/228] man: fix a reference to runqlat in runqslower man page The runqslower man page obviously derived from the man page of runqlat. It seems that a reference to runqlat in the NAME section has been overlooked. --- man/man8/runqslower.8 | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/man/man8/runqslower.8 b/man/man8/runqslower.8 index 0baee64aa..2feef13fb 100644 --- a/man/man8/runqslower.8 +++ b/man/man8/runqslower.8 @@ -1,6 +1,6 @@ .TH runqslower 8 "2016-02-07" "USER COMMANDS" .SH NAME -runqlat \- Trace long process scheduling delays. +runqslower \- Trace long process scheduling delays. .SH SYNOPSIS .B runqslower [\-p PID] [min_us] .SH DESCRIPTION From 71f9c2a7469cc73bdba4b3b9f49991930ac572f9 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Wed, 4 Dec 2019 19:45:27 -0800 Subject: [PATCH 161/228] rename tool lockstat.py to klockstat.py The current lockstat.py is tracing three kernel functions mutex_lock_enter(), mutex_unlock_enter(), mutex_lock_return() for kernel locking statistics. There are some other efforts trying to get user lock stats by tracing e.g. pthread locking primitives. For example, Sasha Goldshtein's linux-tracing-workshop https://github.com/goldshtn/linux-tracing-workshop is referenced in bcc/docs/tutorial_bcc_python_developer.md. It has a tool called lockstat.py which traces pthread_mutex_init to collect some lock statistics for userspace locks. In bcc, in the past, we also had an effort to gather userspace lock statistics with the same name lockstat.py. https://github.com/iovisor/bcc/pull/1268 In the future, bcc could have a lockstat tool tracing userspace locks. So let us rename the current lockstat.py to klockstat.py to clearly express its scope. --- README.md | 2 +- man/man8/{lockstat.8 => klockstat.8} | 30 +++++++++---------- snapcraft/snapcraft.yaml | 4 +-- tests/python/test_tools_smoke.py | 4 +-- tools/{lockstat.py => klockstat.py} | 26 ++++++++-------- ...stat_example.txt => klockstat_example.txt} | 18 +++++------ 6 files changed, 42 insertions(+), 42 deletions(-) rename man/man8/{lockstat.8 => klockstat.8} (90%) rename tools/{lockstat.py => klockstat.py} (93%) rename tools/{lockstat_example.txt => klockstat_example.txt} (96%) diff --git a/README.md b/README.md index 8ff346413..90896113f 100644 --- a/README.md +++ b/README.md @@ -118,7 +118,7 @@ pair of .c and .py files, and some are directories of files. - tools/[hardirqs](tools/hardirqs.py): Measure hard IRQ (hard interrupt) event time. [Examples](tools/hardirqs_example.txt). - tools/[inject](tools/inject.py): Targeted error injection with call chain and predicates [Examples](tools/inject_example.txt). - tools/[killsnoop](tools/killsnoop.py): Trace signals issued by the kill() syscall. [Examples](tools/killsnoop_example.txt). -- tools/[lockstat](tools/lockstat.py): Traces kernel mutex lock events and display locks statistics. [Examples](tools/lockstat_example.txt). +- tools/[klockstat](tools/klockstat.py): Traces kernel mutex lock events and display locks statistics. [Examples](tools/klockstat_example.txt). - tools/[llcstat](tools/llcstat.py): Summarize CPU cache references and misses by process. [Examples](tools/llcstat_example.txt). - tools/[mdflush](tools/mdflush.py): Trace md flush events. [Examples](tools/mdflush_example.txt). - tools/[memleak](tools/memleak.py): Display outstanding memory allocations to find memory leaks. [Examples](tools/memleak_example.txt). diff --git a/man/man8/lockstat.8 b/man/man8/klockstat.8 similarity index 90% rename from man/man8/lockstat.8 rename to man/man8/klockstat.8 index 6d871f147..281097b38 100644 --- a/man/man8/lockstat.8 +++ b/man/man8/klockstat.8 @@ -1,10 +1,10 @@ -.TH lockstat 8 "2019-10-22" "USER COMMANDS" +.TH klockstat 8 "2019-10-22" "USER COMMANDS" .SH NAME -lockstat \- Traces kernel mutex lock events and display locks statistics. Uses Linux eBPF/bcc. +klockstat \- Traces kernel mutex lock events and display locks statistics. Uses Linux eBPF/bcc. .SH SYNOPSIS -.B lockstat [\-h] [\-i] [\-n] [\-s] [\-c] [\-S FIELDS] [\-p] [\-t] [\-d DURATION] +.B klockstat [\-h] [\-i] [\-n] [\-s] [\-c] [\-S FIELDS] [\-p] [\-t] [\-d DURATION] .SH DESCRIPTION -lockstats traces kernel mutex lock events and display locks statistics +klockstat traces kernel mutex lock events and display locks statistics and displays following data: Caller Avg Spin Count Max spin Total spin @@ -101,57 +101,57 @@ Change the number of unique stack traces that can be stored and displayed. .TP Sort lock acquired results on acquired count: # -.B lockstats -S acq_count +.B klockstat -S acq_count .TP Sort lock held results on total held time: # -.B lockstats -S hld_total +.B klockstat -S hld_total .TP Combination of above: # -.B lockstats -S acq_count,hld_total +.B klockstat -S acq_count,hld_total .TP Trace system wide: # -.B lockstats +.B klockstat .TP Trace for 5 seconds only: # -.B lockstats -d 5 +.B klockstat -d 5 .TP Display stats every 5 seconds # -.B lockstats -i 5 +.B klockstat -i 5 .TP Trace locks for PID 123: # -.B lockstats -p 123 +.B klockstat -p 123 .TP Trace locks for PID 321: # -.B lockstats -t 321 +.B klockstat -t 321 .TP Display stats only for lock callers with 'pipe_' substring # -.B lockstats -c pipe_ +.B klockstat -c pipe_ .TP Display 3 locks: # -.B lockstats -n 3 +.B klockstat -n 3 .TP Display 10 levels of stack for the most expensive lock: # -.B lockstats -n 1 -s 10 +.B klockstat -n 1 -s 10 Tracing lock events... Hit Ctrl-C to end. ^C diff --git a/snapcraft/snapcraft.yaml b/snapcraft/snapcraft.yaml index 09d71564a..d21baeb7d 100644 --- a/snapcraft/snapcraft.yaml +++ b/snapcraft/snapcraft.yaml @@ -151,8 +151,8 @@ apps: command: bcc-wrapper javathreads killsnoop: command: bcc-wrapper killsnoop - lockstat: - command: bcc-wrapper lockstat + klockstat: + command: bcc-wrapper klockstat llcstat: command: bcc-wrapper llcstat mdflush: diff --git a/tests/python/test_tools_smoke.py b/tests/python/test_tools_smoke.py index d220004c5..f9928e317 100755 --- a/tests/python/test_tools_smoke.py +++ b/tests/python/test_tools_smoke.py @@ -200,8 +200,8 @@ def test_killsnoop(self): self.run_with_int("killsnoop.py", kill=True) @skipUnless(kernel_version_ge(4,18), "requires kernel >= 4.18") - def test_lockstat(self): - self.run_with_int("lockstat.py") + def test_klockstat(self): + self.run_with_int("klockstat.py") @skipUnless(kernel_version_ge(4,9), "requires kernel >= 4.9") def test_llcstat(self): diff --git a/tools/lockstat.py b/tools/klockstat.py similarity index 93% rename from tools/lockstat.py rename to tools/klockstat.py index 320168a3e..343d4362c 100755 --- a/tools/lockstat.py +++ b/tools/klockstat.py @@ -1,8 +1,8 @@ #!/usr/bin/python # -# lockstats traces lock events and display locks statistics. +# klockstat traces lock events and display locks statistics. # -# USAGE: lockstats +# USAGE: klockstat # from __future__ import print_function @@ -16,17 +16,17 @@ from sys import stderr examples = """ - lockstats # trace system wide - lockstats -d 5 # trace for 5 seconds only - lockstats -i 5 # display stats every 5 seconds - lockstats -p 123 # trace locks for PID 123 - lockstats -t 321 # trace locks for PID 321 - lockstats -c pipe_ # display stats only for lock callers with 'pipe_' substring - lockstats -S acq_count # sort lock acquired results on acquired count - lockstats -S hld_total # sort lock held results on total held time - lockstats -S acq_count,hld_total # combination of above - lockstats -n 3 # display 3 locks - lockstats -s 3 # display 3 levels of stack + klockstat # trace system wide + klockstat -d 5 # trace for 5 seconds only + klockstat -i 5 # display stats every 5 seconds + klockstat -p 123 # trace locks for PID 123 + klockstat -t 321 # trace locks for PID 321 + klockstat -c pipe_ # display stats only for lock callers with 'pipe_' substring + klockstat -S acq_count # sort lock acquired results on acquired count + klockstat -S hld_total # sort lock held results on total held time + klockstat -S acq_count,hld_total # combination of above + klockstat -n 3 # display 3 locks + klockstat -s 3 # display 3 levels of stack """ # arg validation diff --git a/tools/lockstat_example.txt b/tools/klockstat_example.txt similarity index 96% rename from tools/lockstat_example.txt rename to tools/klockstat_example.txt index 3f51e31fa..eff6276d6 100644 --- a/tools/lockstat_example.txt +++ b/tools/klockstat_example.txt @@ -1,8 +1,8 @@ -Demonstrations of lockstat, the Linux eBPF/bcc version. +Demonstrations of klockstat, the Linux eBPF/bcc version. -lockstats traces kernel mutex lock events and display locks statistics +klockstat traces kernel mutex lock events and display locks statistics -# lockstat.py +# klockstat.py Tracing lock events... Hit Ctrl-C to end. ^C Caller Avg Spin Count Max spin Total spin @@ -50,7 +50,7 @@ lock stats in maps and processing them in the python part. An -i option can be used to display stats in interval (5 seconds in example below): -# lockstat.py -i 5 +# klockstat.py -i 5 Tracing lock events... Hit Ctrl-C to end. Caller Avg Spin Count Max spin Total spin @@ -73,7 +73,7 @@ Tracing lock events... Hit Ctrl-C to end. A -p option can be used to trace only selected process: -# lockstat.py -p 883 +# klockstat.py -p 883 Tracing lock events... Hit Ctrl-C to end. ^C Caller Avg Spin Count Max spin Total spin @@ -89,7 +89,7 @@ Tracing lock events... Hit Ctrl-C to end. A -c option can be used to display only callers with specific substring: -# lockstat.py -c pipe_ +# klockstat.py -c pipe_ Tracing lock events... Hit Ctrl-C to end. ^C Caller Avg Spin Count Max spin Total spin @@ -105,7 +105,7 @@ Tracing lock events... Hit Ctrl-C to end. An -n option can be used to display only specific number of callers: -# lockstat.py -n 3 +# klockstat.py -n 3 Tracing lock events... Hit Ctrl-C to end. ^C Caller Avg Spin Count Max spin Total spin @@ -121,7 +121,7 @@ Tracing lock events... Hit Ctrl-C to end. An -s option can be used to display number of callers backtrace entries: -# lockstat.py -n 1 -s 3 +# klockstat.py -n 1 -s 3 Tracing lock events... Hit Ctrl-C to end. ^C Caller Avg Spin Count Max spin Total spin @@ -139,7 +139,7 @@ Output can be sorted by using -S option on various fields, the acq_total will force the acquired table to be sorted on 'Total spin' column: -# lockstat.py -S acq_total +# klockstat.py -S acq_total Tracing lock events... Hit Ctrl-C to end. ^C Caller Avg Spin Count Max spin Total spin From e7ddcbcc5e939ac91e16b42fca303c31816590a5 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Thu, 5 Dec 2019 22:47:33 -0800 Subject: [PATCH 162/228] remove inproper usage of BPF_F_REUSE_STACKID in examples When the application bundles stack id with process specific info (like pid, comm, etc.), BPF_F_REUSE_STACKID should not be used as it may associate wrong stack with processes. This patch corrected several such uses in examples/ directory. Signed-off-by: Yonghong Song --- examples/lua/memleak.lua | 2 +- examples/lua/offcputime.lua | 2 +- examples/tracing/mallocstacks.py | 3 +-- examples/tracing/stacksnoop.py | 2 +- 4 files changed, 4 insertions(+), 5 deletions(-) diff --git a/examples/lua/memleak.lua b/examples/lua/memleak.lua index 99c15225f..1181b4ef1 100755 --- a/examples/lua/memleak.lua +++ b/examples/lua/memleak.lua @@ -113,7 +113,7 @@ return function(BPF, utils) size_filter = "if (size > %d) return 0;" % args.max_size end - local stack_flags = "BPF_F_REUSE_STACKID" + local stack_flags = "0" if args.pid then stack_flags = stack_flags .. "|BPF_F_USER_STACK" end diff --git a/examples/lua/offcputime.lua b/examples/lua/offcputime.lua index 6d23cd878..120226582 100755 --- a/examples/lua/offcputime.lua +++ b/examples/lua/offcputime.lua @@ -54,7 +54,7 @@ int oncpu(struct pt_regs *ctx, struct task_struct *prev) { // create map key u64 zero = 0, *val; struct key_t key = {}; - int stack_flags = BPF_F_REUSE_STACKID; + int stack_flags = 0; /* if (!(prev->flags & PF_KTHREAD)) diff --git a/examples/tracing/mallocstacks.py b/examples/tracing/mallocstacks.py index 31306a491..4b10e6c29 100755 --- a/examples/tracing/mallocstacks.py +++ b/examples/tracing/mallocstacks.py @@ -39,8 +39,7 @@ BPF_STACK_TRACE(stack_traces, """ + stacks + """); int alloc_enter(struct pt_regs *ctx, size_t size) { - int key = stack_traces.get_stackid(ctx, - BPF_F_USER_STACK|BPF_F_REUSE_STACKID); + int key = stack_traces.get_stackid(ctx, BPF_F_USER_STACK); if (key < 0) return 0; diff --git a/examples/tracing/stacksnoop.py b/examples/tracing/stacksnoop.py index 0ade2dbba..8a68e69b3 100755 --- a/examples/tracing/stacksnoop.py +++ b/examples/tracing/stacksnoop.py @@ -59,7 +59,7 @@ u32 pid = bpf_get_current_pid_tgid(); FILTER struct data_t data = {}; - data.stack_id = stack_traces.get_stackid(ctx, BPF_F_REUSE_STACKID), + data.stack_id = stack_traces.get_stackid(ctx, 0), data.pid = pid; bpf_get_current_comm(&data.comm, sizeof(data.comm)); events.perf_submit(ctx, &data, sizeof(data)); From 9ce7b7e9ff3c8f00950f15ed0f0c73b6fa4e1dcd Mon Sep 17 00:00:00 2001 From: tty5 Date: Wed, 4 Dec 2019 22:49:38 +0800 Subject: [PATCH 163/228] tools/trace.py: add process name filtering porting from opensnoop Signed-off-by: tty5 --- man/man8/trace.8 | 3 +++ tools/trace.py | 12 +++++++++--- tools/trace_example.txt | 14 ++++++++++++++ 3 files changed, 26 insertions(+), 3 deletions(-) diff --git a/man/man8/trace.8 b/man/man8/trace.8 index df3b978e7..dee087285 100644 --- a/man/man8/trace.8 +++ b/man/man8/trace.8 @@ -58,6 +58,9 @@ Print CPU id. \-c CGROUP_PATH Trace only functions in processes under CGROUP_PATH hierarchy. .TP +\-n NAME +Only print process names containing this name. +.TP \-B Treat argument of STRCMP helper as a binary value .TP diff --git a/tools/trace.py b/tools/trace.py index 0bd28613d..d5a5f50b1 100755 --- a/tools/trace.py +++ b/tools/trace.py @@ -58,7 +58,7 @@ def configure(cls, args): cls.build_id_enabled = args.sym_file_list is not None def __init__(self, probe, string_size, kernel_stack, user_stack, - cgroup_map_name): + cgroup_map_name, name): self.usdt = None self.streq_functions = "" self.raw_probe = probe @@ -73,7 +73,7 @@ def __init__(self, probe, string_size, kernel_stack, user_stack, self.probe_name = re.sub(r'[^A-Za-z0-9_]', '_', self.probe_name) self.cgroup_map_name = cgroup_map_name - + self.name = name # compiler can generate proper codes for function # signatures with "syscall__" prefix if self.is_syscall_kprobe: @@ -571,6 +571,8 @@ def print_event(self, bpf, cpu, data, size): # Cast as the generated structure type and display # according to the format string in the probe. event = ct.cast(data, ct.POINTER(self.python_struct)).contents + if self.name and bytes(self.name) not in event.comm: + return values = map(lambda i: getattr(event, "v%d" % i), range(0, len(self.values))) msg = self._format_message(bpf, event.tgid, values) @@ -649,6 +651,8 @@ class Tool(object): Trace the open syscall and print a default trace message when entered trace 'do_sys_open "%s", arg2' Trace the open syscall and print the filename being opened +trace 'do_sys_open "%s", arg2' -n main + Trace the open syscall and only print event that process names containing "main" trace 'sys_read (arg3 > 20000) "read %d bytes", arg3' Trace the read syscall and print a message for reads >20000 bytes trace 'r::do_sys_open "%llx", retval' @@ -725,6 +729,8 @@ def __init__(self): parser.add_argument("-c", "--cgroup-path", type=str, \ metavar="CGROUP_PATH", dest="cgroup_path", \ help="cgroup path") + parser.add_argument("-n", "--name", type=str, + help="only print process names containing this name") parser.add_argument("-B", "--bin_cmp", action="store_true", help="allow to use STRCMP with binary values") parser.add_argument('-s', "--sym_file_list", type=str, \ @@ -762,7 +768,7 @@ def _create_probes(self): self.probes.append(Probe( probe_spec, self.args.string_size, self.args.kernel_stack, self.args.user_stack, - self.cgroup_map_name)) + self.cgroup_map_name, self.args.name)) def _generate_program(self): self.program = """ diff --git a/tools/trace_example.txt b/tools/trace_example.txt index 156929f58..d50ff4962 100644 --- a/tools/trace_example.txt +++ b/tools/trace_example.txt @@ -50,6 +50,17 @@ The individual reads are visible, with the custom format message printed for each read. The parenthesized expression "(arg3 > 20000)" is a filter that is evaluated for each invocation of the probe before printing anything. +Process name filter is porting from tools/opensnoop + +# trace 'do_sys_open "%s", arg2' -UK -n out +PID TID COMM FUNC - +9557 9557 a.out do_sys_open temp.1 + do_sys_open+0x1 [kernel] + do_syscall_64+0x5b [kernel] + entry_SYSCALL_64_after_hwframe+0x44 [kernel] + __open_nocancel+0x7 [libc-2.17.so] + __libc_start_main+0xf5 [libc-2.17.so] + You can also trace user functions. For example, let's simulate the bashreadline script, which attaches to the readline function in bash and prints its return value, effectively snooping all bash shell input across the system: @@ -288,6 +299,7 @@ optional arguments: number of events to print before quitting -t, --timestamp print timestamp column (offset from trace start) -T, --time print time column + -n NAME, --name NAME only print process names containing this name -C, --print_cpu print CPU id -B, --bin_cmp allow to use STRCMP with binary values -K, --kernel-stack output kernel stack trace @@ -304,6 +316,8 @@ trace do_sys_open Trace the open syscall and print a default trace message when entered trace 'do_sys_open "%s", arg2' Trace the open syscall and print the filename being opened +trace 'do_sys_open "%s", arg2' -n main + Trace the open syscall and only print event that process names containing "main" trace 'sys_read (arg3 > 20000) "read %d bytes", arg3' Trace the read syscall and print a message for reads >20000 bytes trace 'r::do_sys_open "%llx", retval' From 5cf529eeb448fa5422f305727ee4be7d01ebf391 Mon Sep 17 00:00:00 2001 From: tty5 Date: Fri, 6 Dec 2019 17:52:56 +0800 Subject: [PATCH 164/228] tools/trace.py: add msg filter of event In the normal develop, will produce many event on the same tracepoint, like do_sys_open, a executable program will open many files but developer only has interesting on the specific file. So this filter will help developer to get their interesting msg Signed-off-by: tty5 --- man/man8/trace.8 | 3 +++ tools/trace.py | 11 +++++++++-- tools/trace_example.txt | 23 +++++++++++++++++++++++ 3 files changed, 35 insertions(+), 2 deletions(-) diff --git a/man/man8/trace.8 b/man/man8/trace.8 index dee087285..0b27dbd60 100644 --- a/man/man8/trace.8 +++ b/man/man8/trace.8 @@ -61,6 +61,9 @@ Trace only functions in processes under CGROUP_PATH hierarchy. \-n NAME Only print process names containing this name. .TP +\-f MSG_FILTER +Only print message of event containing this string. +.TP \-B Treat argument of STRCMP helper as a binary value .TP diff --git a/tools/trace.py b/tools/trace.py index d5a5f50b1..9afd6726b 100755 --- a/tools/trace.py +++ b/tools/trace.py @@ -58,7 +58,7 @@ def configure(cls, args): cls.build_id_enabled = args.sym_file_list is not None def __init__(self, probe, string_size, kernel_stack, user_stack, - cgroup_map_name, name): + cgroup_map_name, name, msg_filter): self.usdt = None self.streq_functions = "" self.raw_probe = probe @@ -74,6 +74,7 @@ def __init__(self, probe, string_size, kernel_stack, user_stack, self.probe_name) self.cgroup_map_name = cgroup_map_name self.name = name + self.msg_filter = msg_filter # compiler can generate proper codes for function # signatures with "syscall__" prefix if self.is_syscall_kprobe: @@ -576,6 +577,8 @@ def print_event(self, bpf, cpu, data, size): values = map(lambda i: getattr(event, "v%d" % i), range(0, len(self.values))) msg = self._format_message(bpf, event.tgid, values) + if self.msg_filter and bytes(self.msg_filter) not in msg: + return if Probe.print_time: time = strftime("%H:%M:%S") if Probe.use_localtime else \ Probe._time_off_str(event.timestamp_ns) @@ -653,6 +656,8 @@ class Tool(object): Trace the open syscall and print the filename being opened trace 'do_sys_open "%s", arg2' -n main Trace the open syscall and only print event that process names containing "main" +trace 'do_sys_open "%s", arg2' -f config + Trace the open syscall and print the filename being opened filtered by "config" trace 'sys_read (arg3 > 20000) "read %d bytes", arg3' Trace the read syscall and print a message for reads >20000 bytes trace 'r::do_sys_open "%llx", retval' @@ -731,6 +736,8 @@ def __init__(self): help="cgroup path") parser.add_argument("-n", "--name", type=str, help="only print process names containing this name") + parser.add_argument("-f", "--msg-filter", type=str, dest="msg_filter", + help="only print the msg of event containing this string") parser.add_argument("-B", "--bin_cmp", action="store_true", help="allow to use STRCMP with binary values") parser.add_argument('-s', "--sym_file_list", type=str, \ @@ -768,7 +775,7 @@ def _create_probes(self): self.probes.append(Probe( probe_spec, self.args.string_size, self.args.kernel_stack, self.args.user_stack, - self.cgroup_map_name, self.args.name)) + self.cgroup_map_name, self.args.name, self.args.msg_filter)) def _generate_program(self): self.program = """ diff --git a/tools/trace_example.txt b/tools/trace_example.txt index d50ff4962..eb6375079 100644 --- a/tools/trace_example.txt +++ b/tools/trace_example.txt @@ -50,6 +50,25 @@ The individual reads are visible, with the custom format message printed for each read. The parenthesized expression "(arg3 > 20000)" is a filter that is evaluated for each invocation of the probe before printing anything. +Event message filter is useful while you only interesting the specific event. +Like the program open thousands file and you only want to see the "temp" file +and print stack. + +# trace 'do_sys_open "%s", arg2' -UK -f temp +PID TID COMM FUNC - +9557 9557 a.out do_sys_open temp.1 + do_sys_open+0x1 [kernel] + do_syscall_64+0x5b [kernel] + entry_SYSCALL_64_after_hwframe+0x44 [kernel] + __open_nocancel+0x7 [libc-2.17.so] + __libc_start_main+0xf5 [libc-2.17.so] +9558 9558 a.out do_sys_open temp.2 + do_sys_open+0x1 [kernel] + do_syscall_64+0x5b [kernel] + entry_SYSCALL_64_after_hwframe+0x44 [kernel] + __open_nocancel+0x7 [libc-2.17.so] + __libc_start_main+0xf5 [libc-2.17.so] + Process name filter is porting from tools/opensnoop # trace 'do_sys_open "%s", arg2' -UK -n out @@ -300,6 +319,8 @@ optional arguments: -t, --timestamp print timestamp column (offset from trace start) -T, --time print time column -n NAME, --name NAME only print process names containing this name + -f MSG_FILTER, --msg-filter MSG_FILTER + only print message of event containing this string -C, --print_cpu print CPU id -B, --bin_cmp allow to use STRCMP with binary values -K, --kernel-stack output kernel stack trace @@ -318,6 +339,8 @@ trace 'do_sys_open "%s", arg2' Trace the open syscall and print the filename being opened trace 'do_sys_open "%s", arg2' -n main Trace the open syscall and only print event that process names containing "main" +trace 'do_sys_open "%s", arg2' -f config + Trace the open syscall and print the filename being opened filtered by "config" trace 'sys_read (arg3 > 20000) "read %d bytes", arg3' Trace the read syscall and print a message for reads >20000 bytes trace 'r::do_sys_open "%llx", retval' From f9f1050f0d61e56ed43df0f1338a30389bfcc2ba Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Tue, 10 Dec 2019 08:36:10 -0800 Subject: [PATCH 165/228] fix a compilation error with latest llvm 10 MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Two issues: First, the recent llvm commit "[Alignment][NFC] CreateMemSet use MaybeAlign" (https://reviews.llvm.org/D71213) changed IR/IRBuilder.h CreateMemSet() signature which caused the following compilation error: [ 16%] Building CXX object src/cc/frontends/b/CMakeFiles/b_frontend.dir/codegen_llvm.cc.o /home/yhs/work/bcc/src/cc/frontends/b/codegen_llvm.cc: In member function ‘virtual ebpf::StatusTuple ebpf::cc::CodegenLLVM::visit_table_index_expr_node(ebpf::cc::TableIndexExprNode*)’: /home/yhs/work/bcc/src/cc/frontends/b/codegen_llvm.cc:824:96: error: no matching function for call to ‘llvm::IRBuilder<>::CreateMemSet(llvm::Value*&, llvm::ConstantInt*, llvm::ConstantInt*, int)’ B.CreateMemSet(leaf_ptr, B.getInt8(0), B.getInt64(n->table_->leaf_id()->bit_width_ >> 3), 1); ^ .... /home/yhs/work/llvm-project/llvm/build/install/include/llvm/IR/IRBuilder.h:460:13: note: candidate: llvm::CallInst* llvm::IRBuilderBase::CreateMemSet(llvm::Value*, llvm::Value*, llvm::Value*, llvm::MaybeAlign, bool, llvm::MDNode*, llvm::MDNode*, llvm::MDNode*) CallInst *CreateMemSet(Value *Ptr, Value *Val, Value *Size, MaybeAlign Align, ^~~~~~~~~~~~ /home/yhs/work/llvm-project/llvm/build/install/include/llvm/IR/IRBuilder.h:460:13: note: no known conversion for argument 4 from ‘int’ to ‘llvm::MaybeAlign’ Second, the commit "[OpenMP][NFCI] Introduce llvm/IR/OpenMPConstants.h" (https://reviews.llvm.org/D69853) introduced a new library "FrontendOpenMP" which is used by clang Parser, and caused the following errors: [ 99%] Building CXX object tests/cc/CMakeFiles/test_libbcc.dir/test_hash_table.cc.o /home/yhs/work/llvm-project/llvm/build/install/lib/libclangParse.a(ParseOpenMP.cpp.o): In function `clang::Parser::ParseOpenMPDeclareReductionDirective(clang::AccessSpecifier)': ParseOpenMP.cpp:(.text._ZN5clang6Parser36ParseOpenMPDeclareReductionDirectiveENS_15AccessSpecifierE+0x86): undefined reference to `llvm::omp::getOpenMPDirectiveName(llvm::omp::Directive)' This patch fixed both issues and bcc can compile with latest llvm 10. --- cmake/clang_libs.cmake | 4 ++++ src/cc/frontends/b/codegen_llvm.cc | 8 ++++++++ 2 files changed, 12 insertions(+) diff --git a/cmake/clang_libs.cmake b/cmake/clang_libs.cmake index 5ebfaa541..c33b635cd 100644 --- a/cmake/clang_libs.cmake +++ b/cmake/clang_libs.cmake @@ -14,6 +14,10 @@ list(FIND LLVM_AVAILABLE_LIBS "LLVMCoroutines" _llvm_coroutines) if (${_llvm_coroutines} GREATER -1) list(APPEND llvm_raw_libs coroutines) endif() +list(FIND LLVM_AVAILABLE_LIBS "LLVMFrontendOpenMP" _llvm_frontendOpenMP) +if (${_llvm_frontendOpenMP} GREATER -1) + list(APPEND llvm_raw_libs frontendopenmp) +endif() if (${LLVM_PACKAGE_VERSION} VERSION_EQUAL 6 OR ${LLVM_PACKAGE_VERSION} VERSION_GREATER 6) list(APPEND llvm_raw_libs bpfasmparser) list(APPEND llvm_raw_libs bpfdisassembler) diff --git a/src/cc/frontends/b/codegen_llvm.cc b/src/cc/frontends/b/codegen_llvm.cc index 7753be91e..a69fdba92 100644 --- a/src/cc/frontends/b/codegen_llvm.cc +++ b/src/cc/frontends/b/codegen_llvm.cc @@ -821,7 +821,11 @@ StatusTuple CodegenLLVM::visit_table_index_expr_node(TableIndexExprNode *n) { // var Leaf leaf {0} Value *leaf_ptr = B.CreateBitCast( make_alloca(resolve_entry_stack(), leaf_type), B.getInt8PtrTy()); +#if LLVM_MAJOR_VERSION >= 10 + B.CreateMemSet(leaf_ptr, B.getInt8(0), B.getInt64(n->table_->leaf_id()->bit_width_ >> 3), MaybeAlign(1)); +#else B.CreateMemSet(leaf_ptr, B.getInt8(0), B.getInt64(n->table_->leaf_id()->bit_width_ >> 3), 1); +#endif // update(key, leaf) B.CreateCall(update_fn, vector({pseudo_map_fd, key_ptr, leaf_ptr, B.getInt64(BPF_NOEXIST)})); @@ -1003,7 +1007,11 @@ StatusTuple CodegenLLVM::visit_struct_variable_decl_stmt_node(StructVariableDecl B.CreateStore(const_null, ptr_a); } } else { +#if LLVM_MAJOR_VERSION >= 10 + B.CreateMemSet(ptr_a, B.getInt8(0), B.getInt64(decl->bit_width_ >> 3), MaybeAlign(1)); +#else B.CreateMemSet(ptr_a, B.getInt8(0), B.getInt64(decl->bit_width_ >> 3), 1); +#endif if (!n->init_.empty()) { for (auto it = n->init_.begin(); it != n->init_.end(); ++it) TRY2((*it)->accept(this)); From e6bd4edc389aa7876ba89dae48eb27d4e59687a2 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Mon, 9 Dec 2019 23:08:28 -0800 Subject: [PATCH 166/228] sync with latest libbpf sync with latest upstream libbpf version 0.0.6. --- introspection/CMakeLists.txt | 2 +- src/cc/compat/linux/virtual_bpf.h | 6 ++++++ src/cc/libbpf | 2 +- 3 files changed, 8 insertions(+), 2 deletions(-) diff --git a/introspection/CMakeLists.txt b/introspection/CMakeLists.txt index 88df6e84e..91eac43ce 100644 --- a/introspection/CMakeLists.txt +++ b/introspection/CMakeLists.txt @@ -8,6 +8,6 @@ include_directories(${CMAKE_SOURCE_DIR}/src/cc/libbpf/include/uapi) option(INSTALL_INTROSPECTION "Install BPF introspection tools" ON) add_executable(bps bps.c) -target_link_libraries(bps bpf-static) +target_link_libraries(bps bpf-static elf) install (TARGETS bps DESTINATION share/bcc/introspection) diff --git a/src/cc/compat/linux/virtual_bpf.h b/src/cc/compat/linux/virtual_bpf.h index f9f28e8eb..723bf1c9f 100644 --- a/src/cc/compat/linux/virtual_bpf.h +++ b/src/cc/compat/linux/virtual_bpf.h @@ -202,6 +202,8 @@ enum bpf_attach_type { BPF_CGROUP_GETSOCKOPT, BPF_CGROUP_SETSOCKOPT, BPF_TRACE_RAW_TP, + BPF_TRACE_FENTRY, + BPF_TRACE_FEXIT, __MAX_BPF_ATTACH_TYPE }; @@ -347,6 +349,9 @@ enum bpf_attach_type { /* Clone map from listener for newly accepted socket */ #define BPF_F_CLONE (1U << 9) +/* Enable memory-mapping BPF map */ +#define BPF_F_MMAPABLE (1U << 10) + /* flags for BPF_PROG_QUERY */ #define BPF_F_QUERY_EFFECTIVE (1U << 0) @@ -424,6 +429,7 @@ union bpf_attr { __aligned_u64 line_info; /* line info */ __u32 line_info_cnt; /* number of bpf_line_info records */ __u32 attach_btf_id; /* in-kernel BTF type id to attach to */ + __u32 attach_prog_fd; /* 0 to attach to vmlinux */ }; struct { /* anonymous struct used by BPF_OBJ_* commands */ diff --git a/src/cc/libbpf b/src/cc/libbpf index 4da243c17..ab067ed37 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 4da243c179771d01072e8b7d2d4b663bc2362e03 +Subproject commit ab067ed3710550c6d1b127aac6437f96f8f99447 From 368a5b0714961953f3e3f61607fa16cb71449c1b Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Tue, 10 Dec 2019 16:54:44 -0800 Subject: [PATCH 167/228] debian changelog for v0.12.0 tag the main changes from v0.11.0 to v0.12.0 tag: * Support for kernel up to 5.4 * klockstat tool to track kernel mutex lock statistics * cmake option CMAKE_USE_LIBBPF_PACKAGE to build a bcc shared library linking with distro libbpf_static.a * new map.lookup_or_try_init() API to remove hidden return in map.lookup_or_init() * BPF_ARRAY_OF_MAPS and BPF_HASH_OF_MAPS support * support symbol offset for uprobe in both C++ and python API, kprobe already has the support * bug fixes for trace.py, tcpretrans.py, runqslower.py, etc. Signed-off-by: Yonghong Song --- debian/changelog | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/debian/changelog b/debian/changelog index 82c58ceca..8728038f7 100644 --- a/debian/changelog +++ b/debian/changelog @@ -1,3 +1,18 @@ +bcc (0.12.0-1) unstable; urgency=low + + * Support for kernel up to 5.4 + * klockstat tool to track kernel mutex lock statistics + * cmake option CMAKE_USE_LIBBPF_PACKAGE to build a bcc shared library + linking with distro libbpf_static.a + * new map.lookup_or_try_init() API to remove hidden return in + map.lookup_or_init() + * BPF_ARRAY_OF_MAPS and BPF_HASH_OF_MAPS support + * support symbol offset for uprobe in both C++ and python API, + kprobe already has the support + * bug fixes for trace.py, tcpretrans.py, runqslower.py, etc. + + -- Yonghong Song Tue, 10 Dec 2019 17:00:00 +0000 + bcc (0.11.0-1) unstable; urgency=low * Support for kernel up to 5.3 From 2283996f0acd80c304541540570825da7fae77d9 Mon Sep 17 00:00:00 2001 From: Stefan Raspl Date: Wed, 11 Dec 2019 15:24:51 +0100 Subject: [PATCH 168/228] Fix s390 kprobes support Ever since Linux kernel commit aa0d6e70d, kprobes on s390 could no longer be found due to a change in symbol names. Symptom: $ ./tools/execsnoop.py cannot attach kprobe, probe entry may not exist [...] Signed-off-by: Stefan Raspl --- src/python/bcc/__init__.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/python/bcc/__init__.py b/src/python/bcc/__init__.py index ce9fa07c3..5d1c203f5 100644 --- a/src/python/bcc/__init__.py +++ b/src/python/bcc/__init__.py @@ -182,6 +182,8 @@ class BPF(object): b"__x32_compat_sys_", b"__ia32_compat_sys_", b"__arm64_sys_", + b"__s390x_sys_", + b"__s390_sys_", ] # BPF timestamps come from the monotonic clock. To be able to filter From 3106a82f2cbce9be7c31da44cd173c2ac88c7e21 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Felix=20Geisend=C3=B6rfer?= Date: Thu, 12 Dec 2019 16:41:09 +0800 Subject: [PATCH 169/228] fix -h output for --sort option This fixes a regression from c2b371d56b8bbaf9c7d01b88830193ecd1ee4e12 where the author forgot to update the help output. --- tools/filetop.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tools/filetop.py b/tools/filetop.py index 552367a98..dbe7a7da4 100755 --- a/tools/filetop.py +++ b/tools/filetop.py @@ -40,7 +40,7 @@ help="maximum rows to print, default 20") parser.add_argument("-s", "--sort", default="all", choices=["all", "reads", "writes", "rbytes", "wbytes"], - help="sort column, default rbytes") + help="sort column, default all") parser.add_argument("-p", "--pid", type=int, metavar="PID", dest="tgid", help="trace this PID only") parser.add_argument("interval", nargs="?", default=1, From 05a09ea981cc5ed5021b194c3b2e2ea32c55e4b5 Mon Sep 17 00:00:00 2001 From: Sevan Janiyan Date: Thu, 12 Dec 2019 14:27:34 +0000 Subject: [PATCH 170/228] Improve wording on how latency is measured --- man/man8/biolatency.8 | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/man/man8/biolatency.8 b/man/man8/biolatency.8 index 7aa3dd897..fe4da6b20 100644 --- a/man/man8/biolatency.8 +++ b/man/man8/biolatency.8 @@ -1,4 +1,4 @@ -.TH biolatency 8 "2015-08-20" "USER COMMANDS" +.TH biolatency 8 "2019-12-12" "USER COMMANDS" .SH NAME biolatency \- Summarize block device I/O latency as a histogram. .SH SYNOPSIS @@ -8,8 +8,8 @@ biolatency traces block device I/O (disk I/O), and records the distribution of I/O latency (time). This is printed as a histogram either on Ctrl-C, or after a given interval in seconds. -The latency of the disk I/O is measured from the issue to the device to its -completion. A \-Q option can be used to include time queued in the kernel. +The latency of disk I/O operations is measured from when requests are issued to the device +up to completion. A \-Q option can be used to include time queued in the kernel. This tool uses in-kernel eBPF maps for storing timestamps and the histogram, for efficiency. From c71394a9b6a5f6e98aef854ca5aa018a4ed733bf Mon Sep 17 00:00:00 2001 From: Marko Myllynen Date: Mon, 16 Dec 2019 11:35:25 +0200 Subject: [PATCH 171/228] klockstat: fix caller filter - args.caller needs to be bytes not string - clarify man page a bit --- man/man8/klockstat.8 | 2 +- tools/klockstat.py | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/man/man8/klockstat.8 b/man/man8/klockstat.8 index 281097b38..0a3167d1b 100644 --- a/man/man8/klockstat.8 +++ b/man/man8/klockstat.8 @@ -61,7 +61,7 @@ Print usage message. print summary at this interval (seconds) .TP \-c CALLER -print locks taken by given caller +print locks taken by given caller filter (e.g., pipe_) .TP \-S FIELDS sort data on specific columns defined by FIELDS string (by default the data is sorted by Max columns) diff --git a/tools/klockstat.py b/tools/klockstat.py index 343d4362c..aa9e7c0ab 100755 --- a/tools/klockstat.py +++ b/tools/klockstat.py @@ -363,7 +363,7 @@ def display(sort, maxs, totals, counts): stack = list(stack_traces.walk(k.value)) caller = b.ksym(stack[1], show_offset=True) - if (args.caller and caller.find(args.caller)): + if (args.caller and caller.find(args.caller.encode())): continue avg = totals[k].value / counts[k].value From 0aca2c71c9b9e6b3d3335b6df288ad01a09c3ed6 Mon Sep 17 00:00:00 2001 From: Paul Chaignon Date: Wed, 18 Dec 2019 16:44:46 +0100 Subject: [PATCH 172/228] Remove kretprobe__ prefix from program names Such prefixes are currently removed for kprobes, tracepoints, and raw tracepoints, but not for kretprobes. This commit removes it for kretprobe as well, for consistency. Signed-off-by: Paul Chaignon --- src/cc/libbpf.c | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index 111f0195b..138d9ee68 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -539,6 +539,8 @@ int bcc_prog_load_xattr(struct bpf_load_program_attr *attr, int prog_len, if (name_len) { if (strncmp(attr->name, "kprobe__", 8) == 0) name_offset = 8; + else if (strncmp(attr->name, "kretprobe__", 11) == 0) + name_offset = 11; else if (strncmp(attr->name, "tracepoint__", 12) == 0) name_offset = 12; else if (strncmp(attr->name, "raw_tracepoint__", 16) == 0) From b2aa29fa3269ec54b2c4d95a55559deb4c32b7b6 Mon Sep 17 00:00:00 2001 From: Alban Crequy Date: Mon, 16 Dec 2019 10:54:18 +0100 Subject: [PATCH 173/228] tools: cgroup filtering in execsnoop/opensnoop Add a new option --cgroupmap in execsnoop and opensnoop to only display results from processes that belong to one of the cgroups whose id, returned by bpf_get_current_cgroup_id(), is in a pinned BPF hash map. Examples of commands: # opensnoop --cgroupmap /sys/fs/bpf/test01 # execsnoop --cgroupmap /sys/fs/bpf/test01 Cgroup ids can be discovered in userspace by the system call name_to_handle_at(); an example of C program doing that is available in examples/cgroupid/cgroupid.c. More complete documentation is added in docs/filtering_by_cgroups.md The documentation is independent from Kubernetes. However, my goal is to use this feature in Kubernetes: I am preparing to use this in Inspektor Gadget to select specific Kubernetes pods, depending on a Kubernetes label selector. Kubernetes pods matching the label selector can come and go during the execution of the bcc tools; Inspektor Gadget is updating the BPF hash map used by the bcc tools accordingly. --- .gitignore | 1 + docs/filtering_by_cgroups.md | 65 ++++++++++++++++++++++ examples/cgroupid/Dockerfile | 16 ++++++ examples/cgroupid/Makefile | 2 + examples/cgroupid/cgroupid.c | 101 +++++++++++++++++++++++++++++++++++ tools/execsnoop.py | 25 +++++++++ tools/execsnoop_example.txt | 9 ++++ tools/opensnoop.py | 17 ++++++ tools/opensnoop_example.txt | 8 +++ 9 files changed, 244 insertions(+) create mode 100644 docs/filtering_by_cgroups.md create mode 100644 examples/cgroupid/Dockerfile create mode 100644 examples/cgroupid/Makefile create mode 100644 examples/cgroupid/cgroupid.c diff --git a/.gitignore b/.gitignore index 65a3946c5..9218b70c4 100644 --- a/.gitignore +++ b/.gitignore @@ -10,3 +10,4 @@ cmake-build-debug debian/**/*.log obj-x86_64-linux-gnu +examples/cgroupid/cgroupid diff --git a/docs/filtering_by_cgroups.md b/docs/filtering_by_cgroups.md new file mode 100644 index 000000000..1c711a240 --- /dev/null +++ b/docs/filtering_by_cgroups.md @@ -0,0 +1,65 @@ +# Demonstrations of filtering by cgroups + +Some tools have an option to filter by cgroup by referencing a pinned BPF hash +map managed externally. + +Examples of commands: + +``` +# ./opensnoop --cgroupmap /sys/fs/bpf/test01 +# ./execsnoop --cgroupmap /sys/fs/bpf/test01 +``` + +The commands above will only display results from processes that belong to one +of the cgroups whose id, returned by `bpf_get_current_cgroup_id()`, is in the +pinned BPF hash map. + +The BPF hash map can be created by: + +``` +# bpftool map create /sys/fs/bpf/test01 type hash key 8 value 8 entries 128 \ + name cgroupset flags 0 +``` + +To get a shell in a new cgroup, you can use: + +``` +# systemd-run --pty --unit test bash +``` + +The shell will be running in the cgroup +`/sys/fs/cgroup/unified/system.slice/test.service`. + +The cgroup id can be discovered using the `name_to_handle_at()` system call. In +the examples/cgroupid, you will find an example of program to get the cgroup +id. + +``` +# cd examples/cgroupid +# make +# ./cgroupid hex /sys/fs/cgroup/unified/system.slice/test.service +``` + +or, using Docker: + +``` +# cd examples/cgroupid +# docker build -t cgroupid . +# docker run --rm --privileged -v /sys/fs/cgroup:/sys/fs/cgroup \ + cgroupid cgroupid hex /sys/fs/cgroup/unified/system.slice/test.service +``` + +This prints the cgroup id as a hexadecimal string in the host endianness such +as `77 16 00 00 01 00 00 00`. + +``` +# FILE=/sys/fs/bpf/test01 +# CGROUPID_HEX="77 16 00 00 01 00 00 00" +# bpftool map update pinned $FILE key hex $CGROUPID_HEX value hex 00 00 00 00 00 00 00 00 any +``` + +Now that the shell started by systemd-run has its cgroup id in the BPF hash +map, bcc tools will display results from this shell. Cgroups can be added and +removed from the BPF hash map without restarting the bcc tool. + +This feature is useful for integrating bcc tools in external projects. diff --git a/examples/cgroupid/Dockerfile b/examples/cgroupid/Dockerfile new file mode 100644 index 000000000..ba056bb21 --- /dev/null +++ b/examples/cgroupid/Dockerfile @@ -0,0 +1,16 @@ +# builder image +FROM ubuntu:18.04 as builder +RUN apt-get update && \ +apt-get upgrade -y && \ +apt-get install -y --no-install-recommends \ + gcc build-essential && \ +apt-get purge --auto-remove && \ +apt-get clean + +ADD cgroupid.c /cgroupid.c +ADD Makefile /Makefile +RUN make + +# Main image +FROM amd64/alpine:3.8 as base +COPY --from=builder /cgroupid /bin diff --git a/examples/cgroupid/Makefile b/examples/cgroupid/Makefile new file mode 100644 index 000000000..3bd33ecd5 --- /dev/null +++ b/examples/cgroupid/Makefile @@ -0,0 +1,2 @@ +cgroupid: cgroupid.c + gcc -Wall -static -o cgroupid cgroupid.c diff --git a/examples/cgroupid/cgroupid.c b/examples/cgroupid/cgroupid.c new file mode 100644 index 000000000..0b5c62e33 --- /dev/null +++ b/examples/cgroupid/cgroupid.c @@ -0,0 +1,101 @@ +#define _GNU_SOURCE +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include +#include + +/* 67e9c74b8a873408c27ac9a8e4c1d1c8d72c93ff (4.5) */ +#ifndef CGROUP2_SUPER_MAGIC +#define CGROUP2_SUPER_MAGIC 0x63677270 +#endif + +struct cgid_file_handle +{ + //struct file_handle handle; + unsigned int handle_bytes; + int handle_type; + uint64_t cgid; +}; + +uint64_t get_cgroupid(const char *pathname) { + struct statfs fs; + int err; + struct cgid_file_handle *h; + int mount_id; + uint64_t ret; + + err = statfs(pathname, &fs); + if (err != 0) { + fprintf (stderr, "statfs on %s failed: %s\n", pathname, strerror(errno)); + exit(1); + } + + if ((fs.f_type != (typeof(fs.f_type)) CGROUP2_SUPER_MAGIC)) { + fprintf (stderr, "File %s is not on a cgroup2 mount.\n", pathname); + exit(1); + } + + h = malloc(sizeof(struct cgid_file_handle)); + if (!h) { + fprintf (stderr, "Cannot allocate memory.\n"); + exit(1); + } + + h->handle_bytes = 8; + err = name_to_handle_at(AT_FDCWD, pathname, (struct file_handle *)h, &mount_id, 0); + if (err != 0) { + fprintf (stderr, "name_to_handle_at failed: %s\n", strerror(errno)); + exit(1); + } + + if (h->handle_bytes != 8) { + fprintf (stderr, "Unexpected handle size: %d. \n", h->handle_bytes); + exit(1); + } + + ret = h->cgid; + free(h); + + return ret; +} + +void usage() { + fprintf (stderr, "Usage: cgroupid FORMAT FILE\n"); + fprintf (stderr, "Print the cgroup id of a cgroup2 directory.\n"); + fprintf (stderr, "Example: cgroupid print-hex /sys/fs/cgroup/unified/system.slice/test.service\n"); + fprintf (stderr, "\n"); + fprintf (stderr, "Format:\n"); + fprintf (stderr, " number print the cgroup id as a number\n"); + fprintf (stderr, " hex print the cgroup id as a hexadecimal, suitable for bpftool\n"); + fprintf (stderr, "\n"); +} + +int main(int argc, char **argv) { + uint64_t cgroupid; + int i; + + if (argc != 3 || (strcmp(argv[1], "number") != 0 && strcmp(argv[1], "hex"))) { + usage(); + exit(1); + } + + cgroupid = get_cgroupid(argv[2]); + + if (strcmp(argv[1], "number") == 0) + printf("%lu\n", cgroupid); + + if (strcmp(argv[1], "hex") == 0) { + for (i=0; i<8; i++) { + printf("%02x%s", ((unsigned char *)&cgroupid)[i], i == 7 ? "\n":" "); + } + } + return 0; +} diff --git a/tools/execsnoop.py b/tools/execsnoop.py index e5a049033..b8b269808 100755 --- a/tools/execsnoop.py +++ b/tools/execsnoop.py @@ -36,6 +36,7 @@ ./execsnoop -q # add "quotemarks" around arguments ./execsnoop -n main # only print command lines containing "main" ./execsnoop -l tpkg # only print command where arguments contains "tpkg" + ./opensnoop --cgroupmap ./mappath # only trace cgroups in this BPF map """ parser = argparse.ArgumentParser( description="Trace exec() syscalls", @@ -47,6 +48,8 @@ help="include timestamp on output") parser.add_argument("-x", "--fails", action="store_true", help="include failed exec()s") +parser.add_argument("--cgroupmap", + help="trace cgroups in this BPF map only") parser.add_argument("-q", "--quote", action="store_true", help="Add quotemarks (\") around arguments." ) @@ -84,6 +87,9 @@ int retval; }; +#if CGROUPSET +BPF_TABLE_PINNED("hash", u64, u64, cgroupset, 1024, "CGROUPPATH"); +#endif BPF_PERF_OUTPUT(events); static int __submit_arg(struct pt_regs *ctx, void *ptr, struct data_t *data) @@ -108,6 +114,13 @@ const char __user *const __user *__argv, const char __user *const __user *__envp) { +#if CGROUPSET + u64 cgroupid = bpf_get_current_cgroup_id(); + if (cgroupset.lookup(&cgroupid) == NULL) { + return 0; + } +#endif + // create data here and pass to submit_arg to save stack space (#555) struct data_t data = {}; struct task_struct *task; @@ -141,6 +154,13 @@ int do_ret_sys_execve(struct pt_regs *ctx) { +#if CGROUPSET + u64 cgroupid = bpf_get_current_cgroup_id(); + if (cgroupset.lookup(&cgroupid) == NULL) { + return 0; + } +#endif + struct data_t data = {}; struct task_struct *task; @@ -162,6 +182,11 @@ """ bpf_text = bpf_text.replace("MAXARG", args.max_args) +if args.cgroupmap: + bpf_text = bpf_text.replace('CGROUPSET', '1') + bpf_text = bpf_text.replace('CGROUPPATH', args.cgroupmap) +else: + bpf_text = bpf_text.replace('CGROUPSET', '0') if args.ebpf: print(bpf_text) exit() diff --git a/tools/execsnoop_example.txt b/tools/execsnoop_example.txt index 730687257..618bcf65e 100644 --- a/tools/execsnoop_example.txt +++ b/tools/execsnoop_example.txt @@ -77,6 +77,15 @@ python 3345086 4146419 0 /usr/local/bin/python /usr/local/bin/yum in yum 3345086 4146419 0 /usr/bin/yum install testpkg rpm 3345452 4146419 0 /bin/rpm -qa testpkg + +The --cgroupmap option filters based on a cgroup set. It is meant to be used +with an externally created map. + +# ./execsnoop --cgroupmap /sys/fs/bpf/test01 + +For more details, see docs/filtering_by_cgroups.md + + USAGE message: # ./execsnoop -h diff --git a/tools/opensnoop.py b/tools/opensnoop.py index 60d11c63d..6d1388b3c 100755 --- a/tools/opensnoop.py +++ b/tools/opensnoop.py @@ -35,6 +35,7 @@ ./opensnoop -n main # only print process names containing "main" ./opensnoop -e # show extended fields ./opensnoop -f O_WRONLY -f O_RDWR # only print calls for writing + ./opensnoop --cgroupmap ./mappath # only trace cgroups in this BPF map """ parser = argparse.ArgumentParser( description="Trace open() syscalls", @@ -50,6 +51,8 @@ help="trace this PID only") parser.add_argument("-t", "--tid", help="trace this TID only") +parser.add_argument("--cgroupmap", + help="trace cgroups in this BPF map only") parser.add_argument("-u", "--uid", help="trace this UID only") parser.add_argument("-d", "--duration", @@ -99,6 +102,9 @@ int flags; // EXTENDED_STRUCT_MEMBER }; +#if CGROUPSET +BPF_TABLE_PINNED("hash", u64, u64, cgroupset, 1024, "CGROUPPATH"); +#endif BPF_HASH(infotmp, u64, struct val_t); BPF_PERF_OUTPUT(events); @@ -113,6 +119,12 @@ PID_TID_FILTER UID_FILTER FLAGS_FILTER +#if CGROUPSET + u64 cgroupid = bpf_get_current_cgroup_id(); + if (cgroupset.lookup(&cgroupid) == NULL) { + return 0; + } +#endif if (bpf_get_current_comm(&val.comm, sizeof(val.comm)) == 0) { val.id = id; val.fname = filename; @@ -163,6 +175,11 @@ 'if (uid != %s) { return 0; }' % args.uid) else: bpf_text = bpf_text.replace('UID_FILTER', '') +if args.cgroupmap: + bpf_text = bpf_text.replace('CGROUPSET', '1') + bpf_text = bpf_text.replace('CGROUPPATH', args.cgroupmap) +else: + bpf_text = bpf_text.replace('CGROUPSET', '0') if args.flag_filter: bpf_text = bpf_text.replace('FLAGS_FILTER', 'if (!(flags & %d)) { return 0; }' % flag_filter_mask) diff --git a/tools/opensnoop_example.txt b/tools/opensnoop_example.txt index c504ba4ec..44f0e337d 100644 --- a/tools/opensnoop_example.txt +++ b/tools/opensnoop_example.txt @@ -182,6 +182,14 @@ PID COMM FD ERR FLAGS PATH 28051 sshd 7 0 00100001 /var/log/wtmp +The --cgroupmap option filters based on a cgroup set. It is meant to be used +with an externally created map. + +# ./opensnoop --cgroupmap /sys/fs/bpf/test01 + +For more details, see docs/filtering_by_cgroups.md + + USAGE message: # ./opensnoop -h From 8174c0ae5541d4c9b2b3a4d407d7ea527946b641 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Fri, 20 Dec 2019 19:14:01 -0800 Subject: [PATCH 174/228] sync with latest libbpf also add dependency of zlib in a couple of places as libbpf starts to use zlib directly. Signed-off-by: Yonghong Song --- introspection/CMakeLists.txt | 2 +- src/cc/CMakeLists.txt | 2 +- src/cc/libbpf | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/introspection/CMakeLists.txt b/introspection/CMakeLists.txt index 91eac43ce..a2cdb5f4d 100644 --- a/introspection/CMakeLists.txt +++ b/introspection/CMakeLists.txt @@ -8,6 +8,6 @@ include_directories(${CMAKE_SOURCE_DIR}/src/cc/libbpf/include/uapi) option(INSTALL_INTROSPECTION "Install BPF introspection tools" ON) add_executable(bps bps.c) -target_link_libraries(bps bpf-static elf) +target_link_libraries(bps bpf-static elf z) install (TARGETS bps DESTINATION share/bcc/introspection) diff --git a/src/cc/CMakeLists.txt b/src/cc/CMakeLists.txt index c53c542f4..03af23194 100644 --- a/src/cc/CMakeLists.txt +++ b/src/cc/CMakeLists.txt @@ -91,7 +91,7 @@ if(ENABLE_USDT) endif() add_library(bcc-loader-static STATIC ${bcc_sym_sources} ${bcc_util_sources}) -target_link_libraries(bcc-loader-static elf) +target_link_libraries(bcc-loader-static elf z) add_library(bcc-static STATIC ${bcc_common_sources} ${bcc_table_sources} ${bcc_util_sources} ${bcc_usdt_sources} ${bcc_sym_sources} ${bcc_util_sources}) set_target_properties(bcc-static PROPERTIES OUTPUT_NAME bcc) diff --git a/src/cc/libbpf b/src/cc/libbpf index ab067ed37..e7a82fc03 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit ab067ed3710550c6d1b127aac6437f96f8f99447 +Subproject commit e7a82fc0330f1189797d16b03fc6391475d79c6d From 8bb4e473bac87e65c9aaa51c9e90e2f98bb25acc Mon Sep 17 00:00:00 2001 From: Alban Crequy Date: Sat, 21 Dec 2019 16:09:53 +0100 Subject: [PATCH 175/228] tools/trace.py: flush stdout for each event --- tools/trace.py | 2 ++ 1 file changed, 2 insertions(+) diff --git a/tools/trace.py b/tools/trace.py index 9afd6726b..8b2ca3587 100755 --- a/tools/trace.py +++ b/tools/trace.py @@ -604,6 +604,7 @@ def print_event(self, bpf, cpu, data, size): if Probe.max_events is not None and \ Probe.event_count >= Probe.max_events: exit() + sys.stdout.flush() def attach(self, bpf, verbose): if len(self.library) == 0: @@ -843,6 +844,7 @@ def _main_loop(self): print("%-7s %-7s %-15s %-16s %s" % ("PID", "TID", "COMM", "FUNC", "-" if not all_probes_trivial else "")) + sys.stdout.flush() while True: self.bpf.perf_buffer_poll() From 977a7e3a568c4c929fabeb4a025528d9b6f1e84c Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Mon, 23 Dec 2019 15:53:45 -0800 Subject: [PATCH 176/228] change version.cmake to check all tags Fix issue #2666 Currently, in master where latest tag is v0.12.0, the build still says is it v0.11.0. [ben@centos bcc]$ cd build/ [ben@centos build]$ cmake .. -DCMAKE_INSTALL_PREFIX=/usr -- Latest recognized Git tag is v0.11.0 The reason is the git_describe by default only checks annotated tag while tag v0.12.0 is tagged through github release process which just tags whatever the top of the master. Making git_describe to check all tags fixed the issue. Signed-off-by: Yonghong Song --- cmake/version.cmake | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/cmake/version.cmake b/cmake/version.cmake index fb00408a9..11db6cd23 100644 --- a/cmake/version.cmake +++ b/cmake/version.cmake @@ -4,7 +4,7 @@ if(NOT REVISION) get_git_head_revision(GIT_REFSPEC GIT_SHA1) string(SUBSTRING "${GIT_SHA1}" 0 8 GIT_SHA1_SHORT) git_describe(GIT_DESCRIPTION) - git_describe(GIT_TAG_LAST "--abbrev=0") + git_describe(GIT_TAG_LAST "--abbrev=0" "--tags") git_get_exact_tag(GIT_TAG_EXACT) string(SUBSTRING "${GIT_TAG_LAST}-${GIT_SHA1_SHORT}" 1 -1 REVISION) if(GIT_TAG_EXACT) From 4f0a887a1530c716190454b824a7f003fde8b9e8 Mon Sep 17 00:00:00 2001 From: Paul Chaignon Date: Fri, 27 Dec 2019 19:24:49 +0100 Subject: [PATCH 177/228] man: fix required kernel version in man pages Several man pages state that Linux 4.5 is required because the tool relies on the bpf_perf_event_output helper. However, bpf_perf_event_output was introduced in Linux 4.4. In addition, mountsnoop requires Linux 4.8 because it now uses the bpf_get_current_task helper. Signed-off-by: Paul Chaignon --- man/man8/bashreadline.8 | 4 ++-- man/man8/biosnoop.8 | 4 ++-- man/man8/drsnoop.8 | 4 ++-- man/man8/filelife.8 | 4 ++-- man/man8/gethostlatency.8 | 4 ++-- man/man8/killsnoop.8 | 4 ++-- man/man8/mountsnoop.8 | 2 +- man/man8/opensnoop.8 | 4 ++-- man/man8/statsnoop.8 | 4 ++-- man/man8/syncsnoop.8 | 4 ++-- 10 files changed, 19 insertions(+), 19 deletions(-) diff --git a/man/man8/bashreadline.8 b/man/man8/bashreadline.8 index 185598aa9..bc68a491c 100644 --- a/man/man8/bashreadline.8 +++ b/man/man8/bashreadline.8 @@ -10,8 +10,8 @@ entered command may fail: this is just showing what was entered. This program is also a basic example of eBPF/bcc and uprobes. -This makes use of a Linux 4.5 feature (bpf_perf_event_output()); -for kernels older than 4.5, see the version under tools/old, +This makes use of a Linux 4.4 feature (bpf_perf_event_output()); +for kernels older than 4.4, see the version under tools/old, which uses an older mechanism Since this uses BPF, only the root user can use this tool. diff --git a/man/man8/biosnoop.8 b/man/man8/biosnoop.8 index 2a41348cd..4c073f76e 100644 --- a/man/man8/biosnoop.8 +++ b/man/man8/biosnoop.8 @@ -15,8 +15,8 @@ request, as well as a starting timestamp for calculating I/O latency. This works by tracing various kernel blk_*() functions using dynamic tracing, and will need updating to match any changes to these functions. -This makes use of a Linux 4.5 feature (bpf_perf_event_output()); -for kernels older than 4.5, see the version under tools/old, +This makes use of a Linux 4.4 feature (bpf_perf_event_output()); +for kernels older than 4.4, see the version under tools/old, which uses an older mechanism Since this uses BPF, only the root user can use this tool. diff --git a/man/man8/drsnoop.8 b/man/man8/drsnoop.8 index 98e27e56f..c4ba2686b 100644 --- a/man/man8/drsnoop.8 +++ b/man/man8/drsnoop.8 @@ -11,8 +11,8 @@ esses or not. This works by tracing the direct reclaim events using kernel tracepoints. -This makes use of a Linux 4.5 feature (bpf_perf_event_output()); -for kernels older than 4.5, see the version under tools/old, +This makes use of a Linux 4.4 feature (bpf_perf_event_output()); +for kernels older than 4.4, see the version under tools/old, which uses an older mechanism. Since this uses BPF, only the root user can use this tool. diff --git a/man/man8/filelife.8 b/man/man8/filelife.8 index 1e4e423ee..9495d4e28 100644 --- a/man/man8/filelife.8 +++ b/man/man8/filelife.8 @@ -13,8 +13,8 @@ This works by tracing the kernel vfs_create() and vfs_delete() functions (and maybe more, see the source) using dynamic tracing, and will need updating to match any changes to these functions. -This makes use of a Linux 4.5 feature (bpf_perf_event_output()); -for kernels older than 4.5, see the version under tools/old, +This makes use of a Linux 4.4 feature (bpf_perf_event_output()); +for kernels older than 4.4, see the version under tools/old, which uses an older mechanism. Since this uses BPF, only the root user can use this tool. diff --git a/man/man8/gethostlatency.8 b/man/man8/gethostlatency.8 index c5a53303b..a9d18e072 100644 --- a/man/man8/gethostlatency.8 +++ b/man/man8/gethostlatency.8 @@ -11,8 +11,8 @@ latency of the call (duration) in milliseconds, and the host string. This tool can be useful for identifying DNS latency, by identifying which remote host name lookups were slow, and by how much. -This makes use of a Linux 4.5 feature (bpf_perf_event_output()); -for kernels older than 4.5, see the version under tools/old, +This makes use of a Linux 4.4 feature (bpf_perf_event_output()); +for kernels older than 4.4, see the version under tools/old, which uses an older mechanism This tool currently uses dynamic tracing of user-level functions and registers, diff --git a/man/man8/killsnoop.8 b/man/man8/killsnoop.8 index b7048ed75..b90162f0d 100644 --- a/man/man8/killsnoop.8 +++ b/man/man8/killsnoop.8 @@ -11,8 +11,8 @@ is sending signals. This works by tracing the kernel sys_kill() function using dynamic tracing, and will need updating to match any changes to this function. -This makes use of a Linux 4.5 feature (bpf_perf_event_output()); -for kernels older than 4.5, see the version under tools/old, +This makes use of a Linux 4.4 feature (bpf_perf_event_output()); +for kernels older than 4.4, see the version under tools/old, which uses an older mechanism. Since this uses BPF, only the root user can use this tool. diff --git a/man/man8/mountsnoop.8 b/man/man8/mountsnoop.8 index 450301a00..01efdf9c9 100644 --- a/man/man8/mountsnoop.8 +++ b/man/man8/mountsnoop.8 @@ -11,7 +11,7 @@ useful for troubleshooting system and container setup. This works by tracing the kernel sys_mount() and sys_umount() functions using dynamic tracing, and will need updating to match any changes to this function. -This makes use of a Linux 4.4 feature (bpf_perf_event_output()). +This makes use of a Linux 4.8 feature (bpf_get_current_task()). Since this uses BPF, only the root user can use this tool. .SH REQUIREMENTS diff --git a/man/man8/opensnoop.8 b/man/man8/opensnoop.8 index 37b40a471..874332d47 100644 --- a/man/man8/opensnoop.8 +++ b/man/man8/opensnoop.8 @@ -13,8 +13,8 @@ on startup. This works by tracing the kernel sys_open() function using dynamic tracing, and will need updating to match any changes to this function. -This makes use of a Linux 4.5 feature (bpf_perf_event_output()); -for kernels older than 4.5, see the version under tools/old, +This makes use of a Linux 4.4 feature (bpf_perf_event_output()); +for kernels older than 4.4, see the version under tools/old, which uses an older mechanism. Since this uses BPF, only the root user can use this tool. diff --git a/man/man8/statsnoop.8 b/man/man8/statsnoop.8 index 00921d69e..c0555043a 100644 --- a/man/man8/statsnoop.8 +++ b/man/man8/statsnoop.8 @@ -12,8 +12,8 @@ applications that are failing, especially on startup. This works by tracing various kernel sys_stat() functions using dynamic tracing, and will need updating to match any changes to these functions. -This makes use of a Linux 4.5 feature (bpf_perf_event_output()); -for kernels older than 4.5, see the version under tools/old, +This makes use of a Linux 4.4 feature (bpf_perf_event_output()); +for kernels older than 4.4, see the version under tools/old, which uses an older mechanism. Since this uses BPF, only the root user can use this tool. diff --git a/man/man8/syncsnoop.8 b/man/man8/syncsnoop.8 index 3d4c8c4f4..8543f213e 100644 --- a/man/man8/syncsnoop.8 +++ b/man/man8/syncsnoop.8 @@ -11,8 +11,8 @@ be useful to know if they are happening and how frequently. This works by tracing the kernel sys_sync() function using dynamic tracing, and will need updating to match any changes to this function. -This makes use of a Linux 4.5 feature (bpf_perf_event_output()); -for kernels older than 4.5, see the version under tools/old, +This makes use of a Linux 4.4 feature (bpf_perf_event_output()); +for kernels older than 4.4, see the version under tools/old, which uses an older mechanism. This program is also a basic example of eBPF/bcc. From df591fb5970392359b860945b754d6c7cfce1d2e Mon Sep 17 00:00:00 2001 From: Caspar Zhang Date: Mon, 30 Dec 2019 06:20:53 +0800 Subject: [PATCH 178/228] fix libbpf_uapi path typo A typo occured in libbpf_uapi path from src/cc/CMakeLists.txt which made compat linux uapi headers failed to copy. Signed-off-by: Caspar Zhang --- src/cc/CMakeLists.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/cc/CMakeLists.txt b/src/cc/CMakeLists.txt index 03af23194..c3e7d58fe 100644 --- a/src/cc/CMakeLists.txt +++ b/src/cc/CMakeLists.txt @@ -42,7 +42,7 @@ else() file(GLOB libbpf_sources "libbpf/src/*.c") endif() -set(libbpf_uapi libbpf/include/uapi/linux}) +set(libbpf_uapi libbpf/include/uapi/linux/) add_library(bpf-static STATIC libbpf.c perf_reader.c ${libbpf_sources}) set_target_properties(bpf-static PROPERTIES OUTPUT_NAME bcc_bpf) From dc336aa42dee99e3b38b8c760c39cc8fafe9deca Mon Sep 17 00:00:00 2001 From: Ivan Babrou Date: Mon, 30 Dec 2019 11:47:58 -0800 Subject: [PATCH 179/228] Package static archives, closes #1938 This should help embed libbcc into bpftrace: * https://github.com/iovisor/bpftrace/issues/342 As well as other tools like ebpf_exporter, so that there is no longer a requirement to have a particular version libbcc installed. --- src/cc/CMakeLists.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/cc/CMakeLists.txt b/src/cc/CMakeLists.txt index c3e7d58fe..cc8b769b9 100644 --- a/src/cc/CMakeLists.txt +++ b/src/cc/CMakeLists.txt @@ -142,7 +142,7 @@ if(LIBBPF_FOUND) install(TARGETS bcc-shared-no-libbpf LIBRARY DESTINATION ${CMAKE_INSTALL_LIBDIR}) endif() -install(TARGETS bcc-shared LIBRARY DESTINATION ${CMAKE_INSTALL_LIBDIR}) +install(TARGETS bcc-shared bcc-static bcc-loader-static bpf-static LIBRARY DESTINATION ${CMAKE_INSTALL_LIBDIR} ARCHIVE DESTINATION ${CMAKE_INSTALL_LIBDIR}) install(FILES ${bcc_table_headers} DESTINATION include/bcc) install(FILES ${bcc_api_headers} DESTINATION include/bcc) install(DIRECTORY ${libbpf_uapi} DESTINATION include/bcc/compat/linux FILES_MATCHING PATTERN "*.h") From 5098c9dd2538d6256a10f1a67a36ebc867549e7f Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Thu, 2 Jan 2020 09:20:07 -0800 Subject: [PATCH 180/228] fix test_map_in_map.cc compilation error fix issue #2679 where test_map_in_map.cc has a compilation error on ppc64le due to conflicting type __u64. Let us just remove the typedef. Signed-off-by: Yonghong Song --- tests/cc/test_map_in_map.cc | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/tests/cc/test_map_in_map.cc b/tests/cc/test_map_in_map.cc index 76c07f77f..f8c1a0b66 100644 --- a/tests/cc/test_map_in_map.cc +++ b/tests/cc/test_map_in_map.cc @@ -22,7 +22,6 @@ #include "catch.hpp" #if LINUX_VERSION_CODE >= KERNEL_VERSION(4, 11, 0) -typedef unsigned long long __u64; TEST_CASE("test hash of maps", "[hash_of_maps]") { { @@ -67,7 +66,7 @@ TEST_CASE("test hash of maps", "[hash_of_maps]") { auto t = bpf.get_map_in_map_table("maps_hash"); auto ex1_table = bpf.get_array_table("ex1"); auto ex2_table = bpf.get_array_table("ex2"); - auto ex3_table = bpf.get_array_table<__u64>("ex3"); + auto ex3_table = bpf.get_array_table("ex3"); int ex1_fd = ex1_table.get_fd(); int ex2_fd = ex2_table.get_fd(); int ex3_fd = ex3_table.get_fd(); @@ -162,7 +161,8 @@ TEST_CASE("test array of maps", "[array_of_maps]") { auto t = bpf.get_map_in_map_table("maps_array"); auto ex1_table = bpf.get_hash_table("ex1"); auto ex2_table = bpf.get_hash_table("ex2"); - auto ex3_table = bpf.get_hash_table<__u64, __u64>("ex3"); + auto ex3_table = + bpf.get_hash_table("ex3"); int ex1_fd = ex1_table.get_fd(); int ex2_fd = ex2_table.get_fd(); int ex3_fd = ex3_table.get_fd(); From e47f9d0294a23fe125e577a5649c936ea7d6f814 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Thu, 2 Jan 2020 15:09:43 -0800 Subject: [PATCH 181/228] sanitize btf VAR and DATASEC types bcc does not use these types yet. Let us sanitize them with int/void-pointer types so old kernels can continue to work with latest llvm compiler. Signed-off-by: Yonghong Song --- src/cc/bcc_btf.cc | 56 +++++++++++++++++++++++++---------------------- 1 file changed, 30 insertions(+), 26 deletions(-) diff --git a/src/cc/bcc_btf.cc b/src/cc/bcc_btf.cc index f7773fd4d..a136e841b 100644 --- a/src/cc/bcc_btf.cc +++ b/src/cc/bcc_btf.cc @@ -70,15 +70,11 @@ void BTF::warning(const char *format, ...) { va_end(args); } -// Adjust datasec types. The compiler is not able to determine -// the datasec size, so we need to set the value properly based -// on actual section size. void BTF::fixup_datasec(uint8_t *type_sec, uintptr_t type_sec_size, char *strings) { uint8_t *next_type = type_sec; uint8_t *end_type = type_sec + type_sec_size; int base_size = sizeof(struct btf_type); - char *secname; while (next_type < end_type) { struct btf_type *t = (struct btf_type *)next_type; @@ -111,31 +107,39 @@ void BTF::fixup_datasec(uint8_t *type_sec, uintptr_t type_sec_size, case BTF_KIND_FUNC_PROTO: next_type += vlen * sizeof(struct btf_param); break; - case BTF_KIND_VAR: + case BTF_KIND_VAR: { + // BTF_KIND_VAR is not used by bcc, so + // a sanitization to convert it to an int. + // One extra __u32 after btf_type. + if (sizeof(struct btf_var) == 4) { + t->name_off = 0; + t->info = BTF_KIND_INT << 24; + t->size = 4; + + unsigned *intp = (unsigned *)next_type; + *intp = BTF_INT_BITS(t->size << 3); + } + next_type += sizeof(struct btf_var); break; + } case BTF_KIND_DATASEC: { - secname = strings + t->name_off; - if (sections_.find(secname) != sections_.end()) { - t->size = std::get<1>(sections_[secname]); - } - // For section name, the kernel does not accept '/'. - // So change DataSec name here to please the kenerl - // as we do not really use DataSec yet. - // This change can be removed if the kernel is - // changed to accpet '/' in section names. - if (strncmp(strings + t->name_off, "maps/", 5) == 0) - t->name_off += 5; - - // fill in the in-section offset as JIT did not - // do relocations. Did not cross-verify correctness with - // symbol table as we do not use it yet. - struct btf_var_secinfo *var_info = (struct btf_var_secinfo *)next_type; - uint32_t offset = 0; - for (int index = 0; index < vlen; index++) { - var_info->offset = offset; - offset += var_info->size; - var_info++; + // bcc does not use BTF_KIND_DATASEC, so + // a sanitization here to convert it to a list + // of void pointers. + // btf_var_secinfo is 3 __u32's for each var. + if (sizeof(struct btf_var_secinfo) == 12) { + t->name_off = 0; + t->info = BTF_KIND_PTR << 24; + t->type = 0; + + struct btf_type *typep = (struct btf_type *)next_type; + for (int i = 0; i < vlen; i++) { + typep->name_off = 0; + typep->info = BTF_KIND_PTR << 24; + typep->type = 0; + typep++; + } } next_type += vlen * sizeof(struct btf_var_secinfo); From db8264413135c808bd5d530537e9cccabf6186a3 Mon Sep 17 00:00:00 2001 From: bodgergely Date: Fri, 3 Jan 2020 05:37:24 +0000 Subject: [PATCH 182/228] tools/runqslower.py: Option for --pid or --tid (#2635) * tools/runqslower.py: Option for --pid or --tid Closes: #2607 Option for --pid or --tid tracing. Enable group leader level tracing. * --pid : will trace every task that has as group leader. Meaning it will trace the parent and its direct children. * --tid : will trace the given thread * Reporting TID instead of PID in the report column. * Update the example file to reflect the TID/PID change --- man/man8/runqslower.8 | 5 +++- tools/runqslower.py | 50 ++++++++++++++++++++++++------------ tools/runqslower_example.txt | 19 ++++++++++---- 3 files changed, 52 insertions(+), 22 deletions(-) diff --git a/man/man8/runqslower.8 b/man/man8/runqslower.8 index 2feef13fb..17052a141 100644 --- a/man/man8/runqslower.8 +++ b/man/man8/runqslower.8 @@ -2,7 +2,7 @@ .SH NAME runqslower \- Trace long process scheduling delays. .SH SYNOPSIS -.B runqslower [\-p PID] [min_us] +.B runqslower [\-p PID] [\-t TID] [min_us] .SH DESCRIPTION This measures the time a task spends waiting on a run queue (or equivalent scheduler data structure) for a turn on-CPU, and shows occurrences of time @@ -38,6 +38,9 @@ Print usage message. \-p PID Only show this PID (filtered in kernel for efficiency). .TP +\-t TID +Only show this TID (filtered in kernel for efficiency). +.TP min_us Minimum scheduling delay in microseconds to output. .SH EXAMPLES diff --git a/tools/runqslower.py b/tools/runqslower.py index b67853301..8f790602a 100755 --- a/tools/runqslower.py +++ b/tools/runqslower.py @@ -7,7 +7,7 @@ # This script traces high scheduling delays between tasks being # ready to run and them running on CPU after that. # -# USAGE: runqslower [-p PID] [min_us] +# USAGE: runqslower [-p PID] [-t TID] [min_us] # # REQUIRES: Linux 4.9+ (BPF_PROG_TYPE_PERF_EVENT support). # @@ -42,19 +42,25 @@ examples = """examples: ./runqslower # trace run queue latency higher than 10000 us (default) ./runqslower 1000 # trace run queue latency higher than 1000 us - ./runqslower -p 123 # trace pid 123 only + ./runqslower -p 123 # trace pid 123 + ./runqslower -t 123 # trace tid 123 (use for threads only) """ parser = argparse.ArgumentParser( description="Trace high run queue latency", formatter_class=argparse.RawDescriptionHelpFormatter, epilog=examples) -parser.add_argument("-p", "--pid", type=int, metavar="PID", dest="pid", - help="trace this PID only") parser.add_argument("min_us", nargs="?", default='10000', help="minimum run queue latecy to trace, in ms (default 10000)") parser.add_argument("--ebpf", action="store_true", help=argparse.SUPPRESS) + +thread_group = parser.add_mutually_exclusive_group() +thread_group.add_argument("-p", "--pid", metavar="PID", dest="pid", + help="trace this PID only", type=int) +thread_group.add_argument("-t", "--tid", metavar="TID", dest="tid", + help="trace this TID only", type=int) args = parser.parse_args() + min_us = int(args.min_us) debug = 0 @@ -80,7 +86,7 @@ // record enqueue timestamp static int trace_enqueue(u32 tgid, u32 pid) { - if (FILTER_PID || pid == 0) + if (FILTER_PID || FILTER_TGID || pid == 0) return 0; u64 ts = bpf_ktime_get_ns(); start.update(&pid, &ts); @@ -109,13 +115,14 @@ if (prev->state == TASK_RUNNING) { tgid = prev->tgid; pid = prev->pid; - if (!(FILTER_PID || pid == 0)) { - u64 ts = bpf_ktime_get_ns(); - start.update(&pid, &ts); + u64 ts = bpf_ktime_get_ns(); + if (pid != 0) { + if (!(FILTER_PID) && !(FILTER_TGID)) { + start.update(&pid, &ts); + } } } - tgid = bpf_get_current_pid_tgid() >> 32; pid = bpf_get_current_pid_tgid(); u64 *tsp, delta_us; @@ -167,17 +174,21 @@ // TP_PROTO(bool preempt, struct task_struct *prev, struct task_struct *next) struct task_struct *prev = (struct task_struct *)ctx->args[1]; struct task_struct *next= (struct task_struct *)ctx->args[2]; - u32 pid; + u32 tgid, pid; long state; // ivcsw: treat like an enqueue event and store timestamp bpf_probe_read(&state, sizeof(long), (const void *)&prev->state); if (state == TASK_RUNNING) { + bpf_probe_read(&tgid, sizeof(prev->tgid), &prev->tgid); bpf_probe_read(&pid, sizeof(prev->pid), &prev->pid); - if (!(FILTER_PID || pid == 0)) { - u64 ts = bpf_ktime_get_ns(); - start.update(&pid, &ts); + u64 ts = bpf_ktime_get_ns(); + if (pid != 0) { + if (!(FILTER_PID) && !(FILTER_TGID)) { + start.update(&pid, &ts); + } } + } bpf_probe_read(&pid, sizeof(next->pid), &next->pid); @@ -218,10 +229,17 @@ bpf_text = bpf_text.replace('FILTER_US', '0') else: bpf_text = bpf_text.replace('FILTER_US', 'delta_us <= %s' % str(min_us)) -if args.pid: - bpf_text = bpf_text.replace('FILTER_PID', 'pid != %s' % args.pid) + +if args.tid: + bpf_text = bpf_text.replace('FILTER_PID', 'pid != %s' % args.tid) else: bpf_text = bpf_text.replace('FILTER_PID', '0') + +if args.pid: + bpf_text = bpf_text.replace('FILTER_TGID', 'tgid != %s' % args.pid) +else: + bpf_text = bpf_text.replace('FILTER_TGID', '0') + if debug or args.ebpf: print(bpf_text) if args.ebpf: @@ -240,7 +258,7 @@ def print_event(cpu, data, size): b.attach_kprobe(event="finish_task_switch", fn_name="trace_run") print("Tracing run queue latency higher than %d us" % min_us) -print("%-8s %-16s %-6s %14s" % ("TIME", "COMM", "PID", "LAT(us)")) +print("%-8s %-16s %-6s %14s" % ("TIME", "COMM", "TID", "LAT(us)")) # read events b["events"].open_perf_buffer(print_event, page_cnt=64) diff --git a/tools/runqslower_example.txt b/tools/runqslower_example.txt index 61825e520..e64f9451a 100644 --- a/tools/runqslower_example.txt +++ b/tools/runqslower_example.txt @@ -5,8 +5,15 @@ runqslower shows high latency scheduling times between tasks being ready to run and them running on CPU after that. For example: # runqslower -Tracing run queue latency higher than 10000 us -TIME COMM PID LAT(us) + +Note: Showing TID (thread id) in the report column. The smallest +execution unit becomes a TID when using the --pid flag as +in that case the tool reports not only the parent pid but +its children threads as well. + +Tracing run queue latency higher than 10000 us. + +TIME COMM TID LAT(us) 04:16:32 cc1 12924 12739 04:16:32 sh 13640 12118 04:16:32 make 13639 12730 @@ -32,7 +39,7 @@ These delays can be analyzed in depth with "perf sched" tool, see: USAGE message: # ./runqslower -h -usage: runqslower.py [-h] [-p PID] [min_us] +usage: runqslower.py [-h] [-p PID | -t TID] [min_us] Trace high run queue latency @@ -41,9 +48,11 @@ positional arguments: optional arguments: -h, --help show this help message and exit - -p PID, --pid PID trace this PID only + -p PID, --pid PID trace this PID + -t TID, --tid TID trace this TID only examples: ./runqslower # trace run queue latency higher than 10000 us (default) ./runqslower 1000 # trace run queue latency higher than 1000 us - ./runqslower -p 123 # trace pid 123 only + ./runqslower -p 123 # trace pid 123 + ./runqslower -t 123 # trace tid (thread) 123 From c6b287ca4ca30de94d1082ebed0a7330796b717a Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Thu, 26 Dec 2019 11:32:37 -0800 Subject: [PATCH 183/228] support BPF_MAP_TYPE_SK_STORAGE map kernel sk local storage is introduced at 5.2. https://github.com/torvalds/linux/commit/6ac99e8f23d4b10258406ca0dd7bffca5f31da9d this patch supports BPF_MAP_TYPE_SK_STORAGE in bcc. tested C++ user space APIs and loading of the bpf programs using helpers map.sk_storage_get() and map.sk_storage_delete(). Signed-off-by: Yonghong Song --- src/cc/api/BPF.h | 8 ++ src/cc/api/BPFTable.h | 29 +++++++ src/cc/export/helpers.h | 12 +++ src/cc/frontends/clang/b_frontend_action.cc | 8 ++ tests/cc/CMakeLists.txt | 1 + tests/cc/test_sk_storage.cc | 93 +++++++++++++++++++++ 6 files changed, 151 insertions(+) create mode 100644 tests/cc/test_sk_storage.cc diff --git a/src/cc/api/BPF.h b/src/cc/api/BPF.h index 679250f7a..2ce1bb4bf 100644 --- a/src/cc/api/BPF.h +++ b/src/cc/api/BPF.h @@ -146,6 +146,14 @@ class BPF { return BPFPercpuHashTable({}); } + template + BPFSkStorageTable get_sk_storage_table(const std::string& name) { + TableStorage::iterator it; + if (bpf_module_->table_storage().Find(Path({bpf_module_->id(), name}), it)) + return BPFSkStorageTable(it->second); + return BPFSkStorageTable({}); + } + void* get_bsymcache(void) { if (bsymcache_ == NULL) { bsymcache_ = bcc_buildsymcache_new(); diff --git a/src/cc/api/BPFTable.h b/src/cc/api/BPFTable.h index 49ee64752..518dab383 100644 --- a/src/cc/api/BPFTable.h +++ b/src/cc/api/BPFTable.h @@ -409,4 +409,33 @@ class BPFMapInMapTable : public BPFTableBase { StatusTuple remove_value(const int& index); }; +template +class BPFSkStorageTable : public BPFTableBase { + public: + BPFSkStorageTable(const TableDesc& desc) : BPFTableBase(desc) { + if (desc.type != BPF_MAP_TYPE_SK_STORAGE) + throw std::invalid_argument("Table '" + desc.name + + "' is not a sk_storage table"); + } + + virtual StatusTuple get_value(const int& sock_fd, ValueType& value) { + if (!this->lookup(const_cast(&sock_fd), get_value_addr(value))) + return StatusTuple(-1, "Error getting value: %s", std::strerror(errno)); + return StatusTuple(0); + } + + virtual StatusTuple update_value(const int& sock_fd, const ValueType& value) { + if (!this->update(const_cast(&sock_fd), + get_value_addr(const_cast(value)))) + return StatusTuple(-1, "Error updating value: %s", std::strerror(errno)); + return StatusTuple(0); + } + + virtual StatusTuple remove_value(const int& sock_fd) { + if (!this->remove(const_cast(&sock_fd))) + return StatusTuple(-1, "Error removing value: %s", std::strerror(errno)); + return StatusTuple(0); + } +}; + } // namespace ebpf diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index 4679ee26a..2c3e9eb9a 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -275,6 +275,18 @@ struct _name##_table_t _name = { .max_entries = (_max_entries) } #define BPF_HASH_OF_MAPS(_name, _inner_map_name, _max_entries) \ BPF_TABLE("hash_of_maps$" _inner_map_name, int, int, _name, _max_entries) +#define BPF_SK_STORAGE(_name, _leaf_type) \ +struct _name##_table_t { \ + int key; \ + _leaf_type leaf; \ + void * (*sk_storage_get) (void *, void *, int); \ + int (*sk_storage_delete) (void *); \ + u32 flags; \ +}; \ +__attribute__((section("maps/sk_storage"))) \ +struct _name##_table_t _name = { .flags = BPF_F_NO_PREALLOC }; \ +BPF_ANNOTATE_KV_PAIR(_name, int, _leaf_type) + // packet parsing state machine helpers #define cursor_advance(_cursor, _len) \ ({ void *_tmp = _cursor; _cursor += _len; _tmp; }) diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index 5697f2f97..a240aa713 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -887,6 +887,12 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { } else if (memb_name == "redirect_map") { prefix = "bpf_redirect_map"; suffix = ")"; + } else if (memb_name == "sk_storage_get") { + prefix = "bpf_sk_storage_get"; + suffix = ")"; + } else if (memb_name == "sk_storage_delete") { + prefix = "bpf_sk_storage_delete"; + suffix = ")"; } else { error(GET_BEGINLOC(Call), "invalid bpf_table operation %0") << memb_name; return false; @@ -1248,6 +1254,8 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { map_type = BPF_MAP_TYPE_HASH_OF_MAPS; } else if (section_attr == "maps/array_of_maps") { map_type = BPF_MAP_TYPE_ARRAY_OF_MAPS; + } else if (section_attr == "maps/sk_storage") { + map_type = BPF_MAP_TYPE_SK_STORAGE; } else if (section_attr == "maps/extern") { if (!fe_.table_storage().Find(maps_ns_path, table_it)) { if (!fe_.table_storage().Find(global_path, table_it)) { diff --git a/tests/cc/CMakeLists.txt b/tests/cc/CMakeLists.txt index 0d94e92a3..438cc28ba 100644 --- a/tests/cc/CMakeLists.txt +++ b/tests/cc/CMakeLists.txt @@ -26,6 +26,7 @@ set(TEST_LIBBCC_SOURCES test_pinned_table.cc test_prog_table.cc test_shared_table.cc + test_sk_storage.cc test_usdt_args.cc test_usdt_probes.cc utils.cc) diff --git a/tests/cc/test_sk_storage.cc b/tests/cc/test_sk_storage.cc new file mode 100644 index 000000000..c774f0419 --- /dev/null +++ b/tests/cc/test_sk_storage.cc @@ -0,0 +1,93 @@ +/* + * Copyright (c) 2020 Facebook, Inc. + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ + +#include +#include +#include +#include +#include + +#include "BPF.h" +#include "catch.hpp" + +#if LINUX_VERSION_CODE >= KERNEL_VERSION(5, 2, 0) + +TEST_CASE("test sk_storage map", "[sk_storage]") { + { + const std::string BPF_PROGRAM = R"( +BPF_SK_STORAGE(sk_pkt_cnt, __u64); + +int test(struct __sk_buff *skb) { + __u64 cnt = 0, *cnt_out; + struct bpf_sock *sk; + + sk = skb->sk; + if (!sk) + return 1; + + sk = bpf_sk_fullsock(sk); + if (!sk) + return 1; + + cnt_out = sk_pkt_cnt.sk_storage_get(sk, &cnt, BPF_SK_STORAGE_GET_F_CREATE); + if (!cnt_out) + return 1; + + (*cnt_out)++; + return 1; +} + )"; + + // make sure program is loaded successfully + ebpf::BPF bpf; + ebpf::StatusTuple res(0); + res = bpf.init(BPF_PROGRAM); + REQUIRE(res.code() == 0); + int prog_fd; + res = bpf.load_func("test", BPF_PROG_TYPE_CGROUP_SKB, prog_fd); + REQUIRE(res.code() == 0); + + // create a udp socket so we can do some map operations. + int sockfd = socket(AF_INET, SOCK_DGRAM, 0); + REQUIRE(sockfd >= 0); + + auto sk_table = bpf.get_sk_storage_table("sk_pkt_cnt"); + unsigned long long v = 0, v1 = 10; + + // no sk_storage for the table yet. + res = sk_table.get_value(sockfd, v); + REQUIRE(res.code() != 0); + + // nothing to remove yet. + res = sk_table.remove_value(sockfd); + REQUIRE(res.code() != 0); + + // update the table with a certain value. + res = sk_table.update_value(sockfd, v1); + REQUIRE(res.code() == 0); + + // get_value should be successful now. + res = sk_table.get_value(sockfd, v); + REQUIRE(res.code() == 0); + REQUIRE(v == 10); + + // remove the sk_storage. + res = sk_table.remove_value(sockfd); + REQUIRE(res.code() == 0); + } +} + +#endif From 909ada95ce59530cb205a96413167bb0c5074739 Mon Sep 17 00:00:00 2001 From: Gergely Bod Date: Fri, 3 Jan 2020 01:43:30 +0000 Subject: [PATCH 184/228] tools/offcputime.py: Redundatn arg check pid/tid is already set to be mutually exclusive in python's arg parser so no need for this check manually. --- tools/offcputime.py | 2 -- 1 file changed, 2 deletions(-) diff --git a/tools/offcputime.py b/tools/offcputime.py index ac3b7281f..39f36953f 100755 --- a/tools/offcputime.py +++ b/tools/offcputime.py @@ -99,8 +99,6 @@ def stack_id_err(stack_id): parser.add_argument("--ebpf", action="store_true", help=argparse.SUPPRESS) args = parser.parse_args() -if args.pid and args.tgid: - parser.error("specify only one of -p and -t") folded = args.folded duration = int(args.duration) debug = 0 From d79628569b039f3efe8bdb09505005bb388b4eb7 Mon Sep 17 00:00:00 2001 From: Paul Chaignon Date: Fri, 3 Jan 2020 14:08:35 +0100 Subject: [PATCH 185/228] Links to 3 articles on Linux tracing using bcc --- LINKS.md | 3 +++ 1 file changed, 3 insertions(+) diff --git a/LINKS.md b/LINKS.md index 9eb1abe76..b99188a9a 100644 --- a/LINKS.md +++ b/LINKS.md @@ -1,3 +1,6 @@ +- 2019-12-06: [My learnings on Linux BPF container performance engineering](https://medium.com/@aimvec/my-learnings-on-linux-bpf-container-performance-engineering-3eb424b73d56) +- 2019-11-21: [Debugging network stalls on Kubernetes](https://github.blog/2019-11-21-debugging-network-stalls-on-kubernetes) +- 2019-11-12: [bcc-tools brings dynamic kernel tracing to Red Hat Enterprise Linux 8.1](https://www.redhat.com/en/blog/bcc-tools-brings-dynamic-kernel-tracing-red-hat-enterprise-linux-81) - 2018-05-03: [Linux System Monitoring with eBPF](https://www.circonus.com/2018/05/linux-system-monitoring-with-ebpf) - 2018-02-22: [Some advanced BCC topics](https://lwn.net/Articles/747640) - 2018-01-23: [BPFd: Running BCC tools remotely across systems and architectures](https://lwn.net/Articles/744522) From 1a780e97ff6678583c5398230c579cc81cfbf2bb Mon Sep 17 00:00:00 2001 From: Paul Chaignon Date: Sat, 4 Jan 2020 11:13:38 +0100 Subject: [PATCH 186/228] rewriter: Fix tracking of pointers with several indirections The rewriter tracks, with nb_derefs, the number of indirections of external pointers, to rewrite only the appropriate dereference into a call to bpf_probe_read. In ProbeChecker, however, nb_derefs has a different meaning: it counts the number of dereferences encountered. This difference resulted in an error when ProbeChecker is traversing the right-hand side of an assignment. This commit fixes the error and adds tests for the two cases of assignments: when the right-hand side is an external pointer with several indirection levels and when it is a call to a function returning an external pointer with several indirection levels. This commit also changes ProbeSetter and assignsExtPtr to count dereferences instead of addrof in an effort to use nb_derefs more consistently across the code to mean "number of dereferences needed to get to the external pointer". Signed-off-by: Paul Chaignon --- src/cc/frontends/clang/b_frontend_action.cc | 43 +++++++++++++-------- tests/python/test_clang.py | 29 +++++++++++++- 2 files changed, 54 insertions(+), 18 deletions(-) diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index a240aa713..a3a372f51 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -117,7 +117,11 @@ class ProbeChecker : public RecursiveASTVisitor { for(auto p : ptregs_) { if (std::get<0>(p) == E->getDirectCallee()) { needs_probe_ = true; - nb_derefs_ += std::get<1>(p); + // ptregs_ stores the number of dereferences needed to get the external + // pointer, while nb_derefs_ stores the number of dereferences + // encountered. So, any dereference encountered is one less + // dereference needed to get the external pointer. + nb_derefs_ -= std::get<1>(p); return false; } } @@ -179,7 +183,11 @@ class ProbeChecker : public RecursiveASTVisitor { for(auto p : ptregs_) { if (std::get<0>(p) == E->getDecl()) { needs_probe_ = true; - nb_derefs_ += std::get<1>(p); + // ptregs_ stores the number of dereferences needed to get the external + // pointer, while nb_derefs_ stores the number of dereferences + // encountered. So, any dereference encountered is one less + // dereference needed to get the external pointer. + nb_derefs_ -= std::get<1>(p); return false; } } @@ -207,8 +215,8 @@ class ProbeChecker : public RecursiveASTVisitor { // Visit a piece of the AST and mark it as needing probe reads class ProbeSetter : public RecursiveASTVisitor { public: - explicit ProbeSetter(set> *ptregs, int nb_addrof) - : ptregs_(ptregs), nb_derefs_(-nb_addrof) {} + explicit ProbeSetter(set> *ptregs, int nb_derefs) + : ptregs_(ptregs), nb_derefs_(nb_derefs) {} bool VisitDeclRefExpr(DeclRefExpr *E) { tuple pt = make_tuple(E->getDecl(), nb_derefs_); ptregs_->insert(pt); @@ -259,9 +267,9 @@ ProbeVisitor::ProbeVisitor(ASTContext &C, Rewriter &rewriter, C(C), rewriter_(rewriter), m_(m), track_helpers_(track_helpers), addrof_stmt_(nullptr), is_addrof_(false) {} -bool ProbeVisitor::assignsExtPtr(Expr *E, int *nbAddrOf) { +bool ProbeVisitor::assignsExtPtr(Expr *E, int *nbDerefs) { if (IsContextMemberExpr(E)) { - *nbAddrOf = 0; + *nbDerefs = 0; return true; } @@ -278,7 +286,7 @@ bool ProbeVisitor::assignsExtPtr(Expr *E, int *nbAddrOf) { // an assignment, if we went through n addrof before getting the external // pointer, then we'll need n dereferences on the left-hand side variable // to get to the external pointer. - *nbAddrOf = -checker.get_nb_derefs(); + *nbDerefs = -checker.get_nb_derefs(); return true; } @@ -300,7 +308,7 @@ bool ProbeVisitor::assignsExtPtr(Expr *E, int *nbAddrOf) { // be a pointer to an external pointer as the verifier prohibits // storing known pointers (to map values, context, the stack, or // the packet) in maps. - *nbAddrOf = 1; + *nbDerefs = 1; return true; } } @@ -312,10 +320,10 @@ bool ProbeVisitor::assignsExtPtr(Expr *E, int *nbAddrOf) { } bool ProbeVisitor::VisitVarDecl(VarDecl *D) { if (Expr *E = D->getInit()) { - int nbAddrOf; - if (assignsExtPtr(E, &nbAddrOf)) { + int nbDerefs; + if (assignsExtPtr(E, &nbDerefs)) { // The negative of the number of addrof is the number of dereferences. - tuple pt = make_tuple(D, -nbAddrOf); + tuple pt = make_tuple(D, nbDerefs); set_ptreg(pt); } } @@ -351,7 +359,7 @@ bool ProbeVisitor::VisitCallExpr(CallExpr *Call) { true); if (checker.needs_probe()) { tuple pt = make_tuple(F->getParamDecl(i), - checker.get_nb_derefs()); + -checker.get_nb_derefs()); ptregs_.insert(pt); } ++i; @@ -391,12 +399,13 @@ bool ProbeVisitor::VisitReturnStmt(ReturnStmt *R) { track_helpers_, true); if (checker.needs_probe()) { int curr_nb_derefs = ptregs_returned_.back(); + int nb_derefs = -checker.get_nb_derefs(); /* If the function returns external pointers with different levels of * indirection, we handle the case with the highest level of indirection * and leave it to the user to manually handle other cases. */ - if (checker.get_nb_derefs() > curr_nb_derefs) { + if (nb_derefs > curr_nb_derefs) { ptregs_returned_.pop_back(); - ptregs_returned_.push_back(checker.get_nb_derefs()); + ptregs_returned_.push_back(nb_derefs); } } return true; @@ -406,9 +415,9 @@ bool ProbeVisitor::VisitBinaryOperator(BinaryOperator *E) { return true; // copy probe attribute from RHS to LHS if present - int nbAddrOf; - if (assignsExtPtr(E->getRHS(), &nbAddrOf)) { - ProbeSetter setter(&ptregs_, nbAddrOf); + int nbDerefs; + if (assignsExtPtr(E->getRHS(), &nbDerefs)) { + ProbeSetter setter(&ptregs_, nbDerefs); setter.TraverseStmt(E->getLHS()); } return true; diff --git a/tests/python/test_clang.py b/tests/python/test_clang.py index 281b13db9..886eebedd 100755 --- a/tests/python/test_clang.py +++ b/tests/python/test_clang.py @@ -499,7 +499,34 @@ def test_probe_read_nested_deref2(self): b = BPF(text=text) fn = b.load_func("test", BPF.KPROBE) - def test_probe_read_nested_deref_func(self): + def test_probe_read_nested_deref3(self): + text = """ +#include +int test(struct pt_regs *ctx, struct sock *sk) { + struct sock **ptr1, **ptr2 = &sk; + ptr1 = &sk; + return (*ptr1)->sk_daddr + (*ptr2)->sk_daddr; +} +""" + b = BPF(text=text) + fn = b.load_func("test", BPF.KPROBE) + + def test_probe_read_nested_deref_func1(self): + text = """ +#include +static struct sock **subtest(struct sock **sk) { + return sk; +} +int test(struct pt_regs *ctx, struct sock *sk) { + struct sock **ptr1, **ptr2 = subtest(&sk); + ptr1 = subtest(&sk); + return (*ptr1)->sk_daddr + (*ptr2)->sk_daddr; +} +""" + b = BPF(text=text) + fn = b.load_func("test", BPF.KPROBE) + + def test_probe_read_nested_deref_func2(self): text = """ #include static int subtest(struct sock ***skp) { From 1b2be41a090cb66e049911de47ea02b78bf85caf Mon Sep 17 00:00:00 2001 From: Michael Wuertinger Date: Mon, 6 Jan 2020 14:09:14 +0100 Subject: [PATCH 187/228] Add Ubuntu Eon incompatibility note Packages are currently broken on Ubuntu Eon. See #2676 and #2678. --- INSTALL.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/INSTALL.md b/INSTALL.md index 2d858397c..bf02799cd 100644 --- a/INSTALL.md +++ b/INSTALL.md @@ -71,6 +71,10 @@ found at [packages.ubuntu.com](https://packages.ubuntu.com/search?suite=default& sudo apt-get install bpfcc-tools linux-headers-$(uname -r) ``` +In Ubuntu Eon (19.10) some of the BCC tools are currently broken due to outdated packages. This is a +[known bug](https://bugs.launchpad.net/ubuntu/+source/bpfcc/+bug/1848137). Upstream packages are currently also unavailable for Eon. +Therefore [building from source](#ubuntu---source) is currently the only way to get fully working tools. + The tools are installed in `/sbin` (`/usr/sbin` in Ubuntu 18.04) with a `-bpfcc` extension. Try running `sudo opensnoop-bpfcc`. **_Note_**: the Ubuntu packages have different names but the package contents, in most cases, conflict From 590ac9dcb67aff673b38855b76eaf45b5269fd41 Mon Sep 17 00:00:00 2001 From: Michael Wuertinger Date: Mon, 6 Jan 2020 22:16:28 +0100 Subject: [PATCH 188/228] Ubuntu Eon build dependencies and version numbers - Add updated list of dependencies to build on Ubuntu Eon (19.10) - Add Ubuntu version numbers for increased clarity - Capitalize release names to match official branding --- INSTALL.md | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/INSTALL.md b/INSTALL.md index bf02799cd..74b4b6b91 100644 --- a/INSTALL.md +++ b/INSTALL.md @@ -329,7 +329,7 @@ To build the toolchain from source, one needs: ### Install build dependencies ``` -# Trusty and older +# Trusty (14.04 LTS) and older VER=trusty echo "deb http://llvm.org/apt/$VER/ llvm-toolchain-$VER-3.7 main deb-src http://llvm.org/apt/$VER/ llvm-toolchain-$VER-3.7 main" | \ @@ -337,10 +337,14 @@ deb-src http://llvm.org/apt/$VER/ llvm-toolchain-$VER-3.7 main" | \ wget -O - http://llvm.org/apt/llvm-snapshot.gpg.key | sudo apt-key add - sudo apt-get update -# For bionic +# For Bionic (18.04 LTS) sudo apt-get -y install bison build-essential cmake flex git libedit-dev \ libllvm6.0 llvm-6.0-dev libclang-6.0-dev python zlib1g-dev libelf-dev +# For Eon (19.10) +sudo apt install -y bison build-essential cmake flex git libedit-dev \ + libllvm7 llvm-7-dev libclang-7-dev python zlib1g-dev libelf-dev + # For other versions sudo apt-get -y install bison build-essential cmake flex git libedit-dev \ libllvm3.7 llvm-3.7-dev libclang-3.7-dev python zlib1g-dev libelf-dev From c707a55ef164f9072688fd4cf9e7ca7ac20b8fc4 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Mon, 6 Jan 2020 21:54:28 -0800 Subject: [PATCH 189/228] avoid complex expression in struct member initializer Some old compiler may complain about this. Let us only use simple expression. Signed-off-by: Yonghong Song --- src/cc/api/BPFTable.cc | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/cc/api/BPFTable.cc b/src/cc/api/BPFTable.cc index 6c7fde17e..389170d13 100644 --- a/src/cc/api/BPFTable.cc +++ b/src/cc/api/BPFTable.cc @@ -255,10 +255,11 @@ BPFStackTable::BPFStackTable(const TableDesc& desc, bool use_debug_file, throw std::invalid_argument("Table '" + desc.name + "' is not a stack table"); + uint32_t use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC); symbol_option_ = {.use_debug_file = use_debug_file, .check_debug_file_crc = check_debug_file_crc, .lazy_symbolize = 1, - .use_symbol_type = (1 << STT_FUNC) | (1 << STT_GNU_IFUNC)}; + .use_symbol_type = use_symbol_type}; } BPFStackTable::BPFStackTable(BPFStackTable&& that) From c14d02a521cdeddc54a1189cd66a90cbd632a9a5 Mon Sep 17 00:00:00 2001 From: Michael Prokop Date: Thu, 9 Jan 2020 02:29:18 +0100 Subject: [PATCH 190/228] Fix a bunch of typos (#2693) fix a bunch of types in man pages, docs, tools, tests, src and examples. --- docs/reference_guide.md | 2 +- examples/cpp/TCPSendStack.cc | 4 ++-- .../networking/http_filter/http-parse-complete.c | 2 +- .../networking/http_filter/http-parse-complete.py | 6 +++--- examples/tracing/dddos.py | 2 +- man/man8/compactsnoop.8 | 4 ++-- man/man8/criticalstat.8 | 4 ++-- man/man8/dbslower.8 | 2 +- man/man8/filetop.8 | 2 +- man/man8/runqlen.8 | 2 +- src/cc/api/BPF.cc | 2 +- src/cc/bcc_elf.h | 2 +- src/cc/export/helpers.h | 2 +- src/cc/frontends/b/codegen_llvm.cc | 2 +- src/cc/frontends/b/parser.yy | 4 ++-- src/cc/frontends/p4/compiler/ebpfTable.py | 2 +- src/cc/libbpf.c | 2 +- src/cc/libbpf.h | 2 +- tests/cc/test_perf_event.cc | 2 +- tests/lua/luaunit.lua | 4 ++-- .../include/folly/tracing/StaticTracepoint-ELF.h | 2 +- tools/cachetop.py | 2 +- tools/capable.py | 2 +- tools/compactsnoop.py | 4 ++-- tools/compactsnoop_example.txt | 4 ++-- tools/criticalstat_example.txt | 4 ++-- tools/inject.py | 12 ++++++------ tools/klockstat.py | 2 +- tools/nfsslower.py | 2 +- tools/offcputime.py | 2 +- tools/offwaketime.py | 2 +- tools/old/profile.py | 4 ++-- tools/profile.py | 2 +- tools/reset-trace.sh | 4 ++-- tools/reset-trace_example.txt | 10 +++++----- tools/runqlen_example.txt | 2 +- tools/solisten_example.txt | 2 +- tools/tcpaccept.py | 2 +- tools/tcplife.lua | 2 +- tools/tcplife.py | 2 +- tools/tcplife_example.txt | 2 +- tools/tcpstates.py | 2 +- tools/tcpstates_example.txt | 2 +- tools/tcpsubnet_example.txt | 4 ++-- tools/tcptracer_example.txt | 2 +- 45 files changed, 67 insertions(+), 67 deletions(-) diff --git a/docs/reference_guide.md b/docs/reference_guide.md index 2b352c131..e1292bf83 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -1374,7 +1374,7 @@ BPF_PERF_OUTPUT(events); [...] ``` -In Python, you can either let bcc generate the data structure from C declaration automatically (recommanded): +In Python, you can either let bcc generate the data structure from C declaration automatically (recommended): ```Python def print_event(cpu, data, size): diff --git a/examples/cpp/TCPSendStack.cc b/examples/cpp/TCPSendStack.cc index 42aac3448..f7f150d5a 100644 --- a/examples/cpp/TCPSendStack.cc +++ b/examples/cpp/TCPSendStack.cc @@ -101,7 +101,7 @@ int main(int argc, char** argv) { for (auto sym : syms) std::cout << " " << sym << std::endl; } else { - // -EFAULT normally means the stack is not availiable and not an error + // -EFAULT normally means the stack is not available and not an error if (it.first.kernel_stack != -EFAULT) { lost_stacks++; std::cout << " [Lost Kernel Stack" << it.first.kernel_stack << "]" @@ -114,7 +114,7 @@ int main(int argc, char** argv) { for (auto sym : syms) std::cout << " " << sym << std::endl; } else { - // -EFAULT normally means the stack is not availiable and not an error + // -EFAULT normally means the stack is not available and not an error if (it.first.user_stack != -EFAULT) { lost_stacks++; std::cout << " [Lost User Stack " << it.first.user_stack << "]" diff --git a/examples/networking/http_filter/http-parse-complete.c b/examples/networking/http_filter/http-parse-complete.c index 117cd4504..01a234ea2 100644 --- a/examples/networking/http_filter/http-parse-complete.c +++ b/examples/networking/http_filter/http-parse-complete.c @@ -27,7 +27,7 @@ BPF_HASH(sessions, struct Key, struct Leaf, 1024); AND ALL the other packets having same (src_ip,dst_ip,src_port,dst_port) this means belonging to the same "session" this additional check avoids url truncation, if url is too long - userspace script, if necessary, reassembles urls splitted in 2 or more packets. + userspace script, if necessary, reassembles urls split in 2 or more packets. if the program is loaded as PROG_TYPE_SOCKET_FILTER and attached to a socket return 0 -> DROP the packet diff --git a/examples/networking/http_filter/http-parse-complete.py b/examples/networking/http_filter/http-parse-complete.py index f1e5e0a26..0f9951051 100644 --- a/examples/networking/http_filter/http-parse-complete.py +++ b/examples/networking/http_filter/http-parse-complete.py @@ -254,13 +254,13 @@ def help(): #check if the packet belong to a session saved in bpf_sessions if (current_Key in bpf_sessions): #check id the packet belong to a session saved in local_dictionary - #(local_dictionary mantains HTTP GET/POST url not printed yet because splitted in N packets) + #(local_dictionary maintains HTTP GET/POST url not printed yet because split in N packets) if (binascii.hexlify(current_Key) in local_dictionary): #first part of the HTTP GET/POST url is already present in local dictionary (prev_payload_string) prev_payload_string = local_dictionary[binascii.hexlify(current_Key)] #looking for CR+LF in current packet. if (crlf in payload_string): - #last packet. containing last part of HTTP GET/POST url splitted in N packets. + #last packet. containing last part of HTTP GET/POST url split in N packets. #append current payload prev_payload_string += payload_string #print HTTP GET/POST url @@ -272,7 +272,7 @@ def help(): except: print ("error deleting from map or dictionary") else: - #NOT last packet. containing part of HTTP GET/POST url splitted in N packets. + #NOT last packet. containing part of HTTP GET/POST url split in N packets. #append current payload prev_payload_string += payload_string #check if not size exceeding (usually HTTP GET/POST url < 8K ) diff --git a/examples/tracing/dddos.py b/examples/tracing/dddos.py index 5b544241c..fe1afd726 100755 --- a/examples/tracing/dddos.py +++ b/examples/tracing/dddos.py @@ -43,7 +43,7 @@ * timestamp between 2 successive packets is so small * (which is not like regular applications behaviour). * This script looks for this difference in time and if it sees - * more than MAX_NB_PACKETS succesive packets with a difference + * more than MAX_NB_PACKETS successive packets with a difference * of timestamp between each one of them less than * LEGAL_DIFF_TIMESTAMP_PACKETS ns, * ------------------ It Triggers an ALERT ----------------- diff --git a/man/man8/compactsnoop.8 b/man/man8/compactsnoop.8 index d110a2b1d..8479e8095 100644 --- a/man/man8/compactsnoop.8 +++ b/man/man8/compactsnoop.8 @@ -145,11 +145,11 @@ output - internal to compaction .PP .in +8n "complete" (COMPACT_COMPLETE): The full zone was compacted scanned but wasn't -successfull to compact suitable pages. +successful to compact suitable pages. .PP .in +8n "partial_skipped" (COMPACT_PARTIAL_SKIPPED): direct compaction has scanned part -of the zone but wasn't successfull to compact suitable pages. +of the zone but wasn't successful to compact suitable pages. .PP .in +8n "contended" (COMPACT_CONTENDED): compaction terminated prematurely due to lock diff --git a/man/man8/criticalstat.8 b/man/man8/criticalstat.8 index 52baf1d8c..cdd5e8ed9 100644 --- a/man/man8/criticalstat.8 +++ b/man/man8/criticalstat.8 @@ -5,10 +5,10 @@ criticalstat \- A tracer to find and report long atomic critical sections in ker .B criticalstat [\-h] [\-p] [\-i] [\-d DURATION] .SH DESCRIPTION -criticalstat traces and reports occurences of atomic critical sections in the +criticalstat traces and reports occurrences of atomic critical sections in the kernel with useful stacktraces showing the origin of them. Such critical sections frequently occur due to use of spinlocks, or if interrupts or -preemption were explicity disabled by a driver. IRQ routines in Linux are also +preemption were explicitly disabled by a driver. IRQ routines in Linux are also executed with interrupts disabled. There are many reasons. Such critical sections are a source of long latency/responsive issues for real-time systems. diff --git a/man/man8/dbslower.8 b/man/man8/dbslower.8 index c21e6fae6..e39b8bd00 100644 --- a/man/man8/dbslower.8 +++ b/man/man8/dbslower.8 @@ -11,7 +11,7 @@ those that exceed a latency (query time) threshold. By default a threshold of This uses User Statically-Defined Tracing (USDT) probes, a feature added to MySQL and PostgreSQL for DTrace support, but which may not be enabled on a given installation. See requirements. -Alternativly, MySQL queries can be traced without the USDT support using the +Alternatively, MySQL queries can be traced without the USDT support using the -x option. Since this uses BPF, only the root user can use this tool. diff --git a/man/man8/filetop.8 b/man/man8/filetop.8 index 68cb2042c..ba0cbd6e5 100644 --- a/man/man8/filetop.8 +++ b/man/man8/filetop.8 @@ -9,7 +9,7 @@ This is top for files. This traces file reads and writes, and prints a per-file summary every interval (by default, 1 second). By default the summary is sorted on the highest read throughput (Kbytes). Sorting order can be changed via -s option. By default only -IO on regular files is shown. The -a option will list all file types (sokets, +IO on regular files is shown. The -a option will list all file types (sockets, FIFOs, etc). This uses in-kernel eBPF maps to store per process summaries for efficiency. diff --git a/man/man8/runqlen.8 b/man/man8/runqlen.8 index 27a649dac..b36a5a18c 100644 --- a/man/man8/runqlen.8 +++ b/man/man8/runqlen.8 @@ -51,7 +51,7 @@ Print run queue occupancy every second: # .B runqlen \-O 1 .TP -Print run queue occupancy, with timetamps, for each CPU: +Print run queue occupancy, with timestamps, for each CPU: # .B runqlen \-COT 1 .SH FIELDS diff --git a/src/cc/api/BPF.cc b/src/cc/api/BPF.cc index 56d52de19..67f9872a3 100644 --- a/src/cc/api/BPF.cc +++ b/src/cc/api/BPF.cc @@ -854,7 +854,7 @@ StatusTuple USDT::init() { for (auto& p : ctx->probes_) { if (p->provider_ == provider_ && p->name_ == name_) { // Take ownership of the probe that we are interested in, and avoid it - // being destrcuted when we destruct the USDT::Context instance + // being destructed when we destruct the USDT::Context instance probe_ = std::unique_ptr>(p.release(), deleter); p.swap(ctx->probes_.back()); diff --git a/src/cc/bcc_elf.h b/src/cc/bcc_elf.h index b6f5c4313..f948162e2 100644 --- a/src/cc/bcc_elf.h +++ b/src/cc/bcc_elf.h @@ -56,7 +56,7 @@ int bcc_elf_foreach_load_section(const char *path, bcc_elf_load_sectioncb callback, void *payload); // Iterate over symbol table of a binary module -// Parameter "option" points to a bcc_symbol_option struct to indicate wheather +// Parameter "option" points to a bcc_symbol_option struct to indicate whether // and how to use debuginfo file, and what types of symbols to load. // Returns -1 on error, and 0 on success or stopped by callback int bcc_elf_foreach_sym(const char *path, bcc_elf_symcb callback, void *option, diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index 2c3e9eb9a..8f85225e1 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -104,7 +104,7 @@ BPF_TABLE(_table_type, _key_type, _leaf_type, _name, _max_entries); \ __attribute__((section("maps/export"))) \ struct _name##_table_t __##_name -// define a table that is shared accross the programs in the same namespace +// define a table that is shared across the programs in the same namespace #define BPF_TABLE_SHARED(_table_type, _key_type, _leaf_type, _name, _max_entries) \ BPF_TABLE(_table_type, _key_type, _leaf_type, _name, _max_entries); \ __attribute__((section("maps/shared"))) \ diff --git a/src/cc/frontends/b/codegen_llvm.cc b/src/cc/frontends/b/codegen_llvm.cc index a69fdba92..0983c49a2 100644 --- a/src/cc/frontends/b/codegen_llvm.cc +++ b/src/cc/frontends/b/codegen_llvm.cc @@ -399,7 +399,7 @@ StatusTuple CodegenLLVM::visit_packet_expr_node(PacketExprNode *n) { expr_ = B.CreateCall(load_fn, vector({skb_ptr8, skb_hdr_offset, B.getInt64(bit_offset & 0x7), B.getInt64(bit_width)})); // this generates extra trunc insns whereas the bpf.load fns already - // trunc the values internally in the bpf interpeter + // trunc the values internally in the bpf interpreter //expr_ = B.CreateTrunc(pop_expr(), B.getIntNTy(bit_width)); } } else { diff --git a/src/cc/frontends/b/parser.yy b/src/cc/frontends/b/parser.yy index 527e84f4d..e6d1592c8 100644 --- a/src/cc/frontends/b/parser.yy +++ b/src/cc/frontends/b/parser.yy @@ -213,9 +213,9 @@ block ; enter_varscope : /* empty */ { $$ = parser.scopes_->enter_var_scope(); } ; -exit_varscope : /* emtpy */ { $$ = parser.scopes_->exit_var_scope(); } ; +exit_varscope : /* empty */ { $$ = parser.scopes_->exit_var_scope(); } ; enter_statescope : /* empty */ { $$ = parser.scopes_->enter_state_scope(); } ; -exit_statescope : /* emtpy */ { $$ = parser.scopes_->exit_state_scope(); } ; +exit_statescope : /* empty */ { $$ = parser.scopes_->exit_state_scope(); } ; struct_decl : TSTRUCT ident TLBRACE struct_decl_stmts TRBRACE diff --git a/src/cc/frontends/p4/compiler/ebpfTable.py b/src/cc/frontends/p4/compiler/ebpfTable.py index 4b7e0232d..5325028bb 100644 --- a/src/cc/frontends/p4/compiler/ebpfTable.py +++ b/src/cc/frontends/p4/compiler/ebpfTable.py @@ -136,7 +136,7 @@ def serializeType(self, serializer, keyTypeName): # Sort fields in decreasing size; this will ensure that # there is no padding. # Padding may cause the ebpf verification to fail, - # since padding fields are not initalized + # since padding fields are not initialized fieldOrder = sorted( self.fields, key=EbpfTableKey.fieldRank, reverse=True) for f in fieldOrder: diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index 138d9ee68..cfd7fde5f 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -516,7 +516,7 @@ int bcc_prog_load_xattr(struct bpf_load_program_attr *attr, int prog_len, if (attr->log_level > 0) { if (log_buf_size > 0) { - // Use user-provided log buffer if availiable. + // Use user-provided log buffer if available. log_buf[0] = 0; attr_log_buf = log_buf; attr_log_buf_size = log_buf_size; diff --git a/src/cc/libbpf.h b/src/cc/libbpf.h index 4a2215746..77bb728c5 100644 --- a/src/cc/libbpf.h +++ b/src/cc/libbpf.h @@ -59,7 +59,7 @@ int bpf_get_next_key(int fd, void *key, void *next_key); * it will not to any additional memory allocation. * - Otherwise, it will allocate an internal temporary buffer for log message * printing, and continue to attempt increase that allocated buffer size if - * initial attemp was insufficient in size. + * initial attempt was insufficient in size. */ int bcc_prog_load(enum bpf_prog_type prog_type, const char *name, const struct bpf_insn *insns, int prog_len, diff --git a/tests/cc/test_perf_event.cc b/tests/cc/test_perf_event.cc index 76d2d17ef..b3b26031f 100644 --- a/tests/cc/test_perf_event.cc +++ b/tests/cc/test_perf_event.cc @@ -25,7 +25,7 @@ TEST_CASE("test read perf event", "[bpf_perf_event]") { // The basic bpf_perf_event_read is supported since Kernel 4.3. However in that // version it only supported HARDWARE and RAW events. On the other hand, our -// tests running on Jenkins won't have availiable HARDWARE counters since they +// tests running on Jenkins won't have available HARDWARE counters since they // are running on VMs. The support of other types of events such as SOFTWARE are // only added since Kernel 4.13, hence we can only run the test since that. #if LINUX_VERSION_CODE >= KERNEL_VERSION(4, 13, 0) diff --git a/tests/lua/luaunit.lua b/tests/lua/luaunit.lua index 03316d3a5..6ce56f0e7 100644 --- a/tests/lua/luaunit.lua +++ b/tests/lua/luaunit.lua @@ -36,7 +36,7 @@ M.VERBOSITY_VERBOSE = 20 -- set EXPORT_ASSERT_TO_GLOBALS to have all asserts visible as global values -- EXPORT_ASSERT_TO_GLOBALS = true --- we need to keep a copy of the script args before it is overriden +-- we need to keep a copy of the script args before it is overridden local cmdline_argv = rawget(_G, "arg") M.FAILURE_PREFIX = 'LuaUnit test FAILURE: ' -- prefix string for failed tests @@ -2136,7 +2136,7 @@ end end -- class LuaUnit --- For compatbility with LuaUnit v2 +-- For compatibility with LuaUnit v2 M.run = M.LuaUnit.run M.Run = M.LuaUnit.run diff --git a/tests/python/include/folly/tracing/StaticTracepoint-ELF.h b/tests/python/include/folly/tracing/StaticTracepoint-ELF.h index a8a74c3ed..4deb18a71 100644 --- a/tests/python/include/folly/tracing/StaticTracepoint-ELF.h +++ b/tests/python/include/folly/tracing/StaticTracepoint-ELF.h @@ -52,7 +52,7 @@ #define FOLLY_SDT_ARGSIZE(x) (FOLLY_SDT_ISARRAY(x) ? sizeof(void*) : sizeof(x)) // Format of each probe arguments as operand. -// Size of the arugment tagged with FOLLY_SDT_Sn, with "n" constraint. +// Size of the argument tagged with FOLLY_SDT_Sn, with "n" constraint. // Value of the argument tagged with FOLLY_SDT_An, with configured constraint. #define FOLLY_SDT_ARG(n, x) \ [FOLLY_SDT_S##n] "n" ((size_t)FOLLY_SDT_ARGSIZE(x)), \ diff --git a/tools/cachetop.py b/tools/cachetop.py index 59de3912d..00b11a8c8 100755 --- a/tools/cachetop.py +++ b/tools/cachetop.py @@ -107,7 +107,7 @@ def get_processes_stats( misses = (apcl + apd) # rtaccess is the read hit % during the sample period. - # wtaccess is the write hit % during the smaple period. + # wtaccess is the write hit % during the sample period. if mpa > 0: rtaccess = float(mpa) / (access + misses) if apcl > 0: diff --git a/tools/capable.py b/tools/capable.py index bb4a84355..69fef3de4 100755 --- a/tools/capable.py +++ b/tools/capable.py @@ -189,7 +189,7 @@ def __getattr__(self, name): "TIME", "UID", "PID", "COMM", "CAP", "NAME", "AUDIT")) def stack_id_err(stack_id): - # -EFAULT in get_stackid normally means the stack-trace is not availible, + # -EFAULT in get_stackid normally means the stack-trace is not available, # Such as getting kernel stack trace in userspace code return (stack_id < 0) and (stack_id != -errno.EFAULT) diff --git a/tools/compactsnoop.py b/tools/compactsnoop.py index 7bdf33c18..7f9ce7ee3 100755 --- a/tools/compactsnoop.py +++ b/tools/compactsnoop.py @@ -329,10 +329,10 @@ def compact_result_to_str(status): # COMPACT_CONTINUE: compaction should continue to another pageblock 4: "continue", # COMPACT_COMPLETE: The full zone was compacted scanned but wasn't - # successfull to compact suitable pages. + # successful to compact suitable pages. 5: "complete", # COMPACT_PARTIAL_SKIPPED: direct compaction has scanned part of the - # zone but wasn't successfull to compact suitable pages. + # zone but wasn't successful to compact suitable pages. 6: "partial_skipped", # COMPACT_CONTENDED: compaction terminated prematurely due to lock # contentions diff --git a/tools/compactsnoop_example.txt b/tools/compactsnoop_example.txt index 563ee80f6..47fc73078 100644 --- a/tools/compactsnoop_example.txt +++ b/tools/compactsnoop_example.txt @@ -65,9 +65,9 @@ or (kernel 4.7 and above) 3: "no_suitable_page", # COMPACT_CONTINUE: compaction should continue to another pageblock 4: "continue", - # COMPACT_COMPLETE: The full zone was compacted scanned but wasn't successfull to compact suitable pages. + # COMPACT_COMPLETE: The full zone was compacted scanned but wasn't successful to compact suitable pages. 5: "complete", - # COMPACT_PARTIAL_SKIPPED: direct compaction has scanned part of the zone but wasn't successfull to compact suitable pages. + # COMPACT_PARTIAL_SKIPPED: direct compaction has scanned part of the zone but wasn't successful to compact suitable pages. 6: "partial_skipped", # COMPACT_CONTENDED: compaction terminated prematurely due to lock contentions 7: "contended", diff --git a/tools/criticalstat_example.txt b/tools/criticalstat_example.txt index 1f5376913..10e25a920 100644 --- a/tools/criticalstat_example.txt +++ b/tools/criticalstat_example.txt @@ -1,9 +1,9 @@ Demonstrations of criticalstat: Find long atomic critical sections in the kernel. -criticalstat traces and reports occurences of atomic critical sections in the +criticalstat traces and reports occurrences of atomic critical sections in the kernel with useful stacktraces showing the origin of them. Such critical sections frequently occur due to use of spinlocks, or if interrupts or -preemption were explicity disabled by a driver. IRQ routines in Linux are also +preemption were explicitly disabled by a driver. IRQ routines in Linux are also executed with interrupts disabled. There are many reasons. Such critical sections are a source of long latency/responsive issues for real-time systems. diff --git a/tools/inject.py b/tools/inject.py index fa2d38875..9d6b85f8c 100755 --- a/tools/inject.py +++ b/tools/inject.py @@ -75,7 +75,7 @@ def _get_if_top(self): else: early_pred = "bpf_get_prandom_u32() > %s" % str(int((1<<32)*Probe.probability)) # init the map - # dont do an early exit here so the singular case works automatically + # don't do an early exit here so the singular case works automatically # have an early exit for probability option enter = """ /* @@ -112,7 +112,7 @@ def _get_heading(self): self.func_name = self.event + ("_entry" if self.is_entry else "_exit") func_sig = "struct pt_regs *ctx" - # assume theres something in there, no guarantee its well formed + # assume there's something in there, no guarantee its well formed if right > left + 1 and self.is_entry: func_sig += ", " + self.func[left + 1:right] @@ -209,13 +209,13 @@ def _generate_bottom(self): pred = self.preds[0][0] text = self._get_heading() + """ { - u32 overriden = 0; + u32 overridden = 0; int zero = 0; u32* val; val = count.lookup(&zero); if (val) - overriden = *val; + overridden = *val; /* * preparation for predicate, if necessary @@ -224,7 +224,7 @@ def _generate_bottom(self): /* * If this is the only call in the chain and predicate passes */ - if (%s == 1 && %s && overriden < %s) { + if (%s == 1 && %s && overridden < %s) { count.increment(zero); bpf_override_return(ctx, %s); return 0; @@ -239,7 +239,7 @@ def _generate_bottom(self): /* * If all conds have been met and predicate passes */ - if (p->conds_met == %s && %s && overriden < %s) { + if (p->conds_met == %s && %s && overridden < %s) { count.increment(zero); bpf_override_return(ctx, %s); } diff --git a/tools/klockstat.py b/tools/klockstat.py index aa9e7c0ab..4b4661068 100755 --- a/tools/klockstat.py +++ b/tools/klockstat.py @@ -47,7 +47,7 @@ def positive_nonzero_int(val): return ival def stack_id_err(stack_id): - # -EFAULT in get_stackid normally means the stack-trace is not availible, + # -EFAULT in get_stackid normally means the stack-trace is not available, # Such as getting kernel stack trace in userspace code return (stack_id < 0) and (stack_id != -errno.EFAULT) diff --git a/tools/nfsslower.py b/tools/nfsslower.py index 36918ca00..5e344b9b4 100755 --- a/tools/nfsslower.py +++ b/tools/nfsslower.py @@ -22,7 +22,7 @@ # # This tool uses kprobes to instrument the kernel for entry and exit # information, in the future a preferred way would be to use tracepoints. -# Currently there are'nt any tracepoints available for nfs_read_file, +# Currently there aren't any tracepoints available for nfs_read_file, # nfs_write_file and nfs_open_file, nfs_getattr does have entry and exit # tracepoints but we chose to use kprobes for consistency # diff --git a/tools/offcputime.py b/tools/offcputime.py index 39f36953f..50ce1cc1e 100755 --- a/tools/offcputime.py +++ b/tools/offcputime.py @@ -36,7 +36,7 @@ def positive_nonzero_int(val): return ival def stack_id_err(stack_id): - # -EFAULT in get_stackid normally means the stack-trace is not availible, + # -EFAULT in get_stackid normally means the stack-trace is not available, # Such as getting kernel stack trace in userspace code return (stack_id < 0) and (stack_id != -errno.EFAULT) diff --git a/tools/offwaketime.py b/tools/offwaketime.py index 4809a3b65..da9dbdbc7 100755 --- a/tools/offwaketime.py +++ b/tools/offwaketime.py @@ -36,7 +36,7 @@ def positive_nonzero_int(val): return ival def stack_id_err(stack_id): - # -EFAULT in get_stackid normally means the stack-trace is not availible, + # -EFAULT in get_stackid normally means the stack-trace is not available, # Such as getting kernel stack trace in userspace code return (stack_id < 0) and (stack_id != -errno.EFAULT) diff --git a/tools/old/profile.py b/tools/old/profile.py index 7c768f436..0abcf5763 100755 --- a/tools/old/profile.py +++ b/tools/old/profile.py @@ -19,7 +19,7 @@ # wrong, note that the first line is the IP, and then the (skipped) stack. # # Note: if another perf-based sampling session is active, the output may become -# polluted with their events. On older kernels, the ouptut may also become +# polluted with their events. On older kernels, the output may also become # polluted with tracing sessions (when the kprobe is used instead of the # tracepoint). If this becomes a problem, logic can be added to filter events. # @@ -300,7 +300,7 @@ def aksym(addr): counts = b.get_table("counts") stack_traces = b.get_table("stack_traces") for k, v in sorted(counts.items(), key=lambda counts: counts[1].value): - # handle get_stackid erorrs + # handle get_stackid errors if (not args.user_stacks_only and k.kernel_stack_id < 0 and k.kernel_stack_id != -errno.EFAULT) or \ (not args.kernel_stacks_only and k.user_stack_id < 0 and diff --git a/tools/profile.py b/tools/profile.py index dfbced6aa..97ffd8fb3 100755 --- a/tools/profile.py +++ b/tools/profile.py @@ -57,7 +57,7 @@ def positive_nonzero_int(val): return ival def stack_id_err(stack_id): - # -EFAULT in get_stackid normally means the stack-trace is not availible, + # -EFAULT in get_stackid normally means the stack-trace is not available, # Such as getting kernel stack trace in userspace code return (stack_id < 0) and (stack_id != -errno.EFAULT) diff --git a/tools/reset-trace.sh b/tools/reset-trace.sh index fb891a738..34565b795 100755 --- a/tools/reset-trace.sh +++ b/tools/reset-trace.sh @@ -93,7 +93,7 @@ function checkfile { contents=$(grep -v '^#' $file) if [[ "$contents" != "$expected" ]]; then echo "Noticed unrelated tracing file $PWD/$file isn't set as" \ - "expected. Not reseting (-F to force, -v for verbose)." + "expected. Not resetting (-F to force, -v for verbose)." vecho "Contents of $file is (line enumerated):" (( opt_verbose )) && cat -nv $file vecho "Expected \"$expected\"." @@ -113,7 +113,7 @@ done shift $(( $OPTIND - 1 )) ### reset tracing state -vecho "Reseting tracing state..." +vecho "Resetting tracing state..." vecho cd $tracing || die "ERROR: accessing tracing. Root user? /sys/kernel/debug?" diff --git a/tools/reset-trace_example.txt b/tools/reset-trace_example.txt index d0f6777f6..37b2232ac 100644 --- a/tools/reset-trace_example.txt +++ b/tools/reset-trace_example.txt @@ -27,7 +27,7 @@ That's it. You can use -v to see what it does: # ./reset-trace.sh -v -Reseting tracing state... +Resetting tracing state... Checking /sys/kernel/debug/tracing/kprobe_events Checking /sys/kernel/debug/tracing/uprobe_events @@ -132,7 +132,7 @@ Ok, so the process is now gone, but it did leave tracing in a semi-enabled state. Using reset-trace: # ./reset-trace.sh -v -Reseting tracing state... +Resetting tracing state... Checking /sys/kernel/debug/tracing/kprobe_events Checking /sys/kernel/debug/tracing/uprobe_events @@ -186,19 +186,19 @@ And again with quiet: Here is an example of reset-trace detecting an unrelated tracing session: # ./reset-trace.sh -Noticed unrelated tracing file /sys/kernel/debug/tracing/set_ftrace_filter isn't set as expected. Not reseting (-F to force, -v for verbose). +Noticed unrelated tracing file /sys/kernel/debug/tracing/set_ftrace_filter isn't set as expected. Not resetting (-F to force, -v for verbose). And verbose: # ./reset-trace.sh -v -Reseting tracing state... +Resetting tracing state... Checking /sys/kernel/debug/tracing/kprobe_events Checking /sys/kernel/debug/tracing/uprobe_events Checking /sys/kernel/debug/tracing/trace Checking /sys/kernel/debug/tracing/current_tracer Checking /sys/kernel/debug/tracing/set_ftrace_filter -Noticed unrelated tracing file /sys/kernel/debug/tracing/set_ftrace_filter isn't set as expected. Not reseting (-F to force, -v for verbose). +Noticed unrelated tracing file /sys/kernel/debug/tracing/set_ftrace_filter isn't set as expected. Not resetting (-F to force, -v for verbose). Contents of set_ftrace_filter is (line enumerated): 1 tcp_send_mss 2 tcp_sendpage diff --git a/tools/runqlen_example.txt b/tools/runqlen_example.txt index 4c10ed42e..60c76feca 100644 --- a/tools/runqlen_example.txt +++ b/tools/runqlen_example.txt @@ -36,7 +36,7 @@ of 8. This will cause run queue latency, which can be measured by the bcc runqlat tool. -Here's an example of an issue that runqlen can indentify. Starting with the +Here's an example of an issue that runqlen can identify. Starting with the system-wide summary: # ./runqlen.py diff --git a/tools/solisten_example.txt b/tools/solisten_example.txt index f7ace8c56..2e5d7613c 100644 --- a/tools/solisten_example.txt +++ b/tools/solisten_example.txt @@ -21,7 +21,7 @@ PID COMM NETNS PROTO BACKLOG ADDR 6069 nginx 4026531957 TCPv6 128 :: 80 This output show the listen event from 3 programs. Netcat was started twice as -shown by the 2 different PIDs. The first time on the wilcard IPv4, the second +shown by the 2 different PIDs. The first time on the wildcard IPv4, the second time on an IPv6. Netcat being a "one shot" program. It can accept a single connection, hence the backlog of "1". diff --git a/tools/tcpaccept.py b/tools/tcpaccept.py index 914d51837..7c1042084 100755 --- a/tools/tcpaccept.py +++ b/tools/tcpaccept.py @@ -82,7 +82,7 @@ # # The following code uses kprobes to instrument inet_csk_accept(). # On Linux 4.16 and later, we could use sock:inet_sock_set_state -# tracepoint for efficency, but it may output wrong PIDs. This is +# tracepoint for efficiency, but it may output wrong PIDs. This is # because sock:inet_sock_set_state may run outside of process context. # Hence, we stick to kprobes until we find a proper solution. # diff --git a/tools/tcplife.lua b/tools/tcplife.lua index 60fb51f08..3f4f6afdd 100755 --- a/tools/tcplife.lua +++ b/tools/tcplife.lua @@ -203,7 +203,7 @@ local arg_time = false local examples = [[examples: ./tcplife # trace all TCP connect()s ./tcplife -t # include time column (HH:MM:SS) - ./tcplife -w # wider colums (fit IPv6) + ./tcplife -w # wider columns (fit IPv6) ./tcplife -stT # csv output, with times & timestamps ./tcplife -p 181 # only trace PID 181 ./tcplife -L 80 # only trace local port 80 diff --git a/tools/tcplife.py b/tools/tcplife.py index ed2515539..d4e679dd7 100755 --- a/tools/tcplife.py +++ b/tools/tcplife.py @@ -33,7 +33,7 @@ examples = """examples: ./tcplife # trace all TCP connect()s ./tcplife -t # include time column (HH:MM:SS) - ./tcplife -w # wider colums (fit IPv6) + ./tcplife -w # wider columns (fit IPv6) ./tcplife -stT # csv output, with times & timestamps ./tcplife -p 181 # only trace PID 181 ./tcplife -L 80 # only trace local port 80 diff --git a/tools/tcplife_example.txt b/tools/tcplife_example.txt index fe4e52b10..cbf44796f 100644 --- a/tools/tcplife_example.txt +++ b/tools/tcplife_example.txt @@ -127,7 +127,7 @@ optional arguments: examples: ./tcplife # trace all TCP connect()s ./tcplife -t # include time column (HH:MM:SS) - ./tcplife -w # wider colums (fit IPv6) + ./tcplife -w # wider columns (fit IPv6) ./tcplife -stT # csv output, with times & timestamps ./tcplife -p 181 # only trace PID 181 ./tcplife -L 80 # only trace local port 80 diff --git a/tools/tcpstates.py b/tools/tcpstates.py index 3c78b1c4c..b9a643873 100755 --- a/tools/tcpstates.py +++ b/tools/tcpstates.py @@ -28,7 +28,7 @@ ./tcpstates # trace all TCP state changes ./tcpstates -t # include timestamp column ./tcpstates -T # include time column (HH:MM:SS) - ./tcpstates -w # wider colums (fit IPv6) + ./tcpstates -w # wider columns (fit IPv6) ./tcpstates -stT # csv output, with times & timestamps ./tcpstates -Y # log events to the systemd journal ./tcpstates -L 80 # only trace local port 80 diff --git a/tools/tcpstates_example.txt b/tools/tcpstates_example.txt index 05df8b616..e50012e7d 100644 --- a/tools/tcpstates_example.txt +++ b/tools/tcpstates_example.txt @@ -47,7 +47,7 @@ examples: ./tcpstates # trace all TCP state changes ./tcpstates -t # include timestamp column ./tcpstates -T # include time column (HH:MM:SS) - ./tcpstates -w # wider colums (fit IPv6) + ./tcpstates -w # wider columns (fit IPv6) ./tcpstates -stT # csv output, with times & timestamps ./tcpstates -Y # log events to the systemd journal ./tcpstates -L 80 # only trace local port 80 diff --git a/tools/tcpsubnet_example.txt b/tools/tcpsubnet_example.txt index 72a61722c..49576d678 100644 --- a/tools/tcpsubnet_example.txt +++ b/tools/tcpsubnet_example.txt @@ -42,7 +42,7 @@ By default, tcpsubnet will categorize traffic in the following subnets: The last subnet is a catch-all. In other words, anything that doesn't match the first 4 defaults will be categorized under 0.0.0.0/0 -You can change this default behavoir by passing a comma separated list +You can change this default behavior by passing a comma separated list of subnets. Let's say we would like to know how much traffic we are sending to github.com. We first find out what IPs github.com resolves to, Eg: @@ -96,7 +96,7 @@ the first element of the list and 192.130.253.112/32 as the second, all the traffic going to 192.130.253.112/32 will have been categorized in 0.0.0.0/0 as 192.130.253.112/32 is contained in 0.0.0.0/0. -The default ouput unit is bytes. You can change it by using the +The default output unit is bytes. You can change it by using the -f [--format] flag. tcpsubnet uses the same flags as iperf for the unit format and adds mM. When using kmKM, the output will be rounded to floor. Eg: diff --git a/tools/tcptracer_example.txt b/tools/tcptracer_example.txt index f782d91d2..2873d036a 100644 --- a/tools/tcptracer_example.txt +++ b/tools/tcptracer_example.txt @@ -19,7 +19,7 @@ A 28978 nc 4 10.202.210.1 10.202.109.12 8080 59160 X 28978 nc 4 10.202.210.1 10.202.109.12 8080 59160 ``` -This output shows three conections, one outgoing from a "telnet" process, one +This output shows three connections, one outgoing from a "telnet" process, one outgoing from "curl" to a local netcat, and one incoming received by the "nc" process. The output details show the kind of event (C for connection, X for close and A for accept), PID, IP version, source address, destination address, From 9c32c359637df243269ae871f50a6837aee0ceb0 Mon Sep 17 00:00:00 2001 From: yonghong-song Date: Thu, 9 Jan 2020 14:31:31 -0800 Subject: [PATCH 191/228] update usage of MCInstPrinter printInst() for llvm10 (#2696) --- src/cc/bcc_debug.cc | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/src/cc/bcc_debug.cc b/src/cc/bcc_debug.cc index 1e82d2669..c9ac273ad 100644 --- a/src/cc/bcc_debug.cc +++ b/src/cc/bcc_debug.cc @@ -225,7 +225,11 @@ void SourceDebugger::dump() { CurrentSrcLine, os); os << format("%4" PRIu64 ":", Index >> 3) << '\t'; dumpBytes(Data.slice(Index, Size), os); +#if LLVM_MAJOR_VERSION >= 10 + IP->printInst(&Inst, 0, "", *STI, os); +#else IP->printInst(&Inst, os, "", *STI); +#endif os << '\n'; } } From 03e0d26483e6165227b1150a0418664e8bbcdb80 Mon Sep 17 00:00:00 2001 From: Gary Lin Date: Thu, 9 Jan 2020 15:38:14 +0800 Subject: [PATCH 192/228] docs: add BPF trampoline to the kernel features Signed-off-by: Gary Lin --- docs/kernel-versions.md | 1 + 1 file changed, 1 insertion(+) diff --git a/docs/kernel-versions.md b/docs/kernel-versions.md index 85d38ff18..e16133e7f 100644 --- a/docs/kernel-versions.md +++ b/docs/kernel-versions.md @@ -77,6 +77,7 @@ BPF socket reuseport | 4.19 | [`2dbb9b9e6df6`](https://github.com/torvalds/linux BPF flow dissector | 4.20 | [`d58e468b1112`](https://github.com/torvalds/linux/commit/d58e468b1112dcd1d5193c0a89ff9f98b5a3e8b9) BPF cgroup sysctl | 5.2 | [`7b146cebe30c`](https://github.com/torvalds/linux/commit/7b146cebe30cb481b0f70d85779da938da818637) BPF raw tracepoint writable | 5.2 | [`9df1c28bb752`](https://github.com/torvalds/linux/commit/9df1c28bb75217b244257152ab7d788bb2a386d0) +BPF trampoline | 5.5 | [`fec56f5890d9`] (https://github.com/torvalds/linux/commit/fec56f5890d93fc2ed74166c397dc186b1c25951) ## Tables (_a.k.a._ Maps) From 18e0991f7057922b4735de013e1dc06f6260f8f3 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?T=C3=B6r=C3=B6k=20Edwin?= Date: Thu, 9 Jan 2020 13:15:22 +0000 Subject: [PATCH 193/228] Secure Boot: physical keypress to disable lockdown Ubuntu 19.10 with secure boot enabled doesn't allow the kernel lockdown to be lifted by echo, even from root: ``` # echo 1 > /proc/sys/kernel/sysrq # echo x > /proc/sysrq-trigger ``` dmesg says: ``` This sysrq operation is disabled from userspace. ``` I pressed Alt-PrtScr-x and that worked: ``` sysrq: Disabling Secure Boot restrictions Lifting lockdown ``` I can now run eBPF tools, such as execsnoop-bpfcc. --- FAQ.txt | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/FAQ.txt b/FAQ.txt index 4862b7e14..e21a83243 100644 --- a/FAQ.txt +++ b/FAQ.txt @@ -29,6 +29,13 @@ A: The so-called Kernel lockdown might be the root cause. Try disabling it with echo 1 > /proc/sys/kernel/sysrq echo x > /proc/sysrq-trigger Also see https://github.com/iovisor/bcc/issues/2525 + + If you have Secure Boot enabled you need to press Alt-PrintScr-x on the keyboard instead: + ``` + This sysrq operation is disabled from userspace. + sysrq: Disabling Secure Boot restrictions + Lifting lockdown + ``` Q: How do I fulfill the Linux kernel version requirement? A: You need to obtain a recent version of the Linux source code From 670aad2e7fd9e8f21db56ee188cbb4ab010f91c0 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Thu, 2 Jan 2020 22:57:36 -0800 Subject: [PATCH 194/228] sanitize BTF_KIND_FUNC The llvm patch https://reviews.llvm.org/D71638 extends BTF_KIND_FUNC to include scope of the function, static, global and extern, with btf_type->info vlen encoding since vlen is always 0 before the extension. This patch did the sanitization so that the bcc with latest llvm can still work on older kernels. Signed-off-by: Yonghong Song --- src/cc/bcc_btf.cc | 14 +++++++++----- src/cc/bcc_btf.h | 2 +- 2 files changed, 10 insertions(+), 6 deletions(-) diff --git a/src/cc/bcc_btf.cc b/src/cc/bcc_btf.cc index a136e841b..69d36bc4b 100644 --- a/src/cc/bcc_btf.cc +++ b/src/cc/bcc_btf.cc @@ -70,8 +70,8 @@ void BTF::warning(const char *format, ...) { va_end(args); } -void BTF::fixup_datasec(uint8_t *type_sec, uintptr_t type_sec_size, - char *strings) { +void BTF::fixup_btf(uint8_t *type_sec, uintptr_t type_sec_size, + char *strings) { uint8_t *next_type = type_sec; uint8_t *end_type = type_sec + type_sec_size; int base_size = sizeof(struct btf_type); @@ -89,7 +89,11 @@ void BTF::fixup_datasec(uint8_t *type_sec, uintptr_t type_sec_size, case BTF_KIND_RESTRICT: case BTF_KIND_PTR: case BTF_KIND_TYPEDEF: + break; case BTF_KIND_FUNC: + // sanitize vlen to be 0 since bcc does not + // care about func scope (static, global, extern) yet. + t->info &= ~0xffff; break; case BTF_KIND_INT: next_type += sizeof(uint32_t); @@ -184,9 +188,9 @@ void BTF::adjust(uint8_t *btf_sec, uintptr_t btf_sec_size, struct btf_header *hdr = (struct btf_header *)btf_sec; struct btf_ext_header *ehdr = (struct btf_ext_header *)btf_ext_sec; - // Fixup datasec. - fixup_datasec(btf_sec + hdr->hdr_len + hdr->type_off, hdr->type_len, - (char *)(btf_sec + hdr->hdr_len + hdr->str_off)); + // Fixup btf for old kernels or kernel requirements. + fixup_btf(btf_sec + hdr->hdr_len + hdr->type_off, hdr->type_len, + (char *)(btf_sec + hdr->hdr_len + hdr->str_off)); // Check the LineInfo table and add missing lines char *strings = (char *)(btf_sec + hdr->hdr_len + hdr->str_off); diff --git a/src/cc/bcc_btf.h b/src/cc/bcc_btf.h index 610dee8e9..438c1f73f 100644 --- a/src/cc/bcc_btf.h +++ b/src/cc/bcc_btf.h @@ -62,7 +62,7 @@ class BTF { unsigned *key_tid, unsigned *value_tid); private: - void fixup_datasec(uint8_t *type_sec, uintptr_t type_sec_size, char *strings); + void fixup_btf(uint8_t *type_sec, uintptr_t type_sec_size, char *strings); void adjust(uint8_t *btf_sec, uintptr_t btf_sec_size, uint8_t *btf_ext_sec, uintptr_t btf_ext_sec_size, std::map &remapped_sources, From 071eef6b1571f23be6f0fc03787523cb06b70659 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Fri, 10 Jan 2020 12:52:44 -0800 Subject: [PATCH 195/228] sync with latest libbpf repo sync with latest libbpf repo upto the following commit: https://github.com/libbpf/libbpf/commit/868739519894fbf2cdb81f1f9222f1b665670096 Signed-off-by: Yonghong Song --- docs/kernel-versions.md | 1 + introspection/bps.c | 2 ++ src/cc/compat/linux/virtual_bpf.h | 36 ++++++++++++++++++++++++++++--- src/cc/libbpf | 2 +- src/cc/libbpf.c | 1 + 5 files changed, 38 insertions(+), 4 deletions(-) diff --git a/docs/kernel-versions.md b/docs/kernel-versions.md index e16133e7f..d09fa0f84 100644 --- a/docs/kernel-versions.md +++ b/docs/kernel-versions.md @@ -267,6 +267,7 @@ Helper | Kernel version | License | Commit | `BPF_FUNC_tail_call()` | 4.2 | | [`04fd61ab36ec`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=04fd61ab36ec065e194ab5e74ae34a5240d992bb) `BPF_FUNC_tcp_check_syncookie()` | 5.2 | | [`399040847084`](https://kernel.googlesource.com/pub/scm/linux/kernel/git/davem/net-next/+/399040847084a69f345e0a52fd62f04654e0fce3) `BPF_FUNC_tcp_gen_syncookie()` | 5.3 | | [`70d66244317e`](https://github.com/torvalds/linux/commit/70d66244317e958092e9c971b08dd5b7fd29d9cb#diff-05da4bf36c7fbcd176254e1615d98b28) +`BPF_FUNC_tcp_send_ack()` | 5.5 | | [`206057fe020a`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=206057fe020ac5c037d5e2dd6562a9bd216ec765) `BPF_FUNC_tcp_sock()` | 5.1 | | [`655a51e536c0`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=655a51e536c09d15ffa3603b1b6fce2b45b85a1f) `BPF_FUNC_trace_printk()` | 4.1 | GPL | [`9c959c863f82`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=9c959c863f8217a2ff3d7c296e8223654d240569) `BPF_FUNC_xdp_adjust_head()` | 4.10 | | [`17bedab27231`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=17bedab2723145d17b14084430743549e6943d03) diff --git a/introspection/bps.c b/introspection/bps.c index 59160938c..4190fb853 100644 --- a/introspection/bps.c +++ b/introspection/bps.c @@ -43,6 +43,7 @@ static const char * const prog_type_strings[] = { [BPF_PROG_TYPE_RAW_TRACEPOINT_WRITABLE] = "raw_tracepoint_writable", [BPF_PROG_TYPE_CGROUP_SOCKOPT] = "cgroup_sockopt", [BPF_PROG_TYPE_TRACING] = "tracing", + [BPF_PROG_TYPE_STRUCT_OPS] = "struct_ops", }; static const char * const map_type_strings[] = { @@ -71,6 +72,7 @@ static const char * const map_type_strings[] = { [BPF_MAP_TYPE_STACK] = "stack", [BPF_MAP_TYPE_SK_STORAGE] = "sk_storage", [BPF_MAP_TYPE_DEVMAP_HASH] = "devmap_hash", + [BPF_MAP_TYPE_STRUCT_OPS] = "struct_ops", }; #define ARRAY_SIZE(x) (sizeof(x) / sizeof(*(x))) diff --git a/src/cc/compat/linux/virtual_bpf.h b/src/cc/compat/linux/virtual_bpf.h index 723bf1c9f..d3d8403d3 100644 --- a/src/cc/compat/linux/virtual_bpf.h +++ b/src/cc/compat/linux/virtual_bpf.h @@ -137,6 +137,7 @@ enum bpf_map_type { BPF_MAP_TYPE_STACK, BPF_MAP_TYPE_SK_STORAGE, BPF_MAP_TYPE_DEVMAP_HASH, + BPF_MAP_TYPE_STRUCT_OPS, }; /* Note that tracing related programs such as @@ -175,6 +176,7 @@ enum bpf_prog_type { BPF_PROG_TYPE_RAW_TRACEPOINT_WRITABLE, BPF_PROG_TYPE_CGROUP_SOCKOPT, BPF_PROG_TYPE_TRACING, + BPF_PROG_TYPE_STRUCT_OPS, }; enum bpf_attach_type { @@ -232,6 +234,11 @@ enum bpf_attach_type { * When children program makes decision (like picking TCP CA or sock bind) * parent program has a chance to override it. * + * With BPF_F_ALLOW_MULTI a new program is added to the end of the list of + * programs for a cgroup. Though it's possible to replace an old program at + * any position by also specifying BPF_F_REPLACE flag and position itself in + * replace_bpf_fd attribute. Old program at this position will be released. + * * A cgroup with MULTI or OVERRIDE flag allows any attach flags in sub-cgroups. * A cgroup with NONE doesn't allow any programs in sub-cgroups. * Ex1: @@ -250,6 +257,7 @@ enum bpf_attach_type { */ #define BPF_F_ALLOW_OVERRIDE (1U << 0) #define BPF_F_ALLOW_MULTI (1U << 1) +#define BPF_F_REPLACE (1U << 2) /* If BPF_F_STRICT_ALIGNMENT is used in BPF_PROG_LOAD command, the * verifier will perform strict alignment checking as if the kernel @@ -352,7 +360,12 @@ enum bpf_attach_type { /* Enable memory-mapping BPF map */ #define BPF_F_MMAPABLE (1U << 10) -/* flags for BPF_PROG_QUERY */ +/* Flags for BPF_PROG_QUERY. */ + +/* Query effective (directly attached + inherited from ancestor cgroups) + * programs that will be executed for events within a cgroup. + * attach_flags with this flag are returned only for directly attached programs. + */ #define BPF_F_QUERY_EFFECTIVE (1U << 0) enum bpf_stack_build_id_status { @@ -392,6 +405,10 @@ union bpf_attr { __u32 btf_fd; /* fd pointing to a BTF type data */ __u32 btf_key_type_id; /* BTF type_id of the key */ __u32 btf_value_type_id; /* BTF type_id of the value */ + __u32 btf_vmlinux_value_type_id;/* BTF type_id of a kernel- + * struct stored as the + * map value + */ }; struct { /* anonymous struct used by BPF_MAP_*_ELEM commands */ @@ -443,6 +460,10 @@ union bpf_attr { __u32 attach_bpf_fd; /* eBPF program to attach */ __u32 attach_type; __u32 attach_flags; + __u32 replace_bpf_fd; /* previously attached eBPF + * program to replace if + * BPF_F_REPLACE is used + */ }; struct { /* anonymous struct used by BPF_PROG_TEST_RUN command */ @@ -2822,6 +2843,14 @@ union bpf_attr { * Return * On success, the strictly positive length of the string, including * the trailing NUL character. On error, a negative value. + * + * int bpf_tcp_send_ack(void *tp, u32 rcv_nxt) + * Description + * Send out a tcp-ack. *tp* is the in-kernel struct tcp_sock. + * *rcv_nxt* is the ack_seq to be sent out. + * Return + * 0 on success, or a negative error in case of failure. + * */ #define __BPF_FUNC_MAPPER(FN) \ FN(unspec), \ @@ -2939,7 +2968,8 @@ union bpf_attr { FN(probe_read_user), \ FN(probe_read_kernel), \ FN(probe_read_user_str), \ - FN(probe_read_kernel_str), + FN(probe_read_kernel_str), \ + FN(tcp_send_ack), /* integer value in 'imm' field of BPF_CALL instruction selects which helper * function eBPF program intends to call @@ -3340,7 +3370,7 @@ struct bpf_map_info { __u32 map_flags; char name[BPF_OBJ_NAME_LEN]; __u32 ifindex; - __u32 :32; + __u32 btf_vmlinux_value_type_id; __u64 netns_dev; __u64 netns_ino; __u32 btf_id; diff --git a/src/cc/libbpf b/src/cc/libbpf index e7a82fc03..868739519 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit e7a82fc0330f1189797d16b03fc6391475d79c6d +Subproject commit 868739519894fbf2cdb81f1f9222f1b665670096 diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index cfd7fde5f..edfc6e523 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -213,6 +213,7 @@ static struct bpf_helper helpers[] = { {"probe_read_kernel", "5.5"}, {"probe_read_user_str", "5.5"}, {"probe_read_kernel_str", "5.5"}, + {"tcp_send_ack", "5.5"}, }; static uint64_t ptr_to_u64(void *ptr) From bbafe998921792839d5c09f76705dd30849140ba Mon Sep 17 00:00:00 2001 From: Russell Jones Date: Mon, 13 Jan 2020 13:54:57 -0800 Subject: [PATCH 196/228] Fix CentOS 6 support. CentOS 6 support was added in #1504 and inadvertently reverted in #1763 leading to builds failing due to undefined reference to "clock_gettime". To re-add support for building on CentOS 6 and keep binary size down, only add librt to the list of target_link_libraries to allow "clock_gettime" to be resolved. --- introspection/CMakeLists.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/introspection/CMakeLists.txt b/introspection/CMakeLists.txt index a2cdb5f4d..c5983b20d 100644 --- a/introspection/CMakeLists.txt +++ b/introspection/CMakeLists.txt @@ -8,6 +8,6 @@ include_directories(${CMAKE_SOURCE_DIR}/src/cc/libbpf/include/uapi) option(INSTALL_INTROSPECTION "Install BPF introspection tools" ON) add_executable(bps bps.c) -target_link_libraries(bps bpf-static elf z) +target_link_libraries(bps bpf-static elf rt z) install (TARGETS bps DESTINATION share/bcc/introspection) From 304d95cf48c256cbf5bb27d68193db4f01afb9e8 Mon Sep 17 00:00:00 2001 From: Anton Protopopov Date: Wed, 15 Jan 2020 08:56:27 +0000 Subject: [PATCH 197/228] bpflist: list only real bpf objects The regular expression '.*bpf-(\\w+)' used to grep for bpf objects would also list regular files. For example, a process like `vim /tmp/bpf-woo` would be listed in the output and the type of the BPF object will be 'woo'. Fix this by correcting the regular expression. Signed-off-by: Anton Protopopov --- tools/bpflist.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tools/bpflist.py b/tools/bpflist.py index f73e945ac..56aed4822 100755 --- a/tools/bpflist.py +++ b/tools/bpflist.py @@ -65,7 +65,7 @@ def find_bpf_fds(pid): link = os.readlink(os.path.join(root, fd)) except OSError: continue - match = re.match('.*bpf-(\\w+)', link) + match = re.match('anon_inode:bpf-([\\w-]+)', link) if match: tup = (pid, match.group(1)) counts[tup] = counts.get(tup, 0) + 1 From 90937ce0237f72ccf18142296a6d5c97cc823791 Mon Sep 17 00:00:00 2001 From: Anton Protopopov Date: Wed, 15 Jan 2020 09:02:36 +0000 Subject: [PATCH 198/228] bpflist: use smarter print format BPF object type can be wider than 8 characters, e.g., for the "raw-tracepoint" type. Compute the printing format automatically based on the maximum length of BPF objects to be listed. Signed-off-by: Anton Protopopov --- tools/bpflist.py | 11 ++++++++--- 1 file changed, 8 insertions(+), 3 deletions(-) diff --git a/tools/bpflist.py b/tools/bpflist.py index 56aed4822..2d9793e6d 100755 --- a/tools/bpflist.py +++ b/tools/bpflist.py @@ -76,7 +76,12 @@ def find_bpf_fds(pid): find_bpf_fds(int(pdir)) except OSError: continue -print("%-6s %-16s %-8s %s" % ("PID", "COMM", "TYPE", "COUNT")) -for (pid, typ), count in sorted(counts.items(), key=lambda t: t[0][0]): + +items = counts.items() +max_type_len = items and max(list(map(lambda t: len(t[0][1]), items))) or 0 +print_format = "%%-6s %%-16s %%-%ss %%s" % (max_type_len + 1) + +print(print_format % ("PID", "COMM", "TYPE", "COUNT")) +for (pid, typ), count in sorted(items, key=lambda t: t[0][0]): comm = comm_for_pid(pid) - print("%-6d %-16s %-8s %-4d" % (pid, comm, typ, count)) + print(print_format % (pid, comm, typ, count)) From 4f0c29ea2c072c29e9ed064a1494f333e2378cf3 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Wed, 15 Jan 2020 19:38:54 -0800 Subject: [PATCH 199/228] fix llvm compilation error The following changes from llvm 10 https://github.com/llvm/llvm-project/commit/6fdd6a7b3f696972edc244488f59532d05136a27#diff-37c83c70858df19cb097e36b13b7c112 changed MCDisassembler::getInstruction() signature. Do the corresponding change in bcc_debug.cc to fix the issue. Signed-off-by: Yonghong Song --- src/cc/bcc_debug.cc | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/src/cc/bcc_debug.cc b/src/cc/bcc_debug.cc index c9ac273ad..371b6ad36 100644 --- a/src/cc/bcc_debug.cc +++ b/src/cc/bcc_debug.cc @@ -201,8 +201,13 @@ void SourceDebugger::dump() { string src_dbg_str; llvm::raw_string_ostream os(src_dbg_str); for (uint64_t Index = 0; Index < FuncSize; Index += Size) { +#if LLVM_MAJOR_VERSION >= 10 + S = DisAsm->getInstruction(Inst, Size, Data.slice(Index), Index, + nulls()); +#else S = DisAsm->getInstruction(Inst, Size, Data.slice(Index), Index, nulls(), nulls()); +#endif if (S != MCDisassembler::Success) { os << "Debug Error: disassembler failed: " << std::to_string(S) << '\n'; From efbed3b678c4ab2e32b41978fc9e4a2c758bce5e Mon Sep 17 00:00:00 2001 From: Masanori Misono Date: Thu, 16 Jan 2020 01:33:02 +0000 Subject: [PATCH 200/228] docs: Remove a redundant space Signed-off-by: Masanori Misono --- docs/kernel-versions.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/kernel-versions.md b/docs/kernel-versions.md index d09fa0f84..e6e5424a4 100644 --- a/docs/kernel-versions.md +++ b/docs/kernel-versions.md @@ -77,7 +77,7 @@ BPF socket reuseport | 4.19 | [`2dbb9b9e6df6`](https://github.com/torvalds/linux BPF flow dissector | 4.20 | [`d58e468b1112`](https://github.com/torvalds/linux/commit/d58e468b1112dcd1d5193c0a89ff9f98b5a3e8b9) BPF cgroup sysctl | 5.2 | [`7b146cebe30c`](https://github.com/torvalds/linux/commit/7b146cebe30cb481b0f70d85779da938da818637) BPF raw tracepoint writable | 5.2 | [`9df1c28bb752`](https://github.com/torvalds/linux/commit/9df1c28bb75217b244257152ab7d788bb2a386d0) -BPF trampoline | 5.5 | [`fec56f5890d9`] (https://github.com/torvalds/linux/commit/fec56f5890d93fc2ed74166c397dc186b1c25951) +BPF trampoline | 5.5 | [`fec56f5890d9`](https://github.com/torvalds/linux/commit/fec56f5890d93fc2ed74166c397dc186b1c25951) ## Tables (_a.k.a._ Maps) From dce8e9daf59f44dec4e3500d39a82a8ce59e43ba Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Fri, 17 Jan 2020 22:06:52 -0800 Subject: [PATCH 201/228] sync with latest libbpf repo sync libbpf submodule upto the following commit: commit 033ad7ee78e8f266fdd27ee2675090ccf4402f3f Author: Andrii Nakryiko Date: Fri Jan 17 16:22:23 2020 -0800 sync: latest libbpf changes from kernel Signed-off-by: Yonghong Song --- docs/kernel-versions.md | 3 ++- src/cc/compat/linux/virtual_bpf.h | 40 +++++++++++++++++++++++++++++-- src/cc/libbpf | 2 +- src/cc/libbpf.c | 1 + 4 files changed, 42 insertions(+), 4 deletions(-) diff --git a/docs/kernel-versions.md b/docs/kernel-versions.md index e6e5424a4..0a990ee70 100644 --- a/docs/kernel-versions.md +++ b/docs/kernel-versions.md @@ -220,6 +220,7 @@ Helper | Kernel version | License | Commit | `BPF_FUNC_redirect()` | 4.4 | | [`27b29f63058d`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=27b29f63058d26c6c1742f1993338280d5a41dc6) `BPF_FUNC_redirect_map()` | 4.14 | | [`97f91a7cf04f`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=97f91a7cf04ff605845c20948b8a80e54cbd3376) `BPF_FUNC_send_signal()` | 5.3 | | [`8b401f9ed244`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=8b401f9ed2441ad9e219953927a842d24ed051fc) +`BPF_FUNC_send_signal_thread()` | 5.5 | | [`8482941f0906`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=8482941f09067da42f9c3362e15bfb3f3c19d610) `BPF_FUNC_set_hash()` | 4.13 | | [`ded092cd73c2`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=ded092cd73c2c56a394b936f86897f29b2e131c0) `BPF_FUNC_set_hash_invalid()` | 4.9 | | [`7a4b28c6cc9f`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=7a4b28c6cc9ffac50f791b99cc7e46106436e5d8) `BPF_FUNC_setsockopt()` | 4.13 | | [`8c4b4c7e9ff0`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=8c4b4c7e9ff0447995750d9329949fa082520269) @@ -319,5 +320,5 @@ The list of program types and supported helper functions can be retrieved with: |Function Group| Functions| |------------------|-------| |`Base functions`| `BPF_FUNC_map_lookup_elem()`
    `BPF_FUNC_map_update_elem()`
    `BPF_FUNC_map_delete_elem()`
    `BPF_FUNC_map_peek_elem()`
    `BPF_FUNC_map_pop_elem()`
    `BPF_FUNC_map_push_elem()`
    `BPF_FUNC_get_prandom_u32()`
    `BPF_FUNC_get_smp_processor_id()`
    `BPF_FUNC_get_numa_node_id()`
    `BPF_FUNC_tail_call()`
    `BPF_FUNC_ktime_get_ns()`
    `BPF_FUNC_trace_printk()`
    `BPF_FUNC_spin_lock()`
    `BPF_FUNC_spin_unlock()` | -|`Tracing functions`|`BPF_FUNC_map_lookup_elem()`
    `BPF_FUNC_map_update_elem()`
    `BPF_FUNC_map_delete_elem()`
    `BPF_FUNC_probe_read()`
    `BPF_FUNC_ktime_get_ns()`
    `BPF_FUNC_tail_call()`
    `BPF_FUNC_get_current_pid_tgid()`
    `BPF_FUNC_get_current_task()`
    `BPF_FUNC_get_current_uid_gid()`
    `BPF_FUNC_get_current_comm()`
    `BPF_FUNC_trace_printk()`
    `BPF_FUNC_get_smp_processor_id()`
    `BPF_FUNC_get_numa_node_id()`
    `BPF_FUNC_perf_event_read()`
    `BPF_FUNC_probe_write_user()`
    `BPF_FUNC_current_task_under_cgroup()`
    `BPF_FUNC_get_prandom_u32()`
    `BPF_FUNC_probe_read_str()`
    `BPF_FUNC_get_current_cgroup_id()`
    `BPF_FUNC_send_signal()`
    `BPF_FUNC_probe_read_kernel()`
    `BPF_FUNC_probe_read_kernel_str()`
    `BPF_FUNC_probe_read_user()`
    `BPF_FUNC_probe_read_user_str()`| +|`Tracing functions`|`BPF_FUNC_map_lookup_elem()`
    `BPF_FUNC_map_update_elem()`
    `BPF_FUNC_map_delete_elem()`
    `BPF_FUNC_probe_read()`
    `BPF_FUNC_ktime_get_ns()`
    `BPF_FUNC_tail_call()`
    `BPF_FUNC_get_current_pid_tgid()`
    `BPF_FUNC_get_current_task()`
    `BPF_FUNC_get_current_uid_gid()`
    `BPF_FUNC_get_current_comm()`
    `BPF_FUNC_trace_printk()`
    `BPF_FUNC_get_smp_processor_id()`
    `BPF_FUNC_get_numa_node_id()`
    `BPF_FUNC_perf_event_read()`
    `BPF_FUNC_probe_write_user()`
    `BPF_FUNC_current_task_under_cgroup()`
    `BPF_FUNC_get_prandom_u32()`
    `BPF_FUNC_probe_read_str()`
    `BPF_FUNC_get_current_cgroup_id()`
    `BPF_FUNC_send_signal()`
    `BPF_FUNC_probe_read_kernel()`
    `BPF_FUNC_probe_read_kernel_str()`
    `BPF_FUNC_probe_read_user()`
    `BPF_FUNC_probe_read_user_str()`
    `BPF_FUNC_send_signal_thread()`| |`LWT functions`| `BPF_FUNC_skb_load_bytes()`
    `BPF_FUNC_skb_pull_data()`
    `BPF_FUNC_csum_diff()`
    `BPF_FUNC_get_cgroup_classid()`
    `BPF_FUNC_get_route_realm()`
    `BPF_FUNC_get_hash_recalc()`
    `BPF_FUNC_perf_event_output()`
    `BPF_FUNC_get_smp_processor_id()`
    `BPF_FUNC_skb_under_cgroup()`| diff --git a/src/cc/compat/linux/virtual_bpf.h b/src/cc/compat/linux/virtual_bpf.h index d3d8403d3..0e8a4a661 100644 --- a/src/cc/compat/linux/virtual_bpf.h +++ b/src/cc/compat/linux/virtual_bpf.h @@ -108,6 +108,10 @@ enum bpf_cmd { BPF_MAP_LOOKUP_AND_DELETE_ELEM, BPF_MAP_FREEZE, BPF_BTF_GET_NEXT_ID, + BPF_MAP_LOOKUP_BATCH, + BPF_MAP_LOOKUP_AND_DELETE_BATCH, + BPF_MAP_UPDATE_BATCH, + BPF_MAP_DELETE_BATCH, }; enum bpf_map_type { @@ -421,6 +425,23 @@ union bpf_attr { __u64 flags; }; + struct { /* struct used by BPF_MAP_*_BATCH commands */ + __aligned_u64 in_batch; /* start batch, + * NULL to start from beginning + */ + __aligned_u64 out_batch; /* output: next start batch */ + __aligned_u64 keys; + __aligned_u64 values; + __u32 count; /* input/output: + * input: # of key/value + * elements + * output: # of filled elements + */ + __u32 map_fd; + __u64 elem_flags; + __u64 flags; + } batch; + struct { /* anonymous struct used by BPF_PROG_LOAD command */ __u32 prog_type; /* one of enum bpf_prog_type */ __u32 insn_cnt; @@ -2715,7 +2736,8 @@ union bpf_attr { * * int bpf_send_signal(u32 sig) * Description - * Send signal *sig* to the current task. + * Send signal *sig* to the process of the current task. + * The signal may be delivered to any of this process's threads. * Return * 0 on success or successfully queued. * @@ -2851,6 +2873,19 @@ union bpf_attr { * Return * 0 on success, or a negative error in case of failure. * + * int bpf_send_signal_thread(u32 sig) + * Description + * Send signal *sig* to the thread corresponding to the current task. + * Return + * 0 on success or successfully queued. + * + * **-EBUSY** if work queue under nmi is full. + * + * **-EINVAL** if *sig* is invalid. + * + * **-EPERM** if no permission to send the *sig*. + * + * **-EAGAIN** if bpf program can try again. */ #define __BPF_FUNC_MAPPER(FN) \ FN(unspec), \ @@ -2969,7 +3004,8 @@ union bpf_attr { FN(probe_read_kernel), \ FN(probe_read_user_str), \ FN(probe_read_kernel_str), \ - FN(tcp_send_ack), + FN(tcp_send_ack), \ + FN(send_signal_thread), /* integer value in 'imm' field of BPF_CALL instruction selects which helper * function eBPF program intends to call diff --git a/src/cc/libbpf b/src/cc/libbpf index 868739519..033ad7ee7 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 868739519894fbf2cdb81f1f9222f1b665670096 +Subproject commit 033ad7ee78e8f266fdd27ee2675090ccf4402f3f diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index edfc6e523..e0d9eac10 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -214,6 +214,7 @@ static struct bpf_helper helpers[] = { {"probe_read_user_str", "5.5"}, {"probe_read_kernel_str", "5.5"}, {"tcp_send_ack", "5.5"}, + {"send_signal_thread", "5.5"}, }; static uint64_t ptr_to_u64(void *ptr) From da59f37f14320c0a20300f2c516336ae9ebe8a30 Mon Sep 17 00:00:00 2001 From: mtmn Date: Sun, 19 Jan 2020 19:38:59 +0100 Subject: [PATCH 202/228] Remove from list of AUR packages --- INSTALL.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/INSTALL.md b/INSTALL.md index 74b4b6b91..da0fc0484 100644 --- a/INSTALL.md +++ b/INSTALL.md @@ -163,7 +163,7 @@ Upgrade the kernel to minimum 4.3.1-1 first; the ```CONFIG_BPF_SYSCALL=y``` conf Install these packages using any AUR helper such as [pacaur](https://aur.archlinux.org/packages/pacaur), [yaourt](https://aur.archlinux.org/packages/yaourt), [cower](https://aur.archlinux.org/packages/cower), etc.: ``` -bcc bcc-tools python-bcc python2-bcc +bcc bcc-tools python-bcc ``` All build and install dependencies are listed [in the PKGBUILD](https://aur.archlinux.org/cgit/aur.git/tree/PKGBUILD?h=bcc) and should install automatically. From c6a3f0298ebf0ec1cb1c455320876da5b4a0b07b Mon Sep 17 00:00:00 2001 From: Dale Hamel Date: Tue, 21 Jan 2020 10:37:42 -0500 Subject: [PATCH 203/228] Remove namespace code from libbpf to fix USDT This removes the namespace code from libbpf, as they are no longer necessary since #2324 was merged, and have caused regressions on older Kernels that do not use the new API for creating probes. This also deletes the dead code for namespace handling in libbpf, as this was the last use of it. This also introduces regression tests to ensure that processes in containers can be USDT probed, by adding tests that unshare the mount and process namespaces. --- src/cc/libbpf.c | 69 +----------------------------------- tests/cc/test_usdt_probes.cc | 68 +++++++++++++++++++++++++++++++++++ 2 files changed, 69 insertions(+), 68 deletions(-) diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index e0d9eac10..d68ca7a9c 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -880,68 +880,6 @@ static int bpf_attach_tracing_event(int progfd, const char *event_path, int pid, return 0; } -static int enter_mount_ns(int pid) { - struct stat self_stat, target_stat; - int self_fd = -1, target_fd = -1; - char buf[64]; - - if (pid < 0) - return -1; - - if ((size_t)snprintf(buf, sizeof(buf), "/proc/%d/ns/mnt", pid) >= sizeof(buf)) - return -1; - - self_fd = open("/proc/self/ns/mnt", O_RDONLY); - if (self_fd < 0) { - perror("open(/proc/self/ns/mnt)"); - return -1; - } - - target_fd = open(buf, O_RDONLY); - if (target_fd < 0) { - perror("open(/proc//ns/mnt)"); - goto error; - } - - if (fstat(self_fd, &self_stat)) { - perror("fstat(self_fd)"); - goto error; - } - - if (fstat(target_fd, &target_stat)) { - perror("fstat(target_fd)"); - goto error; - } - - // both target and current ns are same, avoid setns and close all fds - if (self_stat.st_ino == target_stat.st_ino) - goto error; - - if (setns(target_fd, CLONE_NEWNS)) { - perror("setns(target)"); - goto error; - } - - close(target_fd); - return self_fd; - -error: - if (self_fd >= 0) - close(self_fd); - if (target_fd >= 0) - close(target_fd); - return -1; -} - -static void exit_mount_ns(int fd) { - if (fd < 0) - return; - - if (setns(fd, CLONE_NEWNS)) - perror("setns"); - close(fd); -} - /* Creates an [uk]probe using debugfs. * On success, the path to the probe is placed in buf (which is assumed to be of size PATH_MAX). */ @@ -950,7 +888,7 @@ static int create_probe_event(char *buf, const char *ev_name, const char *config1, uint64_t offset, const char *event_type, pid_t pid, int maxactive) { - int kfd = -1, res = -1, ns_fd = -1; + int kfd = -1, res = -1; char ev_alias[256]; bool is_kprobe = strncmp("kprobe", event_type, 6) == 0; @@ -988,7 +926,6 @@ static int create_probe_event(char *buf, const char *ev_name, close(kfd); return -1; } - ns_fd = enter_mount_ns(pid); } if (write(kfd, buf, strlen(buf)) < 0) { @@ -1000,14 +937,10 @@ static int create_probe_event(char *buf, const char *ev_name, goto error; } close(kfd); - if (!is_kprobe) - exit_mount_ns(ns_fd); snprintf(buf, PATH_MAX, "/sys/kernel/debug/tracing/events/%ss/%s", event_type, ev_alias); return 0; error: - if (!is_kprobe) - exit_mount_ns(ns_fd); return -1; } diff --git a/tests/cc/test_usdt_probes.cc b/tests/cc/test_usdt_probes.cc index 6015c5d98..0720aa045 100644 --- a/tests/cc/test_usdt_probes.cc +++ b/tests/cc/test_usdt_probes.cc @@ -184,6 +184,21 @@ static int probe_num_arguments(const char *bin_path, const char *func_name) { return num_arguments; } +// Unsharing pid namespace requires forking +// this uses pgrep to find the child process, by searching for a process +// that has the unshare as its parent +static int unshared_child_pid(const int ppid) { + int child_pid; + char cmd[512]; + const char *cmdfmt = "pgrep -P %d"; + + sprintf(cmd, cmdfmt, ppid); + if (cmd_scanf(cmd, "%d", &child_pid) != 0) { + return -1; + } + return child_pid; +} + TEST_CASE("test listing all USDT probes in Ruby/MRI", "[usdt]") { size_t mri_probe_count = 0; @@ -293,3 +308,56 @@ TEST_CASE("test listing all USDT probes in Ruby/MRI", "[usdt]") { } } } + +// These tests are expected to fail if there is no Ruby with dtrace probes +TEST_CASE("test probing running Ruby process in namespaces", + "[usdt][!mayfail]") { + SECTION("in separate mount namespace") { + static char _unshare[] = "unshare"; + const char *const argv[4] = {_unshare, "--mount", "ruby", NULL}; + + ChildProcess unshare(argv[0], (char **const)argv); + if (!unshare.spawned()) + return; + int ruby_pid = unshare.pid(); + + ebpf::BPF bpf; + ebpf::USDT u(ruby_pid, "ruby", "gc__mark__begin", "on_event"); + u.set_probe_matching_kludge(1); // Also required for overlayfs... + + auto res = bpf.init("int on_event() { return 0; }", {}, {u}); + REQUIRE(res.msg() == ""); + REQUIRE(res.code() == 0); + + res = bpf.attach_usdt(u, ruby_pid); + REQUIRE(res.code() == 0); + + res = bpf.detach_usdt(u, ruby_pid); + REQUIRE(res.code() == 0); + } + + SECTION("in separate mount namespace and separate PID namespace") { + static char _unshare[] = "unshare"; + const char *const argv[7] = {_unshare, "--fork", "--mount", "--pid", + "--mount-proc", "ruby", NULL}; + + ChildProcess unshare(argv[0], (char **const)argv); + if (!unshare.spawned()) + return; + int ruby_pid = unshared_child_pid(unshare.pid()); + + ebpf::BPF bpf; + ebpf::USDT u(ruby_pid, "ruby", "gc__mark__begin", "on_event"); + u.set_probe_matching_kludge(1); // Also required for overlayfs... + + auto res = bpf.init("int on_event() { return 0; }", {}, {u}); + REQUIRE(res.msg() == ""); + REQUIRE(res.code() == 0); + + res = bpf.attach_usdt(u, ruby_pid); + REQUIRE(res.code() == 0); + + res = bpf.detach_usdt(u, ruby_pid); + REQUIRE(res.code() == 0); + } +} From dbfb18851866254a7b127146c8a9c2d76260ee78 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Tue, 21 Jan 2020 23:49:08 -0800 Subject: [PATCH 204/228] fix a bug in networking/simulation.py test test_brb.py failed on fc31 with the following error messages: Traceback (most recent call last): File "./test_brb.py", line 162, in test_brb disable_ipv6=True) File "/home/yhs/work/bcc/tests/python/simulation.py", line 94, in _create_ns disable_ipv6) File "/home/yhs/work/bcc/tests/python/simulation.py", line 68, in _ns_add_ifc ns_ipdb.interfaces.lo.up().commit() File "/usr/local/lib/python3.7/site-packages/pyroute2/ipdb/interfaces.py", line 1078, in commit raise error File "/usr/local/lib/python3.7/site-packages/pyroute2/ipdb/interfaces.py", line 859, in commit transaction.wait_all_targets() File "/usr/local/lib/python3.7/site-packages/pyroute2/ipdb/transactional.py", line 507, in wait_all_targets raise CommitException('target %s is not set' % key) pyroute2.ipdb.exceptions.CommitException: target state is not set The reason is in networking/simulation.py, if the interface 'lo' inside the namespace is already up and it is tried to commit to 'up' state again, the pyroute2 library will cause an exception. The fix is to avoid to 'up' interface 'lo' again if the interface is already in 'up' state. Signed-off-by: Yonghong Song --- examples/networking/simulation.py | 12 +++++++++++- 1 file changed, 11 insertions(+), 1 deletion(-) diff --git a/examples/networking/simulation.py b/examples/networking/simulation.py index 5395d5dfe..b7b5ed283 100644 --- a/examples/networking/simulation.py +++ b/examples/networking/simulation.py @@ -65,7 +65,17 @@ def _ns_add_ifc(self, name, ns_ifc, ifc_base_name=None, in_ifc=None, raise if out_ifc: out_ifc.up().commit() - ns_ipdb.interfaces.lo.up().commit() + + # this is a workaround for fc31 and possible other disto's. + # when interface 'lo' is already up, do another 'up().commit()' + # has issues in fc31. + # the workaround may become permanent if we upgrade pyroute2 + # in all machines. + if 'state' in ns_ipdb.interfaces.lo.keys(): + if ns_ipdb.interfaces.lo['state'] != 'up': + ns_ipdb.interfaces.lo.up().commit() + else: + ns_ipdb.interfaces.lo.up().commit() ns_ipdb.initdb() in_ifc = ns_ipdb.interfaces[in_ifname] with in_ifc as v: From 0cafe5571865d4dcab8ff2bd398b41dbc10b42f4 Mon Sep 17 00:00:00 2001 From: DavadDi Date: Tue, 21 Jan 2020 20:33:33 +0800 Subject: [PATCH 205/228] fix line TypeError ./profile.py -adf -p `pgrep -n main` 5 Traceback (most recent call last): File "./profile.py", line 342, in print("%s %d" % (b";".join(line).decode('utf-8', 'replace'), v.value)) TypeError: sequence item 5: expected a bytes-like object, str found --- tools/profile.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/tools/profile.py b/tools/profile.py index 97ffd8fb3..b710b797a 100755 --- a/tools/profile.py +++ b/tools/profile.py @@ -330,13 +330,13 @@ def aksym(addr): # hash collision (-EEXIST), we still print a placeholder for consistency if not args.kernel_stacks_only: if stack_id_err(k.user_stack_id): - line.append("[Missed User Stack]") + line.append(b"[Missed User Stack]") else: line.extend([b.sym(addr, k.pid) for addr in reversed(user_stack)]) if not args.user_stacks_only: - line.extend(["-"] if (need_delimiter and k.kernel_stack_id >= 0 and k.user_stack_id >= 0) else []) + line.extend(b["-"] if (need_delimiter and k.kernel_stack_id >= 0 and k.user_stack_id >= 0) else []) if stack_id_err(k.kernel_stack_id): - line.append("[Missed Kernel Stack]") + line.append(b"[Missed Kernel Stack]") else: line.extend([aksym(addr) for addr in reversed(kernel_stack)]) print("%s %d" % (b";".join(line).decode('utf-8', 'replace'), v.value)) From 83b67c2a05b107ffc27cb9b8cec0bec9f5c43a84 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Mon, 27 Jan 2020 14:35:21 -0800 Subject: [PATCH 206/228] sync to latest libbpf repo Sync to latest libbpf repo. New helper bpf_jiffies64 and new program type BPF_PROG_TYPE_EXT is added. Signed-off-by: Yonghong Song --- docs/kernel-versions.md | 1 + introspection/bps.c | 1 + src/cc/compat/linux/virtual_bpf.h | 10 +++++++++- src/cc/libbpf | 2 +- src/cc/libbpf.c | 1 + 5 files changed, 13 insertions(+), 2 deletions(-) diff --git a/docs/kernel-versions.md b/docs/kernel-versions.md index 0a990ee70..8732ddb60 100644 --- a/docs/kernel-versions.md +++ b/docs/kernel-versions.md @@ -183,6 +183,7 @@ Helper | Kernel version | License | Commit | `BPF_FUNC_get_stack()` | 4.18 | GPL | [`de2ff05f48af`](https://git.kernel.org/cgit/linux/kernel/git/davem/net-next.git/commit/?id=de2ff05f48afcde816ff4edb217417f62f624ab5) `BPF_FUNC_get_stackid()` | 4.6 | GPL | [`d5a3b1f69186`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=d5a3b1f691865be576c2bffa708549b8cdccda19) `BPF_FUNC_getsockopt()` | 4.15 | | [`cd86d1fd2102`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=cd86d1fd21025fdd6daf23d1288da405e7ad0ec6) +`BPF_FUNC_jiffies64()` | 5.5 | | [`5576b991e9c1`](https://git.kernel.org/pub/scm/linux/kernel/git/bpf/bpf-next.git/commit/?id=5576b991e9c1a11d2cc21c4b94fc75ec27603896) `BPF_FUNC_ktime_get_ns()` | 4.1 | GPL | [`d9847d310ab4`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=d9847d310ab4003725e6ed1822682e24bd406908) `BPF_FUNC_l3_csum_replace()` | 4.1 | | [`91bc4822c3d6`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=91bc4822c3d61b9bb7ef66d3b77948a4f9177954) `BPF_FUNC_l4_csum_replace()` | 4.1 | | [`91bc4822c3d6`](https://git.kernel.org/cgit/linux/kernel/git/torvalds/linux.git/commit/?id=91bc4822c3d61b9bb7ef66d3b77948a4f9177954) diff --git a/introspection/bps.c b/introspection/bps.c index 4190fb853..c5984c459 100644 --- a/introspection/bps.c +++ b/introspection/bps.c @@ -44,6 +44,7 @@ static const char * const prog_type_strings[] = { [BPF_PROG_TYPE_CGROUP_SOCKOPT] = "cgroup_sockopt", [BPF_PROG_TYPE_TRACING] = "tracing", [BPF_PROG_TYPE_STRUCT_OPS] = "struct_ops", + [BPF_PROG_TYPE_EXT] = "ext", }; static const char * const map_type_strings[] = { diff --git a/src/cc/compat/linux/virtual_bpf.h b/src/cc/compat/linux/virtual_bpf.h index 0e8a4a661..7b6b41d3a 100644 --- a/src/cc/compat/linux/virtual_bpf.h +++ b/src/cc/compat/linux/virtual_bpf.h @@ -181,6 +181,7 @@ enum bpf_prog_type { BPF_PROG_TYPE_CGROUP_SOCKOPT, BPF_PROG_TYPE_TRACING, BPF_PROG_TYPE_STRUCT_OPS, + BPF_PROG_TYPE_EXT, }; enum bpf_attach_type { @@ -2886,6 +2887,12 @@ union bpf_attr { * **-EPERM** if no permission to send the *sig*. * * **-EAGAIN** if bpf program can try again. + * + * u64 bpf_jiffies64(void) + * Description + * Obtain the 64bit jiffies + * Return + * The 64 bit jiffies */ #define __BPF_FUNC_MAPPER(FN) \ FN(unspec), \ @@ -3005,7 +3012,8 @@ union bpf_attr { FN(probe_read_user_str), \ FN(probe_read_kernel_str), \ FN(tcp_send_ack), \ - FN(send_signal_thread), + FN(send_signal_thread), \ + FN(jiffies64), /* integer value in 'imm' field of BPF_CALL instruction selects which helper * function eBPF program intends to call diff --git a/src/cc/libbpf b/src/cc/libbpf index 033ad7ee7..e5dbc1a96 160000 --- a/src/cc/libbpf +++ b/src/cc/libbpf @@ -1 +1 @@ -Subproject commit 033ad7ee78e8f266fdd27ee2675090ccf4402f3f +Subproject commit e5dbc1a96f138e7c47324a65269adff0ca0f4f6e diff --git a/src/cc/libbpf.c b/src/cc/libbpf.c index d68ca7a9c..974dc272e 100644 --- a/src/cc/libbpf.c +++ b/src/cc/libbpf.c @@ -215,6 +215,7 @@ static struct bpf_helper helpers[] = { {"probe_read_kernel_str", "5.5"}, {"tcp_send_ack", "5.5"}, {"send_signal_thread", "5.5"}, + {"jiffies64", "5.5"}, }; static uint64_t ptr_to_u64(void *ptr) From a47c44fa0d570b64d8cb06449052db4f363e80a4 Mon Sep 17 00:00:00 2001 From: Dale Hamel Date: Mon, 20 Jan 2020 13:22:55 -0500 Subject: [PATCH 207/228] Run BCC test suite with github actions With this commit, pushes to branches can trigger tests directly on Github Actions. Here it will be able to test against kernel 4.14 and 5.0.0, which correspond to the latest Ubuntu LTS kernel releases. Tests are run for both Debug and Release modes. Tests run inside docker, in an ubuntu 19.04 container base. For the github workflow: - The test_libbcc suite is run first, to potentially fail fast on these faster unit tests. - The Python test suite is run Some of these tests are allowed to fail, but the failure is still reported: - In catch2 tests, using the [!mayfail] tag, where this will be displayed in the test summary - In Python unittests, using the `@mayFail("Reason")` decorator, which is introduce for consistency with catch2. These will report the reason for the failure, and log this to an artifact of the test. --- .github/workflows/bcc-test.yml | 94 +++++++++++++++++++++++++++++++ .gitignore | 1 + Dockerfile.tests | 69 +++++++++++++++++++++++ examples/networking/simulation.py | 27 +++++---- tests/cc/test_c_api.cc | 4 +- tests/cc/test_usdt_probes.cc | 9 ++- tests/python/test_brb2.py | 3 +- tests/python/test_debuginfo.py | 3 + tests/python/test_stackid.py | 2 + tests/python/test_tools_smoke.py | 4 ++ tests/python/test_trace3.py | 2 + tests/python/test_usdt.py | 2 + tests/python/test_usdt2.py | 2 + tests/python/test_usdt3.py | 2 + tests/python/utils.py | 43 ++++++++++++++ tests/wrapper.sh.in | 6 +- 16 files changed, 253 insertions(+), 20 deletions(-) create mode 100644 .github/workflows/bcc-test.yml create mode 100644 Dockerfile.tests diff --git a/.github/workflows/bcc-test.yml b/.github/workflows/bcc-test.yml new file mode 100644 index 000000000..4907e2941 --- /dev/null +++ b/.github/workflows/bcc-test.yml @@ -0,0 +1,94 @@ +name: BCC Build and tests + +on: push + +jobs: + test_bcc: + runs-on: ${{ matrix.os }} + strategy: + matrix: + os: [ubuntu-16.04, ubuntu-18.04] # 16.04.4 release has 4.15 kernel + # 18.04.3 release has 5.0.0 kernel + env: + - TYPE: Debug + PYTHON_TEST_LOGFILE: critical.log + - TYPE: Release + PYTHON_TEST_LOGFILE: critical.log + steps: + - uses: actions/checkout@v2 + - name: System info + run: | + uname -a + ip addr + - name: Build docker container with all deps + run: | + docker build -t bcc-docker -f Dockerfile.tests . + - name: Run bcc build + env: ${{ matrix.env }} + run: | + /bin/bash -c \ + "docker run --privileged \ + --pid=host \ + -v $(pwd):/bcc \ + -v /sys/kernel/debug:/sys/kernel/debug:rw \ + -v /lib/modules:/lib/modules:ro \ + -v /usr/src:/usr/src:ro \ + -v /usr/include/linux:/usr/include/linux:ro \ + bcc-docker \ + /bin/bash -c \ + 'mkdir -p /bcc/build && cd /bcc/build && \ + cmake -DCMAKE_BUILD_TYPE=${TYPE} .. && make -j9'" + - name: Run bcc's cc tests + env: ${{ matrix.env }} + # tests are wrapped with `script` as a hack to get a TTY as github actions doesn't provide this + # see https://github.com/actions/runner/issues/241 + run: | + script -e -c /bin/bash -c \ + "docker run -ti \ + --privileged \ + --network=host \ + --pid=host \ + -v $(pwd):/bcc \ + -v /sys/kernel/debug:/sys/kernel/debug:rw \ + -v /lib/modules:/lib/modules:ro \ + -v /usr/src:/usr/src:ro \ + -e CTEST_OUTPUT_ON_FAILURE=1 \ + bcc-docker \ + /bin/bash -c \ + '/bcc/build/tests/wrapper.sh \ + c_test_all sudo /bcc/build/tests/cc/test_libbcc'" + + - name: Run all tests + env: ${{ matrix.env }} + run: | + script -e -c /bin/bash -c \ + "docker run -ti \ + --privileged \ + --network=host \ + --pid=host \ + -v $(pwd):/bcc \ + -v /sys/kernel/debug:/sys/kernel/debug:rw \ + -v /lib/modules:/lib/modules:ro \ + -v /usr/src:/usr/src:ro \ + -e CTEST_OUTPUT_ON_FAILURE=1 \ + bcc-docker \ + /bin/bash -c \ + 'cd /bcc/build && \ + make test PYTHON_TEST_LOGFILE=$PYTHON_TEST_LOGFILE ARGS=-V'" + + - name: Check critical tests + env: ${{ matrix.env }} + run: | + critical_count=$(grep @mayFail tests/python/critical.log | wc -l) + echo "There were $critical_count critical tests skipped with @mayFail:" + grep -A2 @mayFail tests/python/critical.log + + - uses: actions/upload-artifact@v1 + with: + name: critical-tests-${{ matrix.env['TYPE'] }}-${{ matrix.os }} + path: tests/python/critical.log + +# To debug weird issues, you can add this step to be able to SSH to the test environment +# https://github.com/marketplace/actions/debugging-with-tmate +# - name: Setup tmate session +# uses: mxschmitt/action-tmate@v1 diff --git a/.gitignore b/.gitignore index 9218b70c4..14994d761 100644 --- a/.gitignore +++ b/.gitignore @@ -9,5 +9,6 @@ /build/ cmake-build-debug debian/**/*.log +*critical.log obj-x86_64-linux-gnu examples/cgroupid/cgroupid diff --git a/Dockerfile.tests b/Dockerfile.tests new file mode 100644 index 000000000..b4bff710d --- /dev/null +++ b/Dockerfile.tests @@ -0,0 +1,69 @@ +# Using ubuntu 19.04 for newer `unshare` command used in tests +FROM ubuntu:19.04 + +ARG LLVM_VERSION="8" +ENV LLVM_VERSION=$LLVM_VERSION + +RUN apt-get update && apt-get install -y curl gnupg &&\ + llvmRepository="\n\ +deb http://apt.llvm.org/disco/ llvm-toolchain-disco main\n\ +deb-src http://apt.llvm.org/disco/ llvm-toolchain-disco main\n\ +deb http://apt.llvm.org/disco/ llvm-toolchain-disco-${LLVM_VERSION} main\n\ +deb-src http://apt.llvm.org/disco/ llvm-toolchain-disco-${LLVM_VERSION} main\n" &&\ + echo $llvmRepository >> /etc/apt/sources.list && \ + curl -L https://apt.llvm.org/llvm-snapshot.gpg.key | apt-key add - + +RUN apt-get update && apt-get install -y \ + bison \ + binutils-dev \ + cmake \ + flex \ + g++ \ + git \ + kmod \ + wget \ + libelf-dev \ + zlib1g-dev \ + libiberty-dev \ + libbfd-dev \ + libedit-dev \ + clang-${LLVM_VERSION} \ + libclang-${LLVM_VERSION}-dev \ + libclang-common-${LLVM_VERSION}-dev \ + libclang1-${LLVM_VERSION} \ + llvm-${LLVM_VERSION} \ + llvm-${LLVM_VERSION}-dev \ + llvm-${LLVM_VERSION}-runtime \ + libllvm${LLVM_VERSION} \ + systemtap-sdt-dev \ + sudo \ + iproute2 \ + python3 \ + python3-pip \ + python-pip \ + ethtool \ + arping \ + netperf \ + iperf \ + iputils-ping \ + bridge-utils \ + libtinfo5 \ + libtinfo-dev + +RUN pip3 install pyroute2 netaddr +RUN pip install pyroute2 netaddr + +# FIXME this is faster than building from source, but it seems there is a bug +# in probing libruby.so rather than ruby binary +#RUN apt-get update -qq && \ +# apt-get install -y software-properties-common && \ +# apt-add-repository ppa:brightbox/ruby-ng && \ +# apt-get update -qq && apt-get install -y ruby2.6 ruby2.6-dev + +RUN wget -O ruby-install-0.7.0.tar.gz \ + https://github.com/postmodern/ruby-install/archive/v0.7.0.tar.gz && \ + tar -xzvf ruby-install-0.7.0.tar.gz && \ + cd ruby-install-0.7.0/ && \ + make install + +RUN ruby-install --system ruby 2.6.0 -- --enable-dtrace diff --git a/examples/networking/simulation.py b/examples/networking/simulation.py index b7b5ed283..794a4f88b 100644 --- a/examples/networking/simulation.py +++ b/examples/networking/simulation.py @@ -40,7 +40,10 @@ def _ns_add_ifc(self, name, ns_ifc, ifc_base_name=None, in_ifc=None, "net.ipv6.conf.default.disable_ipv6=1"] nsp = NSPopen(ns_ipdb.nl.netns, cmd1) nsp.wait(); nsp.release() - ns_ipdb.interfaces.lo.up().commit() + try: + ns_ipdb.interfaces.lo.up().commit() + except pyroute2.ipdb.exceptions.CommitException: + print("Warning, commit for lo failed, operstate may be unknown") if in_ifc: in_ifname = in_ifc.ifname with in_ifc as v: @@ -65,17 +68,19 @@ def _ns_add_ifc(self, name, ns_ifc, ifc_base_name=None, in_ifc=None, raise if out_ifc: out_ifc.up().commit() - - # this is a workaround for fc31 and possible other disto's. - # when interface 'lo' is already up, do another 'up().commit()' - # has issues in fc31. - # the workaround may become permanent if we upgrade pyroute2 - # in all machines. - if 'state' in ns_ipdb.interfaces.lo.keys(): - if ns_ipdb.interfaces.lo['state'] != 'up': + try: + # this is a workaround for fc31 and possible other disto's. + # when interface 'lo' is already up, do another 'up().commit()' + # has issues in fc31. + # the workaround may become permanent if we upgrade pyroute2 + # in all machines. + if 'state' in ns_ipdb.interfaces.lo.keys(): + if ns_ipdb.interfaces.lo['state'] != 'up': + ns_ipdb.interfaces.lo.up().commit() + else: ns_ipdb.interfaces.lo.up().commit() - else: - ns_ipdb.interfaces.lo.up().commit() + except pyroute2.ipdb.exceptions.CommitException: + print("Warning, commit for lo failed, operstate may be unknown") ns_ipdb.initdb() in_ifc = ns_ipdb.interfaces[in_ifname] with in_ifc as v: diff --git a/tests/cc/test_c_api.cc b/tests/cc/test_c_api.cc index 04b70bc2c..d1977bfdd 100644 --- a/tests/cc/test_c_api.cc +++ b/tests/cc/test_c_api.cc @@ -485,7 +485,7 @@ struct mod_search { uint64_t file_offset; }; -TEST_CASE("searching for modules in /proc/[pid]/maps", "[c_api]") { +TEST_CASE("searching for modules in /proc/[pid]/maps", "[c_api][!mayfail]") { FILE *dummy_maps = fopen("dummy_proc_map.txt", "r"); REQUIRE(dummy_maps != NULL); @@ -580,7 +580,7 @@ TEST_CASE("searching for modules in /proc/[pid]/maps", "[c_api]") { fclose(dummy_maps); } -TEST_CASE("resolve global addr in libc in this process", "[c_api]") { +TEST_CASE("resolve global addr in libc in this process", "[c_api][!mayfail]") { int pid = getpid(); char *sopath = bcc_procutils_which_so("c", pid); uint64_t local_addr = 0x15; diff --git a/tests/cc/test_usdt_probes.cc b/tests/cc/test_usdt_probes.cc index 0720aa045..bcae53a61 100644 --- a/tests/cc/test_usdt_probes.cc +++ b/tests/cc/test_usdt_probes.cc @@ -199,7 +199,9 @@ static int unshared_child_pid(const int ppid) { return child_pid; } -TEST_CASE("test listing all USDT probes in Ruby/MRI", "[usdt]") { +// FIXME This seems like a legitimate bug with probing ruby where the +// ruby symbols are in libruby.so? +TEST_CASE("test listing all USDT probes in Ruby/MRI", "[usdt][!mayfail]") { size_t mri_probe_count = 0; SECTION("without a running Ruby process") { @@ -338,8 +340,9 @@ TEST_CASE("test probing running Ruby process in namespaces", SECTION("in separate mount namespace and separate PID namespace") { static char _unshare[] = "unshare"; - const char *const argv[7] = {_unshare, "--fork", "--mount", "--pid", - "--mount-proc", "ruby", NULL}; + const char *const argv[8] = {_unshare, "--fork", "--kill-child", + "--mount", "--pid", "--mount-proc", + "ruby", NULL}; ChildProcess unshare(argv[0], (char **const)argv); if (!unshare.spawned()) diff --git a/tests/python/test_brb2.py b/tests/python/test_brb2.py index a0a0ecc5f..f983de162 100755 --- a/tests/python/test_brb2.py +++ b/tests/python/test_brb2.py @@ -57,7 +57,7 @@ from ctypes import c_uint from bcc import BPF from pyroute2 import IPRoute, NetNS, IPDB, NSPopen -from utils import NSPopenWithCheck +from utils import NSPopenWithCheck, mayFail import sys from time import sleep from unittest import main, TestCase @@ -136,6 +136,7 @@ def config_maps(self): self.attach_filter(self.veth_br1_2_pem, self.pem_fn.fd, self.pem_fn.name) self.attach_filter(self.veth_br2_2_pem, self.pem_fn.fd, self.pem_fn.name) + @mayFail("This fails on github actions environment, and needs to be fixed") def test_brb2(self): try: b = BPF(src_file=arg1, debug=0) diff --git a/tests/python/test_debuginfo.py b/tests/python/test_debuginfo.py index ba4bdd6a1..28f29e6fe 100755 --- a/tests/python/test_debuginfo.py +++ b/tests/python/test_debuginfo.py @@ -6,6 +6,7 @@ import subprocess from bcc import SymbolCache, BPF from unittest import main, TestCase +from utils import mayFail class TestKSyms(TestCase): def grab_sym(self): @@ -100,6 +101,7 @@ def tearDown(self): def test_resolve_addr(self): self.resolve_addr() + @mayFail("This fails on github actions environment, and needs to be fixed") def test_resolve_name(self): self.resolve_name() @@ -130,6 +132,7 @@ def tearDown(self): def test_resolve_name(self): self.resolve_addr() + @mayFail("This fails on github actions environment, and needs to be fixed") def test_resolve_addr(self): self.resolve_name() diff --git a/tests/python/test_stackid.py b/tests/python/test_stackid.py index 4bf0808de..5809e953a 100755 --- a/tests/python/test_stackid.py +++ b/tests/python/test_stackid.py @@ -6,6 +6,7 @@ import distutils.version import os import unittest +from utils import mayFail import subprocess def kernel_version_ge(major, minor): @@ -22,6 +23,7 @@ def kernel_version_ge(major, minor): @unittest.skipUnless(kernel_version_ge(4,6), "requires kernel >= 4.6") class TestStackid(unittest.TestCase): + @mayFail("This fails on github actions environment, and needs to be fixed") def test_simple(self): b = bcc.BPF(text=""" #include diff --git a/tests/python/test_tools_smoke.py b/tests/python/test_tools_smoke.py index db08c7cf2..66fb666bf 100755 --- a/tests/python/test_tools_smoke.py +++ b/tests/python/test_tools_smoke.py @@ -7,6 +7,7 @@ import os import re from unittest import main, skipUnless, TestCase +from utils import mayFail TOOLS_DIR = "../../tools/" @@ -65,6 +66,7 @@ def setUp(self): def tearDown(self): pass + @mayFail("This fails on github actions environment, and needs to be fixed") def test_argdist(self): self.run_with_duration("argdist.py -v -C 'p::do_sys_open()' -n 1 -i 1") @@ -295,6 +297,7 @@ def test_solisten(self): self.run_with_int("solisten.py") @skipUnless(kernel_version_ge(4,4), "requires kernel >= 4.4") + @mayFail("This fails on github actions environment, and needs to be fixed") def test_sslsniff(self): self.run_with_int("sslsniff.py") @@ -335,6 +338,7 @@ def test_tcpretrans(self): self.run_with_int("tcpretrans.py") @skipUnless(kernel_version_ge(4, 7), "requires kernel >= 4.7") + @mayFail("This fails on github actions environment, and needs to be fixed") def test_tcpdrop(self): self.run_with_int("tcpdrop.py") diff --git a/tests/python/test_trace3.py b/tests/python/test_trace3.py index 94f54980c..7843d7428 100755 --- a/tests/python/test_trace3.py +++ b/tests/python/test_trace3.py @@ -7,6 +7,7 @@ from time import sleep import sys from unittest import main, TestCase +from utils import mayFail arg1 = sys.argv.pop(1) arg2 = "" @@ -15,6 +16,7 @@ class TestBlkRequest(TestCase): + @mayFail("This fails on github actions environment, and needs to be fixed") def setUp(self): b = BPF(arg1, arg2, debug=0) self.latency = b.get_table("latency", c_uint, c_ulong) diff --git a/tests/python/test_usdt.py b/tests/python/test_usdt.py index 27a0e4783..4e577995e 100755 --- a/tests/python/test_usdt.py +++ b/tests/python/test_usdt.py @@ -8,6 +8,7 @@ from __future__ import print_function from bcc import BPF, USDT from unittest import main, TestCase +from utils import mayFail from subprocess import Popen, PIPE from tempfile import NamedTemporaryFile import ctypes as ct @@ -139,6 +140,7 @@ def setUp(self): self.assertEqual(comp.wait(), 0) self.app = Popen([self.ftemp.name]) + @mayFail("This fails on github actions environment, and needs to be fixed") def test_attach1(self): # enable USDT probe from given PID and verifier generated BPF programs u = USDT(pid=int(self.app.pid)) diff --git a/tests/python/test_usdt2.py b/tests/python/test_usdt2.py index a2f461106..0f221841e 100755 --- a/tests/python/test_usdt2.py +++ b/tests/python/test_usdt2.py @@ -8,6 +8,7 @@ from __future__ import print_function from bcc import BPF, USDT from unittest import main, TestCase +from utils import mayFail from subprocess import Popen, PIPE from tempfile import NamedTemporaryFile import ctypes as ct @@ -94,6 +95,7 @@ def setUp(self): self.app2 = Popen([self.ftemp.name, "11"]) self.app3 = Popen([self.ftemp.name, "21"]) + @mayFail("This fails on github actions environment, and needs to be fixed") def test_attach1(self): # Enable USDT probe from given PID and verifier generated BPF programs. u = USDT(pid=int(self.app.pid)) diff --git a/tests/python/test_usdt3.py b/tests/python/test_usdt3.py index 9a40a5ae5..f23173709 100755 --- a/tests/python/test_usdt3.py +++ b/tests/python/test_usdt3.py @@ -8,6 +8,7 @@ from __future__ import print_function from bcc import BPF, USDT from unittest import main, TestCase +from utils import mayFail from subprocess import Popen, PIPE import ctypes as ct import inspect, os, tempfile @@ -107,6 +108,7 @@ def _create_file(name, text): self.app = Popen([m_bin], env=dict(os.environ, LD_LIBRARY_PATH=self.tmp_dir)) os.system("../../tools/tplist.py -vvv -p " + str(self.app.pid)) + @mayFail("This fails on github actions environment, and needs to be fixed") def test_attach1(self): # enable USDT probe from given PID and verifier generated BPF programs u = USDT(pid=int(self.app.pid)) diff --git a/tests/python/utils.py b/tests/python/utils.py index c34370ef8..f4f501bd5 100644 --- a/tests/python/utils.py +++ b/tests/python/utils.py @@ -1,5 +1,16 @@ from pyroute2 import NSPopen from distutils.spawn import find_executable +import traceback + +import logging, os, sys + +if 'PYTHON_TEST_LOGFILE' in os.environ: + logfile=os.environ['PYTHON_TEST_LOGFILE'] + logging.basicConfig(level=logging.ERROR, filename=logfile, filemode='a') +else: + logging.basicConfig(level=logging.ERROR, stream=sys.stderr) + +logger = logging.getLogger() def has_executable(name): path = find_executable(name) @@ -7,6 +18,38 @@ def has_executable(name): raise Exception(name + ": command not found") return path +# This is a decorator that will allow for logging tests, but flagging them as +# "known to fail". These tests legitimately fail and represent actual bugs, but +# as these are already documented the test status can be "green" without these +# tests, similar to catch2's [!mayfail] tag. +# This is done using the existing python unittest concept of an "expected failure", +# but it is only done after the fact, if the test fails or raises an exception. +# It gives all tests a chance to succeed, but if they fail it logs them and +# continues. +def mayFail(message): + def decorator(func): + def wrapper(*args, **kwargs): + res = None + err = None + try: + res = func(*args, **kwargs) + except BaseException as e: + logger.critical("WARNING! Test %s failed, but marked as passed because it is decorated with @mayFail." % + args[0]) + logger.critical("\tThe reason why this mayFail was: %s" % message) + logger.critical("\tThe failure was: \"%s\"" % e) + logger.critical("\tStacktrace: \"%s\"" % traceback.format_exc()) + testcase=args[0] + testcase.TestResult().addExpectedFailure(testcase, e) + err = e + finally: + if err != None: + raise err + else: + return res + return wrapper + return decorator + class NSPopenWithCheck(NSPopen): """ A wrapper for NSPopen that additionally checks if the program diff --git a/tests/wrapper.sh.in b/tests/wrapper.sh.in index 41b352113..88229dcd3 100755 --- a/tests/wrapper.sh.in +++ b/tests/wrapper.sh.in @@ -32,15 +32,15 @@ function ns_run() { sudo ip netns exec $ns ethtool -K eth0 tx off sudo ip addr add dev $ns.out 172.16.1.1/24 sudo ip link set $ns.out up - sudo bash -c "PYTHONPATH=$PYTHONPATH LD_LIBRARY_PATH=$LD_LIBRARY_PATH ip netns exec $ns $cmd $1 $2" + sudo bash -c "PYTHONPATH=$PYTHONPATH PYTHON_TEST_LOGFILE=$PYTHON_TEST_LOGFILE LD_LIBRARY_PATH=$LD_LIBRARY_PATH ip netns exec $ns $cmd $1 $2" return $? } function sudo_run() { - sudo bash -c "PYTHONPATH=$PYTHONPATH LD_LIBRARY_PATH=$LD_LIBRARY_PATH $cmd $1 $2" + sudo bash -c "PYTHONPATH=$PYTHONPATH PYTHON_TEST_LOGFILE=$PYTHON_TEST_LOGFILE LD_LIBRARY_PATH=$LD_LIBRARY_PATH $cmd $1 $2" return $? } function simple_run() { - PYTHONPATH=$PYTHONPATH LD_LIBRARY_PATH=$LD_LIBRARY_PATH $cmd $1 $2 + PYTHONPATH=$PYTHONPATH PYTHON_TEST_LOGFILE=$PYTHON_TEST_LOGFILE LD_LIBRARY_PATH=$LD_LIBRARY_PATH $cmd $1 $2 return $? } From b090f5f9eee62796829184ec862e3378a3b7e425 Mon Sep 17 00:00:00 2001 From: Dale Hamel Date: Wed, 29 Jan 2020 10:28:08 -0500 Subject: [PATCH 208/228] Make inode-only matching default, reverse USDT kludge --- src/cc/api/BPF.cc | 6 +++--- src/cc/api/BPF.h | 16 ++++++++++------ src/cc/usdt.h | 8 ++++---- tests/python/test_usdt.py | 2 -- tests/python/test_usdt2.py | 2 -- tests/python/test_usdt3.py | 2 -- 6 files changed, 17 insertions(+), 19 deletions(-) diff --git a/src/cc/api/BPF.cc b/src/cc/api/BPF.cc index 67f9872a3..43934ed39 100644 --- a/src/cc/api/BPF.cc +++ b/src/cc/api/BPF.cc @@ -777,7 +777,7 @@ USDT::USDT(const std::string& binary_path, const std::string& provider, provider_(provider), name_(name), probe_func_(probe_func), - mod_match_inode_only_(0) {} + mod_match_inode_only_(1) {} USDT::USDT(pid_t pid, const std::string& provider, const std::string& name, const std::string& probe_func) @@ -787,7 +787,7 @@ USDT::USDT(pid_t pid, const std::string& provider, const std::string& name, provider_(provider), name_(name), probe_func_(probe_func), - mod_match_inode_only_(0) {} + mod_match_inode_only_(1) {} USDT::USDT(const std::string& binary_path, pid_t pid, const std::string& provider, const std::string& name, @@ -798,7 +798,7 @@ USDT::USDT(const std::string& binary_path, pid_t pid, provider_(provider), name_(name), probe_func_(probe_func), - mod_match_inode_only_(0) {} + mod_match_inode_only_(1) {} USDT::USDT(const USDT& usdt) : initialized_(false), diff --git a/src/cc/api/BPF.h b/src/cc/api/BPF.h index 2ce1bb4bf..ec34fa452 100644 --- a/src/cc/api/BPF.h +++ b/src/cc/api/BPF.h @@ -305,16 +305,20 @@ class USDT { << usdt.probe_func_; } - // When the kludge flag is set to 1, we will only match on inode + // When the kludge flag is set to 1 (default), we will only match on inode // when searching for modules in /proc/PID/maps that might contain the - // tracepoint we're looking for. Normally match is on inode and + // tracepoint we're looking for. + // By setting this to 0, we will match on both inode and // (dev_major, dev_minor), which is a more accurate way to uniquely - // identify a file. + // identify a file, but may fail depending on the filesystem backing the + // target file (see bcc#2715) // - // This hack exists because btrfs reports different device numbers for files - // in /proc/PID/maps vs stat syscall. Don't use it unless you're using btrfs + // This hack exists because btrfs and overlayfs report different device + // numbers for files in /proc/PID/maps vs stat syscall. Don't use it unless + // you've had issues with inode collisions. Both btrfs and overlayfs are + // known to require inode-only resolution to accurately match a file. // - // set_probe_matching_kludge(1) must be called before USDTs are submitted to + // set_probe_matching_kludge(0) must be called before USDTs are submitted to // BPF::init() int set_probe_matching_kludge(uint8_t kludge); diff --git a/src/cc/usdt.h b/src/cc/usdt.h index 428bc35ae..b32e8f38f 100644 --- a/src/cc/usdt.h +++ b/src/cc/usdt.h @@ -212,7 +212,7 @@ class Probe { public: Probe(const char *bin_path, const char *provider, const char *name, - uint64_t semaphore, const optional &pid, uint8_t mod_match_inode_only = 0); + uint64_t semaphore, const optional &pid, uint8_t mod_match_inode_only = 1); size_t num_locations() const { return locations_.size(); } size_t num_arguments() const { return locations_.front().arguments_.size(); } @@ -265,10 +265,10 @@ class Context { uint8_t mod_match_inode_only_; public: - Context(const std::string &bin_path, uint8_t mod_match_inode_only = 0); - Context(int pid, uint8_t mod_match_inode_only = 0); + Context(const std::string &bin_path, uint8_t mod_match_inode_only = 1); + Context(int pid, uint8_t mod_match_inode_only = 1); Context(int pid, const std::string &bin_path, - uint8_t mod_match_inode_only = 0); + uint8_t mod_match_inode_only = 1); ~Context(); optional pid() const { return pid_; } diff --git a/tests/python/test_usdt.py b/tests/python/test_usdt.py index 4e577995e..27a0e4783 100755 --- a/tests/python/test_usdt.py +++ b/tests/python/test_usdt.py @@ -8,7 +8,6 @@ from __future__ import print_function from bcc import BPF, USDT from unittest import main, TestCase -from utils import mayFail from subprocess import Popen, PIPE from tempfile import NamedTemporaryFile import ctypes as ct @@ -140,7 +139,6 @@ def setUp(self): self.assertEqual(comp.wait(), 0) self.app = Popen([self.ftemp.name]) - @mayFail("This fails on github actions environment, and needs to be fixed") def test_attach1(self): # enable USDT probe from given PID and verifier generated BPF programs u = USDT(pid=int(self.app.pid)) diff --git a/tests/python/test_usdt2.py b/tests/python/test_usdt2.py index 0f221841e..a2f461106 100755 --- a/tests/python/test_usdt2.py +++ b/tests/python/test_usdt2.py @@ -8,7 +8,6 @@ from __future__ import print_function from bcc import BPF, USDT from unittest import main, TestCase -from utils import mayFail from subprocess import Popen, PIPE from tempfile import NamedTemporaryFile import ctypes as ct @@ -95,7 +94,6 @@ def setUp(self): self.app2 = Popen([self.ftemp.name, "11"]) self.app3 = Popen([self.ftemp.name, "21"]) - @mayFail("This fails on github actions environment, and needs to be fixed") def test_attach1(self): # Enable USDT probe from given PID and verifier generated BPF programs. u = USDT(pid=int(self.app.pid)) diff --git a/tests/python/test_usdt3.py b/tests/python/test_usdt3.py index f23173709..9a40a5ae5 100755 --- a/tests/python/test_usdt3.py +++ b/tests/python/test_usdt3.py @@ -8,7 +8,6 @@ from __future__ import print_function from bcc import BPF, USDT from unittest import main, TestCase -from utils import mayFail from subprocess import Popen, PIPE import ctypes as ct import inspect, os, tempfile @@ -108,7 +107,6 @@ def _create_file(name, text): self.app = Popen([m_bin], env=dict(os.environ, LD_LIBRARY_PATH=self.tmp_dir)) os.system("../../tools/tplist.py -vvv -p " + str(self.app.pid)) - @mayFail("This fails on github actions environment, and needs to be fixed") def test_attach1(self): # enable USDT probe from given PID and verifier generated BPF programs u = USDT(pid=int(self.app.pid)) From 215b7243a074afc454d5cc092e9e45350ee2a667 Mon Sep 17 00:00:00 2001 From: Giovanni Tataranni Date: Thu, 30 Jan 2020 16:49:03 +0100 Subject: [PATCH 209/228] remove dead link solves #2722 --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 3f31fa446..bc3639ca2 100644 --- a/README.md +++ b/README.md @@ -182,7 +182,7 @@ Examples: - examples/networking/[simple_tc.py](examples/networking/simple_tc.py): Simple traffic control example. - examples/networking/[simulation.py](examples/networking/simulation.py): Simulation helper. - examples/networking/neighbor_sharing/[tc_neighbor_sharing.py](examples/networking/neighbor_sharing/tc_neighbor_sharing.py) examples/networking/neighbor_sharing/[tc_neighbor_sharing.c](examples/networking/neighbor_sharing/tc_neighbor_sharing.c): Per-IP classification and rate limiting. -- examples/networking/[tunnel_monitor/](examples/networking/tunnel_monitor): Efficiently monitor traffic flows. [Example video](https://www.youtube.com/watch?v=yYy3Cwce02k). +- examples/networking/[tunnel_monitor/](examples/networking/tunnel_monitor): Efficiently monitor traffic flows. - examples/networking/vlan_learning/[vlan_learning.py](examples/networking/vlan_learning/vlan_learning.py) examples/[vlan_learning.c](examples/networking/vlan_learning/vlan_learning.c): Demux Ethernet traffic into worker veth+namespaces. ### BPF Introspection: From 90b2382b2068031930704d42205829b356f41ffb Mon Sep 17 00:00:00 2001 From: Jiri Olsa Date: Tue, 24 Dec 2019 01:18:09 +0100 Subject: [PATCH 210/228] tools/klockstat.py: Do not display symbol twice for stack Currently we display the caller symbol in stack, which ends up with output below when we enable stack: Caller Avg Hold Count Max hold Total hold b'flush_to_ldisc+0x22' 56112 2 103914 112225 b'flush_to_ldisc+0x22' b'process_one_work+0x1b0' b'worker_thread+0x50' b'kthread+0xfb' Skipping one more symbol in stack to fix that: Caller Avg Hold Count Max hold Total hold b'flush_to_ldisc+0x22' 1893 2 2765 3787 b'process_one_work+0x1b0' b'worker_thread+0x50' b'kthread+0xfb' Signed-off-by: Jiri Olsa --- tools/klockstat.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tools/klockstat.py b/tools/klockstat.py index 4b4661068..e20478803 100755 --- a/tools/klockstat.py +++ b/tools/klockstat.py @@ -370,7 +370,7 @@ def display(sort, maxs, totals, counts): print("%40s %10lu %6lu %10lu %10lu" % (caller, avg, counts[k].value, maxs[k].value, totals[k].value)) - for addr in stack[1:args.stacks]: + for addr in stack[2:args.stacks]: print("%40s" % b.ksym(addr, show_offset=True)) From 0e63c5c1ad267281f8d0b652eaf87dd494ddba04 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Thu, 30 Jan 2020 15:51:03 -0800 Subject: [PATCH 211/228] fix compilation error due to latest llvm change llvm 11.0 required explicit conversion from StringRef to std::string. The patch is https://github.com/llvm/llvm-project/commit/777180a32b61070a10dd330b4f038bf24e916af1 This patch made a compatible change which works for old llvm as well. Signed-off-by: Yonghong Song --- src/cc/frontends/clang/b_frontend_action.cc | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index a3a372f51..c44ea0837 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -707,7 +707,7 @@ bool BTypeVisitor::VisitFunctionDecl(FunctionDecl *D) { // extracted by the MemoryManager auto real_start_loc = rewriter_.getSourceMgr().getFileLoc(GET_BEGINLOC(D)); if (fe_.is_rewritable_ext_func(D)) { - current_fn_ = D->getName(); + current_fn_ = string(D->getName()); string bd = rewriter_.getRewrittenText(expansionRange(D->getSourceRange())); fe_.func_src_.set_src(current_fn_, bd); fe_.func_range_[current_fn_] = expansionRange(D->getSourceRange()); @@ -769,8 +769,8 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { // find the table fd, which was opened at declaration time TableStorage::iterator desc; - Path local_path({fe_.id(), Ref->getDecl()->getName()}); - Path global_path({Ref->getDecl()->getName()}); + Path local_path({fe_.id(), string(Ref->getDecl()->getName())}); + Path global_path({string(Ref->getDecl()->getName())}); if (!fe_.table_storage().Find(local_path, desc)) { if (!fe_.table_storage().Find(global_path, desc)) { error(GET_ENDLOC(Ref), "bpf_table %0 failed to open") << Ref->getDecl()->getName(); @@ -783,7 +783,7 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { auto rewrite_start = GET_BEGINLOC(Call); auto rewrite_end = GET_ENDLOC(Call); if (memb_name == "lookup_or_init" || memb_name == "lookup_or_try_init") { - string name = Ref->getDecl()->getName(); + string name = string(Ref->getDecl()->getName()); string arg0 = rewriter_.getRewrittenText(expansionRange(Call->getArg(0)->getSourceRange())); string arg1 = rewriter_.getRewrittenText(expansionRange(Call->getArg(1)->getSourceRange())); string lookup = "bpf_map_lookup_elem_(bpf_pseudo_fd(1, " + fd + ")"; @@ -798,7 +798,7 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { txt += "}"; txt += "leaf;})"; } else if (memb_name == "increment") { - string name = Ref->getDecl()->getName(); + string name = string(Ref->getDecl()->getName()); string arg0 = rewriter_.getRewrittenText(expansionRange(Call->getArg(0)->getSourceRange())); string increment_value = "1"; @@ -820,7 +820,7 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { } txt += "})"; } else if (memb_name == "perf_submit") { - string name = Ref->getDecl()->getName(); + string name = string(Ref->getDecl()->getName()); string arg0 = rewriter_.getRewrittenText(expansionRange(Call->getArg(0)->getSourceRange())); string args_other = rewriter_.getRewrittenText(expansionRange(SourceRange(GET_BEGINLOC(Call->getArg(1)), GET_ENDLOC(Call->getArg(2))))); @@ -1151,7 +1151,7 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { TableDesc table; TableStorage::iterator table_it; - table.name = Decl->getName(); + table.name = string(Decl->getName()); Path local_path({fe_.id(), table.name}); Path maps_ns_path({"ns", fe_.maps_ns(), table.name}); Path global_path({table.name}); @@ -1187,7 +1187,7 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { ++i; } - std::string section_attr = A->getName(); + std::string section_attr = string(A->getName()); size_t pinned_path_pos = section_attr.find(":"); unsigned int pinned_id = 0; // 0 is not a valid map ID, they start with 1 From 46965c6b3790a51ba288093c68b16fab71914f88 Mon Sep 17 00:00:00 2001 From: Tu Date: Sat, 1 Feb 2020 02:36:51 +0900 Subject: [PATCH 212/228] Add XSKMAP support (#2730) * add XSKMAP support * enable lookup for XSKMAP available from kernel 5.3 * add section for XSKMAP in reference guide --- docs/reference_guide.md | 63 +++++++++++++-------- src/cc/api/BPF.cc | 7 +++ src/cc/api/BPF.h | 2 + src/cc/api/BPFTable.cc | 35 ++++++++++-- src/cc/api/BPFTable.h | 11 +++- src/cc/export/helpers.h | 12 ++++ src/cc/frontends/clang/b_frontend_action.cc | 2 + src/python/bcc/table.py | 6 ++ 8 files changed, 110 insertions(+), 28 deletions(-) diff --git a/docs/reference_guide.md b/docs/reference_guide.md index e1292bf83..9080deee6 100644 --- a/docs/reference_guide.md +++ b/docs/reference_guide.md @@ -44,16 +44,17 @@ This guide is incomplete. If something feels missing, check the bcc and kernel s - [9. BPF_PROG_ARRAY](#9-bpf_prog_array) - [10. BPF_DEVMAP](#10-bpf_devmap) - [11. BPF_CPUMAP](#11-bpf_cpumap) - - [12. map.lookup()](#12-maplookup) - - [13. map.lookup_or_try_init()](#13-maplookup_or_try_init) - - [14. map.delete()](#14-mapdelete) - - [15. map.update()](#15-mapupdate) - - [16. map.insert()](#16-mapinsert) - - [17. map.increment()](#17-mapincrement) - - [18. map.get_stackid()](#18-mapget_stackid) - - [19. map.perf_read()](#19-mapperf_read) - - [20. map.call()](#20-mapcall) - - [21. map.redirect_map()](#21-mapredirect_map) + - [12. BPF_XSKMAP](#12-bpf_xskmap) + - [13. map.lookup()](#13-maplookup) + - [14. map.lookup_or_try_init()](#14-maplookup_or_try_init) + - [15. map.delete()](#15-mapdelete) + - [16. map.update()](#16-mapupdate) + - [17. map.insert()](#17-mapinsert) + - [18. map.increment()](#18-mapincrement) + - [19. map.get_stackid()](#19-mapget_stackid) + - [20. map.perf_read()](#20-mapperf_read) + - [21. map.call()](#21-mapcall) + - [22. map.redirect_map()](#22-mapredirect_map) - [Licensing](#licensing) - [bcc Python](#bcc-python) @@ -759,7 +760,23 @@ Methods (covered later): map.redirect_map(). Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=BPF_CPUMAP+path%3Aexamples&type=Code), -### 12. BPF_ARRAY_OF_MAPS +### 12. BPF_XSKMAP + +Syntax: ```BPF_XSKMAP(name, size)``` + +This creates a xsk map named ```name``` with ```size``` entries. Each entry represents one NIC's queue id. This map is only used in XDP to redirect packet to an AF_XDP socket. If the AF_XDP socket is binded to a queue which is different than the current packet's queue id, the packet will be dropped. For kernel v5.3 and latter, `lookup` method is available and can be used to check whether and AF_XDP socket is available for the current packet's queue id. More details at [AF_XDP](https://www.kernel.org/doc/html/latest/networking/af_xdp.html). + +For example: +```C +BPF_XSKMAP(xsks_map, 8); +``` + +Methods (covered later): map.redirect_map(). map.lookup() + +Examples in situ: +[search /examples](https://github.com/iovisor/bcc/search?q=BPF_XSKMAP+path%3Aexamples&type=Code), + +### 13. BPF_ARRAY_OF_MAPS Syntax: ```BPF_ARRAY_OF_MAPS(name, inner_map_name, size)``` @@ -772,7 +789,7 @@ BPF_TABLE("hash", int, int, ex2, 1024); BPF_ARRAY_OF_MAPS(maps_array, "ex1", 10); ``` -### 13. BPF_HASH_OF_MAPS +### 14. BPF_HASH_OF_MAPS Syntax: ```BPF_HASH_OF_MAPS(name, inner_map_name, size)``` @@ -785,7 +802,7 @@ BPF_ARRAY(ex2, int, 1024); BPF_HASH_OF_MAPS(maps_hash, "ex1", 10); ``` -### 14. map.lookup() +### 15. map.lookup() Syntax: ```*val map.lookup(&key)``` @@ -795,7 +812,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=lookup+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=lookup+path%3Atools&type=Code) -### 15. map.lookup_or_try_init() +### 16. map.lookup_or_try_init() Syntax: ```*val map.lookup_or_try_init(&key, &zero)``` @@ -808,7 +825,7 @@ Examples in situ: Note: The old map.lookup_or_init() may cause return from the function, so lookup_or_try_init() is recommended as it does not have this side effect. -### 16. map.delete() +### 17. map.delete() Syntax: ```map.delete(&key)``` @@ -818,7 +835,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=delete+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=delete+path%3Atools&type=Code) -### 17. map.update() +### 18. map.update() Syntax: ```map.update(&key, &val)``` @@ -828,7 +845,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=update+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=update+path%3Atools&type=Code) -### 18. map.insert() +### 19. map.insert() Syntax: ```map.insert(&key, &val)``` @@ -838,7 +855,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=insert+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=insert+path%3Atools&type=Code) -### 19. map.increment() +### 20. map.increment() Syntax: ```map.increment(key[, increment_amount])``` @@ -848,7 +865,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=increment+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=increment+path%3Atools&type=Code) -### 20. map.get_stackid() +### 21. map.get_stackid() Syntax: ```int map.get_stackid(void *ctx, u64 flags)``` @@ -858,7 +875,7 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?q=get_stackid+path%3Aexamples&type=Code), [search /tools](https://github.com/iovisor/bcc/search?q=get_stackid+path%3Atools&type=Code) -### 21. map.perf_read() +### 22. map.perf_read() Syntax: ```u64 map.perf_read(u32 cpu)``` @@ -867,7 +884,7 @@ This returns the hardware performance counter as configured in [5. BPF_PERF_ARRA Examples in situ: [search /tests](https://github.com/iovisor/bcc/search?q=perf_read+path%3Atests&type=Code) -### 22. map.call() +### 23. map.call() Syntax: ```void map.call(void *ctx, int index)``` @@ -906,11 +923,11 @@ Examples in situ: [search /examples](https://github.com/iovisor/bcc/search?l=C&q=call+path%3Aexamples&type=Code), [search /tests](https://github.com/iovisor/bcc/search?l=C&q=call+path%3Atests&type=Code) -### 23. map.redirect_map() +### 24. map.redirect_map() Syntax: ```int map.redirect_map(int index, int flags)``` -This redirects the incoming packets based on the ```index``` entry. If the map is [10. BPF_DEVMAP](#10-bpf_devmap), the packet will be sent to the transmit queue of the network interface that the entry points to. If the map is [11. BPF_CPUMAP](#11-bpf_cpumap), the packet will be sent to the ring buffer of the ```index``` CPU and be processed by the CPU later. +This redirects the incoming packets based on the ```index``` entry. If the map is [10. BPF_DEVMAP](#10-bpf_devmap), the packet will be sent to the transmit queue of the network interface that the entry points to. If the map is [11. BPF_CPUMAP](#11-bpf_cpumap), the packet will be sent to the ring buffer of the ```index``` CPU and be processed by the CPU later. If the map is [12. BPF_XSKMAP](#12-bpf_xskmap), the packet will be sent to the AF_XDP socket attached to the queue. If the packet is redirected successfully, the function will return XDP_REDIRECT. Otherwise, it will return XDP_ABORTED to discard the packet. diff --git a/src/cc/api/BPF.cc b/src/cc/api/BPF.cc index 43934ed39..d1e3ac283 100644 --- a/src/cc/api/BPF.cc +++ b/src/cc/api/BPF.cc @@ -677,6 +677,13 @@ BPFDevmapTable BPF::get_devmap_table(const std::string& name) { return BPFDevmapTable({}); } +BPFXskmapTable BPF::get_xskmap_table(const std::string& name) { + TableStorage::iterator it; + if (bpf_module_->table_storage().Find(Path({bpf_module_->id(), name}), it)) + return BPFXskmapTable(it->second); + return BPFXskmapTable({}); +} + BPFStackTable BPF::get_stack_table(const std::string& name, bool use_debug_file, bool check_debug_file_crc) { TableStorage::iterator it; diff --git a/src/cc/api/BPF.h b/src/cc/api/BPF.h index ec34fa452..b9f426cab 100644 --- a/src/cc/api/BPF.h +++ b/src/cc/api/BPF.h @@ -167,6 +167,8 @@ class BPF { BPFDevmapTable get_devmap_table(const std::string& name); + BPFXskmapTable get_xskmap_table(const std::string& name); + BPFStackTable get_stack_table(const std::string& name, bool use_debug_file = true, bool check_debug_file_crc = true); diff --git a/src/cc/api/BPFTable.cc b/src/cc/api/BPFTable.cc index 389170d13..d8faab222 100644 --- a/src/cc/api/BPFTable.cc +++ b/src/cc/api/BPFTable.cc @@ -627,21 +627,21 @@ StatusTuple BPFCgroupArray::remove_value(const int& index) { return StatusTuple(0); } -BPFDevmapTable::BPFDevmapTable(const TableDesc& desc) +BPFDevmapTable::BPFDevmapTable(const TableDesc& desc) : BPFTableBase(desc) { if(desc.type != BPF_MAP_TYPE_DEVMAP) - throw std::invalid_argument("Table '" + desc.name + + throw std::invalid_argument("Table '" + desc.name + "' is not a devmap table"); } -StatusTuple BPFDevmapTable::update_value(const int& index, +StatusTuple BPFDevmapTable::update_value(const int& index, const int& value) { if (!this->update(const_cast(&index), const_cast(&value))) return StatusTuple(-1, "Error updating value: %s", std::strerror(errno)); return StatusTuple(0); } -StatusTuple BPFDevmapTable::get_value(const int& index, +StatusTuple BPFDevmapTable::get_value(const int& index, int& value) { if (!this->lookup(const_cast(&index), &value)) return StatusTuple(-1, "Error getting value: %s", std::strerror(errno)); @@ -654,6 +654,33 @@ StatusTuple BPFDevmapTable::remove_value(const int& index) { return StatusTuple(0); } +BPFXskmapTable::BPFXskmapTable(const TableDesc& desc) + : BPFTableBase(desc) { + if(desc.type != BPF_MAP_TYPE_XSKMAP) + throw std::invalid_argument("Table '" + desc.name + + "' is not a xskmap table"); +} + +StatusTuple BPFXskmapTable::update_value(const int& index, + const int& value) { + if (!this->update(const_cast(&index), const_cast(&value))) + return StatusTuple(-1, "Error updating value: %s", std::strerror(errno)); + return StatusTuple(0); +} + +StatusTuple BPFXskmapTable::get_value(const int& index, + int& value) { + if (!this->lookup(const_cast(&index), &value)) + return StatusTuple(-1, "Error getting value: %s", std::strerror(errno)); + return StatusTuple(0); +} + +StatusTuple BPFXskmapTable::remove_value(const int& index) { + if (!this->remove(const_cast(&index))) + return StatusTuple(-1, "Error removing value: %s", std::strerror(errno)); + return StatusTuple(0); +} + BPFMapInMapTable::BPFMapInMapTable(const TableDesc& desc) : BPFTableBase(desc) { if(desc.type != BPF_MAP_TYPE_ARRAY_OF_MAPS && diff --git a/src/cc/api/BPFTable.h b/src/cc/api/BPFTable.h index 518dab383..b2f3451f8 100644 --- a/src/cc/api/BPFTable.h +++ b/src/cc/api/BPFTable.h @@ -395,7 +395,16 @@ class BPFCgroupArray : public BPFTableBase { class BPFDevmapTable : public BPFTableBase { public: BPFDevmapTable(const TableDesc& desc); - + + StatusTuple update_value(const int& index, const int& value); + StatusTuple get_value(const int& index, int& value); + StatusTuple remove_value(const int& index); +}; + +class BPFXskmapTable : public BPFTableBase { +public: + BPFXskmapTable(const TableDesc& desc); + StatusTuple update_value(const int& index, const int& value); StatusTuple get_value(const int& index, int& value); StatusTuple remove_value(const int& index); diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index 8f85225e1..df2e88934 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -269,6 +269,18 @@ struct _name##_table_t _name = { .max_entries = (_max_entries) } #define BPF_CPUMAP(_name, _max_entries) \ BPF_XDP_REDIRECT_MAP("cpumap", u32, _name, _max_entries) +#define BPF_XSKMAP(_name, _max_entries) \ +struct _name##_table_t { \ + u32 key; \ + int leaf; \ + int * (*lookup) (int *); \ + /* xdp_act = map.redirect_map(index, flag) */ \ + u64 (*redirect_map) (int, int); \ + u32 max_entries; \ +}; \ +__attribute__((section("maps/xskmap"))) \ +struct _name##_table_t _name = { .max_entries = (_max_entries) } + #define BPF_ARRAY_OF_MAPS(_name, _inner_map_name, _max_entries) \ BPF_TABLE("array_of_maps$" _inner_map_name, int, int, _name, _max_entries) diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index c44ea0837..ed9c235d6 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -1259,6 +1259,8 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { map_type = BPF_MAP_TYPE_DEVMAP; } else if (section_attr == "maps/cpumap") { map_type = BPF_MAP_TYPE_CPUMAP; + } else if (section_attr == "maps/xskmap") { + map_type = BPF_MAP_TYPE_XSKMAP; } else if (section_attr == "maps/hash_of_maps") { map_type = BPF_MAP_TYPE_HASH_OF_MAPS; } else if (section_attr == "maps/array_of_maps") { diff --git a/src/python/bcc/table.py b/src/python/bcc/table.py index c9ad9c8d7..12ba1bf48 100644 --- a/src/python/bcc/table.py +++ b/src/python/bcc/table.py @@ -182,6 +182,8 @@ def Table(bpf, map_id, map_fd, keytype, leaftype, name, **kwargs): t = DevMap(bpf, map_id, map_fd, keytype, leaftype) elif ttype == BPF_MAP_TYPE_CPUMAP: t = CpuMap(bpf, map_id, map_fd, keytype, leaftype) + elif ttype == BPF_MAP_TYPE_XSKMAP: + t = XskMap(bpf, map_id, map_fd, keytype, leaftype) elif ttype == BPF_MAP_TYPE_ARRAY_OF_MAPS: t = MapInMapArray(bpf, map_id, map_fd, keytype, leaftype) elif ttype == BPF_MAP_TYPE_HASH_OF_MAPS: @@ -905,6 +907,10 @@ class CpuMap(ArrayBase): def __init__(self, *args, **kwargs): super(CpuMap, self).__init__(*args, **kwargs) +class XskMap(ArrayBase): + def __init__(self, *args, **kwargs): + super(XskMap, self).__init__(*args, **kwargs) + class MapInMapArray(ArrayBase): def __init__(self, *args, **kwargs): super(MapInMapArray, self).__init__(*args, **kwargs) From f727a00fb4a388f30ab0f637b43f27345b0f6da7 Mon Sep 17 00:00:00 2001 From: Shmulik Ladkani Date: Sun, 2 Feb 2020 17:04:14 +0200 Subject: [PATCH 213/228] bcc.BPF.cleanup(): Ensure self.funcs items get deleted during cleanup Since commit 115b959d86 ("Fix a file descriptor leak when module is deleted (#2530)"), we observe the following exceptions during python exit: Error in atexit._run_exitfuncs: Traceback (most recent call last): File "/usr/lib/python2.7/atexit.py", line 24, in _run_exitfuncs func(*targs, **kargs) File "/usr/lib/python2.7/dist-packages/bcc/__init__.py", line 1366, in cleanup os.close(fn.fd) OSError: [Errno 9] Bad file descriptor which occurs for python programs issuing a call to 'cleanup()', or using the 'with bcc.BPF(...)' code pattern. BPF's 'cleanup' is registered to be invoked atexit. Alas, commit 115b959d86 introduced an 'os.close(fn.fd)' call for each func loaded (to prevent accidental FD leakage). Problem is, that the 'self.funcs' dict entries are NOT deleted, making subsequent calls to 'cleanup' to attempt closing the same 'fn.fd' again and again. It is expected from 'cleanup' to operate correctly when called repeatedly; Therefore, it should "nullify" references to closed resources. Fix, by deleting the reference to each unloaded function from the 'self.func' dictionary. Fixes: 115b959d86 ("Fix a file descriptor leak when module is deleted (#2530)") Reported-by: Dana Rubin Signed-off-by: Shmulik Ladkani --- src/python/bcc/__init__.py | 1 + 1 file changed, 1 insertion(+) diff --git a/src/python/bcc/__init__.py b/src/python/bcc/__init__.py index 5d1c203f5..1c94c7871 100644 --- a/src/python/bcc/__init__.py +++ b/src/python/bcc/__init__.py @@ -1366,6 +1366,7 @@ def cleanup(self): self.tracefile = None for name, fn in list(self.funcs.items()): os.close(fn.fd) + del self.funcs[name] if self.module: lib.bpf_module_destroy(self.module) self.module = None From 68789499f281c73d0ef9956dd88100c48558050e Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Mon, 3 Feb 2020 23:06:50 -0800 Subject: [PATCH 214/228] define CC_USING_FENTRY if CONFIG_FUNCTION_TRACER is defined Fix issue #2734. In 4.18 and later, when CONFIG_FUNCTION_TRACER is defined, kernel Makefile adds -DCC_USING_FENTRY. Let do the same for bpf programs. Signed-off-by: Yonghong Song --- src/cc/export/helpers.h | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index df2e88934..92671b21b 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -40,6 +40,13 @@ R"********( #endif #define asm_volatile_goto(x...) asm volatile("invalid use of asm_volatile_goto") +/* In 4.18 and later, when CONFIG_FUNCTION_TRACER is defined, kernel Makefile adds + * -DCC_USING_FENTRY. Let do the same for bpf programs. + */ +#if defined(CONFIG_FUNCTION_TRACER) +#define CC_USING_FENTRY +#endif + #include #include #include From 685ec23ecaa9c55409a21b5cd3c919fe1206fb20 Mon Sep 17 00:00:00 2001 From: Sergio Schvezov Date: Thu, 6 Feb 2020 10:43:25 -0300 Subject: [PATCH 215/228] snap: update and cleanup snapcraft.yaml A couple of issues fixed: - put snapcraft.yaml in the snap directory so it is picked up by snapcraft when run from the project root. - use snap/local for local snapcraft assets. - setup.py.in should not add root for sdist targets - cleanup snap/README.md. - re-arrange parts in snapcraft.yaml and move to python3. Signed-off-by: Sergio Schvezov --- {snapcraft => snap}/README.md | 27 +++++------ {snapcraft => snap/local}/bcc-wrapper | 0 {snapcraft => snap}/snapcraft.yaml | 67 +++++++++++++++++---------- snapcraft/Makefile | 53 --------------------- src/python/setup.py.in | 3 +- 5 files changed, 56 insertions(+), 94 deletions(-) rename {snapcraft => snap}/README.md (57%) rename {snapcraft => snap/local}/bcc-wrapper (100%) rename {snapcraft => snap}/snapcraft.yaml (89%) delete mode 100644 snapcraft/Makefile diff --git a/snapcraft/README.md b/snap/README.md similarity index 57% rename from snapcraft/README.md rename to snap/README.md index b95729af0..a4399c8a8 100644 --- a/snapcraft/README.md +++ b/snap/README.md @@ -5,31 +5,28 @@ creating efficient kernel tracing and manipulation programs. First, install snapcraft, e.g. on Ubuntu: -sudo apt install snapcraft +sudo snap install snapcraft --classic Clone the bcc repo (if you haven't done so already) and create the snap: -git clone https://github.com/iovisor/bcc.git -cd snapcraft -make + git clone https://github.com/iovisor/bcc.git + snapcraft -Note: running `make` just gets the version from the current bcc gito -repository and uses this in the snapcraft yaml file to version the bcc -snap. The Makefile basically runs snapcraft to snap up bcc. +Install the snap by running (`--dangerous` is required as the snap is +not coming from the Snap Store): -Install the snap by running: + sudo snap install --dangerous bcc_*.snap -sudo snap install --devmode bcc_*.snap +One may need to ensure the snap interfaces are connected for the snap +using: -One may need to ensure the snap plugins are enabled for the snap using: - -sudo snap connect bcc:mount-observe -sudo snap connect bcc:system-observe -sudo snap connect bcc:system-trace + sudo snap connect bcc:mount-observe + sudo snap connect bcc:system-observe + sudo snap connect bcc:system-trace Now run a bcc tool, for example, to run opensnoop use: -sudo bcc.opensnoop + sudo bcc.opensnoop Note that this may fail to build and run if you do not have the kernel headers installed or perhaps the kernel config is not set up correctly. diff --git a/snapcraft/bcc-wrapper b/snap/local/bcc-wrapper similarity index 100% rename from snapcraft/bcc-wrapper rename to snap/local/bcc-wrapper diff --git a/snapcraft/snapcraft.yaml b/snap/snapcraft.yaml similarity index 89% rename from snapcraft/snapcraft.yaml rename to snap/snapcraft.yaml index 87e9b80bf..d02cb9cfd 100644 --- a/snapcraft/snapcraft.yaml +++ b/snap/snapcraft.yaml @@ -1,5 +1,5 @@ # -# Copyright (C) 2016 Canonical +# Copyright (C) 2016,2020 Canonical # # This program is free software; you can redistribute it and/or # modify it under the terms of the GNU General Public License @@ -16,7 +16,6 @@ # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. # name: bcc -version: 0.9.0-20190318-2991-6cf63612 summary: BPF Compiler Collection (BCC) description: A toolkit for creating efficient kernel tracing and manipulation programs confinement: strict @@ -27,52 +26,70 @@ plugs: system-trace: null assumes: [snapd2.37] base: core18 +adopt-info: bcc parts: bcc: plugin: cmake override-pull: | snapcraftctl pull - find . -type f -exec sed -i 's|^#\!/usr/bin/python|#\!/usr/bin/env python|' {} \; + + find . -type f -exec sed -i 's|^#\!/usr/bin/python|#\!/usr/bin/env python3|' {} \; + + version=$(git tag | sort -V | tail -1 | cut -c2-) + commits=$(git log --oneline | wc -l) + sha=$(git log -1 --oneline | cut -d' ' -f1) + date=$(date +'%Y%m%d') + snapcraftctl set-version "$version-$date-$commits-$sha" configflags: - '-DCMAKE_INSTALL_PREFIX=/usr' - source: .. - source-type: git - stage-packages: - - libbz2-1.0 - - liblzma5 - - libncursesw5 - - libtinfo5 - - libzzip-0-13 + - '-DPYTHON_CMD=$SNAPCRAFT_STAGE/usr/bin/python3' + - '-DCMAKE_VERBOSE_MAKEFILE=ON' + source: . build-packages: - bison - build-essential - - cmake - flex + - git + - iperf + - libclang-4.0-dev - libedit-dev + - libelf-dev - libllvm4.0 - llvm-4.0-dev - - libclang-4.0-dev - - python - zlib1g-dev - - libelf-dev - - iperf prime: - - usr/share/bcc/tools - - usr/lib/python2.7 - - usr/lib/*/lib*.so* - -usr/share/bcc/tools/doc + - usr/lib/*/lib*.so* + - usr/lib/python3 + - usr/lib/python3.6* + - usr/share/bcc/tools + after: + - stage - python-deps: - plugin: python - python-version: python2 + stage: + plugin: nil + stage-packages: + - libbz2-1.0 + - liblzma5 + - libncursesw5 + - libtinfo5 + - libzzip-0-13 + - python3 + - python3-distutils + - python3-distutils-extra + - python3-pip + - python3-setuptools + prime: + - -usr/lib/*/perl + - -usr/lib/*/perl5 + - usr/bin + - usr/lib wrapper: plugin: dump after: [bcc] - source: . - organize: - wrapper: bin/bcc-wrapper + source: snap/local apps: argdist: diff --git a/snapcraft/Makefile b/snapcraft/Makefile deleted file mode 100644 index fe8973cfc..000000000 --- a/snapcraft/Makefile +++ /dev/null @@ -1,53 +0,0 @@ -# -# Copyright (C) 2016 Canonical -# -# This program is free software; you can redistribute it and/or -# modify it under the terms of the GNU General Public License -# as published by the Free Software Foundation; either version 2 -# of the License, or (at your option) any later version. -# -# This program is distributed in the hope that it will be useful, -# but WITHOUT ANY WARRANTY; without even the implied warranty of -# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the -# GNU General Public License for more details. -# -# You should have received a copy of the GNU General Public License -# along with this program; if not, write to the Free Software -# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. -# - -# -# Simple makefile to mangle version info in the yaml file -# -VERSION=$(shell git tag | sort -V | tail -1 | cut -c2-) -COMMITS=$(shell git log --oneline | wc -l) -SHA=$(shell git log -1 --oneline | cut -d' ' -f1) -DATE=$(shell date +'%Y%m%d') -V=$(VERSION)-$(DATE)-$(COMMITS)-$(SHA) - -all: set_version - snapcraft - -set_version: - cat snapcraft.yaml | sed 's/^version: .*/version: $(V)/' > snapcraft-tmp.yaml - mv snapcraft-tmp.yaml snapcraft.yaml - -install: - # - # Install latest snap - # - sudo snap install --devmode bcc_*.snap - - # - # Connect up interfaces - # - sudo snap connect bcc:mount-observe - sudo snap connect bcc:system-observe - sudo snap connect bcc:system-trace - -remove: - sudo snap remove bcc - -clean: - snapcraft clean - rm -rf setup *.snap snapcraft diff --git a/src/python/setup.py.in b/src/python/setup.py.in index 8e05d4fe9..dca35541d 100644 --- a/src/python/setup.py.in +++ b/src/python/setup.py.in @@ -4,7 +4,8 @@ from distutils.core import setup import os import sys -if os.environ.get('DESTDIR'): +# sdist does not support --root. +if "sdist" not in sys.argv and os.environ.get('DESTDIR'): sys.argv += ['--root', os.environ['DESTDIR']] setup(name='bcc', From a4834a6cacd14f251e72695f08766a16216642b2 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Thu, 6 Feb 2020 09:44:26 -0800 Subject: [PATCH 216/228] prevent rewriting for array element type Fix issue #2352. Corresponding llvm bug: https://bugs.llvm.org/show_bug.cgi?id=41918. If the element type is array type, the rewriter may generate code like addr = ({ typeof(__u8 [16]) _val; __builtin_memset(&_val, 0, sizeof(_val)); bpf_probe_read(&_val, sizeof(_val), (u64)&daddr->s6_addr); _val; }) for something like addr = daddr->s6_addr; where s6_addr is an array. The above code has an issue then as addr is pointing to some data which is out of scope, which meaning compiler is free to use the space. Let us disable such transformation until we find a good solution. Signed-off-by: Yonghong Song --- src/cc/frontends/clang/b_frontend_action.cc | 8 ++++++++ tools/tcptop.py | 16 ++++++++-------- 2 files changed, 16 insertions(+), 8 deletions(-) diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index ed9c235d6..8ed8e69a8 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -490,6 +490,10 @@ bool ProbeVisitor::VisitMemberExpr(MemberExpr *E) { if (!ProbeChecker(base, ptregs_, track_helpers_).needs_probe()) return true; + // If the base is an array, we will skip rewriting. See issue #2352. + if (E->getType()->isArrayType()) + return true; + string rhs = rewriter_.getRewrittenText(expansionRange(SourceRange(rhs_start, GET_ENDLOC(E)))); string base_type = base->getType()->getPointeeType().getAsString(); string pre, post; @@ -509,6 +513,10 @@ bool ProbeVisitor::VisitArraySubscriptExpr(ArraySubscriptExpr *E) { if (is_addrof_) return true; + // If the base is an array, we will skip rewriting. See issue #2352. + if (E->getType()->isArrayType()) + return true; + if (!rewriter_.isRewritable(GET_BEGINLOC(E))) return true; diff --git a/tools/tcptop.py b/tools/tcptop.py index 5f09bed4f..330d5bbbb 100755 --- a/tools/tcptop.py +++ b/tools/tcptop.py @@ -112,10 +112,10 @@ def range_check(string): } else if (family == AF_INET6) { struct ipv6_key_t ipv6_key = {.pid = pid}; - __builtin_memcpy(&ipv6_key.saddr, - sk->__sk_common.skc_v6_rcv_saddr.in6_u.u6_addr32, sizeof(ipv6_key.saddr)); - __builtin_memcpy(&ipv6_key.daddr, - sk->__sk_common.skc_v6_daddr.in6_u.u6_addr32, sizeof(ipv6_key.daddr)); + bpf_probe_read(&ipv6_key.saddr, sizeof(ipv6_key.saddr), + &sk->__sk_common.skc_v6_rcv_saddr.in6_u.u6_addr32); + bpf_probe_read(&ipv6_key.daddr, sizeof(ipv6_key.daddr), + &sk->__sk_common.skc_v6_daddr.in6_u.u6_addr32); ipv6_key.lport = sk->__sk_common.skc_num; dport = sk->__sk_common.skc_dport; ipv6_key.dport = ntohs(dport); @@ -153,10 +153,10 @@ def range_check(string): } else if (family == AF_INET6) { struct ipv6_key_t ipv6_key = {.pid = pid}; - __builtin_memcpy(&ipv6_key.saddr, - sk->__sk_common.skc_v6_rcv_saddr.in6_u.u6_addr32, sizeof(ipv6_key.saddr)); - __builtin_memcpy(&ipv6_key.daddr, - sk->__sk_common.skc_v6_daddr.in6_u.u6_addr32, sizeof(ipv6_key.daddr)); + bpf_probe_read(&ipv6_key.saddr, sizeof(ipv6_key.saddr), + &sk->__sk_common.skc_v6_rcv_saddr.in6_u.u6_addr32); + bpf_probe_read(&ipv6_key.daddr, sizeof(ipv6_key.daddr), + &sk->__sk_common.skc_v6_daddr.in6_u.u6_addr32); ipv6_key.lport = sk->__sk_common.skc_num; dport = sk->__sk_common.skc_dport; ipv6_key.dport = ntohs(dport); From f149ca5d774aa81d8b78cfcd5be6f5cf58cbdab7 Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Thu, 6 Feb 2020 12:29:16 -0800 Subject: [PATCH 217/228] Do not rewrite array subscripts if invalid sourceloc range Fix #2739. The issue exposed an issue that to rewrite CODE1: __u8 byte = daddr->s6_addr[4]; will segfault and to rewrite CODE2: __u8 byte = (daddr->s6_addr)[4]; will be okay. For CODE1, the clang did not give enough information to find the text which contains the left bracket "[", given base "daddr->s6_addr" and subscript "4". For CODE2, the clang is able to get the information successfuly. I think if we really go inside the base "daddr->s6_addr" and gets to its member field "s6_addr", we can find the needed information for the text range containing "[". Let us fix the segfault first and if really desirable, we can try to enhance later for CODE1 patterns. Signed-off-by: Yonghong Song --- src/cc/frontends/clang/b_frontend_action.cc | 19 ++++++++++++++----- 1 file changed, 14 insertions(+), 5 deletions(-) diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index 8ed8e69a8..bee7dd68c 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -534,6 +534,20 @@ bool ProbeVisitor::VisitArraySubscriptExpr(ArraySubscriptExpr *E) { LangOptions opts; SourceLocation lbracket_start, lbracket_end; SourceRange lbracket_range; + + /* For cases like daddr->s6_addr[4], clang encodes the end location of "base" + * as "]". This makes it hard to rewrite the expression like + * "daddr->s6_addr [ 4 ]" since we do not know the end location + * of "addr->s6_addr". Let us abort the operation if this is the case. + */ + lbracket_start = Lexer::getLocForEndOfToken(GET_ENDLOC(base), 1, + rewriter_.getSourceMgr(), + opts).getLocWithOffset(1); + lbracket_end = GET_BEGINLOC(idx).getLocWithOffset(-1); + lbracket_range = expansionRange(SourceRange(lbracket_start, lbracket_end)); + if (rewriter_.getRewrittenText(lbracket_range).size() == 0) + return true; + pre = "({ typeof(" + E->getType().getAsString() + ") _val; __builtin_memset(&_val, 0, sizeof(_val));"; pre += " bpf_probe_read(&_val, sizeof(_val), (u64)(("; if (isMemberDereference(base)) { @@ -549,11 +563,6 @@ bool ProbeVisitor::VisitArraySubscriptExpr(ArraySubscriptExpr *E) { * a method to retrieve the left bracket, replace everything from the end of * the base to the start of the index. */ lbracket = ") + ("; - lbracket_start = Lexer::getLocForEndOfToken(GET_ENDLOC(base), 1, - rewriter_.getSourceMgr(), - opts).getLocWithOffset(1); - lbracket_end = GET_BEGINLOC(idx).getLocWithOffset(-1); - lbracket_range = expansionRange(SourceRange(lbracket_start, lbracket_end)); rewriter_.ReplaceText(lbracket_range, lbracket); rbracket = "))); _val; })"; From 0a7da74e2580150002131aebbe9eaa2d5e2c9b62 Mon Sep 17 00:00:00 2001 From: Vladislav Bogdanov Date: Fri, 7 Feb 2020 15:22:42 +0300 Subject: [PATCH 218/228] Fix offwaketime regression introduced by #ac00ac5 --- tools/offwaketime.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tools/offwaketime.py b/tools/offwaketime.py index da9dbdbc7..665b66661 100755 --- a/tools/offwaketime.py +++ b/tools/offwaketime.py @@ -140,7 +140,7 @@ def signal_ignore(signal, frame): // of the Process who wakes it BPF_HASH(wokeby, u32, struct wokeby_t); -BPF_STACK_TRACE(stack_traces, 2); +BPF_STACK_TRACE(stack_traces, STACK_STORAGE_SIZE); int waker(struct pt_regs *ctx, struct task_struct *p) { // PID and TGID of the target Process to be waken From 6cacc41462bae12b1c38aabc7a6b85f40783da9a Mon Sep 17 00:00:00 2001 From: Yonghong Song Date: Fri, 7 Feb 2020 09:30:30 -0800 Subject: [PATCH 219/228] support sockmap/sockhash/cgroup_local_storage maps This patch supports sockmap, sockhash and cgroup_local_storage maps. Two C++ APIs, attach_func and detach_func are also added to allow to attach program to cgroups. So this makes using C++ APIs for cgroup based networking applications easier to integrate with bpf programs. The unit testing is rough as it needs some work to set up cgroups and establish TCP connections to really test the result of map operations. But still all supported map operations in kernel and in C++ APIs are tested syntacically. Signed-off-by: Yonghong Song --- src/cc/api/BPF.cc | 37 +++++++ src/cc/api/BPF.h | 26 +++++ src/cc/api/BPFTable.cc | 40 ++++++++ src/cc/api/BPFTable.h | 76 ++++++++++++++ src/cc/bpf_module.cc | 12 +++ src/cc/bpf_module.h | 3 + src/cc/export/helpers.h | 38 +++++++ src/cc/frontends/clang/b_frontend_action.cc | 17 ++++ tests/cc/CMakeLists.txt | 2 + tests/cc/test_cg_storage.cc | 105 +++++++++++++++++++ tests/cc/test_sock_table.cc | 106 ++++++++++++++++++++ 11 files changed, 462 insertions(+) create mode 100644 tests/cc/test_cg_storage.cc create mode 100644 tests/cc/test_sock_table.cc diff --git a/src/cc/api/BPF.cc b/src/cc/api/BPF.cc index d1e3ac283..a3a14fee9 100644 --- a/src/cc/api/BPF.cc +++ b/src/cc/api/BPF.cc @@ -609,6 +609,29 @@ StatusTuple BPF::unload_func(const std::string& func_name) { return StatusTuple(0); } +StatusTuple BPF::attach_func(int prog_fd, int attachable_fd, + enum bpf_attach_type attach_type, + uint64_t flags) { + int res = bpf_module_->bcc_func_attach(prog_fd, attachable_fd, attach_type, flags); + if (res != 0) + return StatusTuple(-1, "Can't attach for prog_fd %d, attachable_fd %d, " + "attach_type %d, flags %ld: error %d", + prog_fd, attachable_fd, attach_type, flags, res); + + return StatusTuple(0); +} + +StatusTuple BPF::detach_func(int prog_fd, int attachable_fd, + enum bpf_attach_type attach_type) { + int res = bpf_module_->bcc_func_detach(prog_fd, attachable_fd, attach_type); + if (res != 0) + return StatusTuple(-1, "Can't detach for prog_fd %d, attachable_fd %d, " + "attach_type %d: error %d", + prog_fd, attachable_fd, attach_type, res); + + return StatusTuple(0); +} + std::string BPF::get_syscall_fnname(const std::string& name) { if (syscall_prefix_ == nullptr) { KSyms ksym; @@ -708,6 +731,20 @@ BPFMapInMapTable BPF::get_map_in_map_table(const std::string& name) { return BPFMapInMapTable({}); } +BPFSockmapTable BPF::get_sockmap_table(const std::string& name) { + TableStorage::iterator it; + if (bpf_module_->table_storage().Find(Path({bpf_module_->id(), name}), it)) + return BPFSockmapTable(it->second); + return BPFSockmapTable({}); +} + +BPFSockhashTable BPF::get_sockhash_table(const std::string& name) { + TableStorage::iterator it; + if (bpf_module_->table_storage().Find(Path({bpf_module_->id(), name}), it)) + return BPFSockhashTable(it->second); + return BPFSockhashTable({}); +} + bool BPF::add_module(std::string module) { return bcc_buildsymcache_add_module(get_bsymcache(), module.c_str()) != 0 ? diff --git a/src/cc/api/BPF.h b/src/cc/api/BPF.h index b9f426cab..612f2b526 100644 --- a/src/cc/api/BPF.h +++ b/src/cc/api/BPF.h @@ -154,6 +154,22 @@ class BPF { return BPFSkStorageTable({}); } + template + BPFCgStorageTable get_cg_storage_table(const std::string& name) { + TableStorage::iterator it; + if (bpf_module_->table_storage().Find(Path({bpf_module_->id(), name}), it)) + return BPFCgStorageTable(it->second); + return BPFCgStorageTable({}); + } + + template + BPFPercpuCgStorageTable get_percpu_cg_storage_table(const std::string& name) { + TableStorage::iterator it; + if (bpf_module_->table_storage().Find(Path({bpf_module_->id(), name}), it)) + return BPFPercpuCgStorageTable(it->second); + return BPFPercpuCgStorageTable({}); + } + void* get_bsymcache(void) { if (bsymcache_ == NULL) { bsymcache_ = bcc_buildsymcache_new(); @@ -169,6 +185,10 @@ class BPF { BPFXskmapTable get_xskmap_table(const std::string& name); + BPFSockmapTable get_sockmap_table(const std::string& name); + + BPFSockhashTable get_sockhash_table(const std::string& name); + BPFStackTable get_stack_table(const std::string& name, bool use_debug_file = true, bool check_debug_file_crc = true); @@ -210,6 +230,12 @@ class BPF { int& fd); StatusTuple unload_func(const std::string& func_name); + StatusTuple attach_func(int prog_fd, int attachable_fd, + enum bpf_attach_type attach_type, + uint64_t flags); + StatusTuple detach_func(int prog_fd, int attachable_fd, + enum bpf_attach_type attach_type); + int free_bcc_memory(); private: diff --git a/src/cc/api/BPFTable.cc b/src/cc/api/BPFTable.cc index d8faab222..db62de74b 100644 --- a/src/cc/api/BPFTable.cc +++ b/src/cc/api/BPFTable.cc @@ -702,4 +702,44 @@ StatusTuple BPFMapInMapTable::remove_value(const int& index) { return StatusTuple(0); } +BPFSockmapTable::BPFSockmapTable(const TableDesc& desc) + : BPFTableBase(desc) { + if(desc.type != BPF_MAP_TYPE_SOCKMAP) + throw std::invalid_argument("Table '" + desc.name + + "' is not a sockmap table"); +} + +StatusTuple BPFSockmapTable::update_value(const int& index, + const int& value) { + if (!this->update(const_cast(&index), const_cast(&value))) + return StatusTuple(-1, "Error updating value: %s", std::strerror(errno)); + return StatusTuple(0); +} + +StatusTuple BPFSockmapTable::remove_value(const int& index) { + if (!this->remove(const_cast(&index))) + return StatusTuple(-1, "Error removing value: %s", std::strerror(errno)); + return StatusTuple(0); +} + +BPFSockhashTable::BPFSockhashTable(const TableDesc& desc) + : BPFTableBase(desc) { + if(desc.type != BPF_MAP_TYPE_SOCKHASH) + throw std::invalid_argument("Table '" + desc.name + + "' is not a sockhash table"); +} + +StatusTuple BPFSockhashTable::update_value(const int& key, + const int& value) { + if (!this->update(const_cast(&key), const_cast(&value))) + return StatusTuple(-1, "Error updating value: %s", std::strerror(errno)); + return StatusTuple(0); +} + +StatusTuple BPFSockhashTable::remove_value(const int& key) { + if (!this->remove(const_cast(&key))) + return StatusTuple(-1, "Error removing value: %s", std::strerror(errno)); + return StatusTuple(0); +} + } // namespace ebpf diff --git a/src/cc/api/BPFTable.h b/src/cc/api/BPFTable.h index b2f3451f8..f8e3396a4 100644 --- a/src/cc/api/BPFTable.h +++ b/src/cc/api/BPFTable.h @@ -32,6 +32,7 @@ #include "libbpf.h" #include "perf_reader.h" #include "table_desc.h" +#include "linux/bpf.h" namespace ebpf { @@ -418,6 +419,22 @@ class BPFMapInMapTable : public BPFTableBase { StatusTuple remove_value(const int& index); }; +class BPFSockmapTable : public BPFTableBase { +public: + BPFSockmapTable(const TableDesc& desc); + + StatusTuple update_value(const int& index, const int& value); + StatusTuple remove_value(const int& index); +}; + +class BPFSockhashTable : public BPFTableBase { +public: + BPFSockhashTable(const TableDesc& desc); + + StatusTuple update_value(const int& key, const int& value); + StatusTuple remove_value(const int& key); +}; + template class BPFSkStorageTable : public BPFTableBase { public: @@ -447,4 +464,63 @@ class BPFSkStorageTable : public BPFTableBase { } }; +template +class BPFCgStorageTable : public BPFTableBase { + public: + BPFCgStorageTable(const TableDesc& desc) : BPFTableBase(desc) { + if (desc.type != BPF_MAP_TYPE_CGROUP_STORAGE) + throw std::invalid_argument("Table '" + desc.name + + "' is not a cgroup_storage table"); + } + + virtual StatusTuple get_value(struct bpf_cgroup_storage_key& key, + ValueType& value) { + if (!this->lookup(const_cast(&key), + get_value_addr(value))) + return StatusTuple(-1, "Error getting value: %s", std::strerror(errno)); + return StatusTuple(0); + } + + virtual StatusTuple update_value(struct bpf_cgroup_storage_key& key, const ValueType& value) { + if (!this->update(const_cast(&key), + get_value_addr(const_cast(value)))) + return StatusTuple(-1, "Error updating value: %s", std::strerror(errno)); + return StatusTuple(0); + } +}; + +template +class BPFPercpuCgStorageTable : public BPFTableBase> { + public: + BPFPercpuCgStorageTable(const TableDesc& desc) + : BPFTableBase>(desc) { + if (desc.type != BPF_MAP_TYPE_PERCPU_CGROUP_STORAGE) + throw std::invalid_argument("Table '" + desc.name + + "' is not a percpu_cgroup_storage table"); + if (sizeof(ValueType) % 8) + throw std::invalid_argument("leaf must be aligned to 8 bytes"); + ncpus = BPFTable::get_possible_cpu_count(); + } + + virtual StatusTuple get_value(struct bpf_cgroup_storage_key& key, + std::vector& value) { + value.resize(ncpus); + if (!this->lookup(const_cast(&key), + get_value_addr(value))) + return StatusTuple(-1, "Error getting value: %s", std::strerror(errno)); + return StatusTuple(0); + } + + virtual StatusTuple update_value(struct bpf_cgroup_storage_key& key, + std::vector& value) { + value.resize(ncpus); + if (!this->update(const_cast(&key), + get_value_addr(const_cast&>(value)))) + return StatusTuple(-1, "Error updating value: %s", std::strerror(errno)); + return StatusTuple(0); + } + private: + unsigned int ncpus; +}; + } // namespace ebpf diff --git a/src/cc/bpf_module.cc b/src/cc/bpf_module.cc index 3df7ef18f..27e8f76d5 100644 --- a/src/cc/bpf_module.cc +++ b/src/cc/bpf_module.cc @@ -940,4 +940,16 @@ int BPFModule::bcc_func_load(int prog_type, const char *name, return ret; } +int BPFModule::bcc_func_attach(int prog_fd, int attachable_fd, + int attach_type, unsigned int flags) { + return bpf_prog_attach(prog_fd, attachable_fd, + (enum bpf_attach_type)attach_type, flags); +} + +int BPFModule::bcc_func_detach(int prog_fd, int attachable_fd, + int attach_type) { + return bpf_prog_detach2(prog_fd, attachable_fd, + (enum bpf_attach_type)attach_type); +} + } // namespace ebpf diff --git a/src/cc/bpf_module.h b/src/cc/bpf_module.h index 343ce28dd..e40ef5ec4 100644 --- a/src/cc/bpf_module.h +++ b/src/cc/bpf_module.h @@ -145,6 +145,9 @@ class BPFModule { const char *license, unsigned kern_version, int log_level, char *log_buf, unsigned log_buf_size, const char *dev_name = nullptr); + int bcc_func_attach(int prog_fd, int attachable_fd, + int attach_type, unsigned int flags); + int bcc_func_detach(int prog_fd, int attachable_fd, int attach_type); size_t perf_event_fields(const char *) const; const char * perf_event_field(const char *, size_t i) const; diff --git a/src/cc/export/helpers.h b/src/cc/export/helpers.h index 92671b21b..49aa66feb 100644 --- a/src/cc/export/helpers.h +++ b/src/cc/export/helpers.h @@ -306,6 +306,44 @@ __attribute__((section("maps/sk_storage"))) \ struct _name##_table_t _name = { .flags = BPF_F_NO_PREALLOC }; \ BPF_ANNOTATE_KV_PAIR(_name, int, _leaf_type) +#define BPF_SOCKMAP_COMMON(_name, _max_entries, _kind, _helper_name) \ +struct _name##_table_t { \ + u32 key; \ + int leaf; \ + int (*update) (u32 *, int *); \ + int (*delete) (int *); \ + /* ret = map.sock_map_update(ctx, key, flag) */ \ + int (* _helper_name) (void *, void *, u64); \ + u32 max_entries; \ +}; \ +__attribute__((section("maps/" _kind))) \ +struct _name##_table_t _name = { .max_entries = (_max_entries) }; \ +BPF_ANNOTATE_KV_PAIR(_name, u32, int) + +#define BPF_SOCKMAP(_name, _max_entries) \ + BPF_SOCKMAP_COMMON(_name, _max_entries, "sockmap", sock_map_update) + +#define BPF_SOCKHASH(_name, _max_entries) \ + BPF_SOCKMAP_COMMON(_name, _max_entries, "sockhash", sock_hash_update) + +#define BPF_CGROUP_STORAGE_COMMON(_name, _leaf_type, _kind) \ +struct _name##_table_t { \ + struct bpf_cgroup_storage_key key; \ + _leaf_type leaf; \ + _leaf_type * (*lookup) (struct bpf_cgroup_storage_key *); \ + int (*update) (struct bpf_cgroup_storage_key *, _leaf_type *); \ + int (*get_local_storage) (u64); \ +}; \ +__attribute__((section("maps/" _kind))) \ +struct _name##_table_t _name = { 0 }; \ +BPF_ANNOTATE_KV_PAIR(_name, struct bpf_cgroup_storage_key, _leaf_type) + +#define BPF_CGROUP_STORAGE(_name, _leaf_type) \ + BPF_CGROUP_STORAGE_COMMON(_name, _leaf_type, "cgroup_storage") + +#define BPF_PERCPU_CGROUP_STORAGE(_name, _leaf_type) \ + BPF_CGROUP_STORAGE_COMMON(_name, _leaf_type, "percpu_cgroup_storage") + // packet parsing state machine helpers #define cursor_advance(_cursor, _len) \ ({ void *_tmp = _cursor; _cursor += _len; _tmp; }) diff --git a/src/cc/frontends/clang/b_frontend_action.cc b/src/cc/frontends/clang/b_frontend_action.cc index bee7dd68c..8beefafb7 100644 --- a/src/cc/frontends/clang/b_frontend_action.cc +++ b/src/cc/frontends/clang/b_frontend_action.cc @@ -882,6 +882,12 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { error(GET_BEGINLOC(Call), "get_stackid only available on stacktrace maps"); return false; } + } else if (memb_name == "sock_map_update" || memb_name == "sock_hash_update") { + string ctx = rewriter_.getRewrittenText(expansionRange(Call->getArg(0)->getSourceRange())); + string keyp = rewriter_.getRewrittenText(expansionRange(Call->getArg(1)->getSourceRange())); + string flag = rewriter_.getRewrittenText(expansionRange(Call->getArg(2)->getSourceRange())); + txt = "bpf_" + string(memb_name) + "(" + ctx + ", " + + "bpf_pseudo_fd(1, " + fd + "), " + keyp + ", " + flag + ");"; } else { if (memb_name == "lookup") { prefix = "bpf_map_lookup_elem"; @@ -919,6 +925,9 @@ bool BTypeVisitor::VisitCallExpr(CallExpr *Call) { } else if (memb_name == "sk_storage_delete") { prefix = "bpf_sk_storage_delete"; suffix = ")"; + } else if (memb_name == "get_local_storage") { + prefix = "bpf_get_local_storage"; + suffix = ")"; } else { error(GET_BEGINLOC(Call), "invalid bpf_table operation %0") << memb_name; return false; @@ -1284,6 +1293,14 @@ bool BTypeVisitor::VisitVarDecl(VarDecl *Decl) { map_type = BPF_MAP_TYPE_ARRAY_OF_MAPS; } else if (section_attr == "maps/sk_storage") { map_type = BPF_MAP_TYPE_SK_STORAGE; + } else if (section_attr == "maps/sockmap") { + map_type = BPF_MAP_TYPE_SOCKMAP; + } else if (section_attr == "maps/sockhash") { + map_type = BPF_MAP_TYPE_SOCKHASH; + } else if (section_attr == "maps/cgroup_storage") { + map_type = BPF_MAP_TYPE_CGROUP_STORAGE; + } else if (section_attr == "maps/percpu_cgroup_storage") { + map_type = BPF_MAP_TYPE_PERCPU_CGROUP_STORAGE; } else if (section_attr == "maps/extern") { if (!fe_.table_storage().Find(maps_ns_path, table_it)) { if (!fe_.table_storage().Find(global_path, table_it)) { diff --git a/tests/cc/CMakeLists.txt b/tests/cc/CMakeLists.txt index 438cc28ba..ebcef1c66 100644 --- a/tests/cc/CMakeLists.txt +++ b/tests/cc/CMakeLists.txt @@ -20,6 +20,7 @@ set(TEST_LIBBCC_SOURCES test_c_api.cc test_array_table.cc test_bpf_table.cc + test_cg_storage.cc test_hash_table.cc test_map_in_map.cc test_perf_event.cc @@ -27,6 +28,7 @@ set(TEST_LIBBCC_SOURCES test_prog_table.cc test_shared_table.cc test_sk_storage.cc + test_sock_table.cc test_usdt_args.cc test_usdt_probes.cc utils.cc) diff --git a/tests/cc/test_cg_storage.cc b/tests/cc/test_cg_storage.cc new file mode 100644 index 000000000..141d7ff16 --- /dev/null +++ b/tests/cc/test_cg_storage.cc @@ -0,0 +1,105 @@ +/* + * Copyright (c) 2020 Facebook, Inc. + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ + +#include +#include +#include +#include +#include +#include + +#include "BPF.h" +#include "catch.hpp" + +#if LINUX_VERSION_CODE >= KERNEL_VERSION(4, 19, 0) + +TEST_CASE("test cgroup storage", "[cgroup_storage]") { + { + const std::string BPF_PROGRAM = R"( +BPF_CGROUP_STORAGE(cg_storage1, int); +BPF_CGROUP_STORAGE(cg_storage2, int); +int test(struct bpf_sock_ops *skops) +{ + struct bpf_cgroup_storage_key key = {0}; + u32 val = 0; + + cg_storage2.lookup(&key); + cg_storage2.update(&key, &val); + cg_storage2.get_local_storage(0); + + return 0; +} + )"; + + // make sure program is loaded successfully + ebpf::BPF bpf; + ebpf::StatusTuple res(0); + res = bpf.init(BPF_PROGRAM); + REQUIRE(res.code() == 0); + + auto cg_storage = bpf.get_cg_storage_table("cg_storage1"); + struct bpf_cgroup_storage_key key = {0}; + int val; + + // all the following lookup/update will fail since + // cgroup local storage only created during prog attachment time. + res = cg_storage.get_value(key, val); + REQUIRE(res.code() != 0); + + res = cg_storage.update_value(key, val); + REQUIRE(res.code() != 0); + } +} + +TEST_CASE("test percpu cgroup storage", "[percpu_cgroup_storage]") { + { + const std::string BPF_PROGRAM = R"( +BPF_PERCPU_CGROUP_STORAGE(cg_storage1, long long); +BPF_PERCPU_CGROUP_STORAGE(cg_storage2, long long); +int test(struct bpf_sock_ops *skops) +{ + struct bpf_cgroup_storage_key key = {0}; + long long val = 0; + + cg_storage2.lookup(&key); + cg_storage2.update(&key, &val); + cg_storage2.get_local_storage(0); + + return 0; +} + )"; + + // make sure program is loaded successfully + ebpf::BPF bpf; + ebpf::StatusTuple res(0); + res = bpf.init(BPF_PROGRAM); + REQUIRE(res.code() == 0); + + auto cg_storage = bpf.get_percpu_cg_storage_table("cg_storage1"); + struct bpf_cgroup_storage_key key = {0}; + std::vector val(ebpf::BPFTable::get_possible_cpu_count()); + + // all the following lookup/update will fail since + // cgroup local storage only created during prog attachment time. + res = cg_storage.get_value(key, val); + REQUIRE(res.code() != 0); + + res = cg_storage.update_value(key, val); + REQUIRE(res.code() != 0); + } +} + +#endif diff --git a/tests/cc/test_sock_table.cc b/tests/cc/test_sock_table.cc new file mode 100644 index 000000000..a71db2a8e --- /dev/null +++ b/tests/cc/test_sock_table.cc @@ -0,0 +1,106 @@ +/* + * Copyright (c) 2020 Facebook, Inc. + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + */ + +#include +#include +#include +#include +#include + +#include "BPF.h" +#include "catch.hpp" + +#if LINUX_VERSION_CODE >= KERNEL_VERSION(4, 18, 0) + +TEST_CASE("test sock map", "[sockmap]") { + { + const std::string BPF_PROGRAM = R"( +BPF_SOCKMAP(sk_map1, 10); +BPF_SOCKMAP(sk_map2, 10); +int test(struct bpf_sock_ops *skops) +{ + u32 key = 0, val = 0; + + sk_map2.update(&key, &val); + sk_map2.delete(&key); + sk_map2.sock_map_update(skops, &key, 0); + + return 0; +} + )"; + + // make sure program is loaded successfully + ebpf::BPF bpf; + ebpf::StatusTuple res(0); + res = bpf.init(BPF_PROGRAM); + REQUIRE(res.code() == 0); + + // create a udp socket so we can do some map operations. + int sockfd = socket(AF_INET, SOCK_DGRAM, 0); + REQUIRE(sockfd >= 0); + + auto sk_map = bpf.get_sockmap_table("sk_map1"); + int key = 0, val = sockfd; + + res = sk_map.remove_value(key); + REQUIRE(res.code() != 0); + + // the socket must be TCP established socket. + res = sk_map.update_value(key, val); + REQUIRE(res.code() != 0); + } +} + +TEST_CASE("test sock hash", "[sockhash]") { + { + const std::string BPF_PROGRAM = R"( +BPF_SOCKHASH(sk_hash1, 10); +BPF_SOCKHASH(sk_hash2, 10); +int test(struct bpf_sock_ops *skops) +{ + u32 key = 0, val = 0; + + sk_hash2.update(&key, &val); + sk_hash2.delete(&key); + sk_hash2.sock_hash_update(skops, &key, 0); + + return 0; +} + )"; + + // make sure program is loaded successfully + ebpf::BPF bpf; + ebpf::StatusTuple res(0); + res = bpf.init(BPF_PROGRAM); + REQUIRE(res.code() == 0); + + // create a udp socket so we can do some map operations. + int sockfd = socket(AF_INET, SOCK_DGRAM, 0); + REQUIRE(sockfd >= 0); + + auto sk_hash = bpf.get_sockhash_table("sk_hash1"); + int key = 0, val = sockfd; + + res = sk_hash.remove_value(key); + REQUIRE(res.code() != 0); + + // the socket must be TCP established socket. + res = sk_hash.update_value(key, val); + REQUIRE(res.code() != 0); + } +} + +#endif From 397ff3708f6b0d17ae0a6e2d7edf13c7d0801d83 Mon Sep 17 00:00:00 2001 From: John Gallagher Date: Sat, 8 Feb 2020 10:48:53 -0800 Subject: [PATCH 220/228] libbcc debian package is architecture-dependent --- debian/control | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/debian/control b/debian/control index 4b5a22e75..272b9b965 100644 --- a/debian/control +++ b/debian/control @@ -15,7 +15,7 @@ Build-Depends: debhelper (>= 9), cmake, Homepage: https://github.com/iovisor/bcc Package: libbcc -Architecture: all +Architecture: any Provides: libbpfcc, libbpfcc-dev Conflicts: libbpfcc, libbpfcc-dev Depends: libc6, libstdc++6, libelf1 From 0f92c845a7deb60e97f49425f181d7b7e9daf56b Mon Sep 17 00:00:00 2001 From: Itay Shakury Date: Sun, 9 Feb 2020 10:05:08 +0000 Subject: [PATCH 221/228] correctly describe installation situation for Ubuntu --- INSTALL.md | 8 +++----- 1 file changed, 3 insertions(+), 5 deletions(-) diff --git a/INSTALL.md b/INSTALL.md index da0fc0484..80063f006 100644 --- a/INSTALL.md +++ b/INSTALL.md @@ -57,11 +57,9 @@ Kernel compile flags can usually be checked by looking at `/proc/config.gz` or ## Ubuntu - Binary -The stable and the nightly packages are built for Ubuntu Xenial (16.04), Ubuntu Artful (17.10) and Ubuntu Bionic (18.04). The steps are very straightforward, no need to upgrade the kernel or compile from source! - **Ubuntu Packages** -As of Ubuntu Bionic (18.04), versions of bcc are available in the standard Ubuntu +Versions of bcc are available in the standard Ubuntu multiverse repository. The Ubuntu packages have slightly different names: where iovisor packages use `bcc` in the name (e.g. `bcc-tools`), Ubuntu packages use `bpfcc` (e.g. `bpfcc-tools`). Source packages and the binary packages produced from them can be @@ -71,8 +69,8 @@ found at [packages.ubuntu.com](https://packages.ubuntu.com/search?suite=default& sudo apt-get install bpfcc-tools linux-headers-$(uname -r) ``` -In Ubuntu Eon (19.10) some of the BCC tools are currently broken due to outdated packages. This is a -[known bug](https://bugs.launchpad.net/ubuntu/+source/bpfcc/+bug/1848137). Upstream packages are currently also unavailable for Eon. +Some of the BCC tools are currently broken due to outdated packages. This is a +[known bug](https://bugs.launchpad.net/ubuntu/+source/bpfcc/+bug/1848137). Therefore [building from source](#ubuntu---source) is currently the only way to get fully working tools. The tools are installed in `/sbin` (`/usr/sbin` in Ubuntu 18.04) with a `-bpfcc` extension. Try running `sudo opensnoop-bpfcc`. From 1433792708767d082981336a68aee99028202662 Mon Sep 17 00:00:00 2001 From: John Gallagher Date: Sat, 8 Feb 2020 10:48:53 -0800 Subject: [PATCH 222/228] libbcc debian package is architecture-dependent --- debian/control | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/debian/control b/debian/control index 4b5a22e75..272b9b965 100644 --- a/debian/control +++ b/debian/control @@ -15,7 +15,7 @@ Build-Depends: debhelper (>= 9), cmake, Homepage: https://github.com/iovisor/bcc Package: libbcc -Architecture: all +Architecture: any Provides: libbpfcc, libbpfcc-dev Conflicts: libbpfcc, libbpfcc-dev Depends: libc6, libstdc++6, libelf1 From c82aa514babba5d34e3794a76bf464fdd28ae423 Mon Sep 17 00:00:00 2001 From: Colin Ian King Date: Wed, 12 Feb 2020 09:48:56 +0000 Subject: [PATCH 223/228] snapcraft: add missing libfl-dev dependency Also need libfl-dev to build on other non-x86 targets Signed-off-by: Colin Ian King --- snap/snapcraft.yaml | 1 + 1 file changed, 1 insertion(+) diff --git a/snap/snapcraft.yaml b/snap/snapcraft.yaml index d02cb9cfd..500cb9203 100644 --- a/snap/snapcraft.yaml +++ b/snap/snapcraft.yaml @@ -56,6 +56,7 @@ parts: - libedit-dev - libelf-dev - libllvm4.0 + - libfl-dev - llvm-4.0-dev - zlib1g-dev prime: From 4281c62f9f04962bed05a326f68102b6ee8a5464 Mon Sep 17 00:00:00 2001 From: Andrii Nakryiko Date: Wed, 12 Feb 2020 12:59:30 -0800 Subject: [PATCH 224/228] libbpf tools: check in bpftool for use by libbpf-based tool build Check in bpftool binary to be used for BPF skeleton generation for libbpf-based tools. Signed-off-by: Andrii Nakryiko --- libbpf-tools/bin/bpftool | Bin 0 -> 2371800 bytes 1 file changed, 0 insertions(+), 0 deletions(-) create mode 100755 libbpf-tools/bin/bpftool diff --git a/libbpf-tools/bin/bpftool b/libbpf-tools/bin/bpftool new file mode 100755 index 0000000000000000000000000000000000000000..a58ab1abf660d1412f7554efc5f5b62d686cda2f GIT binary patch literal 2371800 zcmbTf3tUuH_db3=R5a>PQIT0uO(kUoWd-Tfj6xl1RPs_*78rt(2m~`~*=1~o;xtio zx85#hR%Z1^H&aRmyx^s`BCTG_Qu4Jr<9MO+LYDG>o_)^1wmSdM@Au>TeVy~Hz4qE` zuf6u#*K@iz*K=ijT$~d7i&rjJh~C#+f@J=yC>sYk1m-_3B}?gtf76sxl|I0|1&t|8 za~<~EX^D>gCW=%=>4o0}{4XosBxJ?A#6#?Nph;F@zcCH@%kp~uT-KxcJLJt2fn&c4 zwB#T2QCF?OOxGH`Bmgf{&z~mf4bRUx>{qe$kNw8#$GY)< z?@h%`@7k`u-@o&#BdHI+Bqjxf&Yu`FX;M%vw9QOO%H3BNJ-&nqDk&k-*pZ+CV zjAN|w?Ci2+caq?Y{nC#7yP&M})=P$5P&WCzveI(jtn+4NU2@(fL(Z?RIR8RXZ^|d{ zRinm}U6_aZrQv_nIR*ct4=~+$>W0DzfoF$S485a$%+HPcT4vp_muW5dA7wD#{d3Mt ztdC0_PTF$(Zw>yJe)2;D@9%i(u9ESSk}v*L4f4QpwBZ~rmbzlH{0xN`q7za9V6 zUaM~gJ~!CN zZ?Tax$ELk%ZQA7s8~O$teR|vQ-)f`JK^yv3n|iIWk$;bkziqYQA8JGIvXL{#MxR+W z?Rc|Iy*Am<-?nL&OKtSI(?(9Mjhr)V`2V!g|96}Err5}L+wkwPDL2E0f2K`+H`?$& zYQw+MhM&RypZay4jXykUQ{NYD>~@z;zbLXP_i-EkRvY;r+Q>QGM$aT0{?BaaFWcCy z*@pjN8@oMXqknH3Ij7plX|UnH$)?>~ZTJlv{uUeh8XG&Tx8bj~;Xl%b{(+Kibge+Q?sM!~cj4f4+_WJ8bNKhYi1K<0rdq>U*V){8ymoKgH)e zZR+K46!fE&PIFlV(nyk|B6t7NxYjq->J6IIq0aTMz@W-!aA2#oidmh18;o>6KN*)z!l*d=g?| zlgrFa%E@I^b8?v|YjRm}RaHe5(~FpViBerrGz}sP3T9PKDY$h~b#eKm>BUM(Ntv&D zs)E`SRo;O_SP+#gnp&mIm{eU^Ra)*X0o8mcD4IG=DJh>m$y+p4sVbf{d2(r$Qjj;g zpwj0pQoI#2%PM9TS1Bbz0Z1$_nqH|?RC-IHFkls>78I0Klux;BdZiFnfR?P9?5k8N zO>GMbN}*ZB@V`ZNkcJ<7@|ij+yWR#ZWjcQRa{ zpm-MLqJ?j*ng%EER+fqyR9BXhTH-B*<%*_GuK<-C1qG9;tBc{0qC7~OR7RG9Dsp=( z%9Ijsb%E&$Xw~WE-r{nzMoLL>MG2W;nsOibgkK;#H3GQ|UW103te{Qk4^UXN8j|q; zA|rLGnl4(R07fjYfPsr9dD$awrQz9{Xa-hd(v;%r(mUafa6UK#T1J8GFH&Yymv^^x ziPY3ZqMm4@(kUn$ZH59TSNOb2iD>YW>f+*Q6=;;I;-VR_fz@;+X4A3C^bx^aO;yWT zn=)n+O2OSqtnSfm6L5JeXa{yQb{Ui#Q+0Z`RZu;}H+@p|G+_XEGAmf(Er!+Dxr)70 z&|J)JTBXQ)M`dxrt+Wdhi_2%Q9Odi(v_${%nZUc!Rdn-RzY|TG^r{p zoesZ13QQ;bSX8UX(x9}YfQ{p=fZ2;@L0*aJcC0#8wkk)5q|;SS@=i5-R4EKoL9s=D&KPSJm%kktg!5d_hLil1CL<9la;MVC+(uoenfK}sqF0L zr^Ft4_0KNtPyG*crza_wTjhaGdGyhzkaD!r7g8wi34xDNj3x+k7OocZ`Y01EY}P+P)SvozMS3q~ zs+E4M$RDqGf%&)O#W~`a)mtu}%zv6CdW%F~BhlAN^frk;U7~N4=+zRvL!z&e=$#UM zwM382=dm0R=f|<6*u0u_nLjq4Cw)bX8NadlHtB05dTicKdaFcFooCvI=0dY~|D{QE zOxe5t21#`GgxFt(M34C{)3PKw%Z~lIB)a8#B1x0zRuc+(zC@3$d6+OkqQmjJ{|Y5K z9K8E)szg7co2n?465YHxU?$Fz=;loelkS)3j483dT8Xa4i1@9S==9sz-&~0iN%Yet`XGsZ zhD6Vh=njdVCDG56=q`zVmPFSi`q>gaU!o6^=o2J*x z68$`h?w9E2OY~Zaet|@#)pCQq2 ziV^YKA<-vF^iGL>vqV>3?(zRyBzmGmFOcZT5`B_HPnGDmO7t{|UL?^6N%YAQJwu`w zOY|&>ULw(55`Bt9*ChH>iJmXfOC|aQiM~>z7fSToB>Gf|K24%mO7t>`K1-sPOLV_P zuaM}q61`HQ*Gu%6UM11zNp!D7UntSd9cnYNL88x)_?JlZnG(HOqR*1(Yb5#| z61`2L-zm{IO7z(hyuS8cC^!UGDq9;mplfz6*mgx6M z{HYQ>Akot#dQhSdlIS%OJwu}3FVV9k`U4W(CDCgox+c+eiJmXfAC%}5Bzj1q7fSSp zB>Gf|UMJBjCHlh>eU?OjM56m8dc8!imFSO3^m>W@m_(l|(I1!S^CbEc5`CdWe^R11 zNc5*9`Vxu$v_x-~=yN6d8j1dlL~oPm&r0--68&EiyGA)05V z(chEkb0zxw5`CUT|3IQIl<12kdV@s&P@*r9=u0GevqWDi(bq`yMv2}g(La*t8zuV3 z61`obFO%qoL~oMl9TGh((K{u2vqaYdI})`}?^R`PMXPD{_BQ@F0xyLGRwk}6nYu3C zilnYHx8Yy)R2QCz#f&1--i5z2za@?Xcce|=^~CYS%>u6@?nT@n@N(h=;&}o$689#q z7x-P`KE!^37ZLX*t`vAaaUyY{z|Ru*BhDB2G2;HjE`c8;Mx~TUhQRj`ClRL!d?)dd z#K{6z5g$dY2z(o{O5AY>gfnj?P9|;__(tNRiQ5DoLwpQzv%psqA4}XI@NnW3;&}pJ zMtmG`y}%a|A5ZKT_#EOBh${s?oj8@aP~ZW?Clcoid<^jbVwb@EiBBTV5ICNAAaR<& z2c`j^Oq?w6uf(SiD*|sPK9#uRAnU)CIE}bn;BSdfBW@FTJ@M(p%>u6@K7+VH;N`>) z;&}o$5}!$2FYvp>XA%1aUPOF0aizfXi3brE3j8c_I&r?hj}f0k>=O7v;&X{J1ip`W zFmal|cM_jRoGfq^@%hAxz_$@!K-}@CXn*1i;&y>=B+evm6L<{qg~ZJQUrl@waf86a ziH8u+6ZkUXi;3$6zL5A5V!y!W5MN4MDe&pUS;U0`4(C#0{15#N}M5Z zJn=B%G=UG?2J9qG7Wh}<%ZU|%w-aAM-0_EKe_|JLyTIQPyNTNbUQaxnxLM$J#3P6s z1YS;@Lp)F5M&exJdV$|1zLMB4@FL=?h${u2PplCa3j8c_9&x_Fj}c!@>=O7v;%kUA z1ip{hL!2h?ox~%FlLf9K9!0DOd>ip-;*JBN{fYC5+XcRn_*&vNfyWS!A#N7P zh%*F^C!R>0Ch&n$;G2n)1^$)z7Gg!BX$Y= zAn`Qf41w<>E+bA8_)g;K#K{6z5tkDy0^delLEO+n` zR})tgHwZkO*h@T5;LC`8#PtGSNIZksFYr0UGl?q&KAm_LaiPEii0>fI7x)ji$7_A0%{p2KSul@ zu}k0wi9^I00^djc5OJEocM{hTCktFf{4lX1@NLA85O?eo?N3}!+%E8q#E%lU2|R}Q zG2&){uO@z+xIy6I#7_{<6ZkUXCyDC?zL5ASV!y!W5I;>^De&pUbBPND9zgsIalXLE z5I;-o61YF{zlbvgjwgPOI8ERKQ-Gf*P8RrA;unY&fwvRCNZhekv_J7Y;&y?*C4Pyx zP2ly!^NE`UUPt^gaf86ii5C#h6S$H1724}6R!Zu-&TKsF7wO_}eA89?Mk!;lOc6)J!m>frSNM7d)^tUuXmwsks#bTGBU#gz8>2CS)buTyzRH*kU#i(T z>s#YrC{zoP0j!D0xtfxc#{T#x@M)LvFAO??p^9MfCHt>XyhmuEagId)W&PD0!||6l6XT$-zBzL}O472o zdyfy?GZ2URntqWMSdpl8E!P6AY0)1w{d=wMNHx-1X`~EK`i~y{=iJPlTFb#+n!d~U z09t#p|2N}Yt!{RwN8jrHAWq9ZP(4r!_18kf6GN_n+3tbrlg(OSd7`?wIWKNibj!%P zyW_N$9}`AS>q_;+9n|#Q#%GUMnzi~=6kyx~17$Wx*m|St60$VY79M?S;%b*^YP|)e zY1tcQT<6K&N>jv(vXZ?gdUSUxpcZIJ)mFQywSpwwo$Lwq&kHmsQ8f2_CX9s;$3tg4y z36&>L)sXmF#ptP2lI;Cfx2y2%cgn)8{a<{G(~UC<#T zCmY_Z-p>$yO(^G}SV!NX1!iR_chGoMl)Vg+3>Re6ud(3HaipEC+vpSpz( z>T09x)I4y96s^~UtjH};I&haGOHqR@uqPgq@wga|R>A&R{b5g(sD)f`hcxq@;+XyCf{JecR%?Cf$wIM?;i5ClkXw$LC~rn zdn?htc=!_!LdBer7cn5DctTUNP_i~seS5E_!!CJot$BfisUCPkqG+Rjrp$9FGeVhJ zkm-RPVZyGF`k!4JJdlM@vT9`9?vdI1t4{#EYlD`(YG!XuH=@13gT&|$WJ?>Fy=QdY zu=BlcPhHT#VSFh=nMdCaJ9_lh9;lFP+>gkQ_VMWZAj*^etMLJ*LLL|?*`x3G=n;?J z`r87JzLSwK3)vNI|M#Qo92aWpv$;!JhO^QFmyK@&|cz!;{|5#|(5bJbH$T3Znd~{+eh_-<8q9+8o$G z@y97MU`X=Db!blFnVX>I$hciJ0>sU1jIIllZj1_{HPB*^oTUcM4ho?foG(qwUNf>T zp>Os1^rkG0f#;{+7BKe0&WB(cqXF|FD6GMZXfpKC-xfsiKyC^Em&p$!!IWS{*~V;U zf_8(tvw?9ntjG2rnZ65+F+}W?XrYPd{-N2)##GF^O|h#-h$v`W2g(u{Rf+a9e-L-H zkQqrPYZsZJ1)Ep@?m*5tD_JoqDq(0iz|jFdkFBj87@B@YJW854T#Z{=y+1U6>iY~QdXPU_sE@X~ z_v1_5ia!%Oe|qn`KwZ*2@Ch)SS&DA5(lgm&_Y^-{JIm;P>rZ-TMs4 z;a_fM^HL>lw9)j1kWR-D;ZE+D%9f7}o_l2dEEl^4H~9m8Oh_IwwK7IKT5) z>gYQ|3pp1paVy4GpFssWYVTf1P=g1MrM362-r!XiUu@tPocu9{eh#m=zqR*!y@xAt zkvkFXT6_Q0dkmh-@qB~O;-;G;Pedr7PB4u}LbxLX#k_T49H>hK`xT(NC&c)-8Bn08 zw-d^Qx3M-M?}|?N$(w&Fir-m`k`?&d!;oq$#Xq6m$AVMer4_ZMw`z4M8)g|xY1wdE z{Ak5EVLLNrFcW43bRMPYKhBK5c?Elj7^wE#9A;8iyVdSXh+_OLotXS!ZnRu$*?xr<*QR~Z z=|g5tE|Gb?chAk5-fHIGYUTGk(?5hW_>RV$>__7s*!1Ss-p7L!_uC5YA8P?;d&v+O z@04y8QpSfT;44Jn?`pd_G8|vM%>TQ{Rwt4)Pj7I%LS{!*f$v3rgScAGG>KAl=I3 zi{XWMzK+Q!Q@Qt%3_>mlTG3wPI5YhcroYJaC(QISLC7oGW9)_aP_IBIlpBB=20EeK zOHd9X;=y7ZhjdvnBvdDdFEOZj=)+J4MFz6Ll#D{WQQJv&rOZ$V7e*Xa>sW3;O)G!~dG80t!|tH zGs__k4Kpo$ODjg&IE?#4;3QqYX>V|~Q@J`Q^3XXoJg>no4aMg+{Kn`T@tlx=8@NG7 zhehTLf|Bq%Fdwvc`ctO9`<*^Qw#PA$1tb|~EK)E)xv{3HJr-jWCIOWRY7JkP$KaZT z5F1>MXAD~R&W>=lYV}7ZYM~@Yz=+f8u1&0I#-N;}=_wAi_BZfrp*s?}5KGHkZ#;^K zfz%#A9c`EHV0yA(NV*3u9N&C5|(;P*H+sN(^{szY=D zEtF-nZBvwBvsyC?)e{Nyd?tJ-61+E2c3r+mt67ir0PL+{9+w2=t`o}563PvNa(gh2 zKsn4bFqNQk!6Hj)xK2pTK=)PmBRr;B{-59oYuzb(_u*4xShtMaj)?@#jadR4o3jMb z&pD~;QiEea!{ZPuGw}>fp9m*F`)F->E~OD<^rIX{J`|py)#WENagM@)5(Q`= z7IMN4hN;HGT0B@+bNzeSIq_&dEJD?qTOgrn9z=yvN5$xm-ey8dHvWKyCZtyyI{^L8 zy@&D;GEa@n2g&T;O>{9XDL>ASN2~vdab=>q__%++<5q&}y+8P!%S9Hny|V>R#-6n% z`#U4zg&}ex-8RT<7FLMG4cN`wZMS86(eGBE)3g|;2AjRl>syS=*b-QHw1)E+ilF%n zc&N#B5FL5i?4u)DW+lpuOo6e(oe+rjsh~6;IC}bD_&PIb9FuNDlK(E@Rb`Yz>$9h! zstWrFe-CdBuIteh;%H2?Yvc@M#9Z}>T`?^OnOgp~2L=3&WvkI|t1zP3|FuxxbNj65 z(Pu1HU{|866lm^1dxzWKne6r8-!$)8n*K!-MrNh49s&^uP@gS7K}n3^QvT2=j5t@K zhiz%R7knZII6sJSBE8WYOE9H8gS6-ptG{yCMew zohAR~q?RiixKJ8gCsEW7;YQRBDXGSN=y!+$G_urww0kmInRXXp-{Y9&(Sr^@*gV*~ zsKu|>rKX!}M>YK+OP?n!eax|g`nG|S`nHST_eH>0(?51_FrdC^;uq@&#`iQ$|Fy{l zPOWYtfu(xkKdU|k23HrOX2E9PnGxCNCnGl|d%jwZYl-0oq%Nhada#tx zbCus-^8#(~u7_KulOL zJqlGNYBl@3j?kE7_Yx{lvNRF4`q}sy(?xVOs(`}%EDkH|om>xy&D*_WMbOp%2wj(e zsH+vN%hUhk>2>z7WbajoA_$X4kkwv1J}$7e!+#*zt6}$6gAKehIb~?1pNUXwM%1fd z2*zb|a2Mqby*{n_ee6c2GSeHLkYi2s6_y_wo2G_G#$z!vJ|?ovQ|H1gWJ}}9Se%9n z@1beBMY>?FAIS2##PWs2(%l~^w6QtHWvaIjjFE|EJC4-b8$UTbS!c3SB*Q+~;?C7u ztzGWDbYe8YgajBqbk!j4mJX`*I8Nn*riDhk5d6N_m!}|hVOJQ#XFZxh>{9v1;{ic7 znaGt)GNMeP@ktAO7TliD>GDpM_U&wKWB;*n3g!`~Dn8ny1)NZmIvSrgV;%@aYp#cVk@gDGjEx||J!w?4 zhlsuG*nG%2hb4W-lD0HaRc9qLRWnn_Ihl#un7AB?@X$X&91SA+dW7TvIypEMP%Vhi$^ycje>f-grM3enUviE)+?9(Ln{d`jnjGgJnhNf43g~eE z)d(W@eg~)P_Ee0q#>k_Er=EaLGB(jS+#P6*^XMDg*}J?0bAwofOoy8?i3!jg2}t&B z`@6Ts#=Gz=tkg4`Jq!Sb%JM?a39q;nv4R(8TP(J93q1k*vf%Re&B^xCAH>q$%y|Ds zZrUO-a$778VY~Kkj;|MDwp9}X1(!|&R!#~C)F?rBt-2zz~kN&lh1#QgI z?qIK^YlMGUJ(@Fzk()5Wyd=x{#sj|;7A^0xHFq&tXmZk!ulLF@&?q_Z`iQu5j3u-*X>!)-l=~%$Pwd!Y6UmU>~OP9CXef zg~(I2PMr3JH!xb9&f$zp)>Uc{vv?6=lb7znsCKZvg1{CA&?c6o-UfnYu z&sj;6E`g(Ar%yDZIqyU187LhK`Z#UQfi6^2eE{1D(Aq4Ir@*I*{%h94e(G#x5T^X+ zN%Rt-WN|^In9J(%tA{6+Ru*IbYO`hX-ph93x^3`MR3URcW?@;Xzf`Y`V(_??S(!IiYo#YLio8rCr6d;vt`2OL93 z!&cl6r@{2_{EvUcc<>FD&9V6(>@*i8(YNL?vsGK82tAb>{okSU)5(}9oUCRYD3P=9 zkJ$eWIWt+*{(Xr_ZI-bTwFoa1KGh1f&V*Xf`>CDi zYW=8A$oUwb&)b6RsVK|1NaU+GLdv{*G$rr-7UM4uc=Gf!`l%xYc*X`%=_}>*+XwF6^XpL*KYh z42DC#&vu6 z!JGmPKZI;sQ4bNVdd5SJKYr&|+d0mhi_ZW4c69!b^ZDo9N>k@sG;E%Z?Vm4<6=;71 z-2iU(TmA5LWHLNB0_i5_pi@Df@vRkgg7;{Md~4 zKn067bamx~a9*Q#v>2&@b`>Xth3}4v?PL3$zeFI=djXbE#@QcmuEuskK>J3}F)?&* z#FG(yAI*4dcf2>xD;9qamkq2;HMcsg%PLmf-vWJ%SCA_QTQEGSU8ymSPO=e;d5+g&=fadsTyoa`ei$#tC33l^4GpVPit~g1pnc0Ve z5_8oL_l56;Fq8}nOoGFT{+5g^?z$@xV-s9Bfv8E1-qc+m>d}eYWbROkqv;UxlJGRj zcEhI=nnqZZ8jFHv+tM^{Jx0-LP{{iUGUo+WCgo-CP=l{RNx$=HgWmIsn}^v#Ot`QC zbJoxh2ekSG?il^7yZoF`aS}#)p>+G1XaE(hH4ICaHue5`*u(G4qck;m5vJ{-@jd1L z1`CTTFI$=}r;;t(ljm&hf&k+iq+mhxB~`r|NyZw%y1i+PRhdNK$g#rrAwTl7kk9`> z0OWVu;BhkTLSQ%T4?{K{iTq2Br4Ti*&F^e5Gd4o8rd5{cw_uIP66A`_pG(|07<8*2 zwz@wa03P-J*3Sps&2&x9gq=l`LLL|4>@a+BO2m!EqrXHCc8G|4o> z5(g^iQFGe;&fAz>t=Wg>KvmG9;Y&>c^C2KI9c7As<#)QtXx96~_?~+A`1|e1ApD*0 zA@ulrPED$&CpeGUj`i#}+^1ha%9}2$!JHePwffjv=aTe__vIZaL2tA$$17?%`4;2WF$6n!i_zbe$*W=xL98JJ44}e@qUEm zGygN0%fTGUHkCB{OOC!3EC>hxnS&9pOBtyf;f-&PQV=d+*UQP@Pv&O`V0@$2^{5ZJ z?$=FKmJRO(p{cevGQNS{017o9y^t* z+A$19W&vRw!J&QlGsuIcnbh>pPLf@8hw!;(M?8`AZ5G`V8vK=l5jIi;t0BK!pTfWD zGn)Ez?H%2%&#pHte}LV@>lXEF&yD-po~t6As37qg3(td!#7ls2>n$WYlKvrjcP@9g zbMzKB28%gZ33uT}!s^H?NXgL;G}T-7X=AO&gD9_uuh)Oabp`95FZYAEiyY{R6UXy9 zcAYU%&S0cfAD)0PqlFS2fk<4FjyoC*99Yj`3`)V~G@{BDaUO*u>EK%sA`bVl+U7w$ zgox93EJCrQW*Fg-_QUa%SQk5k7w5V^8P7b(H6>1RYrP!DF(J(fEpYfDg`wsX{AR8V z1s(Kf?kwT4)_imIkiKlZO`uS2pL{7B@k!tLZffzBfD z1A)#eUlmH9fO61+S#9_|tOf7M;dUE>?oY-=V`HtxeNP_G;Ev-il)w2Ft|Q!B zMe#o(!M1FM92zupXJizD1Z|*&Dmxq5d|^LA1$y7hUt{Xhv?6vM&n-jVhL{H7xj`(N zP&ow2VOuzE1bHDeTqtVpUiK2qYfMJ=$RRPO@q<$|Z1`SuU|u>8@iN13a&R>*#=&r> zD3*3hX9CaULs$cHeO8BlDB9_S$4$q$9%}L8#SLsH)PvqLHO4e%t;uwu#l&dN^-#@v zH8>*1G@3yPEq@bAB%v76%4Dz&ajmJEY+}pr^gB3Jrc0 zcR?|j#N}WI<*PC_G0wKIRO&L`{tW>j`^S5~#r;1@RBO(J5Y#cU4aImulW`?_edfNU zm4z-0{y!T(^y#JGhHD4I%WCz3JlHy1533scR${TVgiky8^dD$%Y{e7x;w6@Dz3NAV zhEN~lm43abb?sdcW zEvDsP7jQYSI;6l9pTbCRKr9Xo2b!F~! z>)%DZh}Qqab~f110^^x%_Hog-QIH(Un6u|bkbXM2BRgRU)Bb=%2KD6nQP>BaIl!u-uDm!g6mQ&Rp^Q zJ)b*XMIlY}9QewOVsC`^r5<*muZUO_J+eNqD$b3S&qI9IS;uBNUO4G%d4l(Uk&{5h zre(NIbT;=gTFY3vo@>LXc)gSvlpe`BC`?H1j_0P#UD%t5c{xfnTG22l_U<1d#~=sv zJ&*ckKwmtchUcbB_Thl!-UWh?%*2aWnFW@`!ne_qA}pK>ZI)24$d@z&Oqs!pO{d*y zMKRx5Rw%0Rp-pnIci4cuaI;^(z!)P&pve8m2@k9ML@=N;hMzHcJ_Ao=DpE^uwcPb0 z&dFl2g#ptg_J71ky4eW8DKSs3!I_fMbny-5vU%59sKg_6>>0m;1YYv4#9egb18{RQ zL0{#)LfoJKRg89Y+tn*@#i`2(w4hgKx8~{JdDFQSTmQHig7D3rXi(m+(g5CR|^f?fXzhjL@f|a%v|gK zxEI*O)+8TS?DE6XSw`NOWGpf} zNtA^1p@Nb3lIS(xf?yn+FT#gx#1t6Otk)6Ilj>vDfXUS0i)bvXfu5gSU48X;kLN7f2XYmiH2xN^kldA zI`~$O3wq*o$Xx&bC7rWzytu`yS#=)^c_NUo3v%{{Uonq27U0T>xGw8GIdHJc+ZRFN z+GbR8&PrM#M{hT$mn*E=zJHo2I8v~1> zP@tuS@!rn>$o&R>qjRzU`IYGPSkR%yWsVd~mQt|!ZdAfLj16HVkY*f@|3oe~@n;Q< zm4i|co$u=|XKt7~4BNaP`<*+!gjDZ?@TVxAj8o>pC+?t6|Wy*t{J z)CV!`xDrNo=Q01p`WpLQ=R$|3>#^yJE&2ZlvJ3vWyvb#f zmV(q1ACZ3)=#iJr{JfxJ%*0$#3nfSU@O&6IPt>Mf`*McIrTKm_Z;Ku_zF=cLb3Fzv z_qberB@VSe9qUpT;~2U%?hl-hVs9NUW$s&nH&%aEpIpvUZa9v(^dOF&;?`+J>y7)v zn1lLBhfAS$DGt3OeKU4Ea?*{Gz@aPD51VI@B+!qDSFFDeVw*p z*HRa9rnls6*s8bW_4_q%L&V&UMO*ClVC~GinTf`7HUaj~t&S5rzxf5Cv<*L-GJZi` z{TGyx*Y9^0gWZZ5&(vwnC?_{_ZQh3MymW;q*V7_;Cu+M7|LZ!F+da8>dA7w!j_c4{ z1MPirJg*h))8c;BTZMC?eXLi0&BL<)@I?>ah=P^0&=tna!gyT4(fS5{!0ExK+6SW) zoQDoYr@I9S=JZ1iev9=AugK-7A5Kj$-oya~JREGsTa{o!0!(l0eb!_W>Eb@rCS-Hh z<)XtUxX__%lA=e8I2l-#_6Ze{p!hi8B#*FJdmX2LU3Zjv?w%n;Mo`$)>HHo2FI7%3ZV)x^< z;VvwmlJV@?x4N%dgLRSuoBnss0YCDn!9&1$CoC+s>#?n?1{*+9@2kMS;$@RF#6v>8 zTEq1RPZ!`T`sX$4UFwsqMjt4Q&M*ZPik-X6MvR8;dEiuQT9F5}7;_=s5_uM;1Mg75 zD|m#o=B9^mpk&--rk*TP;R#m#Uqlx&3X!&ilR>dCw(KC;%jEyTIUkTRsEP<=2<&bW*^a@NDO>(Po#4{vw$MGxkPM`4%q%akE zUO*n*h*Y51!{i<%0J?+jkLKj|7q$@N4xHYnyYY7Vbnu0c;-uHqS>Et4|P7<1$43V2rqt)zW6270?h|r z5wY-GO6Sv)9LC%xtmf1vZYsh;Ne;yKU-#uy#<|p*7Sz^-E*hMV2gs_0EOaBI#uRrJ z#03tx)F2PO0teDc>Jg8`W3u@&THrvU8hi{COXtje#nj5sBqAv1}y5QCbb+? zSQ0^@xvA1hde=-EE0R7GNo7{j(`Hf@lNd>wo5rphE$nc&nZk1oMh>J*vGNp|DG5Sc zSR~zPC23|-1cs1839E9xnesVOEO9<7Pl}oH0a9`>CMHE*5*DOFZ~-g-Y@6d z?YoVg@aaHjm%hULZ%dQc%&m)}Ke{z>hlM7Q+fi7(8!=1Yn7I~baW~xzhk_7ZqH^C7 z;T9p*8z_K+cVG!@@_H~K(3eNQF!eO;7AM(FY-J+R?2l&pezZW$u926aV|TixWgN70 zM>f_EYoL2no2{fTq0oy_gMoOEuDDip2P1$$JN1EEL(hYrVyE zg2-&Ja^7LKlm0ipuPnZ?hw)AN8{ayM@7x&Qj3l`sCc`~NL#V;iz~K&!N})cT>8ul&)uJAUH*89eyf5%5WHs)DgdTxLTDPpzDeHCogZ2~t_|lZW z+GCrg|1@&-%-=X4%hNx@*-oy$hPOiY@)pyV;A_|$ zIt9Kml3Ul)@qi+=5Yo?MnVYpDd?}?ReU~S0w^{9T;46mj9rWY6VS{qA|4<)phyUXo zEysa_S`Jrgkmn~Ou_=Qcd+g?>L_)x(zfp3I{yTh@Zz>%^bb$(P>>dX(uyz;yE_PP+ z&3Q$L?=3m$hq}w=dj-bt4QLO%@tOU{J*61Fhn6{#yt8U{j?{nho-Q(FHk)}G(=Nt_ zFT8DaPmW7@jEYW?z}qhs=s}0)Xy}Kyh#XIL=eYMdbKQ%Xwun5jpo6cgaGW|k`yc0H z-woNXL-yfyNm*vB`a~VwVmE)Jfjb)qxULnBV4B!C0oh~LePlk|FY1r=M_e7sTpzg~ zJ8qUeYr4i_wue`%y+^tAHJNLTMF_FDS=#3&p=ofu+EWvqsEoaq8F~176(Q@LY=>5h<3#T@XGWE(V77e{~%bpzwuGd(zp3~Q_PA` zHBQ&D_h98p0e7aw&Eo-MFt|e_lJw;*+xyq7_obalg}p187p#523b{_`7a5Le0oM!8 zUshsgY6yG91t1}FbX`w>6sl%!qJd363Jv+b`D4UGj7FIG?KXzK&g~rE31VRy_+xkJ(Jt#54JG_8d}AZq&=lGCBkTrzW!2x=0tv?CN4WJ- zQXeiCe8#p$PCIuS!yqiWsKJg;`rB(qXkM^gv;?RyD{?sJ~n8BVoD1OH9kHR%=l^F+s=9(!(c1 z4)(NnVqYeDv^(&hcmyq8^3I0g?{TxZrUy_HM8;I(JRG0E8@>_Lx)}8YK{fYBAs|i? zaBmn}yST50L%bZEg{-_xwA2lmoBYoF16peNU-)%lbd&D_@KO8&5F35bY8PzkKP40&f~|CuuP^u_cfm&C zxuP{q>Mz&|5+4Q0TpPIzi8uzZn$%4Hg6X4>Am7L5_f$l8N{t@H`0Kj`8#?GV-YY}L z<#^rL+r#-PzI&3nmY+M}2>@CGo3}%SUAX6tY1tiXjRmivO|y>oiok3IcFrSd9qs_* z+0UHBOVEJqj4TiSBwn>sxGFb4cBb#ucZrJ-N7FSv#+xQsN#ax@bliK@ra~#)MI~8m z^(H8a^(g_okMdvRDxsQM<3&0Shf{bsTw*?_iud?=y06|h1^)(q$Dv~>9_WE-jmt$- zG^Ig1TvT(U8Czb*{@*x=z|rv;U=tt5%G~4$4cW<9Vh+Zw)iG~1cPSfmR`MA^* z8L4+-Vi^7zB5Rt(ty;WbiWek}n;;XOvtUtISKSEuZ5%#fl%n3h0;Pt6&#_iZ8LTiG zaI=@2zIqNn;lq0y*!(gs5y1oDq?y~q12IQMMETu}D6iuFdl+7-2Frv4I9~xW7UDt& zb%O&w32dG{jCcsu4mpD$@ZQ;HP}H~=^9s-^1?@o7x1>!oX%hv_yrXAaZ_+f-jGG`_ z>~osqC+0M`-hh^q1{rslqn?W}(7 z?0{VYyYaqnIbM1?OaH@{8J$f33H5#fJPYI0nyugqMB@T$VANHKfj_$R-T@@3!CGX+ zNz%pG)W_#lK0=*Ncv(aR#B(2FVYnHc$aoL;M}^;VxabbNN+#Al9GF+W#aRHtnOfV7 zf?)FHnC>AQ)$;YJWgscuQGVy(CSm=>fH36QK*rU&bpVmM3H>2+y}p@|BLUM)I0p0K zvwvov^KJDzqsu6uhPw)6yL+KIWOt7RmdZ!48Vawxa&SXi$6ofp2h=+C-!q%V>ptQx zhq!*!po=5iDUAw3 zS5xxiE(rhGjL`>ic_z?#$a_}yMzy9MJjONiX;@U)SO7S~C`UtXpUaD|3 z%x=BGE7^A`+ta;-4Z4&K+QR{mYJFjAy-iJ`1EAeF9aX%V&b}T;>nE+qlj+U|I4PhjlpW%I5^mA-eMz|t3N^tsO z&9?(Pvhe;_BWrPu78=!oJN|8rxZFSJLk{82_ous|BVTsJQ3g)2@^rj!!6PyNeEJbr z|FL(^dt}CPI43v*E3?G76LP)|p@s*_byK;H6!FEJKn4!Pc~$m|*zk?_-Pqr8^&iI+ z#usQ}am0pC$)M)w@}GB_U0xNw_63N3=Veq~4F&9A~gmg;<;ub9by~W z3H`(PHo= z1pe?{h^6x$bMZXOg&|d(NA-AbNxk@di5xHRK2aAY3i{VLR5F+2mjuezKMrLq5d2WH*JGJuV9;J8{0zvxiB z1u+P+2DgD5qc7$bxtEB2`WkG$@o;mH@wy=JuH+jaaX=o-TX(CCsh66ZNl=Olya!lt zvib2<6zoH3SOGkMV^80}yil(B*`49~z@hI4uElH>78wqVE_^Do|(tzpW+H?^bEG^Z_ksj z-na$~Pz}9nd3f$J5fB!F$sO1c=MMad)8V|Lm0I0EE?^aYw6Sh*4F*1_XSN@8$3z=9 zClZV{1TVZ+>Whk)fq4L1M4AT({bq}DjW01@j1{}sEH)Fxq9GoHl&C+v0Yu{zsvA9Q zybyCl?!Z`UR;&aw@U=hlh8hCpPz;^C0gLXX1g7KDX`x=`9ob`ZLL;$LzgDfSL-5r? zJ>OoMMRT(4aoFL%45RPvSl&RdM6AP+3*-Ft$dwlw=s@GXHw5nwp>B%aD-X+!P!>-{ zPN(|?R%YmJu_~K!s8>@0U!j3&^PV+T8wAe7Rl__4`zN(~C_*Tf<2aiq_os3CeTJtl z$8kD+E6wue9LHHroy#GVKFv?SoXIDAjw8q6;OPf~I>+NcXQFpB2Bl7#asy84sa_)* z&zdagZSGs3qaPJPvAv{ASg+bJm(&ZrVHVhurW{U<#pD?e=u$r!H^DoE8LSNmQAkgZ zHfH~eerJ673Rh6PC>j3IZ2k*Trcf@jSdI^&UgkRy$Ww^Z5q#`r;^DT#OI2tfSdWt~ zd~H>1&*s9*@Hs$LeE`!_IP)&t&crDw6(6r)I$x`UEZ#NcX6|c$VB}mLxg6!f4oxRo z?bU(v7L-?FmUpaHHylx<7yJR+K^}f^EOcigI-Za!h?mko#C;884+c-mJCa)toQnC1 zIK2xeLN=Nw7vaLJ?An6}p4Xuywm`-TdJ1pHI=~QE*A-cW^p_dySxN%&GEA6Ot6F%{A2WDXXRD4T#Q~LK*`+X z{+KD&xKW2rtw$P3F>AE^S!9S?fq4upR`a5WU(@(piUf3!8k#f@3o``{re&{~>0oS# zE;i+fc@}TVy@B}*=K<5fg*e2}HZpD-J?C~)BQ*$Ph=>-MDR}&V&`ukA-ppdR;zb+m z#`!h(7Ea|j-ZOlQlVr=Ejbon?epZHlfLB@QXY*iOSa#j(?8kTGePATzt$g*cVg1Ac!Y{$xNDAR z>V&F1>+BEIPhE@`e?!h`;6+eL1^Fn38T=l}AcNl|GsHYPn=;0Z1M}q+dlO5^6K9|S6Rbhm=xn1aCqR2)hB8u;mqu`bc&jgGrul3ZaD=KBVT zO}W(m0kecPro0wrVi`@>A~A9s5_{s!SbpC_$I+L#mS}uWufRt#VYc}q_mI6b8LaY)dgl6X(w_ruKZ^XDb zvEXmI0ol#5*IfD+3OVmJvtVpj9t$I}3gL{Eq8K-lZxR;@BR@SE+mD831=P$D(=1p* zQ`J?w!lkBm{gD#6R#*x1IrsIr$E5E!w^GDG1@DjGW99JUntj|(DMXLPq}jFf9O{Aj zO+J3b!vsEHqT@R!2df^$RBt~mG!0)A+UdIxdIYIQ61+_e?-5*?z)B9BDdN2Rj|7@x zTABzmy8uET`N6>}c!SV)Lhn5Rq=f>t_`w}?=mKvVq}E)6M1GW{1Z!45gN+*muDHiw zBExIrYVB9OkwxDlCRRM>Uh)+8NfAVhTTpkt=vnh)FLcsozw^z1=fNp!aQ}f{ykVtd zgRynKAYPX{l?u(y@4iM$B?DCXnlkPdWkHx0m^}-D@jN_+#!kgMau_sfb^`gGnpwsw za)n0BVm-1#Bgzm0gQGyhIdTi8q#nHtV{wiH{R-FM@!*P{jCe=?M}EU`2ZtrRG>~0X zrrv)%^6`2_a3nO#)qjk&6TY3jJ1=yJQG%0N1Zy>TH!Fr$(K+T88ZSOU$Hc@1{Y(vJ zBMtLD4HMG|;zKs-+kqgg9rDH}Xm$928`6z|xW4Ci*1RRm#62+o$07kndk2Vf-on_& zNg7~h4I5io9_*t{Kv3j&uJid#=nNF<8dW!VAqY9Rd{(BfA4ok?cFe7n-TI{W8i@ZR6VfbWN{LV*c6@K4DK2L8v^m5D_j}jtW2*+EP8xvr>IAHwpqBzXJyp9qwC?U(d^Bt}=JKeBX zVKkBjL!=7A#kwe$bI8|VF~4)dn>1E%5zP~Fjs-II&7`|Uc$20lu4N-d=)4iBR5)_S zVd*C_=Rl;geFg)tcXDD``C>>|fda70Q_+t@gbF9kx) zSeyL`mxx><*;Ba35?}eW@`{<|!ndGf;i$SHJB7LF)~lhW-+4QVKs65lpujR9qhbci znuyTS6HoK--!Y)?HEn}3h>Z_nIv1JMQ%`lUlM{9On-s%Akw6=Nc?j7)pNx! zcIVIVuMk!pff*z!N7tqKzgYymd{@ET=WuFSv$JUyidJi1hwb18tu)HMmtua<2RvM7 zpmdJn-(#FZ&JIlQEPLVpCj=TRVMZkU7YV5CJs=6UF`ffm_=EVbhsFA#nO2WuMD+Md zk&eSVA=YYtXp#?)68l?be7uWg)`T>fUP6n8_gUF0AN~*RVbLreRD!b2Q=X zKi@3&cf6b^wwii8n3qxlYw#tIo_bl4omn!BpKufy8Zp)HeC~A^kH;D8J0AT_$2@wR zzDr$<5g=AOJ?LQMWz}*Kyfolh0_U*Tmpc<<|vo^QhHr?vXd9en)7;+9< z|I2Sn26iCEcpYgtxEtIwa0BK)@UATS4cA*4*bT(|eV}ndD-V*?ns$U)FeH&7dba52 zj8kb%6}$q19ETnZ8Z=6 zn*%)F@0r%+_bD)Mm_9@UI4WT9ThKoXhl){S6Sk_;}Q&l&7{z$D?vA&!vD?hUoLrj97o>e@#Yy2NbnKeK};LshTiP-eR zJ+wIqjspVlw<<@6o5zJ=Wj@p?DuRy^0#|ErMO)!HLFMYw6&|5?UM)y%_X5Z>MYTidKbUHkM;v4RMHFA049`U%GK#tdya)kC@Il5u<9iIx z(rbg4Q|q%~0An2H#k4Oz|JK>P1^J`n<>@~ft*474-2R~_nGp*$yuPsw z-!g6&-!gXJVxG_Xoj1HpkE=ifOu&+I z!!}GK*JI)H(9YQ#^^Kx1ydw5>W;6HDcc6orxwALU#J9x`uOY_gIXk!_@jI*Lqnc_B zXC2ltMBaQHLv#p_aGp0lb_{{}K3>kTjv=NJ6k5j+7%TA!NghaGP{J&TPg#7z3#_r@ z3qGZimdvL_O~=7SzlX)a#hjH?L|P|DUV?=ln$G@+wTwu_`9w26BYGOwj{~vS<2#!B zJia6Rm!IeB!*}hy{QOZ4d}0N!$b>sSfh%sDYx(kxQT!)0@cpCx4+v+>$5;>^^#8H; zCg4#PS>Ja8K^hF+Q9+}kMvWR2HBnI_w00m!N5i6sqKLx`%HTSv-4aEhu{%mn8^m2l zM{!0S9i7o}90kN~HbHPhTt-C&H>|cnaAR>H-|t^_cPBVL^FHtOy+@ZY0i7yA??E}AH{IM!uX+tmu z^x#i6M9e2%JC;Z)N-*EnWeK*A={K^dERN z3NOTu>$n&HwHj|3*tsr!B#3I=ER*8~1}xSVFFt^5c}eeYX^`HIB%+;`0c-o8SLY3W zJIo4H#^iWKM`Fy5nd%=F`-L__m*h{{T;r~~c0@I^oTl1k4{3b`&Bf#e%Q@kzQ+CP#xLZ1%wt7x-Pb)U^a@%@K6iR#EHNskn+z}c#k)^`gYrr~8E6p!5Ys}4Dr<5lB5A?iP z@I;~HHTQ)v)R$^Ab3N$F{vdmF^8%D5)Sr4}`QO3HjD@`X4#`zieqWiTq(Zqc>FF7K zgK>Y%Nym~+b5lJd$jeZ?LntVT{zyiDDowf=h$}F zfw7bF@Q}OFx+z+g+sDyOr8vYYtL+%UpgEdg&8wri6nixAlxtyTy+h<)c-P5>0oVCr z+nsXxao;oZT)7D4vWGGy@^US8WgxTG<&7dQ_XpQ5{9Al4a=zrZc^Y>8f-cUljL~p7 zb(?(_APgds|7Pj~O3c&uN$8G>DZifQ?_p`a5b);W33d{MG)g+BCUZ8KHLL9Y$h=HD zd0MZ;$m!GiAp1V0u0-KWBt}jJFQOLDJ*BS`)Q5m7`u`1vD$rleCme-n>dcMVMClXAr@fPF%d60I`9SE_sGP{CqoN(;ncYdtc&jjcE z0cg1kEab=aozb^DhV*^VM2?%uvZr^BBJoZMOyf zC1N6X+9M=;-c@q$MKt@>p>7T>wg&=&AX66kpQU?NptfV-C0d(P8&JW?Is6Ckj^nEcN|L$emXG0>Kp`4FDDuQg)_xK1^&FP9}bcFdLo$BlFFH0qiN^|A-p#29@k zGJl>by4Gy4SB0hJ=C2Arr(l{~6@JIzvU-Lj*?W?0TOA+Of?akuAHKCIAaiwXof&rt zUWjKSE_{ut%1byA?Jpq}61zPe;E&h(R)(pgW5EaSgly4^(7E8As=DL{ss4X3djDKE zv7;ABqo_*tzso8Cdm+eV5_mHfyj0a9``F!O56Cp0-{$V$*h4|bPm(@W=3zRqR;+$>DKT#E~7g?g8E)xaK*H&xM4>-1sLH-u(-tBFr8g7 zYRMPb3n7c|@}|d*Sda63`VD;Qc3Rso^T-(X5h=5D{xNqaXqR^;#j$<*`bS8J|5Pki zoQSQczf3CCEU-PHbcj4DN!sfU*S9`K>4SZh_e`g2?m!_TX<{`=gqPrRta4{0Dr5Zd zX71dX@auzGTQ1#BmYo(VQ%0VQO#%HyJ?Sr+SLbb=&Lu%xgH#!V+@C{TlFGt7QR?p) z*t?3~bZBd=7^k*9){`CPOw5|v(ElCSfCcs?mDM_tZW$S{cSh(Tz`Yp~k+MmI>UP@`K7oH5L~2?R-`3Ha87NWxra*d`9H>tB>+VLX+O!XC(QLC`+M=#r+Co`snvr+) z2=mNV3;LA&_&J=gp&TBBRV>0xlWHa}B#bZGk%WW9g7nv_YyHi0$BBm45mbI8R7UP| z2d8BsE(V)%&nYpFIAY=~DCl;ZSHdM7B36eNepC`JUYOh~oV+l=nDwtuURVO*n)kIL zyB;|*84gEMO3zMS=NqAxc!{nIUET<_9k4YrqMAhy+7f8ukxS}in!%tBky zKj?8=y4|yK?tx5YW}$ppkmykwc^R55(thU5oK z4r__U*RD-}tC1m?UH=p=6vL1h;G&0QWeD`;KXjph_Aa9fC5Ycnfg$j#sCM~Wp}b7* zWc&{HM#X=rE;)vf&m6B^MUP?4(qau8JIPWnaSllhymT9Xp^Rr}wz6nl&45G3Qs~*2 zh}hh`kI0tSzg=gI3RzUmn^-z6qFnoW8(4I%v}QG7<{GI1hyYJGGmm-M;L6=ZBkVAZ z#anC3y~H+<#{0zY&W-Kh?CNsNLv#h3)nX7}_1tI{@jLe~w=d$*t!8;UFW+yN>d0o? zrX#%_Q@Tg-xTYr4Ps=66Wx^vhxdahgW-70Rs}Zpq)iJk#ye_t#zC^Mz?{4gSRMczU zN&bxN%ylm2?b{q$Xx^@)EE&ij=7*I(XYM$80y3Uq@{l?Abtbu_PXoORr=|wXSR{*; zR^{BVXX!V;!r=qxa}fV5;kL=lR_!9KOU$nHFuNCnY&hg`1} zA*|JC^7VH0G`szQ=O-tFxIECUb;XY)=$Pvaie>L3+oxx0BKO@k>e&x-(NPXt-49}# zc=69+8h@(P_3KHvhqp-}YFX1OcDvXGP`Mim<8s^%(_now?R-ml+X0q!GmiL@TKtf3 zwpVQJHb<~re{N>p>T+}gg!9jtR%M+}N0m9?ZloYm0{75gm``XDJI<#!o20UQ;^vdN zej42Kq<9}0l6?*)Xi#vMW1yP$yTb8BhScdVwfb3SQLb*^7fSA@EM2O1bD@W2Ke>l> zQbsp2GBcPTBz&77;YS)m2Ya#w9c;weBpd@5yQ+^ArqK$OTt!JV&{2+}&nih5hh5on zQr(ohPZOV#^4$TizXX+HJVk%Dk7X&VK=ucaVMJDnLuGRgayF zF{7t267R@l#f>PHCnvRk?sLZ*`vTos&T=0(dqLe<_PSJ8xYXBh3;ON%9i`t6Pcp@& z-`W6fRg|;ZtCUyqwayA&_h$Aek*rW5Z6J*NF{IQi^=9NcS`jJDxSV-`uMW`??J0+3 z_fmnQOJ#Zr`zr=vUMv5k14N@mE;7#jud+hE`9Z)G3YL*QZ(sgNA6zK7yI)W$qb-;R zVy^z36Rsc8Ji@i7&22ASUH7~hFCwpaPgqjR3fECOSw!a}pDi>aCUNzWQP;d?Jt_<0 zJ@tJ8)1rZarT1FeDfQ6XuG9truzMppJ@N+OfW5IE*oQ|_0M|lTrBATpQ8>&$RA@fN;o;g~l!Qc8SgYOM^kRX1o zHI-rIgw>m&dlz0p2bJNLGt1(pLu2Z)0G)Nio*l{TZ__6w$CmGK9cslie@gkf&W`8a zjupk(!skm)xuoYDB38`f)LzeVZ8p_;iL-?dT8&tW;GgCo76g!*D1a{XCsA}95H!%T z08p&%)6+}-898o7*aI~YWb4i>})=TcFS|A&$A zW?09o#L<=&-2H+OtWb{Fm$M8s6?sDTdFQWTQ#UBpg+V!L3Z1%$M%wsS7oD>mAc3#% zn0}vHrI`u+gb0IJ3IMk#J3WteCQyL4Mh>)l1J882M4B~rSu+}BGQHI?tG>-wkp@fR zYbz(r)kIVviB7bVT%7$3p#FRx-HiG1Wa^nNr^Cl*R5l?5PFCU&C4P%8N$Z5l^W3L0cAC zn$3NmCt*{e%j+joM0@sia*1iU{bO<25aP4Lrz|6y0{Ub&9VZq=Gc2ti<M$x~`UobDZ zKxMTQHgkR}S&v!1=;g~LW!$D~JO6@FN)Y6wQfth~ zKS|+^?i&l1#ARrF9ggY9mw9-oBZ8`CE{BNRbmthP)$9uCuF@a z`1boe2G?CD40I`fI$x%;Jq9i9Ft`UZQ|^(%c<8=b#bY7eSF3<6vOS?q+iWF1Q2u>K zp4@^|od44-vHPTvm8Yv8K(r@`UdX+4bMtsB9J}a%IS>f_s|;G%tLE=QXNd;t_0>UI z;t>++Tdv@x#IXTK z`2%*8aL1mNR^MTIUr(%~86DMz-kOgrVs`?`GqYZ2@c-K6A7cCV@cbdR8-J>Fudm%2 z-5;w$$8bj>S+Jbjk~Pb%eL{WF3eM&K%wGg{gaw=X3jxVqY&V{cUiNXYb~n0^Ep0ct zF1)}=-|0|c$E!cw;($Ce&SW;_SHBA6?IRN<7dS)Z;;FsQbpryqaB<09wK|YG4eYhq z;vUgj+;*Fb+iU?{Y*O?9de+o-o69pU1oYJ0Gw~07@|N*GTWH zlcs;NJlH1n=!AJ;kTzT&+Z&6-KK{1?R`N_V5xFe6%$-ipKD_agCXCXo*&Gk2$$INJL`ow}iR=bEZP> zpE_?Bb@Yyj*_+y_XgwEYw6X0;ZSCywW4)iU+27ET<{{hq>=3@&$zR2Zy|Uc8j)-DsxCslS@&JdzHFvoi4!S~^`K5lip8S7rK#1-V!q&xr**7< zWnKKW&UNu+#pXRJJox`n#SQ0$6eHpLYgmT&r6pZF8Y>S?Coh5@DdSUmMWMI&mUEbf z$R1vn!a$@yPkP#p)INTrrOA!;#Xk}0%<5wl`Gdgx4KQ`JA5MCNgrpMYTew=rF!UWu z>Xm}@BQq!r1C=f17>+N=%|!#%5C;$6bS>$vsw#AfSrhFaWMyw22*N5Peq%Iy6s zBso&+U-?OZDjafjk&i@ba3H?5%)1@~bx~RsGCR={66k1J0Qh8p^QaRc&@6aPNr1WT z0?IA_%dnzZ6zoDl5aFn%Cb2qQL4Kr@gVfDIGQYM30Cpt6EEo;m0|3e6WKqrj?!3aj zfk{?c7yqg3ss@ouh{mUs@*G(16{l}yHfXM$N8f~8D){DMK4b-rA1w52=l2C7B+T9l z2h?UBhBLSyl>&~ZvDR>itV)+~qBJ2&` zn%zh%R!X$N%kxHF>{h3yg`_3$wkym8t%}UjJ)BQQk{`T(HwnQPo!~gmOWdduoxcYU z$@-E?FY$X)q+QuNXiS8U=&|NXx#mi-Z+iQ}bW|PoOZ$XWT)KDD&RoWdFR2#I;eiBj zl!bt?vdUWPE@g9k2|8I!MU5C&G% zlJhCjqIb72AvUI}8(IdjpDd~5FY7yG1sIQO-3+VRT7_f#`_FL-%AT5iy#9lY>k=*} zu$#gX;h)?)i;_3PKU%8N$=PAH{V@TAcCNeQzXn8UL%ek#7w7SmRR5nAtkEvDHS(D_ zFbe0uZ11995R2{wq7GxzM1ga-bM}NCjgYKXNp03Tpz*H2tacrVW(yWriJrg*c~wyq z;6#A`f=BaZ-U^{U9KbljWmSNOjXD2#z|F@n zhON5!HZ{IvLgB3fyM1s3%b(j_#vumwz$<)WF#^t&1lyNy1#>3B`$cO1fK6TYyD1AV z<57|AL1T5v^|_m@JsxT}KU=%o^)cc7E7R#?jbv~HB}h>mrs`DdtB z+SJI%hL(}t=MJTBnpnO?{WhewBu95(S?senGdbVamQsf~1dg5S61rDruc5ijVV2B3?9~?m`!-Uh-8l#R9u7<*yNc%37D_K!q&57+R-%Mryn7FLn zG4U4{Qu@yV;*O^LrruEUjU?NSXD*-tm*e!^rejAs*;n? zvPKf9dhbbRpcTBO+2`gtna7{Vl$cUpggvBXWO?CD&kB;Mo7QNVEBgsRcVruKWX*^EELGnL3wx6tR{r`NF5XNA2{`h~ z^89V__etf-cIG)tVDpN8POjn(dtW>ltIZ$TWchc{e{&Xg$XWLGInW-YVD8Cw_6;<7 z>qqJw1ItYu5uC2X-#obn6NQOLA}2Sp12+xuq+Sjf$@7zv0*^>yp8>ofXdWJMg7Qwj zA<`sv!Yt_VDMcM!v@Pg4iC)f|J>Mjc~;Ib1Qiy4JIk~oWH*bDLMegc14vMKP!6+f7;uN{1}lo zUae(7(}mtT&a>?HJ!eQPLyuk705x7PkJajDpL_YKdE48Xx*fN}_@+1e+>{M?aSbKX zhl8W3($pLw&33%f`Y5ftO@qIJrz@>aX+@+dbV1&ET3j<99;VO{YA)|QJ%Mt{n~124 z_k*pq{=?_9>2}R3&4Rt3>gryxpW>!~VjB#gba>ob09$)0Eoy3+{e;E9kQSEbV8A(c zPFTMl=WlJN#ia#*>%XX?^|$VHyd}yVB$&B<1*BvLpLjQCct+}?P0`(R`?twI3Wnnw z%4!D{X?Juf&J!D=IdEzeq-j9nJEZRsd^>)}9FcsWaMaEKu7`1ksN$Wyd z-fwx(35ee#5EPE1H=1M75egi=(HzWA%h5|BN3~?nzu7b4J_?^lVNexp(-nrw z{Wae|t50@iESx^sko5RQLZzl}D*^bST3b z?_b%$yM4iycQ`s#|9(Nfnbq4M+i*tGjkC3=WyD^ljxo%Zk>l^{y8zepKMra>*v4-V z`>Tsc?@oHQ*cOh_61!!KrweTQAFkC#TPfeG`g|q|GUbzB1K^|r9`cjo+~WMoiRk|t zFKvIIjsBK$1f>befVeB&pR@GY{SLbtFL4tiBQq&sAD^IJf~ zf=7Tl!`8}=n$@`jk?ZEvAH+cblDR?`djEO`x+oW>W;zv0IRIy?zpf59la}6pq%wDq z?=lD5VP^4(9vBP0aiK;~a3~0v=)>mnt?kwYa}YFFJh#b6kjxNh;8d#j$3nZ>52yC2 zYdLdA7wqq0%d%p3RXpTC=l!ocgQE3Qi3LZi-N;_N8egn{HNi9ZZEiSLI!a84YHL?+ z?x0a#wzbcix^c%(rf}D{LUjgGCo6N6%h!0C*O-d!aIFScM09cl9Mp`a){r`uP-gaV zF4LX7IU;&CMviliDI!gd-+Cz^KOb@S*0hKP|1`l4#i#u6?{i)~f%}{*t%WlK- z^Tx_|R3Ld<CvU8r<0n07|K3>ni2r-G|NAcg_bmVS4F7k` z{%z#2l+|^jtZ5VUHCA7v^o0k<|LuLzccBj^|LHu?w!?kVxxapt>p%WacK+tQpSa?H`;?3R z82?^pyY?s)3d?1i*{#W~S*}xQx%4Y-l+wKB^8@U}B#zB@(A1ytqX+;*x+di)&G>2= z{QB2r#C&GRXZ~)d%A5JMmDDGU7oR28>?A(x)Q4YTx*!*#V(YZV;&A9g$NHDoNvY9zL+f49Cls@Pp3*m{t1bZvuy)o&2Elt?D ziLohRXQsL1b1wb^ps22Ri8V*PhkCW{9Y-R0=GZqn2w-lqZ!0k}L!`nQTFsxaEyKUn zDZ}+e6pU|0KidMNSa7UE>^Cqw;*TX-fgt$m=_M4XLQg^MG7`G-iUYm_Z!}^MU5M&D zA^v^Yq~Y;xWz$YAUK!t7?%mK8LZ>T$nYZhmg~dfBk*D|W0bPCDrtxs1ux35huVW}< zE9DxrUSeE3sCWna=x%L5&T0>2#c+UVg)_6+c`-5v74NkK*CSg-if-CHJQ0uYP@%s;j=^Vd>T$#p zJ>0UmWp>Si^Qectp%PCFW>EVWT zM9an+BYlj_mCCe-9Y>N$LPj+gQByp54eBCkkCBEdm#(~p^+@IL&=6pE#)_5z{R9Al7{w;j1U2I=pNFux0DX z?nhZGH)LY98|HawZc4JhT&bs^J7Sb)?redjv$tD(tYngmwb<|yfYdSd(LD7fydxQ9 zg^eVd*Q~foem}3Ryo9I929S{clXKwMu7=&D221%iKcq5SA5vpOY952Zblle9A$Umr!BmoQAmTLS_g6nEO@Mhk@4|KqLwW>9;Gcm`1Xa)0Y<{XQVzux|B*bZpz z0$Q|KNo8Jd1+hGvd^ZvWV;r)7k(8?P?5`jOd5Xm1LwbV}nnO7tO7eWdU;gxjRSN8p zZDL@}ULTR0Bd zV&W$r!n0#oLEGXX{DYt1U22BIdGOZ`@euMS@NNF?-=E@l7b(7@zx&wtwYzTfcYlW| zU{YuN@BQ5~g8}_BfA@=rLihjC-~9-nJH62NcORMDrZegCcxy4LopsyuX5J}IVzTjb zojDBFbp9+WNLGK7Ya~Vfz%O&&>&0v-u%;XfDwr<%DoErF=ZapK5}nVzKQDtf@@>9ZJiyMAo~$^TJrOf*do^W*c$x=bc&o>rYx@3uh$&~|H>3R$wpX@L zj6CiOpA2nMJno`?@$XT{xc9;Q;hnwr+`4ziJMD2*d{F^uIpqgE@N)fZ zTMhq;JMBjgkoFQOzR_>=khet~F@lzlR$)5_CForZVaAA9c^BHve|9FJ(qO$Rx-+{k z3ACNn>E;b{v=lo!%FJ2q)}V3da&9mcNxvWuZAa5F5gmHW#JDfVV*9E@e12t2O?Zj# zz;(xh7x)DSLx_AAmZ`8Smls3%&b;gTBWkMj43)F2{k#?s7Yo4kM^0V)ASpv&WS&5h zJDjV*+44PELzQ(~A*+YFb7WpWL?14Jl>NaNU2CgFk4D9b-PDVCQyCrVz^8k5=H8&~ zaq~4Q$!3N~DD19G^kq%rreBBIg;;D6iB;j`-pP*HQ#2Z4*mT0D+9)5!ibBrye$I)0 z&Xf6^%-9d}vuo8boj>t$OU+(W-Djjdq<<@HVsoox} z&$hlLk@5(nq?~;0t4-49%_pNR)0See=Y+Cl0P!5Gm{#ZS~eoIP3@`XsH**$3G^(Dytc6!Y#L+t5w&Q#WE8IpePcr8JO7Q9Lb@Y-V&f^K7k>8ZtACFTIj+LkQ#y%U;Y!FvK($2sQ#0DsaSd zzn@j+@c!y2Cfw+;vEbiEva&@^Mg4!AFEi`_jH`d}*SCCqp|I`)Iy>F+;i;@cnLld& z*dy4-8yN~*3iJAH=0>r_RWxFs4)f=a)+aX}<{r%9?boM~1^QW!dlz1<9TA;#1yt-U zwJ}e{lkAjH_)Dndj?fYIMp1ozI_^#h>6f@(ZZs#e7+Vz$d&WG0fqYy^TP^|qq0~7m z+S{a}K`}H7w>o}_9E7TBK0(bCDfc
    LV_|n%l3z5g^9NQU1!fG?z~X!@lyig1_s8BNR96tP7WR zs2`$FxINR;eW9}vudZ-q2evOOcdw@kWoJ-UeONmXsLY0U_$#g|gN$v{POtg#USvDY z`tlbzYm?aYx0~IJjy{^*&yH<~{UTeB{5y+h(XU*K(<3L-I4l2~aBwDF;EO(#$l|E0 zUVe2Ns%ue~`LICE1yr^) zkJpDP`Y=djUtx0j^Ep7SKc92^f$Lw)l0H(GSa)`ihtt>3VsQM~9Qp-zax(E8aly~o z={*y&3!(P>Gv3k|BNg+PCD)i+vyO(5BSi9QGf-2UufC?1FU`fv``O`{zC<|qf)SB` zWmm$nn(1!`i$6aX0AiKJ-}+-TTcz=Kz_Kf-?=12~=}5EoIA4@T_A`aN;}=)|e>*-ER@y?CDu^es%V(uN?ILEC z7Y3|iNAY{pRyY3{uo63@?Fa1R&;0>ww5v7}AkrDee#uThjo@_21v`S1_!6z3AdiSJ zCfY3)>@dtu_8WywyCKyZHa60Gqd&5Z8Y_lZf?X=C9b=VZ-+`{a{%ePY*L)RZ#Ry($ zhnLnYEzQLXd>NBClYH~jv3B;Ic@m>r_Evt;dv*|G2zk+$7}m>&vJWJdiYeRM%CPeG z__^_A%iL-nI2w7Y`#_sM4e35m47DX&%K1y1^u}LC(X*_xg82t6KzO;tJZwJ~Dstk> zSDegdBGTV`=GvWG2lT!6;MQoLI%~_WSv9n!@!+C{UN44Qj@>!e!}1f6j2m~|9*%!e zd_vCY~&S~4lA4G|{~fqo&kJN@^8Wc-d`6THS~J#Gy5l2M~*dzvzFo|#g=cQAz>rX-%x=y**&&_vMV&*{vZw+|W?0yvpCd(zW=lkVXBBFthS!ZKE3D zA}rdR#6^N$FK+01z1&{b>*b>DdA;tfoJ~!y*MrvH<@I{Ja)JH*v^^#Cdd;s~%WuZj zd;mYSG!=)(wVJ2I_%a(|iS`n!84~Xq9-OM#5GI^+VtKTO^@o%Jj8|4#>#!{+mPdAp zZR--r#kS#3Kb0DTTB5DqGaY4FD{E+(YWKkb>D*nFiKED2{kwS0FRF3mULaijPR?_3 zJJyekCzL@0yuK6t(jFE_=+qt~zFWv4MYz|y&CBbOuX!_%1)etY<>oO6CwqE1Hi+=J z<$3?oa6HS!l#LwX{$4=6^cg$1ZmvJGxFY&lL-IA27_M_ltgc6L4JrN+ri-0e6sf3N zT2k3npSlT88Tvt4XW9;Y7!> zhw!7o@9P7x;K8RL+@c5ZmSM>$oDg8o|1ngQF8{=Cy7pr7(+*5*<2?k6DQq6>Vb5)q zi1yhgLHu|RoFKK2_h8s{;UCs=uf1MNPwcrS!TBksj(RgkcX8`<>PWBoLcYT-w^d4? zLa(*A2hE?sLdw}xWnv?Uk(pub$9TjplXFCKfEYTtux3@w=7yGfkME7)EnkJbC%EY^ z-WhA2=xc>9CSY&IdBBm#W;Ni5Qo4And*l+hMW)Bmz~W_kK@Q=47Z%pf#ZSKix!AsR4W{RuVc8^qNR!MX?{T&*S`5Rn@k};N=rpm?6WK01+f;Ce+ulI)G_~PqRIA+lV~*f_w@}CtIcO4{chaXA)mC0Bpma=+}y!- zUFsnV4zXep#8D9KJgDQ#7wK4pGA1 zjf%9y5XyPqGyq*g@l2?5e62U0o0rkoQ^$}KZn?PB+|L2J_w1=98p*1RRzY}A646Ev z)Kjm+>_Idps*KjXxt(bGn};I@ibbk2S|I02%22Xd(@{!iUoDlnF7{LFV>o3MrUKC} zlzck}_6Ff{F@$C$^-$35-|qTLs2wB#7jo5yX7*jFYQCg3tp8LULR4wU)@t-PtBgZ|2Gwry zZX8cddpAj?_P597$%Wp`2+0Fl>Z@Dt-m=YmVqsnFvdBJAqGx^b`^;qeRp0AtEKF05 zvqKF}y)iP%O%q$Um1H8T?i?n?36XKV+ zm@>W0fYaD%+7RX87B^0ryFRmG`YABWrva{d1K{pcn$Ph2i#_-j!#@FnT9ignaOI|< zj3GA;wLD&`3OEd(+Xz;p8nIu5a(hZo$=qWXm=}u8DWFJH@<=V~Wc?9E{fqZn9sguI zVKD28->-}RIMlo8?@$e~_p9vqB8*9DH2XtvInOK+1GigeCA1E^h%jG<70cO$ZaV=Lx!#wMRT=4g zbCLL#{hKfoSe}>em+cIFGk1e#UGjYsL|b(Ia!=B0l1R(UencH+2ZyiBra{R~Twc#C z_)_S*i~snO6lKryhckdnV%f&F%+AU@flNYF9K)Z?RzRB9d#TfGplY}%Krk^UiLFeH z9AD5k=$c{iCX=^+aY5eM64We#spz&uZ-+wN=h3g_aZ^s7;24!Ra)UW2OucQ?M%uvE>dh~jfAL)nG4 zXFRk1y1m6S&kD5&h0INrT6Z%yh#SX|;5Li*syvLZ9XNr6*;DJ+1pDh`ewhijakH?x z(DMDR<^2mVMghZwT)Dg3%027KZ8+(D&!L;z2BjC`hyeT2i;8R~ zKCGSd>$wv<*4h2*H_XdMy3nS5vL9xv=KD|9o>Ye@2_E=0s_c`Lg)~E9WnY!`_1{#d zy~$^C?II7*+ZLeB#?QfZo|l)2d!OPuS^;F<_*clHRea=ORCe!6mb1PSPK2Z zes)=>L&y^g+9trxxuI_~g&2on<_y6$uK!QA}?c~dxl zR(z9|U+tvfEYtW=zcE#m+ua}UmioW3Ixa45xn#gfFTFde6yhsBx1>8BOh9mO{f*Lim?@orgA*K5fjFa4>G zFar)+?kS!p?Z}*evHwxg^iD4n+2DDZNL=gqCx|AjZ}ppA%ij z4Zk_sFZTTzx7Dn2wkNoa9i@HAuCfS}eO-*rWjKi`YUJ}WHF+}{m~gS+f&Cdot@^y4 zh|r53E-#PXY_y4nn0yamwaa%5=MdPwF5cS7yWu-nU_fi-PqRs8kg6C+(~no_R7(w& zn~&H8lDdji?uDe6U3MDruvvpiOWU+J(xQ>s#xP6sWJe!-h>Y}mVw@4Ax|ZUQ9cPr* z$`@ABmMnfDy!$c}DaDk24*tzf02$nWLPe2_3i)A|FaFMk$)EQv2{bW4O?<2-La6DQ zkfHPsF6&UT%wbAR1^3~bX3_&6qvRnL#b9UU?@hO|TUcedUz+(H7=grbYUC5r=6&HH zeQ-j)k<}D;sPS@#+Ir`^VMV!H=5<(v>aE){Pf=8_mE1ytd7j2|x6hl*H(7TUpxo|g zc|8dZib|MiLgjphZ(a#_WcSzCB*9(mT0E*ij1wK6GnqWue&A^{GDo`9CZ%fKRFBSe zY3D0#*Fwp|T?aQ zZ3gEX*}}J%-y;hFH?X)3?#9&EIh;DiOK&wFA4s#QW0nr=)|r&~vk&m0Kz zncvbFW-jL2pxjgkum6EwLc2R}=5>_lf2fyOq`&7zgSI7!3fIy=dTEZ6ZbW+)NTgr? zQZMlhC8o{o-z9Qs|E`gj`s2Iz04a(cZwu1luMWt!`dS->T!AG4i`eKf*_TxaIoiKl zlrZ7+v90Bk)$)AS1KwI`cRsg6nUKodB^_%F%%k;nM;NCoze)MQU(9b*{wU?|`-}O* zl;2nRdN%Dp;WsG1T=^fk{DS@0jox4aq{OCmD@uNs92|)36q`m&18$)o0|%_CXl)fU z6h=P={lNctcfj^fvZYAn;NjdWb8n-edCe3^kK`*ePVH7eJDHm^$VT4lVGc{n-YuLg zUlwA*vjq&5@_)CYcJaXq_TX@8|I|PjEZQ4%T$2lc7v@4ilOWM_HT?=N8ze}19-Vui z@VJZwhsTw|<1SFm>&KxPlS&u2JD;Y#@A4*bFFmbWDA5|dI5ru)=z6rlYJO`p3CsXG zDpc5O6q$eR&s3yT)GLt3*S}N8C?!)tDcGlla{jrG--*ej2>E|9gLAVvUpU50ASst} ze7{3{1|K1wIH%MARdn;y&6*mU&<_+*Va=aeIfUMUw&A*Sv%8T!ewG{W>FeJiS*CBR z9&v^ut2bhvyC&>~ddaJ?7ZyCP7aMKayJHlWy?d7Z%QK<&uk+QFy?X(_Wp&u3zsc{s z^yF?@lNwpiF^kmYq zC!?G?`lP4m_i>Dc|9iB4AJUdTM!)wcIyAo7w~f6SkI|5EO!hph1c%y5%ur(U zoTPXv!9UmySNbopWdH2uQ~D;-ahcYQddUfU^pd@vUk*R-SstECU-C4f_;M0;KE&_S zj~-r>{dL=Ky&RQ2t?l;=r961zp%{zgE|3oBSEsu6PB-Lx~OZ zg#R2Le}(^3{n2CC(d7H`Zwlu1^0xNMzxH-zB+a{U>epTwpVTdPZTlxo*+1Hv?dY`w zzIy4ffbSRFX;;4?)^FRj*ACx_ZNzkU-|WSt+v7`;%;hF64ZzmALw*S>w_ zZn<(d?%~=A6_G*XXH8=67P<46zHp|swKt~52Fzqubcw@5!pR90sS#z#;nfYP?i^wc zV0f@sDzYEW3I2$)3If?^T-XBR0=Qbk!OWObGE3TOiL(m4% zL3zQOSt0zUR$2UVZTO9_&1ezOp2#%&tsL%J`K12oul!xhC-uyGaSCG%DI@FBb?x2>bu=R{W|emom42{*H?2VZ;9u<`aJZ~79o zoIl^p9P$Kbu7}Wc&c?&abf+N5bXUr9#ba3bWk>%m9G6G8gp=FB{|C4utldh5ObwFB z^v)jZR7h-B8EK~){V?v?S9H$}hl&05EWVhh20ys!#8|)P=-2F~isNfH^)HKl9`-T= zJIKea0$p`+z)#d7_s&;RiqoPVuZkBj4s=w)ybadpDA*i^oVc2y`tMpQnESQ{!tp$4w{3ZPEw!*V_KE$Q$Ytr2|i1FlE7aw28xrhlfjF7kx6cx^O^eCF+O7!9lfQ3f1>DOgblzxWss zR-n5Njg26z22XT#C^%5}lp%P&j_p&5ds$=3qqSL#$^N-ZIJJ8`tZ+{V3^mqrDh<(K z62P{xaB3e_B0f8HbjTwlPt14Z74ctk6w#9|?u&hRWKr_<_(z@N*-kicPx^EG<4v*e zXGQKIV#TlqFEg@3LrddZ2-cBh4YhAZyXOvTlQ-eiZlv)@OTSa9qhAXh(CT1asVtw> ztkQ3#+o(5;m&LoW<;n_+QlSGN-^jy8KBXAIA~Q?Ng2=PKkL`crQkEO+^S{HRwhfQ` z7_>pnlcaeA00q|>9<(ALoNWsOR%&sFTGkhyT;rrcWS?| zsVH$8GZPR8Lt3I`$*)Z@a)cn3xP*M;qCz#aTw0-GxTxu{bysyKwGWSVMzcdw7nIed z22~HKU57j+Un>*nr9E6I0>0yl?``cx=Ha#?D4 zsAhq5zpi3OF2Wp6rkUIw#B20b2jW9gCjloqcSx$TlC~nd@V-fP?hk5O?P4A&uUS=R zwTn!E-eMd1%Jdb8D=x*9v3*y8xD?gX?|O45rk~6Em^|56DjHHdSp$h*h&QJ7j$A|P zva%s9mqCpUjj0QYyu=EywDT3Ebqw=#O=Ie$=q@>#(ve5p)Y2PVsk2yy&mth%3E^d( zW!4KX8yt}7(EM{BnydYxA+=}p4JJLKF$S4tf$W+)4j@i`{vY9744j7AH9nj{;%bE9 z#{43v?Tu}AkZZO-#fQ|cZ%CC?Ms{vY;(W0r%c(ovJ2}vh+Jk@yBvXfoK zj#QKsW<76|^nI0(x?W-=mVXhA=?(d_|ArCU=91*6mevt&zfX*p4;K8$x~S0CVxYC$ z_G8aZh$kERx+MC6l)X765Vl|sRf_zo^LF2Y{=^vlP=YWkH8D^(9OThHIfzA6+SR1`>cZmsdTMJ8Kng_s+!IxZMlM`e4*s3h;@?akz{1DGYalM(+NGT{Y_=VC+rrxGtQ zi#%*}7*b0r0|bM&vB*lj8MmuW{$A3b?#Uat&uO2W1D17qo!Q@q!XkS0&{XdYqIG6p z%uPBTiGZXm!uLX4E4Mic#GmFfe)849OMJpta%KEQ1)J;0J|$^yH}9eY)8yi-CnT3` zSz~@z&S<-{jJvj3wc!=aL)djE6!=wLOh07l)Yr7`>>9lZ*#Cji$1bz^Uu3rNjP6q% ze<-HT2uFFr_#+-)?uoZK6*aG1~flv2kz~x0`<13o)kWoAZ^Q;xTp?3He z?Abb)XktWMe0b+3&FL42a+js~N&Y?$G!9n~x=%na^OWUK9bgP2QzqkyI-sc5d>hVl ztFqoFmmwb~0=39IIa@c;U?KBpnVv@b)N3A#T)~omEhW5qS(cfSVxQjT#IE_YsGyg4%M}{Ruk^raNa)AE zl$Z$yRcowjVerO-K{1>*PdhaG5Pf(09^fX*=?yQidNUq9xt<8TeZ84+O5hb1?s#rx zHLF~2b#kKLxhDM;Q74jkt$yG{5Yyke6-Qw6l#709M99peFU+EQ{M=&FY^}CZ=8fG| z#A}W)h8W?SNNH9LLlV_?7wVz*c#~F_erVG0u0Yn^QznG;~T!$s8Op5mX#% zrW%Vw%+k5t9n}4RT1U8bMP=;ALn#2h_Foo+t3Fq(W6@RjhJPdenc~;|7@oALTS>K; z)3RTUS>&pjVSeeS^QAk(>OU*Zv8P}907_?*6rE*u?n;NbAF_wnd^01tOw<$Ol9B3A^YxV}#93D1tV_J(OSR&lb{)$Je{@C&7$` z7j*7GBvvBU9N=m!riOnQQLb9EbVRXqqhPikXn870E5Q7oU*-rv#DeQ=Mzc=CBxX_b zd3g49m#6@+Voh1hC(hH7X9jn|Ux;|VZ-tP)7_`zooUnTm%$*m+X0&!O{gK_kP=b5< z63z8?2Tu9*o33{Oj_dkK6es?XL-Pu#ODiLU=J*ZDILT$4?J`bK#-(Ir!z8r93(kF$ z2`OUbCuBKzW#3?Q>^jxwZt`7wui>Si)lQ>LzS81H2LQOlw)hI4%)&jSMyG-=D&r*v zAQpVuW&HGm&3J-eX^8;SEoT$%Q^|#t%zooav?yVL5)R1Y5!_XHYEtL%oJjYxhtn2# z`a`(kjZjf~T?Z>yPE)ph@dUj=!+~O@$E3P&rfpZan_ffPu&Zu1Wm`ed0_|PZ_S0(n zSW?Xj#8YOWRv>!;>2Me`x5Av!S!~Pw^v9GvM{?a}mn!=)&TQ`ilX-HSa>oL1Yf9~} z@~B1C7HCl^!0n6z)#qq2rmd$JGCK8tK_vlr#uL&at)X#SgrL*AWBy<2eF4)uLCa(-$^fCn~~M@EOoof_zOYH4IlnDGC}S9t++ zr*KQ@Od=g7BY{vjH6Sqe7OvH$Lt=AW;j= zu!}p2u?Op{o-Bu)J}(4$Y`;3`9>*=G7bTkzM>FjF6x?LT$Zqk0rDeiL$A1AETF^SG z=ALO=@8j#MV!`J9;iKq4|6qUY{scx^D-x%I^{Yax8P+w}9wOWVWqcUU;WtB-;GEOV_W${^YW>Lf$TT5B+|*+WWwV{1p19A zjr`V9@9or(5=X%9cUXcY8_U>hAg$&qn&AJ6e1`=b`OsK#vQ#74!Kj=5c*hr6I*wbV zZMh@iEVHGQS>j08&5>|KJL+Xew42X6>WhV^WW1Sw*6^aFNMC#wR~LniT*3n}sEdk} zZl%u8)Wt(dFQ|)eP{-+oSs*p0dRyJQpbwsp>_+#VShG47T(+-9uZOfIcZIP|JmU0O zhVUO`n=`U>X~zOF;DVxk--%`1>0i#<>KQx_cPL%p7pa}|R60^Fz4NI~kuo-HQaNv1 z)Y2UfOD3RZ9NU9SO0*cF5GBu2f)vm%5fQ!uT8?%Lb2rjbc7P>ljJid({cH^h1qIF~ zIW=!Tm1Z~CYL2BPYv19#vkVo6`xYS}X744vO_B+Bt{NOYA5ud#h-#kr6rMySMVC{amDbD{o%GbjAs1qj_{EaW1|- zc0&8}%)f`?zlUSrcd1isL}!~UZ{D2j(?vLOB86<}@!c!>?zWCUQ_pWqO$rd~5#NK< zVcZ>&%m4m){?@H$#n;iBw#D!0X%&?W!7f7OM7qNf_j?U3(Lf!G5zMzqeBHLtx2}b? zt=t-H7X^&7XpXB36~au^KFq-{Odt@-Dx8Og5S` z{(oVDd!IulRTGXcENQvkdi=kAz^1&%|I&qD<~{zGhFdO|$N#H%{KwzL(_cpAuEqH6 zLn`lv8DQm~@+P|P5~EM%E~Z|3(oa$`)|knxz9MAv-tdy`3`M*|5Bkl%rXjf|SF8Rv zv`ph(I47WkS}wy1T2gsR^4f39%%#OXDF!fZy6_T1&urv|5CgzvtF1-Dpj<2OqngDK zq@j3OotHkIGe=_1fmg%y?X8|#JCh%w*!BY>ck%C`ky~s_`PxI(QodQU8aO;C9qU^Z zy{Tc`3+yD8lz}lEG<#3WL0WynoHX&A$lO>BeqZ{~c|x>#_Eis*iCvw|NhhH(&Y z>C$5R?5gGW^kAKtY-Wnf@^miS1vh`#=apv0wn~8c!7#7b1&-`@@EglRMG*{WpPSRT zC=(0rttK$JM+c#FYr3?XQ4R=%F910LAi23nBxGcE59D9z$7pl%kSW+pgRhfbpX^;} zipXQd%{|;OZYgmN3SIXS@|>|W)5zG@4fFEDHaWxMZ5E&wuu;vP%t+JT)oSnBkL>rQ ze5bDgGxO3Kn{ci&r`gPs%DR>zyu~#U0kUXFOaE7MyR@x9j5*rZ(SSQlH7=#bkXoKm z`a1dJq^c;z~S zTN7J3{cC>D*krD=+`E(oHiu|%BVr+#ohhE`yJZ<8*Ba$LsSU)xp$+EquzUlv?Fg8K z+qbt`uWHn$Oqu$AKd_uW9il9Tk6ubm7E%ur&PXH6a9O?GK$&l}Dqc`1vlC^^^*;y+ zvqnNHb*1Q*8SEPEUnnTQe4S^(3ySglyzUIhJL1QYay4}4af-xH5l%i$_$AHa+uQ{( z;&W>D%v%eg!pUuEZ3>ynja=Ia@!3eebvZ4ggK}b!`3|fD0a^%S{9xab;OPqYqufR( zEa*Qe%Eh-S$ITFYy8C_<7m$o2_>Bc^NB5{HNlphW&)VXHPtp97f>G}Vq7mCYid$BUyGE1Xr?#F2fgV#^RlXfc{bJm@!i}plFN1Lz? zsHPWY2g`N2_r}js2+CR1^-dTSy+{xXpQo-2GawM!P z^1yiR*E)p1S*)fiUHZ(n`9Cr|ZZnRtJ-48Eag;^?!o&j5Pb^Qq61h4SEZvQ%7d?lG z{^upyXr=2i%$Ckz7z=LNl{~gVkx41Gh{!*FJ9EjMA6mx_0eDG;A`{78!I#r*vj2X+ zy?p$KGPF@NPmpf6g0bMOw%!fYyM?dxTCD-IKF}I)wQ^`Snsm)}b%=eY5|=?8JW8TB zxQ6i5(L-J%-2p*3oVsI_W{t+EgC<&Pe0hE9cO^B;(~?X&2tSv|O)RD}j+Yt(*KsPp z04pN7-ZK+Q0PQ7S$wuT<>_q>5E`EmqIlQgyUsInl^hQ zkS&ghbD3RyVb*^JaC~9bf7yKz^XfXjV!_p(#``wFyvG;K zw8ZI&l+IoN;{JL}z9n8h|3_Bd?4TX;EzR@!?<-#dr)@ni7Ct`;pI^NrehqHg1q5~n zf$U(AdXB=a**{tILaYd!P+_r|zP?N>6`!hrOLqc2%z+r2Tds(pT_08sQ$|n_ja{U1POm=v{7_@3JriM=eS(d))3=FM{o`f2z0$ zn^-}0N}WnVI)nd_Y0!vpHXUx6UpX5x!TubTU=F?2@&4`>>}@X6v}~gql~}M?5WU1b z4&0C30H?a72jO(# zqGb?VDum0Mw>VsGP+x=BJ9sE#>dABg+e_BMHE&z`Pb9(IsVHeYu#{vM$-V3O< zacfYqMmuD;RmRAobs2uE9Q5A{ja2X;eyPK*bNl+8yUP~0o!eGwJ9iMpUFW_c!FBF_ zO2>ll*aFQqs#dDc#TlmD6snsCwrt10&ibq5yu_`7nA%-9a9@>hK)w_*@80aXex2=Y zJx44M^+hpCbdi`OIzQI5)A;B!v8K*N(I+J?D^!0t^}DE)uxZwrC~fpSv;(aUO{WI;6E*>#A=I6@bCOG3mMJq`~JKE!5S)sTdpZF zGq`Jzy~<{2g!Urcu0v>#Q-u0a%<;UwO#Zg#+w#XK|GakjZphwN5n%&}6IA3vTcqA{ zzyU($Sh3d6yX5lkrt&=TUwW607Q$A#Z^OJ>dDQJ{&?k$Z*X(e)PwlY|BN}1h}L$M2-LT_#*F`Qgs1z>%$q|*Ez%qV=NEnHG5 zLAk{l$tRH1z#|@ZY1y3-%YI8nUf%ZkXg>5zzGi{+`PQyYNBTgtg-L)h{daw?LG{qG zu=u$V9Fo~Lj@*|nKD22MtgrUH>hGLeuoPeG%T<;O`}5B9+ay(*U=H?3=Z`d@RkZmw zJ_hl$f$pWuOLgMzv5YfoOyk$vWt?e#hyx0kmaoHo$R{QiRM}AG$h|?NG_!2yjeTKKP6u+w+#4N30BfA`8sox zRC*7Vp#OIc&uf9r7{r372bin=ZUJYM{Qg0*-vBpb6+0YzWNpvN z=x$*>mKw$V#KuIs8}R{T6)tEx#52XI3HJDrUS&R@&+fQp3{w;b)|CbMRdoOWQji2YXW9yR3%<)jdMXH&CaBbeubXokT&eJNx<2E=)vd@>6^e!@|eFGjo z>lEl!vp~DoeRhKAA2GEYBfi_#fAhn7i{}~ONlEQQw}35t`&6O$U(MUD&{1uLx&V;Y9&UU8d%JB}wm>>p#vc$(bwLT3n;gZ<7q`)KM0)L`mUkooczwq7 zLquvoBb>CY%T!ykDS!uxN0Awd_D8EKi#()5Mfv+lE>55+o}$INX;%u(u>3`t7#|XH zmhREdOf4=nJdB=vA>P_8a+LYKy2e48g12PC8h9h|?Eu(1&N<1SPsqekU#bRUzs$6V zzZT33A(@(_oEp++?V&-HKdn z*uO3_ABw89u$jr=TF?_zRko3)-rQwuYhpi@JI_re0j|&Af27CtMQ9g`xRq<;E`6LH zL$4%@*K8AQIai9%T{WATV^_=qeZTx3t^Hx)otbEJ{KxO!R{BiaA5DD>`&NrK`!URR zu&mD(%hN1Q$$@M3oUCzBOY6+?tms{z{KV{!T(F&8l=-!r4^sf#rlNqi?@Lvt*Rf~b zz`(^@J4P>(SzPKWmko5G=S~haw9ZZ=-}<6*cpTu~?nX&K9bIB;b$G?;I zNVd+?M>tjT)9lX3N6s6)`bFP>c6)y$vDt3Sj&1Y)0#;UyNA*c-Sx5W~h4u4k^NPrT z$;{P^573&<#KcXpNWb*!stSKTA$r2zQl28+IA`Kj0)W$GQTkoKOo}o!t0=`oSh@Ez z!(C?{+KSDCZs22XmgD}0WIvFCnK`zW?2H8S@k{)rz5HN4*I)qQl*$~yWVfPyG=s*4 zpVnHFd@s5SB0G>=X^*v`e|&3)w8(PRewmMf4dBB7%+!d}RfhrYe4(P`0^AW_5aBF2 zIiQDnn{q2$k;mGtFOcp>3rQ?)31@eUP{wWx@6_ZplSY;q>wZ=AiE0B^Wey;!OPP=@NGM!a` zg0C@htiJzZy!m7K+FDduIc{tX%h&TeOgZL}753#-~fj$5gkt*uG0? z9$Kz>9nQl|K{QMZU;a73-C(|@UxFF#RmNc{M>fn@AseZ^?vW( zP~RGf8DO1HSfS&d08->|;?5BIgz@dUl7hON@dj&@ISt8e2Nnjxi6#jN<|;pi)Br9ujc+4Bn@^5O`$`(vsh@~?#a zG>EPq3D<2t`8R<`wjnjO+UkX-BjQ35c3IP#Opi{?mHJu}8C9QbH8aE;)Sp$TA6<}_ zCrUT#l)uqTlr)fXKb*;>gf*XOyfw?|p3}|panmeGe9}o@BwTUi|6}f5z~ic_|L;j@ zAVAB6n-=5}utJM~MJSd_HH8ii&_GbC~B!2uh_W{)mbi1*J+U zq0%NTr4x`#fQmtG0a4B{6$2CqQ0e>muD#EhIc?#``#$ggdH#JMbI!i3z4qE`t-bcz zYwt650<=+sf4*GWzPYuh4$OmM*qh}|7o-d743UTK04Kk&q`i;PZ*JWJjoD z!B>p=In+c19U^mB4JSPE7uBBA8-ATLKXREa_-iA8<)~Vn&bg3c*z1RlDYCPSLR}Z+ z)M+}oiSOi=^vM)?Q7Xhe?Z}g-v+UXbPC1^bmAz%O&e6G(KZkC8w&_TH?z6=C|5Jw2 zIZid?&Xe!4X(!GHrL*JIHnG=*!+m!Sx9(^z3Ldt(`^8|ne%TRQawH1t$T@2hiJC-n zr?gjO^`gJH8{#hAchS79>Adq{p=|a3B&pzA+#f4V_}dfAs;O4m1Mdzn-hZWB&!y;E zXC@y==w9pN>w;rQj>{7=`l$QF>Wp;urC>5qA{z3!3pEN-T2s1r)NH~Rjd$ahrMyiP zpMz?a9q4`*Dzx80#^l#`z@#|CGOYNN?sHgoQ#q{nZ!W8M^}bHM?DEXNUYzrO0-#OX zPTpjujM1K9H$!alHkcGriOEvQTMLEO6*J0l-`uP-!P(U(62yr1@%!$<4_>m_WEH%t z73%VyP6uy)SB!;oCc!`081u28ykG~HbDPcA5_PvE=4(LP(59RFBmIv`!>QME7zi4n?CJVLw@k)Kuh*fzIMO?d@{X-*1&8wMe6}1zean`Ux`KM^N~oJ8xskLyi~-* z^_(Nbj>Gd|@>_bgOi#t{>-LE&DB)s$_KJ!v48Ht)rFTS(4Qm1mWajEAlc}I<5Z$aFWc0~F} z;3Kxe`s~qhWsRqha2h^Riul8DyVU z$O$1a?=H_|Fma|n9mT{vshF7ko}D)SrIm9>-A2FID5*+d=O*V~$gEnLh?)JoMoB~e z1!K78Z3$TkPG>am0z4m{|8r-6>XLI0rW$_n=Ml))O3Q+u;(}(ium&>rbVi)_SK_)w zpy&V2idnbY7Jq;zrKjf8Hu(4Y+@2`+6mq@3H($|y9Db!ID5m7ny?4SH(6m!<9HlvI zog3LTrG2D3lr-l96>9#whTp9RWgnO~buC)&uV}r$I1SReMjB*4=M1?7NSVpAENOp? z2js5l8z?eA(-$wHPh~zlj&i{nJ#yerR+Xkl;l)FF5^LPL1Zwd8XI?7+>_KU#50nTY z9Df#fF~F7UKhp;?N}N6@e@}QEtUJxl<(X0lHbKZ?gU_-^odgwww_fww6$wz;3JD-? zX}^CHMHlP}oqa#BkPg%rIhS6e2$W3++=BdR8s;;5$+mT{s_dTDQdP43*LXAAo^@X% zX?|EIeo}AI?_}Gaw8Nc3Rmp4al7O|bn|m^wt1Ru?9^|*Db0=UQ3~{**7Uwi~!eT9R zzp4LdR&e?0Rf*u-XFgolI%$t1v%%ub7D(nh@O{rnt_n-extzWcp;z!`zNx1i;TQ5A6nNGIRb;v5>27_UE_Jyhj(qk4zMdW6E);Gb15tv9 zl5L}aZ++i{2MPE65TijRRs#$RB}Paj?liJb$#TkYBsCkdYp3);g+%cVnzBar1OMP2 zHWg^(Afrhi`Ia^IA+mmAS#WU@t?PD3 z&Ru3)`_2?X@|s_qntdnu&TCafwXHBC<*3|F|E>Alv56yUxJVuw@bj=6HxZwI@m4+c zw8gA=5Ry~+qs;;UVx_LG458$iF8P*<7hopfQ5s=w@aQKEJ7qjN?l zkhU91DlX#>@y;He%*4M^iT=D7&S}(C^50$Z%N5DNuMnybZ6=b%|DsHY_I+0HBhh|b zX#e#c7A$e4!# z+@;Ur=aAU*4cDeaT8B5~ZVS8nRlBye@X1vWL_ATOT|O;0_Caw47r`O?3YL*=GbXuc zrxEN2Pd@W?({DqN*u+lJ=L$of+`;!Bl-E3-^eNp};e2S?Me=%7Zq$F%yJ^}qziiE} zhVBJ)-Sg?iO<$S&tXQ<^exmwnrgC6=_UbBZqxb#|yr!?BE&h5`?f?UVu&gFkHG|LJ zC!t$+ar3gw8D7pi$4oeGK_Ghqd;9HyDH8Tw<@(Xl3M9JNcct7HeFO>K)C%2v0w#m6g)tKqVYK;JjsCq)K-(i2ykK-c95J7c2A^fnGLvtmG#s-NL#8S1GNvlsV>$OU zdm!F2IXBHCtMvis2_M|Q3cIal2LQZGNBI7`1HgGyDnhFvASJKoR%nB>D=AV_cyW_$ zxAD+3K~=vBL3;Z1^fLqUDF@_CD@he@QU!?OAq<%v>|uo2dwfGqV>M$(DklVHP*2}5 zFps}xogwDkI`eCOt$xlP)-_#5H#$FK-FO?u=o#QS_>5J(NmZNcaauR+O{qqv8an&9 zq-My?PCuXoi;1PDiq?xXw(QNU>q%%%yhQZvbLGD7%RQrV*Q?xJWc18ZTgOta)ZQ~m z&xiAjJ}O?!u=La@Wj|6nif2j2a+61SFnt2^Re@NM0TMSpqmmX%khXT}3W(@W+w>{AnKkY-L>|_*<&vd`V?m74H>Q&erQedhOEd zB)#sX*IRh?>*hD_>p$MzUx@lFKJsX#wmPe$a)1B-#MZvsjc3p6EzKcr%Tzl9nq2rT z@9hVtfj2VL{xCVY>f?V}FD7iejyL)HWm@!80-G{DpYwm4WDcrp<_KX><@CZzj%lbE zIZ7nAX*Fc54j3j(ixc&g=EOoH?HjKm^8HLs!Lfg|gh3L5P3~rJs-OD_m(6P9A^0qc z4hKfK!yo!LGKcKl^cmK0cxWbfsb1+%s&~8Ul~$hBkzr%6X=&;CuzWXMx31J3*;mo| z77>0D=One$f=_*%!YgVNU7<_l>XM6Y9otTB^QXZ;#VVE?Hm=k1cUo|^{6CN0r>&~R zI@-{XU14kJ*X5OeMt%G<(TQ41Utc#8`<^)J|E!!lasnD55!7Zl*Q=cvj=Lx4?m&Jz z#|NRD|NQQg?dbK~E{kYe_%GyJj>~!>TTA>W5ZLgZd`o>|@q&Zu`QG9mMrkf@+F6eB zBMvgi9JHXeyw#Y7b9!mhUD(Q0H22^U%;oRW^vOXx&$ujv$4nhgU3L)pP}Z2ZLp&?Y`x$%obMXC)j~JfR)8$YMGxSqaYyF&`!`J-;N*g@fzE=i zXv_Ebt6kSk7LL7?lpMi!{G@ZP0G~w-&V3f{@;-|{0&|KEo=ooir#12mb^V#irwRbuU~M;p0XEbGP(BoBvUl9X z^JTOR*VMN?d&O2qp1#_`M3Og5fup$pR+Wie$W7jjr{MSnVr9`|3r4lLGLrw?#9MA= zjC#-DV^?4K{U~?od)Z#eOn&AS>jq0j1_7gI0^o~k!|2pH`5~$^qbZ-p7E(HR^)A+b zuqw-pTX`oW@O;@l84(iyA4yA}W7kRRjMbcgBdtZ%I;oc4gil!0pYeX3d{}bP@sm~S zBuWr+r`;;E%YO6+?bv*9q}%6nOM=!O#iPw>6$+7 zQE2X)!*q52N!n|gOhY|iVqmPHy(p%J{t58M{*g|UelGe0`XOF|M?j-cz5K`Z^o?;o z-jB0}c(+{)gI`c=>7GCf60WZ|l7L5i>0WN=A11Y!06E8ZoPQMDCg4KuLiKk%=%$5g zSnVFC{59kkud`YiwM_a!Nxyn4Y;*dpn^Spu*JuMWW5(jdPDfP?()DC57%=!i1f zqm0j}$xFxx{W;p7x%u=FkX){r2fm(MbWBz2OGBCWYPp*F^dm;L4qtr9j;QVjXYPd? z6}Jf&Us~vj8!vrUVcT?$!-P0vwm2!ByK>CBLFhz%u90hgDtFAt#l7&1ZLly&F!g2; zn$lw5K9;?U5BN0Skct8XTw76qK!tz09FJmG0G^#(wCS|mp4nyGo|SoTWPS3cm6`W8 zTGqCJhs=9~lz$Hy$-GCD`7tPo44+D#`#dRgA4;~JNrHe3X5OoFx1MC) zt5427Tuug(hcoZ-b&Vkk=|;HR(W7$TAIZINnfC$lG8*mBIyHG{Er&q&d$PWU#vd`o z%6(`uJHKf!T$Gl5VO>9wfP4U}D!FLerPKF>q+D>uM)OO_DeG1hW!ky>bdd2erETH)7L#x^SfR2aGBn?gB(V@Awp;@2EzL{S3QeArUhl_gvvfTeN`d=Rbb(jIL6VS8O07RVk!;n#n=f?0A zt?fq3G^rR6{TBSa2MRMVO_ZuN5Q)~oDqou!Ic!}qmDi%7aE`J0 z2n620%e$}hPz*WF;838}%GqOMO$9#L<{_?_3&`bv6(qbz5ObtOl_+A#gp3%h2qPwQ z=ph)n6#vsmgC0qGOgQ}*oIEnEt0z!)fU^A*;Q#478_<42P6kQior-y$v#Fs%YIP00 z&!tx5LuuNRKUZ#sQ=@6C(vhvhBb)YU9j2)KGE}&8CLixpUH9@3q&nvbCiz z>0L;rhIt#WH^Wi*)s}VuIGzpV8rlx!{a1ciM%i`G3K*1huAVUN!P3@JHiZ? zdn6hN#Txavo*wrR4AQTGq(oo3I-%7X{iC1icTh;Z;`;f@C+ues?`IJ2XAtkFhEV-{ z#r2aBW_VmbkA6@q8$-evIzoCvY?#8Ksa7oR{}luD!xa?+Bnms8%1-a|-JzFIT8QVN zvv^9poZ~%tmm6*4>p+(29#AAmySVPfHcEWSG0Sv7>4TPkKPHJL$xfsZQ57y>;ZBF8 z#Ja{5D%z<6C_r&>hiG!HZ5Ci6O6c z1-O9bBMO}93XH5QFa`*s4UAF^fx{~r zz>{Gh>GsBFAA0{WJ(RWq>E=NuA*85*8)jMtHoJr?fp|6b#F_Nv>HNg=7LHEzNa#%R zf+RZE$>6srHjq9fHF)u{JOL*)TslNZnb=ohU*UJ)OUDLGkdBN)dN71p+K%f~hw&m( z^^nxSMSr$wI3krW9k!`X(`B|{a9WmjbEuzO1JjpOj7@{XM`qtUGTUbds3lb|yj4}6 z5$dunoHB4zZfnch5wN!URN6V6tN!-q>X{_?PoN?_{nYXbl|n}Kh`lKmjdt~0pI5EO zAepmz5O~=od)q+Hn`uA!v-z2pZJT93y5&fgLtS!wDw7=F(2*QJy)!xflm*H0XZ9w? zpWmMx-#nNc--7PEhcAXOOH^O4Mo^d23T=}}F(+`_p*&5XG1P2rI@?ySqIn;4+m?0} zr>kOqo+_nt1}&EtYT3uv^?S0h6UruuC68&A*ym@fw{T9YiU6jkyDe{$e@Fv)% zhX~2Ga_K}zcvY)KuHJ32)qowny4C{e(e)|jlG&-^L3>C>1 zJTv_n*Zc3vmGH=3(r5tKGTZFUbaJoW()MD*CtgDXrZ-=%q~&iWXY}$th|zOC9G!SG z`7OSvOAGn!cc=spUR-gy7{|sjpBUajad=Puu>xI#HxqcSJ7VYM3L$koqi>%C%jAtj9U1i);v`{}o zaP%njBw+h3GfRePynbdG^~`+rg6wUgY)h&rvA~xY>J0&8l%#)=)Wg|Gy^MBfrU)2X zMzdrx6p};;=jdI=aqg%~VK)>72JqjwFiY8m`b!1WJzLf26$HP@ zOheyd{TSt?%6Vfd^6Hc~zMNNAkvC3xqsw{YD)Q3Gdjo;;Xr{xwLVaWS2pSW@XE%ru zacI_C4>^b4rUKNW;v`#7Ba1gFcv85GIRm&ivbjq{+!3DmB<&~5cO8HZA00bDwh>`HQl-I@@= zFv?*C`}NO#Mu@)L^i^giL;Xms`pVMBV?Fr!Ie2RW2A(U|LS|wJLKVby6e4$a$ruT3 z_MTe%nO9>!d8ve{*|xPJQhtf%nq1yqa`TkMj9~?HZK`%8x7*ReDilFBwU)_~>$GyI zwZ+fcc(z#s)$^@2#x3U(a`iLBhvnCq+0<$+D*1}{>6A(h85{V%|AylRR=l-kDA9Zn zwG0iT?OVT(@zV{%!nsX23#-R)4_Lp8I&e4e5~Hgs4rj-JEBD>VLyld@KE{Zk3KC ztPu(8rUw6KY~`wzlGpmh1)^Ue6{vWJ+V#ZFgo2+vS{dM_Xb z9b4UcH*5vBjwoH8yf?Knd9O6%KrV66@}?1`bCQcvEAaCiTE)xBxm2%p2?X2iJ}ZZ- zdf~_EdjiJd+0A8|LI#)&#yBDP#htN%`qw**jBemAmIRkn*+Z#drM9{Y$?~ zbP_!bMq>F5UA(0MPR`w5gV?J1(uB-B3EjEORETuY^5!km`RcQ2tc;1|vI3JCaZFAY zCdAaOE1f|( z6ew9a;B!_hE-9UFn<*)y&C>{YNaq{YFh26Otc7JPE5GzA2!!PtsnECX810$%f<^4$ z6Fugw)$NhHWrKu^q1BfS)>QGkrYf}O%Bz+_Y7G#@N7mU-Iq4cMeJ(eBjS}6Od25mn zNxjm%DM`bn-CF^rZfRX%)gEN*lK1u=l3H`6GuI+co=`bglp7mVFMq3JAX*9>D6lqi zzP+VqDda$l4O_CG4lhCOjkIoXzFKa5Q6*VhSI?w%Xw}@y%B7q2zyhYKu4&nZPK@_n z8tt>sKzfetKapGRQ$x}#vp+{Bl{B*d^Sc8lCIJQJ)`F|nQDlM5N?mRQNfZ8^mR3vJFy$(T$(z8r`nuNP z9a*(ITUaq1!=m6u=cQ0N%es^}n@HF2Y${7DG;ES-`TPV#a9ZAJ`h5NX>5BZkdi~^@ znOfRx?#eH*l~7hkVhh1Co4i)EwydzpYen%dxSw8mvzrL-%m3sws2F~ zz98q5>*zD%V9Pob)UsfcY-*v)qd6Wm`=l5ZITQ=Q=NWU}1H7A%IZ-UYujB=iLz~PU z!|hLS0>wJhxxAy>bRHeu+^n%J<^%=iqlD)tnhDkLvpT>i8d7C`S4@i5AhO**hXBR% zt=UuNQ_tXo*^RFQaXgn245XJ0k5K=+qe&on*Ya%YCdX3!4nv*KKs$`_5OULRa_LJf zz3HPcIwp?MX%R-xvK}=;cp7%_GCw5fb-C$!?{>t@&IV-QH^J%B9$~w zdF9NB5P3DV0aQ6Aj$NaXx%xM;kvS2za3k{+29bv)e%X@i_!S&-gQhCqM4H2O8+PuSkYHC^iLXU9jfBS@K4c>Ws>@MnEH_eIy&AFagpnY0zjcSYNFnh z(Xy8}(SS)ww9OQqTbJl3(foxtp&}A}@avdJe+kG%ks&wFG)m5(WIJ3uoxO+&JKCkb zT)Sh$v3`L*{kmMk!m5X*4_)(I1YK@8*8+b{@60t^r@eW(sfHpv?vCSe*T2DIGsB~j z*=)+Z<5-Dp+YB+xyh_4bZrm@XtL~DVMhb zAbMo>jY@muQlTh)Vj4ae1&VGEWDa|{#-d}?04Jc<>+Y0_?#_*OSD$=H=jOSF8!`a9 zR4|;_)ZK~olX^vFNg%VtRNTISpXy#oUbCC5e<4QDpXQa5BA3eqj073SN==k5bR*Vy zHov;68{2&u+s7l*2Lp7p*GBW@s*Vz_UqIj57*JNg_8M8c6 z!D0dxWl!AtD`$0laGZ=9XLam}xiMGi`H5M6Du(Gygv+hGODI35UA-yRGtKlr7&=qo zX^#7#?uWg>QT&@lN-dOEd;L&W#=Hb~0CS^c; z^ora00JO}JcX_Dj!7nk|T@S`v4^~hk-rPGxZiDzoVRN*@rki@*=8kTzqm^gktxQ%c zHf=rNbV|RtV1J_W9T(twU}`Y@UX0h=B*HK2YR*^9mE4RBP7A2EK<_8MWL{q_)$RRI z-itGQgNi*z@Y6>9OBT6g4o;W$aChoOa-kGe|D1gx)yQfyW3d!~dPf(N;U&++gyQQBw$x`fZ3@ z7i+0HwW#E)UokmdS|coY-!f`N#ncHacB(68OKeL0x2qD^7)o`~s9ZN3l6Nn5ZNg~( zV$LB?g^>r%l(Na89XPNbUXK(q%IIZwhMOmNPJbI~a?{1dU3_hqpW)mrP;KaQiQP=% zsNK-IdJXIiYs+L?v0&* zY;EaJaKoqy&CUZpEUD>3stWPFNN4N$H!L(ls4-s^@vhdrtxx!0zd|B*tle!=e zla_W(+Fu)5=@2PoIw=Ew1|7N&rn4R1rw0;RfOhy{9WG=PKOB}VWa?vYsJe>0#@O5O zu{Q~E8H!v{dJEo?InLrJdsw6O)H%ZSn692l6?Np{=RKk>B|q_ZTi090Hc(eZqj{sw zhEoHR%V;nppw&fPbWE{|L?d_fP7{5%8}V?|TRp0}8U^!1RlMq&mWtQf`0JSXt0XEa zoXbq$RsH#l)Pe9RSW;M`keTGm`yCIJ$=Oh`x3OLM4G?1(TU?Dwiw&k=Y9K?HylNoz z&l73RY8%?bm;Lv=^dEN;N7-PAq zalc=w=gyYNUZoK#KFFW2X0^m4^m{vDx~p6xdsSz-Y)F^cCkM~n%2}=iceKc1l%Gkr z@BuB(sBHEzX!Y+~Yz7<(TZyD_NK%xacxb$zjVKH`Z*?z&ui_dr$G$0RfPT{$rm`m? z_=t$|DL5Kfznrf4&;P`T`VYQ`z#y0t@Gs@wp(%PR-aJT0!^uB|hVZqlb~6eqpx+mV z-sYg6I)p=RR#e;|d%G!lZ+$IM169o&KuHC>ZF3ewsn{j=GMRn)jWu*>yrG>c8uE^~ zZNl~-*0<2RkTeq0TErARgHLc#M&o~IRk+#w8OG!AIP6}Gf$mf2LR3Ajw9P<6UEt>Z ziqQgF5B3spIkjZ_>$%FcB`8zruhT=_pw|fn#+d(#y&d#%SLoU^xuI>d6Qv({1w~)Ka zzV^__-5*qJLe1Oif7tsa54i;nRMJ8HO)~%6{ltc=l{H&dQ)2CU{eKbMS&8^{TdIRX zj>W#5ytj`>#>UnP6Od&P8(_{Fu-jrb2E24@jJUT&z}-H%MQ6}oTk`GtKjuUIE^Q2l znk6{+XV!`WI{I~AqjjO(&CSy@bi*y}tS5hnH}=J_u~I$NU@!5IUy(WYUP&8q;%@q6 zDD3@nYt7jW$u_Krbvji05&VocP$u;U2;b8(O}*hJqr6z1gK`rBvm6Wqm%ADw$WP z3l$tAy^qTAdvVQLH4KG)=b617*#&5%cvw*D>PDocFLIpA1dcYMWJdMMjB0J^j)vm{ z^(x$;dcbvYSi*}Xt2T|N50$v6L3bJZqSPwePijuGwX}+$J-k;6AKj#*bR`^Rc+zgT zza$hS_P$?90h8pmYVT((t@OHy<;y>b3B|R~d5J5XXnMuU89R<<{s5b8MF?xG+xw+U z6T)>l#AF$;@hvF!aXt+v#yPm&=w|e4oCRQzuD?`Kirh`3msw}~#98QKHo3IxeAF!G zX3+N(aWgE}E?3o1@u%XLLTb=2&8XaXsbyJ2*%OSfJX$8>ii1oi52q$ZF63Shoz2Eck0sJw%zySp`y!R}x0^xF1A}i%$Gextv*A)sr*6a{LkI@r;46J>xt&x_ z;Vpt?QN`eH<8#q1u9;6hKCwx7pl262Gq}T%R=yEi%1XlIdS~N}bF;aIHD)=z`-V2< z*2t4>YA9E~H>+b_ZB#U4TR^YHN(6E^>0EBEISdeZM{F)VQLYh0$jpTQy0gs-%NiHsHJFZEn=D}S+rP#q)tA-^r!d%S z_jw>?QRao<8xS?>pX6&G+q^2P6>>u#+j(l9Wm+M)3`J)h^c~x(Kk}tO(LylvIIO&@ z^Q8DElp8CBzg&+zcf%|KfV7fUA>lV(^o)vw7dd`Z)JwFstlC7T%&L)?G8q!QW|r(_533af zR8r;<=lP+sOPZx0urvD(uZH=DKsN3sxO*Nb3lV3GeeZ83HAWqMH(`oS-6f`UOG@tB zjYs=wb?B&=Eew?9F!=Y= z9s|hA5N#=oUj1+rzFediqTl-xIu@?((V#J018UQzl<`0IHRNAxpoDZ{{n_4GyKLCJ zx847F-TgykaN>IN_Oo$foCYd}RK#lxo{OByWwg3y={XJfL1ZSB6Yr9LCNohwq(p3z4!%rZP3?U)()in0iWRc((o??ik{p(}x^}OMcX$2O zUSPegZrYFH5L09xh`75y4t#D1yto?Vs6fd=@a*-b`z1E`?2{D=Dboj;UJP8Atoq{44=?SV~N%4>-*f;VbLAf*7l?JA75me)GLz zAMjR_FdpY$Du5ZYs^59`f(^;%#2Mxd7Un)&=a&?DI|>!pyzJpUjV^N>J0iH2 zlCqJT_7ASKM{}-(3s%oWJI7Jq0n{al>^p1t!@zc|C9MbR;)Pc~5e|Ax)TDT{u6DFU zkmS;FFPzT^7r92<$^DNhq~goQd82)XPR8Mg6SREB8<-29xNDk^+O&zj$)A z8zwTDQ27&QPNp_7SBQJAGS*-S#Bt#1$#BJuu@T%R>{)TSaU3PZWo}lL;p}!yCMh+S zmQyc;NGwGJ^n^IjCCusFFHl)t9EtmO68Am$6P`SqD$yUSlV|&s1UrE0PJm5J+?&p0 z?Ox90P3;f4?$nkxGac|zVmMPK7NfHO0(C`x!_)%%ZVDs(T!&k{U7wYzYx3K5qtUUn zvB2)al!o!#?PA5I=)HcNm!EV%cQIfi`#Uyuum)tFy zw^cM^WwMhA@APK<*2@WY__A59ds5})@{OMmZ@eLDyuliuzJQ{1-gNn^Y-iGgL1t(| zex>^cVaDBIM&D=Mjil6E{Z7u>c5xD#q9L}zJN_ zSjNO;dnTT9LyY(hk2zWX8f^e4*8U@Ivh1)ZSDSk`3h|qQShl%7c$DEpAVM$NoYlR$ z5GA`LO;ABPdrv(-AyaWs!x9U@*RF+G{A<4BDhX7+ZBRP~AfDfTbK0<5VPOpe9=rte z`K{*J-ed9>wdS;})=f57Y|;H3LR1{A0Fs2@!KZrx_c?7|y zMGuI$VBKr$+2Qf4!J6fK2g5of5!sisW~e%Eyv$iW!OAWPjB58d;>{c2EhKl&Q?w8~ zaE&Oy#*$0PZ{M94X$30_O-3WC&tHd&=Bj23E z*XFP>z(1?tO-~CI3Tg4TIMBQQ0xdX^#ELxMrgGu<2k$WSBE*kELbO4dG9kh#!eKLI%c&x-?WPFOjp*_SJ;Lsd3|zO-bAIB+PK7Y z>Y+DsWW3-QMe5PJ%kW-?TL=!Uam#_%#kl3~d`-gX`_YDlT&o-RL1k0-a{^mED18|{ zm&rA(27!LZrv0#`xL`zS7h<`uwpecKfNR-8x<|IAf~wZkYTO~K4@upB`C_UMx;3Qh ztJ@%A64h3-c8HeeV#;h^aCLRSkhyNGd~r>?gh{dvPJh_hRywk4r$D68KfaN?8d0}w zbb^QaLV~Pyb11bH#|7-ad)RMfQ;&F36j!QH-VW8p2+}jx5v01(i*QI~UIL0wyKTg;vI-<3u zE745+bDZF-(d)(>&s-a$#gYQF(Dq4j$jz<9ZZwKimHqMYA@j~Q$-xH2oTC9BKrAKo5EwpPg6YU*%@ zEX4}JHJZxko0%LQFWa8hRPx%~Sa%;=2?X=0RQc|vbG0&VJasOL<9!>&9iqT>frA#V z)k!Z}hqt?AclE~HehXMf)KRq4?}WXKv=p_7wY1jW?HHSZlI-gNXTft=b>n@miT8OY zP{=HiPQpX(%t$`wks3h6eAAus=y7!Ql3xHl!ejAvYFx1pj|bC1rYx1o>-NQaV4^_e znzoSRk!yjD9&;`?7PPg+p0?AgotA+_)0XN7`PjK%DDC6YY>nxneFm}`29$UWKY_FD z9@@hLkXg>Cy}nF5-~50I>V1iOzgzE-dtibbCLuZvuLzn6sMAPkv7;Q29>kw}!!>~4 zD4nF79Fd~VsU5g#Td!BGU@bSfvjDM0liRfzz%*yJ!d%NX^x_}v25PS&a#4*H*l<=W z#HQC`(|j=T)B~;KLm`&iM_AT}Ny~bqI4}pb*OFo(TVAdl)*j>EtycJvD{8r^`i{uH ztusDnZTT$>?GX6xZvc1qINU`Kc(|pDs1#^Gt_LZ%qOv_}CGGIhcy1AgcUA;%_YmF( z^qbKdozo~T9?SKO7OLXeD!nJ$YydDRA}fFf*bA^pJQ6hGYibw zE^e0*Lv|r`LPN%B|1noue20we*A0H7{mP+3Mtfu-+0s}MCynzV^H9V7gLJ$PM`kid&1*@DAPLst zaado9V7;`3!7{v#T^e$r1lf{qzTZ!=SS5aeH7*WnHQje;{n&wGOHzJ2`Oa*2Qb89y zL76g)?cy-H1mounM)7MN9aAEel&lc^Wh@OLXDH6Xo*YL%5}+y4}?8c10pKp%pVDXvX}= z-Oh~QO1!>sY!6U#Wiz6d=0YmpzBpo9Pxm{aI~|VVh`+&(8Ko@}xN_*65d40E3Bdwb zegUg4cQ`F#s#4r+xEW4#Of|&;WtyG%Z_0>npKdV^^f^Yc{H1k~$Ss&>7;nEiSiPAilM7%Cd;eo0QSSXVAW`JA-0GCt|EX{P=F4O4<1_HR{iycq)^Gp2 zQTuW@L_|0u-u@3!6UE_8qxQcR_CMbKg#Weu&f!o%!u~s;FaVXy?SI%B@4wo=wA_A8 z*#94>|H(Fq zY+=P4a`E?fHZJy7zo_R*mWg;=9EV5IL=J~bT%%?}&p{WIRhA{~Ly|kM8`0#zIH;>4 zPghOs zDp~TXcrTaU7xwb(s6je4u2@^{RIBgQ7cTuoEIG&>BdFnzVaYGYaX2`_;T3uZzQ%vA zFAOQ7$={NGLehFH`Pn$A|8$4lxy6I}2$p=oAvqtGoF8M!`Jz_^OTNk1JSs%^dK#d_ z{32Io8>)_x*RM5FXqAU*hN}f1YN$L*jx&~=AF?C^)v!L8f5#i&I_jMd2$&zTq(-^S zl9R$%HnHRjzz|Dbc(EJ37dNIQ+c(0J@8eB#I>EE#5vZcvbc&Xh%XLDq+|OC)3 z;{p80>SA7vRcMX(=qprkLRJJVSH~Rm-Gq143hkHQl27lZ)|Q(RO*%sD?Z@-taNb>{ zhHonV5-6n^nI$JHH0femmZ^c@&KfKoG}rNa~T~ zb^r5jsA}qPjG6X#=I!zEc4nv@`7Pp026vjgTj$fJceN8=n+=J|%$aOdvxekB%eaq9rkUT}&5#qMLYe=q3&Z9h<@#ml( z=b?h-f6A9O+!%eq<3O`!*=Tq^r6X0(5uQX|qSWlnC?Td2&eD3EGT_zkMxqeh@~4oo zMwIH6XtsE~PSUv>`pD+2%*6dbN!)NJ-H>Pdxz5Sp zd?8K$jg=Usx+3(^&u=_^%V6W_x8a$Kx!%|Fqs+vS)0J($J(s%O@ora~cU#d;;O_!? z!-(}m@Igy{87X7%UA{{pB@rC$Jv?K`?rt3%nWlrA8LeU>rjOvBP1Ex!Hb1#2GaqX9 z2Gv~W6_UC=^>{3AlUUwkvAhwnyhoK6iGnTvqF1olCe!k0qG{_)%VR94GcAwn!m`h! zD)B07NQ*T*6UGFPUe~)WqKY8_M+H-lIlZeTYqv(@h`Vg*rl?(3RhT3C>V+Qd$c&ZZ zzP&<%wMn9Q2jC+Z$+?Ow3E}K&aFTO<#D>A1fdtU(U|8lX%J4p*cN0vHUW;=x^p}hW z@eUliZ}VmpB0S<${E_{_$U6;Q2w~}peGZ6mX#g>NJa9HK;amjR7$f~wip68HqdPK; zE)@Hk=g{02dKn2o_u`Scd>e0LXxghKcOYBa%GLvj433g_bQDs1NNVBbw}*kjk2;bb z9-{UnsIjkXDo`Yze&>d$ZkqKLpV}9-MfuV(5Z6Ovx6BRD=?Fr?r!yMUCngpPIka^84arK#T)=A zo%IlBBL}!_c2`PR28d679$G1>VAbeC=x__K$q1(!x8-KXf|+=>Ql)T1?~0gkAqP=( z#{{`(QEY>98ME>EA=8}AGRe6eGzAb?%g4v_eYIIMHBi zKhuFaOQ6cu%?|}C11KsY9%0OX)Tf_v*SqhNjgLd#9vOxwer0_U1FBD9@|`5xUdQ&O z*@pj-ar}3tQL9oOJr^H($LqcXw`rSrJzZR9BUV9L&8Rk8`4eM8 zup=54r=1qFhVyX_Vd41|#9w=X5MMX7$2uEwczu2A@Mppxr#%2SoKw<{?k4V#$-@E;M8x4` zdWCVTC&1a7t%^T!$T2|`f*gzwa^DZ$J~iTlOC_g{()LKPhkj|r!V?!^^6ezM2!;nSu z^}C0C<6y5#)P0A-5v|)P;*8|n9Q8th3@$dFNXNS}?T!r~oG)!IG&ar?Os3Lll~VJe zHj`Y9^?77>Fk~1kd?v;Vb5=KMG_p(j5E%SK?#CO@5@?rF-K(z4Tn(*pf5{o|0a+-L zSKN=q1As+8XZtv7CHr>3TPh3B|B&zr{)sWZbRK34GBzP+5X~534 z2`q?2o#=C&upQ-fXPQmc3mf&i9p#NTac{hd^P(n-&Q}*il-T(@2C*B69Q0vZ$s-+} z59{TEDz|fE#JN5Wc$)}thx~PI`h<`!{>TsTkZT*}?-bV5nrd^pab&u{={sFI9FWQ` zGw-XT%6713g=X*WGUE0kcn67T8MMPdl`)gE3UHyHx+X-~SkEcok*bNa&LCwv1TbkE#!yL3%gF z_^&m^`0~KtgnYTsT6K(((**_{35jh*XB7kFhFhHLN@hF8satQ!iDis|^C8)$aCtX? zY(VMY-tQeKF^pR@BG3I-I;*BResvQC2Gxo4hnZmmLFU|`Sa(pJsE`767Q=D&q zEt)!FiG!#FOAz9VfnqmcEj9{eSF$Pp$CJ@v76jtD5T2cGSU@}6mDYy{J8#0jpnk<< zumxt280}i;q7&w|CpyfpJHs$%!^XjM1k@^_vM)MNQ2dzHzhwY-R0@L1YW1;vQNd`N7;g+2+Si zIw)ty`Ln4zBTW4T0IANL-7A_+-I|+ztIu^B^ZQ(D=dAIm9`}KZ9PZylm%^p{cxjBXR{T$~m$olZF6Hgrig<(%Di@!Da5Ny? zo|!&<6!kzin{`Ymr?@`m8(CM`XkwQ z6YFB!^1W|5ivRQ5#-{5r+L&_xOsVNmNr^HsZrSw0*m!*S3!G{Y(PF{F+4oa!;&M?C z>t+3=_OLBRPtSm%%Ssun{)p{D1T3h&!mVljS3tcL+{ie1>O-fjZEou3gc`n1aJROC=4S?jY{;3 zXmhjt$T=eDhoYdh$gt!IGfhlJly(iFY}tt@vbjDY3{2WltBvjbaYznpB(J|%wkKQ_ zlBacbJ*y9$w^Kk(u3;6h2Bd-$j*`vKn)Ech~pym>JOxTt~1YJWx)o%S1@oTP| zsn?AvPZaZI2s(4%U0jz@Z3w1(^a3Y5UECZ_ZJ&E`H}hqpG+nUO!FfMpOzLZlm&oAM zP?+-r<>(|woZ`p|m%LVm@J4lGafB3zyq9&+BH#FdrnIbg3`Nh7B^@Fh!_HHknyXB~ zbHMP+^KE>2w9DVl)!43Fqny$buOTUcagE{%NO0Wvi&MfgoQmMJ2tZ%b6KtJK7D>ng&hJ*hM}g1*_0mQWQLEsT$I35 zCm=_iNQ>4fL+dHohxzE9%h@b`+$2|BeAA}SdQhX)kSJmNs3(!@wORXH3$T_w>xTeU z7rTHILCCZlrF3xD(^77pXfEtqJkIhBX2X1w<~|c5#=#;*>dd6|eN<4Lztyk;S~RJR zP-vq~YHE+mbp4nUu|ar^cAVwCB9*~3N&Y_5J( zTknv8=mkJgTSc!`(F@7s8 zV?~1z29;B-jWx+dZByxiE;8V=KTh2=?q)!wLNdwe` zcY1#sc4xa{)?1Tq!_@PK$mUQTyG}eHib>dMVhl}8utyXBsEKFJjZy3rnsB>E<6Hx5 z=U9|WFIq~%|hm}0f7lO-==Nw?@Ca^&I z;{Qk-!b<*ls(pYge*D2MR5u=nw8Y`(QulKR3vFA~f6Kcq_b2a4-5-vz+_dni`_Tc3 ztb8L95H}uaU!aCbi@P+72aJwHS&)1C&EUrek%-%N=SbFzmh6HYU79h%u`2WNVXn!K5z3pkFk7h~ z7UX{i!J(Tbs1I};?U)r0;Yqx7ZUV+^|! zbT_UfF1wGsFfJRTQbEw(AyqnzmKpK%3{Yg!mxeS&x!xB7jHQMsJCx(Bv%6}2sC+{x z5bEvr_)8X8o9p>I{bAAQtp1rlu(290$#XeOU0r_Iv|IF2K9RlIH_W=s%zR~5}KttZwh{8gk&|A zw7Ep8EE)&F48oWXJG!o_izP&7mX&d~p@T^Fb}p{ZP#t-xAEyPgzsJ~Z2P$=z{qME| z-Mib!Z`XRpw)P&OKBqJjhqfi#UT`w1L!0iiqITKcx-(*H)tOPNTZRZD z`>XIo=-O*rUgTsZ*4OY6iaK{03UrX^!acQNM1t5JP2}f}H5)OGFd%FS2!M1*s*fXD z<+z9ym-kwH#EQ!yYoC#ImpGP-e-zT@OgBXbxl1*L1a^zG0CPfS4c-xV$BMg8*#M0e zpz>6DA%Lg{X~mc^(gtq65?xISi|=c$*4S@8r{$4#STGk8DkNU&2)$lIXT;cMy9i6Q z=*s$24}V~u$IgeM17QEZAoc%O z`u+X%82y%Z#OZg5Sw5bAI^AV_{!dkkIvr%GWJI(19g1l@KAK`Sju_(<+l}!K{PzZvxef}{F)i|Y;-tkwHCl7x)>=k@ zOtuj0(x@e#RthxNn6}?seOk-OI<)O~;=TMOkll)HkzH-_HaP$w0x>Foo|6G4gK!?+WZE;iB$+bHymv6m`sx|D6a zFd8Ud{hQ@qq?PSPkQYMm#^hsfYNE8Sg3X2sYfJmOh^l_VvO~PCz9zvzCbu8F36mOB z?#~`J$;jgk&(J(taw*cEy{Ab!Am7|!MHX`a2sU^Z{rOh)^4e(ZvKl^1;XYL!d&?ss4HJ=E(3b5PT@D@A#mbtUTAW z=cdE({$;FbPX97aUw8>~un2CCUMAQjYQES3CJ_E*k}tEe{z7M|**Cty=$N!Havtvy zV8^KV5%)&B9p&R{v^5D#Y>Use^^Bv=X5HAR>q>4FFnvw7ac^S?zf6igai=|#mG;HB zd-2>n8 zS3H>NSUi)Fg>}TCh2TFhKq1uucaZ77VVCM;f|dV{r0R>lWg3mBaH^_SRP|@9HbX%= zG5FVE8s~IAUrSqyGpcMHwvI1UiGza&RX{pnXbP)Oyg2#of5G`r=8$b^qGF~zHOoEZ zHygNj2TCV00N{Bqc!JG-4jXQjSs$BZ85@0f)OPlhi#q1hv(|^J+U>!C`Yxd2lANIs zF&^zUDjobC11)dlmr-f$t7^CBC@I<6SLc$TFtu#m579eg zqYP^P#A+1UxL44=lDo2vdyv;%MoI3cjat@oltg8{Q<>|=t=Zf8-OHNo;z`W(TYin1 z^boyMQ}5LL9Y10wK2+inUci%>>5u$cO+7^K)YLmQ`52tlTxh>y4s#(do<#c*Q{0BQ z7wp?l;-7+jxrJp6PshU-b@nuaC(m&5G>Z*iT2|(zQ-Yt=dtU0LsR~}Yd$Q-H*(wm{ zrHeU@2`_z`?f4#A@uupw*T73h8@P7|ia#PeG;-IVdim-L_@+f9$C&#JY`!**T zp*ydQ!_5=)3^s>#T=yT_wiXpg%qqV>yI95Xh_AkSZ+4n_?C0?*_sErb)tpXL>L8C_ zFu6|!KAx~tk4UiQ$W48)m#M$ozK4ump}BT86aTOz#zkRWF(YOQf3X#%<*w3g9j?AO zc7S5e>LDY#eNi@h&vt4v-|QTh>zQb6dz0y`H1{E~e8YlVo7J#c>^YbLe^EMEcZgR_ z6R1$3n#K^e!-6BM<8XbS(1i+RboEuG?Xe_~4?H{d9=X}Cg5)RHyzduSC zN5Xi!anzUCn}jj;2^OC)frRy=ts_IV(@{YesQ}Xb)SoRb_$%Rvo(qy$U2+ucYW>sw zf+GHhx|^+{hWu-%s8eDyW5D2#b9|?Y`j`!-pATG`Ri=*umxjOORCgsfv+;bm(wE|- zIti%2DlVWM3ra8~oHw`*HgbywEdTY8tBZr#&cH~6UBbssowYV|eR%t<(Xz;0(U5ei z`AACBye?0)23FS3(vC-&bRxu>Z^Q`EmGOj#=q}{_6;bJ||6rL-h+3?q))wsQ2Fl>m zT00`#aZW--nrgJcYMkL8u`bj3d%jEJeX5|LTcM$ISf3P}eURAFh7A);vK~`B2(TN|=dX0sZzToX>?Yu~Bb&M9!=qmV0!QHV2@#kPygKRQ5g4BM zu?W<}5jfc)5T9*g)-!^f*{B9wt8RqexLw?~vCM5bFk>ogO3PO;?DJYl?qD1FM`{Bp_2f zT4)FDMz_G8p}J+knnB&-30Bb?v;MpWpCoj5=~!SxD&qjN|92-({lJs|PAlTtZ0b7q zG*WhqrPXjQ(iJ0GL?fz#Y-BfoM|Ybv*97%{h*ZMtJtPh4)_cdty0xT5-C9fNdGSGG zSFN!nry)O8#k-OZ%g-;_`7`Z)r{)(@oo=jdcRyYFakxR_u3OD%AU7yv+liH@s_N0* zfn@`6__fZn;BpRifst;s-3}z9#3}Q; z&+KWEjwWL-YVZ%dS6H&CE#E?)u4PSTe+A~8QiF_J=2Be>8kMOTJUKBG3O=E1pD>3R zDx~rsUo@fURU;xGUs^`XSKj0^`1Kg!r(UkGk4|92;_H!ZpiqB+G6bwpKgk|F%B_nw zM48yAM6logg5Y8QD}pz~5&Y#3jNu{E(V&Xy90-qM2Y-ABd_;5ej|Ur*M<*o{K3Pec z`YF1Hj|+Z+^4>v#7oB_X&0!lPuQ}bc<(lH?kd*=1)@%--V>jfTI;#*`|=QFFrR}F)7{=+7uM~)v0e5zWB!oSkjeoqQXwvt_)_ zslJZ9alQfjl*nLZc=KlQI-jRb9Ons9^chFYvJI=a%RbSx9UyV$W#)^_5>p>N7fj1% zBuc1Yrq~&p;++Y^ntPyvcRWXyam;yGeSV`Q1x8%S_f?O&yLfgu@GpP zU0mrJ0djPhYlmSI&cJ<6D~6^S5JK}>j~i%u_bI;6Zp;2;Xr5bvrlJgmrmC0G9O=>A z95n4#;z}H^raGbkj@?w!|CPr9%_FuYP&rem`=8b~M4k6b$7&}rC@5|@xd~um?m-yz z345E*`b_S_m_i+*aEH8oIO>uCaBy3e{ka( z6&c#=;si0x&DZudmG~_LQxHfH70&au4Sg`ymt1*8cjYF&r7>6zku*NMzxf2IKD`UC zWKjo}%2lgTC-bXt?eeV)S@ATHpZLJBHtI&I;KVO|XyKB+k$r7aPj%!nqiCgdxSrPE zQ|sH4!J$`Ob*NLqVF~w%mX7STDxPbg3EZOd)71$SR(9G|+Wu27*dDgqB+C_XNa{GtON=-VURd^#lb*b8b$E&cPc$i+9%RqUepJsyv7 z?yiks{30a{9WL%=CuGiY(Iq#v0~C~_2->u}Dt(v2Ch93?5lGz|k3d2i zV0o=G&$Xvo{(4d#@Gm2!WTsEpX0SkQOU1bMd3D(Dg|Y4KMrqI=freYCV%FxyM$B5` z4z|>S;$?0Ew5~t+Jx7jRE7C52M3AhPD!n<@Bi5oHnKyK5bA4V)xymf~(?g)4ipY<} z>%B(MX?v=Nt+5_A{}Bf6@K%i9LCY`l-(w+QwCTLM&&UYq~H>_op*H^Yq%N}}a)8Vws)dzNo`k|-li}&_A zLi+5~W;yeeyNP@Klz-)L0lDZ{MkaLTRUR3rvsqK~159@KKBzs7DIIJLs+s0Wdt&yB zc~wG}nic|CPvS%}6wf=qv{mc*Ypb-FnEjM0Mn*&}poa|&nJ|UmSJS?a3%_v)eTQ;>S)LwWyv>u{=^PP@Z z_k_nCk{FIY{UnEDB-peSRf;zF&vRcq(j*MA@tC4n~Xnh(5We;FHE=Hv@SO)r@bB#FN zP=a%qpDm;oiV_{FCLBKnj&APa<-ccPL>ysR=FO{hj}v?wZbBQ#9#vync?A2mn`%8d zB02@KDtY}9bsFG~FQyzX`=Jrm=;pgp%;#NMJajhYE~Heq!%@db8LeQ0iQ{W7L*ekHrjj8*od+5 zcUyQ?-_E7?lWwE251Io)h&4<~cXscXM=czM*_$6O1DB5IgP-jB2iao{zP^q3^gS&| zGNvlR(!#+;T#!3OnO6E0 zj-l)b{Mks2)A;fey3Ww^vG%cF58?%P@tvSiGJxIvm#;z z7NjE!TU!<;l5?M;uV@%A7iMYqrCn1Gd9~+OM84N%oa*a_9(BD}SbR*8+ikYexN zT23u2eIqI%L*w&Y?1P2s%Q(}+1CUiW+5b75;o*bP(9O0Q*hsTLni3sNQjv?>odgHxRg&#JP|kJUruwk$7=GeDSYF?T|!WV_TizO?5gh zvE+6Qx9T`OqH)2@owLl=fXBCwa&=Y6t;eXV7uV_nCndW)EE}ayQ-C6$`byKRmZ<=q zxb=G^seGJ{!&7GB0z@om=RI&1)w0kX661F}EbZ9G8{#;K?i~Vdo}MKW4yNl27v72+ zr{a89(S1wH0t~erW4RkH#|C&EaQ2aWR~G%RQw@F?$u>Spw)umToz8i!`5M?lR&jf7 zky=~)VMx?^zU5QZeDFqqZ}E@;cgHirZ`4e2i`2dlkSCO2PsvIRcjjh@;$4x4;LW2G z37f3kHozb2W3yErMs)s#S2cCCwzRwBsO>AmF!9ITl+rK#vBMc+TTL3+V;i3|ddc*+ z$W0WN zqEZX#u)%(}Ip8o+K!ii-Tr8-~E_R&rF$8((s2D+pz7iwI<%q3wdB|>m;>?Y=#qsLg z^o9C(*lIX(Jih_IxG1mDL{(~_KU{dNZixtvSq^4b3TBCq=Y>uw^l6rl=wbn$oahxy zd5>*W#-I)E#(=K4PERva`v~fZ*VtoDUc+8++={!F-bGei3omBHQKf^>Li|NKjO5+| z-k9I@W^>}RGc_kRYk6kxPko!oUZJ8K8;-BiLSA%uiu=Sp#Tx-uypBH*DL?8#9(Xdc z^^aec?aMdTt6@I5a9(#kd7tNU6E7VOki0SiR64qJB#)iBj~Ua^N5;nVj4#K=w2PIX zTgtj)Bv@v%BFk*bH>Z4K%5*7*Ijh^jBQ(*n#6%Lj>`kaV=O4jo66homs3%MWtKK))3D_WVt;4QIXnw zi2z3;y=xj$Hax<8x)nD&bWf(w$g1BcU3ePO1{bbOwCN|gsIjW`<)L=d-u^A=-_9!3 zI~nigGQQf+{(eiFri*sKG2e2Rxes&GGocOSZ~gwQ?KX64$<tuiKgA;+ynD3zN2_#|`Qk`_+`Gf3>TB7pB`e z>ZIu;bORB-CzP%B-l@5>O%fyey?8`Ozp2?Xh-Ti2>vW10q`c?Q82g+9=Q|y_y~jlj z=@LK}f!)hwnLA|xEozZa9;Qp9W~_ymDq6T(Edb09)@HO&yc<4%8tTpWY{>4dACc_A z#i#z9QqdpIDvg+$>@kHA^=Zqfv5ogB8}E}o|Ks{Jg=Xo=a%eRv7cW_q_eV(BQ{2*uSG3vK&6&Am0mg(_(CTP7a|Rr9;_{RXJS zG|HS6(j6$3DW^>N)|6AD!-o^HEze6$lZ;a*K?3;(a;f%$^) zf4pR&d6ql=+EFv^{uHLyy*4OMfWIp{p`z>`DO>J_ zj8}7A;@1p4dUE^mbzHy=`w2WGQ?JX+wyeb!6s_mor}dUh8j@La&jfz5 z^Y*rvd>ubb9AoS!U#mn;-trTP>&b_Oqu!>PQYd^U3(Q~z1UpL9g!u~Zg6No{5f~Km zZa+T{z3k>8vrj9^&UcG`ILi52UU|jVxxUixt&(d>tH_Fqr@D%LRAeDr2=0hgY*NL1 zz5{&@OZDYA%j+tu=uZEX0k@*HWksUtXjW1EWak`Vv_@!Hp#vnaGjKdfLqQElix{!+XJf=}c%)m3%h=uVXdS_O@F-hk z`B{7kz-rzj%0)v`2;L>q#XLvNI7`=-$22_R@0KfH6g|qr`oakYLqK(s+lKXrupwQ_ z%6XiQ7r%?*V#L||!*}H-D%fWC|A)7?fv>Bm_Wsj12(*xhMJs{?s9K;vKq>`9PN4@6 z&|(CNRZ;2-2p7=`Nom#6KpO1va3m^~=;fs%Y8BL~yo5q)ir5nnAxM>=AVG`n!zmh} zULv>B=lfeTv(MgnX}S0LKYu=-lC$@oS+i!XHEY(aS+gch?<=Sv@_ZFqsA9_mI~k&F zR)Hy!<1br|1s815);*2!(nB%+Y3K}=&v8Wt%_dO6g}iXX zYlCw;bW^w`{AI` z#4h4Hgd2pdP%3HNj5Ll<&O-p--^NZhfO=$AbrY2^;OY%Bm9j^Bm3{KQ(ad%Vx1HOMz-2#OYEf=Gwf89qM?CiT$MpL_We; z>GxXOwP4ay$Q+Fk#X?kGww5Sg4@!J4am`hN2lay#@P&A%Zl)y4g?f$Y6Ly(-%O)h z6c6yo>&!HC(7@VSjbAtGK4;@FP)g8mO+$a;ETC(TugtLy- zLzwc5{#wfQdzrVILe^7SP?ABzZGhkEJ>PO*ASwtGM~!6g*zezw8eD%fgF)4-Yq-D0 z+Z^EC3Vnd^o;XdynMuVQ&WXC*h7E(`tjAQ$%p4yE6H2A`y!iV2eoEpFHsFYBydS4Jq`CJSD zK87)M%O~^5k4s;#sq1#OtIt1K4@i;A^l7ZVU zhB|`E<=UY@8XOSfIX0lA8sQ+!B}b;nesEKm#xs67hRl** zf-sV?PU9N)H6Rb2Y(uDzeTN)4i}*wgH|ghS(rOHkh4VyE_UPKYw;r1;M5`V|xF^D2 zobk`b6n=Tk0ENPTP>c%J@Rxn-uQ4x?#4$2;$|-Z{N=!hX62nJ%$BOwHQ_L=aRueH* zgS=jsMr;5*D8x2^OJy%(LLp;0j_SUM!$m>NgCb2i|9_1vIaW@BbTA^ubF*>U;pyW? z1D;!sND(mS@MPLk+-@3A-04HM{W3NSnJ#P2pwzO?))otIgaYhqEwmfHo%~+GYhlgLj%stdD*t6N9hqt9N{89#^mZzvdLI4u%B=~T-N{sB}MCg#j3$=5LJk?BHWu(B&7nBF*^ z$d;-*RT&Ca#l>AbxXyS4d{!C$x5m%6+Vh%f4U06e08`%sG2FJ={4uL%&QfOmqA1rRt%&WLl!*M}IA^O4Z#z;QaSBF;>H?EGyGMk(612e*_AVi!&yt-%jRj*@tqj$ep0;nit7>S#gi^D@pEZHdHM?4DkJ069~9pa-G7VpK{gO0v3K?lpX zo&!uqj5t$@zB>u}Ww*wb;Q|zP7nY&oG^(o)49biKj`sW9?|r2Jvy?1FE$@yQzpPeM z*mN|5i(cu|~p0(p8-y4@r~ck@tj2;#c(l=eP-p zi>#Hz%E$$kCh<@81>L5ZhBSn01i_XPc_658DIa2l~Dn+r>CN24=@ZCUIy@1JXyizS1R_Hvz2BJp}l z*j`=%l41V;l$5wDa-j`Yj#96k0+uoBZ()4IjoW%ab~TNY-)E4eIV8$P+ey7?4O;d& zUNue862%8*z9-$Cvra*P$-}LNyCF;SuFPl9_`|N5RMk1ES{>7o8@sc69FQ>t^%TY3lDYo2^G?$s;bW3l#rKz;!flkv1nPoE~_?0r#=%!;| zDbuLms8c`q!gd5~FynF{7?-v$&-Hkg&=1|TYnNo!yXD#v_gOVCc%wwN&9KD9cGy|M zO_%*1m9P;vXQUIpG(`GjhwWO}7S8f4>!Bw7$rTsY z+uy?Coz)-AKO~yYNm#6yKwGN@DM+9J%*j&|rdvg zrNz>q*@f2Zh0bNeU3@F`B3CF{Pf1$i-4MmSuM`p)BZ}W=yyMk>GlgMO36iMrL3c4;ZE0CTlr2SL*fk`Yh@chY zu%b19JfPL=S&rGHJERM>W82G}#%h1gUk>8~OYqs6&|zt{@q z4~Je`R-w5uquzA@^8{nYRlXTI*q z_t=nGh%W5Rw_JxPuUacj8&8jI3~nymMRB%w&msngGyJ`_PFlN*FbG*pSaA2M-s}|; zCguz?)g^K=(AB(70m+Ke#KRiYMgA~ImUQ#-{iHCujmbk5R)fUXuR%`(2 zrFTvO)B~+zCZIYLOFx{WKY2weYlmC}-4$@AZzJi6_}$CzRs8Ma@6NfYi?$8-4kcR? zMY%~-j4I6S00@}b;2EDJuj4}-%ZjjIUMj^Cthh-$_(cy8=)Ua>sJkndO}o zgT-%v6s(JOR+vyb78O`W+r0fJ?5sd4 zORUJZomntS8D5HhaRN0H09}^wb;h)j#)y};zGL7G6JEJh!^K3K!}IUNQ*2v7W9_0> zmWHjJ@U5+XEWwhxY^S3kWduw=p7q7IpsPjdR*TnD{Plv0tuH75)5$Q49Ue|!z{ppVmoUM7w zg6VB#b`v!d=F^MV1a3F{U39^A_w2BJGs^Uv6jqvxm!3&tIh2euY6CwfNdRm;$w481*$mebwlMuEB>0;Kos18PDEWl zUOx=GWj_^WN(x{K7Bo!OivKYTjr-|NP)|3xVbJs1grSPXJ4I|B4{%7m-P7I~j(fc& z#q(F0uH97wgbrCP-<5_`tx2j?Su z54TN$xRh)=tG!PlRXcuviY;}9m!I;bk;@--+Q{!uxI6V;p%c)esou43sD0@#sUj}z zjqO}{OYf_kR-uQkV|Jmd`u)ipjj{vWg1Q)C)_-Q9?$Hsp{-ha9nU#C_<*GMb=sb_o zEJL=c5TS+e;DfKF;AfqzX{!=q?*M3QFf~uqFy6+NymMu$9#fC9ju1($S<(1$6z*F4 zJ>drFMpF%cdvi)6j>CY#{)}gqMiaV_kHzPmVI~_8Nq{ALqaOpNUsOBm-?6oH<(4%n zkY6{S_G7Dr*y5>pIFYULSr}C^?KW_oLc{O;k&F4+iGG%S6;iSB2-Omd<8N#y9JzhR**SIuE z-hQhFnp?%WS|isbo~=ZfWi!34s8L`H&-tCqUu zoXA=Iemyv(zS}h3woWizu*OqwO7(2TQ9*~j3Q616slA%T+A>iUY=Yz4^=cXC`rRAZ zT|VU;em?t1R9kQqem4#MkQn+Z$5iVZ{+NR6SnU0SIesmi{~g`@>=!Jt;i=KvDxPt2 zA|x1hVq}bCph{*%;!mVoUUMWIi=J0)()Dtt*sVFO=(#FdokH3vnl`L7Y>|bQ{=9;g z+~_=EDCK{u9+^R}siA#JimXQprcDh6k(D!pi>1G@gzy|bwd@%CEmCTX%3u0af`}hY z!+NgK!_qdbLuP+E7T7#78WXz7&XvB494iH*+Q)AR2AG5dIah9Js22s-MTBDJ*!64%v#=uKU~(ftKevEPP%3?=1)6#PYc7t&7WZ%dhW&WBD*@ggK{`?px-8l~$wJK0pme zb`sFuPNVDH{)_i~twr|y4%U+0u!O|U%7?C8x>XxCSLn@CdUL8mSJ-d@Sm=pE;B5&a zjq9i!-~u2*&uveZ^Wu&z<>er!6cv>VMn`eCVJN=QP#lmuWXagd+pk^mA# z`yj?~DvawAEPuGnSji5?dU}WQ(a36?<&iDoYpLbpCsO?1JI(*Y0}oCAJC2Xa|8(8w z4hwa+LL^UP>h6U9lF{=0)bRZ09#N&87?Jruro}Y#*FlcJe4kK#Nnri1UB>u}Mx*gv ziP2+mGAE9}`p>}n1o`JiYR^%0Vsyk`yy9|))*MrGO3fVb&MaWmHVHbple;d@;C~d10Q1c7yCD(Q(Kaljv!2f%zAPpJ?i* z-YS-?RQXd`9Oj>N>gVb-A_vBZyy}LqnsP>6$Zh0XPXS*h-~r@i0$J5)j~*I^&TUTj zSU*~hO5m2U>e7anr_uSE>Y8@`%usZilK{4x%Txd^NCP-i02uJw%ZEDvj$T~$hK(f( z1e-{1oFvs-xc^|Y<1J=$`NvM69pPaM1l{&e4K2&rE$8W$^25W+{N%relrgag4aIF* z$b_cT1IZf*3-^qk_;cKLg|(Ss=CjCFaZrD+e|?JBA3MYoyD|%uMz#rW?-#RV6NWkH zvjPJ4ev^McfXF#}+fEdYVXpxy*ohF0T6q#y_I)Z zgDukov_BlEZi{BOq;Wnxz^GhCS&%A4|H4oYyhSl=sVLi`eL3S#8vc&!6Qf3+%x+<; z1|MZ+p+f-(m#8&`xdlUYo*J!=ihHJcMsdz{TAXpN8bKVqXmo<0ByTSe9)W2~@7O9@ zN=)y>=*Q1`1P%ZJEEFf2d6lwf?dUaKm^3K76Iw+R$ElbaG|J<1Q;p8(=+j)8zq40= zF#h=?;~&#?d-)PKp7hSIz1?z7Lh+R}lYaen`f8PCRx8Dq{O#?wI|j?Y6bHl7t8JYc zt!ci5e$WSwEFB>BZ9s(?Hbpam;_a|mTP6*e7rw&?@?pa=3bvY2aO#yyHwU9&tIZ9^ z?ybG8yIV!mR+8 z?HL7A46diQbf^^F%=9-L)^SN#EkCb@day9tDQ^aBEVMiBc~9w&O#HC`e&NWhGO`36 znJ;o3Ek$?kzaujL{`sL~es^^|Eb-HC%au#F7?J(-dwwn^@j#ly2yNIsFcM#9^Km3w zU6#(6LJ}YNoYrz1Ozp~Je1s;l%9}d$*e(G6}CUVBo*bv z5i@c)p{9A{Dq|~)OkLEqe;^Pm1f%W<;lD*g5k9j&)_oYU2Lv{ctq^fG6utA99f#wz zWmiWqkI(18Cn?z@n6klC^;)Of2J~?_!uTHBlCiF?YnO*AsfZKDMHmMCAkIqG zhQVUfG%m;o;M*$9E~x^0C6>5ThJ1U1F{C<4gET&xVyoZ@<+qFjGn*e;J0#XjzM5gs zcJA2}-h;7E`d4-`g;&3jn=!bk zn+>cjr!~`$xOE2EoX4P$(V2v1#9J?TFokhi#{O3E!hxB|NEobKH7;Fs<_myxGJ?t; z3h>Hf_ZhtTp5m*~V!rD97>tWYt6RPzz|{*K0Rqh1pYs*;u9Rs=RkAZgrD$Bb3|iac z=ip2coM*5xJuZSXB~^y+KM&tanFZBvM(11OPx|0`9_Ih}Q|3bZme^SHJ9T!MhGTiF zYSWhNU2utT2J4mnv&VwJe!UbOSuG)==s%Sx*^WwhviTEm!#$r=(w9$2$>k z&J`w%JN-oH?kc_JY|hkYzg=spb)cGrfeP|-1xaHzd) zOD)#5vmKgu(TB>Uu(kif-m$|uE}}3T_9dJAKu_3mw%GTkj2%c!7irs4Zw(1CpSd2w zYsVmdhFp&lJVHHmR-lE?;~fVExbmhXsLyK5>L>My;MubR%L+lCU{A&Rgx44V`3|RQ z1VHMhLzU91GC`ZrGu5e*=%L98L>ptbVDAd0Wzbp&`HJmkzw4?SN0^D&=|8y@$6xdA zzU2Ih)CF~Rwsn12k7RjFPg(9Psz{7AzWQww>fT*arbKC9um3IIj`h?bHa~ap{kC5_ z$ac#8xvqoHz4rcpPCNJ790wwKVW|1g!CiBuZn4De&Z6DSd~&@z_WsM1m=Xt*4|SN9 z=mbQLH-v{>+3kfrH6hU#k*i?4xr1w=6tZv85}jD`F)4M9*QO@8YIE1~zf+J{%SPG` zE~*{D1#Ezu*&*Dojs};8Tj-rP)eD)$QX@yGd8DsZ;CbFZ`E1g7+F}qNK@^*KAIqVt zk1B_f7TU-xt_opxuUH5fr`+}JqNxcPs85VfSFP5+@zlu=tgxdk5}_#~Z!5{QELILA zOVJzIPl$=$GL<#f%JC`bx@aG`;%)+bmmM$Dw^+;359>>#&gR63 z*)URADk<=l>+1^1S6{sS{DSg&8w^1C(%?Cb=C6l=D-C2mqIAkX! z=34M;xi^5~;CeUuOVPC;GSYZRmbr>DL&R=4K>0z${CDpFU?{@|&CUU0&>FxOpw(y? zhBDgz+bM?QJ-{1w05Fuf_O$?<-~n>q@2D7tGF%_Ea|~bS0TMViD!@>Nz2lt&bWxP0 z==(bW7|Pu6S^%;xGp5Yn0l-k^^w$D#9}jTX9RLhvUcs%hQ!c;R1H6mEqlrx@^ZnNX za9JkxIiTRX3>WnBL0k_^yDeYnG(Pv-ynkgVmfUuB04qjcim)KzaQOe*0Z%d4LZQ1pShUqQ4{K}j$!tV^V)<{Ba>m$FTZ4|{hdTlV%EqN?KpwmVsDq-x-mDF%Pz52Ti%Mm8b2<26@CbW zVH&m9qowR3`*#b7kM7tIHQ*L6`jaBzI{U9b>|klr-eNf@=2$i-4YV-^T4sXu>8YWh z@1Vc7K6F=zcnxv3Yr!9|nYLNcnb{sX?@mg%8cwD2`2IZS-|nlsyL}O5Nb#P}cKL4$XkkskPSChFI+Q>}O;?o2!jdA86DrJY|zOUi@p%?c1+h z+O?fvoJ9oPhvOk2N$5hC4^}WHK9KHUHx*sdl_fwcWbdn9VY7xF);fyqi_uGeRztDX zH7#1s802~P1#})sL;VjyHL@K9)Lh}itEpn}q!D(R1hj*Hk<0hxHVk5Qv&g*d2kt*D zGTl9Ot6gRU*Z#Ox@mcK5u6C&}`b?Icp#FwYAwktB6kZIwo|sV0Y0P@}2$fp`op(I}0(B1RWKtCS?J=)C~odundX*nMNolub#l!BWL zb_cLKYHSJEfdp~TyjhyP!|B9M%;oq(CY*>i+e12+9;P!s2iwV2BKRrbf2C24(4LO0 z>nvPnAsm)nV+l@l{7l)CRrvVqtt~1qR*)I~)*RQr98(Xwr)K8D2dur8IamL$dSFD~X zJaKyCrgP!vYbO~pX3DJptji=HYbH#ofaY>IR%uYU{2C?MSq6UJitR3P>+Y*F1}wm1WgZxgzwlz`e6v;GXJy zK3!*j)lp!rmmPffQP6dC z8@bQE54Djmz29u)31vlx$n(~G>?pW&TK%)@HC)L@#UbT^ydBtmkeLzjtMGorPMnvj zSe!IgB!Vgnac(JMTMi~Cf<3GzfTXqdGP$I^N%vp>N=fla7?y~7}EXM*)PUhZLxgq;EBb!_WysCpeA{dau(Rb0$=2bh`DuK)CBQqt}C^UU;T z=P^U&d4Frtt#cNALy2ZG^0sPypoe(t&OJE4YX%+e)TY}~2%IiW(U?ZNrZsM%dN}niLZ<8L{DKWLttnRu}2MSI1p{Zfz zp^2gJa%xEZo#TVXuF6bxfg@CHgWE}=Qk?Onbis{r!8$7_SKYqpo@QtoP1@3%CpW#t zOUbR;3oR817*2~li%7?>-Q-0PA5taVFv7tMlTqmo*6Ei@i1cgVQas6f-;2u;Y$v6$ zog!>$sHV~aSNh`i4rWh+tpvYU@%O*E|NLG>A^R}vd&{QJ++;p^A+IAEwmHE)j(&5Z z!2vX+N4&*1=DxARgw6y`xDSXREa_Ypr_}Dm&xX6s;-j*pH?^t@MN5yzN$#EDA+RG5 zuPs_ECr7n8h9+a)CjQyU=FF-9(|%wg#y&h@hLuL=5}7Xvw+#t(-+s%Wai;KW({U|s z>yH(!-_dX%l_kgQ6r;giX{o7F$n6I)yv(Vfv|chVuE(?-ft;n1jyy&k|BA;?*n<>q z)EnSSt~0J_!YR8(m#^mMcIP+_v$g>ViT4zqUC*LZqQw$fwhUXt&W}THy5Uxjs(8vt znZ}?OAopERZVj+kV>fm4v4+1r{_lYOwX~>St=HHxC)?%d$;gnxEI-dA1OoQf9qaDW zl8SWAB^ID+Up()Wi(6z5UL~M$EvR-B1s7HKHv4I2 zxK9;-al{O3rxE;%Benp;Q}hHrB75?xTl44rF<5q*J{_!j6=uiCJ;_zWlhzqDIVH~$ zmgkOc(MKjni%bf*CBa6N?6)!hV2?Vb$XL~WqGTc2wVSXPs1}*lLR!fpMc9e6mG-1$ zms=l2dF8+~$P_ZjpYS!EQMSRMaWEQW_m@(N@ps$pJh63j(bIGk8Qxww&0$fBu6jrY z3mZ#)HMStLa%ZTVSZQ|%ud$ZRYc(JYk9ba<;O@S$$pN5Qjec*;)Q^dEcmo23@NM&Q z!xpa}?;oP54m#Gmp6;(lKPI&*wBI%fF*`Y1msgouO=}9&(2Zi!?&gTDZ z>-7JcC8w~C(%X0}-b_Z@!b*J%Yv^zPBgLL$UWGmW4$N!*Nsg{3Oau*zh2Yfl>3>Jq{ef` z_#DYUCY>uaZu&jc#oxK^g&k}INH?+OHTJN|UxN;Ou*DJ!G*skN;}JRK+d zK6{rqhKKg*;y(qNotp0pWZN>3B3lg|R7&7Z(dg{0pnWr79b%5hH3=SXzsIoqe6-7O z?Ec(63U(7m#_re8j)2|OY3x3RF%)BW*GsRuec*mp`;wett9@J2`{N1T<45%FI=84k z3;C4tGY!&mR&?^6fxufK>Ov#x)&x<{=Ae~i!UGEQ+gBJ?P3P|aw!~%S?}{14m7f9( zz6G&}fr28_wCcvk&scW2$hGO!FJou9lQMu>uDO6^F zifgnKy-oZf8_{0j#ol_+F7)DAs-C+#ZUTf6MaULs2%-exJIHIQ+;`LEzT(R*9a`>3 z>2jNVxp_m&ZA_QD-IwEv-O#Q(v6)9vy3>{UVjmyL4Y`RwnHB4{@Mnc35X==V)sInm zEk~s2!OJ*|Udr9pYNg1T5oy=8G9kh-0g=s(v*ZJiT6PF4qy*PLvc^aqYU)0d_kx_= zXEN8Y^bXWHJS3diT^JWYDl68f)lyq>48Id(0;F9dMw)PVgg<^|o4{c(fy3`vfFpUK zrf~Sx-#iWv@+0oh=637#*(_b&zQte& z+HrPFZ6-?q{`m^BWI0LvY0~VPwsoTX_Av9fV5+seL22s?c_dfruV=?Bb85}%Qi1%2 zpC1BFZXA4`nIS}|ek@w|lQ0SgVtx!HXz|F8hSB2ZFL+w4<3~)3scBkF!xCbqQk;R$ zD(J4;>NfdsGmd0SuC^7XhU@OKKM+pu9O9N{I#|Bvn{&g?O4Q|-3r^6*TM`KG2g0Z3 zA82(GnQkxG@24K&{U!(sEoZ^h;XC(?GIi+)~im&4qznAOon)@>5l}h!y<&EwGb!yECL$87M!jNB?f$!vB z6Z^SIr*Wuc6z;SFg`&O$G0Efka;AV!k6^i~^4AJ-plVV)UcGG?Ro@h-`WKEP45jM# zey_HYP0qm!zwRupCVVbB>WDT_JGm6VjrC@4v}L1j%+-uKh0 zq`Zf(qe;pk!~2v4Ba@W9M(ESyPrimeoty5{{H;TTM!c&E&B*79{Sn=j7Rg?;bGNaN z|6RaOAH6(jO>Dp}nHWv|p`V)HhkkUqQrRE!=K_4hzMl#X5UN#^;D^{LcAcXR5?G_m ztmhG_F9ALMEj~A9dRna&msJQn#C3U)_TULN%&shOIv$W@=UB;RvOQR304#O>8O1@Lz z!~B$-^*{2R5hbQU{Rq+xuf68`@n2J&`Wfa#yj>=9j?AAbV|sxyDr4TOCX6vZ`%9`1e<$WLFlP31Q2RG&#*Ejb zIDEzbCKYA0F@a-z75Bc;1dj_UwgmI>=uDL-mqow)?l7L*f{q-KCl7slM4nvp8+E}S ze7_{!i-YM!%!#F&UjrxVwM_sg%)ukMzBwjwY?5hY(nVBCDcaLoFGa`p2@AihZuX}c zh#JB#sQikMVSBXg&mb@b%3zBrpvdwp(in?l{8I5kvq4@iO4(SfW+l{+%oVjWs59l; zkFqo66Qj28_z8N*(Xb{tUxTl;fb*0}2eUFV4_S+L$K>o}Q^OLn$~hOE3x0N@J~06I z#TuYrKG#v44fjYD^(m;k=*eYkDu!!^xskKS`@kiLhhW14a5k9lSL9RNL@%!d^i#i!!lACcK% z&MTa#wR-7B^FUzS1FevJHL|k`e|IOo^bTEcK8Kr(Da`xoYGgkok!MuC-r42uJR%i} z{y=$~S>FrmX>xn{G?_<*?5dn@NI!^TdAW;w;|&=+pLb_=q4U7#;S2xJ8E#j36~C?I zu^Z~He%g&o$yK)j^xq6#w?D6vm!Dn#*bX?@c7OebEpp$GmY_mPe;bgB@6cp+s#Ck4dW6&Qwo#6ZCk?_4Fjc*=vp>nCG!f-$P^|zRx{q*Rjn|4f_ zAOGhFv^h52)_!Wsg$-*TmTo!PIH8@$_7^K$=TZh~$b?-7p-f2FM{K{#1 zDzA)hAtEuVQRr{Uf{pdoEjjIb(XY-> z*=_68ZjJ8!Xg3VvND#!hH~x(A;Xfzy&=Xnit0%tK`&ba_W36d7*IX=xcGq2Ps;mH= zSd%QsFTIZmZjEi|j?#b4b*3{#Gipr+J)lBlHu&qP`Z>2$0dK$m+!Q0OA z8UksV3&28dg_t852$Q$#k64EE+O)i~M}LYF+Mkwx0aa9NX>}|RxvR`6wc`-o&Z`=T zWL0fabwAP4_%{4CMjBo32UUL%-P=jp=i^8CMCHBej;@Vzv*+GLYGmF2%DRI2KfL>Dem&BLj=Uf4UGc$mh1Y^cTSt&>!A97Q3IQQBER z{Wj5uH}!CkH?obwt112!pTesK|7uF~4QX^U=v2$S*9=&s9+4db_Uiw3dFx&A9m0xth>FObZ*xr2wo5zN? zo8bG2XR2hPcf3w?P}3RLG%?Cc6#Ua);DRkSKW+m|VP1!SLy*iQY$CWp2^SHig1OH1 zE}FFzb%_w}JA|02ats7r1KM&RGqYwTIC*Ir;WLErEJN5D2AWVIb;!5?%tp~^S z>W(v|6R&IUL7x`80i7(gGQ^#NcH3#me@$O|fCnwk5;j zpoiJ8o1)z|YuQ==oNY4W6GO-BCkqZUqfs*>;#(j@&rFch(2$C|dUSiQ?PF2CN4bH= zHoupv5bN6894{Dx;+eO_n5T4hWB@@!*UsxNuoFat{G8$}u%0_u_$QHsHtgrKGC#2fX|! zDBVkr3t98zPH|1%DS#v-j2$g8Vt;FsHc3e*!6&|Ch-BtpPa* zG<&|PlswzK!4g{}jWEH&@>$junlb>RBMWEhFYAWF+)cpfKWHOA&`Kx}#igc_KxOwHO6_sxVTHQ6X7Ro{HO?{mXe@Wlx5Itp1$$^ruWUWOz1-)cp+=~?U#L5dy1z`+ zMd~Wt5k}=)XR3NWgn(&%OzSa(A*~bI-k%?vs)`8+rA?+>-Tg;tUFr`ahT2zdX)^Qe zKI8G7YxJjRR-Cif_EDEZv86$N!}8*@GNz7LL3k`*-opofEB!S00;eLjO4O#h8z$zhE8YEd)k2 zaAK-^JYlt$&P;u<`{B0lxbDZ=^v)Gt?6%< zYo&4A>`E2wu3syGh&`|;U1y5CCxETqp-~Y!LkSQw310|1CMqy8myR17xYSLDx`$Hg zcovMDS#+P$lxna~UG@pqNx>ISt1ocO&zx3Y;IsQyTm9DMzAbRy21K335W|WP>3&3Z_k~j)K|IDcAZ@aN{?^DERzu zQlsFnzctqsQ&cIc#kgkuVV%V)@7` zBKGa}$y2oLext<`(NFE$>O%JR9T*ErH4;=YgF(T4WpdGg_)SVsQe$V>F#iq$@tj&uXqQC8Z}3A z+RW~yn3Z7;bnJ0V_7-(HuRww8j1+kX21FNoL zE9yu$(;2$2uvhNm583B2+Aj5a`_br2Uq<&BdMc|XIgJ~o%hEmCe>D1t%4Rngo5lz_ z%~$}~7_(-@2d&~1x!~GnwCJGD=N?JXZNJB`R4oX7s!`rjytxjRqQh3&BoerdjKX`6jh*vaavW?W6ksTS9y zTO99Ntene&PzQQ-cZPc8tfHT#3qSE_i0U~^>&MQG%O}WHjSLt~a3C&FRTmQD9S2`y zwu<%Mf>Kr#rEe2HH4mjPy;RJu;ctH_`xGV?0{D~`KyT-N%XZZ*zk60rm1pa1ZG*MV zM^sLL$;A5C^QV7BedRs&c(*-Xkgu;Cqh~wx&gs934y_@P_7(B0yb0h=w9$6#zdFyx zG83;gVHnmzTfezEVe2a>C3z!@bGv-$&1ML>9IX`HTJ8hs*x#{Dozs!!d0om2X+k_M9b zv^mhuOxx07BVyQXjvbBAi49V8gfN0o$zVHGsNTK7!G&Oo20Zl(y^-;^58W1#>;r+WHGDslRH@h>>bAb*X#UO`6ItL8|y`u5tJb$}Sxo zRc9pap(mpj)Trx!4du*Tk5OW)M7n4ZV$bzJ1!?NMJX$m-??wwsL;e!1ks0L&Q+@r; zuh19_neFAV>ZF|vI>6T~WSTUx6`pT^3QhC*$!zTR_pK+mV(qpLVzGnHwbL2Z4rF#n z5p;Z@$fyNH5h#eIZoIUP{^T9j(O%b4pjb!otx(cB+L-R>eGmDLR`zw}hW!~( zz(zu>2{RZTYL9<-y@8HMoxD;y+v%3W{kK~AuDl$*(37I=sWd4K^ie1qghjg}uI3IU zMeT{`{G;866^G?~O!j=-FNB9&pkTKHIQ3Lwp~oEnSorswm}VpVpKsNM7GfdA8z$9Y z<=XdF%CdmhH7?+bdx9T0vxPZGW#$*=K4oT5OMlp^?70WOyAi3CISyVW8KdpVQ=-eS z3iGUz4up0MBz;`NDZvCOe^W}4@>RV4kh1b7$2)8oFLqjeCK#veS2;LGY|R$%sVPr% z^zMRAh*wBw6_)(*$TWKQgUgN!ilB_RY&8n(_8*$oLH_6w-FWn8_UsnT7HQ-J2x^b5 zETxotw3HcgExPC;=*6(ohy}V)@k>89?R9$M)kVCrI7toVQq*8A`^c)tH>Sw-Xvs8K z0Cog5MY=6A&wOecvo>AA+b2sJtvos_-E$FH)9_pN&3M!S&7CYn$}(s!?WW=apt~Q@oTlFzj(pI` zLHFR=U2$vty;0@=WmBCM$>_Npp85SWzvCt;?e4QOpILsc229_smlNmVPhf}9{lzqm zFW!hkk&IP70xF7H>0k6-e!(1KK96_kp@@TpA=T9DRMYusNC(7_CWnk!gMjP1^xiIw zK98v7XQ0%8SJVHZa#N<~f+u(Rqw(l(;@J$>rJK z3=j4B?DF_wGT~P71KZ2j#19c!XbybNhw|`8r_ojlZG~) zZ|TaM+mG-2(3-OwZ&Ba0w)&-=z;q(O*Cjsq04pk|5F_-oBWx{k&y^W-BbHshm+DPX;av z-lLdp@A+xQAp!_g%N5sMm`e$^jngiLW29S9fj9=-pFwR2GOLq|>(U>nnONV9x~j*I zJt!>rJ79nP?Ty@4(6&yCfttGO?&qf#Lj3GLvez;VXt7-$3$x*v1f`HU8$z<#uILn)rclo&JHza7w{rx9izV_u`o0h?gHLxzNzKL2(h4ppLw z%H^wsnB0AJ?V9c}K@=~_c}O;SswADwMZImEdZ{t#=-f0r{94#lMZ?Jb2q(NjW558j zXy8;lV}@rauqckS@a!_)xiJ!x>B|%fWExw!Ji2O;GbnZ?0f*>Rx16mB?c#&?^85KI z32b?97=ET`gDg&P4JKp}jV+4^q*X>oYKAml=b8_c+bYAsqaT@)3fB)ing(*pOm~hHdon>x2*Woq9{OVr}USV$Y>~wZln48x9 z)0isjE0FdF?iHk6S|8o$9#+u-?6MmQSu7(oOtu~ZyMR`#l`v~!I%Hd8cHd0ZxF4&a z#z_6(xT>`~Y+8Qn5Yz+0ld1^Yh(-8xI~+unEVw>^VSuNJll{n==uZ^dIX0nM%-NeR zPg5|U(eBz5-2xhy1~dW?wJnj1E_h9Ck4A|%kAlM3;VAt5r5#hku<4`F|AG?NX|yI} zDNy3`uFWJRE(~ZSDY3UGac;70tsK%a5z5Ep-+z=wcL|M#8lttl5Ya1aa{e!RcUQ~E zy}J=`$X2p>Wp?{GFzK@@{_0 z7bSRJ1E85SC8Im1)HFA0usS#Klw5I-nOz(do&ppp>Vy7)T2=5IIhM@w(Z*5SlNiD8 zHH#c-&XUo_rtFug4mnyAV*h#fDycy(bgwiZ4J+E6=U$oWAbKOa%Au-22vB9R8mwES zRAM|NW1m+KEB3~?SRw>^jT1~<{b8AN0Zig!>L&18-Fe)MHBu%2m2<0{ZVznL;&0f*n$lh1}gLgDnO3O9M}KH zP!cHGC;C7YsGl^GtFYl>)pV&@QbBcObcvg-y4><>MO;HeVHdSamlo1dA74C3&Tr% zx##jvR^;pX5`X!iPDp>r$K}Po>q^FFN)3s=a>-UWs(rXaX-j#cPPgT z^R$TUCa|?T0_*8Jj4&HNvtz=93KB$X37jtJ)Vcs>Keds*SGy3IPLjSq5Rw?qkS;e_bcGiRZ zr$?SF7gjuuRkT0sUUjBYO{IJy<4z&b6|0yZ(5ZoMSdC*p;sJku=< z2@SyI%$~-N`1KUMzQny2(N&rVU1vPFhlZ+a6O0;F;a#r6nkx8=Ucc47?uy~ebjgey z92&ko{xaV7pA!y7Bj$@`Klw=(REvWeg?XV?zKO{w_+L2|XJqunrd8+35tO=ft>uQ1 ztL0M(nea48Psa-!MoLlL0&CT}CW0jEIJX&QCN~qUorqwtE`lN#Q#MxHLyNfs87ek= zN5$S4L)))fEY-h zP2jVNH*S!7zo=h4#@&d8{qFxr_R{+Tkov$RiR4!Sjo_s9-M)qL^$1c9@fy^@?w z4a)qTHt7wc^^stKR7hIY-~p~dbiaxZZCQJY(WIf>_2z+ZA*_`pXS4I&E6jI`f7_oh zv(14Jv7Bgl^*Vy+yd0*$>B0MZP$}D~WtA7^>~+AgshbWgaB$KT+e>(# z%@;?p?Jb9qxJ%%jS-yYV#NMHaNgM6^m~soHl7sVqG!2c|>0lDX^J{7z3jOF*p3mw6 zTk7zdScWtdCaX`al%h{gX=@=qWcHbNgV)^7AV*zd+{|0e%LaZ{`xSQi2%C=M)(0sy zSa){~XXV?X>T68*7EEiMqqk4p#=zzS{30ynCG)djT^V6jd2R z3OZB{3w8LW&<)jBz5yI0lbQ1-Ec@-dc^5 zu|glCkXAHxcb_@F?(W|l+k1sCu9Nj@2RtXVD5%SdAE4qm*2D8bdIk-S3f( zVt9dI?=cGZHo7xBc6W3N76X3B^6idzgJR9w zK?nOC%*7N!cCjzIYnpZ5m@SJ<)Eso)xi?rrcR%$6ySJM3r3C)w{4@NzX(qSo=nK*_7>cE7Dby9I8chN6N6IMT`dG;C!Wo2=q3+m zkN?}NzZaCU8z<=h50BHgLHkz7cKQq#Z&iY53@|UZzvDAF=+s2Lq=Ftuhv-#Yfe}Fk z?d3;yxB{GBpwnX%L22jT^dSx&?ku1}wz~U>$OqU0*PeoT{phJx1n;hwb4cAB{ui}g!rYkQAmA#3Q-jN^iDR)8*4vM<# zyX)@irm<8eeA*r4G}DG?N?U(jTIKM1*ozI({z(8s@`is85n(VY1AlBlVZ-`h3VL_7 zE3nI`1|ntC(yd_p3$!E-q=rg3>n=@ z6EeWTkNpo;@T`U#wH1%9v*>hV9=X=7LpdG(a2+e=6spvh&o%fL9Hh|=3zom77xihB zi-kyZhPIk{XaY?6NrYJ2;2SS*U>xspD@s5v8mkrksG`zjm=Ii>fJr*Dvy6F^zKO~6eyWmOq@k_MF_tQ!CTUmZi*{u zYfHUhRjW!$wy)n->Be-Wi$Wz!5;Ewxr@|bOQ;7df>Eg%5#ZPuXYuozAqJUNO-gMEr zxabs$8dr;!oGn6Xrlfh_2=5Un302@dKdrPOZl|Xuo~}qCGnu|fB5hic)KF|Pcuey@ zIT*(=4L0AgaCCS<8~K`^qA@O1T=<@x#`nBcp5_%|LSpfDmp!J16l>Aev4WWAPEHQ* zpfX>v7I^Mw)FOP+a9{j7oIvcuLDS-deQ2~Weyr@r;)FeTpbOg>qua_T4lK)USkq-~ z&ez?YeZ`Me8_bo@*~dwhOY82Q_e#EZO!t^x&XaR8QA53Q?y&NwIbfBOMl7#UV%Tdp zKMa)*+>#n9b8q$(iMyYHPd(J+pZFwx@DrB}rUAc6uO!J7WMj;rdndt*-}P7K@PPFs z67vs&L3nJsO>Ijz)hyuz?xqUYL2Xi8zm$Ll@b!2#^ z&p2i{eUgpyAb4^!rv&fWRSCh{#DfW*x-X`6i-Tna9;j7$fy=A(;6G;{umDMG}HO{ZQg&Gwx6u=oA}~$O6(#^DDq%Q3}w3E^p+GdbnW5bC9v|7S{?EN`r=JG!&&}BrggrYW!dR)#1@A6~*i-fNPGTLzn$i71b zG$o-YFke zNb@!eb;k;w16F4$w)PhhiJMCn*vA*J>=aA4?!V0DCK2j0d~xoYMs-!Mc7+to2V%87 z{|+>HzBN1_?7m-zC^b}v?%M!lL)WC0^eLNT@o{sPPfE+QQcqvi(Czb;g(HOEUCN{( z(pTowP@mH{>C}w_d>AmU_PKuFjZf7?P(n^{oSB{qKeol@Tn8Q|ZL9388w`ke`cJ2qeFF!gXPzJD@;Nhwx8Z1w(91K?17_nj?X?!?msQa zQhj&{ANS~e$iLr6G-4mFPWPeSG_gf#jja&LDYZ47GYQSIO!XU7c0b2l2S~j!;NEk? zquU9%Ej&~7W`4&UYyh^F;EBw2UsT!H9*(m#J;?5OS!z!GEM=xM?(h$679B2uhPFay zRx|?{e#*Dd!T}6B$XQw7gx20yPsW`O4UB5+Y+B|&s+Xb&sl=$44<540fV0=XW?WZa zYx1+#A3-ID*PM%UFBLk9a4?SouO7rLsdC7r>1Rmn-3jj+!%ECgc~@?clK|)JOnR2f zyKHR1OW@-*{jrQvc9XiV8_HG1U)ssvKL6aKzb>$5VUscXNPMmiunhB;zL`=A&wQQp z4yDop*4oiW`Cs`0Vl{k);2koh5#0i*gS~KOwE4Zb#O>(kmZ;Bu)88XL=(*wB^M`v@ zr~|>uq{6o{nKU9*dR8cg{(TC5~CChW~mfN*pleV!Zh5;z%5T?NoeuI z=FGA&n?C~(h(x;bhtidwSV`qaSn1#qX%+A0ggLMI%}{M#y7c!|dKINn!t3kq?uGlo zSo#BG3WSS3qOmco=}a2fxdL_;z{*R|Rc%?ap%yLCI8gh%-pQ&D{_U~7&4=XNl@c~h zx~xcVP6ORlKwkx(&l`Qe!xXzwm|7&=toIpdyUmxUd#>%4iUi1-G{`&fd6jPiBrq_p zXS|NjqSUcxnV7v-=*B%i`%DAwqcRaepN<@VVK%~x7E-`%`bJ6|o7Bd8XoJh^+txKA z={3#DYoqp_rl{I`5YW&x-QH%`86SRm)Tr%!BHdp9*T}F`mcOk7P0tJw^YNv5)&bHD zaOGEB`}v4NxE{{*At%MR@NRqg8&swq`p?#S_N&It7JE6rSU;cph55eh#WSCcty~y) z?iAp273+x3VPi*u zpg2c?ARQx&UuUBmbeBalry%@L{21^m{}FIq=%DYS=gQeJe2kYQ4yU{ms)Y%9%|UuN%)! zx7`%C{R!G~Wjk^A1kv-o`#MCW4}Ilb9fp0$4qoXZ@cd9OMelcoyTPMJLa+|fIP)xV zxOLmtQ#9!5@QYAOZ$eE{wJ_!;l#5QGJUBZcf;gBPI5=Xx`#Uu=cYbsJUuv{zF!Rm_D%c)rdE3i=+jR&Ge zkX@6H$je8Twu7NCw!#tMLAmJ2aD>@7c-eO_7u-+?8xwtQ2^!DtRpw)APFEs~E@n-a zy57`vDLS7ixXOav&68N>hBK6hyFdZm>~fN!;|S7Xg*C5#mK!lp<4G=Slm5$}q=kfQ zWyvR_?eD2h@-ON4lxT~+qRPprl8~MLyp<^>Uih+|q3m}~pZ$$=dGYgu>2e>ZTt$l4 zX~!!~Ic-Vqs>B|J=~a&c-0{j`8Z`&Z>O=Vk_W@PB&p{o{OqMIIo`Mu<(jExwL+?wE z{S8ea`zxuQAercH))c!n^7vNCzs4WJ)L}1d&u7He$QHxii2o$QqRLc*jPP8hAVoLM zHTL+~NmB=wrpsvT@=6WF6X)rtQPdlghY}M4S6MW0E}_UKlvc$G<2cTmwj&iSpQk03 zAB!&YEn1!`MAEHSWH-b^Gj901UNR)WLlJn0kr5F10j`h{5xD1%rqwlrwA6Y8CPj}T z>DvC@QjstLq}O4wJH6%28h224ji0~vWS5^2qa51d)eE*szQx|S35+h&-|r@H`XDnG zW8DpzS@YagPg*@ODXc&^TJtNv0CD3Z01J5_0NCx;qgZ}n?Dcxna?gvx^nq)=W@$G- zV}^(OXWgp@i)!>6vD&-5M!&P0!D1k|&x)wn*UFu0dj6nw$6E?lK;f$+gGany zpcdWT1)+E$GgJP&Nn<@euuxi#8pm$9Oet~J6msM3Prd#xd=iX0CymrzF;bflCwxic zbQnF^i>2ub&l1bwIQwlUf05MJW@}GdKbtS#9Y=$sM`M75Lm>#tN7CTF8iPCAgL7N+ z_*5_1I$mzlmLd3jI1S)^F@V#tOeylB>g>{g(}?enz_bUUBtJPEc{tKySM! zXlTo)r>j13b)baSGupr;Q3aH!`|$?HJ|>^7=&jz%rUg1Uxfqv*b8UdbngRWPFqP!> zau-#wjylYVxfogR^`(TO*rceWo_y0J{Sk%D6&s;=#r+7B}N4fQe770-o#uYXb0q85;)p zq>%xy7#%SCkX69@4g);R1Agh+5ivd@3Ah1LMCp91yDI2h4!ZHk@FJ~o?gLO_Mu?UN zc0cYVWwedl+tL+(99R5isOUCw@gJl&a=)3bxJVVXkz4tMFR5MJP%GZWy(V2N6W3xc z2_3R5X!&%(HwL`CaToIwDI<`;yD;UZ8}#PKUOBUK1~rN8!tc07pl8b4&C(;b;rEIi zd`CQu6{qWh)@PuG^Sa%yDPCe>3FTrZ=6DsASqTa{06{`@@5B85$*Lf|H!zA1bD2YB zK$us3nBO|dI-s{OT08b*EAt$bQuJFSq`Kzd;xYj*MQ=R z(_s$L*v0v6EwF-%^RTBzaB;>K`b@zaYN5A1!2DQUzvt&(M|hguC&c!ebRCse#bbJv zu}f&`ExZ0_=*PQS`Ez^)RzBt$cLANXoFsQqETUQCcqzV-UCeoaQsqh^-r9FH4Zij9Vq-Tg~g;5hL9Oye-{S`t%KFwHO!-C)UTqp zfN33AytLMx=w})<+k%{b&x3(qT~>|;ETpt%C?fFu0apwujHyD+hG?Ajny<4@T_JrG zJ=MtGc6qnMhcs?R!X!#^-8l+4}uZOm#j)|9UjYiqm2&nD?cwHJ3=^^1zfOS zSUX3QD=h6R%wR z3+{h87ms9yj&b?UleW@0B0OKsvzxunFQnAsW6OeCJlPAFs!w4{$d9EZ2#&iT;H-4b z>#14Z?gYo$Je5;$!z!JUuJkcgdMHt8_qUEv>DY9o!>yqSA*CtyUt@wL|adbfv*7 zSZaSf^#A&iY8;ZTu~9Yf+d2yNHCEf$H?%P=UE?}xbc6~&fPR!qFx8X--V^d?Zs?zo zJGeLKyg208ZAel=sd=`@W2gbAjPFv~vKP$V_ItRO5<8!rgJK9mQ=|KvnaMtH%jexg zZYGPqfq3G^=*&G9Ns)M=9fQrL2s#s+19ed!iW&xEj$P^y4Na~GO)EKcuvB#U@^6E zo?T+vcraJWh|)32ns42|OnI*NDHd;~P2gqY3iS)ZdNH$5Mu=EeEqgbvxFn1gXf6eU!M zC+xF+%Y;2miyLh{S=KC4QD(+twG53Vkrb^sX|^k&SRBfOQg!Toyw z6U@xW9dzD=;*7Ui(Nc8I#iBIb%Ae%RO7=;<#nvCKPj&U(yL)*jV?)qAlgei}-Gv*k zfrxKrILQO`Gsmmznq&a&gTlm2)_{1125k1)%hd(d%oOK=@o_Pg&$(v7EK{qvosa(} zUzpqTXY5%!=^_AkAcne5(6{EtDy!)5Z?XK6>4qwdKKerx#MR9r zlY2~c@1w^hyVu}hHmG~-23z+k?+ig0`-jg-bVg}%(c`v9F#FLtWC(;xQ+ zPzY@aXL+16iZex8*?S^}yHr-lh8UTSy>Om?u|L3+9@l6R4q{ORwZwvyzw6fANKh&I z>u-Gg(Jpn%uSU$<26tIDQSr>zoCGf`d$tYkQMX*ToR*JrytP_yL2jG^lxf6uAV48j z?jc8tdUHafD=q&6a4*kF8!F}Q4_OYv(a7gI0fp&dzwwbSI<=}ET3#~rt0 z!KPdRT&(VvBYfO(BWH>_Y$Sw6Ho8WzewAyEU$pm%}7-q?k1F*lN=l*PsNsA{^x5ismmBtle3`X$6wL zS*&23iR#u%zd~(=1$Nb4rE?eQ1v~S?s2hE#FR2SCRpV#Z=Z;QH252jHj!DXza;O#4 zc>Gp1Y7-`Szn$PozY0fmCL}}XY=2_;vSkyDqrYOIH+|?XZ zN|~1(*qE6#W(Q<+(J6-n%IcR|9E# z*$;NkOx%+wG&}W|?cm5>UbEqNw}fNpjunu^>s~mgDtszMeTM^8XR+{#ftMz+ z>?-?se73vps#!L_RcU5a=~l&M???(pjLwyAHt3La;M(d4BqeNxb(Jc9oNal0Ou7q) zZS40^o_4teK|L+*@j>P@OYEScf0#}i8dPQ&^+PM+-GSvZX+`!KcCIuI%1Xw|t>i!< zQP-zcK!=IUB!CF8yx!h%Nq||Vyo1q5gPG2?M_K^KF|A9VscF$pIh85sDM(uJ%%q`4 z7EQOF|IC>312nE`b<4kMh+%09*Msk8Sz&o7hap0vrRajg6uY#hkX<8U8;7-GOyI_V z6mx8W(Fd6sJo#*7mI>IAzCZ96#g{*cIU+*1BC^4L;b{*Qfrg!dCU0T+;-3PgV}9f0iWh5BYz}~K zwlToTSa?_y{oWDsSDoJ@@A+>AFKE(&N!b~N6Av9Ylmo%G7b6NQ!m+d4y6G#9rwDSI`f&^nff*i zP6LFC!|;=ac0!?mZ>HaVp&+*D!nefXv?@m0UI|pZjtxPLSqEc$z8hD9-Xy8HFjXc^ z&9kfD0yR^Ir+n-q3}>w_^`z50Hgdmiwc>UOQcpqs{x zSDIu}ykfB>DXEaA63d4F4KVn&$l83K(YLJIruLZDwdT*Vp-ea;xS&X;2&CHHR020_ zwV}L@Yu8(CFF>mC-Iztw0Alj}wfGgM7#N`j+xSVM?d=sE?@jgxJ385)BYQ8PJK(T$ z35>Ct23CE5G5TIWpFErGxrRPjoKqA^bfC>8nSsI?!$6nZSq}`=PrCF!hCTA1`gVHw zrXX|EQwpq!F6~nN7^y}>%Hpq6lF>rzBTL3P8`F|;1DN}sm}Fezo@2aqHaba3FBwwQ zZp@}6W0EAp&>clGrhu?$WTST*xP-wXKA-CX^&CCYq_6yUK+_OWc-e~c^RdJ4&3OcHXHuR|l`e@N7LAU;` z)&)tH4$TijZEo`sE&ofF!1Kim!}4}LqDOy$o+5syz8X-K5?8+whc zK<^YGCnG6*&_<9+&c<|Q?J;-49(#`b=YE{(e!>iQ?wJMZQpiSD+1muxW3Ir(-D#G1v zfj~dToouz|wV3Pa+6|%PP^rB^T_xjg6b_FgwHw$-R~y4T;1neHN(n5N z#-3UsY59h4L^$FaJ&~VT@mBN@?ghwBQV^}_CM{%E${YT!Z07FP51DzS-Jh;ngLD^3 zY&QILDwF!SNuggd8`;<;eRJvkI?4W?ysPAUp839u?=GFKSIKP6eR{Hx$u4zk6d`4_ zjZ3)b4?YT}-utc$OucvUp;Ir?R3-$F&}r#tR=YywyUeuH z?uuQ^rv=$ox!Kw@TR~DQM->FZ75gWhzQFGijoMO^&g$ygL#cmBR zsX>It21c@z_JtJx?t%mb_cAVLz?dtHpe@QzTQ4B0Y_uI@jyF{j4H6-+Timv*Dx*hPtKrINy z+c~YA;=N}6^o898K!-GHoi+;DBqxbkp)4M?LUA|Ovu7IO4jf0q4f6f2&SZ=oZsh$$8m@gWz&ibUeg{&s_#H&P^>ZXte&KmJbAv1x{6)bE(-K!> zV0zWlE^toBeM(St3YUU~3k#|+OP;6iQ7Sz}Tb?ROOq8EePxiWAz5^nqe`f3)eUy`0 z%lP-c3UZ&SDgLVASUL=r?G6+_pn}ZqyEkWeIt`**U3&vX5flXr2e1k*93rjmxhn@O z!{&MJJRu&)S7D|l6)-eXrL@>{Oji}>&eSSt{I8#5!9MSSbd#>tjKn;PKIP`r)RMdO zLXf+1izUe8Ym@bHBU!Vp5W;OlmiX!i%8|bYIYGwOzoYdTnwwgSxBd^bzPnZa{&%## zbF5`M+C>tXH@VDBnBEndG|@G2Gn~xT)7~&o4evuQ8K8yPzoX{7cSacYXt%5ZW_n>2 zvNQXeU`fNpUM+dG0**Q`61^eDju5z8dSU2K?#h|zdl)sRVER7!vcU9xEFbRlEziBf zY6{=r;zt>v(^*<|| zRfTYL;7lDICzHPMHj zC{RMR60P$vWBvLc_t9Af_YR**DjVOck2>A<;g1(#-Gs z4TBd|j|dC{JvuKZedEDlaN8erZuyQx%OKpoO1rtAlY%lwsS)^P3<2edxWu_A()Gr1e2Ue#gWYcFV-Fy4!3ziR2AR3D`(Ja;_ZfzKf>O|&R$ zzMAU!eCqD9$>Ewl`rR+r2Lp%*KhoqDD)l%YB*P%=CPr)+G~~I#OWmqm`jyCCqTGOp zC&91D=ff4P)P!Dh-=_|h;npsQu^!)bH}2og^Fa`oqb$)-+O|a9e~CeF@MveDZ$)if-t@ z5a{yz@9z9uV&tCD=u3a=sybZl7iC3Xpz7STAfW18&4;JzunrCjbVL0bdfL0aCXCm0 zwgf=pa4qYc=5SVS=#sDu&F86)`k@AkPNA9$W0&em=El6R!01*%E-?CRrLI|`y4fEZ zo&9@(?9C32)M-)cSsH8b<>&%^zcuqJ2; zvo)0bfKyXY!8a)gb%%2cO$|s(S!%|I^vWeEA0Dgah5n9wcgeS4BM&uC;0#RFcqhRs6I?|wZi4J4mVU_u`w8A;f`eA3tzWn2d!4U^ zB?Qm3E#&@BUJzS~}#P1Inb7`2Jf+=n>p;QlytbJ4N!2*=R+F}+?!xlnRaz1{iE=msdzW>a( zr>e6w;1-6{+W~(6ig%k zB&B<0WREyADDCfK@Lm{)b&`XewHRQ28w@4J@-rZ3;>bIa{Rbe>8G44NPLJ=Xj_+8u zWXI3B+32Q|nVL|ydC+c5heaw8gcjGH|%*RXsMC_H++c^cuN};VatzZjYVJsMx<6ZD_7WEnu>Jt2gyz zrkorsIb3?clG0M2BJy&UP{f|+$SAsa2y}mB_n$)Z`=!B_{U-Vi4SsfvHdv2XR=Zi7 zcqT$DaD(QkduGaCl;2&%uQ$~Xx^=nd)eCLakt;DKh)_hG7>GTmuqL{ z4ZvS9-4>!B^wFBNhf)Krf3R4F$n}TAYsH1Uc7_G7WrQ<^6$wMFcgJb|L!C?9D&Un| zQ*V5$;E5L_Hy&salY8BGH}@w3xu>EQriLdZ;U4rQ4+FeINl2COBxnR zT%l`PCZFyy5RfT>r$g{xE6z2Wu$cc`IluE~)bu@S(m|B{w$`~^NMfb$5ds$W9?+{noQ z{A-XCKYw?x%k+D5A5GtLBQ>zKLe_#y{)LVdyGHwi8BlNw;aF;a{dt{glU2IBc^EoH@X$tnH+m_{9A!(>9HA=5DODpP+7GhX3_r z*F12JNQ@7m&`Bm{7a(TbdQ7bxsqv)g#ulXM3TA;0=EZjEBCHO&eCyI{ScZ~0Zlda} z>l@~7OzxAqW&62wz7B1@*VIkhHYyDjCElq7UOU!BdE!s#FC$;Xb7)8Q_omFMz;UIY zcu_R52O9unaT*tp8QQhJcB@d2t3q}6mX1C{riR$;#`X%lAe%fTx z`n8EjS#`}dTnfL>O(o4E2VpRVyWKkVN zAG7WT4sKlOxADn286s#WED|G`N^C{eEiwx@LgqtUW{_)SfDuWJo zj(Xe3Ah}eDn~~B@-PkbF$v!eS*l){CrI|x?m$}z@gLRKTjdV~s!<&9hGR(bWb?vS+ zK`g}EMaop>rOagMXJ5+1J6sVnUIF3R`-7l}VF4fqc~rhER(i>5Fd$q!dfB+DL9Rx_ zUjKq*L)0adtK>&0_c51p#<9@Q?gqH%eQEcbcRbp?uqQyfRnV?$f7;2T^>D*I+@bt` zj&=tv|G!VW;|@T(Q<>1-mv&deZHT<<4|e`z_rFcM>)AW}KS#SqIMKi;AKRr<+kc1e z?51wm4%TZD$@br5y^{*a$E3nsWf<^n#^(DHv1-^O;uqff*F@ZC7;pw&g)R~0H4Qt7 zlu_T%KCwSDG-b#l!*ycrw#q17r+8H-CWJb%)zvm#13IS# zDHY1*_+xUPAhvd`XhE)Zy1~dWJ#YCcKu{b4J>MHD7M;Ud9Ib2S?sWo>V zl50ox;~Yj4MH@jTuSDoWAc`UvgK>ROqkmjv>opTV3wu%ITScPPX&8sxkGX9C{@{M_ zw;K3n32t0<{K=+FSG4XmPG&(i3Q>NEBKL1@V-$!}hgd>Dq zp772(iT$(XcBlgf>RYU?!Zj0fG1ZWG7l|yAu5%NPCLwTz{YE5!GLhc?Mw4;}M=RePN%XCT^27bM!x2)t7`)E=wB&3zA_{0*VuNYDKYqEKE zq$wF)B*o-BGF3+x^N|!4VJIuFG)e&8ao?p%cL*GbvzxhH(ru;;gHg@=UxKICOtst7 z5IR&FDyW&-S~?}@HI(#xOTRC35u?bx>*Cx3fG**pWdg7`_xV7^;|nsD3$8N8Oh!4q zWg4ltNpO)@y&>>_vbhU2j1g@}A2Aw|ev4xyQ${Y7Irh8k>2fPa%~9tD$pmM7n~7hz%QcPas!S4Dz?l_9 z^%=ZmAC(4s#^qbypa|)n&ab`YOoZcIDa95WQdX|k%QSVM^{xqPaj`ERwNpkGgA!f1 z*IDo;Um}{k5+}>oSnqMtN~3i$1k~nAogI2PjaRXA$Sz-EVo8zlj?J41R#^TRuvA5Y zxjdPBr9Qq6dywx1+Z-H=~mggrBU&$82J@v9PAxFvE)eUdCRE7;esups&a`&pM z{l(8>t`HT{ZyWMS$3<6|hdFPzDL!;>WOe)vmaFaYH%ur(2;KZmQPh=RH^qmSlk~P` zdfSA^^fsB^kxaTnsCKkNFpZ5#j-?!vQpkz!*gImJ26SxS?8nWzLsvp;Bp%RRP5_f@1p~PXaCQ0o8p^`SaFmCi~)nT zCt`*l8O*Dgo7k~q`6%5ixAK{rvsVaPeOp*o)G~KQmD3?vnV~7j*pp3j#5)U6-8+|2 zCii@A6~@`(&J;yGI%NeZM#VBPonN&| z536}nJ~xUc>fK7ssfR^Yx->IKd4(31e%l0*GNreeATQ*Vwi0ZY`=>etDvZcqh_pgB zkb2{HROpwCGQRHQrv&?fNxO@U4tII?_K&O(kTVz0QeB)vI(`Rx%YI61; zp^;mp`!SkS@S_3>2EOkDe5`Gh7@AcEV|b!$$0DpSc9Kgsc92RrM}8P&ohpyk7{il0 z$WVUiCoH3b=4Y?LTRashsV}X$cY0tNoJDk-0ArT}Hso=1Kjz-mG=1ub(^k(T&RH0&!-_sv)jVa$WCfaROW} z!@Ofc;voJWlDt+eNN(~oB)g0vXsnTzu9ZLL-m$yBDgd{pmTV1q0L6PIJ&y_g4$s~x z1+k!LQGzlwKYpc@V>;Z*$Ilp+xwF*#v{Iys$RUi&cOx4ST%u;h?^3fAcSQ|`7IRVQ zATG+Puya1f5uXN~W|#=RqG07l5D`!>0Xzn9EynjC-_u0~#9z|GP%aO!bqi(p-v`0+ z(uQDqQAN~?CWMH3k)gkhHtOaFjo1`-M3QASTh@fgmL=PE=?LX3cgMu=R0s~Wyf^66 z8QpWqEZ6N2u{Y@!NX&j1x`UT&E(u42`%_{`%$R+X%*-#JCIhk8ITd4`afN20^AhK~ ziO2Yf1tPCKKGJgONKxuRshj-}v$q1Uqsd?Q8l#0tPKYt?GL@dS8Cf(y9teo zjs&AG>ur7LO>*nrs`(ipI8V$=(s<${~YCP`G-H(EEg;xh2S-6 zx+&6L+O$r_opUk-bnc*>OgdwkbUNJd;qNu+$fl;A@N-R)C$Qr!rd?l)EKHtJnC!lH zXSrIU^TuoNJC7}`us(tU#|zQ^9UD@QD0e#J)KFlUX%tDLp=e1y7*@8EbguW|Ka)X( zPbeqrsv%v(56c8aSlxGq#rZ|Q!jjuKe32&BaK7Y+FDbxR@D5ZTq1lr5o(TC^_z1C8 z1V%cZ)aQeRChy1YQ&mlTK> zpBoQr=69L8S5iMgS@z-bZNfqT^ev^8q?MD_<)&2-?smgfg!|m^G=7;q{4(^Mt|+8@ zl<mrc@xd;> z!|1$gWOS`PioXbu$6xXFci92mo10F*)=4>U*QJ7p)bK)m<$X{DSSPcR=}5!)zE~cT z+6v!~vzJ%Vxt5)&;0LX^Tz@iU66w7b^&vtvM1&HP2}#CKVmu+qEBhvI@|&$;IwDS> zg?KjEeg6q;e#MTQ5pM3r$)V(2TLUU)%IjhRu|{id+Zp?2O(8;H-3k10u9J+=+B`o4 zfAYu;d*Urz%x?C?_h#=Tx02m^3`_Y=dZ8SQv{9noJ?-ebm6^6E*siGnxW9CH^ChXo zJYHpMI$wrF#(_!(0cO0mW{OHxV%=*y*Z-)p+vfWpCs^h&wpf?cArp_z*>2Ci0^;t< zEHTl!Z!q7C$7DV;+ymZH#|e4I2u@!3%yDM{h-(8NZq0)@dOr{c1wdR>0OFJYhz1t~ zwbPD;(kfk=egdOK9`B++i6guc%_m^yUuEhoM_1FQ#rqoWqh9e%2*vFF`-)oVV(DG~ za-v_otel`8X(P#r&aYm`ljH%4DM`}Hg#lG02w}=I&C*{I=L<>cYZHN-)I%B=5ipKv zq$vKxt^`naWh;3TtV0zotcxE^KzodpG+JOlS-Mx7jnD zKRoX@yTh$r8tTC_+k3{6un~%7e<3s!Zb>hf5otuE(B^1E8;SI312gCt*EvMxquVmK zXc;y3<=gAV3T+1Vixt{PYYQPj8}s_2`V$*@pOZ_ggpH90p=~n4K$q~{4o&qp=-J(4 zIv8M5Wwizt!JPwPC-F3rS<{^&djF0x5f_;jY9z_qm@^Fk1R^_s3;8?mcuN%X6wsi; zQ4wa@FE`k`)`p@$zIeBldaVcy9RJ&XLw0&Y_nGvEExS(zQtYirY2pM@3S7WhUyf-nI{ut1Q&pR>`m6 zut_D+#bmDb%8zf?updSF3KK>7kC6)+waJk?Q+^tuaxzc%$``e3*pD*xOETq8)^aY# zq@z*0Z3Z!$w0lDosWnjAHQ;|o%s1sfrR96uX6vuuA0>n>qb+7iruxRTYuJyXu%uCV zjuz@|tLGQFLScy8J`er0i>0sotll0eBb`C*~Z*2wQET2h4dW#s%UzgkiP{x>D% zo04bqa|k6xo*RPAC$x^7pX1l-FbVrn5UjIZlPUjsE!W$2q5cZa3ki)S^F{o6D%o02#1BbeXFugJMg@s@Qg29{}q zi`wJM%m<6OWh~;pC5yOLC2zc43|qFqj@u?gCYwySh2b2f{T}a_Lelp5FR{KsXQC+mi1JRX6i8^GWC#Yy=2-bHL{;NFoj21gX7TarrPYE$zWyJ zb`S>%thPAVSbTS`VQ~x1)XV1l=l0^Y`3LgN>qO;Vdxk9vx}j6n=JdP{ zPQH^OFT3NdB95o`Q(ti6tbl?Jh_kbS#;sN<-I$bfW_xq>{Bey(cK3avgQ_BmVg2=! z=#nUME?CV`ZKJ<@DWk4o>cVEHEIn3&8rHskYQ!D4nI8-}A;gAOvF1pL@C-Syj$}_qXB(?yM)J`YfL_QkO&3}5 zS{u$T0(@F$CwjpRbgNxW2r>^H)zh$K!LkcL**Yl#f!SYZ6UhD&;PnBa?JhIf(LQME zDm3qjPrsVq+!N;6Ez$~ud~Y-gXwMpxm4{8~3*UCBx)b*ofaALeYm8rFYP-HzwrIpl zIkQR#z<#B+`iej;vT;tSKZ7f`V`kbUBWgxDeR|Z1#*WqdjO?@|BOV=Pzcre3&3HFZ zP`BKaXl&_5ZlUu)bQlyp?CHnU@Q7>`36WILubZn~yyqLwL_X?n;RjCgSQ`AD;L( zN>-w$iwI$i$xT*_K;0~dXA@YIprNKeAY{#JVf_pB=zDJnI zUOrp;z|M#c$4XrmrMy^KA(0*}U3Hjm8DV*^xZp}&v?#NZ7YL!Gzoz$A@;_&VxpqFq z&HB6?u_wwacCJBx@O+azw1LR(3T7QRpx0TB7lSZoNO#>G)-O!1H_8j3q zYMDVNe%QJ6anp%ll@*D{ND$%~b{n*tHM931h89#B+bY%uSx-rBV^%Vz09si@f7`MK zqkN62tcLbXbcXx$l^v;-K^~b#%-ibjOro1hhX6y0Zi=4o+e{LtOAI0vdTI;uD}I^1 zJaf>WXp%?diB4;v&R>b`!!yr#z$*6xCPedq34QXwJ{bV^IRR$yu-s#5y7vE6ppPdy zrGXM3HPtImMOyzZ+$ZIQ#+ijeMuk?Pt5~_{+nbLLWC-{vV*-{_JFOT3e)?FRv@(sm zu*~vSYBbARYJ+$>Fm!qA9;XA2uKp#XS^X~;tsWqS2`qBmecDk8RV27gC@ev3bXnRp zp_O^mkF>hZT&DR=Ee7Ap!nX62=z-e)izl`1YF3uE|AKc!jCpHE_WLr4Djh3Fn?0zC zzRsIHmM=0*WV^D^^5OZQ7ADYk^*t|)rQzzaUl^;c4pvvjqx#I zNY3UmNQr}6O3(kW!zEXNaEDS?PU=NRN z4|Q7p%O_Bd!4@Cvjf$Xj8O{|qa{thv2&o(1&I_sH9L;vEda@&IY!%s`3-5XZ=_4)) zXn@~;GWv&HUyeD_U9QpzM%C*uk4Fl58x6{*U1tHT`#0xFg{_eH&GecA;VJEC5yPhKk{Ue$cU2BVx%CK> zU4fYKvhaBnZ0hRnuCkxsJ=5zj+2-h)a^smd-FN*be+H8MT~X+AJX&*)^~83|&bw^E z`0SC%0B~JZ)&44D%~+n*HrF#)pa!_Ih8UL-H9obJd{(evXpSPpyqM) zyk1l)te1LDm4a5SYEQLNt;qaeAyuH`0~ zBTsIH0{T2a7j`0iHZ4F%0SRaBA0xbYqQQh4+2j!tahP25pT9N#S$nowkIN-=S{&bJ zT<92W0skKZQZDwK4;5FEm4DGH1?B3JMc0MVQwK%4A$d?Yy@Y$V!9CEppUD2T;-VrO;kz_D00=mECKKz#hpS4f@0X7 z!e0r$40DqSl_Ck`io4I4jv@jZy7Bjwu&`_ua3rJh$M?|D%(qy?o6A)KayQ}p{FO7& zAfqxW`Wwx)6pq3G2X{v3Ff=mJVkUAaWW3pjge>s3?*2-iup!Rb5J@&D*-cM^9fwOe zj$TQN`$LI?!Hka5kxa0UAWU0km_c+;RJd*-2f&qCBy6_dlRpZ`a*t7Hq4Bu4o9?C& zD>*dKNlhzFO)D+-v!xC4n7h{9>BVT>cztd#SV;eZjP`GLVds7VS6q;AQcLb06KTCw zz-8o`AK?S)1`wODx@r}^`!OS%=3Z`)kV%=W5QP3gJSiTs*dtPfPA9PdE)vh5yNi>@ zm?Y*=m1R;(7kwDkmS=~kn{2|)IE{>C2hDde-?G}y_6u(6k;a)f){NlM?0x@?Z`WEN ztK*ll|KVk3l>Hl2n8tR9P+?s;<(#I!=;#7JS^~egmn)yG-=YQ-qVGmS;Iqr&4Tnc1 z8EKEWu!kE>%j4HAAR26jN3T;q8nuf-tt*rW@E3d{{I$y93mFvORT68q;s#xX>p`hb z`VF|3q6)j13h7N)NH4;fCR(1%*l$j!RPYf^8LV|7)WygTySZK$p1@hTaGKzX-5#er zH5l11dcO#+$qoV-buaX<;q}XK>CHRVjLLAc$xsr^P_81+wX$3)8SMBzF7e!FZYkYY z`rgmC6cm*mGOy^k#GwLVyxw!V@8I`>;2A$t-4hC1il}?<7}x0KKfvDWJVDi*5|Cp$ zOn61=HLp*y!gwMpWuienKoqpc_p~h8W7q@RYFIpwL%FfiXMFhzL50vHP=V~{{Obyu z0~N^HOF+`Gh4!d_r_G}uTxK4Efd|H3cf8B7jA4D~DFu*e>HYH;A{`*jHTq?!h) zhJ$(}lMQ1`9?Iz+}6@0)#Kjf5m}g`B3! zl+Fe>aHgX&rPB!e+(O4PlWGTpo@=wqRnf*FVTItk#~iQ@S&_BM9O@(EHcAPR{4anE zxnK>0b61V;pO2cUf*+Z$zbXtt{y?%dO1v8X#F|1z338b(+crS7#ShXzfBO zFow*}^yw@&1Xm6PUhvH^UuB=5hlQBRXFA(S5C&ASE8%{^B9RB!z#%7`;;FkN(z-e2 zYLtX0uVh47nYsu+&L4LQqMF`p;76NfSl>paE++%r#4RF@)wgErjW&aKDEndX^59M} zaPLL$bUv4dJKu#nU*LYK5U$3R7r>pba3A5XDM$bE@*jK7dNG~9W%A)(A(m_DP@AOS zSs~g1*M;oW9hA00ARqF9cv|~&n}R@Ka3L_O0D#E7Dgq=YmP!R3SzVUewm0=iaeG-o z)Xvl+VK)j)H$f23qV651l2;Vy0Z!_HkQsn{9OjQzZ^wb&~jWh6h0b6&XWX9 zqq+-jiA!APSrexOn#1OZ2&0&nPmZY-tT8B8@t%oP^6*3MhKs(`w)9>vuORR{(%kQ9 z^8M5NcT~PJ`ETW(cis@L(zS;6@OJN;ycdzzmvc04i9aQvP?5fveP51D@#yJxA^&v( z2a6db38kA}k}u^qv*kGxqb|*sMW(s25^1$pvgS_m@bw9yN72Hg09-WI_z6oi`z3O< z+9nnCK8iF*4%D;KGWZSP4S^kydPL}EALp+*5-1srh}uLJriOk>^-Gg(#6y}%{IA~k zJifi>g4%>%y8R8eOli-gz+r*A`Ow1x1_9;sekMS*)JlVdDIbZpmu2I?@!-D&eCqEG z6zWDD+OJSSx?rKxdmiQ+G|+?jkb%jyn!`$8IW$L$&B!|taGl=dH8Za6`zvq%-Sk(_ z5lm?kceT(1!J{YkN7jYsgnf9qb3Nq78(@PTFd4}na$NMYU&~xrgFbGLdDrP3&O6CG zxT5F$BH#H460MLMf()B(#vCSWQ&YSC#+x+QTx0habr+X z|M6jK1*(h8FQPn`z_L z()wG-0xbs*-1=)wPQRWaolX>XjCmB%vBo`BlEX}j+1-*IjgpHr;v77K*jTy=N0k(^3EF=6=I2%jLf zpfzWYu6i;#q_Ksp9b^SEgtD*l=YWV{Qys}ZCL`AEa9flc6!HV+{$;*;LHmL1a!Lvv zB0ukLk3a3fxST05*s-5-fepBwYiKYp01T&>2Xbc#q@`SW_OxCFO!p3mK-BJi5HGB! zb0V1Er>P(#dZEm%0b7Tsfq1Jkt`^1{Lk|PL{dsMyiYmP`&9zokQO~fNnjDj{UU)n+ z^LG;%Z?Js!-q9NULS|BxHQL#ua1?rqxr!x#p%T z3sT&6u?9fUO?-PrOCoLWnr<^OWeA|s>~R2tWSdgMC6Qa@eVEj6>C*A3;c()*Y#*P< zp;_@xYJJzpn?7xIg(sd~Jh(tST{`?O+PUVO*OzWGqe=zHPUC{W@sF9$QU)AVc`Y+3SjNZcd#$L3iyX-Y^N_lys;aX|nZ57O^l zDaRl;PVXxXk3Y{i&wkHMl%D(q*2Z*Uo;8x^O3gEh%I}WzF-Qh6c-E+#bUgCLZOaL! z5DZD;R$UgkfuC8kQsbGfjOS!uoK4 zLRA3>ZkOe5^gwRg$w;}1FKzu;Lk-9KK5~arW37CT=C7p~)H%n?$PVR>A%g=o3K(z! z8RQ-q2%_5MT9zLWq^QGR14NNrax1oXOpS{lVOHxt9agQL2?&XKpIZ?$F?)p(Kad`#5F80&8ihZvAIv zuLQI!mL5yqiltMLLT?--?7%^cc@9YE-nQ6I@ukRpnM`Gx>2WVpeDB%{U@$nMZl*b8 z3TviSflQ)olj$fo(+8>Ohk;}<29Ug0Rj3_uhgh$(Mtf*|I=KUb+mQ4_%pQW{FVS+Y zAQyi!&csz4hlI#?KTZXPj-pvtc}rWpSnefYxbx(39A&q33uHhB_HXfNU|t#rRuh4) z*0_jNlg44ze#V#)ONcPD#~3PQ;;!;6<>pLEpPl6Xw0T{eNTH%GfjgNg-eofVoijP6rDd!PTz|y!GZfxnv1ZbRWWBCTx6NxkJ`v{bG$3gaLBOZ;G;a2#( zc^+oa3RikVrK;EB1B7Zh zP9SIJ6IHSYY)YRREM2Lk1p&D}Vkq}nGVO=?xU=b6+zb!ctR0`#X2H~0MmUwf)xA#( z9#)WUt^YM9fb;KZPEauLQu?mQcb73DwENCcA|9?KMFZPt2>3Q=6c8}8xQIMm$UsIq zH&Zliaj6)y-{uZzUx)bv0+*c(+%U^sY+^xdD!>K`LatNjLu2F7OJCT0V%9 zVCr+E`qI0Ck*Jnrd@>A+44Verfj!QEXAwSgYjJ=gclZGO?Y8}g*w0_qAttks4zb(+ zp@V5#!3g=JUx`0LN@r1(4)hsPCu6}M2wx<^41^=W03vM*MOr7BaUe9Xf=KRR@VYZw z_5u1EJRH@?-Ldi~(h&gzO60UPA5Ju3GqSIpAkD`_#a4OIwWn$6`6WJ&ujauhrH&j` zlO5=IU(9}{LFM4aq5!QHQBCd>ql;hX759p=**NoO!E!Z}3(mXSn0F)J{UlP<^!`i_ zf)28;2aCQdNrC-BcW+0QFQdinz3h6pa!}=M=p~i6AA%Uef-_isAP8FC$r4`~KeZ&7 z+DfX=SeR;-sP&RM@%53NGGEGH5vY~{fkk;biNa@VLrOcR@3-pyu4W>l?=#V+^FJs^ zob0047fcx=EoUsJ7olh%S6nn1EX&{$A2s25MNL?uxltgcqwE5Cb}II9M%k&{n19<& z6}8MD`r}>y!cG;HcH6F<%F;Ha7fB=-HTrg{#`m^UF_{J_4ZE_(A>KdmWSRbC4*A{4 z!J)O2Weh-xL+E0op}R)pFPkz)m@@1%bKkb;*Z_!z-I+~!L_v$7BSo?ucCGHEu)pKa zf4j`xr^9J@jW$Sq*pSVj^~n!$e1%c=8KuLb?BQ`o?-uzmq?4^p&wBkaL!`{iB3cqS z;8eQZ+|rMY*=}yk?xL#Hk}a}J@Jln|1yi6Jh>d6Ih##VkA;By+=$gq6xo%E@iEJ#j z_=~@H_8sgm{x}31W;)EpJP<2iWIQsJY*CZCLS1g4O0AF6v6-1m01&|Wv)Ok?atCG0 z7|9*dTBsZ?FvCOZK}mon$IJaMj-E=!!-CsTv;e3tFhXy@G~B1GGPcDAT6VQ*KLvyd z@I?)~ER=Ha-tpChCV2hLXQ*9ETqq0UU2C%K5<-X_~68>)bKcTUUQ}b!61b3 z*6lVgF6U06DiImuf+=5@6xrmFl-=(J%FH80NFdl5e+Rts!)^rooo%yxozdfRX`78T zR@8$*-9}AJ!mzW|V`#|YZS1+1y6CMfqGG-D&x6gh@*Dv~1Edih(%sblGKd-JvTj>I zh%JIuS5j#wl5>UKbi3aBe+ozNsK3+Dwo|aTMC^3hYA2Nlm)M5TtU^$;FiyIr9YgH~ z_?tp2p~~xf15`PU`sG!D?4zEEM7qc^g=|Z^2;7ZBbk*}ZsXot2^?7~e`70DE;N{1F z?ep?_smK^I3UGPQEb7gJJ1b39x53)5Vn1l}Pw{LF;`u|;vmaC(3t)Z2gC$Q09Hp<1 z&KpdtQzevSw-QTO_8)4qA|C%EV4ErT1#CarznBz=OO*zbss94vHSE4*zkeWz<&tv! z{t(3gD=bh@y*z@OZQMU|r|7ogVCGqb?~?v!Xd9w@QrO8G2H#@vXT!ko+3qNh?ItVR zHPI*$3PoD#F~f3=QfhO4;lJaZ0LYI^;ywAqXM%~7BymMPaYHciEyi#5nSZJx62yO|;J?F|rT$ykUK}sP_Vj0Eb$2f{uP`#> zBghPQ5-eAIGBY3A6QKG13@ftSYs89|CHZzB%L=j>=B7o+2W=I1#G$?KU$QP(@(YwC zd!W@v1d~rAIlJ4)ckQ(r(`!SN(eJbVrepr@QS#(%@v8GEpJ-5oXx4B5=a-&4AkJmr z>}J0`nEf8I=Z-i)zg>Y(f?MFCV1ZT&pq1ZUl&m6|$&w4`ld^7>uB{E`{5(1JE?IZ$ zM(-t-MbA=?*pXoN-lW}aWZyI`LG%8ShN z(;>(6#cHT9=?t-*`#b-S~*aJ#cz z+Z}y3HAFvq?6AdHK`34i05248OCd z#93bt_6wH%nzQ7G=45g#U0-=ZOkb2^n18-0{k6&pvY41gGM=j$ z6VbJwf_{zm>(0eLrrjuZtvApYjnxjB6z2K{i1GuxqJeYjS(!v#(V3aqvz*DMq7zul zhU@L23l?~dckyHdg<3Z!Dr)+ZM_Z{4n5Z8rimV>Pp2R=m=|trTxlN`$vp*GST?q=f z;vGi*zauW*UUdlDnU75G-d*zPl1QugC0%w>WNIt9$d@T;QFxj9IsHaNGXNR6WwkI}-O(EJA(_eQrc1bO z9`RkrQrDU~{$#iDCs2Q6?Kw1NLs9nAh@ZxkSU zFKt6@!xk;3*`^!4AU*#tS4vL7JAWX9|g$~|eqa@9rdVMC{=gdb$p8IIh{ zy}4A^#bzH5p44?>L&DuxEY-O?fSP?2UbgC{a<@jL^~aiZ5qF^`U+OxNk1QUNq;6GQ zP3n&E;JV3FDNwTKXqM0t;2#HkY09rnGHnZGXOL_@$IGWU^r|0e_9zKyubwCg6a0MW zV4>{0ejCvbL)q8-PprhD>_Q*@IacO_D*-Y6VH`7W0&eCTNN{GiC=j~E?>=hTZ%8D7-?UP_NUO0DemT{{ z4({7l&nsh`xgXc2b4V{!HwzeIm$(0>^3FerbA*InuzIE6 zLl|9*GeVRpDz8>f>T3ze3^t(JIXKN&C6q} z1dLr@8J^yq8kwA!ml`RGwBAW%YGg{6TqcCtQ8#&dC~`(G99H}4!D0+Z&se`kWUzC} zZH)AEV`caf>y!x!E7Eq06iRI@*P(Cdldk*ig{Ov`HtjszqDudRPbSSLcc9N?>i*7; z!n4v<&fxcC9(e^>)L;)x@3!o$Dg@5(?KsSGYL{KtlFHn-l~0}Tf0x7FHO^g&#)q;A zpnG(&2eOyyr>Wn07N8yZ{t+eQpGFBO4gC{F1;*kZP;c9_>ADEGB}!Xng_1SS6Vi|A z6DLca%#^CD#gyEm_<&h@3D?p7NC>b*8XUf0LG~1YAeWqy{&eXx67bXQAGFXb z_IKL(i@b@QtK@D>ANwb=&9mR4FRsWP98$7m>dqnP%|C&*5$!ZH^GhVe zE*u#Y4L@e@GSb+7LMh28{4!Z$a0p#mMozbm6VIa#XB^<@P=M9jFEUe*buxLTcgIGa zBzz2EiaoR4=Y$VVm13LeV9HGI9(lre?H7HAh|J9KrkdXb^1mJ;|1Zg}6(B05j#Xrk z!nvPZ7U+Kvo^RJ3_xV#p1!JIG$AD!gDyuB}+{$SQEZFsxjFVH$I7u>WHqIA$%`JWl zdrKr?9$&8xb`0Sr^6uqS;X|(@eEk!ZrH>* z4V0Ce^ZXfEJ-0qJICgeXk~5@p5s59AlU-zk;b$TE^zL;!1gFWM>h0#Q&bjn?6h(A& z`9<$pen?n#RC$3fFzofIZDU*BDN3HYGMqd%O~jkaFeXMqJ=;o;of-=58`p2otrry2 z*5qT}sC^@GqKDRx0LvI*SU@i#MPYGT^O4$OBflk&V4ZKjw_aeJF5BUhggE76*>_j! zowD}rl~H0W`_@W}-$uK&vRQv`t(?zqA{wb~tz1YbQhjUXBK^I+vPFOIsO-?+J1aZ& z_pZuS`g?a}xBfm*+0So)C0Z-1h!7$4PlnV}Xbd7LKCMFUkjKuKSA$E3CAN)wAmNlq z>pT_5HFWmn4!tb1JTuS)#(%PxTizBU%5wLLQ%}hyLIe|93+-So$&Lgy( z5UN~peEO@-vuPznQ)b54-1y5n8rk}8U~T5Md&Ieb?9`cjxv6%?S(y_~ihS!{YHh0C z(P$4fwY{1gpZloJtE|*n6}P-|?40(=Rmq`-)T=CuoT53K>Z^*5m5eV!S#4}q?iy>H zMYAKVKT{kptSq-Ojg?hUOZ(MI&vKqqKpLt`*`Fd6G!ZwBa3Jc0}5KFHn|k z6m||QJVnCL>moUjIN5Hg)!yD%z0HECdj=XZGY+zf9&+ck=_4&S9zJrcWe-IoxA!(w zziV-=Lo&PRAXY*zWe-CH&?VP={lML^OZp+*(QmpV(t0yh?Ve+y``<{2PHW7RuKfpM z*e!hIkl#nAC^AnN{Q%4iX&}2=}n2-RuP?>R@j8xcfE3Ln}OjWEqk@B6w$sX)`nBB@^E*@tY<7BgC6| z=0{ZQ+zH47=wt8h5`FBL52$!c4GyNdqX@8iA#YG0WAKgl;*CBRY1M@$cCAd^MK7VO zkAr|l2-;8W{8cpa!%dOfdZIOdjkM~uESb8vJFjMyludo~4VWO)f zT6j^T6HCZBRiaqex=~jUb%aE*ns=klC#qbcRNIqkc-<>gccetI5O#A-C+cvbfP9~< zqCtkUz_+ch?&mlnn(oAA74Zz+pR?=n`BdLXKp%GL5?QU}>2|mQwR=NwKDO^&2~49F zqd!GfpI^^htaDGIcqba;`9^Y#NlZq3BwuBLBG$`v%P_qr`i}XGRvCKx^IxJ=7M1i1 zGZgpN^H9)a+>evn-2(Qig7Wqvx4hLhl3;rwfP@Ff$D>m4@ZiwCAwk5OpIN)O{GfR0 zBBMb60RG%Ol3{=SlgIOD!SfXtPs?6a0N;;ZRIvdzewTh}rhkTC7R7=&#<_sY?gI49 z{*%EF_)gsrW|#~oCt2w^6@t8UGpqPWeJ{9*zR^i@^7=;XJnb4$`#jZ|VmF0TH?c;U z#3WzgNi@^$dW>ZYxkQ;^*=RRbme(^;O(sx=jGNHV^YWO6%(a$tT%D=aekjtqUV4)Z zOfC}|?SJZ_imu~O5nYY)V`v`>8X9iiQ`z5 zzh&KVah5dGVsJ?sops1nKPc z=u@Zz6Q%kjTYFj=Y{zL@RRn<}v?BjKl3$EV>ywA)W+~pcS)u|_`~;O>q_Gangw80FLTL6$kv2K2++e>Z{M(S)R1~A&?8?Nh*(W82n(Vil z>|G7juda=fxzXO^oSb5kRC`^d^>7L{Ru5XDOxYWq>%4+HCfG;@Xi9IVb;p1kHiNzWXvWgzF>Hmupx1O(;~%$a|~7-r}kd>F>#iX+TRIq+V5dtYua>1XnR4J!?|p zjFHb;R{C^QuVl&ek&$Na1N-WYl{F*H(_)C|MQ)C=3lz?RCz!UP(_$A|9Fk_q%6JYy zaSK|(g5h96%P$yJR6x(lTw7u-TNoZ;N458iy`OJvm?Mp|(l^v(V=P0Fe1CgRHN4#~ zFar)@0(CyesTRM#%$}q-b(Q(%wIg(eTIThNKYusak0MiqGP`5r!ii_Bbh`=|3?8enHG4h1ZT3+L0G05S2L#v}1(dr-?8Sxh8(V4uSE=v#7^9fDVzooi?2m z30);fB@b>)e?1&aErFvyz#yuUErtEYGir?5OOwyJ_zAD4?~y)hG;3r`l(O0&S?Gar zU48`NnlmOOe$7C2biH@+a1*N857ngEkQ(6v6j`CL%5F>_W48PR9{ZN4Du@~7hSPB_8ibb_Zs6R=3NEu?f{rWrsv(o8EV0tF zL30lM&0r&vEf{2xAEOoT6Tnb&yESII^F>6u;8@;Zmn-eEa{nCId5B47!%Po(NEvQg z0Do<4%v?j?YyjE|PU3KABeMg{EX0Cp+WJUqTDbs>4LR9%aVe^8QCumYQo=`7BZML* zW}3pxB$aU5Kw<<+W(lJ4O)HHEMV@CCO>p+!VF%i$YJH z$IfrCN4!DK_VThFec*cuc52tYeRpLS5$sO2ZI(W(NQ||5VE}ffMGIdUj zjfvc{lpwQi+i|ROtkjK_6`@G$TnT4N|H4WU6A=49CC*&dOG+$AA8AdXb}KN%KH|Jt zfU|%}4Gxd%kL{j2w*mM#TCL0_W2bMPzFRWb@v!sESHigKMcN*xoyPcg3+D`= z&^)LR7p{OhBe(a92?0FRVzr#S^^w&Jr&8%}o~{cu)Q*j`iiu8op*bYZVaz(t^D;?! zGzMb4UOEn2(iB6}rLRNAS<@n|ap^QztQ-}e6F(QrlER+Rlj651R=YKF>!Sz=zARP| zLY}lXOtodfmar6~bPGT7*=ar{w|uVT*E!MbGzt>Uk=C0)8q0S3C-{LL)7DIbB^=rJ zlkOA~VFMeMbO)-R^l%$*HjF?(TFJ7d3J!_1{t~bVm&sUV+Wu;&X1ylX&Bn^8HH+ae z6?UcYmiwMX=K3$agQK4g?NM>7vMYmP*cxSwIj>FW@#yCba;3N-R0{7`O!H-0f=g)ze|e!8*t8GdGK66u6_?x!5 z-5+VapKwFwrpukJ+Oc#GZCI$9sJqUlmwW?tgMCXk1!C#B^{%ZtW{a`fbcHP8nj7r7 zmrI29hdp{S)^^1@W8T- zeUuDLhi3eZI14V*vDdl}=!X9ANxAe%IM(vz`e9ZVv^<C{CH?;T~c=Ss-;qnArUOO$JGLS(P zl^BG?Zg!;+5{(V%BTyDLAsHHrvM=My=-kh)hulfmx*kWx%Q_fCY9IFCW6r7_Fk7$L zPlJsLvFsUAQrJSM~x+uZ{^R18;Wo z<2=MmG9HiAUSi}kK7}Hc&)2z$p;RE1&B~Kx*-k2-%{2E8a1{)8B^|)=_A&SCWEDlbJqas4=3WyzPjS8vKmx#nbNH<)(F_z*A4f{~q`VeIp zIVC;v8)-kBoK~iO;;`vw{Ny!j$_eXjt<7kNdqjH=0>qYWZ&jPq-m6XQxTP&Pi?|` zg0D`}Ove69oV^3Kan8Gj!Ir68@i=Rg_3)^Zgg3I{0p(3nk=BWT0T-ds6^1zEP(#{=N#!lR*UT7Rl0k6 zW3D?A&$Z(st2a;Yu6+~U#Sg{zkMQKr77!HAiPX!g$PDp|79(qfk=uv*X(bi#2hc{a>;{?R?=ZiiwtbdRgL9rj+Djy%!jJ73RCz zH?F=))@NgCs^65eA9jsZy$3$E>{*G+Q8O_seTaT&xwvwl{nc{CzTW<7MepfYKV)9I zm~DKsz6j96Jdw1C^9fMHONI}yk0jeIJf4mhl&Q5{rLZE}Z{uNahWlpHVA$feL_UYP|75X`t zGocI?)ql`2>9f$RFAq=Oj7b%>dk`PaJ-e+mom0{;XHD#RU|p3y{pj7NR~G5kiDRF0 zbfit}O&JWe+2YzqA~&DP7v1zjx(Q3=s>k?YhpD>H!Uu*%TRpFzW)%%vj}JFyN_rY* zO}qNz*-DBieb!smk61nLkdKQD9rCTW9)E}GAGc7@Qe()5V?<+Z4~PBH|Ka%5Gtv!i z-;438XUCX^+KrL69^&b2EB#G&Yj`?`?5Oa5<{qctC zx3c4i#l!9AqxdOyeq&~7kuHerC#P=~KG}=0%Geggu-I5R0islU{ABl_G8Xl`II)OJ zt^2XJT0Pr~t?BDU@{0@Y3k}t;$7GI-W#*39J#I!Ebe?MHd9Ao%`cuMTL-1BZx&+yE zbiY^vC*^89_*VKTViHx2wbzv4|CRnGo`r{8veeSoeoeo)vHX3qP zJ||s~J((Wq5c_g{`irPsbIKa*&B8i6#e-0XooqNHKG;zENU|(fYve@(w(R5eT)%o8 z4l&xQAC=Ko*YX!8i__8Loc67G`HmZ4LwZtU2J4|s1y?h*MphpR*pC@_JZ|2=3=yNF z>Wdz>ih3x(@S{un=u&Hh9gnTFD8`_`$D?N(xz@|j)ImzFelWH{J%BaUOlrinJcW&3 z+n4?f%{zl=GK&{`LG!Au+P@|zl6HLtTrgL!n+{96T#Ji3911y^QA=*e&mp?*N zFP5hM^jT?Yz#n9u{ib1FXt$Y-r!vl?rqRTEvJLg*XCBx>D0+7 z3Ej15F`q+gt2DaTT=g%WOB77@<_3cMK{_7|;c9FT>wLLZbU#F?ZsF7N*m>gFjEH~N zOnkC^#89kEpI@HpD{9-^KDRP4lLcf5ha7LX9j46GDrg{|%y?4+^b4_(Eex|9Js+>+ z3GY~YywV#7t{pJOzCpY;S$^Gr=AM!HTlnu`mG(FABlgB(t9JOBLm@iy?UCf`%$r3Z zT$*~ePW;KvStojrGgDTQy19^urw{ouX{=MlqhXCll#ifU!37_eA>Vtt#LDzG&Hb&B z-`>-s@*|1_)2GoV#5T3!>bP`w^d*VpPL1ji@&4lvd?_Z|Fg-&Wg*a zF>^W9yqf+c8Os5_9v{&`<5t!`aiJtj;J@K26swqvjVhz^dT>z1hD~ zc101vwbV*~VOo89Y4j4S(8aWYniy+kxg`dE`T|x0&nCX!n7)`P?GaR^nts5zdRkd|7nryz`&8so6l5j43yFRMAsj$^8oqPA0Qyl{?&I7 zUNi7U`{&8FYS3R!k17Q5F~&{fLe2aZgcmvhe!=uXPJfMVZ!o?4U!-@wcREIkkkfLY z^tKThvWq7>o3DTeVark-|H2!)J()aL3z~TQoh}u_<8UTlf9>J2bf3sHDOs)W0eE${XKR`P3cC>vdui!Z0_Jf%JqV1=$3JOb{ zj!d_HF8D3ykYbrNj!S;eA7g%si3t-7(#OoBHM z2E&e#+y)-K;naBWrg=G?DsmXe742s*Sf!5g_A^RMhMA3iZX8tU0Mrfv7qlj}3*jZA--mDSWx-0qK6_fcmgj$j%Lr+TE02D@iYWOd2d z#&LbMZzP}H$zd+3>Hco5>2j~8JyO#nf5jZ<>liFkRfR}=8cz;YLiJ2++3qtcrzOuu z8q{Oh5sPbCVg`$>sLY7RV;JC7ovTZ&+Wu><^0bqaX@Snx>co)uBRst(_gKC@Y;BJ} zrrP+MYZbX~;1cQ{&!}*&`ho~;yj6NxFUWz6EgtkOV2yd9Qx1lY`LpbGFv;4l%O-Hx z+0zup{wKyszGNfmS|&o4)yyNJkkvGX(RfK}sFjB%Fp+2Hc{3$c`ihVzQ#VKOk^cA+ z%7Js|f0_P>o$FC(-Z_o-hGayv+@O9l<~xE6L=t@71wH30E;gvqMBy~_ydd!rkg#eu zTmS+Kz(9`xsy;MQbnTH=>h&V&UhI_|bbtKy)iWrz&J_ES6noGV%k_HmzcN#SeUKHl=dJk{ z=v!tTTzc9^Ij7*?+m_o0LP7+Qjy69|g#F{q=f&GNy~cT$M*( z$rnql$5%`8K9+jrChLh;0B(&NmO`b#OFo-=`?P4}2b)A28bfVybh7ej>+Zy1vDAxE zPRAObPI=I7T>s7uO1C(z_}|36dwf*Y)&HMKCJ=6(h(V)b8*OYuy(I#g2+<5Aa7HH@ zMG@-_MJ?ZITZ9=v6b;S{WIT?gRx7=#eYB;mt+rLf8&^%hT1C9^Xcfc@XN(H1Z9q`+ zdw=#hb4j$n=lQ+9fBbl9=A3=@b?vp+T6?Xv*WTEINoGy=29r?O`ig?}`~Q8s^k!bJ z^d_MlyY!_qJ8U!2M1>~yPO8|@%B2Rl%fo>h*2<=$c=#YP9ztzldPv;Lf^ zYpcA?g)e^w`o6OsE=9YHqUE0vXJQp6Bs|6Rd?H0nth$is3Ff>K&3Wa?e^xnUOe^T@ zazU`vcItW&=so4RB;CUK|HAt0S0D5om&UyjdJ%d|lmdi_EokcL!rY?)@)V4n)0_f_ z)@DjVJ!^xX*uRes?!tzy%~Ds8q+(>+H9Qwzm72VtDGWqQItOB@XDbdh=CCsw=GVfE zY@5zE(LwOqs~{B51XW4*FSFyb(Z+H}BlM>qs1MP0s1_BIkIK*ApZTt#iv{uzd+621 zArOejQi91lV*=4Vp;Y(H(P%ZCaneYYy6swM&J!Exxf|89)ErmyQ0On{>pT2?#1~F} zQj?W1CuZczY4jfHu?IiS3PtgZ%(FU*9RIT&{Ggm;Atd-V?R5Wk!Dqec`N8;(&+LZJ=RP6Vxk!LbKki8!MUk#G zt4B;X&VzHUx;w~VPwv8cb}pbpAChjoRO!D|`d5`cnsoQQ^R*pdUKpQ-9{mP{=dMG% zVc9LP246oH9qbMwZfvR}X3O#Qws z<`(nmh<}Gp#fRr3)87owcxXRf1RTxMce~DG@<6Q?JFul04%V<`_vX2^I+UZV>0z%C zp1_AgDD`5?iDgppqNp!xu~uw6eRRb}7;Wr58OwIR()|m$rjDJe8EI{JPkSadd;UD= zF>A*{U}>zT;#FlD>buVXx_X0+KrK&ya{g7u=wwtp^?f#THB7v0Y5M}!t=cC^iUvcH-v2UNi)XYa#r#oft1Lu56cdVr76!Z z;HQ+O5{LT={~lOR84f|K&gP~$!??=WVdqK zb$_;AvRmeSisGtxB{^E^dNUi9Q&D?U>oZe%rvI5o_|1yjS9+y%W{$##nQrWK?>6;j zhVbehMCYMIQ&v}s4;-zq>_(YmC4NG)PU)N@P8C(Y)G1AK;2-63YGPAr#3G*EnqxtC zWsZx7M5CC2E`uR6ACseo@h0@BH1d3}>J?3+}H^(a*u zpvCmry{QqEq@<=ab^n19O}19d!Ai6>{`Ttl`%Q!X(P7)B#M@Pap5<#!zvoOrTxl!szTewV zO6)GQ*Yx4XoR@pJGVmNujd^}A4l&h|c>bf5^{FuVgPWloQoymK2 z=j1{4b9tlq^ThJZsfHi5(|A#Q!{CmIlM73DEm_IQWXjXK_A{C*GXxUrRYQZR>}RZW z@X}k=zwCj_HS^VD7duzO-{0%Q-@&$77RMjS)0_D|3(xdAUw`P_I@rsNW$ZE6(&{RGh`_P0^#+|4~uVpN16O^mRp+XW#t3Sa9ZuY>j*_qn+-zbMnoIf542P zHcKCZ+FZeuxl32E?tdR4tbtR7V+XA~-)0DnFsM0oWs!S41JLO%v%764wMeEz<1>@9 z`j@#I@FX(pe?8X*ONQI&o>ysbCpr!Og2|}d9dn$)4NV!KGDx6VbB~=M3?PY^^#~85 z1!h0TgqikO-#di2?!+;f*duuH;AcOzY5II^K`QD@eBlX(=-Qmc=1M3-IFdtN`X#}*fTcn{DikX$@>Pg&3L z0x#z%BO863iF@x@w~LHaf1rd>D(qca4!j|)$4bP#)p&^(aNm2$jX$PpH=W7OC%c6@ zDdsr?kX*x=?Ps`)i{6c-cZjtsvik#XjiBy{z3ohtkMZ&e(bw2DA#Quax)A)O@%4xX zl}8uRx5lD&0#N;>uGgIfHiS~TMd2!*nlZ3B<95Fqe?L3~e~m@&_tI_mL)KaMV)qrW z$YApS2oLx5Ce3*2nb@)F?=_!@*!3HA%8kwMJ7%ABXdD}J<5*odjvvuQ#_{`pfIqYZtT5^mhR={iaL5TUuAN z=nN!iY~)=Nr+Hs}D|c#QWsV{Wk+XXaGcQ>|;G!ply?K871%4!ar9blJt8Cv}9vi?} znLv#AC0d%sVNm z_!=G=++>(q0e@TSXXuKr%x3*kt{C6;2*lloo2rR#+Zo>wBrOLpLyUR>GoA7_O~bKf z`XDUW?_$QAGXFcaV>Z#;6cg_>?me-Q?#*8lIzY{?HUjT*WP8Z#o|Et>N%;nee?^IB8SpiWIaM;)(twt2i` z%iPBx%U(rRVj=S)r(PCEr`t4~7bxExc4_X{%pS>5Ut@{S^8}*y2#n7}&+t87wz^Z* zH$>t#HV4l>i?Eiek@ul|4~+{^+}O zN%o*;jW$Zdzz=2J+)|z0K2bmfKrWX(vy#!m%UnxS#+U-p8cOeMb#u3r;@+|HKT^@apbOb2zZn*!WxR%&9lE_C%vk#PUJ> zoQ=c{dVyRqclRdEN*-T4|4qZ8|HW?F#G)!MU`x#k$7PfX+nE}3zE(jRjf3MunymEL z2bLoz0Im?o;?G1?UOV%|0ft$foY&4=08tg|Ds+vol8>pfLiMcAx1Ed8&y1-yTJ+uS zaW?uHJVzS3=RRqV>ZaK+T3~mQL|}GOC1W`3R#DBdA9~c~o(4AJ4cPso{CI)U>fa#H zYze}QZh8cv>J)IL&-c6a{Z)OxRNu?`f4@oJU(@%~^!*>qwOcyL=V#gVQDdix|0o>; z&Nu9$8C@Z_hk3GiZxWiwk&qa!%0Q>ryQd(z2{;P&G}M@tjeWevaEA5n&szHE(?IY~ zKcbfOh+lDkPUcPaVSVP8?`3)?tNWZtptt-YVscM5ivX+%ntkn7JHG8R9E*Z(l29P5 zo7(4t7iYvCtj%f3;|NZ3*q(H1{}w{FL&h z$G&<$zG!BhHM7ugUsx9idkZZxI`};FAhx3=)fL+PTKCU|k<=l{N;_g(0cS{qE$?6u}e^O-M>))Ccb0 zfp-`gri{}V*yVIEI)djbrBkm%Cp9Gvg9LkXQ@j|^)5NjxWM)J044VcQ=ln%&c5l_B zK6(Z#bYr&{=ZtUXd*4Jkz;EJh8XIAmQ+n{jjYX+RWzLd&K;G0O4ynrc^u#XSdY4Ka z1`yA)y#s0Sq%sBKrQ80}SQNrwv5Y)<27-PP&oz<&+b_huyZ@e* zXQ81;4&pIjOMd})Su%P0cr_q> zyp{YVPpKD;O1@{EH1e^Nd)5`l4kM~Z3}&~>5GtB(Dnb$8{V{N%ZeKx9p6K7T32CPi zUk@)GJQYM&cfXeHKVpMHNmMvx?yp~=gIYxdJ>lI-5|Uo5=dPtpB=yEWKs|rf{>&w! zMP|gFen0+!QSWEka_OCuDnZa25B>8Y8EG-H_P|eimlmNvG;NrmBhiy==O6?{Lzv{< z*VR-hNeT7{DtU29Qbu;lDFe)Sz99cOcPU+rqstsY;{}n-oIulKT~C)m4wLNMG!qw+ z689UdudaAPY5cpe(Er5n(|FfR%u$=&)h`;bL|I^K#Ho=#07_3GKQ^XC-+2<^NpUSQ{WA=Dx(K;wB9K)=c zY3hu1%acjCR^acK^>57j(n|xBj850LfMkVdFCi5<)s4AjCvug>Iy2=zWN#W=i1{Ke!-zKVBC^oLqz*9%QK0ojTZ8g}5E$;uFl6Bnd`L7f z_JV0PhFg9Q`q|W13XeX742pOE7#}(}Ya9m8wnFb))j+!OpJMq(24VTP{y|orJiXEW zl{3{%EC4IHQ%I9;+)Qp0nF>*m5LTRsYkVf3^zkRZj*TLS@IU{E%2W0wxxBKg_sFGp zY=i?cX7g_BGe78C_6W*8{~)n!*NOh{^4|~f@<^7hq#Lg+$j|4^e`+)#vesF*uc==b zz12p)TDQ@dl>v@>A&wPhLe>$_G`>L8V-|?C%StW~CZ@i_%T{$J6Tl&v^_P(#k;8{9 z{~iNe_$Ip5NB;1S!fS;JOtEqPW~I;6Ml z(v*MQ^M%GB1<^A7!$_P{%Sxu_e@xxq!=UqZIIg!YLziS)KlL?cSvGg;1CleeNN!rpk>8l<& z@uB~g`{r|I-~<8CsG|q^%CkIvL7ItKHND;+lm?%fk76Oa9<$?m`1kDg)?)wNoM|W= zk5fAP0XfEJ^QWeIfuvww?Tik>y~$1;Y^SHX@R^w~$;`9NMZSG+{-o2uGJdx>q_#9; zu)eX*>pog)d9B-`Dw!Jd6a60AjulM)4^rOg~MMuQP`_NkxX6zHP;SzNuXQqEI5IB?SZB9uok$nJL=e+Ci z|2aKf!MLLALmp+=PLXn0Y(Iar5GK(H!9g(=VtkIMBIhd|9 zOL8^$$JD!YDO_8wO*kSP)!qu7VT<%oKrrB4d}jkzehy4Tz{8ValM{7JG?2)~d-8cA_dr@cnf4RfnNK-e`Fz1_PSy}Ks9 zIdx{0JI6H8{fmC`q#v9k^X`~3v)}IT@8Mxl;d(*F%o*jQ!0UJpBd}HwCSq218?218 z-uN3JTTC=I#GURQpkPSw`sg;<8|I(PdjoMVf+f)b?br9765GhV56^^C$9uAvAzu(L zjiZ2;nV$RlZ0ERrEPIyh#age#EX%E%_%kdhlZxE!j23gOKgF>Acl}jj>b29y{o_E{ zu}Ef98PZYDYZ$K zvbxQEEOdh(%kF6XP8vhDsocRe#T_BVH5lK+aKOO zWAZ-jzV6n3ovfV6R}M2yk~_TQ*k2_a=jc=Eb*h+~U4CQor5o#L+kN0fGuP3@neT~A zFZJ{zGK`(046yAlbaQ&Z%X-|7Cwl#i{+wKLUgC-&dn4`kt;%e;Wh-FG63oD4jc zx>t|st1mGOrS#3;GB?CLh|a0oZ2EyTUuN9u>WgBZq!$E;7-p_k_|TI~qUYPrh~+Be z4A!B^i5&I=Bf1CL&e$I+x#6EUij6xUN)*9Ca8h=`XYDa()J%S^E6RFw!CY1g0lV*0 zc^5geyAc2L_9)vq;$+jHysKgdbsz2bb3N-8W^{bY0m(Z=TlFs5wr4zGO3{Gt1CiR?63%-jz z_}{A}NBWYsh8%HzvxgM-h4&48H5BYs5~%nua?X}ZQ;kbZ0eU?4^EZ`(mB{zVL_vg% z1o@d!rHozvSbD=$W*4rSsWd1e8nlkR27m)7zTTT{Ez(-UjMsf(Gw_0z*$Ekwk04?9kflKDo-kHjZg3)6SL}waB`f)CYJuH8`xV(k=g(z4H@!Z% z=<%;=p%8s<7qIn@T@u>}Pqiaca(^po?BuKswE(|72k@z| z2PoBZCVsy7u-ojVJWlEgci;)qez&U;WI!u%GFfE!d9BcUgbjp=q{k-kQeUJeFbOIS zLUE?HK;W7UpH%c!)v<}noVKb(+e;YuqP>dGAbrhzX!aYNjYz)3_lPsS))?QqH)QEk zNJ4VRnN+pBBs!?)X+m+mPDY?#(?@o~)MLl5r>;xkg4cbEDIIq=Q<@%ot5#vU@r{n` zsRRxfume`CJKX_?-xjJ7qoiGToEVw3vIKXl*5L!bgnBpYqyZWf`5&@=wI^bPR$>O& zYaEcTu01-ykRqerYYdpF`@JS8_NuWae~CYIn>WNr!*(nF7TAfPkQqp29{<$H;Jj>- zv%Hyr1EEVZ%_uz7KKlLC^X7DdCtcv(v~gq^*A1cTIoS9j8vV$K!sSW7du};#P z`g>j^Jz@(4n+;TRdgNf?j9suWSjUJ%sa>7H>QgXn1>@T+xepa{HV=7YSHWv>Y7-iH zW+xO_&+(gJDDX*qhcb^prK#hF>XKAf;VUxVYsyuaR+@UP@O41yg?{hwkaZeOs_$Gy$Q*Lu=@2GX7K1gkf z1a{ety}jI6H#CG1F@Q?(`Ov6WO}%v+TT^VQdffZ{!XGg^t%2RGfqz9tePSgBP**se zI8Mdw_`dRx!S0AP=@WFLbAA$D#5%LMmriOenLLvVDIZCFuI`E%B~_5D*3I9dCe(-d zA<^$j#uKD~y3aQ=CX#iK^hoz0)1&C6b!!y#_jolVehuwuTZU%jP)LNkm4%Yg#XtG= zlW)KWRu)oKMFw2%6TXkCOyHhf0#d{h%E|Jr>S_GxX<2#!DI}jid-*9&DgdxjnfUhQ zLTY%+xq`ICK-XDIUM6kPc1>FZM5v|pIwtD_P1fkg=zUR#*idSn{K9!W(VLLX=5Vb$ z!s}(?VtQ#lw6HNGW}~rExx4YiVyf@N8EQ>tyt1S(qOSC?uP5ZHyXSGmnlyx8#9*tt zqgJv^>HMD<5wuX`N_;lz6WPB6>*qD*wI5V!3}#gR z7#@?FfDh%o*A)g?-c5$ULyQH;NpTZdK!l^TfHZ-X+Ok6)nU}#@hwz`aLoLxR=qV2#U zcCq_}J0Ifn8}x;a?#)o1)63`K`OM+#S~J{m{8U1g9m#w}Qgh2Pl{_rvTewSJB=nWE zAZZ5A@kLgMArt??lMMP$d935{y;$(H-k901pE^w8IM=~zDX&)j~h zn5r+V;nnf>YWz@&+;hm-O%T#ykKRGmy4u2b+}a@z%y-?(kH;e{%J|$pM;G8jVLVs_ zJxOu}BlRLVaw%cyoLc!yd-vmHBjbH_ghV|Y-_k#?Zl|E`d%>7nB%Ggd5X4@W);GG# zZ&zTy;a)5%#^?Op#D`=+BR%?`T*sCI;ZBYBS@umu?N3&>lX{Ak{1rc#3!Z2|l21T^7$<668 z>C!AD;1ng z-5wP%UkxeH*AmrjzN&9yRDwn+(aF<)?#(V`*$@txb(^`J!FvN;2UJz?|8Ahj(F8Hh zjHB9ce6=ABu>-@Y2lbTa$3|nSRr_Bsc?HeR{6e-!$=9M)D3CD)fxEU{V(x@lYnPl^ zV+S}h_agV6AJly#Ob(=X$ATXOb`~L-t%E6+PheZ+kCi+4| z-HJfwRLy0&^t2xs(cvMc1o?aGd|!0X9iV>)L^?6i#T-|#$xrRiiw;e5)xYU&9lb?wao?@EPFK3$ zAfHHtw!f(i(gl52&tJ+4J&V)y{M%INP0j_-5bCU_PO7>rov(@pHqFCq@ybZTS5gZV zQjxg>Q)Wlx=5eZOBvnzt?liU-BPyrIzC?#?r?UGg(zh0*U+<^iPkL8D`q%vQv}Py2 z{wvElfK^L1wejTeYf&DAp{*BR9eiWjZSQ|*$dzq=&bqC2K4YbHbno>{OR z`U`6md2fC{xhQN_c)Pa&%Leb=m3Hu?6Qy1T#XY2 zi<<^>0o!)E$EqogLs^MiK>8d2pE*iC$(gNiJ+ECl>31)pkR$A{YTW7gsCuk83hmR7 z=q>^2`Ih-6KnJ7$eT!K_zr3Z-5=uu|Lbo5Pt*6e|7A~L9aM{enC`?z(L|e&Y=vd}> z{%9po=e^XKT~*(uVy&v*xj&*hv%lBwJ-=QYqbn90S-XvEp}Akz_-;54O7@rErYDrk z_UAO!#PB?Znd*zH1%STeQ~_lfw!{%zil?q{$be3wn} z`$6{*&$}vmS=hP5-$$N~(sV+NOl5zDqzn*PPz9t{NoQ`xe6Ai|9s{uf!GVLkU5KIvu=Dfvmp`T6n0e48P52zSGubb zM6azfwQOan1tZRXsZ#f#RV4c3wR?d5vaSI8YA_Ii1-wPd57p&;b~4KWBJsW70sw$lDdcsGZjj~!tA zeKuz$Bx2XfBZjyJG%SJdaQ zlnEK#8t&00fZ+Lz=v<}I6}8h1uR}r|+lkehab+%}^itL3-6(Hh=+*XTQ(M1ssr{J~ zva^`)A2GB?g7YJGjc4YUtf2u@PtN|Bx&CHa$>;a&UCCty_AVVT!AW`1hk{rEmq=8X zk$}uUsW!fU5Gv#;Y;gjXxkbUWlKO}J(zf50kjYA1@00OhBz?rmSOZX;*5PpeBB7{( z{zgSQh`%k}?a(0|HbUErgoqoOOM&ygn0v8Hcq6+DmJ?rCCzq(BxMPAyb#OEyW(Tc(;C{2j z+vZ6t{iK-zxbOI^V%kdnPDr%qY0Z@(LEbw1Z4mg!!pl3j&kgLsrU_6UTx@`1ul*S6 z!o{;Ida_-m2SoBxVDFIyNkQ@10lH|$aAd*t8m|g7l}0Cz^qim0W(MocC@pG6EAo@L zKeHe1;2vJl$DhC{UH6q!&28nZy>nKH%S(VSeb%rF#Z52)m30@rJE%zhN$twwxtd@vL9K`l@gSCwVOD_P0h_&Xdo740WHvX_&xU^BR$X+Ve&&D8_Dx4AD5_uB7cf0*B= zAw)Wqrw;|9rx2T*E5Sh1+0(+mAD?{AEuWY9~>EQn$ z?WG`D{iHn)-?Dyi*FavdX?A7xxo}UTSsk-MNNA33AO@OtB?b0Ie}VqW69Uo1LZvUF zM@8oZaySGMaZlDY=*5Y_~HMb45`fyk!~7k_GuUef5? zc&qj0#Hex2cBil^2%%*qzR$vufcG8(-c?JZZ^idaF(TdrH#6<;@X=ky6iLLZ!LQI9 z6nDSgJ5W+kiIvo0F3rhhoQ+v?v_!mM$#_&p|2FC8R$q=xcToFYQr;m2$*VbiY&lVT zC#R#wA<6Yb#vx_TJ<0P#0`fN?mhhP`hB6a)!~HF8l}r#P^!yVU$g@?Fi&=QvB{?tK zPc$RqR-v5&2IEh(5_i+q_|aD4YCt!>&PrS$5IX3r8zyraOdvzHZjvp;Mwgy$T!XfE z)qcim=4$y(?3>7~PLSm-^l=Xf z#RT8N?-u3RToXJJXgG8J^2rL5exXI`aZq!@4 z@#uDdc|6O`%)+o6y{XAe=d1g|0kTPW1^U%zB~JCqzjqVm56PDQ+d{v56<w4K0mNz^1tmJbG(WR0X8mt zTS=h_QYR@=mxtE)Jakv(X1 z>f7Q9%A`j8^k(i48Dxq>+15v#haMt}`(Hzu>vZE0H;RS7Zpe_%gACo5r9{*G7G<*H z+Ad61yY`AMJYyvr%_m*r*ZA&2(1E@extsZFc5=zD@L3ajTOH62K}QL3^HC&yMfGs5 zIqNQNL9CvE2ZK+?)5gH?J?{~+WK6hD3)Gd4<;#_*ztZ&n2A%bjmPTS0gGodz8 zGO_&eQA#Umnhr;;hWQezWO!}tN)eocT2njl`5i7_$aZo`cQ!eYAjpKS#~5E5g{bwq zXXUy#Ey#UY`w1vDa9F6bd0+squD3#+lY6WAv%kvy^{2oJ&w#||^eXc)i=O%oKk0td zA794}bW*w-_c~?9f@3A0A!Fus6r}Fav}E$v^<+{cz%&!;mN%}&Tz0&n^JTxv5gg;ZwT!X_qfHo#SlybO zFfa{(iasvYnlo&k`#Fs?P$>{fEU3yp82P{kU2Bwc7N2Zkj#Ahtqdg$r9ZSz}{==~9 zNvksmmTx5|kT1Tc%43$+ZF6WWzNgwsoMj%!AVERpKi$pzN*u_pLsj174p*{~38sBN0~7oE{I)gOj(U_K$}V z{DkVn)PJasY}*H4H!)b#%|#{6xK1pYOR?tE{>kZM*@^T-8m_6XnsbUe$bME~1xFny zkz#*dq^NhN{)$QVoKcAKR?oW#a#;|Ezw9@6qm z4?AuF=jB(dv1bGqAzt=wTZ$xQC64t#sfjT&WF;RUyC;8nbMVT)%p8PtL$#FLGQ_?M z^rKr%1>eKs&CFoW;{gvw(LWqI>9Pq0x0?iAfY97gA2I}1huggM)Y7p~Gz#u)=K8w@ z?c7UU)(T{X(nG#Ftf(j0)?_9BrkZel9<@E(@anvEt-w$I04PGa*FNC>(QDL7%%iM1 z)kpiN49dIj%IzcM2iQS1IceQW)+qO)r-j#j)S|3!MQt7BcWx6NhYUB?jWXR1WOVzQ z;1}IxhJGfmu%?TU_N4j&@wORjf;X?&lcCyft7QbQ`8<1acsLykggRRcrbb4+?>_mY z4>p9yKSQ3(!I>`i&Y*E*b%#-2mp5txtmIiil{0`FWBNuony%Qp*WY!PeFbi9J zdnHARGEw>(;rcgxT{yLm1riYoNs3MWP)v-oWoQZprSsIA0#=P5lj;LS#uVkcwk?OZxxp=Xd-NeNsIY2k~c&c@->& z4rxvY8(J_1;<6``Ye;=dy<}2$g$J!q?NSQ=g|Y9Fin>BFFJGiztgxMs#09(LY;JXW z-Aass&IkagXXE!U11$5wbAVrgu`R+rtG*ezs!|p=34iw?o;0ggb-kXA$$vDvnX18~ zyxEOgNqw`MsW)$XV_6#8+wRAJsg8MaUt%C{auYJ%+T~NSwW7j!*1Z8MHGOEtSWbsf zKhLK>(-29gA?rh_JyY8vZ92J~3cmm|+fiJISfBl8Tc9is4h;ca1p3&vP&)K^Yx;)C zngMAjWwAOqMup%n7Lf`9~L@J zvMeIA;hAdGKt{(^!NpDn+cdiyKp3_?#qgB1@0VpRp>EA4vMYUQNuRafS`n~ToE?ay z&(`iGk7|?BV@|StcQ6>8-_K;*@hJYs z|JDF^xK|BAmeToQpF02eqa2(JYt3B1H=n;ws5H9=zu)+VdAfXO#05i6EflkuHgmEm zp~x{3$~3f(c6y>#N}v=ceBJXm9Q&~mZi2Bn?c=Mb#4eNU!Zx?`ZxzFe+Q*mAh@PdC zV)KZK_1x+b^VmS0w)1;Uj63{8YOw-@A7ceoLbvzn)(1F9sbNKK7lW)NHR1CuO>W zj_P;r4|?}`P|L%=0A8c0xIiq;!Rvix;`{#-9Oe%4;qa3efWw9T;qdPQIP6~07Yl$>lnxHMI^TStBJ&7@F3~z3TB#dt)zo6eeXwQUjP< z)1PcSZaZbkdtd+#@v8szZ2b}EVB*+LqQB4yBXAI9_|qBD$?)93O6>+(lDbS{1Gn_e z8C$z1wHAh@aSaYNtZnWHTJt{Q%EZ94%?%qmgSaZ+K_dq@rv}qKy3mB4c)jA&=i{b$ z_CMzbD-E#P%2ONAMRxL1B&W{d3^VnDovPSxJLlBOdh{_j5fs>4`r8*H&cMe;QrO)4 z1U@S^)=MAYpB_7!psa)+Cm?R@gHUHtU8u7uP>TzEaU?Y`fBrb#R@+LvhEVF+NP1ZB z_lFdPI?B@(N%f~SwIwu)(|PTBpzLj}AHQCd3h_J<@JiR&*rR2*OQ0b0L;e z@9=d(-9nWM)IL~M&UX>IH~&mkl-ZKAgc9AyIj52sv8uvOEmf`gj}!RfSzi5dPFYoN zM!V0w-LGnho#KYIrdqXj;d-5)nE!1pxi3FIkv;#lFl!Ivyw%@0Q*qz-h7^TIyYr?-Xm~hRIwW}plHQ#{){ii54u>#C<4}Eb09uF z?443YQF1|U13%UWc7-*8N!F^NgIbW-8n(o`tyRGW3A<1m`3$TI9*CgjJ=LvZ&r!s4 zb81aUZE~=~x8&$>M=5L2obm{|ue*jk4Tv>&mJAN3FGhTm78&m3uGXi9^|8s4lgjc6 zfD=7>Yhts|K?K6F^wtEs$3AkwcMb2GaSaNP3Z!p$`Tv2fjo!Nt{y1X1_i>UwR_dd} z#{&FP{Hz|&-Y8FvZ$!Vx47e*k-G{(n-53gEK4Cu-tgc-pq9b<&okmU%9i7GN`1*jg zVhU&TLGFgXg3z3oLmE%TJZqT2zx1&8Xy2Z($yAq~h2B}nUs2ut$6Nz-Fu?Q?-5(Au z>i$VV|EBon?|ts<2R+n0E@zT5;ePWbDNps_o1_dWBQlTdOoi(yXRk3PR)a%$(-h#) zG&DW?M{5gOVRheO&P{Br*aKygui4viMXzS}MBQJWP5C zZ7_PGCz^F*r171hMep{0l{wvkoHVIpOcgi$mYQZJbSA2bsyIwyDyKS*?VBBx8CN7l zi$rxU=5XT=GDm9fn)Bb6)@Dou{Z5UXj+@w*pwHwCw2|)J0~ilPhU*+MiXjfYH2wrT z-BM2^G}?jNBu7wifgfgOka|FctKgdsMUyG zKAfF4E`mLuoe}}jBdPi2?oa(u=#)N#A0t}9GITGeL8FkFj4t?UeZ-#_VV4??4A(At%`4dA^vPt z*i1R`xL4*g;7&{h%n||T`he{i0?hz6VO3%*Ge|dq+6zDp?`ZdLd!U*k#+~l$$4o|{ zbn-YdQrAA#nb((=g1%TudGY7_Q|`sp{qw)}DL%saEvXlzZZ*L}J!`j#0_Yt|^L)&R znF1obWDXB$tw7>ORVdg&Y*gk~z*2IFWKh$5Dl^S|B2k zs;G9KxEwHJe8}t;PC>7GCRLTh%ChpO`~pDt8crj+(s_EMA?}5^X-0ne5BWphNvwr^ ziZIU5xyg-LpM&Tr@lT6m$8oiERm7=s@4Z&nY-PO;s;?LV2g~1}L;$I!EGgsSK|T7l zodso??oaj=@>BJ!YJs43ve- zKAn5L(<2_{LuctM{#JLEeutl(O=j)xNKj!Bf4{@au<1Z*TfpP*2z01?{zWi>{ zhs(g00)Cg(^*g2OKWmhdKk*MujN{R!w9ai{heD||vl4W)5-(9)q0$b`&SyB@SruNi zU#MUu?&oVWt~Ge!EDN)rU6)aU;as;7NDDaaWG7dd>VvrXmqZz_A*{LTv#;Fc20CpqIYy| zXxt6O_l%x*Sa?QoG3QEqx0x;%^!H@>1(%6AmQX}Yv5FVlnN<^(yRrMxKh;Uo^S!yA z&(~zhgVO6{@)|)b-MH^EWI6_@6J2ibEhE*U#9qzoLxFDp{`CGG7;P>=&Ypr=b*Z!edmkX`~DS;$(VQwnv#O?otQb?OlRNJ`iwjS``2)ikzw4yJNNav1f}&f z5t$s2Xc<^dcz`GP*{?*?`O4veC)IGU|*Y>V>Asv!WE`uS?Te5J9g*-T(e9`Qo4 zF+*NcElp!F`~M4ABJ62aR1C)DC3*%zV{`h7;(eh-pY5lPd2j~rhU%^EyKl(2^mMH1 z^z_iLg{)QoX3el%CLrn;xvw$d>cIIx4PV+aD2kCfWops*a+;vjrq}^Ym4M(0!Ry^8 zKI%gc*{AJ;CVn9#vr~G`9*^MMLeH}5ua6la^5x})s;^V%DR#YJEF$2V^n-PY4@{Qa5A#6Oy z&fw>*9LXn0B=NvaY!b6S$!V=3&V!y*hXu=BleO|;`+1mAA{Iu68PVr|1TrsE;p~J*mTPQ{zNyWTg*-3t7b+Q)pI=m%@q>c%`nU=%}%7XU=7iq+veA{wc{_~&(%9!zIf`3J`6?d@#O;l_3(ciAbt;1WxzlMU+lONLY#5OBttm%bWOf=rH~q#!gR%$171kup$rYI2V5olQJ@&g732Ol;=}8qN0?F ze9A#yN?AVTU@v88K4pYSA)bU$b*MQgLJ3X6zd%Ja5Qn&zZ5fDr%v2aTC%XPX&yfe0 zwv5{Tls3*Bq$v+slRgNgK5h-{Z*ACbEl!%jeF_$_{&gjWs8~^Qh zpL$%WF zD8?<8eY}I*qcW1mxgHT5!npY?78q{s-BUh#@=U@2^fJ5nx(#}^Zc`t9fpp(f*)yJB z9}P;A$a%S$cEjYEo)3WZ3--9NyU%Vcik9j|$D*#{VtV|LF0XC}enrmtBNy#e5(VOW z|4F0}-C!-ehKTTyv^9vQ)6F79u(Yts)PBfd0NO}47+^TM+aq|zP;GUo&ED0{}=y$1H2S3t%*3_ zZYvNN*#V*;x!(SYWDmCTziX4d*J{~fJBV#OvTP5v<15AEilP?B1j>4UREdWKA7V#w z=&>yBmd5uSX)V#l1|D_>reWL{ZngvKdbeM-wAD#&GZN^JOl_&Rk*5&+W|eX^!7jVx z&#Jd>bEvnimWJSiFnZK%;|Is?^THG%yU259s3%9XfCO338IPVDO3}TA7Z3i%e%`$y z|4!pY-79nNsGfiC?s(tm(q_#xGQsKJLMC{Mn|0jNrhb9mWe;#D5P>+~o*S&h292~) z+}uiv4={&@JDTY^(pV<6uGV|NZ2>4&(ZLiu-sfr!g zS?nqB^7PX?U-O^(KJyGznzn_Z ziyq&?x6B`Z8}Q@k`*G`_5B}Uv%~zBfdnJYZF*|OC4t~+ zH|sf)zFj|(0~7{ijK1N3Y;zH{j__slR^i9OevLh3TL z*{Q{<&F(U9JaGqf+7){7@MKdEAW4CWq~)Y`$P&j1p@gTYRk;lJwzuj)$ z>C%;{uBO2Yt_0$#z47hEgEn|ySZ%-jJbKHl}G-<%>C`_y^RDV-pqE%$0)ayrSGR`p_c{2i>uWA8T^cDiTz--bF( z933mB?)V$*^qwwLXcv$3)VH^ssU>#&wuh*h8wjeRr9A@z z1l?K_-`*5`3Eo6yzu%>1(~UdEF>E5IF~AjhZ_Am}+$}h6p=ULA7Cap|zo=l(G?W!= z3*y(9P87W7^e4tSJL233cX7O3st!BYip|V%fKdD<=J=bE7D$8vd0DLFQF2A=D~XtK zab#Z-C1jjH%RhjJlHe)X zxvx@;1;Y)kY!s6y!rXaT{%U&- znvJJ?`+CoAlLS~xDb&_yQfl6PJaeA)J6>HSv6W%&WYCzL(`RCPoG!;GsaxtzKfL-l zt%#-)8M626Y58X7{gBfUMo@=Z4Kcy?tmIFrmt+A~!pT8cN~yMen_%75R4?QWJ9nD~ zrH%Q8(%JvFp%r%~&a@Y;t5wH@-bV*{Fj4oek!HG*axFmcFG5Z$u~&i+vk$Wcy`Agn z_ktSa6n`|zTZaz9NHAzL%l`AHa`S142ZJx^>|NW;ST;w;+0HF$Ttwo8f}ta-E6(8H zo~9$)t;E^nwjP~Oebv$JC08}JqcZ-6@Xc8wL=i|1^Rj;#WP~3m*~-nbh;J`x-^-07 zm8eLv$fMO(_H~VXK9jW0y>+(HM3rSeF&Y(`xoer4an8|Pdh?h$8QImuwtH))iJdmfF*DnY$$U3hq(vtO`Ut&(H(H51c@ZR9B^=x7Ypd+|&MNzu z1=GXFTvrq7J;$b5O@Vh){rx& z9AY8}GkbX~OwGb2`T+nzJDRyZcpWZzR8t53Y9-WUyRUJX5r#`lg&O4yf=z^-AE>Kl zc&1J2RD-Ri$JfoYakVQP?{(gIN4-`!vio){$S zTbBm|)tK3ctw;MRe}$obse;_Nkt<7#FZ@$LAT!K(eHnZ}8QI1Ox1!82K0w1CIK%j* z#V&;>;r}|ez%MQQy4cZMh7t9?lG%Xwo10Wxdc<4!uaVttWry*Jb{KDlO)v8MKb;rf zopay!^!c{)J#nR=+4I=Mcn|}I6`>5Ti7ymi`Vt@M{itofsAXM>>R;b+u~eYr6i)Mwm^5VUs{Q`;E6qPNzt5p8?nhiyY#>LiE)zun(8Jj zFdWW9L>lp=_w8@`!KWxJYrRx(c8PZ%f&)o7nRQWSrx5R*q+u@{On2H1K`t@A({>6q zQCgoO&X1PUYM6!8>P(-m&bLQOrn5pqGh2_jYX+HOR@}5rovM)ino(Pc#RmQpZN$XhDEopREhTgM^!@Fh z7SA2lzIT9?ycK39I@vREMpO2F=?<_ZY9#IKhA2-YQ8<=l*C92!0MgQDq2@SbYb!M)D z++$6aqi(;7=JV?aioFVL_5NLMyk_!WIjJ(b9m(2wAFt7beu*n=E)eR&Qjoy);O6}4c${xG*oSTmmv~Bf=QNaDAQGC7 zNi&Y0+q*D>1%(XuCpdaj>Pg z#kuR}B-L$Hpr||6GPsHi-a~o*KD7+b9_My((unh&+RU?j%+oU%Wd#M3*QiU*otoc> zbAJav>=3Yxv0%-mjmvqko!MaB=?GS5vY5H`G?>+%Q<5@7hEH1!UP0xHEpUrguWgO?s zJi*w-AL38k!|;1?Q33u}EzKYy_-voW``wp(|mVK|A?0nYEmihuXb8L|ZUy zJ@~R+@A|cMEvjgf)y}RNDmZD^e+V+b8NE~G?BIjS?hlN zC2uXTSme*5Z57{oU(`~VDHu)H5rb)R=5Nbvg9{_nCDbg)a|QlEP7IJgt9IH}oxd@qEEd%dan2F1Hy%=Hg2FE==zyhk|Bkb!afA^*85 z^AX-YMvjH2arm>G{t6_OnXgd~__pe3QV=$LT06yXw)wa)2(=36u}5&3=b8RIgFZ<; zXATmc<_ubiHCCd96`2Y1$9B$ub&K+zPKUhZvk80_1+fytU>&e;VTs|+rqkX^YGoy{ zj>O&w7DAt12$#&CjvQ6%(f1qhC}CR!q~XWX=sGc+w0yEwW=<_IMuTvY(hQG-w5?>U z?PB_sn*UmB$(sU)jQt*NM)BqpqdE*Y{kE;EKc8+w}f9j*3om!_5Y4NoS>)c<-0GV9f7{3$^V zVtPM+bDb+UowE|x!S~I)b}#pr%`c^(NjHu-CcA8$nf?+HrzqRhk5ibts{l}D8*_`F z(lBiM6u);O1D&RUPCbnoo+$CcNecZk&17`TRZn`vsIyIDbCf%#+%w4y=4gIRpd#{= zdU?)Lo=w8_X7Z5!QJX1yveGB1?6F?@D_;6nm42AgD@gbD?~}lSLll#{D{}%a5k?!5 z$H$z$#aCeAF*&(%JX*pb^d^F!%blqq3AI+@KvGbxV2|(=Mkc&Z*hz|qG$okWHry&v zoTbjQBdI2&ziE<=;_I-nENo&qw2^c)N%4IpR$?R%a%&c4qYg134vYl@oAE@k18wz9 ziJs_D1sRt48T2jOmDH}Kmw)(mc-pTwq8EoyRawa=sF)CvSM;oFigKgzQ&MRbS+@;A zZp9jcf^smYO%n@YPROYdcH@|92C7xI6it{c*qHG?t*Gi5B3pF*d zmD<)l#8<(|O8%NB(@yN}%ujj7zKRa+2a->HxMkMUQ`-0Pzsd(Z6FE1`gHZtPZiYLK zbYqt2yyDr7#J`4*neEVB%4za1Ffa_&%a0|auz5`CQeZKjXee8(r1WEX{tRq1L75XZ z1mEuk5d_~Dclya{B-#jOn?;^Z>&KgS>CvzzagXCMZ948y$rp*Ry4o?eAZxe|#QvVA z5Zp6D8|@1#;jLroV!^CW;MK2}O+r>%=`3GvD*Y(h5O#>aJ!h@gY(YRkfj7GFx)? zt?IBoJ*x-ShMl_8fH98lH}goYeP=$vW4ac$p~f&HTOgvMteIcyU3Bd$W__hi`P6xk z5kk=inpBY6v*Hu#kvu*1hAKB8Buo{3$?=se+laS!P;tO4AzY33{nvq)WsEFc}|h}JK4lvmN&(Q^%xR{`0^kS z^%zd_K21p4;Bhxr`oncdN9u0{Z)ERSSrj9}Cx@5fAJ*EQO(p1Suh^$b+<$PoKurLoudt6U z9XAAGO8^({RKEUY+`(9E1KQ_L9}xBAOG$@$t3M%3fes9^Hp?3e>^TwVYBuzsQ7&qQ zktQ&Kh*L%}33dO;@KLr#RR}n@oT8>ThEuL_C^qLVkVjdoi&X%_uy9f{lMRU#-xh!* zmAjj_%9o9U9#S28?sFWnO+8W%I=7!WqqzOdLyJ2nT~-|G{qb_fnvwIAyRcIy0So*+ zreKDgPC&EqC_1*#3Osl~`;9Y-t~*mZ{GuCAAOd5ya(DHKnvK}u+7nudUy@zwIV*Vw zPgy=RLwsnWVeOv$;Mw_5cn~;#lE?D3T)sx1I3rS-KKpZ&{&PnlPoCWX;kX)~CwIVD z&Gf`stS4rgO^AcWH#Mb}lR#Hc=!*FE)$zBR20h!M*R~nHE@sUK1Gro~zHL8-RHK~9 zbpU!XX+{9P>97$_uDR*`%(;eOH38uK@V3=yc+uA}+H3Vh(&neGmsqR0{ftlpk8X^^ zqQzM{JnC6H@Vp&(ElZFaJc1lf6~$h%2knk7X+PtNCZjr9K)dQi`x!IZsq4m=@zzdF zY%`KD=cQ91XHoaE?0%Dtcxqi%adIq$dnR4cWF?N`X?YnpA2^=Pn_g9Ubk^a1av2?R z_RpidzQo>ZpK--%A0nC|E%EHDb3ThAz5uB=8PNiDCf4*cRS~`pB$!r2Knv$Agshvl zXw5ib8b}%BbW$FV2nVr`*E6Ih>7AY1H<9nc%%bCqiLZy4f&47(rIE^(ujq23{m_YJKcw~xz<~WHGJY`i_j#@!p`;eZskR}8W8D!sjtq&dTpuJ z8N0$xw})WMTEu6nQY=|M?ZWw&T`}(7zFo`caeCXDvg;jt%r;=dCbXUiue-0Ux6|XF zA;Cb)z4t=XY&b=f4~5r@IGj}3C{@61zvk7GSHfLEqRNs{XNwy)#CEo@`M^WtruoFQ z>OP40Dg&cOC_oIpfK{yxZuEO$XCADlC;EXiAin45*jpj?_efGLMrp<$;=rupxw1iX0JSC3{>Qo7pj$vU!fQcl?T~w6ygoXw^xJ%`or;M+QiG*Y= z<}{4+lr4eIBwX@S5}-7+MgY%y7#eH$^VRdo;CZj4zvVZ~GC0(%kP#mM(a_4TQ1@eA z2j$Y?{_74Sh$KEUZRX}cqBCN0`~0B@*&VcT4Pc90|ApW*rbn3HA(@4&GK zjNAfYT8R+B`_H}io$gEz2XEE8cb_H~E6ZwCNCpHVJOR>UH)E}kpUH_&$U6}HYh)vM zjgex?#tva3+NU)Z#jmRToC^!8kcXJ2N#%0tE$koh7h*GVNZx)^WodM%=F;QT7b`y7 zF54-_^P)Vu!zPA%Rdky(X=HrQKcizBO-nBtp9+6ZCqLfUYTCZ1`n}zDz7Jg+dytu?7u<0-3a5nd6KhZbmvtc*Fun|D>?KKhredEd%B`L= zD~6w7CVq&Fk<_i#YOAmPm;?#olgr|tV)is>!tE_o%jI8|r`GWnmYsgMTKXA;;K~}l z%QYTJ5Q$e`mhuI>!o+~LPE>vl^23~60x)U10~jzyO7A9Wv>u^?5GO+WC2|)U${i&sBOB>F2pd&-ZxG^xwOyi*yj1$tOMJ zG&RvJ6(vQ~)K?TVF&-0T#G4#5Fa8D4%u~c&{HU3tV{=m!BY~Q3po-iSWu`%Q9y^+( zF965Zbk8qlQ2Z9e4e9O==Rcu>T*@-aS65>fHZNNPqyri2|BhT4RkhRINm%CIWRv z64-+i4ONs=ttTx=IaV!|8H^V+I5WULyQ8TGFQ@i`ZBI+J7u1RzwU}`Cj#$xpMOt-l z;{|O`Kos(Of7aT264dkkeSfcC{>bdT_PRdnSsj6d8a5a?&u_0PFE*aM&h5?+kbCeRbmG|R^p^5KH(yz}jSuN56md{` zxTRidnezwOl@K{G`@4Is*}viCe)-1Q`w4-aIH$!81K%5ohr1Urxcn3V;{Ez5oR~M(*}E@-fLlF091E zaS>>}oe||E#kP0|pM}Bi9AjWi&^J|D=r2s9uM~jJQ$FQRLWOwWY}rZ%Me?-7$U2yE z#!=+Wf8ooRan3lp3Y`5cd9g5|@DQ=doDhV3BhpAE;6caj>*BN1s_ z9k$d5Rnd4qxR3F=-NC7R@1IX{jKc%KvOH+_1!zF346mfD*^R}t?#>8l3K!>iTQ0(t@|{Q z?dl(^Uk}d*a1HirD2K{Tp*MDOw-(78`aI8n^jah~o$^A&tQIbLdQB5n_fLi-;>>%p zu}#JDC+RbMgpPcQk65wRJFjB#-uw9;TVn3F^iEm)miq0UM?lLZdUD*MCh&5B=S1%& z98h*Yp!8UN6aVAAo3Ynu!;vQ}@;C70K3(6{9hCL1D~G?Nhlg}HyBU9ImKqBdAHccp zwEfst(q)^5Y9FbB%Q4v&m{e;ApA3l}sq>PXjaNPOmhiZOAMgcSJ_&s&s1WX$b#H`! z|7V3^OxdPjI_c~y>Lvr*e3ol`=|Rw@509t^*|+G#S^I+~QWBen;9GEQ={@%c$MWj` z=H6m_EBUXX9}|zDIO&jAsJtV-t?oE*-46ZcU-atIBXCG+w;<`UrMU`| zE;*wt@c_G=+*Z;2Y@%@+2Xh;r<>=OtTN90MrGJ8lPkYqMCRYpFG0hHWvZyZ(Xm_cA zmEDK4w9eHg9$;Ivr00Za9m)8*7;PfznC(C;FTbKDS~n&oosYt=QuxA&Jx*bz%*iXu z{eg{e7o@I=EuBL#=vYS7Z}w%Ns)x6y43-cI>!;xr*jp5ZfJFo9KHkBBVb$ z(jegxAfX*ecK@K*k~4s%9aFi+6k96#2h^KR*{2vMPAor82_4s*vcEvSSpM+v`%p~b znh=rxaL;>0ixQ8hS{?ZltR=DQ0eE=q14>YI*c@G*TSdaIsSSH%U;#rVwh~+P% zgl&dt$4{TO2!1(KQ7K~`ANrh~0rVYm*f?*n9=;pP-9X9#&ddD@aNdG0>~(|uFVyoI zIyg#R7Im@f_sO(hn9xv5@6em+9i*X%4Bx*e>L5&zRJ#wC=(uhKfrhAv{?YT4dj2OW z;=@Sx>V9h<58BFY+InP1e>n4!`x;%Ilp@l&{a(2zmcLeyW^<#ytE0P=xiKgeVvBlG zBTy0h0E0iic{K@pxKO>R5#aFuY&}lS`q!UCRq9KfGj40rtL(-=#QqJ5>=sv;D4GZJ zLYObtSWu{tSs)HBL&)wJ&w*JMz?LrE&|b!7eC&pUh2(_^2h9gE2Zi%ir_R*)xBV^x z3)&4}l<&}ZNd&;*DdsqleeJ14_K~WlWu`55cp~hIGli4?&n4j~}qmE%r(Rs`9_|#|Ud! z*r0DL-(l(&CFBHCO}GN_rSfV)UxJFXmoyNNbbJFe8SJJCF8)z$ID zi667*?q+OSbfe8zt-0Ym71!LAgLF_?i!NAVuwr@bN}*X{jjo@l|hj(=&Yf_U!z$l?NCwLgHXhZls4pQzy5s$ z(1?(gQ-a5#DvFkHyIFo*V4g2CL%aY!hMUIPVqns7V)p+%F5?s z`ES!oXD|bx&?6YF0L3!wB^>nKMKTo)Iz|aI=nG_H z5`2Y7fi`nHt}J8By^JZik{0{r8N1(N;$LufEixxAe!D>{4?;a(zmUaNA<2AM8noQ? zrQLk7jQ;?^URtv3HdEQd!pIR#Z+tvv4$4a*$HB28+g>r4P42?vN5;xhj)~O2wi;mc zPCdFRQ&l7aLOdruRTciER#gu;jrT1~H3;zP>i}WR=&9cId(;k+|4*}PIAKd(bu!~|W4UH>5a za5^s1L4x6#_cHw{ce^ugQxaYjXLTRSqf=9z$%dF0}5|e(`&S zR_zz}6=P45=~ z&)2F^?~5nr8q zifoX(ng??r;VD)42{$>xm(cXq?dKIQj_xEiRGS92D~)l+GMl7hS!adYbyzT57Pt~ zUQ|tW1cU(FVn+BzHGVY(0*m(h|9KNTPMoER?q>JwkL9kyY>%Tm z{_0bWzdFN@vf~XnMjsc&?J1KI-oi0!=X@WR$KwKstYL07Jt~Xo0himW8vp+aCOU6u+5T-er!uY$Ola2X+aUV!1ZGnFEA3 z?I6LK{lE|PL*%@qY0vR~)TIRE2mSPa{t85_yc!~w9Hq4$!ujq|xQ|JRHpEv!`Ng<9(MoTlv?Mh|;f*j8Pp_(Z3z>4dIj-Az(I`*4&MjvI~+9bLE zkdKz;jF3&NB9_03lmqegg4#C!?Het!#`4#EUf-v|>qvLpa`u!tDAMBo6}ln)5eD^v zdLH*zmgwT7gxj5-VwUY&%&X)-f?~5S9s~c>#kdZ2*5HODCP`sVA47Z`yon$~iaFZE zT?BpKXh=2gOCLren=)!2tyn>tG&{|Ru^X$|_^wVhvfB|`dIY>%*=MELmsxYyo%Rp) zah@}-$Lap44A;KrefKqWz(HwluThk)*dL#E#y!XBDAqrhD?k%>`xhyX`G$krxYnA) zxSuU!Le~JJlHeb(c|$cq`^TFUH0%14|2~oj zJ)PNBIK9stL9_3M5n%JpKg~M^hO-Wlb@mHww^Y)PODj6|a++_#TXl#$@I+Qe4S8x) z!);ue!sI7E8eZZ*vqI)kTs>Y0ZpW1*vcHS4;zaR|MqHTu{n0GS#abIt564zXjkMhj zHb+C$$+Zao*%(6~3>Ul`u7Ox?in?kSM*m{?>EVLh0gEAA1i@YEfm!Naha@F)#Ny^7 zLryYkH0a;4Xf~x=oGUpE9In0L_PECED2qbAQu>C{Rt$=-H2=g_zDyoDU%VQ99@ z=6U9uS>o`JVE|0lp=64dW}ugZcPf#nPS!>_VT-Sxr!R3k9_f18Pa;{!VlHxOtr1VeVu=vYqY@UnXjGdqEYtH&qOWB;iU>c?kEk_Ju>8F_+L!fGf- zn44utGVhKz@|HtoWWmhiP5uu(x)pA_?$X2TxUo9;6$7+(d-*RFtOS$d?vw5vgPpQa z1(Qg3PHkI~i2k6}yvPOxC!6k-qb6AS*}rqC0yM2RU`Kf75DA4u#0TlBA`0SjUTtD- zaXeE-F~%){DIy*Cc?HV}AZhzUHHLbp59O&S>*v2r2E*S!UHZi!X+GuzWNJT~1u*iy zF7z2J0P)YV$s7UjgEIc%?*L_F=dddp4SuY!1W6S}e!HEQl=scLma=b+PnFGTi~1aF zr*tS3Kn~tCfbv`aFqGUDWPuuyKLr71Bzz0udpBUT83##0WdGCWjS=jt2Qk+_0^j|k zhTHu8YTwdB7?;lCgua{ux2a>fdqt1K(;5~ z3|Z^2GA6RiCA_zIKeYsS{yfcWs_eqL?B2TA()sibai9v$&PGUQxDkTDI`LMc4dl-v z!%8%UY5XR=^YFCeIPw^lYofQDSgN_tlMWw|S8tWc(yt=<*XEHn3$25MZu-cmU~3l} zF5j;VMPDNw2##wU>2q(R>YKqur#g*vuk6*PB~BQ4_F!kStT{YrZ$*65H&Zm0U#eQN zYXlug{>MlPz-k$90|b0Y^fO)DS+XG7}r>xr27bSY?*bbv927_v&a03F5VFmXhs($aMy~3lpnt(@6wtMY8;u?zes0)x$ZApc zjdlrHjA#jaa7m7rMTCv#x*+!+T-wONxkc!2(w`2CDC4j#MF}j%$_lwiq#CDj9UGKB zOhVNm**(>rX<|IrATq_4wlWms`EO}jo{>;spBL+Q@f~75gE755q2T%<+*Jft(;CjSp)=|c%n*4{n?FoE=LSe> z4-w#4Xs=-?>teZ;)YZ{|j7h#&{^j>I9LxM1uPS)Lyc<>cVJ$xl0TQCN(jF0WfR~Y< ze}QBKL5zdFTlk_s(Zcj0&g{J)qS7MK3mg-!85;@K4X%}9WzWY3`KV}SadnrSTjx+x z^ru+jBNI~VOhYGOpzf1l93A2MF6xwg>GP}b2S2Rc!4ts;C~cajYc-k%{$vTJp|N};m7=K(iY>jxD0>ph3hAM6{uGMK z>O;HVD(h(UtlTSuf9_(~`KHnW&L}&}vX68OdwSVHRtG2?S9+k3dib+Kqq8fJ!@y)> zLnlQbcYDHyB+uodsdmNVF~lUl803!PN{uzDy8F2WK)oeb7bp~&nJwFJBjn^W}C99<4D!k|OxC9skL^~-R zye5`AJ+ykT5Y8$67!_sqFxb1IeUALLd755Pzij}j7cQv+$6rX5T~a$gQe6BmY!eoU zLP5jd74rY}ZG$HnnFx?$f5*ZzriHyeXOm@Z$lneo8T�M?3|u@geJfNj!1M!J&o@ zQd)5n4ka`(9Ez1Om3tcvk+?-BF>F-v%$P)YJTem*!e{d>oS=vc$8u?A${47>XC5$6 zf5$vj;}u5!;2hq}0uQ019VGLP#iO*`JUNA?Quai?n;xcpzx)g>L2t~h6@proH|7=| z+*U3h9n;CvvewGr3$Vn*e@n0l=1~1-nt~(JXf2)APNg(0B51%r%<`6N&XZBhnWCT& z86Jq5!M%16%t*KqstLt{gQeRDk%1o&T`Bav9a7@ByGRK-jXq;7QC#2@5=N(f8|BTW zU6EK|fGcqn(PXrZXyTdRhQ=b5KEwzbKp$}%!ugI-T+X1!#n^A4urOa*Ya6_Us3NAj zvecV&QT50|UEd>I(oCl-A4xD|f(mD3Ly5zCvwmIY0IfY5XQ{y(90ClT0 zwf)Aa9)ob!uX}m{ecl6vc8Vpw0mC z3zL8UI<{i>8Dl+`5Ez$>?=QG`SCU>F+LUykmk&F^$gL(#z!etP?dS&PWL?nk_XFl) zhM9|p%)YNWWVnkr>AC4%<{yrfWrz~ z_NY^UWtSQNET)r+?qo$%|H{XT?6zN6Rc4Jyg&l91k;g-xP=qXq3QSZTCQn6c#Y5d# zBWU!~(scf3!XCq`21?TdduOF-+rOezZRW~eWD(BgK(Qghb(>v2$7a?Kz;XZ9N6lWG zAS~PR4l||@5X{!VvC7J={b1~%ZFoB8_rpG{4j&3O5oZho6&BJJ>`vi7MS7diMSDS) zOBS}%5-rzAR@X$Bbw#MqZ4r487;We5k_{G!NfZYEX3r$%{89{f6Vez#lim@aUVP^# z)PF9Qs`F1?Du;ZwXV4q|sw?aK{uc6~5 zL5VzJyfJ5&h79!^Jit(c?U>481uMy;zhIUj{}Vne(b_*}=ss;wxF>oOc98&)j@>`u zEuQAOmsiGCPk4>T__E6n3gXnxFpVXStUp#2SXAtb`t%B`irW;Irr zd??Yt){bMn37%c_B7&p;;Q#DrOX3r9m}9yKdoU|=Q`3%iylEgWhwlxa zm?}O|PUI28Cz8i;Z9zv>_4@lQ)PCmAs8nj28h4& zx`CG_RDVH6g8cwVH@E;PaeyeFlZ+^pDt8CNhnp+-z%4umQ?b8mZ+-|nY(L$ho(NW8 zkme$aqxFBYqirYn%d*9YR0*L4NS|s{-41^H5%h?d)kX(0V!+5b`(Y}=FJxkGHoGT9oE6rsB!w1xl%F3#Ie{nGp!6`ZG-Yu0Ph=nM z+EluE*`dJ-)36YxaLo|B-cm#MGvFaO+8v6E>rktnrhjEr)1T5)+sGVa4*$$Xuq9Ka z8j9sl=4sQ==HNJfjcLz))>!wBr#P#;`=8k63lr`cZg}apUnwqcXbRRnjzQP?GqYOW zzFporC!>8D6Nf!A@ZI~5{er->7a|C(Hk3=^*C!>fbd>=Bng)>GgaDV=RJwT6kPX3) z`!(EEtDp(NUY0(q@3vl6UpicUqOU?4O_-2I)Xbmofn9~>V<>Qls_A3!5KG@E3$c9q zB|V1mRPu9q3kI>#+i#E8-s|3-vZ>`LO5xKa&sxz}?;+>zSfTEHBr?f{089B#wJZ3F zCnaNQ^*7z9zO4_s=)YVn=i}E`vM-6$*w<1xjuTOb;sDO1b_avF&LF#UXqGb=k9IAK zB{nsc>=#1ZW^4#!j`~e;^zHjZ9>2Sop`V|jJ+@J7AF;?~Zt-mFIM=URi$*$*fU#3!&$9)LnRj3G7 zc|6EGO-B~5`< zS;wHF;b##1Occ(JrbX1LFy=0?pTgv${|U++F9GZDT?kl(3B4qcetNO;({1HFcknT= zACE46JUaZC|3i~mb(`Q<2v@PEI4_ZuA(c(((=Ec#r`$hBlaQk_=KHs1Y zxqPOhgKYXWO1}`xo&N)yF6Ku^=P3O}?Fak|>6?ZogBx++MR`V0PR}-69V_-Xwf=Wa zD#^dt;++-&XA3$M5_EC(w-03$qon6D{ul7Yn1)ZePR|+1I^fWUtTANHA< zS)lYgls?a~q8_ca z>8IHAyOn;jy7Ft%?f$DdKTB9+UE5Js0lu3nJM5D#@MzqciE(DLEHg}JYJ)|8Fdg_B zjETu=Q-v+q&Hb5F7*qT(-JiB=K>TqL$k=M;gy?5D_1cqij{7IW;_G|OzHuz)l8ehe zxC8kwX0fEdp>waC_2V#@++F zU-p1_x*^e#sy&(*6r!Oksbau+y(6@tzIcQBIKbW4^q_}BA%sv*xMS* zK5L|EIg+{iBu{maOMhH*<_wm5y~?*ch0x=fmwBB35DR7Fup)Hc^=@225zgd^jU*Yt`1Y8()7b9d>B#P# z-=6!ZFZeH>%zpY(jYbhw-sf771^=1wmM&Kh8aKtRzmA9e>SWs?md zK4enq6$h*T=M%zHF~vz(_`W=G=TjVT(t8_pix^3gZE!27#K+($WGfA*F#WykhX-9T z+MEV*o_TZkW_v^7t1|I%JL|t8y_tMx^<_UCcZFkEgY$67;109@>^!s6$?qks!^3z9 zm2|1a{ND7JMD_n^3~zvyppvsNWlZ4RMiOt-(;2f%JI?rAsZANFy;Y{5HH9SrH@%(W z#%+=eR;Wr$_L4^#)OcRa1Xe5iyp#!dpu<)2>8T_ED7F!9p4BvdY;cynechE4IBKQ5nFcV+1UYyk=ud z6iZv9ilzYmM@sKHwh{gbYPy@UZ|uwN#~HVQWMk_*!8~B={IYq#8TSi37&;)!QwQw; zzdqr$`r!k5v&Esr80B zznhJ?a9&c|8e1w|=(Cs7&2Rv%38!~z86bW@FmT)LNzvde^U<{4v4_@6)kZjVSc`49 z+D*6ejbih_%p6+NeFvsi|4a94TOel6GX`I!8+Kka?Y+~`xbi!ItPo&(_Kh-3=$U$J zQGbMFGhGU|K)|-y*`3@Li$m>y^TD7|?>gQTL=zh3f{%4K+QS6I!5CC$#8Ih~ZMagh z^-Me||CBD|;A`Mrb33#CsO+Aq*pgkEy!?x1TBDOW3Zc9@+sPMDV^ZVRbc5TSeeEMI z;Z6hS^334uUQD7o%aS`x2>0Qjxt*LD1aO*j<%{Ll@nP6H-Ny4M-8bWCC25(t=^%J8 zO8X`cb|I9rpgWu_@zjD{8WON&Sy->sg<~xl`eftkZ4Au@T?0f z!mFvO!k8puCbM)Y=Z(HTmLFl}EpK>;*I|x^2;l>2oSrS;#fDJyE%G89AN(yEz>mp= zQyx-51mw%_G!c&SUttu%*8#SfZ}NavQJypL?H5iAQJ%xe1O27HTJZ*#Rv&7}f!2J! z5|lAR{3{QZ+WjjO1$}~}=+U=#%(rUn@*{Y%*9-hsAB)RBU#eGwvEF=e6!)BujONzN z_D>|4bEFqv=}&=q`MT`7LB6{h`<->!>d-pOb1<$ixPVPRyMDQXK)onV<96PP{zoEn z?S`?v>#w>~lh!3RIv>9sRe-Bn{fpLFE$^Cb#QTJQD#fvznKm$*f5pQB1qIi~a(`#f zV^h3sc!x8)tizd8u_<0%7Mw}ZP@WS0ATqQv9L;QY*$*-HmIcq5?#3e>%z zpx=HFf+K&42pBUO%oauP=2tm|b4!E&0hsPq8?`x>)6GG~qVuq(N!03Gi3HyH7+eP* zOVlnP^rw%EEcn>t{Z<)&%MYa1Dol)#1=-9n9y8op{?(oPiJWZg+y~I6WuwOjx(8tm z{<|f?t7coUf890whE_$|R#MWNKUOSZ!%CBuj5Tdguq2A53iqr~>DL&q>GcF5c{4=P zoWBE)C>PX3Lx}?@4MqN}V=mlj2J>?ic?8@2j}1q^JdxeR4hDMXGI6J!W$?O1e@lNz@kH$D1z8CB_2I}Rt>QTtVwlx^BEMLl};5V|`xR;qO{RpJ==Un+w zXl7onPld@%e@8L-F_M@6;j8;2IWE{BY%xQ5H~5h8h0-!3!(55(3a#GcbiYA3v`zjG zj?t_EwjUTXP(kDb8OP>YEPj#jZj`Ley*K*iK2`b%hFzkZRc>+IwdRmvsG_(xh=m0I z1@KaZky~$=R1%zHCJB*9OQ}sqbl>y8zepWeAIdnvFF`GTgkS|~7iC2w5PmEK4Mp`3 zAr7pn)>akV1aRaCp8FTtgI))c=LW`a@|M~|bIT;-BkJ2X6F#fHixB&j4Kpg!!}{YP z>CVcbJB(;^bC+~d-IhFHeVAL<6*9y`399gWIMIwaF+zcTO(@^===yh5&h@R%7sZJx zGY)tQuVqo(_csuT5O+sdAvEdcMM`72Vfw$?W{fSl1DN+tDUbh|)RN5aI8R5nc=`oT zoq9^&MqO7^*8?N4yQsn^>&=u>p|Y}(0(M91d>+qpJA0=LLAYw?nX*TR{kZk3AttP# z*5vG)6_HSZ+KGW*XC6CO>4Tf!LapWuazFnoOn8qC6*WG?){?Fy+N4&1Jy5vsrzTXZ0r!v z+4O|czoYc8k#6bxOru>hJI`Qws9t>4SRH6i%eYWYxI^^8!i2L;S9I}-yU&08I5Tvq zR~1~a;35^tKb5|F#JipE(}JEO9%24)xwrIj7pgnZ^kUM z(S9+*a|%SKqh6gC;VPTmEjUcjm)l6vCttt3ujIGqbH)C&c&k;&gdiGAExJg>SYY13 zn4xacV)}*X1oYD_-p?d2wTQVqihYFp%CNn}5fK$X%xJkO_lXwwmB`-htidj2E{IJY zHMPcB8@(w2O70j2Ofx&kz<*6Y2!L*{|H~(E zO}E&C-kza3+qmpzo7ON0JoKBe+mzQj#mm8sjsniC;A?T7LhIOfWlQ6m@G3gH&iJYw z>|CkBahp<&@5ZtV@p^Os`S=uG4jrn+{U>asiYGI*H7PhvogI%V+d_KJp&B=ecKVA+ z)_Y6i>#-&0LsWE%#~yt*e#BS2?0Dt1(GhlYDz?HNTTjRoHP+}$HwqF>?gx0vc#F;1 zd~fX5qWS4F>`@Y7)5}a#Y&v_Dwc66w5CQLViR|95n9vP`OKR+nUH>hnMrYuwKDL(~ zq?k<(E0!2&dKtoEq@;^nVB`7BOUOuxB~%M26>IKF6i$B*J)AQ*^HWUgEQIvfE#0xz zx-)GKz*t7UgdLz92OC5ai8T;9=K$4NB+OBin|WsxnnvuGy+ioXjyh{1xh%6A&m=XZ zW1y-k)H0DN4}DGjD2@HRYw z{;)nvn0ghGjT3H6{UG9To)2JZ)ZtS{UY=zcK>_={#}Wu7DsaDE`EbM zau@H{S(I;JH?&##fc8`v-pK5q|uG9dEGn4DRJ@`Z|MV@wk2 z_)^Zr0HU_I&+6sp6vnMrpxC#xQxY?>5>(ANyS?7cSKrv85)JVYb_Yvm*OhJ zGO$b6a4AgHLh`d{XQ{^_TC4#U_3Q?-9&%YE%_27B%6St?&eHXN`H2+Ow>(A9D5OT9 zfFB&oeV;s_<0=xfI~&-x%$ICm9mS?(a8oUHSG%U~{pcv=g+Bt%_E zJv6rVWmOEji)5CG3DvA9WXLz%<79~I6j?f|)Niqe8wm2kdfmVgIlmOLLbOXKw)DS9 zOi@h-xkR9u-iOSJj|d*KHP)Hf?xYXpYgN8CGrYH12D~l1O?o+_+MG;zj%cX)m5_QCbY5Pob(=!BjU=l;*RkI z8}ydmMsbrtWBEM|dL0@iuA}@fVJegE(s>kdwgh{zh$Z9~zzD zMUw;dvM(LxWjFu%veLY~WnWg9mzV8}Z(g?AmtE#%y?wEI%xYdVUVc)IJ7c+J5d9=l z4|?!T>@wl9^^af2^0UMr0V6;aaU~CpYC6+jGCEX(O)pKQ{)+OVvK~gk-VLm=LwPW! z6#txRgOEvxxu%r!ktoSUAml#+s|hp=eAPkC$C=?3(@?_n>4YLd1Odss%bDfY2LFG! zmq? zCTj`@Cg(_I!=yp*4X)sYb#LY)xCL;D*wx`;7s>fvr!`4)2;@yn8s0K%YFK6L3Wc$p zW>_Ypg22`4G;-<68uc#a8F$}U_Fl?xOt@!?)%y}|7vkqfi4M-l{bJ4k zGrv)sORYWbh5+0ZPUADg2a-8u^AIK;qw=ZH7)81R=(fUrR9K#=Z}GCiqokMZ;3wg& z6dG}dZbSF$Wyx`V${k{ekF$9Y1BJkr66%?|SEe-(Qa!~_vVaBAoz}n?cVqVTkK!Hs z24zMhvt1mtH>rufdvlBK6N1ehB`eYeGap=at~vvQ=k z5h}SkE3!d0^`__kB7digN(}xf1h%Uqmj4@cJvfAa{=T`w(Ut4CVdyYxYE7Wi9b~#2Q&7;R5n5M-rLe z5a>#;Zf>Ct zZUQRzuQ7Qrv*W5|)|n;Q!1)e{Fy^xPfK43jo4nRU zNH#Cs1K!IA=iPkv@9qDT*9~65A$;e4AaCg^YBg+Swqygty!yG8*-Frwg4ckP(Vhsg&Nz1H zZVi4&83##sC4*GZQ2IA9X!PM|3cnocUL4da%`fD zgPh{%H~awn#i96VOC-A^Zz5mKxm5ah6jg1LL)gjI362(G@#%v zaB@n=H6!|tj^zqeggTc#B)pA_D5sMUSYD*g-sT}Sv9&XY#`06OB0OvY1!w;noUr;5 z%SMk#dZTOCQo1CutZ7tV&<>9SGv{#+W9}uI4w`8NjGkrkJW!yN7Vvbkg*pHnw4vKC ztL&1npT5HCM&Ia{w2G(9(kCw~ePA;ctcCNGpr1$w*uC}0J=r(QyWbl$Y|oTsO(XUN zZ_w(L*y?L|yqrfZTotjbhkc$C7v_aw%y>CD4VI+yn>@T9w_7$c5gMm zKQy=~T~#ces$eb+ zh{<-WWsv;}9NOEG)1eW87K`P}>c#`#C2Mg;1I0Pk>f55!5RHOAAudQ?A&qli)ImG* zv_^id8McQ#?b=2$)$%U;wd8oac0Y4rn5e8Y^bBVWC!qQs=oAD5!U6D^O7(vIdF*Ty#@zXwF=8)&6l3*Bbavm} zw4b&UGV&dS1sfUm_jiXzKF6Ci%m3}U+C3tOf8R6Fp3$L1ehTXG}aHE&JdaC8n%JK7Hu<-)eGqBrZsN zD{SvgPJ9cQ86E5Wk;}~k@E?NJd{v6}c6mO$`wi>L2W32yNHl)r4X3xUX z&BBD~6nEG8KaPssPO+#%)c$2P;=b4QR(WjoHg*uylABfMX>34ehAAIi@MqYH(&rx7 zHd!^qQd?fkG|h>n2`{~Bs`o!1mZ}L$SWZ!?LfU zRP?MvD(=^>BGW$D*?<-?oahH!H-eAQ!MM#6=p{Fi`VtTF&s1=sXn!$-G35yiL5a-E`4^2ggyWg1W*P>eq9o93wzzAM z3(Rcf-XRO7$a&>S@5e?#6Nbc@8G(*;$$@3MgBVjtzui|fqq(n=(&C-j(Cl`l+%sESO1l-zV0?>vW`khfJz|fF15f)#{Sr4;q?;m;vmkm{LCG&f35pzT69B6bc&LNGIJ5>BC_aJ5=8Kjd>mO5t0&(&2{OosHIfxJhm7s&8B25 zU#;@l4eb$%nQJhb$nQ0mvtKWVyJ49va(^=?SS4z(e<5$aqE2E+PNUCaE%7Rcw{_mARJgo&6JlLV&lW~P^bKLgF8i& z5RnYA@!Bi=Nq9!8GgZ3h0AHu8L`{wCVD9i+F8z;Bn^E33mO5pM%*MuGMdp4^=gOxA zBL`E#AefE5t#n6?)esg5&`WH2$!7;U-<8yv-XT`{#c`yzL8c`_BGWNVQL=QSO#2m> zBW|Z4hWOfeGq=ub1U*e=9cRf}n%LZ25}$ubnp5246PudL(Iz(zc044%>?Q?#2#p5A z6o)NYx*^rb<{SoERjCe6_eSqB!CxLX#x#6pJ#4C{;Xj2R>~+Y;?bshN?tAUk{8sZ@ z!*31z0z=NUx`a2adSz**EW2e8dmuF>&ar2c{;xGH?)NJa?zHOU=4oa$jyELf64=U{ z&s6Q!_67dnErK&o=3b9=8d;V96f4k(QZ1z~n~g5$-6)p(nq$XH=C8oUd7SjqP5N`2jok1EvbFMRh8qYELu z)_pX6kr040fR)X>TlZ+8<$J@e_!JzL#fE{BWz{=%2y7?IB=&XQX4b{nT0;isYhG`w ze}_wkKzg^lwx_By>2l+{*%Hpx>vQ(%iqgzmvDH_{(S=Ggac@Brcb`t-sGpPQO(<5& z#meTsfak&((PwWuQP9>^*l)VeHQQC%xGVE!ct2O~lqx!N5b26*aRgob9$o5(fBqd7 zMl7FU>@-D4fof5gxxA`L1?WhOcXsb~8b{aSe@=1&$(RV;**#d%Pvae#Th~<)>p9yRb{|B~LB)pBYu2OQA+Gfxzz%97xnv)*a(rZ=<@OeW=S z(Fs1}pjFv78L%S7t=$2FKu}W9K8%R$srYx48d9x@fw*vxOz>mntmdClHsKNjvR`hq zV?)J|rYtIA3Tsvtvf9l}3$$>7cJvi!`1FQk+3DkxuBXNmo2S%#zNCsR_9=jo9`<@u znm`U`92+AGkYavN;}lNb*h<#T3Awx=dn78bs?nKbm46gAGeaJ`W4RS1QrIxxrxc_^ zh5T+URJYrUH;E zkz&1JX>~T2nfY_S2LfGPlX4e;lM3Z=2B`NvW`B0W09PriL&EUYoLk!BR`s|=_)CyU zy7tN~>bBtXIxOs}A!7ili$O*7HzHoYGXoXzdPitR%-+{AYC7H}>m4Wi=Usf|Ds?<( z%%&8v%6ONkdAEvri`WrD3HWzjBss9KGA|6}531P$V=8b92gBeF{ z+4SD@pZnTSY{KcUshlCqo8vW*CUEaP|1l#lSf`uwNh`|Xx?fkISnqh52A$j?^M#!C zaV9o5WbW(XROjTIwt;#x0Ife^wGNjpY6vc%3cj@KORK(oo-aY8P5q8i&r<4OQWjzAK`DnDJJmsQyMh`HiRB0INJJo)8 zOQ2+HoIt&agbM0wMKoy!p|7S72wBREnAG04!;Y%RPl^*mq2ds{MMS)54;x%SEgZM& ze@AdyWLl3Z9C#n_|0O&kIQ;+bKUXC_5e?$m$P3o!8Q!%}mF<0SfIsYNmW{S@U4;>am5TC9orKXn)@o)iBNU2_XW!YwLSh*cAdOgP3Zr z6o=-7YmB?)3S;ixYBX@?DHh2N`ry}ab;u{>tM*T-NO_!p5JTah=Y-@amLJLzOBLGY z)xRUZ73aYyGJd3*KqcXC&nI`!sjacvL-!@MRoqC3Zx&{dIK>gb5a#1_1Ga~#tp`c) zEVBmYu?;$tu9Tj^{tC<)RYB}lMuN!>ntx$t-?fCgkHZ|gvC6*1HH|;mgHYclaXs^v zs*&fLFS!{mq<@>$1jNpqLg-5m_Uq5ELTQcKiY2*V%}Il?oBe9@0T-R3OQ_@evAi>w z;s>g1b346dY1o>#s$I;j(7DG9Emc@Ci--Ip#N~Yp50%rsPDMRbJio`_k@%2^zyJw( z3)X9Ve)(H=TTNl+tsP<`q^mE$m}%d$YaEry{HfG>S~{ zf`8E&bSG4<()S`~oG%Hd`;Ec=?MPdOh;NGJw$e$UnNFp=OPMHYOg{Zivhn3u?jn6D z3|?}Nj@6%lA>gQtljWq~Z0|;{LM-;fNfD41S-pxMEV2OYFScAG2 zs{99OCDj-;ZXBhw8r^jmPIX~U?kg0IT|bBa+-rbqnRytVIW(~t1SOGO=qc4jdTP%$ zE&VC81KWCqV;(5T&g}A~PU)V$9nz07)ncN3{!J%{iDpiNn$`HvB4vm37mwu@sJ~tY z!D6rQbIb9DOV-44Df6L-(f{g%7@eFb$mQ;rip43C%?6kJIG=-~NE08ly^SMCbO?2t zL4#p7k#`}*5mNI3Bll>4u^R{Zufcv|_cLASm+T1OnLJA?2icc9BeX)Z>uZwP4Q)>2 z1=tamP6v}Ujm+um{g-E?T-<6j+vEPn>E1UOA7DQiil7v!_{L-CgzR7F|$=uoPY0Zj={1` zD3?jC|F`)yZ445c1TUM}0I;Ti9n@ozH<29nTm30DiFcFODNL!zXok8>4`O+3)%1^t z-hKE7p|x>IRv&{}TUn0E)%yuo-lOvfeg6C0rKt&QG8LI)3!;>9r!a3&kdW}7T~q^+ zx|8ztz1+R#?)6)a4N)(@T&eE_pEGk8SG`A4?*pZsHKy{>R(s0)(#&>n9=Q!XDN>E= znt$?Ssrd1dNZvIPhdGo0OC)}@v9lwJnd1;fIv<2d(nw&AD-oTT71vf-(Q2+c1&dcX zo1%*jDW;qnri``{5@H)d3MS1(sFUTj+|C3rtlWldXUf*tSM!~Gb@sI;{5n3A2hrxj zl#^{+?i6m(Fco|)N{ELE4N(G$y~%NElz;)K+7py4sABjirv46-biCoL%f~p6czxjD1|r7cnmrePt>~wa83!g?Y3_V zpoojA`(Nussrp|b$cq4ym2S#wy+!N_EdWMQ3%X#cumBh-!D|L2qiY|Q*g|T!J*wAqoM_{}=cT{ok|! z$^2&C%B2cKvUhoyD9PC38FJhrgI3s~K80t1a2~iA;aP}w5uPyv9TWjq!&;Av5{?TK z#@q4{8sZTrc|J}d$@2|7JLdT_@u&Th_!G+eh^j0p_aENZ2gs<*;?-z0nezT=wKD6~ zR{jks!V`%YOoLRliLl*PH&4 zoZW)_9dC{Evj!OFjb$RcVP2$}8RNXApD3zpIi24#w>Zw zDeiuxgU48T@1!PoFC*kACC+r~D-zkwrK!>n{E2X?rp84noxjM`SbcojF&bGc|0Sw% zWE(Q-HTK3_ztk&v`ctz@D2f>W6i#WWW;&(FUpnt zZ}3d+W-8}q_*iZ`FW%~9z(v-}Exd6CuY*_Yow6Pfta=A84uMs?S@VrC_8%m}{bdN_ z;_3x8{)zBhGyV-=F~ZB`s&k4qLvV87nGF#x`%(9C%&9M8cK-sWP3&W^UN-Vn_SK#Z39JhdoEVo3xcKIo?63#`m@F<0x|0;5U99i3Cn#0)gerLX7N{QpP^dBT7U71%@Fr zCKRyEh*N?9a*5uh2bG)o=iHm0p_O)`5cvQ8EB1x^&{(EzhW3{*_PSU*c|%A?5G7k68k^PPZIfYv{oQ(S|XI zCzdXt5EnP?ZkD*cc!QcgfHVLns;NQcP}y-`;sTe6%{7_TU|<7thP{5bf^OvH^o>K( z7Rq~Ba7ouaHf7iFU{0V7=Cj*Ha6rxj+r2D+%We@TBM<_mB+W{=|1^jClF+l+TXa(p zSC02A=!aJd$sgg{x-M{8%)aXBg{H1OY^G@@=O^8%Sp6QOMX)LkvJwrCmvDQLMqlmQ zn#^8{Uqp^uB?&{gp%ksUMnS=AaDQ>Ay)KqLk5AN090XHV!5-f;Ov&IUaxg|S!Lwb>0tzldnxIgcB{$4U2D z_la1(gIv8+YRc2wy$6NscQfxdfN(NLX(B5m;5y0OyOJ)EPp_Td zB1`ghWWu=)Sp+gb4Uom&G+OmEva%5(XjQv=WQzekN1vkGxy@D6(4l_?KB7bNpNZvW z2wLv@9PeU=(cDFuSsPKcbVBzd6TC$0z<=+JkcF&I-zS8sk-Z4(#o2XSD@mLu@btLa z7D8dk;{wi0_$U8%91`U(%`<1lXpRA-8J488x0`MlpsK0suK!57WP{X#QFA_>iK#mv805f>4e zH9U zC1r?qd!YCFZ$N~qGWbnj2E~6R$(b!Hz#0R0VF4q<%!vdWzB44yy#F0S4zY~BG9;YH z``;PTHMNp|!_w#$GT9pmSxI_DCSHJ;9B=O*p6uuyppMa}&EA`H02^$m@5*oE($4f* z%sT2J@kalVDqJ!oo^=1-Q)$-Q`gp3bCw+n>5jpw1=f5u;ao<|oK((Ss-Jdt&ZbSN+ zH6U$Y&k)I_mPs}gnPi5eF&iAq9oPG39&fe$etInVGU@IYKY!MO`D~bZ9rVJnLi~Vk z=dgUR+zm%WJhNetaZV;{b6d(=gg`_`t>d=|ro*}biG+=ov5*Lv-mKTH41(8cJwI=s znZ4*}`b?IS4OdK_@p|56^B|o@G0JDg^(@JVJdU0#>~pK0tMtqjBQ81-w1@y{HhLk| zVBoe_jO*Dy!}!{g1BmVa7&vjnM$C6=qug-UwYI7fuuYZ2f zF>%h3I0atI*&gmTAFn%LDwiU23SxO}hwAoP4K&3ec&^bX^{hWZq*K3&wZrpm_Sryo zg?%=VU1^^g;d0}t1yTc9BHvgCF8@O0{C+rTd~6}4E7B+FQ0N*Jh7;8B3xnxPW8=p1 zZx3_}6k1tIAM8&(30V_|B)KBRmTFT_Ap(V6MZ`5kJJW`ECuAHT-dQ<8X3*XK4c}Hv zU0Bq;HLGl^nSWp0R@3*eYCH#a0TU$OmkC!)wjUO|aDC85qpUN3;#WQz7=K0aI`EJ77IDkScxlO@G5-R`*O#^@rWMpAavl>B@&8Onmk$ek^x9jZpcE zBaG$0JCyD(-k`b%4A968cn7szm-#b4-)_#V=I1-9%pdugJvFnEpSh)(JNTJ1DDz|8 z5r2_xs3ouqH^*n(l((Rw*}JR?6LJ_iMVNTY^K?e?<>dz2cL^O+g{wh(S&N}7ekm6$ z#O`lym}^wL(@eIRuejjn9yzzr{wccOqf3HBo z$=^pII)H7T2!16zaYF9Ha-AWV*~BU8^w7m;G?mmqYCXbA7|mhYa!q$Ee?MbvR#Up- zH-9DdXk*3rxMZjbjb6E~q&=^tRavZ!+`t9}Rv&*tL&?p}ZPY~mRsoPLd&HqdHHbr2 z-p&e^3FDE|N?6o*0 zu*zs&W^ph=-ksV*7AOalE?>ZOFfqIi%;Th^~2;anc~M;5o#XexTTBKt+k-DM(vXU}Mg2Li7wA_fvC z9%_vuJ7w7}1DhwUWC0CO*;1qsJVC%K}YnWt2VS?7fe3sq?5{G zOPf>>XAL;>^uoz?&csYjY{>~ETI{-VjP3Y1QVdlNJMDLkih6sH`P3{)lbb0D^W%P# zEtFdZ@Pqe|QX@DQPVP`1VqE!MFB*Z*NaKW$ArqtHqg-$dj-ggpx~qg>DbFA&#man_ zVoA4oRuq@SMrrjZE`5B5z{(n^hWb{@r-n42G~GLrK!^&DMY#z$Oz17*CaU#pSgV_; z(X(N#ZUV737qV8|;CL3v)rB|u^DmV5W(Y5_cu|8c z-p)OtsdLWySPTk({0}tz!i23{Z-ZWS)}m0o-`w0v zrQmvl-~1&sdC?7y872Cj3u_C`qY74jCD4?#b_&bRo!JyetrUvlE z+EZKHjn+RMJxTJe7KBr{0Q&(;jJaex`v5-wJm0}vDYXy8mDlCG8N@W(Zx29RJXpB95<;12}%Y)WyXc)ZPIcUlk;pGY|7~dMdMqpD9x_ck?r~G;=3EO@lJO z6r*nzqhAFCVe~gi|G?#$P$o-77CWdE-3-a_6@S9tAz?Q52Z!i&S^)uV0~uruIG0zP zG4}CV!de{4<&*wDITiw&zz)Yvb;`cnWH%-O`MH-pWQE2;`LnhdvhcWdghE7YT_4N; z7bKKruND;lfAq^X)8EMSOse#6VmleKNIa}EpLhU;W$!hbab1)sG%D%&e9^ultZQnt zeUB|!!bi;R#{Rn6$pANW1U^U3VjOEVjB3Wdjgkkoyj6R|}u z#08cg+3Qe5kwr@~ci`aLz`5>f2Zp_Hn6vv;=g9rek$bUiWbzKA3*`_e2WQ+?5#_4j zG9Y8+&(PgH_jBe#1aAdBE2{Y7w_gK-kCOADWr6%j2UEyzvW@B?K_a5m;MFK5XTC<#<;mP=8$O1V&;XdwQ3~6v&HXJUft?N0= z+MTczHZ}gr6pJm9eOu;2>6)d!lWi!?ykdf6;wcY^xWuVWn-IBcSusQ^$6p*kIc4b0 z&bSX!rTfi1r|*)LYrM1+Nxat|qb1qrU&Zgkl#`_UMLbXaE1@IE-W4uE=7T+~J-c7h zT)|Nzbg@jD>X?^*7bFlhWXi#8Eav^Q-8ze;f`#BslUa{x%8F zpYGps<-)H%u3(jyX^Cm0bIj=H34My0L{(L^XoD!}vK==C@7~#9+1dCrO_@a>OO8IG zq-4KwfN=5q+%Yt}rDEBXCjT!-enfmyx~m;Q>OijUVkC>A3O>5W&X$Q#x&H9 z#A5MG$IgUT^Hld-V1LbAkoejF%bI~}1o>YTfPCNKT*2nn0QSWqzUf~bM{+5TR)X%>B#Q- z`T>kfav1CK%fqY)lXm>?E&GIada-AD)lZDj2CuSPi?O_kQ@?nFYCeEhbruymv|A%r|G5cX8VG3pBVP0zhZpC0R*)Io z+nQ>dWQQLy*{UHY04F5Cg|m6@Lk&5foCwYG0LScIxsfr#uA$)Lw%|Zm_NEAc4t`7ctX)Jjx|Uf8RFLyZV`xa z^ow&}tXwJWMUfG=zxKBDT#U0(V?DKkYm@tyZn#htJBLW9PL=NU&qF3|#@5rcaKgYY zbq)!o#Ycmyso$(b&3U%H60~`qB<_Qm$&Z&Qv4gxUC&fN90*a(PZ$ov^%0)~2^;>z= z8Q|8xL*B!KNg!~)JRzvd^5icZ>%MCQTO&i1?)SevQ}~#9Id~Tmgf4CRL+on+$TVQJ z1NKA%8yeR***n3OMVKmfjG2m!PV97_Q*H5N<8zt6IYs!t>W={K)EZBDzpL${s$}Ck z3r+$nA5<9T!i3SkGBWS^mq%M#-gtl3VIq(AZa*aNS4^x-nbKhu*_G5GAO+LurG<(Q z9EI;+6X`5AZ8d34ecfQY`eXUgy#3~vyp78C{Xd+& z33ycH+3-J;1Q-xJaiNVCb!cN7D%H?RB@NgaGJ!KN(I{F|mlnlRYH3B70jj8pGebC@ zP8+RO-&U*Lv9?M#MB8e@k|4DjaMxBME}TPLKx#l*lmG9&pEF6YegD_@eOworvpnZn z@8{m0d%@~u#J#-9oEgx8{bC{y=585id@X%BZyhP=FQ45qaE^J9x1lV zgEQz4&JvdG5=?g{gN|1(oxcHK3$3`6$XIYx->O=A_KNe}tD*-wOUgJ$I@g^Uy+^O6 zO&Q3(UXm`e-EU1pOr`wNX{yDyYYr^^GJi}x$GI)fQQs*y$X`PTm}GWJsMrsDVh(gk zmH3%x*@UZw6E*GWV-l0vi{qKn*L#n^t#hz9$G1c0`Dp+9I7E`u{5YNh31`bZ=dY8V zEYvYU#v95zXn3UbISFSM2Yf^Z3~aZ%Vj^M@N_iJ(s^Yqn$6MRKwUr@j5st6}{KtccuGIT3*zc=v8oER_C&?Jk2?Wj}Oz z7gYRf;2}{@bSA0>AbaR|;YXh}1wW+`ku_Z1ysEC4I2lqz4{UT&rST#Eii<8`cMZE& zvG85BX<+BPbPOa~6fnp|-bB+ASVi1z3M<2LHWHJRDd`NIivCwhK4&T)2H%I*_Z{jh zEWv|!r&QR@sUJ8*DkKBtN}xXzrmoId_-ba_yJ~oqMgC^kd7og9HDf~J*cI{qutV#@ zHkt9dF-#mvpe6QkL}wt|eRdNYXzFXLP2lS_QdZt(U!?sv$pAxW+-y(TbbXRUnmNdv zHSnu?!NA*z=nVQkyYf8!mDA=-y}KxyayG^_6d$UQ-Z8=c0n&l%Nw)iG0<4$ZEe(^i z?1}xqAaxZMHQB3|pwIm|%@p}MVh4&MxhvlCT1fWFQU3q%wk?ic5eiz+4#kM**PeMp zPZfhWAXwVO7_p$@qm_HuJSmgnhE)6{(*?`7yMq4 z`cZdrKzs+1i#MyK81FlNzSEs_-Y*`txmPxEqUo;MLi`0dT}Jo0diOV?B8g|;4==Cb zkR+nPFnW(R`%A2mc$VO3kYp^^GOe$Bi}cI%s|Nh=-~vBPd2#sNu>Hk(pB(nRD?NA$ zZWdQ7;71r*QI!RUssWdrB11{K!FF$Gr$hA|+%e0e;m$<$kvU0n-&C<==W##_?U>BV za!JP!iDka#)J+Z|Pi&491Ix$1gmHs=j(ma%80SRj6WuyK%RHsu>j!+;yN&)cOYUC; z4Ds~t^oT&i+@zOcg{h@_zf)X4u`Df?d&b%5-C;_W+u6C1m@jU;X5PTp$rh!!8-K2g z<6jX_T-&YiUbjSW5@UXpOcKb(uPd%|VZ>49y9>>Cza9Fn%De9a-#zVAqg!h9n z#qJ_^Co|JG>$q_G%UV{HU)SH8GK}9HA3lo+*zEOq<=yc(cx8O+7!DM=}qxF2rjER zG+v{B)5B(fujLIH<6#nuP!tAPDEp8(B}E${8V4&YhAs%3M-U?0T79S76cFz@I){Ks z5qM-VmgfoqTU_g|ggSyolM8NHKn%81rpQh4+Z%ORFLj zQw5f`QiYhF#9)Nw3tMbcnuw5y3(Ll2cGtggUJbnEQ`YS6xrGVGhyysrEb~*7dL&XX zSPR;K44*#1uDw{s@{-hvK4#K$sj!!<>9SfyRRkJVje(rC{gZn+>B|3!iwBS9kE-Ip z;#aJl9@=mJJkZRc#%hp$;o>1`plGV_Kr@AZizUf^!pvhnWcV5EU|~&{VpG2Cpzwsp z9-(4p?iMC8`zAQ0w<7!gK;}7#1yCi5B$Ospmn_U?n4QV&>;F#G92^|x%)QC*OR3s) zWn|fjj3YH^FXMou9AULKvjGJEwD*n{%C0~mhrqI~2$!d;-69xQ7O-WrEPs(306P#5 zP=ak-&EH5Si!SD={}~f{Fv5UR&Px(9b+I60B&kMbMow^(g%vObZ+m%y*N6#EF+~){ zT>tWO07>TysB5seBeREhd^wcbluJ45J)RdKZvlskL7eGG2zN9Qkr31HYZl}!_kaqyWi=d1i>BLI4If5{gk`x!G8R! zSfZr6ejWG0*^3~c@9;F`{0w7Qy`0buL0#0 zqiuGlPh@p^C{MauTn67PgM7Oi*6?89<~IIvI3aIs_x5&vk~M$F%7Acur;2CPJ?yaF z-{?HK8p2r68~%_nmC5Eh@yWg(n@T)a?YY)p^Dc4dbu_afK-WcSUmIddI^I5NXjZbj z!-Mua$w7URarq|9lg!R`x)gVpbFx*oSDNkp_TWBik?saV<7b23t?Mxl1^x0+P^o*} zwqP6W92@vKZWJl{41rZC(8G?@Vz&WPr(C$VUdYCc0Qn@ zthI2gCB#6HWrH8w96>of$e1KNaJ94Z3H?8box<6o&wqn(64AOIEDy<4Ys|EFH`C&`aHdOU!ic)oH?@!G>r`KY$EW+)8_Z8O3*(gSX zR{m>r>jP-~zw%cSwn8_Y2L6yElOOfaM#}wcV0lky4RBeW9EePmiO$!+0Q+KN!|4x0 zH~Kb5(^kCsy71)~!f|jZ{VGa_V#a}Y_|V!td0`3kV!**T=Tn^Y;R|R4msu{`qtb? zNnb}KqgUa+j&k#?>_7(!^AI^k@|)?g6ho6&H%%UsK}SnRQHzuBFyEsE)R--V_j}9S zNQn0Owv?so^@h%2do(SS`E1`7Qk2^6t;#?YA&zdG0J~p7{tF>gGMnkKz^%Zi_S4yV zGF^ciXy!rgEb7j_T$cWtMhgNpeZrkP-<`LzaQYY&)5lxutI36G(x8f7p)Xd7u>3Wy zU{z1X6uZeTEL&3VY(@X#bhP^=B*R=w9-+iLauRzf%0}qgID&qunn>Gc0@u=)gu6^) zpP}~7qG19~P{{g@!UZL4@zIes5e%S#64wcJpktIUOVdXF7 zP6VXO_yt|fT&7~+DYq-Z+I4Xt1|~S%hn#~ha4dQzEZAPm4QzKTxrzq119?m%Bd6;W zbhbHge?Z%2Mp+!r8@)Fdrw?*1%kuh9JfMQwP)=ox}9Uv8nn8~#aklgOd48cstf!KF z-VK-^0usV8=fBT0J>qQ34&Y^W7nT0!mMlxJ{=jx5OmN*a|0?N7kzPQlWn8-PP&NQA z)2K|<<=>(YMRcY^aGMisaWoLVqz4Z4E$FA!C+h=E0Vgyya#*<|to(l3`an7C|0(wp z<1zIy=#gK>rjZ4JOA1Bex-8DDXqWi@4ftKWkoCYUimtNTNdXh~e>C_#PK-JpPVoS7 zDZ>`lG7_R*^HCxnRD;&h#Mtac`FXOMMH2`o2`GZ$0(( z-ban!qQ-~Ml-eC^46mSSSZ$(IbowW1_x@8Ktz=Yri6&cnqMwz%Xaz;G>bnM}r!QA^(f9MWsa$oHiWxT@DDMB_{2+Jy->#qO6&<`6LAukt})98-Mse>J{A zcpJVRS`+XFw0{t|#{75SI&6FflExmkkpFGjE*f@zC97(tm?;s^70G>=zHv%$j>~xz z4BG`HdP);YwFmptZrj<|vWqYFrgzy>x}|{Kv8RGdQ!ewI)4r*Vgz$FZ?C^#W<4NDP z1D!jfnxtdFSIiE-LoL?&bEq`4o5JWkiC1N}^xp+;k;63Gh`Y;|29oUk#MxG^Ohvf# zGP21h63*St6j!x25h9xpMbe*rcs|_{@$5SDK{{!>-xKVH3~1C4MHx`u|IO;vm4|NL2e_gO~mO|+ZcK`B(K1* zj_o~u=pO!QKQWFG?s9x6@|~Pl7$`q1grRF2|HqF(#cR|i8prq5--fNVp9tVddq>QsWEk)>qxXQE*5a zF4M}rOqI6txO#lS9m3vy^R=LI>dgrg?fv?4%y&F-E)ktD^7OqVPcU_Q-7JBOIS>Yv z&T?Z@5TRi+wo1b!&tUzF#NR!}UDC+pS1y_!s(Cl%R;TM_bfO<1t8~=HwYf0$N*r$i ztozOhcxLauzC);8J!NK}pVF?zAFq?x6T_`L`BL;hHBV>O%OO+YQ}NuGQ163u(Elnk ztZp1~T0^7ve^oi=t>4z_&n{Lk>~e}0L`2|VMp)aae9h|LlD1sHMz9<520!9lbZux z2{){&9h^E#9t1S#Hs2AQ;0YBjsDgmqTt6-|5cN)aMZk$GtsP*^+@+50+hw@f>!L8` zojUR_RM4=E0dX_)!_yPA!$LWV9WI=H1AYDGt3!PqKjlULT){C4cjDlR)78M7!q~q^ z9pWI?EWaZ3(1V~)6`s4x^oe9I@|Zq7fSPyEl$I=k^r(T5q8+tmb7y&AT?P zZqiR{bvJ)ycL+P35|?LVVXeA597d}VZGR#)65`ww9YuM+@B9~6xFmL!zKErHVtbUt<%HP674db~p<46)b#Hyo^Y%)bu}`0sFK zG(w`)s_?#ve5W!KmX_R;!;nt14x-JK6~qOwnJ4nk|AovMNUGQ&j(Gf^P);#8IwsS< z38qH0U|1w;YYB{?rNjOTDnQeF2t6N2;PhswOM$iVzJ_3}87YgEn7-}6BGSln+BdDk z$~~)fnr`{`aFcX4`+E_iitD7xs+r~P@+yt&kv=uy5N(_N>+OR%7wSo8BIygnNjuVv zA_Oi{4)?{*6Ut((UkW=q;(oI1WnZ^YU6f{?c9(KguI8Avzmx5}Y!gvs(XgJrH{p(S zmo}n(Pp|8}&EU(zh@V~$p5kz!S*8v8qdL38qh52u7?_#fCH$t_yhx;p{EKYwv6(OX zukvgVzl!25IR9O{RrV3*7ZSnmC)jQU3=^IzKBXL|7!gkMIlJ zVHH@U--yG?xVX*pnWD2?QZV2*nEMS4h^b@@myHbkCu@5f{v;iq+qs}GgC7;;*LBg26$wiOt=@8#k2n!O{R|Qzpx_tZcum3 z&Mul(*4qhv!m^_YQ#p-YD+EVzvk%7Yk7JZYxEOt@Zt^*;x^DN(38qn~)GyvX zgv@Hll&sp5Or01%f^9I>SX?>Q=mr2&GEWSr!fmY5Z|6@BxksZnKlCIuy9lpJCWM)e zrHD9VW)Sk6IhR%Z7hD}+^U1;H*&9_7js^zjVo<_Iq$}V*Hmyve@D^HtZpjubPdG2c z2e#8ce>3Bh_;vDeh4(#_JVdWXD+|c*AmKKZ^?tX_M)l3Cas1!TkErBPCk*4ip>Z3a zcA@mhzL}UKM2hGBLipTstFiSUZbEFn9i9~t+q*XMXON-bjX^s*(cd5V4;Jri_Do|S*-1RD12Tn@+^s|Vpx!(VsJ z6zamH2aVmlS2n2ACO<`uLhuC{b4IOc9986(Q2s`80${ey5#{<_&r0|Wp`J3r$kw0BA zS|iSXgGcbVQMS=#@^^!E`V$(5L5;-SF;Jn^4UW(F2^uup`ek;I|4oRP&Vts@ zG29)&hrLe%!IL7d_A{A|A%yLPSQ zn)7nS&9&=9Wwv~dZQ?QU`YMWwqyDGaukHoatXrmBvKeUm=W@o5&}Ka_XH3n$4Cl`? zqwv^-gBi%|*pCd%HZPC^!Chkut6eyD2mkSTnpp*bjs<~m#Pm!VbPb1dcz`(Ygg}?V zvvosC;O;$69fY(nUy_&eElj5F*iAs~jbfGc>OWY@wC=lDsdB z?^!Vh(Fvwb4<$u{Y{1O9d4u0U=U-!@* z8i{@jQO1bRRS8B;_R<)d_NGtMJ z?$r_Rt9uR&^kNw#>sgqwb-A>(@1e56mL7mBkWq6=CG+QvV$@>&4`((0E=mt;`_~lh zyEYDF>l;ITO6!W_4e5BFe<(6I-Y#gS|6{2J zdOYLljG1}qfR5DrrM$<4bHE!%f9S=~c;gp9=~Y8<{-A9`Rm%OP;M_POgX~=#HCB79 zhdZKk|8x{XePo?L{B=e=!0qz$?3x+B;DR*3^vLcSQQ$`YVSjzA{sNyF@zZxsxQ9*3JZp3!G^LmYdEhOn+A@5C`N&%y573*D-KlllNjVAsTX3 zN5tJs87MW9?H?0tBP%E9z*;?r9%uWHMp~s?*6Qyukd}UM9fw3;)hGM-+akX8Jo(B9 zxdyXx)Z+6z$;lm?Rt&3PCuK4)-UvBs1!)BjAhQQ)g6Bw;Z6T`X5{PSym`m)s+RDvk zl*~&3A#K&>GRCExiBOr%WsFNbPw_PeAxC;Uz1zuZ*gGMBKe;Ck z8T&rzbZ}nGAYgml@khMFRD87EDtP`)w)k776h<}`Lb@CbpRQ*6F>G5qitcBxje!jQ z$jdkkWMeRCR_-wng1ct1&SPVfggHF@otke}v1&YW*Dc|%gXz%pLp4|O@J@Oqf)XZM z`S%!_Atp+_MTSlk;{7Npk^p4y(YikxYI^7=uLu>>6emOtJnZH$iI;ZOTv3&Ix#n*o zCTjS@i1CaP-NH_uO(1@;P+ziF>({#I;EV~i+F6pO(DB+e(m&xZvB;pF4Et@vTE>Xk z?SseC*Zn_dnZ)&FXAw#Y>*PIFPEB*1)2DfV=X+nYQUN~8_H(R1z=UP{kCb(`vPbhW z+s|p-r6c7#SGk{?q}`f5=|uo}k3vTV`;FKL8{Q^AmM_TjMLgGQqiA9}?V5vD>nfmF zq=B2U%YY<~J)df(!rbGYCv=5J zSy|y3vi*3zd_^xtTKPY)ft+D5`cGy{CUXe|0_AVqZK!fpfUVhQwH{#1(8DG)i(3(P zFkF|azExJ5&bc?sXk~|+iGk<)2B5}@MzU9z9YM@E#zsH_n7MKs%ery59<)ameh?nd zl)I5~lBsBq|0w}gp%*i|%4AcA{C8Alm#Nt|Pp9VQt3jKE88^)sl#8mo@9Yxs5*i}e zL7ztEcv-)qp239?NUqrv1mgcMi*qGk{Kw+#WNBr5b>L{{9;rgmOA%z8#zh9JG%hhH zMWWYAs3|>0<5KX+8V13o;1dzyxfFbIySWs6a<{n@e6rSD3O-rKWldB1v zPvyDLHvnCEkQ2GDSyTmmlQ`o;^ldmcl_Um(gKo1Gt`(a$noGf^P3BTYKi^!+=ogtw z8T}G-DWhL$E@kx1=2Aw##$3wi+qm?9%aQA_{^$nF_7mQfv^8b{-J68$S-H~yYPFKV z!a4s7KC5@XQkAILWv#x3H{v|)p3|h!VKWP{03_DcMmI);S&*UZ2eBv4-76P|!pkpB z7M4a3TXka%hu1UR>&vnOM-ZB3pd=$9b26VLA}koqM)Z|IV&BI%v z^0TxRnycp`QS)PgBrD&IqDi6~<+`|lKoaZ*O)=L($bTchn9$oBvmWb;_UK5U9- zuPrM}S@k{1?DR^yb}8Sf#hSFycB^XGtlV5}v`aB4m~{WolMcS=e-sc8U^VGBusG*} zL(4t~d4nWKINm7o&Vha5z1arh24}C0h8zvd%NyL;>sRu5$aeCwC(=h~PcmiA4JVfo z%O`5^+fxS>6m&n2czzFfK)Bya8M}Wbe-xh0Ns!xI1oh+nbs+R2KR5{QKjdM}qDJ7o z<8b&I#yyCLGX(Fq8@P-Bmv@^>f%moMQs8}^xfFQcU@isT+s&oG`&M%)@ZN1M1>T=C zmjdrST>2f1WDwp9-v{Ni0g%?}dwAZ~(*G_@k791)$5^{gQb`*7X`z+q1%&AsP=sUj z`dBFagB4>llnI!vd7oC|1p@9+^9(_>*6L2`2p-*S9<{z%#-qOa(J&6D(K3j4n6^i%Qv!}FzXN`8d!m5QLAL16^e3^|J$F=ywBW*RwP79Orq?pcCH4nG9jHb(hn z@*Au8W#&Z>Q?%thpE+-ganFP|+Jm_DMuiuLQ$FVgy$nu310Xi=cOHE(e4Ict4hW^z z>NBNZu%GDrKEvf&7^+kF9ZpO{_#-QV@d++`nb=O>ij zP9rfvl-vMf?fjU*w9+8w&9PGdF?N7x{_{(DgmKtp$^?ZjCzCsVeMgt4uRdc~}@xn^NHU^D?E{FHSA;H43ss+g2VVV7GT0~7u2`8wvAgyD{*K^5gg(RY5e$ezLIwf` zz+cT+0qY1zxQSQv?8kGbhYTnerk*d|bF2JG&_GlOG7A64vYPh@i^JN%G!0^eolIvF zXoSbWV%vOk2{^VbGM9oBmY7R`vTdcg1TNb|wZ>Gkb1D7qHkZ=x=gg(_yT@Egzdds){T78kl}W!3noH?-XsF-9+}k6hO(6&ycoFg= zbT;Trga<)q%FU&8rovoGXQJj(I#XpXr8Cv$QaUruTuNtR=2ALin@j0TBbUX6)6Phn zL!G$>uwmxDpZvhgogB>Eaaf?aw+WYl&uq;*%cHh?c2n=@g>ASVb9)pqh264_?8>sE zGj9qPAp+mr`=O#-A}-MAO5d__`veNya#-r4=?7BOEB;cjynfTB zXW_%`odSCYvAfuhf86afdpToKwT>K43Q-4>XRnKe)`ipPzy7R`Q2k5~R6hbo~LR?*xuehe#yB{ADP{I;)%7nPmpm%FtrYZRlMR^5h+ZO}Cn=WQR<5_@~OB~Y>0>9O&a$3xJT1V_{MJrqYtE03CkNAbSS zaOQ|Ou~Sa9a&4eYDD^7~@Ng4TP}GUy9WB-Z+zlSMk)2#s4f2b@fF;UdtDJzQ+|#=WI2OfQ%f{TSgc#896P>oR zw|AWA4FqY}wH0ZJ!Jc^sOS5>*6DuClC|N_0v5qMVk?Kqp9GF_0=qb(el!}a=vu0!Z z>spyazDXirJer0laeAbT``dQ;;kf6yVx{g)QmO5%(>F%WO*!|-UDBP!=k4hu1ALHj z*2-fzO3nUh_%EE{s%jrlu`l}trcAJ+5s^T`?30=D3{~=DdyHK4X)Ti%;ETIwO;)cB zH4zZy5D13MF-?m^sa=KVr$mMa*lUH_%h#Y$E#jm%P914BqeH zJ$_<6)DHtGV@o-|YUf8)85$4vi-1B`tH2>BWkAndh5%v#du94par%HUp1v4%UVfJe z{rHt!VYeQW5fr9A@ntwCbTQPw+k5zlL$c@cmAsRU9}PCXh9InWIt7ScFX{c*F!?om zh@JT*R#L1Av+c68vKPVa*zl2v84{-r16Sw0c+1OzS~AaNcb8;7oGRSB?s)fy$?Tz$ z<(;X*xp2J5$bU|NR{_&V`uG&alqt8VyrE|2(x0bFuZcEH+L@|dS+(MJIoKh8?lt62 zZmN*it9ivSt{jq+o?1ielJYs)5PmOJYm>WT0kcC_*v+TYf#R3AdRh4&GKG=^ue33m zn)E`_IlsE0=3iFp6uyu)Q>9Hj*lD#!WrFieN}EBRNEVY=AUR2C4A4~;uLW7yQ$&^( znj%VTR@KfvI^cD7$V1$Iy|K@uia&#IWv7ZIy#gD0%0{Uy6;$?%C&VrZeQxg8^suj9 zl5G4$`wGMQw)f$uUB<%zj8X-xbJ8xqlQ8PdJb3aRc8A_4U56THKXa3qlBd;lTHD z7qW5{R4ddtg*&&JVFCPX0>b2>cIIpF&Ge@u6eWyA?>MnAXb>*rWC)S4b(mOuT4GIs zCSTDwQ+Bq0)bi)V*aAe^9qa2X&47&59794L6eb8AV3Ux^sJA5LRCdP;v%?R`tO!c; z?j>NAvIx)(EB824gk6y%1}a`-w;U6tD>abR+uo%Q%dBQj&{icbKBQ@nckiD^l6?g< zY2|iPDNJ3*=T-99wn!z9OD7d257I!h-=o4Q!#POXXFo0nTY3(~x^)SDAaFkB3qjTm z@4hp|;!#_AVM?F(2-`21PyZFLKJyW^OW{*aK_CSD7pdid?PShebb? zM}X1S1hN((Ebu2UOg+!^_V-mq?PizGpiZ4B)TKs10J<=)|2R`DZ>qh*-$Vf_otJ(; zQ|x!&41i@a4LrogXHKR*bkUfQ{}9k4k}E*aEI@F6LP-$WSz30%^o064W5}7Xp3J!f zR$Vh7q8tm`$QS#$W)qL^*mIP#9X~AI-?eetb}RP+F9H}ndxwGh^H>N&-AV=16h@p% zcj?7#U)3df{1e4NV%qXogi#Fui$$u2#()PCNmWs0$@Fg$m75_zL-V4Q(Bn#K`rCz! zhf~G@??t{h77FbM#c`^zv)pYp4aLosF4J z<71-acWm>nFtN_Jy>C=h!bGcxassFxQLEx_^4~^B^y6ry(setUAh68zVzb%ta6h^#SJ0wRf z`HG0S6}}!P6-GSDD_VG_Nn7|@u>~^7>z4N}r5UqVhBo??9loSS8KReR)+*6Mvag*a zM&W}t_L%y{hRI0;0YONrIfH${3?vH#|A0n-TVB>FQEW%Hl|s4{?nt>1NkdauvPf7s z*bi8Z-#y8I1kWEMn6>7Vv`wP>h>;??+GU@|`tT{xGfuAHaoTB$D-=(UbLDLB@JstP zmhHFi&3qANI5Qo8rOauzbIMuH<-IgZV28ng7=%d=PD`_!V@0VAgNab*sDa+c_}!q0 zCEHc9(3#y&Md=56Ulo3_OXBUb!Me(5B7JA?vjLwzr{=u3(KD9tlAz7xG<$8tS%vgz zk=|BApVnY~Q@CdI!iNSz{+Sdi>SG@asw>Ivp{cX`HS`+2V4~8gND(`0BsIn!tD)Pbv?^5bbxwRTv z<1b7o!IlZ?RQP&SiGx`7CU{s#jpu~)u~kHqU@y!qoPLHq=~)R~8}ar6Q1Gpbm9KVs z?ZP*rWGU&9WIjt0?$;yrHE*oiEuTdi7QCzWIq!IX)^9T1_JVn1^EnCCz&ZPrLfNq>8?wf-i#%=Y|Ct1KJcy+$5N1e=QK5#kc5>BzuMqK1&JPk^Tb z$zw`186B_G3v5(4bFier2u!;twk8){;@8kQCM`!1j0$#vt3#Q`3g^57hr8mL-i>BH z`|3Vgp5D5!t@k!_uRZn7x>lJLvS2yc9=`Tx1E5lQFvOVplaL%xBHn4fn|~JpkGKhg zS{7_4z#i@_C{=rA2D+9iWZX%N7XMbksIqsP2KTO&A1#ZQ{jd2cv4cb(zZje%=anB4 zR6;~44VE#kZyuNsRP#`bI_n)D6ckw2yp6R`i7-FTp8qxC1oFoJ8gas&v?o=#f+Xy3 zd0)Rqr^L#Moq-seJ7T8l9s8)@bo@{{y$2mFVT*y(Z={fFa<<#0bJ=O#xXK`UHK5O# zTdicSzDmMm6E&$6MbJd(9w$qV2IMgDqfxP7zSm`2vk!Vl;+$eUikMmx@MK_qa>(>M`w=unfVZ%<6A632v zrmJ|s{LN(IFjyp%2fyVlbE2w+HK9Dbw+ZVY(<3}?#F@z)6{H=bqpH^rYwD`4)va)8 zu%^t%FD@WqdA^-{V_N_|RRhGq{UTlPb2_Qb)D_CkiAH+=ID{{hZDWs)nqHco%h`<6 zo!!dvM72?rLSoXG-FB37e$+pY%QkmT)Y+QdTIz_EA8SXE`Ru9eqsKUNqW<|@n*GOl z;WTNl_g>H6cnIP^Z^upgC2UokYKFCsFV|r>#wFQ>H5qi z_a*5${3Y7xxX#ZKVf0snc+pgCsIk8Z{zmkUGbFrdy2_qm;);%Il%8z&uVN;Y&J@O7 zftOV8BSm^p828xu+}}TRKawwc?;5%f%l&tU?w`he#5<4XOu!HDB?!#)VpAKvyuD>~ zNHs4(d((2C`tMTa8f*h68l5Oce2O()RHR3Iv}Cxy zXUlE@6lLPXT#hIOVS;@O#fL#$m?uQFRT?!(YcgNgAgy=p<%wO0!@+b&8XHwUTlHAH zYgqHX8_ofXhtc{LW^BW_{z23{^tyBZFL;DGlGAySfA;kf)2Nvj!pL6CI`PJ<;i-)4 zSo+Dy@aQy~a;X1>5f^`h_5E}3of!A;O;1#_T2a~HU7GszfL-(Wim4Jc-PuaubX`~X zf|xB)?O{1a1)+bk*OSYHbR)B)Vm=?hvtdPhpD6aL=x?F+?U2~{w);6z`JC=vkRTh* z%Ba0yn_ZKB!pMd zc32tG&-bK{%I*z28woowGTYM+(=ltLgy^y2ZtLB&3csG8K=Xmoe#%slbd?3Ul>O^A zCP?DEBYnn{9lFms!*$bJ$)*|Y+tQr*5Q1}NlubbJaC(gMp11@%yybgHLv3SXX*Z2I zD-&t5>QTnn*O5roBpS~AMC|&9aFB>#GDAnEoM%L|>sHU%SwY{}k;X$I2t!_O@Qyac zSDAN}^`y2QW|d>%uyud8(;bK}l5vM9gzz8}^wh`cw(=m`4{{;I13|-nk?dF;Nt}@X zF38yFdRTUjdMbSC0`=O>x7!l-2)B>)FX^fG{i^*l;=-Ece>PwMstj{Es95Y7jCdEg=FdSU9vr--40<_l@$n~?X2@HP%y0}6QU zrtGe=N|bgpqc9m_h-xOWFx5XzzZEP0@}O~sY`8hAUdLYLU1@lwU@oSK<$rnlXogg> zLE0lkzZRS(eoF5QL0J({iNppW!5ykpM{;pxB;Ge$NbC2^5{_XhRAtXRBNrp2N3~i6 zi7FHi33PlYFp*-!O|N1~pB`gSLOikFBy1q5N}sEjbRQ&3XmFktNh#Jl!_Z%t4NXL_ zHj=OsyHA#g&{O(mh{jlgOfQ>O^hS!;(DxlO80Q7?6=o}J2FEIUSM+pakWZvexv9t5r6M=6;sHP=2$&$8K_l`)*L z-3gTn1_D>MXlo=KBU07JhsukRNQS-nzm!k9>L94@JD+DC8|OG#Y1^zc@E8?*PxnN5 z^R%pt`x%V2AD8OM z%UTxw8uRaimv}CVXY1n0q({+qvdiLydX~nljwk?vsN|PjspGYBDdu(9K+RdqzJ#-g z4D_*b8TXVOL>&+7Iu6-=r@9FN0K@Ml%W+b-Rtt;Y7oS*`c@f<7z6=wVe zTxS%C?j<4b!3RVD=!ZWNPd^0vQ^8G5OcEu(M@d37d$(#C6y>V-eTs0+xQdrsSqZlq z@0&G|Y_(r8RpRednEDCx_4$15U3mDXy|{Ew0Q4060@5*vaGKx`UXY)N+&b>AiFF*Xy3M(@Tz3(jqMa%`aBm~xmeb1 zxR3N!!70RycazbUmnAY~%X{)S({uR17UFk9dj>(D{ee*_V=h~Dm85UN9q+k^<(wkm zDL5%oQsEi~$rtpx2(l+fdukLbFM7ajsx z+pT7|E9VK@`DfXU__zfC?~kWVK$U}|!#(zgdRo1N? z*8|E`}h^QOmH(C3NUTpz=^?XX<@+t5LUqi>9s@ zNml+>1cd+a2P`@v!%L5GZ(lSs0Od4!hOp9usUB;X>gO`EkiE-?%b)g$3O32Y zKMnND@+4m9{gK)4k62WV)@}l;(z{`Z9|qvdde?eSV>GYh8;n<~DsPi{aG2&XSNWXQ zBi-(sJ)2E)dSxI`K-gt@Q0i9*!E>9%+)f5FPFz)IV_$iZJ5rHCaa)&-)**fkQh3>Re*@f_EFpgY@MvZijt zuma=O)Qyb07bJ#`CO5{coY?fm9~20|nt!eYBlb?1pr`uz^LaI8V4-u(=ZdvJ^}h6Z z5uo1&Igq?(9xCs0qSaLJIgwUl<|iRP&b;ZMm9<<^tepOpOxfYoA(feteo;nRm|8(? zqUCtosasThb*6dMg-?okl@&9?;@c>1ovg6-!Q^CDE*ii^c7qfeNMDfMAnyj!XDI># zFUSEM(hg^I6tD}oRNgIpDokztm7YctZ9_UK|7_bJv{zBhM=c*r42eErS4p}yu0{$p&b-!5^R^yuOeO9GW+ih%geY^L^MA@+pr2Nt z%xOo^_suryK9hW>kcfpTKF$9U#o^0}U;$)-orl7?CPp!-EVmS?kgDmrjS? zjpnYwy}yn6wO?^nT9Z{dv)I2fD&(J4bE^}DuY{eiU!LtBNPoE4%CH80KSCO)TcQm} zenPjpo-l6VgtK7P|Mt!GeA7T;V%kbCPr7&Z@L9rn7wfj8(qmvJ6VC4iIk=zs-zqrM zG%9K+EB{5o8}y*7?s7ijcHzFg=D#gyX-Im0*7Met$p8&Sk~-*$r~+L&_7V`#(Mhj{nG! zY~USiormZ1oOQ1+EG+S^65nHI6O3(R@yo*0Pfj3w{x1dtnuvhN6 zDW|c~YF!u^oF)v!1Hm3si@U{OEclW(Q(i&FC1EMdO`4ln7s!k4t}Jf zPyWS}vxImqX0{8rnZB7J#ZpPmQHK>C|<*9ca_7!J0N*|*i{Drd`OVf>Vjh)j4xHFt26#I50?!M$n`2~(}y z&*VlhLaox^)lwbt2>9#NRcXu%+|ABlds(ZGV}Hy*=D=-wmONPb2gpy8yY^?kOHb~snu)5ivIw{NR!Qb=GfCzCXx@c|;q~d>mH(2HBp4 zsmI|V#9DgSEYgK1Gla4B9_+O0GO-FXM=AsALL~??CkHx*71mrk5;pe}yb1KsGe9<1 zS~ra63ARoHS1vzu26z?k@KX7@F!cv#nCAa2CxlXKFCQFMtBm~_9tQAIm}&)|JZe74 zZ1*4FbslA-wFsh`L_^0>dpxizFcZbU9S(9iRg75rg`YtpBu9OA2j86LV z^-+#VljRuH=mOMRi>v%eGm4k+|7BO+SrX_6ygPr%HqaARGz4n$rNNB1Qy^w;Oo3$CE*w&_nL{b_Jp zq;aP6EM!f(^_OrkJ~7mZYSfLoSPHzs$*>@gU*g*-QWmfD88L_8^u<|7`X?V%VEiT} zKq-<>{0T3Y3k!P+HzD#2#L|Bl(B(X$Fyn>KKmxxfB=8Bq$G=~m5BVpXE%~csU=nkc zg5~6&go|sE3w{^NZxPiyU0uz8=3bam>Fa#KQ4!!wgOhZ%Zk59Pv%6Yl$nvkNwMTyV z*VX!}xscZ$muydJX>I3c7+grbcCZiE&cx52V#C<3oX@@SRk2C;<<6eYxsSE_XFL_0 zIzLgktbfXj;$@$5TSQ(aVMXs(it87zaRg(fS0&w>3{l#F40LXzUAyY(PD~SsR&wrl1t+qUQswaZ+Z0aKykg}(qwTNyN2D+}>|RioJyeDV?V-^b z>}WW70a`;B97?FIz?9O}ELc$WngkIGEc<4LjI-QW4KL zmK&5Jx(U(GccV|1FI;tAQhWXv`eImfoK8k+-~-nZvPd}3;t%#=neH!undBLI^;&(f zq9UHvLxXVd&)X8t?*z%l@%!oho}AAXMqD~xx73M%5zrJK7+uueRe1eBl{j5uuBY3R zJYQF0tf%?}!TEa;;^Ku_;efmK#gs1Pw#p0^*CXk~Vt~+M#+$!!JjI*Oo*mO;1pnhy zg}(yWS=W`bbmoJ2W%4=tdp(1~N0c_E^bPJ$#x{*tk};9VvFi6QlbJpFK0HVot=tV1 z7KlY@790a1Y@bs><_XfmDp7L?b>r-?|~egeKUlgup{MNt8=#O9_mS42!sgvS^?D70Z=5loSOLXAt`yiplz6IkHnu zjvcb>8P1EajZV{iqQK$sWKKTVj!S^EkoXShC^+?Dw=4lqDP~7A{yjm;aZzxs1v^}9*v#KuzFYB zP4rDl)l*f2dr3KG9VrJtsf!TF-$#*BZ>?{L6(!h&^EXir<~Q@A7?4$L^sU?#R3Go_ zprMd7gx99TR5$N3@r9M_l>#dUCY>x=eS|)t~ zRfjW-C%WZ--{D#eI<_S!Pg8svu$IGhXDRf+d0r)1%}>QwF5r-8a> z#+Dzw7MNh$@X>FfpDE|-({L7p=NFH)ZacfROrn*G0m|C4H1=!Ti0wKL^B9xOgP?^6 z1SOFX7%Rh0D?0)L)Zl)?#CDTVN=uUD1MZ=J$tPbE3w`UBjcF`l`oo!pZapCo=we*E zxGYMW)k!|7P8G&}I_Yd}n6x#0bgJfYtMxQ`maKWyYW+ADa|&Zg`AP5QR;RJ2o?A7y zP-X%Wi(0oK%&8uRNX(HtGeP%g3q#e{gpXkzBWP6uH9`JGo~d_751p1dYCxIMMpskL zC6eY|0gc~jR2xc~dUewL7l!yMndRZ%S-A^?8RrWh_lF{1=Qc#hZh}r4{GYwHB9!^m zlpSnq+ASx}?WE_X>_{GXHx(Ash@^9i_QQ70uPEYUIW)r+8Z)Z?QR&fm;#v7K_NM zz+x$wU*&cvY2_!s1(lctn{%-k7>n2>;dhaiyn$%}b30m!FwKxMwGP8-PCc8*?Ssdd zcfd6z!=RPlLX@JEqkX`sp{`1_sTDp)0ET`6iT>Mq)6B9k z9yFPKaTM731e~2;%O9n4g%R;1l|Jr5l!QLMd?28Y(*KzBpI*q|Wbi_?q)XnGI}C@% zbSU+tZTLHBBq~RuEcMp-z>a{!n^%oe+pXt}OKPMjDGC8!|3doEKxl56Q5jsdJxPYk zIi;1mMK{Pd5V_9Omc|19ApeX;G{z(k1h`IdGi-5PY1%@#q zjNIxw`M$xOT&ZCNgbh0#NN0{@#|r7r9mjpL_WX+UV=VWzIIujt2FAr(ItESkgGsn( zDJlPwMd}&nA}UYR(@N!aY6q_CqW&3Z>V^8*U8P9w%qrv$`aqBbTL~b3V^jLRYe9+iL>0@TE##0OvK11U~nu~gn}~#_8^-RWY!{a*6n;U&Hsmfk}$=FBdbGt zZ~%SEzRc0gYe7ZKd|kQ!67Qtih&figdzTCO^ z5a7tM#g~T-^UA$>{pN66i02j2^W@uo4MyvZ4j_b9IU~?AO`<2K2pAa#UUY|)@o70 zk^MSzl3jQ}d?a~VVy&J4g|rJRgicWANbcOL%1AOLx~e2q)!}~BVcj4n+^N!Jv|&<5 zsuo76^;I5-tw;qBlAZ}BNYCH{&~hEVlYFq5_Y`KM5sIT9O!8_4HMnuyC%2|*G2U(c z2_=ThUjq=M&&o4hpEz<~eeG8gR#rTYNT#6?iWakGZb9aQeFI6CL>0^@?x?c2$wzN? zwQaK78{%g0s5pE`B4-wWHjswqMHJgtp03z_|Gpx+!Z~g4_lwF3@Ds3(OoW)8biWb7 zl5;^bEd`p`56k4aBN{_gMQD(%;5Xa-)VJieFuo5*9ztnOX;(mGu_P_Ecgv56bqS-) zgjEY%B#pF(O`?j7F){;mqgYrPR=gli~8D3V(C+&c6@|GhLCsSZPF6eollc~ zH{{LEehZ|T-@+wpKrm^*eFHbLlpm6%L|<5*tl78x)a0anvV_Y{W)#pD`PRJ(;=#_U z>Es}IQfE@mjWPLB`Y%GxCa(Rh{5fpB@CN&WJk#}3FLvO~?16{a4Z8UYGuCh{@*s9! z%uqF&+1y>cV)~yNDUN^uDkP%^`?bJ~gh-k*zPfjG$Xk3Xv|`Yhq^QSvW(10lrx4@Y z2pXlb`DkQwD}TAHsSM|B8tRK7pXXoWDxi)=Gu==-`57EFwI^*wmBBbv2Ij>d^@UN6 zHwMps%riHZq5zuATcm*VmTD8kq<7BK48+;uyI@oFGw^*B2>Ejn@^s(jxob-l^aqjY z(T@RWGk`*C`9xcv-feEJ)<4jDQ}AvI{)U1n_YalLeE(3CKMD^5g$KNmce30!!Y;%O zcKbKmKG{{TN(jG1(Yom0;jx4nFU34#QimuFwq{0&&>#{6+`Rt}`j~Vx)$ou?RZ-9W z0U{7k);|B2+yt_|i2d>GR}(w^&oJ#W$9YLkp;1BYt~i@|aGJrHjdI%+i^)$wxYme# z;+@b#^6ss8LZlD;PWR#%(?(76tQ0wnQtveQ1R*z`8 zyt10lLPFO9O?GZIFaQ5Ed~*CM>Ob~Xq*XZM0WXFzYr?%lAJ~`GsAqr)Xt_ zIpa{8Hn7a-gumpcqdvM1e+m)OX}mny@#@G1=e?9Wz4ENW@ySWjw7b~}bl~jCZ<;rDIiLsf!kiT#fW8g~r>SK)frzksZIHhFQEL}^9 zCgnaT{8!SsuDrKwVVl#9J*%638vOsA9-b>M&x;6}Z-=4C>@3Q&?l+KwJ6UMhR|nlIPoeX3HZ862FJYvC+=D!*Ycz*Py0~u= zk0ff>)J2J-g!?}MfVTKo07Zi$qLB^@D;J^5j46`xRzEK9)m((wn}#S3h!Oww!b~)Y zo}=(5VH~x%s5Z~jFM@N!--`xCbf3nc4R5X(g4k8p8hD@lk}L)ufr5j^dSP}dCKLK_ zRb`X+gIB^K|7l-Lqx^}eh?9kkJ*9ohqrv!yi|?Mhq-MJ{b6ZiK=v93(Huq?DWg{&i zD~@f=-0FV=dM1tR<`AvWC{gO{jU5L|B$v(Y%lX5&%h+e-3k; zbRM`}7UwUXT;C>(MHhfHM#Lf4 z<~TN1j_dx+?QFu#+v;{`Z1?d#{EInORvWakf5;*jRdKMPF$r{7CZ!7mTNk`3`vbIy zyFmwGPyPls3hq2EoHxlx|bSY+iPicqL_a zlIBG)owtd5>-m4Cg1Kux8;X7bY=e}Pnvlbnes6L;n-LRJ#5KH>l zA~%M2>EuoRVgX3E*8lX|{1#?Z9>=cj;8@B#?qBZ@jZ<)MQ4jAZi|}n`obvyyp!}0k z-aqs{6;W_-a#U9vAU()7G=d!O*YTa&+c5BeEt(69fqL5aSTfr!!#Q&5;^VOgc{HvN zBq?np=oG5F<+r0?%C}4E+DIBVnnv=>jYyAZK2);evvK#5gb>Tu5ke8(O)$iMkw|4J z>{I3-DihWVQ_N<2K}qxc%lkWH6-6WAdI>-sxEg&@X^}8k{wm=Wm0up*P^EvB)z>ZP zf0td4ib#-0_N@|(nr8R=t6?1Cow%D7t_#Q3f8Jlry}>uxw~W*IH+f=_m=|cl0<6)`S}30v9JT1LLA_Ot0eA$I?KHt zFC;z{Dw?J^oxpmPcVA2uc*>U%Z;9%Qu=*&hzPf1$35SD<4sm6#CJTv9)IIz0sO$Y? zK&Rq`vdO}W6_&7?D6vw`>0J&c46~}xc%jJYO`n>=?qAH@`@F7iDeV3=7;WTgy?utZ zEBIby-`mlb>v?T`1cG&&LRN!bFMTIVaAU*F+H~c#5_Myjw<% z3VGMRq=&FFye2Dm`SUV+SpA7zzVV|3|M0G{$iK;?pt#m8T=){>?&^vyX3xQ*<|>=z z*KJXbcEO9l*a+u-BTL+Nx4g3Mf6{htTf-&CSH?B5t92}h73>>QWY;R#iRd;L*&Vyf zyvwkp1ZJfJD-oxdZ$T7|*x%9rK}AvH2ygV~gMvAYgoj2=*|}nmzO7G*Jts(PaEq-q zMBq)5r8I=Zwp}!G(!fgLuVWPD*d}1Khnc^c=dp76WgGDSIQ}1xEHEK>6%BrsztbL5 zjja#e*h&VJK8pTp#5T>P!|NClBtwOVIGAu$H`@c%Sh%(=cSI< zkLc(>Df>ExCXzm*Y=hKb)$f&_M9t!XKV=GzmRv>Cl7;K52f8I$(KM%%VO7ZKOL<87zNNfN&m*p>~)gV_WJgmSoFS3zv{gMTW5^|?hAdR^sU^Sq6 zRU~^Ixd(HvFdY)ueo3@tx70)1Rm7czhe^3#z$ye??G+5uF8$_wkrT@q8t2TSuEd*M z)O|V=61)e+!cY5ZY2(Ui_6TE;w9(3m5t**18eWrU!@F+><~L%G$Kr}2ei{ky`8-%> z{}|o`_$hcKSx?euXZuG!2>;1In<*hvT7li$H--W8SbX3T^Nwi#>kNdh}4>H>@VA!+bS=_fNoS7&9)g0Pz zH=kvW?c3D6AxeqN80Wd|UbZJp;#RV{6~2l%o_J@NcGqdiTpImHH&lLA;P{ z=R>jfX}x2FOxTQ1i(+CyS*smBIMAbG0*OdR142u}s}!f*em}(NzrP0e?Dcnk;B~^i zT|&{ytIhxUO0CU!b+zK%#GGbxk{G~7s@xrl&O3n=X4FWmnpSE$trEYFc$CJD5 z1$uPGDG9r4Nz|V~g)Of%(=TVA)Y_hX*~<3pEu3mcDCh2%jq*vmaKbJ+2a7cN zL{)`)e;-tZMh)~w1XEh|&w0JeawHSuOJBHi@frf1pmZ2y(sw{Ar5 z@dOJnQ!+3&)O(51cct=HkjFt4>3!#lab-)f-H2-hCk)Vp+?3*O~ha z?Sl)Kuun5GkJ{00N3^LTldPw>7@^C=4O6nPpBA%20p`{!#c3uNoH==C%%<&GN5`SoXU5UPoW3>o+CG$*8~Lgk(Et>DiXMz?}R963{g z9(UE3;p_zbex&1$&(Eb+zJH}lh-=R+P??GP$ z)J)h1!YWL?38cm6`sIS-ms`&k})x6z!c zumbi)^jCg`d{CJ2>#^*(MnpaD$8Wtq;5R<0-M?gStx-FhE*GZ$;Uf%$SX??)FS&RSkj`QHeJNB2&HRn_mADQD|()t-Yr43lGLf# z=l_qkcY%+pI`{r_g#p1G>n&ERqedI5t)WVr2(dGez#f=rlya%Jq9En8wndnMc*BHA zz&X29v0CftX{&ErJ=(tYRz0RcKcjj?8OlI*D-v`P9dj% z$z@>4%)x&Urpq*5KNK8u30jN(W7$s%{L$6?-1*rrq-K`L3Otcqul<_ zQYpxd4{KCxf~&V{Q5tq7z(DpE1LrHBh!OJlk?~c&@s>F^l9)`0Ed5~8$If@J{3T5z!mQY?K4o}; zFEhSY{AEokTm!11hCRpU<^$7lfgsxhGzo&xX=g0DI8D~V>c-kHREe%ZYHgKS3|kWu zU_K;ql-JRx8Bi7TSS_6Ez*N5qs4>aj^bkVolI?@;eyv2|d4q!j9;EeWwItN>W;}=p2{YQh`4?oVrAh+p`;m^FT-R8H_WhPvM;z_L5-&^K`DE zB4d-AR>hyyD|N~BRvT=ncUW5}doZuaM=9FBxzOLySfYM3_}*aR_Y*1S# z73VwdO_zUs6SEsIdb9#q9twv+npq)#)mFpAvvX__&+HH9lI9kXdW)X275Uk(! zz=$?(eSmXd)wiUh^-V-DipmGp5dQ9$#E|L4XgYc#r+Zd%f)&vYpPwJ|v2^iU{jV`T z!#5U*a9H*!TFlE~&O&0z_Wg?)#L_-~(1kf52`Vz7gQe4i65md0?yoJ(kK3?dUV~y2}c}H;z6?F{dg+lW)sjKZL>rMgvD$52ZSaHB1U(-Lqw6{z^|Yk z{Zp>_A~eHIUR#svEjJm2R`?L1I%Q<8^jeh|**>f0VS{v-y$?(=Iim9-rZqPBmn5L3 zHdJ8S!d&Gqme4_t%lZRH3+~@rK^GGokm4 z%n`^fURwBs>wO0h{Wszo_q)!7{#g3$$(f4}MzuG)@Xok5FC6zSL7&KPX;{DTrk2wG zZfW@E!e7W+^73j#v$0YAxZ_!}U%V70t5Q_(smor6vOlJSMs$cvZyuOn=H22M<{fgl z%`8Aq-w>WJ)-$Z@(nw31D35rT5(vz4GZuFA!hQiph;jt$7q+Fd(yn4@H=MX11az&! z*$5A$K&Z+NS==6g6cz@E6?9H^vlr);pvuSMJN^F18+WVE7m(pUndzwg!EIO z*h)BWgC!Lp8{^NN>8y84KPBKC?uo9fi#ZdntUEn3VyMxH{v+j3fkzm?gWIv&xa(^$ zPMtfiSD&EH5|yYNCvglUr}o#7I1s6cBoD%uit9AJ03^>t7vyEL&H?P(xb#9QU1ytB zZ>!}B&J}LQf<}57#R?1m{PZ*0vCDS!AgUE)#Y>-RA#h_$LrYzYGoi&gb^wNF8bDHa zDv})QSNG9fg#AO49P4*!!qBL!!Y`b&RL8noKEFOz-U5W6_C1dT8a3W`o6@hq?tjPC zU|Ew^QAzw6S0fH<$Zy1B58D8HS}|eRubY{36XnN(h)z2=5TR)M=@BeYUWP2M!rxr# z@_8i*u1C#b5~?8eP=Y)qZ9T+2R6tZxw zZ2^p4x0B3y`7U5_{cfEd&^jIux+uv790|z}LFL**4V#?QkNJiI5_8@*>IEZ_aqgTD zaYs$8&VHLu;Ai;1#-Dhc#Lkr1p>76+F#L4|g??Hl!IMeMp1>dD1U*;j!@v&8`Ih*!ksgF^4JeVqY z!bc+t2~L;nBY0)4zRnppdSGAzydx8khpQc829VH^WNCuA)=rnBnYPj?=_7j4BTZfk z2t(;VmY6T}I6pejaTZlnB`*M2ljov$T33>o7WXFOmaSV_7B=Qs}F>zvLDz<%%r>RP;s904egDyT>k z9#;3p9pBUndz0&9rH^TzOb>`oZ19KlN=yispt#2xFdUoVj~g$?6ZVUTc!NvEZlH zpYV@QP_E)h8@#R==vWy#0tQ)o7cbW=y3TlI*2a5(91!wIQZo1_@7p|kRgyh_k9W}t}1=*=O)a~;pa zdCp#FZaPhDcQY9@bqXoj6Zm84kIW_LUJ)%u?O!qAqH$L5mM@07BA|j>x?@4eJr;&0 z@pP0DiD#M)H9e?~AKlBc$)+Ua_V%hgZl`&H`g4|EL-l46)Q$-RpNB8zE_1_C! z_8L;hE!`z_x$J4ya0LhuRQL_EKq<2TZCZfiY=WJCB62otaF!mRv~rwt%U-k@i6S4uLIw+PwO0>&S#q#2d?yG6LrJu-y+uXX zQ~S};tuCxtn`9!Gm$Q{fEws7cfg<7Rp1~(paO@f4s5yOplfeXCn5l6R{kKG8 zz~=mcc60Dyf>igYrSJ?hgc{-pYz63J*{okZK` zMmA^frWV&*s(WuR{KNuH26Su_s~F-jBt-fe8Mx}i(;s2I%^fNBR~pej82c9wjVL}7 zc5korAE^7F?ABbcE^{Y;3r171KMuVUYj}6jmX?OC&hpm{0{*c78Nc@;L0LtO>)oc= z0o%H1|1&Z>;W!B(u&4xTZ2XS15h0JU8i%?};aY(4ffM$a_%5yCr z*Yey9|IftlIVPq!V&0F?-t2dl-p;33`OI*9RDW#j`54fM>tT2>EhtmOyz{GL4X-#$ zmnz$+SBk=ptzouXxYe{E`5k+D-QwA?)M=1*cbVc?{>)|Bz3+q@W`?v`Awgma^^RiY;tMx4r4tMv#gM27Nf;Gz0SCksprLp zJF?R?o$1=-EW3>4_^3^0s!~7Xg{i{psVNy@x)w2A+nr@oNr;Wwt}U}{63+$?Mo}k| z3V74lIe=Z)KXn<c%xho9~orZL06#tDAwfA6E5m7Sy$*VMvJeXtn^1CU@+- zs^pacCn@Gl35mE0XCKDkRD_SVQ-s}Zi~);p2j(Ua+!)O5AlnUs0>N(HWDxAlB?iG> z^-!J(UhiLVp(LlM9pHh1a8kq)&i0tI>QtkO$p-Q-eN_t2Jnh{hyJcXt9!JmM^xs@= z>i@$w&XMnNj`*9OM&AHpF?$1gw((J~Fda+wb4%xO)@^eoytJ$&nJ7UWXK$w(v>rat z>J@RwMt4JBhn!{iu;fz7g`MU0Y#BlXwL|+#60aK~)6Lv#h?~-G44y#6=E4LQq}7Gq zLdk;tB{V`s)j3l*P&$sK?0!ex@&{&X9*QS@d}zO{5PtE@ziXGqGZ*geKSp=NL<9T_ znHs>r6xRZ2L=0k`&2Xf;7VzT@h<*_5cwHcx?B%d3UG$u`?g&}TFM1-D+Eun_o!3^8 z8Z>bMBW%_mgN^+Kcg4#i;g(T;%h*Y^i+`t0dIH?0suph&wr%ScT-!2gog6(^s^E0^ zSB3{Qb`myi3k8pW0dsjp+50en%< z(Bv)sHyH+E@=jW3$8;xdRjb4Xn+Y4@DlED_a+b+$Pi)jjEn~k+Y_RQGHEkAcA&y8k z3*PeK94#}!a;$aNvd77lok@<-?^vIga7O%EyyTdx{YK6QSr5lNJk%|&XI{buUB58< zAD)Vf!$CLVrsqoyHWW|Kt4=*untJV%{ct3kelqoBMda%F5jS(soz~Q_bTK-2i|bO4 zjkwyBf`GqD;VJQ^{{;~iVefR9C1=1a>2X#*mVQ!|_iU|5z4p|w_b|GrP>xYDUB`$@ zP}*Dqb}T;HTrb`9u2}gQwS`+|z%41Rurl@9=3(y%YN#w>Peasj(c$|ul zN3F%8sJc2_9CL8ErHh`5rd}(P;tH35vPC`mjg&5Wpvj9$24M{N#2kHo@vZUlGsCe_ zyIaQ2s9pRYIwelVh7`!00c37ku)Jl|CKcwEPS8sEO8C2J`Ai`6CCUJy7YHig?({=(_$ral*$gMjBsIxaiH_}GbcsMvoHZQsJ7BbEbut=b*6i|r9> zc$7n7R^*eWhQC8P(GpJBvn8g1OF4;uL$?6gjftO|K@fT~Dh{ucdd0x&PHitICF4bN z5=d`cCZu+ofzVg#%cvd`{_YQgS22!-Rt=lzE4*ZnR%3=>upSVE9>FGi?5cECwht`~ zsK4)mth+3{V|>I3V4VnyTFidLmJGDVKi~^$x{=hDucHW_n5GLk>iA8_-hp@St=wI! z!G7i0(Nw6M18b_xyh$8-dTs24GpcP_c1gWVyrjy2MgbQ`9JleZwm+DY!QOQoJi)FSgNExyE+F8;E37(1~w(KdEs zJaHL3L93~^F*&0DFz!cZp%t+);fx*MntXp%6ANSHM(JqWtQ&DWRdvZK{eheOX!iSL zDbTBXf8TDnxT_*$>i^3s(Qp0tt{ShOKdqXepIb#;7M1sAaB>?BY^3k0B z3!%&qW5Y-&@xxCbm$a8}#J5lpk3O=(TXr>{bc*)$l@m#1nw3VQ3jVklp>NanB()!m zL_-*Cjj(!6UYAP3s%hh`7TY%koyjz93iS_x-yjbrY1sNb2;CQl;ie^tkZ|rMF7MEh z6r+8Dnz=!AlGN$*ABX!dN>Wv1GOSbwkz-_ogiN=$xo8-YA?DlaPZ28CC_0$=wjFFY z9pswxF`akQ&ssPz(F#ynjwxuLg$53I3tDmS!boyd_7CJQhDXak?7WU-lsp9do~c`5 zFL-GfUz>c%8;?sH4QuDHI# zD%$AB6hok$@30v-)q0?NyHTyWBn-gm!tR_$^E21~Y_a~t41~Su0pi7(5QQJP9dF-g`gx~DItQeDT&>;% zM)2tFChwLj*jmy==)9jVP2R5)05$vv{JVM&%@Yzz4LXkD$LYk)RNnQdA(!8S9|BvX z^`1OGqSkMjA)OJcFf#aT&OH47UMT=rMWS8<#Wcj+nUvo4CbI>&PQg-yVtLbl{=4D| zxNrotrHa(rz7nEX$6Af3NCqv80}M2InKm;L2+l5Yup`%+kthzK_mFIn7|DUo@_KNG z9m&>SGmx)Msr+oUCA4w!g$c_f04cyByQRkn@LwE~rrGKXr za;Q&Ciw9kmL^dAVAM!43yr$+RDYeQ}jYTlW3=w`+uWNO`BpS`BtbsF`rDe+NW=MFrkhLVrl-kH>B@?^>6RgG`n<3|^{c3tNle~co0uZSRCU}~L#q$#Mi>&4ul0$q zy52Mqk5;WFE75&n|M-`0V+JIlTkCW=nqEM{E@bvCa{A{KzITR5K#gP;*@VJ2`|mbc zV{%kzlUAG*W@6yDav#0A)iwf^D$A zb2@)zYW}(EY4U!qDq@-VK@#d234_!5HTd;%ty7h|1pzsF4`U>U5HcZmCFV-Re&6i> z5Lz7ZBN!h&H>R;`qj%SQ)5mLdrO8wd;FeVS>G-K^E}JWP>o56$vb33Bv1ura9y>Bs zjQ(M$^@vn~&#;ma&BdEfS;^^{Q!ttMA#5(0!Nk+snbPL;r?GTz|97#kt-OvVSeP&^ z3}@lAeG!bTZ*s!F00&M+8*nWJ@o-iwInK4!g81me z`kVcVUDdmoAG_Rx+omu_PS>p_50BnM+O-JwE8a$PBaJR) z=K@BDWt<$~N8;%|Li9jxnni4a0S^229W7kAIsFWR<5>Fn^xqY2wVghdIQMTPSc(ET zeH$jJWNeRLrjrW5=Yb+D%87Hpx1zCX(4!D*4IRxOW@n_Y7JBs8o-G!f(Spn#Xr{hXt+GMrkHRWfr+t+U z$J6g%VGPvP=I^ZGeUtQEcOvKevc%s48Toy7>p7i z>^v^ok7k?Fw^>|dyLg|b3@StU<<9~F-07UEv<%{}+%^lVqgp9MbBUT$%my$!Lm8N! zrV7YC#b$t8XEq<*Vg>v<*htR(P0amqgI8H=S?7Kb9utEO0Y0uS?pYP{hO+%Q$tS`1 zYUXA<2~l3Nxm;_%@{Bsb{mnzn*4z%r=hq8B4|e87c4w}2mfxWarGEn@XltU4>NVHL zGxNjA>4C><1~#&MjJEvg+l2*tCu&Ba$v5&>8xXa$UN+$K3oBaEi*{N#+iC)SoMq}> z3kNLBcPAyzBjke)JR3wCPIaFW6y>lYNb;ulk?ec-bu+1uzwLs_8)uju$%pN@g`*l6 z;eOU|=WwWc6*)HKyw-m7~xH8;ej%;W7_FzXKyb;&{*r(`}SPgk$PSgv;S(kW3T@GbO zo4z*H0OdQ>-?HolpcCIYgD4gZI2;W48r;-q)i~vxF07ty>D+)%FqK@XosxZ;;$WQY zz5Es(6xr|b4%RE2hk1Q}H~ooX4MN?v6;WADHSjNP{ZSgPsMgWBo>8v{8YQ z3xw3r+XM2$A9^~`MgSL92@&6B?07z$rtNR3RdLs$DfljKKQRbe#qEd3UlHm5BE*+* zMHEY|jrdM09zYx3CJ+#rTVN$MA#yntDJGME;xe0-+vbgkND;9G?WwV=X-om(s|+Q# z&0i&26IW~|sKNdG6#>L$R2&D z(10_ICj?c=qQeBjvt_iJlbr zcsgt&KDbg_?$fKRvMQP~liN~#E9Do3{&l}HtmLrAnlh2a2+?2rOR8sqf1#EB4Jg1U2S<`wC0ehC3TcZ#+> z2xm?@j{j}`nEwcjJOb22hTO@eqlxN|6C z6M%0oBlKoaPN%v9_5LN?j8X+gl1wu1`#YV-nfL#;?`Yi&Gw*T?!uN8g^Bt5^oMlU- zrjZ(~1b@H9c1sY)bmWI--&H=PAGA0L>36KpB~;$CEvLK64#Ifr;m8~yiyjG+;>`3Ib75Q&@ab-KO) zL&bD6dudQ#$Kc1G%0vACU!3K)X!$w@!MP-TleKV`{Y>bmV-RghI$u)Exr}QzByIzvxOfIrp~= z2Who!9mW>Ezqx=JIU}8>wIa&!{v-BW`P>V z=X&IiryqNwt~yhRIm8&BXht)>xl|C(jQR0%c6`mX&ALm`uM|~6Q?+1W*0NXMpj<0z z=+`Tpl!g|8`aTbdOm#_Oy7nNruEej3*^ivJ)#5Fj1f1&xsG{zfFdK85+)mz;RQFS= zlZOpuPd<~|%ziIR#h_uDGw8D!bg)XZ_s_G^C5u8S$4mmCN+p-i;+Dh z`Bsv7d4Lx{=QjNah_6vH(8WgK>))PL4VRl5nl0Qx<>wPp<{5j!3V?D zrR6(qogdnfFTv~xdW0evjCSi&X5_C&(JNN95?iu#PkRGwfmviQmjvTvm^@4F50wW@)EX5{<4um-Q{M}yu^$sO`Jz!js>c8e9}rN+Jh zomUaNM5~?|c`SnidQQ~Li7+!DHB!yY$PI__{Dw_`a3jz6sbpqksq*~Irf*dGuWkBP+Rff;(_h!~ZT9&uZNp2l zm)bmUDt(1be^g~Ju<4uiJk374$`iBCla$_QpD$LrE(P>q2v{V0oPGX@(#P347wEZ; zXMyN%`0n?O-#s{W^(@VO`Xm1y0A2uC?xw2?{B^^}e=d6;e)0{y;H*5PefQU(|0p%O zyM6a}6F+R<9Z&wqSveiLv2oPR4?ZQasSal=EN|LPwwh(gWc`H@NB&PJo!Jm35pR;sIR&e+@d4GqLi5 zr@qF*iKawV{zmfZrOLky+L~qjhLlm+B2VzaOrkFTZV_*JnAw?YXYNTKYg^NYarA+p z!9I>-tqrq(pf7XM z&0GiD)n~Q0cU#~5Ina>7K45&dQS_&dPNOLc`=(#FCLpJjL~H5QmW%5|;W_z>dzO2hh^g8WKrA^6jDJ_v{eQ~wSEAE!LAp1fSIg+%>OqSDyF3Pf z_AyGClo+oVqukObEz9(8U$wwt@d;h5w(!U_wNrwP`R$P~%3H&-n0A(5MN(j7zgU;Q z1%{*hu3P$)za`3{M0o@3K_%$R?v)~HpF6C7&`(6~Yfr$7g@eQeGP{Hy%(IQ6(>A~C zL|C@m?XCylY_FV^-BDzgnS+<>@||gX`f)B!?$Kb2As~S~K8e|{f99*fC*M(yH~zQ9 zCy1#G=fp!wfxX^UtSi$(Lv3hD+@vjuk|*(WSeqJe{)o)cTxsH9zy@5s`JD5zi)(axwo{JzeVg3xpJ8Mv1U!4ixv1| zN$kN~BJGZx`Zv6O!ziCaAA@_sn_LjSG=VEcdTT8GTGTrrmg=dSx+9DA|6Wz>5unM={p{nTFyk5fqfqMWdy*FWjB z-GdLx{|x?$H01Ac6IPb-sBv)!-Mm5*mR{2vkqC+>0CBTF8Cm0=yq@GCO!Z!T9t>Px z@&_A&sJ;dKW(39mBkyt|`cG0>`YlZ^n$PnvwCGYhhdW&i5cnQ>*s~I%POrt?^2{f+ zZ5D<6F{V>-!+;uLB+e*iYhd|~F|8&RGM?Y%8Co2zz+j_D&@aaJprVO>5r%S-PFO|nf zZE-UTO8tp)Ljz!3Vu+Dm|M+hd1I{-8co;4Eex`96k{NU7W6Ud@wKRi94L%P*Ht0rr zjbC{Zg#8p|H5g(rFb&Jdvh(xHv4DT8LI2)w3X~#D-o%jG*viu4XQEL6niyf$B)`5B z!_LF*2(J~g%pC2xsy%cJx|3z;5E~A~r$rCA0;h5oIy2_EKfn%d4L#UIQg#%V?0oyQ z7t|NtyFTp7HmW}DU~T1cJQ6%GzffsMQ0WV*^cn8D>OXnv#B7CE}s%a3t-Wm=Dd+b8e5m56BADD(S&7u*NN z{47`B25$I_U!wocBZ})ou3;;*CaV69Kki#2#v8WRCOUl4dImsoI{WqJ+t_z(5Pv4=d?^Zr}6^ln%~nrw3AtFd?gRtL-g8Nbq)e1cl4Ju5$W+j2cZIxNZ=fqTs$4Mc>ltQYx)nJG4G~N za1}fxadK+s@v>7iWsXjaBmc3<4NxH9PQrj?#yqfYSjjm|3_e$~o4D}`zuMd~3ry`i zCb6;qW|oF+moJqzlR@F}|HXY-_xIqtL4{=7Yfb)7)~)qlty^KuaB1#l=3n7oZ1~?( z09MwHUL3>_G@9%wh6X7KTw7QglA}rzI1F++{{eh1`Z~{5iF4h?GTjO~Zx+m^b|NE? z@`YVvOTC;AdEH5x`Oa+XJ2}geFBP3Um#@vwo^-OZ*X|I%I5TDe>E_h-@BC2u{A)*d zi`&@D)M~roegLoQ!4^RP%1f|KHr)1^+r)G!*B{%!8OhsyUBzdzIP$wR{scNuw-h)--F^6E6 z$z76hxgA*3pNZmnv>SUigAt~h+9qeNI3^DW91xzV z4NaUHl>FCXZ}1lL_TKM@m89w;G4ZX-r_>tt+7)gp7@yNs%6N*#*!T!zyuxf-1E1nU z>@!ZM>j`q~Io32oVysTrU3`i@bTqH4HOw4ZDPI_VP-J`oWB3DXeC$0QJkus?`Ou89 z5Ks01vG`As%>brZ5$jB}FrUE$7#Gbl5ytMdxBu?B%kn~kW5%7IS(A?TtazZ!R2mS5?QacP7ifFKwL>i>9t1m z5aGeqgUds!9$I;rsfU?7%+kXw9_Hy`9uM>NFdqlR1|XUKwme~H4heJxMnp-j@TY*0 zg7vYNeR_Z5gRP7S;yAZZ#|N3{w9RDcHXB!Dv;SXT+bv<&PmNvFjff=62ixnzHone! zhy_^z=JucW^;{k4Hy;q#m>z!M-lAz^9&&Bc!)n{Z+rbli_ppBN9(D$qs?YYKLq(vO1m{+3A`YO?*P zg2ZJ;4X<&SN%>eZuBEr~>^3S6h|^_U{H9JD0{YD_yajV~f$c>tMRiR`Lflb%0i zRs{0xOWud3oFmLDxFUQrPo4iTvcJ`~W2VKgm_8W#rm@VVY&UYYpOFqWpj|j^xppro zZg+!8&$oLi-`K9KwkF->TZ5n`)cXGo3Q~tEbCmDtBtt{9PZ{oBe$>~A8Phl+=)SDci zry4S2eoDGl;|J8)e?fuXYgA}afe=+yd*&Ena#YmV z!(s}Rnft9Ee2A$T&k32vtJI&|&Jt_3Xig^wb9(4D)=B;a#LrXt^(LPw|E=QkckEgI zS-xpao`09}GBuO^e228+M2-$OPTspNQyHr=bCh=QZN9~rW-M!#*WucyvitG8!p7q?h%GT41 zWoPz5zU9_uQK9@c^5oa|{5{K`8uVki%3oGg{u_nzY9n9%$UV#dN6`Kxl|Qvm=JMh) zZ%L3`xWjD?${eUNLu`Fv!?Q|bn{jCcNCx)h3FL~UyB|Cf#8$++{{`-WBF7ykP(B7N2>D&f7<4U3_xiWj?m3JX@!fCP9*G%v?5_WtA$Js;`tooTftO{*rn*Pu zE_UWVW&5v-(I{>S5CCO2%H`D-!R;>&H_BBeo&pW&*F<;Oq2#&XpP@NDI$&q=Ig zO`?p7DS9~gHy(jLCv>pfEg2Q?S@;>#OcRg!*<+cV%slz_BN$EJ$I;A;^4RQeK%SkQ5pL;oBD1UgQ?qccL?5>8Hd*Xi2Y=*zTFU$iVu_ETXmZelo>S_U;n7 z-QwL)0yM~&b|OM*IX8Or0n$qdE-k1U?RwYO+{inW$w2{S@+7bO`q9kMCoylCM40Vu zBT5sqrQD0>y23RBxdD?+Y%`(`)%tx$X&RTBFeIfnXZB0XpV=bQE>lW!sjo`y2|iT)znlD$`{rHgD!S5T_|djG$U7TC7) z0zW2}HqiQ^X7gi-gPy*(f2VyZKYtcV{S!^f$VU+L1d#d}^EcESYo9-VCjo`#mRvM{?B~au)4j#> zX!z}M1BY$k$35V19tpZZYfIm3xAd=S?4Eu(ah8-%jC{N~x4FsA=HA5SHXff6CuxVP zlA;}6&MRxJwsLEo_rGsM|G5o*b{vja)dOFlPWmA8(x=$l#)%!qdso1P$^5mZov(Kv z4ugUDlAMK|-StNlBh9f1Mg-<`rflN;Fb-5L|JKwD>X72Rt=9F*Rda1nGbabE7u`GM zG*w(+9$>v73Fl!x4`DsPcj2T$!$LRD1#4k=t0i+I3@Zji6___yXNA_r66Sg*w4$qD4$z{Jt)eYXC z{dxIU=JV^8@1Oj6`IqJMi#O$$e_sCS`TWxR_BSaG%KrpU$LI5l)8+r}^YRaXqU`#L z59TlYy!`9)`NeSaCwyN18}j+Z!SN6Ly!>VOe=Z}6H z5v94Gw4~RH_CfW)sOM!GJ+KVhqe{`i|7j3U;}Vj%^RSW9>y;9FJE!W=kci80gUX?s-lT%7QxR85;P3}O?t>xs{Or7VP7f-*|EO~eKd)(y;_5BIEw!P{z81QJddq*K(*S`4-=HCSuD&H>S zIB(y424g>6oG(XDlmDyx<`+-X|6k&6onQ#z2-7#Ra^HL<+WD6%UwI+lE69oW8jrzP zXDZ*zaH$MGGBfhNee)SiK1%uiT*#N%H=n`arOM|O@?ErVK7+Ym6k~dJAz$OZ`3%Os zTlvNo@*TWyK7*;#%7;~1ZXE9*_}y!~2IF3!eEs5NWkx=>ZytkX8wbIO9e)p#ob4odv(oiGB5yp?F3jlUIB!Erf#6g+;UpYmolq1`#loxMrE*!*eL zy9c?EKC%LpK~vZ7scRK5H7M2cB7VEkn=X2n{71LasbJ!e>!ArnM<>ja1C;U~%yP@; z)ecNJraiGAdf(NlK4)BcPS4J_q-Sm%&ixZ=<{sBxJ{LJmlE?$8K1PJc1eB?9Z;M10 zCA<~VjPZwGD7)u_P+xAw59>>b0|q7>-JbZeo4)Q*74dLL?oEMEoJ#9w)=DL&bc6Et zFE?kTaVZ|p#N8!vTj;);h%Lnp;K?%gY8cdSr1Ofv7ljDJ(4(_dyQro#==g1tgoA>ToL5r zhM|Uka!yBYBo#1?^Y*#7C=PMKC(e5KS<`+ceirPYBWnDucl^5yn%cW<^eulnKYYyvB?lotXE7w%CpYa^uWF5o3L(3ya$`r>3@o>Ybm? zB&%RoL&oA2cjs^Dl7iNDWSAbRmAAUmtamfL!zrWDCnmhsBUQSL5JbBrbH&g~_xb_lv=Sa?3Bq1ht{2CV4+LMW!BqDU1^{r@cTs60GMqL*m}WHMQ3F zW9hme;@uD0oS*&<>?zAuJU9k+3qen7`=j=L<{G>AXm4{#Wd6koT$t5G*Ed(7p1-a# z7@+!L#zjy8w{)F)L&$N_9Iz<^hS=bBf&(ODg9)xbN#+LZaB3|5E#mcYC6YGvW!UIn zg?RWfu3=YI^Bd+jj7cvlH8X0Xc&Nk0T(Ug%INI}EMmrFXh6(F6gGky@vYZiaN&h$$ z>zz~!@PIHTQ5DR=`D`>CS|wl}e&1nY=?^BmC>Ua;412-9=s>KnnA}i{=7m|uu^Y&4 z)d_W6pVv2+ajisNHy1@S`aBKvLj<*T<^HGXPX^mD_^&gcllzGuzrM8nw7LY11?}zL z|1;YA@C$|Zj3P-6zYnCejl#g|&Hn*)l&M^yAE#-1_8G|yRu~A#e#o-{s4V_vayZ_E zPW7LlxuX4R@q}^57Qi&|)jPYd9zQgBaP9MNqv3|vfYkXxTFLJ~Q zA1My9Gbqh-E-fDB4@mZYnemJ~kwM1G3ON=<f0ndrqs1*p=c+Hdz2jXGOFH3g&7AQ8T%Ca35oSi| z@4L~#Yj+AAmaa2--1G^`4>?e@e~FY};CEt(ZbO8iQ=Z-sM}a2Z(7kX0QWdW%S?MSLxzIbN3sZClrzwZBM;bj)C8z)|{Q3FlWz}O1FG^HSrv)yR#LYk0t-8 zS@FiBjI|_81mo5yGr$sFjmzrayju?AncNi#@a7GD>iXCRZ&a5n{pSx5iid~qbs11p1TW(| zln5PTSKXydiu=dXX8$)?4IT?t8h%Em(xG?8X2&ozGGiPr#sO2~x3gu@6ZU@}q6x{T zCGs;@SDEh&zGh9gOlCY(!2KWs8-Qu-Sn^IUx^ype(+Dfm6YBB%XwZFnLX*5F{=0}1 zIxZgR=#9?GODf&o33a@bxI3`5dYmG)?UxM?8)t|QhDisVrzZeaT^bncE3=@)H*+g% zuiH$X#rIy<^~z;E9I7tIn!S_R1=2X)8Hngm9qsX!s}C=`zOLt_#k(; zV9R70x7~{&*rA8h;6sZr1nZbxbJfRzzex!)5e>00&)O?Z!*hui1VvO4?B|7018@3G z!=;j!{0f&Hrr#|7Kzk<>T`GOXRaIsI@ErH9{|CB4PR^vm-G*0^s|6UNyMx;g^g|wF z$dw}Z4R8!*X4%(=32;iHGt5Lw0%#2P3`On^OsWhcRUIJ;hZ!09BgE-W=kLI9pe3lH z=VLwF$_QNt%embwM`WhK3Y38yG@?N_Qvs?&p^IR=ltY|4LT2FvAq8?ElcNs{U#>7t zY~9SbS9mG$kGwgcG10Jpi0`q6%}%OPMYJ@NGbetcY@@Neyx7u~)eL@ca^?tM8ERY7 zAI2mNcm-KUs=G|>)W*|&E$NSOCTI5_WY-8V{qX3(+N01?Q*DH@Lx?cwkJbtsFU6w1 z!ig`MedP_oFfp}06x;FNu~fzLxNmwl`BuzEM-_axg(A+%9XNM_o?|{^UIp8R$WzXp z-GokxH*8t(_NtPql9K<}p{P`|chVns#}2w@vp9FIR|p53p#6cq5FjS?(VWDAqJ43c zMF7}2@){!-@(e<7@z;?;4bqcKt#ylTDY^XtHaAXIy)$>l8lGKHDa*}%$duB>PeR^~ z0O_w+$yIF9V&M#z2^O1W(Xl!Y8Zd^ne&PhvQmXGLRp6#jXeGi09~q}ISId7{J<%*$ z=%2|N6$jC-Z~r4~lNo%_EEebm$)&jc6^WX`F?(D90p5Wjr8xsyg)CcA>&pJOk z#=PIGFh8hOcM+`JMv*=yTLP4*U-o7nc)IRw{|R~ZFEJ5;&T*yfMwN~Dl*U{IvO7BX z^9_7v1FZ`jpt@cKH~e#|%o5>DHC<7YUaD%651IP)^-5%$DO#s!~>ix3zG)2P73Cr!;0Df#E<%~f+`q&_WfxAE?^ohx!a}P>HwAru%7ub*dlmZ3 z{828HA*L3AVGjE7np=RcfR?iKp>#Powhz#TLNu^RBwgqNv!IB&f+V0 z%c}(sQd9}~NB%tEGxSP71xw{4={F?F&-3S>oHX~ArQW59Gd?Y{Yqj;K-bEXxw<4?Y z+WOazpUGKw*>@rBRIP|Y1aD|!U9q)mnh1iS+(_Wk~Wm_6#GgJyE5{l-`nGTI=&c{(a$1>yRwRnG- zrSln3t)pSq4tz~vCF;=RwTgWR6!YeEI>HoGQDsWhs)WaoEnw%ASkgzwi zn26$rULXk8!c$Qds&b!Zua1atls@U5Q59|Y`@)0VhBfHGEj%0sWq)4)XMAv$9ZfxM zrnR)cM_xraO{z3G5n`UZ#As_*4`K})7EPF(sVEETjb%nW=3Pp?ALr{OLO^l7A3Mv; z;cn{H*v&}9_u+8C@sd2VeG0zND-pN)%nc5UI(%x*!A-^Md{R%cCN2ul9Tvu`-pR79EyE(|J$K}@6ycJ4g@L)^PhV4&v1NQqQSM77lW z$8qqhOvJ2AEWJz%rJCxqmr~HEg2gfm_aP^N!h9{Y{?`kA!IkYt0!1~hdZ3A@9p6S3 zYX5VFW;&($C=5+?R0VbX(ewy_Q`7YtK$Y9`W`+McI=yCWkUAz|qY{L%*XN5vi4n3At(GN@AUOb&C`Qm&1C6+Ir9Ef0)_j+qK)cW}zcJq_tuA9Cp9aQaQ=X8EY#{^cGkJ)6 zL#AXZ!i3#23$t*J$UdsQn6Sy|Pegn$SFf0PKzOSjxGm|6O1%44Xq}Pod2sPl>u@x? zw#uJ?1PjLHPD4^HeqNkQwmDU)`Fi>Ji>MDE{=)$KV_P^K8;G9;L@xY>X}2Z)Y%G05 zO*B{iHcw<4WWpm={?;;8-c+;GZD2iewP!~Dl(;rV6UZn=4f?O{+9gTQ;ysdg_`M{@ zydi`&;RYF++b}+qoZ6E4UR5kZlqM0UJ4e6VPlQzN8;T*Qz)hVs+QU*k?Zcxnx3u8| z7FBSEGzH%4c?~ve4-qLB zAJji8f1W^kaF^~`bZFDqc}FCX>^x_vTSA~f`h2s$PgSsZ?7u<qC9)zA)ZYCk2HUGFp`ep01;?+d*g4Ql9 z$7bkdX+km;tyTUsjOWaP5Y8*fVpCk}3=h~h7>PPjc#Nk%P|ZAY)RafPl@@TeQ4Qqo zBetsHR0R#Q6Gx)ZjhT@TB9<&#Q`JrXsL(IjxeJ&DV#sxUAr~To_5K?>ik7&VC9Wp+ zw%KLm-+Qg;nlS+>tak!kqt9Gxsydyjj@G`+t#{~SyWZLTNDb_LtBgus5H%O<5nw=z zM@3xJ`bU-tIrGFu)nvKao!~@sZe`CzUkUnUVA7lroL*6r@>Ma!kfs>yr6)xUWw$qf zQ28a2`#;UE`vKmPn)lE~wL#CDxYc>>Y6T3G*uN?L7;#7~1%QtI%gIxs&dR2m!Kb?9F!PWNEyQQgYX~UBXLumdETXXfa3-WZM=<#O!Z@eo`z+vTyt*!t1&7e8LM)Ri3Cxl9M)QX3^Q+i{Y{FsT+z1`ihaHgByF7BE)B@#cnn_F~`=e2{+ z;+dLf`6)S?J@llzX{);*s%Uj_sw8XM>0X7Zv00mr?ul)Bjbt1tJsKOfJ)Wj{e(r(wp@2SMC7+eO!G1$6G{$5K~?N)0GD*Y}Lxm|7Alb*^92@bndpSDoxy=J~N_ zRJ+GcC-~FT3&M+!m-QaA(lDuN6*zy;`NbM%LV>?;(~ipf=VAdGCWRK%nidu_|NFZQ z&Vs`hANASQtk}E!Q~)vziJLr>I}p3zy-e#TVniN_K;VRNWr;7FiVObEV6M*|SW}if zDYa#Iaya7U;{!T1{b~?mq+#&PQ2XrJZ|4hYwV3b;wL~coLE`_Z_YH@#$L_7Wz&aDPI+V0}p?zv>;@^OnO4 z=F^F4LNnP#ZQ7pRUL;>$T}kbvz!M#f-b^dpulN2J+^;u}<&H2oTTYIE{zCoH87)#y z6}Jh0Xt2TLHF^^lj#`bH!)O7kvs)_s$84$Odc7X6hGQ3o@mHH#TbtXJXpvQBj$20E%%|E|f@nJi^K|W{Y{0hBvy{FP%WWG7{TT0(; zY4~u#SF#_G3f^lWWWchcO!o1^;^jX;L|YMQX?V9KGp?5qW@N&RjUlD2J}O=tIT=Ip z%kFyD>Y@=7hueoddMgC~GZJ^2HniYn^HwR({{g1$*>hkiXU3G@V3?1)TLR{z4m+wj zN=(~r@9Ti!owbXlUzEc!-hdY(^ASy)&@4HROwG(ZoPb^qfZV;RU3V8Y+KvH?FSCk_ zDEybx$2f=rn&QH>+DtO^##+1A_L%#KCTfY8bMIBr?oJ@4%r z6nh&cckcrwgJK!j8InSoe=HRTKC6oNX8@RT)Mr?<<}wUeY8h7;1%jU`2$e_{*`FG& zXa1tttv;~Rj)}|vtT7An#tv?PyJGnD)pibn-3a%&HxgfnwvVeJlyh{T`RI1ym#TDc zbCs|lI2o_4wbGWpndDetMxnUCCe)`s+@}1QgU%vkeb1H(E@QBYn1U*P01)if70!Y% zCj0^-t;FTCwip}?A)xmx@9tHqp{K7RRvy%rx_llrw1yL9=^c<$hSW>9)uv6(SUM;V z3erdnK7gfc>AXziu3xk7?>TTDuZ=3SP_+}aq zx!_9l#f5A>oa$!2)IA5lgu@|8a?=Y6Kz6oaz;E_%+6H+p2QlmX>v_bArxI6H#N)Yz z_A(<|FAcGaxoEKYaEADT+q*_~A}XrsD{z z+rqvS2;DTS$7ZVG9n-Esm{1LmJgB*Ge$nGhc-qvL-hj+OO6 z4ZK+&V0eUXqgR|)t%RgG6Gof18dauSQ6~X8r_YRJCYK@uh;kzh@p(AchdMLt?7^B7 zorv~TcF%SltY@6lY(vav;#6job|PU4hwX493^xcNXuZ#;Io;A$PfBDN^O2oGjpC7x z06Bs1vcDI0F5-_`{#;JfW3bykZb+pfVQ7$XLy`vt{2<&v6XR!PbM?3(i4VqAI?JB} z_Biz8XhFHNE0z+Sd~gfUSu2c)2uR>+_zFhVSQO@s^XZaVidIt;C-}NHF#_(N3d-D0 z5n$+WljlU`@qQ5E{+8$;Xl@QA{u%df5e!5zEJ_FkKbC-&2DgmfNW2ml>Xwt&S<|L= zcDxq_Cm6}(M)q@Zzh;n0Ctq4deF8Tl@rzjI-kO=bTLx23+<@m~V+Fa*pN(&3aEy9K zOqXA)PA{YOUGITvb&kai`#pIzzek+D-{Pau(06}+7&x}K<35}?oPD&Jv zxgDDr(JkU@ebkbE)5I<4KM;TEsdZs)#%1CeEaMEsp*V}!?N@YmCti>Uip3=HH$bQ|I6de`yf#2heY; z|0e3U^gEvng7091dtc+yD8Z|9XA*c%hW%+)(8<~7%1_nhRVDVGo^Z}N58kLzFmGq( zO1#TMuDaH~MC zmNjbcvLEK|vV>r#IcMdBIdQgKPAcU5^bt}Ga*~ASNDWo&zdw;0FGz>xE;T*laCAC< zsZZk5ywB0&pZoSM*n|I^u)g9HQn&f%;?e;ODxw6;R`EE$ti+UveQs`bQ_WS#x~4{G zrVT}u4NEHA^t4t^IRhUFgiCL-B}e#w-o8uxVw`6b3BUsX8GEMX<|%sxkk@Mz699G~ zrvLf5D-gmnBM^=Wwjyep3+MUYi9(p9C(JVq>Lyq$zcdFIt7*^fC6Y72*Ph#`yBarq z^HxpQcnf&m!|fZVkaB)362rTk;py#N`{vrWKKs^c-!|H}nf7h1eVb+9R@%3D_U$(F zcAk)HVtfGS0~5j(#LMbqpb|k|X|nF;UrAPdG7$mW`DkmHYidB|$pMPKqEQ;M=Tc6d zlRNjTp_hcP;06DR;t)=pCCo>^lcOh0EwT$7D=O~_AO`f|>pm>KQ8THu5YWQG){Fof zZ~Eb_%ndf!g6p_Ol4|&7XdeD^2xKp5g($`@oQbBh< zxHW->_zxM!JIROC${yDl*E_FXdzka-qFR6aSvhUy7dR~l){^gDR!Tp?JO<;JG6E!| zt_6XB3{?E1Jq6eE5L}BpRxMhnx$YfjWl4ICxlETj%jQr4YKHh;8_!cS2nZjIFFReo zr(Sqa_CZ%xG6DZOLrp*ur}HHpHcb5u24}gAUUu+L zbbHI4>(FJUkD3>|fZ$rxw)1M!7h$@?bhqt`Z>3u4bY5g|zQ!=VG}TuNZ}@vUAOf0XMgCm$)99 z$JO0th_O~WcG4_+M9Hg+ILZwhqR#c}vOgpn@kEy8_#-s~k>*g6=mL!=T?-C>vPMDM zpfCKLKuVJ+4bi8W$``*qwuBCiQ-|W2yQ-PfrgS$traIob#xmP<3<~Ljp&Hp#EQu@6 z20-!Eyn;*GAd)!x8TS@)yIaJzME0`SOwX0LvQ%@o*9D?X-p1K>JMUp86p94Zawzl( zbvVlx%@MY|8YD~95c8(bbIZpwEwkXqN;=skGj~I)dOw>*Hw~w~RcR-ThkhkXR-udS zy=($PIhrSo5rQG~B7Si-BOzs+wyx=hXLS!Z^>I5fg%!3Tw@>5|w-fO+=w%LqX^*EY zTJgE>9FP}i5;Bb&uVHd;W^(<$GZm3)`J<+1-A-o&UJ_y(<1nT3WW507pE#W;MKg+` z9kAT^i7_jDwF)0QVV3)V)?1nZgqU@@Uinx>#@D9WBDhc5330-j42h**NgiPFl%Z$a zudE)D_z>v3z-Y_a?bXQ*s$?7vkg}Abzw^hb+hZ1X4J+|~^qMeKFL%Lb&Kk>N=V|)ZPJFvoz5v{p^OG8{(zT}OV@329;$NDU~gyG=!@3SS5fG9(bd9v4NE(<#nEo- ze41_EKBuPPV>V_zoxBi70H=Bk6-D>sAmz#$(HJRnR^mHqQ3cIw%R8MZ9&cmJuTy$p z!Uf=i$Am7t>8#;daa_bEj&ZTN4s#}O8GMO#4$~2x>GKS*B!Sr>Z0~V+kUa_Th5K2G zD%48iYemyLqfm}fNV#Y`u)ZwJ8rch+)7h_Q@Kaf$MwuH@Z_;iE1m0kYw{-3U1HgaPtM@lN}Nt;WJ*q$*FiXU z3VOHQ#T<4ZnGjK-@o<#@qQq`P*|gGG_90_;R^sjh0nlhd1l_qYUiy|?#CV`-Z9RdF z@U{5z5qi|F8Uww9xYtI;3G-t+wj&b!gb(cZ@0YbWcW#T9-(fNu&(J>rvB1ed3Iwt4 zbhfhZc@5*}+&)E|u9#p6>@L+9ko%xq2eR30(z}KrFv)dLAQ3A=GBs+{vkpi|PMV~y}+tl>GQa~Ep@fZ_BQMHQ52jjVz4Y^gb1bK@eogft6YpMX? znS(F?sljq@|2tUjo#QC8JB|uyetyikR92#5Xo8u!?QuGPV*qwS^|*>e2-MRxg!j~% zur~f){+-xFeE+I&hUu@xwsGFG)%?L80Aip5VxA?q4MO6|lEkoqp%JI^E)t}?X)$6% zyKvj5g9J^#MGRxbk+09Wn z^hq(E=B~&l`C)&Xes$i>WjT|L7=gP^ePB$Skz2wco zL4ysm@0bSL)gJgU`)X19%=oa3neofg%=kbJGk*1yPX>Ww_9NUF|M9HW%&^UYF7{_T z#RDWESkC^VxPRI;$eu}xv=5e>V}TfK%oeY#_Y=aUnZ|R!Va|jvw{s?({c`S1xG^ql zKNW1RQ(^FcEIPb{sW%-+nBFMoqxJj{MdTJuZ-}P)s)R+G59`+Bc&xIjB3FZDvwxse ze!fy`stgn$(q&pB)IY6cV0@`|c5UKI97I#pX#M~q{$0c5dARyzW(UR}12J@$?CJxP z2H}94c^?>$6Y;JWu!zrI%d4%IMb`J9RX{B9lG^nCKy1+zNPDrYUXX;IrQePaJr75K2fM#YWE0znPPB>56w&RUSWT4a(Ryn>2I` z*&?M`#Q-C)F!#p#RiK-a?2G7l&~ztFw|GCANAv#%7ut5H@rXhf>ixq^7eF&GY9+2v zFP=yKVZ;tF52!g;YpNGo@+JSbLCuq>R9iUvE7lZSiN=#`y=yL~-meDrKB$)OpIkGy z<26iTJ9d?@x4@I=%I|`t>1tH(#)<4pzn{I=R9JL&wtn{6IqU!C?3|T-*x>8NYrk$r zeTqhX&GUBDbzssxPHV%Y-1oG0|8H7!vn{kJ{G93=A|!tl<6DvaDl=>(2y@e%sadhJ zn6r;Yn_ex_ob7tf_Uf0+r$0_z%p831)%xDJtP`B~Go3QmPqgu5rdqM~M=77H;-Ui# zETV&2IDa?-1|nEY|I@j@mFeH2>EDe_^s|zU3J|<0u(Ef!@&grEMDHZl2!LJJe>ePl zgD+;aJWZ?sSu&tPb%%%w@z&-WZPht$-Z?Y40;I^+wR>1>hC>aX9{!}Xc6w3r zdX;!Lln1gWS^i`a{-jam!blV5%r?LM6~mHEJYkeRdj0VK!`i#RM^#;Y{|QMTAUaV| zqoPKQZG5~GR4fr_XCQ$IPB7l%t;TXGPpvi88HieSaAuTw#;LJtYg=q>wJo+*ZL5gZ zVgMmvy`ZS2wF+v5bBq_fMX*Z#-{0D2CJF8PzJH%KpAXDA`|Ru5Yp=cb+Uvr?fk$}6 zgrc@#%MMCWVUY$;&y{Z#p451kaZ4lVWsS-2;D6>uv%{igkva}bZ9E!`3j33!h;_x2 zZGvb61s|#=s_0Z(NSw#6jaV`DB*&OL>bw=)S3{7{GmekNZnZie{giNHm_Xf4lfW`E zR~#m7j-l-~wZouFt(KlF=YVU(n4I_gcI}@1^Ckam9~G@LoR5+xO$4#v&DJVW$m0jV zIb9niO_#ycE^WRip@L#G^2oR*^+8eQf4woZWVc9iJ2Bfzpb4Sxd{;nEZpQ=gCI}Z# zmqOavM){VRA)YONm2=WBxM~W$xmv{ZA8o4T#2;_Ym+uzKx0W{7ubhwPJG9y-$>3q$ ztViKH>5R9uL3g;(+#>58z#Sd9g1bTd@q))RjzN-x2J6S6p^SXRS^MNb9JIqb&oNIAD4xvceGhhixA zi>i(Q#xMqwetq+CyVXR4j9E=mtv-5ue27}f(TfwAjN~>E;?tqVdq!CkA@YJ|(3;i7 zxT2`-;HDB)r#G6i!|2Mbbj6(>T(_(T>meLsX>XG710)?2{fIs~Nclt#d)X!v^hJ>ml~+?1Nli)2KO_)yBpgV1}A53C;8v+{-~h)&+!`!u_-kS z?|5)T29E+LfclPq8od0$YVc^6_US4Z067>iVdKTsoDK&UUB9gekc-I}@caL-sT~2? zRoxwo)4=2(V};W|@jo&0{er&BKka89xtLe=ZV{#Xha5#lQ<(d-zT_uOUr{*->o)yI zI)7f!`~m-~&L0$%-pH>yKR$|IhB3|;L9zdj*+*^vJFUYt;L&pv1PSGCd}zXOJC7N*5vKdF!TNe^}n?*D`T zk^cVz_D%iQI6iy-=LV%Uj?^Qz+HAR@zx_X=mNtn$?m|tiIGR4=L?>-~bns|I-~WBu zu>rnHqq&tvKKp2X7?eJn(mRbtZiw7yZW}b3v1BdKb5u18D{VhF$lYPu2GVyK3;p|p zl>a*o^7nN2vk&rtpmc)LY{h2f7~jP`jW@l*Y?&|b%-)Mnh`}6p(&ZeI+$Qx=gYEj? zeO%mD0~8f~V_o_F`(rvN=+#DkKl_+o;anhy{FKseL`I%N>BHD=&9Rl6yYCH}y9Bvm za;|dbtUMhYN*`-m*!KSlr5|9(qWu7qiFkbW|uk(LGH>E)NEg_N7o}oIPDts$G5vyL{>YYL|bD!?MQw8^-?GA$D(2 z`eI7&gzDRwPzNsaTv5d7sXBbwg1%`G7>_0$1o$_Hb70V+m-#KACFH-@`Wn*z{Z^K8 zXco{qsLkz>AFV4kFZ=}AG;pYr?J=c|unusZ%Ir3cOz_C;EN(H}%V zlE5g;=KJqM>AOK=r~I$FdRkC=)PSzaQeBK_=w5B@1uFRgIi-dgACR_*G`ABf@0eoV zHA>G{e7WA_H`N!}p?BjUf&4~vsVbVQ_Ws;0=J`|m^L+t_hv z3MNw9XP>|?1*LcJJ8%NoDci(N8{RD%gm=%A_22LID#YCCc81zMd$+F(N>8J-o5CXo z&fqcskuDw*H1aCHpS_EJ$B~@|cqgR`kd1%db+(Mo`bTIpHu!#b5PTC9aHvMMeoXrc z$^SmsX9T_4?SD0f#oD3&?Azi<-Ej z>Cx<-{tX~eKq!r|QQCu)7$hIUWmet1y=5~bH)&X^!^oaS$;-_(kS-!R3 z_s)D&I>Yem|H>cFe9Rj5+J3CAF%VT1UE~m{QT}cAA1pGA?;^?Jka)TDc8h*|uwTiw zG z!ZdvBvrhi_#Mre?HOW+28SYg`e>M*giJ9opJM3u_&f$_QTwP*f!6>TfTz55Rw+6gA zP8_flAZVs}l#utj8fC0TAeoU5H6$lo;zG2!y4P=NQz@UTyvI$wGd@Rx&l<$L7bH)d zIV3rA){fOv+Delr?mMKQ1QZ`mAd1wQAq!DAfcVo5wTA?Gmy|H6_kq^-IgAvt|A^(jSqB6Ey>GHvy0LisU=ELHGQNl5(SSO` z+_ERgU2&0e=f|C^pX|nl?0c!lD|>C&HHe>N9JjHgB-n?lYu10W0?*zCQjk&R-G72TgLZhPT>;~;8 zY2UxnvDdd1OfrxYjQgJgiUs<>uA%Ks6x|@Lm`U^i; zC@dlD;KDNX3JS+}RrH*4`s|NZ6}<3V;)i%C-Z%EIXETjsNeAnB^EBqsIYn(icPz9d zrKQ9iG-TgRt=)6Mt8dZq#g&B0#`1M-<>Dcs#%H_(3my9-4TYB6q#~%}pb^7z?X?=P z0}c6I6)^Ym9Ao9j zJw1kVKq;bsEu!Osj{P~(i)K|K-#?Jw{nQelwpiz@2&l3mw%cuHC+lV;zV=CdnYMTIl45`?IiYrJFNqJ zGKReX_f>QsKFpNsxCy3_M`~;6Uo>}rZMFU0Tsua;x_i-{8C7=bBjwwQvhhf59WT1R zZ`1uuM>jRG!i5#LqW zoc$s;B;1Tmg>#6ahq=s!C8E>I^Xy)+ro95$@4OB_6Xt|@o9)22|r!_tl!s<5(BVS+B4%Tk;N>B- z%Ny||!Zy=lV8R~R+GjGV`^-(a(2qn=FV@3EbrMRl6sAMx{4K_*RerTonQ&B=602Axo_4i ze`{pw!_w62rTIu-x0?Ws0lfb{*qz*70WVj>ll(VS*6+z3FsT`=E+w;|^tT`(Kj98D43;Qdo4hXcEf;`|R|y(h|lJq4AZ_ z67IWr4yU=DkK+!Q{jGbLR;(ys!|+!^nP0JE$e`o<{0d&J4Y}Q<$DCP2LL_;)l%Q|q zv1T1hVWBGK53=+te&SK>9$`5z#mQgP>i3I(-HCnhO6JMtt%kuR?M`ot}H=8 zAnWQ2_yU#^4J=aa{58~Upp9SiguOYP0HVFY?pF@4m-$lB(3a+&9=zikaUS2D&e{O!~r4v+Vu!sUUEaQ z@yR@4a%=o_C~ZxlRhwW}+yWD;9guospG?`Ul>1m{%k-kDWge{TWVnq6xCtYo5CH)d z^tyxpfmv;)FL9(sUt#t`b*R}**5i~SX3?46u3uSdHWJB4T%z#t)12~T?2a|gz&ty3t%%k>RTel#RHsHeY4cb%J z#`lH~u8JQ(XT~4|8o?T!`H`(ieQb5Zaa18A?#8&YpK({o@;n8{1(UHIn`$J1<=-1w zcm_WpMJ)TQ+8x@Qy#&4!N^m=6`ze9Q&3RM;70|+GSDRVx$5gAW!i=QMBjFIUo|~$Cw8jdeA6Drd z@}NALF&mIPP7(iApgeYDn7_X=injeTS*x-cxS4xPk(GJy14W+LnxnY-CaGV*P zfx%a;c%7RqK$$wFwME5lEx|724MVnm&WY9(9dQ1 zy0u{EUC4NuFKtXEiQ#rMI3LIe3(nIuCQB84)0p7r$ASdbhLke2w%B0Y&JxOCtt+eA zG4MU0X)C*mLnwwIDEcS|6y^`6lpVv_`+^eN1dm*6H5_3`9HH;i5V2;5(`rAyW)z>u zU!zMxW60CrQ+JZnXJb(`V|J;39j|V-@7ML6mH6NBVl}{0g8X(ko>>ULs!kXjjsIX29`gR^3kl7m*b#9 z;}(`LH>ECC-@+l%rw%PJEucC^RpP%+ijfFkaj^xUYB7CK4i54V7qigc2rF7`lo2C~ z0!=g;Rwq&k*Xy{dc*6jKL)HQ#Rb_zxe=$-5@g#L{z%2E=0D^Bl6RqUSV5f{odk^i4 z`$rKRUt!5@RS(c_HCNC@tJ+E|XiKF59LoHR;hGk6=-Pc)s!chq`Dxnk*yCj%YjS!d zh4(>n#JlVQ0qI*e_E{chU?u~Hb1`3J!UjLLa8G-lB3=(xe}vi5r0Zu(grk9Y-D)|i$MnCeCBBukhj9?bp2Tu=j zu-cEGZms=;+zu16F9+b%TJgJ7ivt0gS-hlP#c&i?*`#)Hcb9#c-5uFW=zA-Idmg`o zkC2p`t0&0jaKUP4Ir?sVSazL-i6Gn-5}fx+Q?Hhi615ZmKz;B*@<@du3Y$q+d~fN` z6h)Fn_$05c#u)fhqp9(iy*zvkU|o+BkeTVOj!5##wh{3O5*e8ro_(Y8)S?I);SPLL zv{~&&K~skPAUlzCh9B(;-c{-o-ZU0Hlw zGjty5RbbR)al&K}>O!t%(IfvOUAA4dfsvchYy2WN2{%J#%WLgi61uimU-K28-`mFC ziP14@zq_xpusv0KkKI|YYhp)G(2Bx|{fNDEVlU}#G}yvCj0cwe_|83XY4YQ6D1E4P z09UP&Cg?z%&?I6hiwN8SlvvMU4}*kHG8bzX{n>lqNMZtv*D+xt$;H;mgMr}BLz$?gtk6H~RyvV`|R-V|$zOSF`oK5$QW~u7T}pQe_=>%iX#mZ3tk9+Z`6QI#1{fb>2jq za*ZTYHCc{~_SSE*8)BsE9f*+l#IBBW95`&tR$g0J|48JW$iZSx;tLZG_iSzeZixRJ zdFdyTJsX!4RXafLmo$TDqEf@tO0 z!QIv8t*dmVJFJHKy2A!6JX0|r_=d~@BHE3}t7pBI1zxA9r?1j$XO@9M(q}VRSSdZi>7iugGnZ?2@iThVZg?$z~B0TMTq% zWq`nAx_Xuly07WKzhHf%j1bGssf)mDa*w;e6{gj}&PS4fku&S_a1Lv6RT|}R5y?J9 z40Rh82bAE3+eR_#>(cV&dW8&#Ig zAu#3N&rR2!!5$ZEX4ig^Ok!;k82G!aWoWM8xG5Lr>WQ!_MMTYLB{6%tqWkUN`*(!- zhN+jbozU;umYu7$Q08pQ{*IR+FEyD;yg!}90{v%vnHnvZ?kOD%x5VGmR*1$niz6V1 zg@sdQ`M;oqgP#o_HpoF>4(G>H;I9Y)=MCke?p+{@`HSLIyevUNG?zs{iVMe-iIacn;?feU5>DQ;`Mk@7Y7`a)w8Bdvfhb=#_=#GD0&x1Fk zYndgGJzO|1ve3fNfMko(v+p-$p94o(?6of4cxasRwpJ$Ii`BPPC7egwp2bFg48J*l zdVf02h>h+kuP4~bHpUQ>KZ#hrv4#N10hQbs&9~2u=8-{0wXN;F*tCE`=~u~~OH9m9 z?VGfNLE^xdDm$JJzTV4M^n*G=Y-!zGJ z)D;WTgyr#v?`!PaxWK|c0SMTLTZqOw3>w|wovH(Yh;W)`=P=7!hyw!{y7huZ`~K|kdT!r6ioCBDgL6ohD_xAk<`$ywCnU3=U1 z03RL0v(VZOLh0gYWA`2mG}Qs-XSn1W zEjQwp+Fm(7ZjqIu>$iN=Ef!s}R%B-rI@|PeJ}aS%0%~MWJeI^~@MR4NZmq3ERAnBg zz9`xm%^hQVoA<)GHtCZ8u)9PjFex{8!QzURx^?z`!T)oYl(n`L_YcQ!SJ(btEFX~K4w`b85<7!UT-w8kv{Bmf&dh16k&R%D z)QIas>6geU5ml8CDrAbrUIdoPX&JMfAaGBg0_j1rA4hfvd!w8B9j7wm6G$$O-{f50 zP>TA8lHMs_eaO8}Z z9At0c6S4~9n_=VmDErHy?fbQ<>jV_S9Z0*64Oq@@t1A9E^~`w;@c*jw7);b1b{p(EOMP|(_F5WJ^*nqeN4I6K9;N)i$~{)S7~sT{2ky=MO` z-w2$2aNsJWk8tJWJ{9qH&;SiON)tpZUR;IF+qTtyXVg@%m~S^n;@XK9qXp=Y(>X~ZeG^bkXgQ%V1MYbW~Xv~GxA zC*mvJFBeNMH+3$@u1!?R*~;iMf{~NPM<-0jlAs3e-hx-ppZXO>$qbYZr!6;u* zQfbG;A55}i;_dGikBN2OZQs)|(HT~{gL0o-Z-bWjuViLK;QO^7p~X$assuMtWNFtT z0{oMa6qK_u@Dj_N6h&Vlvld+q4o*}8t2G={!Xaube`HvZ2cQ_sUoVS=?)92VU&1Tt zr6-}g9J+Toj?_yzmr4>VEAB1PTzPHZx}dotb;*xj&q-!HM5w9$rTNbPD<>1$i=#|> zWsMvb5iLc8N$NQCsdPsc#Sw-vXaX6Dql5k9X)TOruEt~bW32c;>@;6Nc;V9cP^)hx z{`|vziTAnC9+G&=f9fwHON0DHYR3agQz80O$K;~zR!sJ}Fw-%RF7QW2m?gqgG_guQ zte@U~X<2qU>a<<4vdQD4-OE{;eU}W6%4%tO?BM0m>1~aN?cxQb(sOlAr-gbd?Z^2@`U`4mBmjg@J&ESk#RK~A$WnGT3jA}0O{vdKwMp!Dv{^6 zcp)Gy>LA%CQDX5g;JrY9arr_GT$h{!8K;&dSF{x_gsj<6gXc?Sw~*gfHVc*Uouu)F zmMnLts(G{7BBsrZ^mdI%4CU}#7N=kA4MXB5lRj&4Wun1cmBuHLZz#M^gwmK6md-n} zciQao#7Od%Cu-E=#Mj4mp~`|VZ>p0G?$=Lm9Qv^wig*!(?sNyF+_eD`?V4S8*@omp z4n>|0ExEc)CtJ>kEPilosgAVSbv+L(u1b8j=U4spvk7!E4^ZmFu8J4T48cQn#iwxr zT#jFFM1pI3s`~TyP9}Nx+~w^Y%&O|QhbBKQK?8ySq4hOlS<%29Ss<&a4{tekM~g#bJRXGR+d2c)9bA{!g0^JrrZr~V_y+1I~^vs zL0sc3m`tRPuqxjWpLIoR-^s0xnr0K^$*4M;HQ&TU`AIi^iM{g{6!g6FOFoqY;<_6p z>`IdlZUXrSJ8cm3k;oePGg=+bJ@20&0fRKsyYNSL(oUZUM4Pdmumf#V?orL6cMn%- zI!1{ihSGIp3BGXR@|Ls7Nw%H7ovgMm<;NXU4gq1~Dp(%e1`h{>5cb8dM0;6d(WOKg z9{B3lUy7b=UI393kE)(S-2QASp(Q5|jh3!wpI4D4L5ut+sFj$s=3nkRxy8ccl_s9l zPGK=r6DtPvE``#Sfvx92)yq~e5}YIqpN%YT zPjmUVrv)zfg50QDbK4^U+;#AfuqJjS`e;Ls{E{qX&G+@(;az_NC%*yu#I#rc5jhL= zhBx?*+zod8$$d{hW4m(4)Q^o<=!^$2uh~HJ(fS4YaZM=QhK4_V$08A_1Uq#eJy~=E%tu==#S56Ml+SYQyQ5t$!xVt-K#z%hRRP|eBT1O2vnT|cfD{h zO{qU_qC+L|mr$VI#zQU~t-mG-RwjtjG_^(Ql3aPH(;^qRA{Ii)FYj(Wzp`m|a+}mlTz$v@%}N`&dn49n$U#`c6Q-*WH&i&W-;Ob=`*A zvVfW9ylss1_1uUX!bxS11EPzB~v^su=JAzBXfKK!?(Zl^{{w$>Q z_(78wt~WcW7RrW5ed2*)reJCF@m+^_>-ivOigo==w(xmmq1&tCd-85g_ISrPa*jQo zeneI`9M}i)Q_eBwDy?$Q{ea;TrtD8U@kcxHv!|jzKAsgmfC#5+b?Z8|i(RcDwP_d> zB>rEiZ9@{XlUGkG31$BQ_OXcwrJ}jk8bku2jP8HkTAm>s?VSd`0xZa+D2)sKz(GD5 zzaX?^?}AI*-@%VdSF%+EKa}2|`)KgaSX+D&)qe7cEY5R_tTzLE67Bf~iY<6dogT0g z6z31|LJM6(k?%@0RZzE4M=v`|N9}0n!PXN9nppo*oXubZ73jFK3*)I@$!#gW$e_e! zbzqjlea$|b11<}fyRF`yIil6Th@)%yYT$`ZbgLPiFs&Rkq7v2qVN~MqvN<=e%Cw~3 zr=2Do%;zWdjK}W;j+mL3x8MIo;-v=q#OhzQtK`6+R}WkJ=UymVb*rIld>2!LHHTq~ zn{r=a&)S0fuTpPQIKVoT>2)291665*VzB|9Z1KLu?xztxz$a~3(a7p@97W@U3m{d~ z50o&rnrkMv3c;<=61(auNNr--iM6mzOl6gqxNrY^Y9XdEj&K5lkKf;O>WdNz;TVZ0N%U>&p17R_m{Q%YmT4JUDh}Lfm*haqE zL8c{?nkaPA!dV{}Tv348X#-)#lX?TV*eMvB!601s2sJSpxBOy)yc70z)3BZt!cEm__0PpgI!($z!$y+} zkFf>A_nN*cfthf*vu-?0H8N(>!+q7Q&6G<|PqZxKP3TBN&&8(es7@q7V;XE*XXF0nOFlHo~ zFzpyNaeuv!E>DNV4~j0W(kzmzDbrY@iwj7JwmY1D94HuGZ;Kk`*-ywO7)SGwxdQz{ zJ(D{+_SxJI6k9~ma|;p0Dx|CFa)fJ$vZc`BE(h_Qe!IQI~rdpjI9;WY3AtobWlgEHi>Xl@TAZv?1lSnc@lRCj5le%t(Y)AOTE z9!FeZR?(tb!NZ$hV}wED+dwZu>9jg60^?9}{(i;pRpbw)|0pDPfOGQ3zRs-_LFC6k zykH=DzAtzVWi}q7B9B-D-s=O3YE=-5;c=fJ^yVkkVC5=~N0}zMT|0u`3Ew zszk3|oNwUMKl=6A&S;5Fn9S`GentC4<>`2dzZYe+O%%3~%o@JBZf{iv{?zSl!E-3{ zbGDBn^~sMrWP2qdjV-yPJS_(pWd87MJ+BI-qx(@q{^r^e5S7hdboKCNx1jfD!X+jo z>3alOv*^~LbOouB5DE>l^o%J{(cCHQhUF{J-4O1;d_>C{;h9&4QrnN#X9!O$d$%o_ zSU#W%jI!O00F`Nb$eHWxrtGIZ^@Vftq)&GAT^ve3wx^oSh+7v7)h0LI;?WhZ&++G> zRNWz9V3uoQNpQq_g7-#%QrmXJBx)3e?Zj{swefTS4k|3|5eLDk#}Q_NO}ZOTu1H(m!z#(-31Q#MRkp0>)SZe9eE z>uZG%h`th4{+c@44ER0qpgAtjk?X{=r3HBSTwF;5vc<7Aq0A3O|E@vA3B6+#mw4&- zjozIjl~KDCX9B%1M*_;op~5*04K}t`@3<<5Gzq>KL1R0KrZ$aHh=mvflJe6rf`W*h z0v&`hD}XNE4!5cQ`Kb^%pk|+;Zc9Yn21r+mWG)JsvwWg)?~YxYA)4UI1cneK=AuV7 z9sVb~X?c5_x)E1}Pz9&wTQHoD$ccu##Z$lZ2LqscPudSK1@pyC6wN95W`9l z5~=>}d7~m2XA|-WB=8R7E>DxRE(V3QHn2SGR9iXMfI>wxm`7@pBznjH5BE7E=ql*Z zCS{<%F;6;39KZ+TRQ;c#bSnA^b+A2zVmlMN@dGHxm;uil$g4k!nu)V}j1I^V9`IaM zcm`@+WPOx>bo>6=+xb6Ju-VXlW0K%?f@pwvl!%pXZK_|b z=@Hh4Qon^ciRP)3vJzOdH)lW8*J|FC?s%tk?K-u=`x8p%drk1YD|nYE!R7~+SmV5p zcm2U5@^*Xhre1C+JX6a$o`q@AzRo1%fsOs5YLb%_40pX%j`ODLc}w>W4^-J#E% zKMLJ(JG)|Mfk?UbI`1#n8ZIfvCUS?;@57WwQdf?C&$VYGkfp2YVqq;+{cwOS+6Qci z`RlD@j9=x60Z4&F3##2n)+oXtz2Qu6zDMQSS@+N9Ff| z=YY>w6sc0cu$W|3>A0*+NbC;OZ!WM2tNV-#WdXMdYBfHXQhYHMjwU&~Iup9CD18PwW7(%;+3RaHN#500Y6oyHHoYW@CJ6R$38}Sx z@7-hXN+(M5M`%M&?TeNg-)_^)1xS8=8J9#u<}ha(Ur96+-D*@)&8$%~<982sqK6rQ zwmU1zidH+KX2S@1VH*n*K>>A11>xmZmxTK(#+bLG3d9@@zlWAv$B@4qtHCl zB^Z~48aKEK6lk!cI)CQJgeaO{#U6=1QQ>{w)>BwWOgGpxNPPPH{WGDdegMi(|#Ej9-2jlbC)rSU^q z5>)ij@{*EdN&H~V7D0}<8i4ns?{H`>m8r`sId}evr6YO0fRw`&cQQA&FWB|X`~mj| z$Q@*>IyF$B+DiXLBY_vZ(A4p;F~)whE%%3sObBxP#j<0vYv^8@!^}cg0xL^E-T{VF zMUp(4khdADY>DX3*XWL&FAHQNeZH0`ocLVDG>qbQzYQw9L2JqFUN8!G+cqUY%?(}0 z1vRUcJxWWmix%8D;qq&Q=c3IK&i7KJWl@ zyRz^n3fN^&qWWKcU!VvMFcmbR72@>jFzXfDPwloJhtmImsUQ2I61J**Q+6Z5p1+WY zfAsFs*aVkOTpS$insSYd-(c=;0nq z9|7S?uWOIsSjM@dq(;P%kc3F%p(qc0TR?$TTiw7>%{(TUj)M1QCXhX>jPGXiK7I#V328V4JwzZ%vlpbNnQkbPh%y_*zDZTAyrBF zanBwmKfznPW4;(r*?nv19T4Azl5 za}ODULZa^ekF5ZGdvIF6j3RS6ZTMec5b8+>x@JsV0Xp%M2vQvP5O(KpvfT~QW(Psb z6x&1EaKE-a?zGwln$g)$T^_ zA4ARpG=Bv5Wa2{;ipxz#=0(l^%upso>yY`irQ)t43unxX4@<4t9fPBpvHJJoBYGz* z`qw#>FcK3$zf3`{rU3WFK-AF+LYM4(}hiH zR#)&1*|qC8H=qa*VBPvx6{6^E?tFBxf z&&E5z@O9*vO|>oD-KST^W5&0U+sLXnF79aQINi<=%(9YU*ZXem-0%O2Ow zJ_M0<=~^}E>0mn0R!p`-#b*Mn3!p>@O63OZMc8m*zC?^B-aCZdszJOSeIQC3=4d2n zNW=NH3a^6c)hdEcUTXaB&4!nf=CSNV1kWY8iAuLosevq-`%#s4&HSX-Yq-76%|Jzm zgS)$5XyK%Hw^dQt{J5UWbxKl2%%~MC<1dX?JsdhxukJ8q_^f?3UhS{mjjtFNwNPsi z+M<#01m>SZB){R;`y=At!l=kc=(GZsxfE*V|+8JO>no*gRm(@DesEqTE(N!FOuHf=peb+GlY8MONc5fV-8=3u#-1Y>{s92=$NU_l{WNPdU{ zKhxqO5865NB3d?3q-&G(*gLhI6||Fx?FQAPQeiTS+f~kiBDSMhc1_u7RYKm@=Iqzt zDOo4Vvru4=cx`uoix|}+z6_MF)oWpjoA-YLtalpfWY=ZK9Hy6PSrl@Ajoklw>@RV( zwDZ`vqvCC&xSTp{?B7ylLW5xJXI}izW4}o?Y3vPT{#Ro^=2AsUX2^`cIBc#Wgn*2D zxc?$Y<<3F!#QyO<^oHG zXhBo9ct0sjIU50aV7p(XB$9_VdjB)*i3AtbB8nC$9(xbt(uN+uFbh@Ma34h+y26@@ zW^dJHjX#^hMxV6Vlv5l>WZBiJ&86NIdl^+srzrKWu4@`|-&6E@Bk>Vx!EixK&O21v zmW~PRvc68XW|s(^O<%n!_hZZWt8?vim#N~rNT6~%ofz+(vtibCo%R707aI3pe0?B) zUc`jEgQI;w5J}hB)3z{v8P^%JP@n@d#E6747cn2UH;V7y`yzsGyDusrM8OIwl(|eq zKuEqAvM=E3i?&dNV60kfp77l<%RiX9AaQlsN`Ewnh{`CHiPGZ2Xbx0c)QSjG{&jfQ zl~lDGvcP4{j7^5LQ``KUvAHgzcNbs%F?@r^8`G3Mqt#eh1Z&%9Jhkw8pk3kDN-qQ? z-9(!HV)f{d3PI?ZW zv=&9^{?Z^z)VMb>Ht;&_(Col$u)?;-im(4|&<=CQ9=5{_Ssm;!4OAMHqk)gVF1}DN z*>2lzke+WI=!5C37uj8PBcOZtb`4GsbL{~d8xRn#j3sJ=OWmqzc0=fF)iVlryZ9CG zC^~OvS449hsJX9*W=Cj6K76L9a?6xEn!ncN;*2Amo;ntazn`rp1(wABp!d0v8k1vwBH6Cy>}%pf zJN*4c-0+{+1RGr`Qz*zMT#mKTkZUI%Eq?f3B*oogdQaVDgUPHR$^Xqu%y9o;ZZ!bt z78sF5e0UPaTbcD7YMXMS&12VGe-&@dxvA(EF1HxCU#In0J*(#e9+)}F!NiitBY!{R zQZe?gIvS4q-R>X^xg3WwY3<5_Hc7A`!5ytY9bGi*NdRWYKJPB#w`c>}WGT3>aLZJ6 zB}o!3VW;m9iZ$n&EB*Ca1S}nokNVTIxL*DFXE6o1U0GbI6Cm`*HUCD`F7*-MH9Wwf57C4WFtZk(I=4&ec&{vdfS!f+zTaGdBk2c9r}*K zz2IN1N0QdjW#h6}mk;A1pvT;*vWlxU9z9g)fwcszIU?A)ez2?h@rlC{@UV5S-Wo&_6S+M|JvStM z{kXUjrWJAX|Ad(TgnhKop>BbSW7OwE?#c6G6?U_b~HDA8=QmWB*G$- zy!{E+Dk1^AGiZm87{wvINrVWoYBy$cCk%2zihyPoI+m0^BkA3+#NUuBgXK?qZG%4cJeFEn z8kul@^(8;?Thw51!|wSoIQ}Wd(SiM{^}1g;!tpRbqB4%cNU#PSg-xt-mJZS;OZ0yW z8z-heI1Lo)*3uhvgP&bt(ddWIAC7Q5lsN*f(Zt@;pY4d|&a9Lv3L0U~rVPE1*1qpL zlZQ}d$3|tge59u?8x17iP#Vr*DNfELBv@yc=YpKzf)n)RBBLub$>4mexBb7j_bq^@ z+^V^_Zm$in4v+qsYVwZC`L$w+i3j>urP;aHKUfCxyYRP;jMp?n9z+eO@ht5=!AkSt6YmC@B4aHeJA=vOlY~C6fI_m;G{jpBuf7 zE1N{b|32B=`EKl6Fvt@t;^%W;StFhqz0Mjsq*rYF>EO#vr7uhz7N1V0L!!C;sUUui z`|?*v>!Wg5FOu5xfSt=?^;eC#l!Mt-(3q)p^>vp%k*(`lqx&uS3BG(xuCC`6IfoXy zEoH?=q?(Ig^`_F*BK$o+h@>7XZJaQ>I&{s{J|Qb3&{*08)&gfg@FEDojSfGMK>hRR%COBzS%7Ti8frJ=wD>F?K7Pu{yYRBKX;qJ5ZqOku_A}bsLS0 zmZSqUw;(i-#A9w^O*D)DhgIlxuBhz!0}~=3w0S3}!vX>vmEi}{IaD7E7VC8O`}wn? zl#N5ty|@M$sLn2EFtRM#c;iDkKBZ3Q(Gb)L6%KMmO0gR30*Zh`X9d79ln=|;=Ru|| zUJF4&ZRejts_Ep#P{G3fz_zz+RWzH@lmE;!I-I9f1H(lso!!!?R zEK1?8Us{mDUw@wP*zsuvY5Y!7_$n!E``EaeN zSGT7g$2Bmg-V4zPV(Yo&DcgD`;0#Xke_FQQz`TgW$8rqFbyE5ON$V#~c<-MJl45O^ z?Pg6Yr-`L(cPdDeB7M*Jx7y*esEvko=zGwYUHPy7zU@{@$G8?;zO4dj=_=5s#JjUM z;4&O#*t>!>I#zLf;|TwTF#%K8iB+GuRE~ z%ST`yiOJ5&=!C1rT=sX)s6DS2^b^@@xWoK@ki zc-d9x)p##I&e8ig=mSoF!btDtx5xK3NmT;ALBJaH0}wHy>QA57RBstpnC6k z` zNlA6#zM^#-E|{S+Qhe!o(UvGznJm$T915d(lZyDCilxYpyJMK5OpK~B3Un3v>Z(5T z1l9Tb+gfu3Uxyxz+ZTbR*tu^xVdoQa!zbQrrSo~*s$D@xHT}i%P659;V1=Uj#al`4 z!B1F1NBkqU6wmY@d3&5`zO?qzA*4d;oZ^Tl62|*-ew%X_VGiFOKp^89fPp(< zpHT8&VPNiC4g;S;WGRfc%7Y^kn&}7?-#4Ui=X7xfIwLt(zYIK9?j8x5^?9mWGz>V|GIr zoTOtz;&LbNBS@nvVQ2rBT9P9TQC=HN36p(cSsU* zG9LN%%QcXEyKQf(Z{!Alh6#Qi*hCj_v5gl{E-RyPT#R`KBpa0U&sfNs8waey0k{A!Oe|+-UkHzA zH=u1U9sb_JlO4?dyvt<*S$6vXpoKCE=|T~3?f(LBUxZ18iR%r|92p7S((QjfU|O}| z0))%EZQo1br4Aap-){@3ovZQoIYXSM6j6YJeDyu|D5o}5>bxsgLtuZ8GblGBg1@5U z1@K?RBQ9pSX=40B*BL)_=z0|&{BKhXvZ@oRZ9RIJD?s{L9i#JmwXn45N~8>O{wSw# z@1#|1f{;f>*Y76o8HCW$+_w;M6p+(F)%)ppD?oeq63rr%;CY)Zg+M^@eM$l`VKkF> zven~eC?Ic7S+4`J@HW23vSa-_{|5Ol`b)u5ej1m9dxw^sS)HGb1KiSiBT{da-G`ID z(s@JPUx^7^9XErhQkt)?$@*Rn9&B|0qWkuo*ren|5 zOb5`(-#3Q-dCw7v0-^7^a{{~YrCJ~7th9JA@R5go6sQFlF(Rn07vPtvrsVwoneX7_VERNaG4K@Glf2nWa{+vevQ8sUCD;8>M zuIdjb2L+TKhKa-95%$&43wmmT$p5 zFo5|u&Luz-_WW0ik7`Mftz8El_Czv%|%qNk8IJ*{p2TZ#=h3M*CK8+;LDc)P+z&LlOoj1kc$Hy8v*#ZFq#rX_n#_OJF z!DDJ@fVCy}5N2tACYPa5u}^Va=w!DzAJ4Y5p|jYb6Zd#t<_6CC;f z4#f70kuS{Q5eb|0rDNbzIFw!n{|~xV;2}OE7%k@N{2Eh?&TMm2bSqMw?(k`-yHlrJ z(neWTYt<^ne@c;tTuV%I8U>`Bd9eYwi&U|3cRg=Xfb>~<5Bg(})Iq7gE1~pw%P^%b z7mn%Nv_bO*84I)XU-vq=*XHzqF>MT`e<_(_?$_D~*yls(ukhZ;GLm-GuI&CUHA-r4 zSImhMpE1Lun@ z@dQW176hJv`yKCzp~lZNWgo*C+I^}%{W_%6=9iY|1Z*aT3DZVJEN%2KTfKXb# zip7U?@m9w_J+I*xvmnNc9#E5X!PC1i1kHo(|0WCb4*8{$FiiH=oW6rK>g;62pDa~9 zdB>00+GX)M0|q`YMaWmdRqtD;?C7J*O|0Ni2)-DIzS1TW0E?{i6|`)vt!Gh6@za{| z4yz?Mm4n*eWtA8agn(H?9iDFcB%|gw|IkR?fxiMt*)V9)S_f)IjOWkB!S$a=0 z;&m(aDN6bA+A&3#YE!|!TkisEbYGU?J8}^d08;==Z9=@`;OV7K-qEL_5=o(37GRyO zJcXLGp8(dT)MJ(2mjHS=AI&Do1Py!!7tNUkL-?%$3cHlV;Fq%SQ9u^s@HfYjWZO{S;3m3!0 z0wX20sb*s7zFkt=kCZi56@VVePcGH7P}!S&s#Iwl_DRq+a3Ts=O+F(_VUA1Il zMR-!c zZOWfkJ4&(~C{`dcc2n)We+Tm>AIyW+f`%I(SxAC_QnR~_(@M*}16GWVWEcl?TNY7pBkuX$$JxdC{i!TNw0lslg{tav&^1PiWHoz?Ln>gZ#6d$A= zehT;sjqQ@q2QhXG)4C6K3Fz7|Z4puACIOVuKEqBZ&vMf^4Q*7SC4jG&`>AG6E>hSF zLg`uBVY4fiK@)8=_{Kv*KGoTR+?|iTWr)Aqp8jBL8%Y$MhtA>b@mX+=eh1Ic9w(kfQnzd-Ssz=en|TbU8Vl3 z1+3*u2Xs|V))CKy(y!QhKd#om@SOUceX{46{{4aqIDS|KNvnX+=9JZBH|2t2KcrZ( zLj}N{5_BZ-2s85v;(x;@#JG@_E|^I|K5;}BnL&;mHW9L}(pwu8>53_W7ma1t_w4EL zuo-q^D=??e@d*(Kkm8@+H5u7N;_vLIZ@=V@#kO6D-~0Hr^03NPSqf%Wiz z4fy-Z7g&MJi7bJ!&n`oO>S9gq-x%HFgz$Z%*OfKupMJd>9!!>rYsY74T5ExTiMe)BgN zo%xl);=?dO+L6UYeT4+KYtIs%q9jiBPN&gk3<~iGDf$Ch8WsJ@IuLC9wp_H$Pe)&h zlbP~LnPMfqDc0}2>uG_@TL>ygF!G3|Qp>9%sny0A_3v-^* zCfqc64}5CkQ)7!V>L|uV{S5`NDvWV^00ISBAHzvml$}UIVf<5fn~CuIZdYo|UdcX_ zJ)L}~*FQ@O?s>SAuXwyIyNyKX5G$6MhtiJ+mm5)_Y^-9(^U;~f)&;mG1yU$#>`HVkce@2B^Fg1j6; z9Qd*{3T@yx;DPxK&Pxji0UamNSP12E;*q z0Jr@29~RJK1%ObtP7UpO#@&qD8FV7Yln`5%$uidBpZB>tiWMxd3RWzWV*rts?C%Pc ziY;yyAEljrLXqCf&@hA|R9- zAx>@J3(H8GFOAQG!_#gtR~#tUb#rn1`&M)I?ZjSwm`~21j_$8R=`p-Zl8T`sk=_!X zO3XEbD7h5Oexx&P8$zeKqrL1D#PZKJ5^(jF6|uY%ptp#};(Awk5n74Pe3fiX`EQq( zNk95@e3@9kplBy+6M*KDojPUE)vyq{Hc?Besq{^+ewr@S;O8h^3&->^j#JnG4zc7Q ze64oDx4rXQDl}SoQwt5yX=v223l+foQURW`!rrE-s(4Th2dDVMg{w1FCSyMKWH|Mh-~J;P_QZcQgiNWOyl1Zd-z;6 zBj~QJHNNC-Ug#$iO%_1LP&4?el4*}*BQUf+Oa}?}W1{YdAAiM5Y0>FuY(Cq_$h)m{IZbyNVVSXsH zhvoWxQW@av4jM3{-i#TB5ZHf&Wjau2i{keJ?>}Wdba2*<5K`Lfeoj2_JKkYjaWSnZ z@PSLc;abGlvc)XYv1@;4ICf5J4+Q;3Tde`acGs$wf>d#HG?x-lp&lHXZ*Y7WOGKMy zoPD)(6CYETmsgqm@xtFanVWC(w9Ai*^Hk?mh9wS0WMd9Td%ol3m??p1aTTm>c7=Z# zYswo#KJbUWzGr)_L%{%&m)=H>8K(_^WcmqmF>wj5-xV5gx|phG&Buty*oxm6Mb8}T zc&(Gj1v52XOC)n5vrksA!YJPNUDot`NHHWB0(_3HPdS!1;PpR;-* z3!3d?&rd+Q%iaX(zKn&aH|-vf?m@oO=Ng*R@Ls#yZCEScv*d$=HNSt5JU^&mEeJym<T>mFO9$dee zHb*aREA)1+p0DQjHCsipeix={K<7A+x~?Nm}QiUzT~ z8efnx{+HlGc&B(%3*M{-xd(~RB^lnc7sSjX zSwUzy9-PE)ifty12=ediqEX|T?zY1V>M0V3WH*MEv{y8R?)^~0VefZagK7e?u;L)= z`ewXbBB;Pv1WK4m5=w{zE)juGsle~|Gv31!#HBRKtFK76{*qUgm4p`Ryo0t7x|NU9 zeiY`YonWC{7|`^@+V`Ws#s^)LlMJ?eu)P2laZlg^|OJ zbWsBon=R&CZu;PaZzVzUg%0mPHc8#$k)U(L8wP@at3kC;7-e>l!t52tP=(`!*i0T( z*8I52rwpv#&kHJB$c#hjADi_0{@Ntv*_erD4w$7W(M3WZmjd}okKhb)&a#F3dAY@m zgu52CklS=)0GN9Ylb9~HNYcnEoakU^L9l4v1qCTwnNQ||k2 z%a}a0sdQCS&d|PCyFw&Iv+IO@y8m-!5E|-o8OLYwgXY~5og~3oe6P@TKhbE9va=B6 zbN({00qjkD}ij4L`s3mUT9`F^b>Bz6M7O%k+*H zyVLDV-*tOW89xFNTDumX2kt9=fcnvtOCayw;yrQ$w3cu_ft(9{EHJhatha`uo%%Qd@%>!uTFU zR^bwKt?O@Ftl?hsE2InZ1ubyD^fTKoUtzj$l{^AMqXB!fCy59LRHu~}GR$`Zi$h+8 ztt^9i@wVOpTlumTbHICLO#yfheDKe}>)B0sTphE&SF&4`#jxszRinr?!Ho2{uRa#(|Jok-&;^Egh*eDlRD`a3Z z!!^`4sO<~dO;X#Sx056~Pi=!b?&_Yxq0E(ff|y5%-3q;Rk8$~uf2XNziTXyWzg!}g z{G^$in7+L=ePe&d^nFRGg`EdauWE<@9M5<-U!ht%bocB!fM3c!F5S!g^iuBiQrm}w zuH8bBlt0Ayl=YjUw?;EtiI>F6D$@Pbit=Q~h%nmm+JxD01r{nV(Y1TY(u4R<+wNAq zurN!q&xpEX7{T-UEzy}zyTyt2k}y8|%;E3S&hjngv=tcX3Z7NbQj^luc;24^n7S)p zEl}Wvm9fn`t9;}baURsC1tIRECYCSfmcFE9dVUlV7h_FtuDzWE5&0v69iJ|(BZ;7g zc%|L*SgjBh1zYO0nz%Vy;eB!p$pIEKDfe3waWKZMCCQV^pGJBkw&x?}D4HsN0kzia zYm?MGA659E4Y-cmNr4kgO=t&E>1c34w4JvGs1peI(wpAe{TC&>y<&rO84eW6ggrwb@u z$c@jk<8}o~^*;gc{~;k<{Wof>=AAaNGI6ISQN5X-D<89PNY844 z$9gB4FtFY>jjiVw|HtnDo9|G{U>7+5ivxCnQ+V-PIPZFEj_&6|fk2rp?#!VgTd9vL zmO}b)V%K1r2b*}-yPd?BewinKck)G6H&&JSuW?RQ5L-jlg+l|DsbS%fmHsHn-}94} zyvX$2F4RunCe(H;v+u4_`dQ32|5g)<6-XfC(Bn=dFzPQeIZPoJ(D)a*s7tx>lTJ|E zDYacm+kT856{bW3jvr#mRQ{1#8u`6GU=dQNLWNFKp*<<|u!in`pbaO#*Rw9iYkwuj zt;+H4A`Pj36jA?K8}(j`UCxJ;bGveOD`$SvVkI;yVIB$oB6ePjw`I}v2)u(!qtxYS zSM53W#r}AC#kekC!LE3RGy!p1MYoFgDE-nq;f!KGaQ>xRrWv>iU2Gtk(+LQfh#01# zXe2yxe55?FY(OZ7!+Y*)g7%5r;72?3U?U!`&`W&+rHDrG`SiLdYRPEO$Fow0CHhOg zV$p5=8h8Y8z&rTQH>s`s??fdq_QzLzQy#yUym|LtEG3V`kNo{%c?$Bx?<%9Iz1b!4 z5OG8KUE{T4|F}c{$UEzjijo2F5I5AnpAqxX5fRvHe6K25zcWH@QFrPCb89O1F5b6k86^fz;tL{Ttni`GAN6$hRxqPV3CE&Q&) zQVLIaX_Np@WVnRmLv*e(jUrPEnK~|T8CuA|$LV2q=sqGuSd85RF=v_^aEPLkm0tTb znoXW8tL~$-Cx(eKH#gcnISd#%9Z#N1tB^U@y9OS+r?eA8XTXz@MjpF=6Q zyngs5uOgs0yNX5??nus=d37{9wS`;bqmwgcvHM}T7bor-pS!2JHgod|z4V`6P{h+h zJjv6!?q|;a!JN@;;buYSN>_o=?(35Drj&o?YZT2F9o~({ zSCn*52`h8x9@@3^P)aUH| zyb}$gUS#i+Eu z+@jqZO?9AnwO9hOI#UeX=>6)QPb9Hq`6yUQms~{V#lCxyF*rTp!M{RF#YxjXjR%g| zv*rQKMozYV0S7wn0HN1$2faa7QO4s35IdT9n4BErl6CsS=zCFujh&R;yjL->p?9*k{*6W52>T=2Z-@J}FQPB`b}94+ ztbGGz7l-u^gWXmx%2TVM&EKbZy&1QA&X?f+1vr`e(Sw3&Dx5oi8TWzPk^S>_PV0;-QJ`8>dTwGaX12TA87@ z?QC70m3{T}>}!@z+$%I!Ku#siWjQZ3w0k4{K-s!fqM5=EcvX`cjhH3y)}w9`GVLDu z!;jf_2Qm_Q-D=(4W5-6-eWft5V%`CEp$P$~f4H@5s;Oa8KhBfK{)l?xZo2W~fkOBn z)DLEU6rtj3{J@k#P(;A5BYOCpx|%fh80<+ntT|Ve^n$JVf3ta)4+v&XgVfftuNc(+ z2oKlo{uMsjtMq0yM|X)?ZtIn0j3D!YwrFZZe=_uPa`fLbk4P4(F$P2S;3xd z|Ig&MHhS}6_x4mJS{bU8 z4kXGy$6j6;LVb@t18&YwtZS8-Z$rApTDGt}>|d0Jy_hT6`cQI>-oVjT4PZfQ=uLa{ zcC$DePTduzdUIN5)L zY#WgEe&xT1DLgNqX<^d7&oJ9tHQTj6Qdpu--~QY8jr#uU!S{l<^!!0&8x1OWd9+oZ zKZNU07k6`LFLtZn@YHy_e`ziV7QKTDZ>1^Rsi_e*MbbyppR33u`PlvHj}6K~H|5@` z2o4`tq>F#AhMF-PKrwB?frb#xLHHchvf_(?E#m!*P6u*V;gDzL{qr+cKK6696Q!NK z;2cHE^K^jEAidzgnd2&=h=&K5cpOoQPW8)n4uc+l?&e6vgT8a_g@4_VeuYO@n1q-w z7(4$%@WG0I-9d2IApe+QPT<8IWdwp-H>)oEPhaS3I(ArQI){VC6{FS&wdJB4cX@1G zdKjj%{4Y#Vm^3))kD5y92h2ORF7uD#KZ5u}zT<>ZzRheXzOoW4QZG$l80_Xp=E(bS zh~d63VwQy71@CRgc(yo{H2ouW=X$7hz#`s;*wPX3o!o!tLwNT(4|0&+1zxtL?{t92 z7u)5{H950~%V&puQ(EXglnCLfBns&sD%n{p^ha^+q@P3{0y^7SX5{$7q7D^mbUMwc z4tb)b_RPT65In8T3Kg5lbrnPKu`^0v5 z2A2tE$|wX*{~&v21bNzNL){^A^$vk{!sJ>uWhu+`1WJosHYS{zH4w1i`1*UkQ0CP2 zoF-l+;2um4gHn^Q?{|4flN>N17K7fe-uJ~(rs}NK!%Sl1^bv#;f(&V~EOyIADXHn* z#5ybw2M%&C&*{S~K=fTZ+cY;cwvVVEJFbq!ZK;T~&=ZdYzcs;ct$sJOE`3egloYp%0P-LvRXUJc${cCh`2fnjk8ma`1SKYydqjDzH7Q)f z;d3T&5!bc4uIG7axa9WfaBsXU5VUxyE?Bu^gko3-%zQc%P!8H<@KWuzvU2*DrH!4# z5Z9fV9d_kpvP9fy>d(Gvl}dH)ArX&qX9^fmGbjy4Fl9u|&TW#5-QF?&z*aH4h+S6K zY|+v@EO@v#i%autJz5ghC?v6 z>npk!idtPCe#8nA(v}d)`yDT#-;|$O%S?9esZ3v|!P3X1gZhz%tQd@QRto6u$=~9< zzC2jyciKB295(b{SUF+&EtFxkdaXf!phu)S5XkJuqr7`a>!OvZSjleyRLnwAZM$rF z;c+U%wAGEwRQu3?N)*Cfpc8hnmKT^#S+~`KhOG)@SnAikpv2VH5?s&R3>6~jAtwo9k zYxyUTDPK;Y(yo>2njpvU6kaPnj5KH&?JhUOTE4C>y)R6^(cdnGHv z->_xrD~x*B(hn&@{GoPI28%Z7T-4#jPq1UG4r|#Jh9;1#hrrK`s?Tx(}r9}LXGO-$~t6t2qAt3fGxAg(;v-m@%OTgVQ&b^Vy~*n&pW~Uh6JWk|7>#8 z7`mgQ8r=&40MN5?AIfdxGY9V-?0`ecpIcA5qIQ8?oabXTIA$_r%SRdScvgFB7)h+|zZfCHdW z2d{pACqkh!_Cdasq}KHaui%>dO#EUR9-gUBILi&avF`RUA6X0fWr34Rr$zZD9LR%1 z5ujiXWIwE0=&N$Rl%9R%xb#TYzA+gUn+D}eW^I=`HbfqBI>iEobR*Efg=3kG1|4;` zQiqSS+~NU(`q^WF2oDUU#6C#>Mmt+FfGqe1xb873jSl2+EcH`INKuNS6$Ldldh1!tJTsrMe+a_qV+P1cl&{Dv|d%mbk?x!0Hon+MORApWk_TW%dx^1n0Oa6t0>F9*lE%mb?^-<;-Bl#!_NJj77Iot_u(8% zxU@-)2VO$3AGD`9t?lS=YazgE=*G&u0c=i|nI=dsJT#auhB)|i!7e1WM(77kWP2HC zPy7Vk<+pg%Y(x03Wb#|L8Zw!Cl>%jH<56geSMYsg;q`m3_OC-fgVi4U?cS?>3a`BV z`9}^kcW$lRM=gf-h}4Victynv0OhXr#u?LMr<~R}u6VMnO3v~v2L|z(k@t=&OT?%f zH}D1Y`y+f%NY?dzlaHz4)H=8Y1kWsb5xjf3H`(uVtGL<}uf>jI@XGrG_W@Bi+(y>3 zKp1%bB46ZEFhdyz4?<&CdMjwn=cfe0nXJdsU!twfciLeMjdCzVI%VJ3fHmk1*zU2g z(cK7rrJQrA(Zyoz;CfJYga4t<*3dh=QI?BJ@<;$3ZP#pNt6BaP)j94(V|CoZc=w}p zD*uVhh~RijyV5(YU~a+ll0+%U%`$_M6lYMn&CZ7radUN@6ct}I%r*D1VH_D2+yNZT zlZt17loDJPDx2%t7ZSA!W#VD2eIcYl!3W_l=i zr^Bt4mr{pF9s|>BvNBm&++~dL=ccM;{ymfukzxHoP84sj-M^#ISu9W zDnAAn1{F|6Pg9Ngg#;$Z_GZVshYJEL(Rr-ZHU4qb>HQ%69jVF=bhI&s!~&X#z0K9q z$X%rcEP=zYX4|=0aJH5SRL=LsH&TU>M*6_+YH^A~KrwQ6YZN6C<c8|;uA}B!$0GZh7Ft*PSDb2`V*Y&~ygW+vyh3;xRg=tq#OAKU`Ox$}x$QMg z$t~)@u>>2A*p3$@;{DMVWtw@)`Ai)V=ELjJvq5_2GmsyeL`@jS4K4G}(i-X8zxF;) z%NXbv$-ec|N1>}b>#3Svuc2YLeThh`e-n&8AciPp=++3+RVOSRWPfX|+^J!4N_cJ> zaVD94P-LWnb4zsRd>7{$F|hB76VCpnkjR{6spD@-gQhj%nkJ3yPpq9pyB%t(@phUU z<~ttB_SR0sSnvfSrlRwkIaMyVUOr3#eV5t(n*56 z>@y?{7th@5&i||)e8iAXK-d&(SS^^YmG$A0G8~+at^gIk!jdv8nur)W0+uW zE=xe%GAg=o8+97t@lOW$sXWnCyGz4qc5cy(=vdEQe%;lhe9n3e4sN3rzYYwAN~M!* zO1=C_epHQ7<&giTl+H&&QMm+GN2*xCeBob7q! zI;+%%w}lQTog2)IVmCelFL#H0TnCztj6S8yjqSW{&X8?RNAE|8{ELL9!9>_Dp@i#f z;~)=zh1*5X8C8XH&~bcl32XgPBp~R4J=2*!grFzN1YKeSh!IU;I@1bn4Cu{i2N`+; zbFy-;f_k_|jC7;*bJDEOQkHH?3|ab;Kjih?DJ`bOS*;~$hkRn;Zm9KF{B?X|R{S&o zo~pcLmey5keq5b50;{0`Y6ze*AXsN`tmX=$tPFuo&Avq_FJVta&@{jlz-+uMXxI}U zCCg(fAN5+8b+m$3=Xy~^0DKM-1x#Z7#bp4;O#_a&o-fk=lL+#lI1?(C-}&|$}8 z7m>Gsy@I~{UYg+BuQU^^Q+Id-b*yl2@E=w4Xs8h5T}8WYGd;!k^apU8VP3x)6weFA zf4&G5FHE{x56&GeigTSI|Dw#js&xVdGdJA%d=JM9u(1@%spl~Xf135F4_(5Udaep3;))(q#z&JrwO@%&bF7n zvz;;R1S7-U+UCAnm4PdSTRQez-J3fe4`iJ0R2RBcYr)U=SYX!IQ>;C?H zZhR4-oqMupfZ}{RSIF}gs|j zGEjxLl%8^Z+mP#3L$2=`a=m8Ab$997xg`Rakq|NMD766)X;+UQt>GWppSoUZbxx>D zV{%tgPxoT*84Hc#Ss!ER8p7iJ>yAvTOrsHM1tyt&i48T|jY+h>C=$wGB58~AWa&4e z0}}5j@|H-~H&dp3k|a)D&T!e5h|{g;l)?7mI?U;>TV3A+s!8WAK`T|t`>V~*kAR^% z>Chw{q0?~+0A_@q(uJ)HT+Vvfrt1`VwP?^@_Y3tl<=o%PtDY_q2mLW#0`J~K2=v#z zXkzZxFfaVn)h8nU7ur6_azy9rS@TuM#9sHc9EUzR$1j)&&0M64wmGJRgqxpJW41LK zw#_UE`gT`KG((_FOTB5=kGR7(A)P`vC<4EzWIjocFs6zcfD|BTTgcRueYLi8Pp#Dq zp0fXIYCMr&Ch|*Sg@}qOoB%+-M}8>v;#PVQKoi${<}mMemG%9hCgRV^DSWN3g^oJE z=;bnf3NqBJiu6dkFdyUNZuhk#e1@SEYrLB4znZI8n}b&-1y6Qy?LbdcJ5><8wMaji zpY^pI8$qdi$OhEsa1nJSslw~S8)vkt!F!mE?F{i{3V?qt6xhW`k0=C@E|Ck*KX)8+Km>2 zCUQ`@=(>VWc!V#{>iRm@W|Q)FQ54m;HfF6WxVE`IT-SRIYms)|F$niA1)BQAN3?;U zW`lUVBHq5r{lVaC5eD*Nnb+s*wQ|kxaIY9FA#!2mta|U0Cc38Q~^+NVZdUSHo zqZ(vGXAv-epq(;^U2H|jj4NJl?A2{}DYj+~?|dVaA>MICjVbX2k@3#-TDuatr?QPN z{oUme&IIh+7|uLl#+h>1OldY+hcbscUzuB;xWYNZ1_(v5k6x$kANiX*sFNsULqdfz z*9oo3sNvkIH7x?m>Z5IO5KiUcE$N6*f|RWO^pev)v4O-eIVs5*b1&I~0@BXdbl{>24S&GYPP zgF?Q0Uce`lj!6)lbbhL8Q(|f3hWN&y z{iLpwJdb1Qv8|@f;s+XRGWOS$H5uWobY8UxjC@qTM=}&K9eHZ#rWHIh(&zm=G#$H> zi=;ChHEwG1H)L*9%v_%eeERlX=qm>Kc$_5zD{>8U#T#;Xq^R+V57?HU3igq z5`|Wd9pIcY<@E~s-xqHoM$2RYb5>|cJ4UMHB+>Hn~ z93-|id5g`SkGKhWTX3+Qeb6-oO5~Y`{G-WWO(FqR0HoDeLW7=nPH^Ec)J<1 zl7Ge40?V}~a#G*7C4j10Exq8G?QsmTVHpTYo!kAXvvNl=HccOfTI_Jz)h+5aux0E( zev{^}UbENWHS?`m50^wg@-D)xTEZu7179bqehi_tNkj}SE&Z7k@q-NdC1h#uYapf1 zFP)_~QpQtm5+hQ(udy|kFg#xnZFJB136u+R(g?Ky9#-xqwt5H(UDt7eRWMb!-3VC8 z!ed(B%0?SMlqNz*sbuwNuFwk8P!Q_8FG+M|9PGp${}4%1jW=ddy?ekxRTbVgIz?!# zQhXT}Ed{V!RR%5K%a7~hdYeES_s^41u?kgx`u3M)F3~H>*)@j0Sj+y*3>h}{ zsAj{Dn}7dgqa3E~g!AJydU~hnMBez%@w59GvWJl_5dBPM#BK@&V_fSG(|vT`pp#t& zF%7eY-o;j_-Gw)MWYd+p@)UlA#}X$ns-It`oejoNBQtGb{FAs|#6V_0!UPw_f7ibi zBNVlEQ+mwJTyDG%F)yJRaG0B!y(md_;@T+Y>3D4gn$oE4+^b~>^Q>;1f^+&BE$#dZ zX0HITE25!|iZ5+2i_JYDDGA44iK0#-qm3e~pjeZk3Z^>e#~M&n>uVXYLR2aJh3AcJOZCWkY(;!T+v&)g^7Oud11 z5eDqOxZRf&|8^90cTSrcFWxX{Pll6PIhmM~vp;6)E8Uj}#soYXZWL#sG4I^0K^bG+ zVne2y1py?qgV-f&P6R;EV2}3YW^RsPo!PVhbuaqkPWQzA{sD#g=8LJqKL4VfcZduQFj+8chnz`=)*mO8qnK8n08}gBF)w^;;JU5V@Ba?}6E4vfBmBG1*OOl0&A8|Ul z9Yeiu_>Um7{FZbB`^svIJ6P~z{;v^v_MA1uG_ZSjKO~vhZ6yTS=8c0~bY4m9P0r+{ zQHQl)8&DP3z8bYdMr<}y?i@_MA*_&-Q5DwFCj~W0kR%xTkEk-!!a?*$s-i_~Rp)Wx+)s>iTd`?npDYSN zgJ7D>S9-T=%AxC>dcdDye^MFZx(oEnsIK+UE?u$(pLIZ2$SMn*sK5?#Uu&mu>_SNQq zSs1s|N5LvCtCToGY=p0ZCw#Z=1nOx9@8%{Pqsa=)^+Y4(mrHE2a-TDtk5814-*%RF z(-!l{CU3nc?0?7{>~I46(zPZWFZLul2W6ZeXzAKP8U*LsUhWFhL;1E7`t}KB_HTBk zag-D8v)6gv>KMsNNbPc~KV6I5>kpYjj92oAqO5ekN53Y)n;>Tw{GH*3RF@p}vv0Xh zuex5k=G%UxVpsQ)!=YL~{}oj0(G!tMSX1tt*+7*G*x1JuKd}OhdC~wjA#2%2*q-!j z?YzcsFJeupUR4^vU8s&Y6PFUqrXW&;B?j6W%Zztku#^CuRMT4xf0P%0o9Y)X-XNFi9f7t%QvA3DL+vvXjxYQKs zuY}p|4a+|U=ln9pinJPwYze4ZhC=4?rrtqhj)0i6*g_>#zOCZFq4Hc)%OmC(R`-fl zfiDnB9Gy7#qg&{M;oVch{<~SiYD-$0T;&>=SK(gv6 z!WS}v7Fv!w(f9_!NXcTD%72usGzmG_mRVyfseRXhhfrfF2toN=X-hR?B5mbToiu`> z4q+qyoikdiSC$Z$*)NP_$KE4mkV0UFWk40%IPZt-Pax1Onp)(1MdNmf2!R=st%>!y0cMp^w)sd4uVBcDFJih}NGy6!PHEN(0Ci2aE(kfiq+ z+rkjF%U$1&V7~;uC8aZN#^LXYaDPjN7BJ-uqo|8q8R11@jg`C1%&oYuF`;3`C53!z zz85_TKN4P1_Kh~zMbx<66Ry**8M-3KcZ!fKa=&%{#{>DbMs61~jI+u)v(filxqrQ1 zm;oE1Xrucbq&tX0qtwR3rGIX~zvS~-92rO7W+ahgegRt9$V+a+MSQG?oexS}A$xU% zhG*C4`yX^Rkhe>-?-M9q@H$@~cn3EE%Yd27;bI&lvxBf~W z6i)1-*@?Vg#_hbt6NhCkvI|Ge<>BKJ)3D-vL%reLp?2d@sr#wv?D}LNHpwE?{hrd2 zdq!tQ3B?YC5vbI4?=|Dy(>9VCv(b+c?_dS7kQzvu`Pg~TTKBXI)y7d4%@&t)@eyzQ z?T>{+?)3{-s_@w=e4r_O;;Sk%Srn#l;-7VWilH`H9}sKW>AvKe;&9ESrdUoNuHo>AdK(QE2c8usrU5^{bl1 z@!v#)prqlSr`%~CUC1LMqtxFzJ?Y{ASVCp>aqfs35sSq{Xfap&b7QF5LPHkfjey4& zu>WYNl&^2qgVwx9XvW@dvWlfYm&_N<6%P}#i;|ui5Vkr;5?Ygax78`A8YK)K)tdh^ zYI0C$htVm6Liy*!ZgL~2TOlAJer3C;Z_RIJw~*ON2ko5FuJupPrgZ4S_V$>mz01ct zil>}E$czR{?-Z~rZx!6NqpLdMw3>Wx>&zs;Ohq)?`MjsAntz3r%)JiGvwON~d7?i% z-z8PTJ)(u{!lN38Zyr+S(yn@LDI5<9_jEOsuf_#eyl&)DckWGNNS5vU0Bq;}D9_BK z{!m6IJ3l#2Ecm^DGnBb2{+ej&pG^NWb7#=LF!>Y~fOo837ETZr^WDp)L%7>GNIiTI zkH}-$2tMhz!Tjd0h`NWHwllS3$x4f`wBEIYmY#oAE%~fa7BQCFC)?|$xI{R7^u=2cS^>*mZbl{z-2-_6)J^#JX8Gu-?kzN@ghw%|yW;Zun2(*Nx4 zP;(9^-U6N{#0o16@_2vY-QFn2#FN6@g|lk1HT`o-)4#|}zl4!vgmiKoMv`(IR!&CB zla!M2Qn7w4BupslSW3M@Eeqq*7qC72?cZu8bOVTtypzYWMe(s2Uu2HnpCwKC;d|(n z*|FV39y#L{Z?FR5W-^hL0=+KQQ7iA5Y(og(W|`nq)Gh7LL09>IeXh>X8{u{$)4n zkA(b*Fic;-{G%GnUK1W}<^F7>mbfoXmL*ps8ksE>2+u(;X9eMqSgT2O_d+U$Qf4h5 z3z3q9fhWr+M`j$7u}iuN!S+m{mhQqpQk0fcxhk68S2fr44G(3)tKvE}%!mKK&jbG7 zQUXLKZ#H`>1#9gLtn6SJ#yL#^DiX3d*! z1zK*~K6YrE9s9>ZMCRtY4#dKh6cr_)I<|j547jjj&4~7G!rA{c-v?Ty5~UbbtrUws zIj9?50W~(eMhn+a`g?Y9q1Ac$#lDd&Be62j;oRR`>w~48hlBQMlhefg8CncJDJ`tv zykT>=1ikBti}O`L_jd^LkJNRl3|SOi;*kx;64i5z-YJS=lUlzXzRYiHz902KjOji1 z&m#0#w&w3-srJ2W7)?C;cF3NM8;YQ;!o=t5saH{3cxa@6NBz}c<+dn3#Jam*Hq$mC zcHI3d$;)_+)69r@lDgV(U$d}Etf;34sUNl6xXHC+%3eeDdPZH%J+J{S*Ek=dGx2r$ z1f3gA?wS{q`MQX95Ak$v@Dn-Kh=G^CG#Ftz4i0dXZC;@~ylxPmI)&5-eGV{85|nzr}fWd@dF zrhxK%@FMxQ3w}rr6NdWLD=6{j9>E@qayz&&dqE46M$MN%@giHfzs6}2?TkbKt#zMolT3~Zq6JOa z4zk8REkM=^OB)%XhW2AB@=`|1V`!zb>;8{C02&;Y8}E3b4NIPCe0Jr`<@||lK4(18 zeAWHEOa#FH2*KJ^Y-lJa_Y?GBFsP*w* z_t8|S-;Vv&$}TqGnnfstznxFPR%%8ekz7iikc|)qWDrTg463?uV2g2&_^z|Wz)dwG z8(H%tm<->@|l5<#urec;u8!WW-F2217N*Ek^#0~k`nxFnLsiAG3=YRhvN#It@~gkUN&kV*=}s^?{VPo_KXKL5%Z2sZsdFnK0t@nf=U){(hr2iPu3|O zZsmS#pahk`b-$~~_WI2VAIL;gqx&^i4E2|qRUVpJIr=D1)a zH~GTRBafJlqApPnAv^tBG|FeDmky3};I-rb>6q#+r8?4)rqDcoVxwHQQL? z-hKE{eR(c(8iHJAjNi+#1Kz%L+aE%vj`L;qFTXgH7i#%ET0WPS@5LcrD`m4PS?)(+ z{2$Z_r`BYn<<%E?Mc01gWBpTK{_IFM?HD>zub*>z5t$;^vQDkMlKqG5JE1+v{0rXk z@;?@iddN^O!qaxUhp-$BU+YeyU8Uv12HBMyY%QYfn;lHB1~i=eEo!B!8~eg1Mp_R{UEz7mn)CbxzN-{g`@>n#H}98_DoJ&MZ`k zbt+LQcmyp&x4u)%@#goJ^JYK4o|P&!06I}mHKAdG!?G&B-uR%O?Pvjd?81VAQdWp@sP zR7FyS<`3!p0kP@f^ocs9GZovUv|)ZTQ`HRcDc2V~{}Rvp5|Lr)zXF#?dLRBhDD!!$ z#Z%_T0vGYP`f%x_AD)gFklLq;C`Lw$fpnD}dwRijVsd&~yjCujoQ{%!&HE;T`^=3Y z-?n3{0^UW&!UTg#Iy0ljmF64q=0(PCRX$KGc@5OYk??4(*bcq6m;IL8nL2mtctMrD zHLsvNXibLR_Ja>ke^xM@*5U2K_9zXc-MjmBfq2rwJi6MzXn4R&Zqu2Hd!7>YUWT-} zRey&d6b||HIz!8*sa*RBG;#r@(5eRg$%^%1gI1z;V&%LeCx#bT6RR?8Ai&^`0h#=3 zx>VknvEBUJEHz;+nY|w0rD5DdbiKlomBNH=#DzA36R`0uBz$dVgXG79?4^5LL6?j+ z3NWU=lrx9K!2NXo-*k%5X^9YT5(qmbncWa!Wu`AkbWW_RNY6|<9r*p<J!a)X=Q->p-occx%ayIq7y)jItM0ygwBWFOp-tlSi^YH>gX5QGAO9 zX5y=L*z#Dyl>lMS{iIeyUa(eMHJ4A z@cyX!o%7hQ+Ekl$_n8=4z&?3lzlan$RB0{ioF7|LNqJ)Ct{GjQX-(1EG7m^~0tUc4gK@telZ0oUD4_ zn<6`XZE)2r6bVir=DA~xhLVrShhITZft8bUEme@qPtqs?=x%rC>3-zI&8#Oa@mg&% zj4rJ6e$0aaKg{E7xBp5)2-$U%e+x;`*y|A&cDl=WfZ1g0*lsyE5Fj;Ql&vQCFyhuf z{i)2A5vr;#9_H5zf$$G$Hzp{P2Pbo$?L6E|FI#fZmj||Rm5yuJ6Ey5KG{N9}RVGz8 zYe<4WMHw=s9Ybb`MshsG9k`{q#mu8$wVi!@vmU1x8c>)>mG|hgpz+FS;Ko+LEX{PW z*TZbRC6vVsarRjnq6rJyt>f##su#@Y&fpL%jn3oqftBu&AZdQx*ltW#UFUM`k#~N` z{>CAL_D1r?z;LJg2K%x#x+46>NgJ`Y;soe%&Qk5lZOmU81f9IKIp294%bC?c;<(P_QpnI|OD4L$s*F?5y z!d?vmq5(&;S8`@Np-p6p1waVi24Dx7A!Y6*v!yjiKg~2suLj*u9(i0n{mS^+PDStB ztDo06hS1y6dSNq1_8m;LOJ*5^^HH!tV-HC_RuLsjAJr7i{?JyR)|x{7piIf>l6ezf z%SwuwQ851Wb8OfmT(>yhz^&7+i{Ky6oZk6nRHrZDOq+CP4#J3mmBbYZ>&Eph)@nxW z2NeGg_QKukr2S?#as*O@@Yij8o+gAcUXw6AqoK@;W(!(}<{3W3X&1$D0bT9e5XH7N zJaeexS9{g3;A|Kx_f@)Gj(aqcmCh@T{+2?+(gYv-<;|8d6M2$yR(A6)l?Tz;mlF;2 zUw-tsZ&TE2-c3qStL5n=iOgOe@l^U(gY%(r@BM)ad8PIp8^ETG9kj;1@Y((W$U<02FoB05CprcoULJ7z zF48I_k7c~6*shG1bWTwELH9U5gf@lezc7Y>g+IO((Jp+is=_^NtDGsBhZCI_*VXMV z-Y5Q--B53EZ3t0NI|;=uN4%fYTQlzv;SWmrW61?dt=Eh2u=N7Yyx>4_il7>wpOeFM zcHg>iCegQUSmvPYtNUjDKCv>R!_0ho126kJX}7X&2zIuXqw*>^2KH4Ywpf7X)^xFU z`zT`Wn!{jq^*Xx?{2kf~?q4S4(d~4?{XF5NEX3!`(H{Q#Tvd}<)7Nw{(Oq8$tBiO# ziwpTbiB-x!JuqFoGjpTyumK03$(USt7ZJPsQs#i-`93`)OXo}JHov*6Nwh&E6JCT- z_;;xwy+cg1FkMhsxDClD+>BBqBWCHCt}SV@NFG@l02SYF;HjaIHn$89t=}Z<)!&b$ zWUkJ)q21-|bvR-;y_^78B$p$-)r{I7=b-#zS;LgRdAaX5l z2HQxqx>JP{E0;zp5|6OWh;h7>sVN5i3eI)y(K0QtqlM4|cla1=x zgRLL>_57H!P*Uq|+aj67sO06ob_`*nRqzP1I$FoA8)xkfiGma zS6^q>2<0o%hZ5v@OihL~27XXXD!)czjS27D;r@fHb@EgXxa-Tcrw{ULR3Pk8r)mx} zKT#)3M?Ra*2EmFKXwhg!=`34~#y`4VmfgR(Ew6_wFqMtO^e`NGZHI^%Vv;jT=Xx|! zsVa}EP?|!0>6e@{Q>b=b55R{67z|S#z$y87MW;^y0gHge9xs`t2IsrfDM{{2k~A4n zdfbewqeTI>U;qxjC<)W&Rxf3aDLy&)eSn48Md9J;lS_w{{VvtDIGTCCuj!a*8W+b% zNTy-IKS1#X8rvC>a)+69UplL7eeroe0qahhovXgfQ|w&90yUAQ2xuArXDuz_C0n>w z@H2<}b4IT)`kjtbO*&WmBfxkWCa3#?$bg9lXAsX~{tm`qbv?+yitG4ZwgfWFRAAj& z6(*j+Yy@+Dv_b>N%O@(@*Aj}PtHdF%1gF1$IyhbBN1-)!q~}0JTQGnb(L^MRu_oAM z>fVdP3Cab!Svii-@#ilPV2HMTkJyGFt5#~lLuLtMrxiDfxXY0`94$yC43gU&@MRqC))Rxv^UVHIMANrGS;8d8(NayDI62<0W^$pKw;1EiGF!`*NuO z9((kbR>veHXf0HCx5hT3q<+Px^T}*?q&2oSeR>jOA`EG#uMBeL?!wpY*!=p;%XaL{ zhRk;0-l>|vtI1Mo&sD&*8BB4E@H$nficJEboW+8a`YF`!h%4a(12v`H(`QfAF5!SZ znT*%&u4@CK)>NHYg`~QJ*xVYX%7;^NOQ7!>W%oJcgg+yN)|$=3K|HqaUIYT|UasJGNdM zaR?@_VJF((_#$~U49P{W#xI>JjOz+hA$k1xH(6NpF`UrN6H#75{DRtbx;pvcTb%L| z3@W6R7bcod?a_Nup#k?2=Gb;_Qn_SdY8Vq_HDLrO#m5)-_xZTr=fBw7iap_5z!Nct zTGRC*9AeH&AChSDDKwdlKlYkFM;kswA<6Yn33*f)im-kC2SRnEP z)m~aBF{*rxz&;*fLmY6dNuS*8oTlZ$9H)-n(;VBAIe=AMljv#*5{J{}`n{Tt101Qj z&V|TW@iq`n^#z9`TDd8V6J9F;R=*PcD~cx@csK`(Iz7b$U=Z z%klC9)tT3vrW(liul+t3#?M_~NX5XhWw!2nz1-cK#oI}}VA#7xy_d;C>%*y}rem7% zLKdoSnRz0Sim!y7=161&!}MYRKbRLpQ>$w<_kPhU_AVOn4$v#uR&_I+Fw(N$)$EmR zF#u>8kqL7$eT8=^1j-zEGf>=7wikV1_Ty*YY1HCD#u;Z+KW)M1tfXY@>Nd@;G!cK7 zL%7bIdbla0Qx8Mq+?!67weD)hm0iM#CZjd&^<@nb-z`(XxEqJec1ey5*8%IkPGwKU zNhEh(Qe4i+n`m(VMc!P+(;@PvpH_uqF13SQIq$ZW2weKRhK2f+PxOd|7%FDFR_k@w`IBm|w253KCx<79{fFxQ80M_DiG|Obf`Y$o=zdqhV(YR5lr??E|G=6w(~CVe(;#;Z5}G$3|+rt-xc5Z4{5(| zN;sThRj>(n5p#K>=F%?DW!|;AOmOMmvU7rPD^fNWc5pG5mdS44;ni z$8acPFliC}!R>Z0!6=TS|I-JBK@t`;8sy^r<2?WDNM?a&#bp8ib}nEo0raft)SJbF zO6#t)VIqCGPUJE+qPJ7dgC@c{`*JnCBpv*)q|W7`RylwL)sU zx()XMlt8~os%StC0||FoPS?QX)A`|KdiQL z#~L&=CLV(%2mAM?TF1b|MA3@gxu<>@MhGFJCj6?_n8sR-O7%$*4bsG&Sh-rhNBoZ@ zoR(ijlsTHESuIPZLgD;;-V^KG%^UsL)vcmfPL~!;Uwle5eV;M@!G?CYm(ZeS zvkqv&ajW5N9i>I%o2%sSm;tbUe=@*wS|fJh9wX!X?B33Qe>2tEd9p3}qP88|l8F|N zfLE*9#xM+g`4#0TugZfP~*Sukicu*yw3VzcO$80 zdnuMAFsQKPfX4{pt8mX-2QMuw3Q<+kY98<&rvM=k)fH*DR<>823OdA?Fyfd~>uu+E z-Ficyaqc2B5fW9foBm_B4~L`luu%2bNes5E%lN08c*AIcMdQ!6?3I1-V~3@Wr9Fss8+erXz`*%c$)?z4mQ6dPbuCCQwTe+iDxKOogYm&2!#rprz3s z;eY4dz&&)(hk=#5mfIvJ&yaVMarg-7E@u*%t(WNYMEXGr<47w|750v^Ox4(1|1lB z{!O9kw+&y`aZ9E3KD8_b`ML!mkvh-WS}l(v=b`%?y5t+WWfe050Zt#l84Hqr%I7?t zA|81Zt{3JvjZvPMp10f+mjo)$`t;Ls4C~{(siXL~;Y*2`##CoqQyhb42i6&<+|Hp$ z0EptIt;7Y13xoFX^4ZR*iTrceAe-~+nxQn+?yU$OT1WX!X~GLl2kyM4+yN@zs{?mH zd5mT6E!27BP`SB3S-Nh&L`{X8DJdB1(@!X&0DH{M!b_-Jceb}G+a1nN4mam7n_FBp zXUKU$2q1`@OYrGEv6p2HNs^Nk+7pIYJQxKID~SJDJ^33erhJ2+uiN=oS2Wih?q0W1 zN;TRv0!r9-S5!&RT<>mu6g7Ee$roC(Axpe%c9yLWV4ds5ngZ=2QQ)Wu^W0eQA)Ukz zgyYugog_zf?a*KC%C9uqp`CK1YeU>2Ue9dRdk}TKm98N$OPZxe*&))9rvnrH6&Y2m`?pd;6 zg7JO?a_!o;hjWA~k5!KIF#o)27)!#rCgQ&Run7A3l_4SRdgGcYK43mAZfE}R#}`Kq zk2Xm$e_{LU^PEKf-;W7jp#z_so!{nujchH0Tc&vdQ=a{A*)ep{-Vx@iSG zh~vC$r(mR~!a47Ao#G$n<=|o|e>CU$I!Zg9uA1=G$oyS)9&vvdL3uTXxRmT6`I0_Y ztCLiE)ewje%QEVlZ|h;@OW?p^{S5D0XOpq`0k!-vcwCXZv}bPEgasuFckZ(S@gk5L zVI2ylks~&d8;epPPstE7EGiYcs__m-8VuL{sb02=NpP1|B@V=mR?GSYm-f`#` z;7uBl_a!kk-hW2T24824?JJQ2cMD8Fvzgy$oOOQuLSZDNN9QFY01@Z0R;vexNeLek z=h}rSA)gAD&Nyq_v`@lhpD^;9!eWfV%`XtdAd#*M3x#xoR0-yp)5)(JHXH2O=G}}i z!ap@IDKeq6*zbcgVPqDtAJi~#^! zJjz01V1}J6Ok-InvH%X?c0Hm+cS3ElaLvb?S}HKvxi#?-#Y{eW5E4B zwoP#7KrjHmKr;riTKT#28^IqT&L2ceO>g*Aj}GRf6>eo4vAi7WSg~@ zLP=kt4R_!RiY@|c2I)_B&y)od;JT)RvoYS~cKJx&jVtSnIV)pN&T9^G-ZkTTk3Exl z*NKlD^taiw`|;2ZA2rriz2Cj^xt<2^UQdYfrR+?wC0K?i|EfD%wFywIM#Nf=NKks0-* zJ$gL`B{1MMFyK~$RN3{B=KQP8N|&+IZKdtz{QPj9eOL5tr~9!Xk)$3sWXbPO;-W$P zau*X@X>$_S!vQ?-?@H$QB(U$HXG}Gwlk_1XkfkB{Re*PxeTZlKw=u4~jFm7sdy^rl z!LqljI?du)mn1c{x|^)L$@H4}vI}3sdiu~TsKa3V0i&xCOGw2&N}uFZGJ{T2INuUB zer=F(N9So3X>1H{l?u8?m=U)0^F`(<7OkmXMqN_I8&V*Kat5YX^aW9QMM;H? z)M|D8UVz;@N{W7<`??*s<0nFyTz;yNFiDcQI%TAE3GQovWSms|QSA^SQP+U`6Y|hX zv->)wrLHDAPfHMe5H0U9&HDsU+eEu2s>=K`cGg4wB43h~JDw-0&_9!f3q!C$XpQ_^ zu|Ml=t(C1-`9iAh9A(jr>mg)!2V6bOK5oc9_I04H==%oH)ubnzg1e-Hde}$-61z{{ z*RRtT5~Nk)%q|MI-%y zR?Y;)k@BCY@auS|;A~Jt-Ua}H!EeB=n5l#Z7uTHwFGz)6Q}%yG@Z|t3bURg;UGDZ+ z4Ljy0t*IMXKI&~fHJ*ds!W!l4>?auB6-TFe10eW;rf!!Zcv**9$D(U1^oG`v5wRW{ z1KEK4y%{3N8&ws!r&tDdId5=8z=0`@my%7<%Ww5E{~lJF4xmN z_d8MHawl&qIv0n(X?0z1uByImb>+;}KAFrlor{N8WELfiNaHEo+u$v(jVL10{YPUG zD2#va8`SKa7iXnR->>Z0jJjXBN8+pp??6=0Zj(=ycCd=N2}k=Qt$R~g3X&}1K|jQQ z-8F1BIguCOE0c4g0a2qpn(*NCHUstfe-R>jTTPixssmte3Q`6h`R(qEbJ!$xPTe{A zwPu9^qi2z>ABUC+#LIufFa%vYm4D5rYpF48zfs+h`8P;5=n`QpE?Y_9i0HV9KiQ?v zS)wcM?jL9^TpSJ+@8!KFr_{9j4~{^8G@rLer zWR)2jKX@)HHc-+ZWzNjG)DT_6-BZpTKC!%|1DGZ`0gfM};cyFDN=pk!!WA18P6ZJH z_}WX?OWdNYezNa|GEW=j>pzLNFhI-TG8X*R6(EPgcexCK9e4Pb!!lOa&-}|uEFmko zG>sbRuO$YhCnDldV+q*lUi(Miig=abzPmu4MW2@`kbtkk_?E95)Eqe?KptaHV1oyx zZvP>#2u`q?af!a0;>X?n2V{1GR>n3U#PSdeK`&*A_8JVy_4`i+2dbIE_-oru6Mu}9 zElsuVT~uU{2Ig4urR^=`o1q8@8jI&AcHE0ULk!+Wcq;kHS8GC2h1(>{+OyXgQLOOu zeT--u+Q8H>Gs7|5M=G%2JBdjCdBo>H{9%7AU$MBG!U+YxrH|-oVv?w+rzxV}^YX4N zKEB*EpH0jtFd}X@u9NNeMhu*pzsgGff}&{s^KISzSb~Vh_ZQchb*s=qt_tiOcO%Vf# z-Vk}3QQ=NMkE(<9lHc)IJ;e>1b{{)U+=i7QMhNr=(vKH^N-qZI`|QVUO1qh6(<+=U zeF_iUNJaTkTL|@x3b2xfOZ_iQ`qBmPU43jY?LM?r;hDDpSPjBc zp9NV2&DW?i2Z6V7n^m&*O;&D8gIiw$RZCn}-5K>J1xo;@!la(_Y3J9p<4&Uuv*U2E zeq1n91_Go(=YDebK*}Bb{y*D4uH1f;Y5$y3`%c>^7R&)Gg?t;GG#w${aMD}n z(T)(r{f^oZ{OK*Fi_gMO8Nc3dG~+Mz<4zvmqsRE;D%{4sKO@=W&&qL~&?Hs2%ZZN) z);H%VqSG!Q1YsHzoj@(Aer9kyWXnO-M1I@cGuf=O%)3}M2j9aPrh*qADINzxS>c|U zFlZ)!&wOhB6vSy*0L&N1eN1$!UvQG6@~M@~&N|MZ`e){yq3hKr$R>!{;4ulsGvuUc zL7-nh?|V!r`G*iSt!2w;EGfatR9mKpwp0B)O!KCob`1B4QTTsi>lZ}*EX&SFOjK;i zjcpGG)HAu3swy&X1o$}Vn_mNvA89N*4>9mp+w*gPxK(eA2lBb#joCzG1dQU(0y;fa zVtodMZE8J`O0Yg5zpT&vzsUMHVIjc!Wd2u4k%Qa*TbkUIQ@34QYZTrX$jG6DS|=DH zyR0ThO_xge_w-k3U1Gj_u4#Qn+(h^!c7BghcqwuC_X#mG4jCg2i!Ii;dwzsAC3SHmBMBCLpw(+#WUsCdEtq4> z(1}Mx_KIH;{bJK}SKlJC4latMW+Po9xc0esQx&H&W>&X`{*7SBBwSFxfDCG73}-!T zq91R}qNiU}Pp=p`xB`m5_Zu+%PQ@;1^sVZ-Z$e=B=pKFaWj+FU)$TYx1gO=Y>2XC_ z-wZrL@H6nYFj4EN!o6Pnz<2P>VXL*l-vvlO>kX1&Q%0TzY4iJKFD2Lw%LDj3pBTzk z)>QQ~%}!zz@+f;rDAbcMXhnf}JEUKY?z7i^S}FG2wTh;s2lUO}?(uBEZa))Ot(P3bSO zaGf(oVfTL5Iit4gi7Sa`y$Yh;9jTmFE003uG)$&QuxCUw&%*J1`tzUm5rQZ_WVi4` z5x>u9fcW`dc!;qxdrp zeP|Sl`FoIjJa8;B>=bcX1pK{VGd~sqjBLB=z7l17Gs9fymh6Mc*jl!y&)ctfjL%P! zyl2H(t0T#^y>gGFMyySdi9Nq>=5;d>hDr|7J7;Q`sG-4o_D>u;wp*JgPIRV@WCL>g zI5~*wyWbv$v9NFIh?;aI*bv%MIOn8+-7kl>9KFlb_^*I(`sMa|$*LNx-}jC}Uy)Gv zGK=73vYp|KZNbGUTyd#9M}{`$Kh3_`9nbY4MLmT=@$}LUy8+k2$%riX%|JbvU46YB zdTQX!!TP}n_S&|F2K^=L?0lstWam`_6<692{!9`4P-{rj*k2|F_Lr-Kuf`jrlQzP5x+* zp6A{C*3{^3(!?)(Efrd4Dz)zI zpTig2$hRX({q&CFHRDJr2*G@$ii1ITO5ai%M=(xSY@6!Nc2|~*y*P-kreFU%T#q(z z_3q$`S6eoVNBg^nAdsoJp)A=UKSfan+#rRcgyqs?iObWY)KzqcupED)LzYhvv+MHYOK z^w^Z0!l}FQ+WCl&?3aKU7(?~vHyhW+pT*`97Z479;d=kl%(8s(@K1Ky`-^}9u?}Lx z)BBxw0jJO#MX`co^dfU&QzMz8U08rmbIHE$hrbd@!DME2-33587w>yXrlxc8ejS;8 zI~No8vewrxTcCeUQDxt5spqOb^INVOxN6AU%2gv*jhUP9@gNl;yodn0rjpm|ce^KTdy%@Z28+uQ6h4h5%hmrIbvK-5*gkwJ?{PD4^ z^u_C}7PB8twt8x9R~2!98r(O0=HB-2XBf~73jEig`#9gJPdClkJ*BR*GBY8GC&QW9 zq42DOVP@3_U@R#o0Zxx1Jw-%#oyI$6$4Pm>mhboA(wPH%s2Eo!a8YDyk9!R(T*~Kb zr8uelPq)x>v*u`kl!yEOe*d8jSh@RnZ#{5!-JGSbF8R3gsmeL|v+II=8+QI$tyt%# z1_Z1kh~z7e##L`&+;bGI$eVWEk*AcuDE+CU>x*t#D&qCuNbg@cH4>a-aT& z(aaBFsWu|QRxbQ5+<^nxgVZ`ufWr7JBLfSs`e1m4$-soc#wPQCJO8IrwekP5Q^g!r znCMyFELf|BAQ_nq2379i{}*$q@T%lqS9(Y98iaz^};-I{5^3NPVIIa#RCz8Mo ztG1>_Z?-8O56a6P|5n**q&Px!^X9rbLi#lyL3MbkQk9pn{2r-WL9bG=o$Nj$C@__G z@udqR6!jnFhaD>jiv5+=GVR~6^VlTG+k`Xt4Y?(1NWc_T{Ci`OO?OjK!gHoV=vqWw zra9G*4gl#+6q@Tk&TgZ|J%lhWJkJjGBx4)}?3YPjOylwp1r6f+{m%-svTkl5@)&C% z*g3Y;0H2onxm;V;l}?bZLF`VbOXcr0o$y*TPZBfB;o%M>_T-?`w=7!;rlrNM)*{+P<^1a>@8GeyAWi$BBB-s zN=O1robllSYQewa`kCFsN{Y+<~&_5L=V>!wXNw*)tfY)6iyg0lTn zmEYqbQ-}i$brJgGuR!en+Og1%y)@-a#sjeyZht_E6|($w2A3S&lPF9HrwS*WYCrb- z-}!&d`KxR5Eh9l%`n}E`bFjUZQCfFDk4-*5gH4o=?{6@$G?UA|K3roS#3}<^`Xs~s zN3_z}dTfXZnMiGt-I0Hm|;#NI#f=kcryPTyCr|BwQMrqrV4Yx$v>Hr zNc`+_POO+3(dOjH3Amr6Qc2Nz;K!`xZ2!U5^8Gce!ZZYhHa=wZ2H*`3js$@2uAfLB z^AVYYN~Zrzw`YTXXOeh8B6hGWVo%P;vC?CYd8DpWfS>T?1(27kl#lWcy4TSTC?tA^ z>EO%r$>*`ImIAvd@TGn9>`BaB^IpfC7U^6Rx`Z^)B)&{^E{RkwIH5Ff^)MNGZo!3| zsZE-qy37oUR%E6b!Lrm7L~;UE&W*}X_)j7+SxsLojeyi;#ZlOc+R%r5L|`k&07*mg z$EXkaEkJZ(ukpc|_!p&uWUOdz#4SP?ztw688`~4E) z_Y&Tqp=;Co0T0wM!NhfcL6K^nIITq8Fu&Qg;n8aY9Pk(A$aP9p6??(T4hNlZhS@Q@ zHgmA|Aq&XJDZ!(3b#iHsS(dRE<`wlp?s!oSKERa7htq7r-H+uIiDTK&n0+-eV#|us z?MDRZncLDNBML8=rc|@4&>r(A(_4GONejLl%r3#F$ZwNti$@LWC$R?2Z#VP1Nb`HV zncvMIvp>Js+Uok^$J8hf(S(Zh9NNHkrFsGcx5xNv(T)w{$UgJJ9LGA2Z9d&b=R#z5 zXFSLk%2$l3ZmjOOA}GiZ>Wlt(Je{1)N9eIxu8Wb# zOC5QE)La}VJ~)}yvY#_FGmCyNCeVvzIXzP^*7?1V**77T5?GJ4hP}=DS^qP1DIlrOD=}6com;r9Zw#+|quulyOqQW4cB0Mrs zxmcCOwv?grnK_)q>tGI_1mQ3q@nB+QVh!R%MS8!9;lw?h%66D4fhEmK&L)oy#4hMN z1oJk^k-`fSuwWFn52X@%NsrL`4WZ4M5^PyjXu)>E!=Ub@>uEU_s``Y97Tc8??S@)L zCSxC@_t*3E@I=MbvlF4=lqA_Mm6<+gd*@E9F<&C>+^?sFYasF*D{#!1fGxMcl{3`Y zOg=@xHH#BybO3zLaJAwng6Ry_K`0i9&b|Gf=$w_CtZpz3;(Z#&d7X`+%vO!S%$y8s z5=7W$k`I5s_@I_j8}YdxhHxYj(M?r}5W#lLk9%`azjpr2i06lqo{3^PmV;vnF7$q=9RTlRMS4H`Ufd?@ z^X$H4eqsH*>SA4quQ5fw-3+&l>}K|e_gO&6{IvSaYhq;}%HL@k7G^EGnZN>89E`~4 zpw{YP$^2A6fD8e1CF*6t6hT&fwZ{Zv*Myn{VIs^{u^t&ove8}=f%+U^29!UZpK z+oWyDQ}<15nmT=ef6mfBZ37cwuoe)V2<;fpYEi1uPPHUiDfv)Iu(4K$4 z5OOuvWR>dn9^?7{HnlS&-U2lfpcCkAEjvpOkav`lPk=(+!RxwWYFml0kEMXf{BRCd zAhDF83xDF@&OH$KUzv+A`4IP|m?837nhf+T-jtahS^dTsvd6?gi%A-gjIFnpJ&y?( zEj~5+X?sGWwd_7oOMhw};SIu3ZSixyUY3kCTG=1)o{jLeNuMX06I)|M_;kL}>N7A@at!gy@?RIg6NY{6-M{H&X5XdF zQC_X-fzJ`W$*iT$MZ>UCIq+6d1li+8qZh-&?uVu(L*3%^Lb24CTwN!>#RF5Z3M>0H zF=Kk6g=Tsi+dS`0ubHR+g+AGVEa3ft_a!xy-$v@I@XkS4eTcPH;oZz6JS4W|6}U>Q zF%PF`!LxkknkA;?HPZE$mj(8EQ`Hf=j<0h3k0u*2^`SS)Vro2^a^`lp_kLgE`^Y+` z&S>z7f#>lbsPzi(UNzOZWIv$ro?#=@)yH<~E+y>Y#aRQHDiM(K!Z6%_SGNBoaO!Mp z`Ln1IglZE#oh&Sw;r>5_y$N7c)!F}_NdgRu-k_jSX$>0NAhZTWO$^u!Byb03G>QoB zSQXP&D~1`s1q{ptxV?_e>sH&^zIOAat*u%WkycDV2v`@yeaHP?B8%Drf+qjZ_uQFD zV(tG&Yv$f_&-$F_Jm)#jcCNTtO=V99Z2eO+L)bdB{pT2>(E-WnWP1yMwg$7A!p{!GBBuRaqSovY|2oiri{WI?tiza2BnOzX z=fwx2VcIa|yJ$AC6?3eX*BB_fTA1iGXYv}>w+&Oy4*6YB)L3=<*RNBnwS?=Q8;k@kYK-mL@@=3^O#K;zA) zTlDF3eOkaLJLj8-O*{UPuh8AVv-!p^W*^WTn(a&?P)Xhk_D5{sG3N)ew(&3KxtOUu zDmz>QHR#+ydWVCAaMmB4?4R0L%t;`%G29#hZg z()uZbq4zS&G~2tkhzQ#P?Ml$OXIsf`WI8sEda@Hube|;y%PZ`zF0oSAnSBiiCSLdF zQpMK;J?bn9`&XD2I4k*w0_(opynhG1{cmLGp-*$iO#dx# zHZzeXpS4HrvG24;?nNr5#~cGnCzee$g&A>Dv4m|9A|IYp*jxupZ`6sY?zoTCktOqm`v1M~sT4l{LL-^Z+3h*c zWW#TyX@SLrK8a{xCctXcd1^Y>0bnw+bSs~1_s)&_!EfoH&MR_!rF*`t;1ZaHdf28S zfn~8thI6S|YLXM9L~l#HOw81QXj+rcq@KhiM0uAt3^WVV+`c@{WKZ7TOSNR=2LGX7 znt|FW=Og-}iSJ-Nau%D0+})jVJYY$W?7q2Z_TqibAuWeKG0+G)qp`%?ziAQ_O#|1S z#|(6x9XK?^GmBVQc~`RTRta<28ZhrDE|0i}hzTWwZqsPz^lqpfCJ@DENqmXlR(}|< zj^LE6P#9&Hk(hBrQa27OCN2;35)!UsS%k-E>U(fbC-bzs{wTr_PcKN|`$nLbe(bPl z;5lm`7{!w&T2qhOu0A}MyMShtX0C&3S0%7UoiL;ZDts3F8}g+6+-*LkG=l{P^iJE7 zxr_0(He7c_^qyuU8U-7tG5ecR#{OirT$k-qIC-?&@7kZ9QqYmg$<1|#`pt(^d1~(< zE3H#bYoz&#qrXh0v@%0+_el1qNk^|>-@A&+BfBRJEVEjwsW9#$zxguijE*dybhL@N z6;p<0&U768|JRI8!oiFr5;o4DP+ zEgY?$UNP@*1Y>}{Uz9+*3KE$w-|?H-je`)s^M_~k5$=t|{mmvS z?(evA?we!AYJ+QM|FuId+veg~ge%lGcFP*tMu6~V23^sK_O}m`$k6B|MQ$sLCZg zNP;%Ge2(8L2d&tqO4~gJ5}4{}^nQ{p*+5BVt-!lBn*iGxBs69d;FE)d8QFwsxrE6i zFx9d0X&UnMHQIJn{pZKq*5psTZ}S=2C=Eu0(HC=CM-O1jsx^HCuruDSFm-}lrT6Mo za!bB%a#iX|M!g63kkHDsfsy9ZjxJ0+Sr%D74b7!(r{3lKIXD4})L=JH9atE1XWDV+ zNG(TJp1FFk_v%|hXg;=FR$mkcTq%7@ymGE{BY(7GvH&i`I&19fTC*6=_b-W8e>C@7 zbsWP-XmJ)Mhen)>N8l|bFN-JN?CuV&QzPUOzXwJ+7a|;Z1&L*?jEj3w7?zqb#D!Kr z78bO{z#VPfzLwPx+A?r6?C8;S!ol-ZCIY;^8bDx7xFh}1i%ToV1m zcG1K4lfzs34%-G(5XAp|78cut4Tq+h)ga^BTJM^b+yRqY6X_e^Veq&Kc7#o~Rfk>9 zwT)1-OU;Km;$Us4D<23)Nm;bd5$dQDcGPBRkd@~8r|!sZt~P-R{fcLGFxTKV6HKBv zAr9E$U`3{XtfI}Q4IJWM#uH79NN;jpveLtW+t}S>xAPivU>f`H!|4)6_~3RtuLygt5M-30no-uIT!nP3K~ zWHm)KJ5`SkH92(b`po_V?$-V5X+G$XYBa{o=?A+Xqa-3B1;of8~;ohn( zCo}9t5n*FP=QLDxZp6MX@Pf|i*<~p~yoClJdC4aO3cQa4D{5V0+^hvjUy_G*j>^wx zPjUj=!v$60dD{(pM7^@GkR6qt^7&)#3?e`iIwoR5oJ8Fvt?CdXJed%H1BiH<+h33} z0nts|HAJA#;dR@Y6HN-D zx{YTH|A3eTsF~rLj@Lyho2a^kFZpQ98poXJ=oqx>1Gf`e?tU777`SeQ* zH%z_+>C&VI;Mj9?UO_3>SXnU5gF0G-UaH7UsfmJ5=@=ua@J=xOkXKy=&Q-kl*FrK{ z;b)4n&;(Nc>wNGUuaoIk+VsbIqzN8#x#l#XWg)n?R(H*N zl9@f9(<3(=tvtIQi?EG>cFP3vRklHz+gc1`9z;p7Lmr~8lHC&r7IV9FVi=)F!kM!N zaEjFB2b_YRO#D7yoid9TV>!&+U0W1RoK=@0`iQfkhzJ$cpEOOXa|dx7ccO-uYz0>O z`&475qw^4RPTNpVw3eb_e~aph?{R$3FA8$G;o zKki^3$c`!xmHhaum393J`;Ojfk-WwK6@P-JJ8xslr$ugj`U%$!3%j$;_zQT>+uP_Y zWlWecxgn}#pOuV<7YfT-&}NCj9??_6{RxGV;5M`AOsvhviJMSRWaKXg9S0&T01>>s zAMWqoJ!xcfazJGFWDdfk0}2Ld#{@MS)@qVd9bEPD`MmS>odTz2#*e22 zx02y-I{!`E9SuD?!qYBy;-c@e8M{Gjw#T<|=TxY_(V}xe@^`!J(Y%kIHj5x-(NRxDcH?wwTmU8LSZe%CWlL1uZlyoc z)Ns3oIk;7CjJbbOxC8^rj_&}L1GVJ~EGOR90}o@) z1Rz-CcWq|t`c3jb;bE?^_69KFz~=Cvvi1*6Wu|x@v?pFl#Z=b$0M&gohVk92@jd7Cjpljk9bf zh2XNHHVb;t$`3Qr9K95v;2n&7^DC$7oQc%uMiI<$mA!bYf!Un_^<-d1s0dt;#;vCvMhjeVf=ncRM)-lSHk z`GVyCV5rm4Eapi6+-C7ASSr!%M@62G$!649s+|5=2A%83GZ+nGzGHPohz&MasTrV> zuJ6XFyF@;C$gyCn*Rw6>hCoitqvuti!Yxd`>n z^!ZHabMw2}ZHmiXoE(Gwkp5wU5=}kPw~w*vt=7^zp*Z62>FF!=z;Rea)~$c22PH#dAiVe#=sWA;nX8dGQ6TkRAtKA$*GAfQ z6e8@jR&I%;J`4?f-dX$HHkp|`AIY2(T2aEa8lQTjnzF5MCg_K{9l|mZU^HVHiB@RA z5q=eKIe5UD8cY1ZYA0H~Wj=D)%{};Lil34z-WXa?qA;PgQ0Dca=7m`B_ls6c%_)1q94z>d8T=?n0|>E&Yt7KKhcrYSc8GTo&M}KLZsXg986K zZ1$|*aLXo9FZ7&=(o6)pjOBc$_6zY}sT&R^E|683erFkSe@o&lf4C;r5#qjr|MQh}(x*d86hDS3oFY9p4J z-Di;#vL~d*5GtosIuWX2@ENz84g^ktG$3(;o&xRhHlSrK)h${^dpy}Z6i19GAo3V+ z!pg+(hbA!c_N+9ZlIz~#FBL;cYvP@dx9~akCplELn{}0F3YwK7tISH@PPOAXId0M~ z8{$8?29HOBby$dJ2Z%fyv&9Z#CQ{ev$+PUy6DveU8RO;1}fxI3oA)C$rNtPEWz~Tt;?l>2X^2`-&ou6>C0*H}5Ns zJRD9OK$#x;KsBOd0#~geXaA(tTBsD{NsYtkw#;G$g+9$Bjt}F@0QEK!?adtf|pjd0JV$^HG~$1mGvSV^)DZi2cp2v6S(~sQ{MY2;Oz2|x!EtHBF(<^7~)|%)(NZ4TpwlJ6h@ziy7M)-&{^1(ML39oxSS2fVwd_f{Y%?pf^ z5y|Wx+E3Q|Z}4K)v%v|jt`+ZLt-R2XKIgRn0|}8ss@?)DoW;&)E!8=|5Q%Hd17&N3 z*a4|{RHTBVKNOg}I+qI^1D#g^_d9c%KQF1ZZrh-%@7@hnzmzzd*>jI#_NId0b+CxD z_|NtlU)xVy8s7NNZvGsa|6{eVyMwmApx#*M-~Rh%0PK6rziPOe8oc8u=s&69=lL^A zv0aT8b@I8bCHH4{7i}xfI=0e0fLs2TX_Tp6W~y*? z^gBvmztkQTaoYVoAZ}LQXDE~Kyi{I*qcNq26o>pDQzF1eBaDnZ3T_!l=+}RwS9!A} zBaey%3R3#@f7bK8t{_S5yQ_(QxIW~EAO$%+V`jq0G9WxwQ$7F-M}LCoL~Cl}5dYg| z&}nL7>NXDc5AE|l#E_OPy7)`aF@+5eZL?poh8vI4$V|PCu@Co5)+B;uxQdOXkcM@YGy<@8rtNqredid z%F|owogG&C0^a>Iv#pVArE}}We+IOT1VA?Ncl=7S*=&`y@Pcf}SL>DAI=>09G62i4 zAM#eH@HW4+pIw$G!(NcvpQy}qk`r2U8_**>Uuthv;`G$sQ#mjToO=gy2O>GDUM3|%$Fde;(E;L1rd!iF`m(ss{e^O{&8F#7YDwMYOG;vRNS%8WS)z8TKg&Md^e z1rhuXuj|Ua-7vcael0lyDEiv~XbuK@)kC*gHx#gWCI64!{rMa8?zXgg1wjw@8hL6B50LrG5EJ?qcN4a2sps1B=j%oU>+h-tCI{m=W~ z>f9wVKEQ2VPHlhFLDSG|_*DEYQyUOU*p0pI-Gfy8`Ws`_&sr@vX;S4958qm3SJiRZ z-W$vwXqgj_C&pqUgyOvOM$vzwUFbF0gdUD5j>5Rw5F`Vh_oS&lkCl%^WBg0iFhm3n zK5+@tnUzIUF!tvjN0jl>WkL(WHVQLdL|lM3wDHsfI{iWvwcR6wGMN((qP*=^bmGZ6 z{H-Gl{JuQ`_z}&cz>B}|75Md$U%)a?MtW;p*+v*CwA`kuQ1rni!Ij@9025Z3%aRa+ z`(~E$1KY~Oc+~4%R{BjIqp8QusUFuD&dm{bnE)QCSteK;xflLueDH>LiN0fU-A2Fx zE3NI6;di0}lKsP6;_?~h@Nh_+-9dqZf(=EXv73-$g#-GB8HBhB&boVI?r%--&Wtt( zXBa1ywUO@I%5CagK8X`t&?63ZuIWak+H}fFuP4KXNrl}TCKX}k1*e;ti{(1pAE)N# z>kHAp{+wRxOT>LVkV?!APSlU+E$W(zF?Fe1kEu&3ee_a+HObNPi(%i%`9 zMkgS%Em_`y$x$3zCuW9i*Jo6U2Xl=NqNDCJ?Wp@xL6N8ojgrkY$K9pD>f-ZMH#QO^ znpfdGi5M+(Zd!+nzuurBMmn#S#=x-X{N--Xdvq!4q+e;@MT=q#s>Q` z?Lq^G8NCP3^;|;M(!@g$AcLl62~IMeLAxyMS^sUY$9X#|*Q&GXwtC#NYcU za`7)ccvg02i*N}*O@5wpUfU%xnC?gfJok^~<4b+ECT*+K9&tKGjh;+c~3)14g1~!vJuuKk~W25mz2!+%ujzyB~IuFVBnNe9>?IMPu7$JN4th z`2V;aO#2t*v$i;py#}Kx!(=ej9%VC34FQL9{3YeJC-qu0&FUKEqnQi)$1=wpRm!zL znS}(@Y*2&Qax$wdLgGZkq03BLZ}XjFbLOjWWaiq>w-}IY+um3OOB)H8W|7yd9n|||N>|fmH zy??a&Z7cO>21T&=Vsk;O;^V9P!9Yq-6VnnAFZ2JZ%t3j$)4TK8 zjIPu8#R8a~`5Q-{{D~@)KhG%ang2(Ua`TG&(uV#8e>>SAV|s3G-En3E(^A_&w)tIr zM|= zncv^8Ij6L#f;Wh0BP4u$R&D+otE8_&MRo|tx?uUx9by=2yyc&@(!UVcQVVS~RkGV6 zEE}P$x^+2OGKjJ@wyo8!8PUIK0D(mNmo#BYKp@<<63M8!=3)MOYJ56oT3eFC%oV@1 zW4i|#agrkD*)`{tH0|JT>0A%mK-}c4B0b8-9DLEJMV&*brxsFJ7>+ohK)cJWaZ>{6 z*nt{QQGG?UhP^~S+bM;uj3U_4*?~hUQO%7+u9hWQ70)DC-je#T)({+rz3^-AlC2Q3>pi=M3HU4)LUe-u4fc zZBe|IZo`uhsKR;1AT1^BA`ZK1nlpo{)fCiB$05Fd(@p-#>YF>g(m?)1gJH^pMm(jn zEw?eEn5i=Bf~7PpaT$NVk+_JzMF|d8nDCgA`-QDV97Yv6jpBH&>gs|3(una4umx#M zM7?7ny~sY)p|$}jJTb4B02$5#8M7lZ25p zkXOez?#P`ZU-47(J98)lXK5UQ;GhMJI-r~KR$!$RQhvK zXGYaLaGd}vJIoZ$;SdW^7&DvGf89_4yfiUIs~Ns{MwJaFU{ahfI)ATjZ2`JTqr+BLPytoHH0G?c*8Q0|cW?p>uc=jo&aiSX ziB8sbIcEuHI&_Q=6Wv9VYo!$x3iO=+{s8hqo5+5T0`qCLJf`J{HDipjSX&7zYpWD% zhQM#QkOq{@6nXw1S&W>*QFEy&#?n(c;KsT?4!^CqGb0>#rj+^5gPC6F9Bwkm-hT9N zXtl7iBATiK{l1l$kCDA0tO@XclwI99SMlw$#vHx)InL7$Y%rDdDUEKX*mL>KcSTC!BUbPBej5YyjpJ*VH44jB!;@zPze>(SW&_pvT z2^+zUQpF!#RI6QRGLs&4s&Q;IFo&A%6rA!a_QAjFPB>8`86=X-?qanZ!i-_rFrS|+ zAK)&k>U^kY{czcJSl3#fXgUVG`}EEG^5Fl{F{?!pTY%23>m_YKP@Xw)!GQ)s$K98Q zP?^3RAy(j7<#kol%B^L0C}9{0=N(g5b^bBdk`@vI{?XM9 zddctlZ6<{Z7Er-SdI>BfQJtys7%3)-l+%u$-mcy=|AXZ7gr6v<{`s%XZcT3B<(R5z z$22|N`FHva5X!6YWm|eW=%jHdT&L{}jye~@Pkd9geGP}+gTIE=A5!kUfOHpz4K$n+ z@(vAWCvj3q;+wWR1nvWa-)Fp?XK*mQTDZ}}-%|V6om1+nuED`Ba*Wk-F8K*oR>NLw zwZwR_YvLR=9ybtXT8h+FLrVP1l{Mgdtd(=hYpdp#&p#x%lMr_ujoM1-TwvyFC}xlG zn#&n1)8rg%JKQx;0ubWP)xcj52dhcg>8jl~R0o^u4$g zBV0vTWV?qq*Blo}#1I&Ir&&uTuiy$O5eZ?j@{0B^^R{4C3rjPJmGzt zM{YGxEb;VJnqod5thCGx#YNu0ZP11-U>jL6jmjKwi|9(nS~^MvOeFR(j?b26oGZ9! zV8Kj9d4E@k0?q|z&fNJNUSRy=*clXfw?K(ZwTYKjpQ@oeIzIX1AN~01`9Gd5_KM&I zW>HB}cmdT!6lx5(L;u?h{U0k0B@xRF`k;e%(I@>$%()gwudT1;uvGn%dEG8V@ZeWiHHgNB#ae--Y0zju64_TA6GCWu2f>P_O8AMu`{ zbBUAkH<_gru{-JVtYcGCkFBLjtd`e(arOwXEIL=!~N4{YwY;Zv%R{K(%T z=dcZkh?t=4iR*3mJm&uO#1%33$CZ&as!%tu!^+Dtk`5r?-sw#S?ZtT`usfB8VaQ|7 zCs_Iup#OYR9KLt7yzt0-xXGJbqu}vb@lvnx2T54F=0a&kF7iEAL>|AexIP~M?aJb1 zjOh^LISRi}5c>3hk_*d%`15v+9ZsB*y`gI&+$lE`txdx5!J?DNfWLSA?yt^=w(njU zTba8xrDi$7aTwP5hoNACjxqeR*cemBWk=94fd3PYHs2D=&BdS%z|PWtGtb#8n$D`V zR(9E;m+k7$n=T9HqqeyVQ4CV(0-nNF`mW#!wZL!Hi_GwMxX%T!pUll1Yh*6zow9m= zZ~Eb`lBgP%U_&&t*;@Iy-fG)+4#3!c?jXb78o!R(ba&!bHI}$a4JE$K-$L$F&kS!4 z8h9y815q{b>Z3G}@4pGG`7$F6YXQPLD1K(2_lB>$vs?E0Ui+2znZ4g7Uwt{a(ki&( z&@2sD$z>}Tf6V>ARRV*%LT`pnYhRCsc3Ml`RZ7u{`}LEVggyL&LF~Xfd;@eTb^!lq zs;fIWo1-r#r6(QJ#b$u0!ps9o8N11QA0K$oehh&BTK-4r0dn_175uU7)R$JIBXCT_L9v1_NEId%I*qCA zm|Uh`-b?h0ys4D5O7q+?xk|s*(i(!UFD_=#1>}t&rfeBcRxF!`;P+{zy28w?^FiSG;J*egnKH5}sGy9~o~i9Za8_t7 zJB(r|C5W6`?|ez{s;QZ}ihg$J70juvrJDx>WMjs*f0~PpE331bcKDtUKy^#~LU>2*zv%5oN?LCkis3~l)z%Cbz+Wn!LyjW#Ye_j(^0g2>-m!d0*qQUt3%p@1*@bkA58VH} z%UZdY&uGaecZ2j;Oa?=`mc9!XCEgkPi4meN)X=!0fNOJ!x_v1<%FO68TE)zj2ZsVW zk6s~!!*%r=O~qIUb}wgllGd>^`Jv#k^jjLn%IO7vfBLDXp29{c{VX<*8dsXD1?xk} zL;Q7+X3<}Y8T+{O-$-C6*vF0XoOJnZj5*?TKpNxKUsy}Wf!Elw4N%CaBdN>I+-0&j zYtvhznJFP8;G@U_zm}^{dV5n}Y}DRteNG$1&r~->la~ov0m9?DX-%P7*$ePMV9AXb zMXHY2T*k|JTdS~4?s{gyVhk*`@FBpQb-!Q&F;qn(Yr z6XnN(1)G`X^6!`JN?z!r3(co|JY4rR@Mi5WmP3r}>E-pXe|| zg8zfBwr#Z5s`Fy%6bN%&Q1en9kKJTuhL%kq$ZEQc@gYO^Mp4QDyp9gq3?KGeHt34| zqG@6~?u3=i4K_c5Pw-tLD4WI_&s;E^Ki7jQUsy{PBMSvp4mMVwajlzWAJGtDSFQAZ z^MIQ60y4>6W+t0E!8yqPu=a(hyRgKYLO?27C9Oqi2IQ;+|7!O0ERJ15J%9(4#}1C! z`uUz4$`f?_PPE9NiXB+dTlck_5rj7QCs3C48*xt`(z9TlHgp~R3Y?95-fQ1hm?^%c zx;^n7ObW^}XA0{h&N;B(V>Zs4N>`>s3vgm)TjFr&udE--S$sS3-UK)O%TkPG&rsv+)?OcAWxrHfaBgr<5BDYv z@ywV3t3<5!yp!uWL`&7VlO=tKni)1&scFxQ*=$0kEQEih>rOrPIkIcdVTwWm3XLgQ zYidA%82S=KVM|v@ub5H<0wNqp?_w%}ekxn2Z;34&WGR7FO0XUxsmb9G7-{I4{N{n_ zp)v>U1QW8u2Dn+3Ur`Re5y6)cjl;PK7~h1EtAX+5Y=Qt6WBSv>=919>PSBkkMQJmH z#t<3*4yudh!LDYQgvjH1@T0UZby*|EvtSZ_HpD|Azihb{*v`G>&Ezt!h8G}`22i!R zkizxOGlFoJ0RskqZ!4gr_bP{SELSwYAT6V;FQ}{DHUC8^LKfI=P@hyh%gN#YQmqFr zvSW9H>7^paBluF_4+f1$IaVnNlkyUS7W|g|j8)YKRm3)hkODyVR|_q;D;cbQH;)@F zH=-5IMEV&(Dwm)MUs>Uuf^n-L+HyQ~8s5m?$NIxDnRtinzoV^|a+>w`WA8Y-HOfJR zwhW8%Qx(XuD0l*j#f(*VTB+kG4@JH6uZDN~!Cp?Rc-h>U=iMs26DNrE3Zkd)kd0oB zeY@)~M)3WhYJl?1g5L>PAR6+nhTJm|owvfrU?sq=R7Iz<`QDOf-Wx*})_KF^p%U~;sj7czN#>eJ}U z)MOg{Bi+XM-%88sp?P1k)siF>9r2$;y&ec^{C{q4LQ03t?UEp*UAocGd${;$HO#Ib zwI-ny{*=9rSSZhPB!EF$P~uJ66>Np4WVf3v2YXi?!9RsD+kl6e-H7|+5(JAa3N(aD z+qdaq4|NZ)nFG+lxIzJlF+G^Q3mPU|sS3B{mQJtYGwryb54LCM}!%k&wlm8uPg{GCiM zRK%|m8aZ$J?FMx0&$ctAg1d|Sqea%5uMeT$SVnVSrD`l3pF4B~#2fx>fH<6M1pwX% zJe{&Otfk&zrwE8&J=df#{bon_g(B%?`c0sC&VY5X>VOrWpPhNF8Lu2f=1}2ZAk}ng zU18_YfIjjZqKDlDi4pPYH|Fn(Ij_*G-aCu`5VVivIJXD%;za#lksNWhN8M9T%Ow6% zV5spkI}PoyWsmv-N777vcif#_32Zp-H)C?Xu0pG+q%)S62e`%MgjqBk9R8RrWOCHM zBHt$N{j1*v)R5rT?=`Wjc1A1I%J>vThk>(v#t!o&%jRW=%RPvW9Ifjym(2pTHD>Pwsg_=j= zSAX)}?s}cLxfeUa#RgK@%;W6+iZQ@63>SfzIqWW|nmfow_Bihtw8IqyZg=O0=N=Nl zn!|0VI3qK}IXyGvpK)hs)Va0<8w}#Y!tqzsRktS}@9bwPi#iuo!XA|PS2I=F`$xH9 z2eoI;WZ>y(Mn+r_bFVAuW7~sd0x^?yYnzq2myW0QTM_3%sE@94o*y?}CD^XPe(g42 zi{XFJpDAVOU1Uk^@86m@+gc_wRUN&#DN-kI#aLAAFGlO%K|#ZRr1l>Ie*x2FEqljQ zc2MFe@jo~dnVN=KY3Vgut!0M?wH2G%npP43lbUvTxB8;Co%dwrtEsNTtn_It7m#_* z3bPiR&&*mVxuw@yIDmQh$^rkn|6|55Qxn1EoINCK#`G$)iBP6*xB=|R_YY1SYAscK zuGIbm(Ep^@nn65edRcGIgilzh%Xy6wAH8!$u7CUK-?NmmmY&Ps#rw;S zXRykwWfvL(y5?b$z+=fb#A8VTr=PQfBJVw&_56pd_vej=a5s- zxuiOmy1rKTrLw%1=#{?4GN(1fGLvwGc}@lnsD0?9=w{Sis-Z)ZYQ1Aje~q1qmHwA@ z`kHAC7UqZQ@iaSv_aE_Lcni8qlnT15_*gl_eS-LiFh~D_gl5oPPU79^me*onN0ZH-vNwm^~kE#8KTIoR)PVFzn&9!&k z*93K&&E+3_FiXdrKC??_&dY|o8|DCK%-d$Lat+0CMruddl@qrX|Q7Y1;D(( zOjeJxMDoY)19e6d3+=L&d`BOQtW4RRxnX|{4>|o* zmX4UM$iJV)B-!v6iF&NOs-V_d`LrE+(Ft2i<^o*9EB{bagu2Dt564^?3jKn$r1!LM zf6q+&9liRrT1nYHrLLrY|28wUw7`IcazNf+AeVnJ#lYa=ECw$*m08PWxRngKMH+F| z`bU`=Ro-BbNtMNlUVFtAz4D4sAy@OK^F3Dmft4C69{Jg7dP5k9 zfJib};Wl0IN6=L8-0fe|tC_Oi%^{(l3@3h~ixkjU=-WaZ>wLZ=X-J?86vHv(dm9s#% z!A(7F@h{@5H@#BI>u&EV&X%xE-ufznZe)i?_#ADBelc^CkN<<7^Tn*5(?+4*mv5*V z+m`Aov7I612xI`;;;vwKdsY;v=xW6IM8my$ffn2d9EfBb_n}M_x}Vox)#0?$vlawh z7a-p=vAyb?y{jKT=h*|-TuW_x-sN@F=I6W+x9je0-`1bYe@1P_ZUE{l+-aktrNNO-C~ zL?WYpbRiyk4_;gXqReIGWu0ZhZ%l5J0}W&QF2ISTI`Au6G{j1&HwbD<>LfjrnS+>V zqL*^3>zrbck0Z%z-hDcs2>;e4W`Heasl8JY7tOmjwfDz~ffELlVOHOoyq6EDV3!|I1KnV^%{?{CSoB}z(sR%D_2~> zus0jLRwzM?`PQ3o+4=enWxAEmeyd>Dn(IwJdXpUEPO6oRu!4}osn17P%M>@w&{_NW zt$&<(5dRP7OYy2Bc zL}ol}rlFoRe2{y^oL=XSARxDv8TPoG?#k>yS^T)LBjzqB^RB?MlTqtqCD*vYnInS8 zF$8n3UBW75uF{t|wj*PF&R(Rj7G-VD?3GE<_F>%F>s^cc5f|S$ z>%f&OF_R)bD_Tcpq&fuIOuh1*sW8;;wLo9UfMaz ztr9tlJZk9KJI=;{oH-kzW)bVY=L|Vx`9aRcK+d)&4vo~r37*#35UIJaATc%WUM2Ic z<5V5B087Iv*sg+m9=are|2YIy4gHn5Uw-4RaYmeDUU(_ zO#qL}F?-Xx!sHT)^)4E22m>Z+dwY|tIq+NF7l^UUf?02+Ygx+J#&8ax-&8&)wYSDf z7pn24y8kb=cP3sw=2iZMkTsp}en^5LZdUqY)3I}{mU-lkWP74+E|5LyG6fL;Pz`Yh zG5vNKrL8nPwuTV`E{e5F^S7@ZxfwfD(A@ZzW95$Hp~1UCpVaBRs=)ABWyd7(rf^PW_m#5W3BY}Oo3AfUPwz( zca6TV87%PDKx1uZQmOxe=|Y|IPvQ0*lYhF^@(jsZ@zk9V^6l|1c+&v5YnyGCXHc~1%9U)0~=BgR93ub zpi<&L+k1R5?G1neC;*IvcND@$U{`65Y5D!lEQyb(IJNhCR?E#)px6uxn9(JArhDP$ zS(ROW!c<+WWt7O+U#31EZY`TdT7KB;3d$%HH-*duObjj}@bri~2E(aMk$8OCw_Zr)m$ zR4ypESOcU@R7f-P z<-PYB9Tb&Isfcbxn6!W^wdc%zLh{!nss<;x%$Mzxg(OXd1~mEg%ekbg7v~Xk9~2?Szk&WNEaM<#d|(o<{O3j;z%iP+s0xvL zL+8Q4JBm4MR$X;Iaj695rr*)(?M++&cRqpV-<D)c@88FVNe zQJ!2I9o4DTR8o)_5UaVMykhSC)F(c^!dwO{7~PZaf80HZPFgM6k2OrJQMV+H$9uC> zONr56*8qOI6Uz+@oI;H^K#m@}x!@fC1gFwokjT>cNbmbMzEsfA3irl3Oz&G33r?xW zn)!ig`3w{w=56A}nESAH#b`%yxxVPO!InKd#N6AP`H8qwOIkK9nh9*z;!pDa2uQ+(iad+kd%qaC^hwK>LY=MTkUILg%kY zoWb{c@ZD-DWe4r3H#n~>eMXjRa_%bOS!!V^>psSIEd(S|L!I-^qF=|{3rp$V5v`}W ziKD~nptYo(Jf@S@&A--TwxhTwKA#IDL9}rEXP%$C$!YI=*{qb9`&h)t5rWV6Yrxqc z$ew&2dx3RW(!4eAfEX7FbIozI=Db~VZxPJXKcp9_8!NsMb;g%t4`enhtVL~S)heLi zb9IpRdjg85f;v0@#GZ8D>+DGdvR=%Q_Y$x1ra)JWw;I#oj}u;x-JR?ANixcS)FuCA zZXT6rv)&=r$SDT?Q#0c}pf##v9=f;WaMMcT9n2g|XNt4%*WRBN(;VS4CvZLL48z_+ z-s{Qj)SSFB=3HLJRcxjH$rNQ3T1#GFH%8v@JPR1Gr#KaNH{W;+Z0g^&P1h`hQ+hy8 z9Hiqd$l2-(+$p6Iry$Yaol=HpyN*jn$TXVxasOj-jxRT-1|abV90Ar`&H1$lk1lot zK(Kcdm-~{{wsQX!6~C|={0_YOyu-1uFvzwpalDb^3#DGX&m`)QGYz7R51$O{C-s;( zv+p)j1*c?u2QKLGcL+?Ii4cIaz{M?p*)B3E7FnRCeG#vTxtR3sP7F3SQG2|X!5EgGdqi?;4-rZX zhXD6C{{3im2ieZ?_$?)OYMB~3Wu>$IxSMVnULmA@Y|8cHRhwuG@=_Qq6j48vv2$=1 zFX=~xVJwc|=)w(e!*Xmz(5aoC;!FgcqMF--Mz$ohD-0BUR@{OA=$CSJ7&y@tK&hZf zwtJNUeT$q)qptjcZ!6a<_1T7V^9y3dh$yvY@By%WmIGGw0J`O8)WG}QsX!@P^e^Q`XNM>n%hHY!r%wC69zx1r)T$M zVy_PS4?@%ePQf&dD@zZ(%E!Yntb$^cVLHtCnKhU(jwsY;__BaP1%isSlTBr{-I+(L z-;vk~*9WR>PsC#GrL}Sdo}|(&uqth-Cn3)a=97DTO2di6;_iGgZ3!IV1HH&iM;Ol? zg=h%J@xP>0lKB*Wmi(Qn(iWBN9@5PDVxzvwFbE#f=8m3R5gm=pjqkk}C4z!C)6;^) zNbO7|-YGI+3M$TzrR7BG?PM^Sz=8j>^KtMh>KenLT2}HZD&>2E zSU0+Y@H@u2$06#(oUlBnSP-rp?`y*ju9_ydnT~)%H#duLzV9<15NN|Kn&{YO5Aea$ zD3cV-PuNNyMuLGb(klWm5D7~25p!4E%@6&<+2KvY&6Eak2hJtlBS&J|;ogYIts8!q z9mh`XzcvYLdjV7Ln&D|6Gf<6|c|Rd@E>ZSx*YVytJ|~ZtpcwAHJ8__Q2_K@!$4Y6L zP6FE?J(^7~QF`1h$1(r?q%pmtu~n@kDqod1(li9J*d5JE)xXY>SvrcHD_Gf`IKbQY zO*Io(#2`0haNCpb7!dSe2B(#e%<5gVK!y5w>s82I6X2>69tslfq>UiQ?}CIC`Gi|c z!lK6DbDB4F?_cm4DtR7iEj#$|qafSN;O)YombQE?u^?e{KA|SaU#tAz1T}m4UHgxB z=-9ZZ!duBh=P&zy4e&(x5y#Ybdc8tq1pA1wc9|J%QiCLzcwA-FFC(cN0sF@ggs%B`or1Q@(M zah2Im-FhI@##Tuv{QkS^N0udsgSD`tAX(3O1+qj%A9?p2A}VKe(TPLZLVk{~jk)Cs z>i*e1)@|+9%1yiL%eVwSR(&N=8;ZH5rJwjRNYYiB%;e8xIGX+gtU?sSI>~E;{sfx~ z3)x0$KO$@EGa7h(g0wZbRbKKpk_@x;*bwzSxF5 zl@#Q)GKF_bD`T}R6;=V_LfAD)AkTw>Bji~?m(00n{Ca>};HB=(R%K8v@n*!msa&%c zb%XopC2No^X3EDc=7x=7t$Z4^-Khp2ZTVB17OXICbZ>ii5m%Ap4l5ELR7_1?|_lBY?|NMug*vt}!PTkEUVJ3FW+`L;HdTJLtOI1Q1mZ-g78uQDYS zCg$tcYWd$MvRL_q&fyTu&O>z1i-QnD@XUYwejKG98|e1LR#i!LJ$(cEoUgh5dZt-*jOYk<=M@{XoY)ELaWSB@yMD1C(qp9z{i;LUc}&vKcB=% zsw<=smdPHxLNG10ZazWSdubP!a1?u&VXkQg(N5Vq=V7f#Ex{_5pbE0=%+xBFGolrA z0@;m5+^d$T)@Rx5*0}oztw**PEB#jl0JapbeNukFyfT&s&Hs3NyA%UGFP5;ai<1wr4Q#P*(vB59^#*3W@b zE|k)e&h3hFM~Q>SItudCx)K&^nl5NRybMPI#hW}!tPH)afXF~w(dUTEk^;EGETtg7 z;uz0Swo=ne`}ud#0hV+tjPyukFgFmJi#cXBuq}7q3~Bl6({PVphIUpu4ApG=A-0hG$l9`nc~$V({wSEg5o5d-!-^pj`! zxAUPj3-FfZyeJwd=CIz1p@MSq2o!>i>TM$rv-B{FhYHjG04(l21Ddpsws48bzxffK zIt;mH9N1R8Y3L00A3xzk4u8EV?b)RRwZBBiK$g=9<;6M-rO!0S!qol1w!=g_2Zy0w z**(R757Dr9=z+R>r!zs!imQGHdCB6asJK&U}m%rr`4$bdw zQ53vP9xXtCKpDlOYGva!1cW|#z538{gQhceqf~1@r&Ly;Is`gaqG@HrH{shVI8!DD zlS(HsCP5Qm9{bv_{LNJGU+h;HL>X=dYOaRRPfLHqlYat#)|64q`(mvz*p+n|!OTXB_bHRr9=mt4_f>N;FC+{;&`oBjyT6ef;7A}nRCTFVqjC`w=~8wDqU zSq|mZKa_%|4quTwg8ke3^e4k=mLX3X?y{N##*BgoSCZD zRvs4WP36sei{T^L%#ehhvxFIqwtH9kou(8Bt8B~l!Z}i8UH?>G!4U(KVcWT>yn-)~ z2Kbu++4w~wMP(g9c0;`Q)<5@dC`PP&CXPbFpaoH)>rbg`_xi1v2%FYEcDMJP;24{J zP8GxR-GF~>%;iGXHoEIkZ4mKAA8HGd2ir(Nn$;Nhu94IjTo3lojgYu+vr4?1uVojZ z8#a4BBPX~Wz^D}h@n^F30V}<^n2{BoGfQMvU@DdFx>TEi1j{xZse>g^+fiV#O0Ds) zUec_q`6#YasG+Lvq$-)=roZ4JiZZ}3p1)<)$O;E;@k&J>M|x?tK3y0^-KW)Y=N>kk z)D@g-t@Ip9NXG(HQ`f^Pz7}`hLD^5tikO286xW8gy-D144s4%d<`Uwo=!WJ=b8)EK zFh<=AEMDPIX|mBQ7$}t6Ab-$A`?h|mcPA!)9ARwQTcgbPW({M@qVod2l|x{=;gLFO zEBH{5{8;5W$7caOESLkE^38ljLn#E$OgNq0WX*R3{Gkg3{NS^{oUcqM`+{%=UUXcR z7o9-J4lGE7%Dvc8xmYsDivo@$xbIOi_EzCzn7sO@=aTGm+#O%et7by~c+}BM{|r_A zj>Q~g?lnd2%w6WA&Aal)G7p(*L@E^^i6!n~&tN-m#+>~+AsD_>6OpK^b0;xfZHZ$w z79)iCP!nLV-mMb-{s%QuQ9}LlXA34kA4chI?|)XC8C!1>VorHB%8;2=LO8tbH87=` zzu$>QpkRnnhXAPYA_LQX%0}|drRKK70w}~7z_m^ zKA~4)S5gY@=Gen@;l{pdX|&?!5Gvfq(U<*3!}Nec-jWiwfP= z7kB<`SAUB7J3M!qgh6uM*k+}S`Qag0UN^?1%&g62yNrZE`9>Ya)W? z9|w;kI`s-Ia|K#z@1+rtMsL>5(+&S~f%b{Fz0+3;T5m_0m92dBPUSty#Onn{GDm`6 zCDcVgJ9*Ga@g$s6BH86fcTCz*N~5e$j~K$+;TZ)Adv~pr$8Vq(H?L9LTSZ*QZo-t% zh{k4?c`I+va{n@XgfJsfg1nw;`0ixOFxcvv9gZ-#fOPv1xSy^BKZ6+X6>95p^Rbx#IEr(79?IUDG z;rw$kSUfvX%|@y)ADIbz+XfVLACz+|X_^cBzaIA1;D0bOa|?A~-DZ|YCEd1G7OJ-8 z>2jGD6R5|VHvu%%P_%EQWIK`R_wig~rS~GYN6^wu7v`<>N0ZG@>lEfvQxHzF%L{FY{FdWr4U4oFU1?4Li}IfO@g9Mp?JcdT+)( zSh@rxma;1-i!XqXVw$#c=lAApV>@@59TSH-`7>)Z8J1D&VZ$nezec?D7|J#<#ncis zOG9yEa2#<4c%69n;4oQC7DFvV>me1H3vmQ_Q=vBMAr%Z>r}ejTg{B~^_|*Fw1x48^ zo%PwWeAk#hr3ZG1Q}A2f&8G6U?04DBSMmkkCHVvYS9BPEWEg7hJ;SXIzoX2s&6IVH zjW}lv!MEL+SZn}Ay2_0YR9MzD0|TbAz9p#7+EtYaZGlG^Kq$b3fU*!vmjhslAp0o zTDBSj6`)Ma4Nyp<65a^ox0>IqZ7}TdZNWa7T?@z~y!PKIIL1xceY73#)OhG~VPyf9 zZO%sHK=7D`v*%rPJ?OK6&wA5eF<*iqAp`06_Qbbka(kFBmcQqGQCD*n3nfh&l0|yI zJ-MCLec&9kx;waKK_Y~6d#&z2ckSsFMJPvHhF=YFX@r?4`}oJ;6@DRl&!%IR0Vju6 z4Of`pZM#ZJSK&l<{xo)F^9QgsnM>K>1;4K3tos>vKve5OdvnEbcFEObs`c+>=Yf9q z??peCv}reT@B=5@V<2zT;il624pnNaU{R?)_0qqMygf5^uYuv%*YkRaE8k=X+MdYj zQ-~2-;$6{SDv|(vz4R&m3^{RsO{*{8r&e?Qpk+GXf5U8;0V!Ow(SS=m{Lw>M(qh78 zV;)|pN@@SQ2B>B6`Op>UfS`_nK$uEt3j7*NV2EAb(A@X}S zj|$%9fY^8;cUBoI$JL}-%YMq=)V`wRa5Y>C;?YoLet!=^^(gOfkc zwT-`fZKoSy=PhRW2K_Namiu2INl~X|6$O1o+mCeAH&CB}SGL=Yew+`QNhN49?k0mg z;DA9ZkKWS{XxGZ&r`7Te@(Z^FLca>T6xviTb9KlL_ePn1;BqV;-yrBEL$)7bZ2pxxnIb>UP zFLgR%`v|dfHW6}!4_Q3Q0s+rGwx^g?ze}R5mL$OGDsDc2$G(jI;@2<;-hi1UGBuAQ`;{|Gp83Z9hI`R z84cFkH4}-%tNg6Ugt(ov2_N8pgL%sFpHbDBI0g@ap89qt9}<_z?z7XoE6b+zr{`k& zk#!>=5lR57jnu3iX;wCSdAS#R#h@?nC)^YCG2vfsP%2wpJX>9Z!5eBad@bSuRfB*b zA*=75-nU*d%u!DzW#pF%*08?|yp>cF3|AyL&LN@7Ka4CoMuq+Rne-fR{E_(ntMbZd zCRxfI4~S4O`RCB;4gHH6(V!XvX_!Bs;30WE%Nzoq2isb}+QZhrEqe&!b6G3qunbm9pi6GGW#irFWOCz~pEnKpJ*&&n=yCP6db z#x8TzKQRMJ^owJ`_d?u3YSP~MlOhQ2fvbt3?Z(?HZYw;^{Lh`5n*jspq; zk~_yRVFmulL?+46e*aEhSbw1(nDsaHVYB{zb5?Hs5fSg#d-im%4r^AO4tQ?G?al3o zMUCu;=P1xgfT(6}9hibVq^tQD93DWC3L#<{Fz2kfAnXqkjGT3*?tnj6EB@`EqjxQh z=IQ0)E?M&s#hvcY`{Cj)-CAX(&*9BldOt-Lcg;5`4=Dxtq_s>=EsMJ(uV8HPQ>qIR z+;iXW_tn(}O-C*6N(SjIN2@b7?5?XsXNR*&3^AZ#LCt@n~_E0ytaghxAwd zUAoPTLZUZHJVt%^TWE=7`pweIk{|N2xNA=EeY^QS!z5i3Bpq9&Mn>^M-&+@V$wJvm zo4=-h?MjQgW(S$$C#e2IgZg(Julfg>%B~2$FEroxuwWKIYvMuhqTn9MdAwZ@dG393mNq;i1m0TkzZ-P)}`b`_BoEg#M%YAWyj{aiYee@}G{roEM9N&Y+-?}DKJMc_qp>1SkY z&bIpi;OCOTem`dd^W}Np)Tcf73?vzxuAk&4m{PlaZ^;Q$8W+D?&`sCd-wh9Za_nYi zy$4>B%bZhXSI?+Q6svtB7OtMsNE}EA@H*uCG}Vhg_D{q0rdN48bz?&};i|kRa1qnh*bv_3?7H`$4xSz*nmkGTD%RF{VcS9v~_++t-rKzpf_(6#y z)tg)oS{AWJRuxlA=TEcqw~8})LFZ!csZU`SGQ%GZP7=>O$kCwi5E!HK@5_<0mi>E| z?H&(bvyM-?AHCqSdy?TuM{Ti&V#d>F{>(*YvTHvz41*cmUcsDV5_m&mumsAvIM;y! z2f>u1`E?8PWd%+lE3T z2hZa@?%Y7*g+)L^Bp?tMI=;)h)h0+{$laP}bVj;9V9P)B3{yI^f?B zaWHnzfopEx42wz`;-fazX_msP>(oHeX-GC<|4;n#(g6ls{@D+IY48WjI>GDr3wy!q z%D(WDhNdNu%>I`?4Kp~=t509;wE84eGF{3dk}kt~bcA|GbcXY2GLS2~OO}&H2=K&J zG56-+c~jzySmqWzw~ApQVxk?6R!3obHYQ8`4W#GybGzCO=j>2L3X+J9*2Y~`m|Pck z2E~HFr+v^*^qbn+#SPX2H!lB5>X)f^3jZ^8 zf9jp$T&k)}u*fH0x}q#;+wKw_H|W!%gY3{!^W0&QNGn=}i z{nFW&dbe=k=H-(wU&qyJc7gTNE>P84xkUK*|B?1C@KIG)-+w|92#B6kQDaLr+E_!u z7HY9cg*rnLIHMDd;)P1}i4RI?wJqw5Mid;J8Itih8mqSUj%}Zoreze#8%HSUa+>|qLBCd+xwhJ!1n(>@8|Ew4>_~XKKruv+UvI0UaNbV{@rMv%S;GT zL+=~1o$i>_NK2`0T>I5EP#(9yal_P$*hv2I_f&;$x>+Lp59c2`eU zLYL%`z5G|fne$*ir2}L_(#o)jCsg(-mSCcoF=Zw8gty>G!F1oFd*%hZnZrO2>=*^h z*p0aDLPPu|aw-#%P8jl-v8>ek=+%17Nr0M{yvw9BhPA#$svI->gJ++MY$RvBr5hC4 z&((T-Q4*OF#-uLRz`|DlAYiiYoJ+Xev{4<8yw={8oYE|6kb-@)8rKjMdi+jPJ-d-a zl+6EMzEXx?xzw7G#b_$ir!IP9jg|WA-P~sei)WGRT^IJA`V3$6nDTYXJKf1B#|*@d z%y4E6uXXO4Q9u9aOvU`^8P20;(hk)-!|ETk)em9@AMOky>#VXzgW0VW3ObwDF{UBW zyaVWS>eN~%BzS}W*fp5Sxh&DFZ3h3=sc;Rl<6G)6dyjhL*UP4VG0!4rXe8&nkSte8 zZ?)#qh6`lH!p63y?U$Xe{m6Z#!W*)8F1n+@h#QXVvI|^}zV6rT{INX*6bEso*w+7F{(*}HrtD@4 z+luB2mbNo*64?h4YGUMI?2}(4Cjr3Ezf9H5Lg?dX;Ol(6#k9y_wZ8lCHz)E9F`3fW znVY>Ky|U{ga&|d5Vm_Kc2f;b~(s~cQKg+!D1X%4IQp_9N3NisTJxgSFy#Yx?D;fgn zCDHu&-fo+H)<1Y3s2I5;#1H1Dc?GXV<%q7HJ62YKzXR!*%pyCM5dojY++M`B`UL!30&;kFGfrS6dYKLR-irtj%Y(S`j(_nb#?qA6P4ZwG)xv#=3*O&lz%Eujb+&ZR zso%fIm`g5=4>Om1^EEM+C{kyzTStj(WV;DPDHuzKFpWBF?1XoSclubulxZb-XK>jd z)NstDT)QRImi%9_q7)fQ8KUhFs+blDR`LJRB0lid{+YBY*ae5My8iaR8Kq|B|ClL$ z@N<-!$x>=g<#65Xf}!<~_@PN(gRsG5mxv`+mV5~3zy&d})y1>dz!Q%V`##Jf z!6g988l2ojI4&92MO53o?-)jgj>&*(QL18m@Jkq;aWhoJ`Zg(}cN;bd=_+$_zu`I2 zv~i8;q<~}g`zqM}9>j&Q!2#j}mGxxSI|HA{yy8bED%OgmNp4RPa_MRiU+0u8Hur`N z7l)yEm*OaT`hrBoA}IW2?TLz2<{Powc5t|DtocO8Y?Vxs&&O(9_J%^Ui%`b6pQ0CM z)y+NpDLk8fZMzc4Sa+R_VlT*l5m1lKZmk^sq?7*{KgnM&{?+E)(QTkZlViaw{H~o` zg+Vd=%{>ii2~20Bn|+PsINRlP7xS*_So%7W-iW1xNO<(~1HfRW?&KHpxB`m*svu*# za4W9Wgvcf@k%8+RMj&X8g(R6vSS|RlLG@$CG3p(^^^@9ZExKDjFP8cm5@8I@omtLi z`3OB-OF+nJ#Di=xt9jQJGk$EXpOZZ0p*>*>kp`9BP=)UZv%vSQqIt4g5$~|Bg6d1X z#{3tK4x?NImp~6!(^6UR6`m|T7+OAt_JV&OJ9^)h8@6IhON(Pyi%<}{w#)^W1#w|m!cc-;%pGM`HtKp+!R%&=@fgn=2glT*G4*mPxm zwhu^LK60S>{EE~;UUSFMT9)Z{Rdf&BfFiqr6kfPUvL2JQviMab3SH(Aq(Gyre1>^b zF3&*`qzwj{-HMyEZvM>6L5rrlw27SjYn1E*1Atq?T3~=^$SN@1-d@PZpck8@`LXU1 zVo%UC%?UlEYq>f$D4fxgca=uz(^bN|%i?F3VS#2lXTg7CAzEY}Sn^AFFidL!4X^qFQfE+Asj=RE1tWmjxH|EP7>@CZa}WiJY#lz(W$*`!@;2NGZt} zomE+>tg5HNY~RRfba*25S~))X0Y!?W_b|pfP<3qZNnV8f$Ab8>c0zm>@w*Z-HFA56 zV|x>c!JV+f-M)Pa&ihcKgm=F<2JZaj>x$!;VwYy^&U;Gdi@@6Q4h~A#>}-|OLANW| z@Yo;DID|}hBp+q7P;axo@=iyPVsj~Bv@l9S@-cYU@!kq5l7eMkA|3=x4YY@dfKC-> zH3({)J(b#%wDsZkitWU6zD(<dzz}7y%Ww_fUIoQk)FEOCinyO*ynwmUZeXl+U3v_@ z0Lm%SD}wOL{$nTYk^L>N^IvpGH@MWuEIdaH@dn<6+vGw6vI`;KEoO3tOPakTW)c!@ z*K326l5QD6k?q8m>OlIlbn-+Tj?k>%;M&OAUmOf%cPDkD&#)EKdj&m2*d2U@+5^pQ zdFlc)9lr ziqlWmxPGE>UC6ll3vC3Vqod#`h!R{+3)_Faf7qXmbn}z{GFWoBzPU%=T*5bC&vmwZ zq{=T;`Il_@rMCR-A5wm-%Hy{D99#aZ%D<)Z36z)c2?GQh@KBirdV@dW*z#}WCxX@3 zXeQ38S+&zfraqJO=5tl#pE|mC$E0)-BfIxC-=PcF!Yi{r`&6;`c2+z73)3KBr&mM& ztOen8w*G-F-VCIu*#HH%tPTiKt^@Rvd!&dlx?Ns2F#VUBf<^q;fz}I0q>sUV&|bEr zjz4bMlEVniuA^JXVSYIk^_}ITUh7_r>ErNeT^UO1fYhZL=22r|Yib2NKh(F*4KZ=A z?BbYOi@LV*S$v=spG#x?OX&EY26V4Z<1`v?dQ^)nCY>_BaPj=d>zy0sA&o$b(31Y3 z)=dlPF$1ko_}n_)Nl~g$o$QRpYN#v2&}l`<#1iUK5~FPI`4v1S8LviQ=xeUVNFSI^ zvm2m+?Tta6Dt7+Rq*lB|20~WwJqZRtc9S6Fb$!x?6;;YI-HXwB}?%gLYz=wIF zX2)flvHr80JWQqH$#Pq8Ya7G=Q`v~O-Z{ZRtA2SifFBsSmQv%QX3>G;z z{FADz2UgiJ(-4iTsbzY{i0x30a9NIUxon$S9NJdHu+Z$T;D_S-UVCHi;bak4!orzu zvJh)bUyyx&6v1>fop^@v=VQzmut8-7`Bi704{vH2{rA+E%;H+G@6(iq<2{5&sCVvT z{M8CO`H%1vuJTSG*Ar;@r1ztx(T}jq^yK8%^LjXxYJz7d5kzjhi-87P0gLG{ulsc- z?$HrE1n*I6NPn|^<(`pnV(tZS>=oJTyeP|K>M-bXjV=hR@2hajTN~*m{fr5J4b^># zL@sN8t*~J4%!KOx$+pAF)7xNhI^8jTbDJ*|_G??jvr=(rfLX+1QGe{d!8Va<0LV4& z#P(V&hPAwr0La7%hwy}c7^ew5p3__Y)wXR%RU-MjZ8~Y2j<1H-hw}^D$L=@%^9-EK ztWd@UoYCnd%GwL)Z(Ty|563d)<+0#YL|L%rd^S>iG+7m20i9U9n3G#T9k*zrf%H29 zSK*@uL*;!B1m)qA^0^`jv3P;k{adjYssFN|3Q!riCG77r`5hnV1(|+FZ)R&+`Nd+% zIV`YQ(bI&I*3@(9N3A6AMJ@j0Mk+yGGV2@d^VF}^QZQa0d1tnB+qD5Kp4@`CR^EvZ;=Vz;*Z#xSGvKoZL?((un%tcWU5LA}o1@MGExZ>_1h> z|Cu5?#ixgw+EJ@Xr5_B)D9v~}8{OjBmLKT0C1gnGU6y{*yf5)rC;uy|2g)ln?EHOr z{2X&36HdKkZ-WXa>#lc4hj0o%&BL)p{f(0jZe++W$)Ed5h442uGSk^HGBw#yuDuV* z9qSgUgYpmO15SDuA%Mv)&JxsV+;Lb5$8swrIixru>Hn>fD~d8%6%YQJ=~^+t&24`p zm12nm&z2ccqwunpQtc4sv|fL+edQ9I{X5^R;F4MDe~inLArI!J#viJ|g3KxNMr2Mo zY{bTy=cA;3dj)e1KFebJ=RUn%t1(2sW^-KD!AbeFF-~qdtxp@l%$Lk7yApqatJ)DN zeoCQR*b{Z&fB!_gO-$TB>ChuHSJjS4U1I<>_W|U!g>LUmE7XWIPo!^Wm0MdpZ8v8J zmmdt>=)W0)_Z)8U{+>7@qu0C;f(7CNr?DdIo`j99VLqktDh11py>xaqL?eHrIcQGOKJjwf@ep(zQH>*=0o1 zV#KAIv@#c1Nx7$O# z@2u-Tm>r(oIV$yWvO#fc^MN|I>Fv~cnE7C!52xPnMrU_^D*YD@>=H&*mF2#i;}q-9bb&2vnww=HQ-b=q1$~}DUFL@4Y zt-{{zrD_>^hqGyoe;)7kGCC-ZpGWRqNa7PEd}MXrV|7eupm~7P_a57=)krOIR`p2U zC-{$H2Rv@HVSp%!v>hIo^TGhAH?tyq%x>+=K2p&PrU zR|fd)IVqRW-@w%I(Ha(*SpX72AC*9-@K)YHNLM_eApDMC8iDY6{gNT zHz<32_n`FD`&}yFqV#69{}x`Lrb8~2$;A(ju#5Gz0@vLuRbtLV{4;Q|0ScUPAN-}~ zS^nbGqxduB;rq+r@BXtl(@!C*k@%1NTz%f7XO(F%sU|`2a~!@*7wQxgjC_m6HTT?- zUlF#Db_j*T@%at7$y9ak~rchsBw@`=4Q5 ziZlP&|2TiO-^@U;=+Z!2zraCq(HsQ1g;BwoMM8jlhK6yBY(ZhcS@8`xO+p8KoRm|jr>HbZYEMF3RhurPksYvrkmjiXTLaUd+r zK#Qp)q2LUQWJCU2c#U_VRLW*MMLz|jLZM|PehM41haTYyq|tZ znjJy*ZPM8HRt8_z3mZe`ZNhjFLq;9q>*y92mB&`y5eO;$J2pvLWtR-KA3r-mG}OWq z@v{DUZ{qriXWfu<;K`1^Val*{TEAZ=kH`9cs zr^7V6?^`4g!Sj)oS_}&%WGc53VV=57TX?9Y@T^bV2bdfe#z^U8WU8<6dD1%>?5=tc zXK@AdX@KPPCF#`rI*-%m9vP7x_8eOmX$|F?agvzRcQ@)xm~to)sm9C&U@p1t(Lwq6 zdVJBMT&X`k-Xv@}Rx)gMCl;zxm^8Dg)NGtCp4Qiyy1!P>^?oMmsSuVTvqm8{Q!s4?$5s}}BZarEp)PF@Lavwfoo8k?8DzZFhH_{E6@f~B_3Y+`)cu0>oQ zgnhMnW7nH2F%$Wn@UFy#oOM2&AFa-+?@I6z^=oJ;Y-!=H6^E#`-H5FGTt}wCz6vaW z&JDVa#WH?MnRFcU1=1p4)d@3d{NHYnBp}?VVe#sWM6aAzCLD7EY7C#pv#-7$&puk+ z+HLxjQ=MIRyx4i2>8zV*7bnnBvElDp*UPch4Xx_}ewoFTCbiC_4L*}1Kr#*M=t<$* zJ=3MaI=L~-VAUB1 z>|vc!W0&qSt><4-qu>+)o}T0}I847o(sB1uW&mHO$nIg21>No|_F(z-h6CT1LtFk~ z6~ar+aR`fYx?tZz=Gj$-s@QJ{nDk^o1g}tTiW|T6fII`NW^037T5YuDWO4tV&yOk# zumcTdt}KV_HECQ+wMUCrj!B%b1f*03wd@{vi6)_k+|4`;q3KB88#Gly^?!k;d4*;G zO?@YSDo>ftD$r6-J;7!CtNVc>wr+8C8LP_H6#=RCKSQ=bp#_Q5;U0#rZ1i`L#RIEe z@JG4|w@^;k!R?TnquJcaZ+ zc$H`FBU0%Oo_Ye=rG$kc24?V#!xF7g+q2bG#AwZulKK`ns0{KOMsMa~h#8&X6KA&- z{wU@&5IX8EebX%$*}@~3yOcTr&}nE)*ZsQ9k9)&A(A<9%6c#D~ghV@pmCqgBAShAL zNL3C)2o$C;OM+eMT*&0@*Mb`t9sq9qeloZL=wbu0qifQR0;OrqCC@BKC1mlkjUbcQ zR)Np4w7v8}4KFfep^b%balLDIsBa|6?+_3d;d)H^hW;O_3(N}{^RBpX0oPN?phN1W zQ{!B%Z@iV&D)TZc_)Oznu2SAg{BgO9y2aFrVj#!>ajlG91jL;TpBotu&yMCWF&txZ z?ff-i6N#9yj!zjdzfWBN0DiwzEMv;uvQNMF^O*CUjn22$#~Pn-@*m?P@F6^{8TD}; ziIhS3=>9?TJ+QK;F9@y#;IHgWG$GfLBFo8+Mp`0Wv(~fCyHJT-Un*ur^SR`#qVROGVon3&nNizT@loBhfhD}c zn;6IiZsp&ZaEjIFuLOl z+q4u6?+{3tvFhK=n-94YyaY(tw3rl~oK78}6b9nECOTc;s^-h$^eK6y)xzde=2dnj z@&9?ft?+z^`E?-6Y$~-d=yeR5Tk1}J1_jyI@UJ?yHtcw^+Of`SNArjiggNapiD$8R zRyBY*tD2+Jt_D6cXdyZh9&~^h{#yciU+{V4h5lV07q!p;Cda; zuD7gDKfRSJ^ham77ft}CMGivEYfA%K2tCkEg=m42=ol9xax31LDG%2|(91sx^c3!F z6Cc3E?$yuXo72lIXZ>e5Yb%BF87hhV@Mkr6YiN4w#_)x{o1+C@&Km;z>4x}f9%c5% zG%L?9W{SQAI}h10M(N3noZ1rIkO=CMTotaN20~rVESY8_Ek?7^=-mPi`O`rxS;H=Z zATxL^?NLH8RnRo`0bXhQ+sOdfm7M~RAl7({9*}OgYaKmrh1$epLj*>ji&8uV#<$@+o%e&>Ns?w&)< z(=mtzhnuGcC*S%}8oSrDIa2;aPVTsm@ebH5+*mns{>GM(;+N@*59EztCUU1Kw7qEz>al;3PL>a$eX%rZcSN7eN=);->NI}S28r!9;Op=DIR-|#)8%hEQl?(|Wh>~_ zzW9#`6Q3D-3giFoP{j+4lf}|C^ZSg!+1b^|{XqL?AGh;!+q|>tM0;6OHW1cfQh5*> zn_je?s?A7Uc1C>gbgn$?P93UOiNYxUC~jsoe~DZ(tA-m3#2|dAR`H(aI9(TVFxJ-e zPU=6Cg?@MSuYPI&OHO#-UH^WC>)f%$HtcmS@UKItqEAeIoSEYBM!H3J!gJWJh3kdR zI(b*e7?*#(DpJY01CNXe?RD`9KhnNh4ZzESd$&t$6Q?-gwmu4+oHD=}x_W>lI&IA5 z+A}(tG0ury=9eN3dN&xHkR-j>6rM(zypa+eE=%lYQEzf5nm6h|ZnGhJgGMYdwPxU! zICgSk!ozXyD`}0auc$_}Fj@ZaFl08+|2m*^dqayT%_Q2d{8f8&ZLeP|hX(mXUihyS|bd zoxw{tf3u<9(@$J7s?6Iz&c7~!ins&Ff@|Re<^40z*VKpaG0*PH;4~`0k~kE5F?F(W z!_1unHp@Ru!J_viLH;wJkU9B71c;k!%^k&dlsE4vIUeN2E4 z$cBu5;w@)LhK%JmLYMRga0J)#GL$N29fkx3eJ!I!<7Yg^3N*_&TUQF|>-k%fvqSM% zyW>o_qrzuR=uKcUW(?zZrao!_VThR%{1d>0`k^b7FLj#r&!a!kb7 zH3zzX)`;xZTI0*E{GyV<=sOg{Qq7rNwQ*w^&~?RTIb#rOBeyP&|~ft=6LF?R>>;Qai>DQ^WIi#+s-&3(n$|HRJhbe#@cDm)$hmC5OTkL2!H zogCiRG1h?x>&Sa3&=n7!%q3mqyT{UOo*28yKcc?mcRJ8|R3?3txY?8!tst52QaCC3 z^)KO}WS^mZD9e|{de24Pua>Ny!?G~gaUoL)XP^0z*l#t*`aG$bqLO6E;goZGP%5P|_F>BwTq@^{4;SHe4`VaiiF zr^OQfq?=u{iAl2+j)UBB`#^>jvkKX*BQvOz`LTQx_r5J7{*;HA+%4;aowOMWU@wSH z@7!1ceRv?)&7SXZ?rIJ1^~u5SX2E#6?iUoyM@SNhiZ;eylHtU|{O3MW2|I<)^p;{q zvwuPA!YDyFgl|F47h(>H;w*n)=8<(tr*%hg8Kua-Qyvb^rwi7TFuR)&xfFz=4rw+~T8tvr2 z!T97>fmGo(v`r*hi`kIp;QV3t!;}|;D+qql6XG&@0MKDFkyeyHoZrFsO7%lkQnL=W zD42?A+&dZE8Ir74z{Rb+auc({BY;67)F2F*v6yj~0ST7>Ml_NhY8vN6M?ive{S02( z#*u1ApxB<_eij4mgq+~wF8G9^c`(bYqlIxdpBsDBuO(gRgKtXSE#37vpI?RN5W6?i z!1~v#3-=m%dT%i}cd}5QI~G`26y~@@OLe!7Z$+s~Ul^am+)g%4DEDH`euJf;g8Iy4jQ6@?bRBZ^raXnUk9b{$_WwYo{~U>`u(1<9OIuwv;n7uZ?(%+)PCQ!nm5< zw5}TqdOWkZy2emova!)6*)ehXUBWzH5J~p0+p66b!c0er_>P>WyN5xo2s%Q9>#RDc z#XAkYv_azh*y4-~CN?+gUo*dFXiKMKZbfT{4kJbKBT6sAX(;`Rz!{RAe^tCiHL{&G z98o_v80$U(VsR2uT!gkd0}+~PA~cA0u(zSapwh3+&hW4Q9@+vcpluS#7Ljd)g$Dt2 z9ptoz3AqfEDc~fV3bR(r@QZm1lyER|89h1-N(zgQ#NqEh|-k_{woxiF+tj4eW=NH zLFYqFwsa)ux8jn%G<{yahs9T4B7dG=nTNH z8!4QucNWypkVQihGX@Z=3_Oad&sT<*%l4&=dqkcrWz@jbr^debn15i2U_>D`nrOfp zs48oe`q&Nuen6BFJAzL02Og+6|NoZp<-d!ZzUC9OU?t_C-pD=~3TX2TQTsJ3Xo*|+ z%lQ*HU^w^Bru;RS2r-T%BRlC!s4R8&lm@&_qVAL4DIJJB4d}Ir^7X|ToK7P)9z`=D zyB(F_urleiY|8F(ocw5BB+4H)l1~TpYe?6ge=sA;KdfC{1};CyACiS=MYg}2ERMC; zt=L}-!rEtK{Ukhuu?L-7t?5{TOulEgV&zJ{*S^Y_zb}XM+3=ajHWE~8lxQ6Jr;!d; zaE$aQe~q9iwji}Lq^kaRZ-rzQ+qvE#1!cEcT%<}dckh&N2~I1?9=NH+Fu|2Z*Cm7x zZK|JQJeE@_7J9@(ik}j=CQ zf?Gq1t6U%J-=o9ZIiy*U1ybyEc@}y$wC>t;Y`mpclBk%}Q#jCvEYCQfF z5)#{nvjq(sI4rdd(}q>-ZnDU!coed-#2eg+x`Bv0=)@TfrxeH51v}mZ&kAmxo9!swhF;aDu@y^+@{iGY%0-p?}_|^>RF@Ih}0BzzyXCP zvaeNe@L7I&Eq8G%)8h%@l-{2dJXMvc8dj)=YhC8z?%T3Lt;gYim57*$g7E)si}{m2 z$QqX)M!k_=`=aK)lh;Q3E~yudWyTVip=s9w^WbK)1H}cIhnNZ5CR#m2W&DgS4s+Se zUQO0*Pf5Vh>II)B(SW%lF1eJe1Z3`d*IAYNBC*|{%rtS9{f7#M?M;6OoN^0I-t-4~ zC|p@xcvp;KVfK|#*@rWczSEsNga~?9nlH?tEQgCMbFO!{hNBpzgmkgHi8hDyTWio6|wV8=~REw#1*1In0*G7h$Vb$CREZ)j0SD(;9Z* z^L2w6_m<95Hvy`Xys@vJ*IH6Gd6BU%?>fX0-e0nt3x z5u&G=iioQ;LW0ya;qX?9gqd@n=S+VZUWp^U^6$_rqS|Qa($?L=CSy8=CWaiOS|bSe zonP}ese^XYMFVlOqsxOg0h=o#Bo(Vm8?0FMv4c3=EKYq8G0PC8;nWDD)h|C7N&em2 z6~BZ;#W;eamT+cfydrbi3*Qq#wX{8>cF_`;kE0EyVCLS-0Y;w+nw2(P%|A~poqtai&cl@M(i?{u;h z+{n1Hud(U2u&=Qj1>Zt$5Le>JtbF^%mh$o~K^?Q&Sk_xoC?j3c84T`VM{I04WMoCK z7_+VUjvc*w{o7old(tEZHyXx}l{*q$1hEibe1EKr-65t$vc48xm2sp(%Co!fP&Q=n z{43aGO7Y6TXYn}nru-Ae*b=FVXIE>DZLkvJ0J%npB}?Ei4gX8VvQ^UXx6zJPS?zHG zBXsul2s-xhmr&f{kc5kRvoDrsH((uqqOjTMqjpF8$*qLdLqIo;hElnvrp|)rjgV+| z_R5u7#YzMG|A#63u$loPisNxAL@lF{NPS37cv(}>&@}}K+M0qD4>Se6*>?(&DW=#C zQQBuJOJ9+^vbR+x(mlisj2^($G>Aw(cJlu;{36mj5XWTTvCxq6VPx$o@EbhI>^*o7 zajTdbS(!dkf`IGY-y!^!Vtl7ruWNL;k(faC%s*<%0;HyF79^bK@Oi7N!KcEN8`3yJ zz(gWl*0TCamT+I|lwatxWXSZyQW~USzG^u*gy}_-wW4pa9aB=8RWa=72Zl#(Z29~i z&z0MF$R5iWPAHQnkx(prazo7qRanSJ4Dsy%D9?q-U zN4mv1RcO_mA|AYiFq>k5Zn5Psyx*eGa`NjuK&hwngVRo(j=lDzXM zL(dwvj|{~{ufae12Y9MOi0KQ{x7?o~#)Hp9lz7=#DDmqrXqM-SxPQ^MbSlp74CpTd zBSGnBLNY(u-}3$KgRKO+E%b6tPxQTHP8WH9Huw<@;pKc8gVaPf0m75AV_zu`(!lZG z9>JYn{jZMTIH-p~1RMWGThcu~g;bgJuz62-KIo*-E(^xGjg_PDI2eV;!7J*wIQ`Zy z1IFtSpZCSuh`{(gV?sI~5eV%ri)}qtbTOt6?X^Ck!GDN+gw!dL#-?yUwYN$hZ4MYN z`_0N0wzZWzw6kcfo7UKKlTrAM<-%w@wv%WGLqoEy2eY=BS>4a|u(jU~XC(>{kss+$ zX6)er{X0i19ZG282u&7|!MHRfUtDO_Y~3i&;7*$#Z&2{yFYX5>c^6eG@&NDdi$UjE14o89iTMSB`&@(nW=Pw1~g& znnXZ^C>e21^f9R6cefzt_3}PMK*e<6jC@cMsI^|1IflaMa^@LK2i#Qo8HdgM=|HIA&+lOm zoIM3kA@~qRG+_J*~XD+_WuXOK`WCfBmhxyTB7C zxS;k!Bb&hIi!gUgeF2nY+~-I2L2Lg!YKKJTm&T-cMtz6YZZ#m`m`$d0|An8(ZRdet zjw%!n?uVPwOc!Zj*1pB`{TC{s`o)8vw&mZXeE!<69q2zm@fuVso!3QDTF}f*D(e2i z)@@cBCaL4MZ5ub*@`)->sqH1U{0duskjfX;P(I(5|A#Gq|4hn%gRbMBV#{aQ@>f;< zCmr-3Z_7Vp%O9nD{#ySa{|FVcfj>0o*KW6SepZMu7@Q0uFzjt`K&F1ZnmtF&zFc9Z zzQvZOOtatmh`-4eueZhLs`{xK^-5d*-?qF}k(M`d=KU(kSshdvw z-6ghsf0b9Lyn}MT|7MnuynFWLwljE{73iAnN7HQi7Ru+Zy|KohWQwO&qn$IAGv3|{ zc}}IR2zi3FU@BHQ+wAudU(xSY|WqBnq_;}d>@6Z)aKWyDXZF${-gVou6Lpd zQ(aLFx|k5v_DKP&n>ME%?&wvdN9#^w@by&&L<8rTL5$f#3;MzL-vJtlTF($ z|2~Po7RUjplTv_yzn#Pd)T?e?>u{^&OD@=C^txzAsM`+(fFm%s?$}Jwbn1s?x?up2s_qn=bTWaiD!0lN2Z^8=JU+S^U59K z$o^;aEC!N-J1qfqV4)C+rYw$acbaG!e72+TS4u`~JGUcB%@Nn`v1j15-OQ}(o zOf(7kMn9?c?ls_nX{B@+qWg(V{sZ0^Q`cRrSF-p!Ei&Vq|I?UWbe*;gEc zGkGEx@DU_IG$zB46U9@j1I|#S)^=24^YS5_g_?^S$7>c6(Lw$2z z#d6+w{0DMv&3{0zK|hWY^Lw&8#yDN?7*rfB&fu8v+3X)Dx0}))r|UYvtaHn2LtHl5*H)VUyahqOR+|O6)S(r_( z;W@_Myou4vxYCH*_8LaYUVX=4ykGY?>Xa4+if1t0$v-4Wtw-XF=#~9KcH>IEWmax^ zn6jOndayXO`B7Wng6d@fo>DXINBhcc7wPKp#)P0|69#QV|!d^Wsqb9eIJXfiSgfxxI?yZ(dHDmQ9J3LJE{wX&f& z`HkRe@C8iGJ=BcQZp7Ybx9oN*C9>BWeT(=aw78O{!6-A`{1y%3LeRm`(d-V#xt64* zTn(+c;+M2kijX?G)JE2Kbe;T4ID6Y^Fxk?5>HLevM!-f2u?q@dugrNFb2UyRGsSdH z%2sYO$J4_qMAvpE2aoWz$?z8ZiYJ28X0E9|k{gG`GY+f_gv5r@1~>4;X3haE?L=;E z-X#@C6MUP8aGhai8MDa(c{L2He~^>!Qhl=tvYGItSUV!S+Tu}uH9drzq?1j8sq{D? z2i5TZ+`HQ>z_+Op+>IiZ@b+4u-CS?h0v$~c0dj;L)}a~}&H%#yPwGsPAlNM4ipu#t z=|hA@RqWUEDADPplRtwe9H=Qf$&@JsWsIj_6zC`f%5UVCrDwrcph6*wfeyUG3W^jt zIY%G#@l#|RYrR3oB`|GdwLFC;@CWy(Ks>J<)9BRuInl{J@-hDlCrb&D*Os>aGVvZK z_XHY8Z)_n;SQcDK%UrNPz&ouxIGi7*!#q(;2?=%K2oP)t5ra$F4g%%A3*J3$a-hg_ ze9Hz`6kj)+y^ZF}12h61y;Rm4%13kZo&GHC1Rvo|DDNrFv*ZrLpA5M|X!8GZuVGSL z|(EZ(`CKS2czoAYdvG27Kr1SE4BR;)T?2YKm> zQwL8rBIT-AhAc4t@0LkbHNinNj=c`P4&AQAbbXQ3$cpRUzmlQ zUXAtLf9s#SB2g%4FrdL+Y?(PH?=~ zkpx`R-z@su7}SG!AzL>Uu^}2ROq^>aG%MfekDne&G;f;5&JaYelZfsXmTK$9z2YtU z<=v^m!XL{Y#)`hfEsovf7S@{kuJ#QEAlvc{+Rwp322+uwloG*s+lA}qKbi+_=(q?} zsrorqsc-bFZng?;HbrRL!rA<}R)k9+rf)W=-Ku{}wO=xm#hG+iWLJd~!yS(|1I?AO zd#GQQzCm&M`pjcik3D*X$YIQ(vv1Scn*HK6rpI8G0kL}22R4WWn+cLq7BusL=)yqr zNcO=Q_VelCSnp^F7w2xOy2brBw}OXc#X(7@imK7VtX;TlCxB+a+tjw{7`Wl`8>^Kb3OBcNE{` z?>2}bVNI5r=r#MKgor}d*n|*MEZwt;>}nt|Op!eZx8=Q}&X{;x$ixuwbw*!va?c^0 zbH|vx(0fe$hp$L6C|avzlGFtq+-GkqJSjC!dO`mow!b#-{%!nh6Em2^Cla)cGX5IL zBg}pQDPM?gjz8H()O1rF$L9eyI!RYi#bXdMt%UlCB@2(Yap9!!tkvsQ;|p(Y(I!4I zv(CLc`sFrl;>4E4Nkn&QZ(B}1!|guM1Nk7|YlNDu&^_e&J!}gy{k)mluZ@dy2vp%-+z$B*F^R~^ukx2Wq$^D z+Gw{LZD?ZJS7X%*{?t}@!rsh}H?4QBO&bimQDbf?JTifE)ul4fB)v(SVa1AgEE~ju z^LyHeS2I*{`8K@YJI17LN_b-lYZ9J?XBDF4DqwE3(c(0W?MnO%5R|S_q(foyspU@Q~yvv=V3FqHR7Phn%cFNLM>*O|LwBmdK!dBJ1&9L-~Aw?kntItO) z9cy)sLcXw58vJLM$Vg}-?!e>~OW=vYXVh4Y4sWz%2`}5nA7rW2c=v=(bV`Pw`iOr~ zm$ffqx3U#rbCcZ@R^CQsCkOL^NpJUCsTB~L4JdHQT&$3&1@wmw#!fYxVJKPw*kqy= z_|EV7K(U4&a`Idv9SrjPW3mMa4Hga!ZCNz5!!@*2tpe!EZ(RY+rLt@g(L-gi2zNra z9o%xpLp#Q4eyyotUYNMek-VKKUR@30e9PssO-55%bz-a=_QxX_+Ti3os2z*6xR%vH zZcVc_m-0fUJCaDjnc7bHWuN(>m?^}yo;M=BfA$@GYzFZKZlw%+n~B}4Gb0fjIT9}C zuV3?qSic-v^iv0XdX4)aA8|XID-YYs$AAv%PewNU`nb==ctpwikx29+Z$7Dq;DN3h zHnK=vwr^T?YvcMiD#orGy?M=2uruCWZp=wKPRvlNn{ZECxVl-so}7*%Q6>w{w+$y~ zmF2Alv;!N6e!7&NxV%9El~y-M@k5IPTX}>$2GTYNxp1@ju1o3$$H;iIe@8D&d{Nj* zck~Rs9J^fXf@`h(OOPr5v7QQM&J*w2jpN__3S>bQ|E5G0SlM+OU)vg*_D6uf4f}yK ztucKEhc0rUP7@0@cwxg6uGG}$_ zzQXM=cA@i}DQ_uxEE8?Z{}mer&ECT+9J-$2K8v>cf0vahN8T0{HvK}PlatHRJU;{y z@~GG!8j+LxlKrv5{Lm<J!FZ#>z}C{9fR=K2knCg@-f0b#3B8*!>OU%SCkxvl6^SLFe7{%M&+-2}r6k*} zq!#x=(D@|KDaIGf>90Tw%>azC{!aBxiD2($H*%k7 zQ6nyz25;itsYx9G-VE5-$s%A`_~!jW%d!-5ozzQ3;!s}jU=;r# zUuPc6DCsTSDq7!9(M<3$-YStJND<>Wp2gllBdD6z`~fKLK^^qEtuD3FC{D%kM5F7L zx}^2tXbDdvV}VF|Jt6^4*4+5*9SH(KP`-ey|A2GDpJZ#w2yqE8)VTg{BN7vQB{MR45PC;2Qu#Jat4JiC$0I!`;xR{le)P@0x=<7YI%-VvH-|C7-=tgBAi@dS$~SNmL$ zEARi&YT7Le_Hg>^4_>2eTg&<=5DOh*v(Ksr)?%{%(omIPol1)bf7M3$Sx4o4&Y_swhKhV#a5zX1~h6YI}zqj_~H%so3Nzlxu>T`n+&9iKa_ag%2% zcolyL)mcJ~IAEYu#bPfI@5=Ut6JWHH_hVb6WUBxFzWOWBSxpC}m@n_iVj%hvC zQk=+6BJotQrMhBG58X)+&M>RhuryZA9v_71!6aGLbRUxN#t{sAW4ybihBe__u;O#| zhGg;9^5*P1m>R4(=#Wh(bldGhlq2FfG9|(}k($?T68@xW;{zt0N@e;0FRvpsL3lP* zhlG{m8FopO$gkrabF5p#A(nN^%l0+mR55lPqC!9)lxAo5;Zqf^(yI>PC3w@M09jsNEril`?w z5_%AY)%zoqXMvIJ{T~trFcj<`FuFkyFzje=1RL2rk%krghKZOJ2N;9VVh68kpLmt^ zYreurLEthv4{_HF?L>waY9hOl{esJAGC}4f^&S!MT12S{vs;}0{4|UK@{&Q=F@$z_kh#>; z)ObiW@b*v*%mufIpAU;KerB@p&}?0FC_J4WIWViW8bh*o4UB$@FR>c&a-2ES?sKy1 z>bje2m$sE!YG2)*k>+G$ae9K1|&)uqSCSWK(1a-n4hcWG8SMI=MPbk z*Hp{k#wPc#_?(f-QeRUJqG2{FBy#Zf51Tc5nLsl0&;KAZ{{rIczD%6yMsY@eE=OsM z@-x^pBnYraQpZVT(94anjuB>{GB=itjT%4j8byoZH=zzLpBN$h&cy|Q5%dV^Go>5!skcEnsMgAlh%VgD2s#9a3 z^JcZI_p4USaB@0ON|I~IShwEN(7?W=_g{j;l&2Eg-zC85#r31vch3;|h#S$BF>cka zcblGcvTLc{R@jgzJlcPR9VgWuN{E3|t*tozfn?JQj)@1{=8d6;)XP+e+t6|8r}bltO{|-sA{NJwNA3= zVAhA`?`)E={<42$SpAj$pAGL{dD}qm;?z4-Pea&&m?1n%z(H!t$~yFMj)PqEbvf)9 zT#MpVQU#`9s+@1Cr2b41l-3lTVv8Q3_3J*PQM}`SKWzMXsv(br*bG%vz~mGGDPJJ^#k6JLzn+*~7TXmxzuTcd>P z|2f!WSY!c@V2a)1;_9$AqsE*zmXZS?emw5q-F%p-G}v<+%}p1(E;Nr%oj84PPg&U& z4I7(3Y9o?GSRKMEYOkXI2L?XJa&o2*O==0~`TQyCwDTS|ZKHqL`l|37sMFB;YNF&f z5K@NpB&zEcu=Wy^t$1~PW!PJ9Gpo*GGYbs|fSLRV!vRGMldvzok7gfz&v#J~0I?uy zt_hp6`(NWx+LCBI@44OyaGJp|bf*qxu3}87`bvGqM(klggMB4@D=i!!m8L|@dD}qP z`(>4cp=Sj8HY%dw#bzj_HVs_=pWqY0WqAIV|G)Ez^2Z3s<*KJQT$hmtZUpArsCb z&BRU^J}-df7SrKW#dy10$MWZ}?$-UitHu|*%E|`^!MQzySJX-x`;2Lav}?AF`-P2B z(+2>U6E%`jVTGR=V{~>-&(PaJ4VNm&k*rGX}4dXwWqi*764Eo=@q~r)zms;%>KR1_Bj+3kW&4(L4hNmWh#~82D zjm=DYU$09%`BtLo&ra??R9LK9w}nu_-e+J9^SRRi@|=r3I=p>U=b!Tx3BTtqyRDbT-NthC5!Xx-12Q&m4;+fpR?>O=HM1(O+jhIkCG$iWZ~5o@8bGo zTj3uvl}}dXSczV^o?R)N!V5S(pCMeCjVqry2%k+TN^_lJc5Pc>TD^X_0Kz{TtFF;B zU9UoaYrM*8K0o23rWUaAv&OHAM^?Z?7~b#GM4Hzaoy zA3N86nST`+Eq8)>7?VCAz7#~I5EZ()wns6L@lg9OpLTjD1@ft?~i_t&+ zhA>)qY{q@UOqZw<=r?@iTKw^^rb_S$%0j#fM;pUNm0^s;N_i_a+7|L#7;%J7|6|6) z53)Wq!awYy4~RU&n$4GG4Ljw`Iod&(f0Sy0ok~V0jE;9e3!kLBr+fXP_ z9pJSmC;Zc0zq<;t)(E;_`s~0bxvOI33dV+f+fMdK(~ai-fY4<{2hIqLT&js`D^+Z zA@m6TY*vDP%s7C!!J1&BZ9?T5Pr0f4TMB!GDem{pjy5B3@@=YHnh)sQ#OT8FQjIZ~ zWE;!TxR7w_-CIVY<`4Q)K4Hb!7Sm900`nK%;LfsOL@<-(AZ=nDbm^CTKV?7{>vs9Y z(?ZnC%W0p0iiewJi>cl7X?IO|Pn~J}jAKmW>7NE)-fMh(@=+`vCHVLk%|ree8o%_( zk|>9^WSHlukeeXN8Rf~yv?GXYZ6r8yy})ipxy2Y8Rg6&1w7 zf=N+9OIYyfr~uC|^U36>AQ={XHYy-|ZAqD(-!mkZ1uhF{^zjeD4-LRT%Pn4t2x6e+ z+_kuIut)NN+UM67+~Q?GD=OjFI4BWQu|k&ybs3y=F)$uhGMtN9ChU_j!^)NRN%D&l5zF-OOl~<(sc9S%-k_(92qoNZ?Vf8AZF_)xy4w# zY;s|Pk-!bKoSD0#x9w3&pEa-1l?7ia{0r&G=o9}M|Nf0OA(7cESEW=5iwK2g?mwGC z#JCJovZyAl0yDc%O^QPaX(ChuuBr@DMyM8IDkTxB0cq6%Z^Ir!{46w23JZqNGeX7) zJ$svDe5&@z+T84#=V6Ex>GQ+zX`aESa5o~#vc(GTd0!kR!?G4varHWlz7Vahq*saj zdzFl(WG}qowuyJuUU-uR+pZdhH{Mn3&GfJ;-c^$*V8X+C0@tn@hFScAc%|$2(lm@# zFpR#OE#Wp<{ARVKGfK@g$Mx>m0YFHNm_$>l*-PYg-JyT`!079mI~UBb)EiUD7aBW4{9N`-;;t41&{v-DW8Z#*d}ipEPbr zrqcq_QtK2Msy=1;U<)FIcbt+y7RP-HPE9=UUhMkgp7jre<+U^|PG0enL=DL#ulrwY z(-fWjVYDQU4UgZ7a*DH>|K7@n2p|n0CaqqDulC! zDKEkZ^ZoGLfthuciNZgf++XY}mW%}6c$faJ2vQ(f>|UPN-c z6=50T*n0oOt-8O!(VWw5{T9d8C%n(|$)p5v%`nt>NL=f5&bOG8x6bO+$BeBU_kM2U zJVk_9xy3?3azCO2@oElLW>u4#UF#Cc+3zURAx*ZUg<-HLi4~)@W}2SO2jK?czZhaQ-ScJqh$O z36`H^=)+WPq$;EwOD9mMOLW4dOIZ4#y55Ua056)ULv_)&hoR^t5ckuoz{p0{k8`>A zxr^cCb%g`(noWG~W$)!*+yGj#t9dYPc2&G)>G4zQK(FS*$pE*mt?)N3D$ZyZ)X#~d zWTA95B%p8eHWePyo4WqXhUjJT1U_@R4BmT{_1WEHPb#*o+o8KtG=_)UOk7Q#q(_h| z2J%{awp0c>P-yqT&BO|?WgmYFT!?2MEJsVPOIBR0tXq99tv5K?vw20!5neZg&hJF* z(4Z@#b#ZZIl>!wO(xE|x1>`68X18c89qZqy%5I&JQd$i`ggcEalYGJ^;+N(loX^Aw z2x2xth+C{W@R3G!iX1Q*G}&uHc^z;wAq)l7*N@=i2DM|Lh?yA)eqZ)i60J(-s0)HC zd28`iUj@5C&uAYMtCl{@#_{$;LjKBMjrx4}?;`b?HEBrBC?J(6hCtoozlUS%l0%Pb2r;I+@d|KH!`h$6nq$ z9U=IeCuR5t9P$(%cMMq>Xs)YFJ?q^gT*vzI7@-x>8u41WleJHJac(mWusSK$BM$RP zY~O}i0>|Qo#)J17DkZ!tkX#@Gv;dhLkaj+cs_u4!+qH!q(u8YIDvtX+H&}7wr5ZHp zKg`0xXRpF5C3hOX@K_`*DQk-b;5Vu?P->Pzz%2on*$4j1V?&nmKamMR9_pbAGEkQ@8Jf|`YKGl@K)}mF!AT_(;)Z*CVqA$r@Jp4=L z0}H=&ax)lcvM{&PF4^~n(K~@>*nkN_!2CA?E!lKTno5mwe?oPT_U~rNnyCvlj{Otf zHI$evLZl!mPQQlh5o_O)K?^j5(=k7P|A+AZW~>c%x|nQqEkXG)OI-#x^9w+k40kf> zsD{ZIC<9LjI?DXp36#SI!VAVU=HwsXLso<=!$bJ@FZDegl>Hm?{g9Emc1Yxg;g<~6 zA(gN~H;0ak?VI%ch@eQmhI2|BFBR2AMMF|JBDSqHB!(kW+oB=0keyIc#>{>x$5!wEbY;@}1{~lo32z!Ayo6p^_tA9FE;u>g ztB5Ir`Fje?6Vrx3Dvo<>#=7QD0pj3h(ALfuG3Km!anw%l*)F2m362 zKwsi)ll-Q8vB?G*iiTI1URSHk6oX8ppDT`aIwtjz@@U4e>9@qg)** zrQQ7pgI)S&1N0;m`iBiWhowa{LmU%v&gSS+L}wt;k@ObNVL24mXPsG$GeJ_3?V_;N zvK;C{#(VX1v#nFB=PmY`)eIf;xt*bB-h1n{B>$8~@H;#W&3N;J>Fbtu)D7OR7Li1tv#K|6sC;@-*O!KH zZO}od>@$DA_PyS-AymBfx7@$W2)EZ83@y#j$$w=OfLi*X+8#DRLpN}_S$IwQKK@+NnqI}9OOxq4 z_;cCJ^a}o5UY@?4KdJKc_vDF|R@|E3(#*6G=|Ym!FRk7;@Q=rrwNtRwN_|_qO!BAf z#;*4(p<}Xm6=*N3G<3zkorpc8BWav(RKgQYwKHMqPo>9DLpLqsxMq(kzrd)aC%2TZ84V1l9}ARKAru zF}yDBwO1;eOBLB%(yw|8C$V5JsezZWb_f2^WH@?wX;1DSE@h_My)!^jsR~1&*Ery9hu+CowwweV@A0rpO z%>cjfWMOmR%%n?l?!40DLbI3d+C!gC7iWBfOBc7xSW3c8@N((m7W?BqerUH|KK;1k zj;nCGX6Zv8-?7RJ$MO$xkd&@-mQA75;?~J0*kMnk#6|XqM(uyADH?8#dDSX86i2Kg zQOypqALXtC62ZI3u_gV2^Tv#7aedYAA;=9&CHBG{pGT<11bK<*YOi0RiHcx}V(L3h2g>m?HufxEzGyO_-agw`Nzh`T?MNq_UGGRymmn|RgP7_`_ zxo7E6nTB$YtLN;MbwplRF(TEFy|S`8brecdjXN=p;UTd-1y_J-9I$j=%izn}YZ<;^ z$39fv()9JDvrLy0_gdJyKOZgZ=Q){aA%rBTD4JOun;~v4K@owjku~7z{)@ig&J+G( zP0am@f%}Cm7eBw`8bQZYY!ShCnNCrbAI})ll>EA$CiPbqOx7O3(t6~SH!sX z%@*hDu_s(IiKNcj?<;sKdRNVf-1`hic1>Z=NdNRfnORyphR~n`T+f--B9qGvjTU*o zK`GQTteWS-+JX)zH(n?MnCsB-42(aa^H&kx;x`AP7eDH;^w%}Z?C~55k7M^!@ zb8sxbBnxT1v)cl#NB<~l0N7b0m-`tjq|un8ruztR`tX9ylMh(wFP`w z+Gzw`V&$6aBc0CEVG;1+*mbEd7C8QE4_c0Yo9P1_->P@H0z%u#g{#%xFpjSZ;w|Zw z{7g-zm-91idis8TrbpAi=chTE{j77+9r$@!Dz4+)!0O+qILP91Xv#!(Q`c$26$zOH5^Sl zO5vhzXmYYwh{wIdk~94@RcZ&-pgNDBE(3WN(pc$SFCCQLV=IL+36J9(&JJ{Msvg>O zajG70Zl3`}(P8pXqX+bwGwS$lk9#xf{eAvf!r|}GRsYj(n*>)Om@Xy(ZO$WqBf$I5 z|Eq$vYwQ4ZDmwOnJrj7JW?I98n5jv49NJB5PI?!EUT0zzHEkw6iyVDqB(letQFzmu zP29`MCDWSyr)CTgBSfbLoEp*{q~)&EMTY#l9t&|}uoIeU;4^*zl~4!5h{bzsk)CFy z%u?l-0`m4tLEkySc1bHb4=6zVw*Lj<1F-@4P7UDxok%p*Di)3a`s68?t1Jp%x_Bv+ zyF}$yQqHTU*c=rDJ?q^@c-7q57FBa>(aXg5tc1B?}JHZ zv_sYh_R}$E*;>qhto<=+OO(?*X9X&-CGb^eHcKsXOVm!&of~aGzG0;0MmKlFiq9$?(fA5R z=jPj@Mx@(jB5#wLYaWpFep8oG6=Ce8>SER=w(l29;~%sCY!DVpdHCuu#-zP5>++z_ z8oql%%Jt8?cdy;&SMD$HB4r-Ji?)keFI=sfhw-8g`XA|Ns=Y4#D4ZwSlKwM4Ba-QR z`6-*8{w+V{(e&+NM-^g6y2b!@^nF?Qz+_*M>(Imnje$M-)ir3OmPB0r@^c;iN%7tC7mYB&k*EUNJzuy$Q z(~vbC65iaIybrR|IM3unNg>HtdgA;E7+CIbGP?cPZZ`gTyp`9QNJ-|cCPf>L8o?92 z#u3L^c?(#C&4y=dcZ3B8Sap&=n+sCnu>|M=ObHLpqeBqw#EWtuHiPqLrM`{^w$NDL zF`<0i>=7|h=T*{zNmx!sclj3uXu8qiG|!zhv{y@x4W+;*f(%WV6{xw+%pVQ9Y$7SR zh(83ux1*f>du`X#`$3O%@~zOlu#>%Zt;dmSKss?NdB+5w2W=(K3ChwW`Ew8Vwi!WH z(l9*D|LWCdtNn7Y2WG_H*z^N0L|_NR(Zazk6Zy0Di3wjgD?vBamD-OJV`gEE>rC|t zoEA$ozL5TxTLk?p{(gX*4#bkVduqF=D$%(0%1OwukKAiy*fCES8TPze3rASFdVl5= zkwqKR8cF(}5@Da0t{lFRxr;gkoZu_;(!#?Be!_3rm=z|Xu+7x0*G(|+Wn)}R4mXea zp|Jwq?qB#1z}j4UIUU^BKqkluZ19)nKn}`3Dwi7)yw5ogR=EpzsZ8n|9+W?I zf!vSG3NaeaGBl)RZOCQ2+$d%$2Nvv+xoK?S>w`FcAsrq$ca{nz^D{P?MuJO+z^AQl z;TD^3m&w-_R-Rw5sqbg(kJ{@NzGlDgIdX2jx@$X1kAqW-^_T$*hJpO&OZ>*gmEI~>(Id!lo{wL&xBKQPAK$eRm@d#P4D_r4NEyp17*q_c$ zb>vqv+qhY?-|;}gyWN&Xpq!F2RA zPHXtC(;nIAxcRH1q|*|VK;8eL#^PqKn;CIBKSLF9ESDOuYfJr)&b2k1{D~9nP#(A` zT&Ut8Iw6aW#3=A$++e^m`MS0%KWFKL+GPz7(v;~7?~)~LPeL%FBWRq_Ht%WL ziB;^w4hYNhiBJ10r?YS&GFVC%0N^Z=9Zq33CJs`81W9A_{5tohFJ&4MWpiiw&(xJc zE-5?(!J*FU9mcX_$Oiu`^hSN*EVD|GAuZsRq>{dgeG_{kbLAH&OMdGysx>irdINC@ z`|h}OX{jgw*Z2x(a%P}lLx$hx$3FDCBA(n?Zt&!6;(~kxp12MF2cBGL@Few-c+#p# zr(Z+xg>egIK4$C|_tN*2)|+NC*a|5u>N(r$5@xnbIB4q}JlzehV07Sndl~MhC&Rw| z{eO!E!0(~Dd&{Hwu|&uwq~I)aMS@E&N9HvAMoNa2vq{q#V5R>U(e1$iHYTa#SXw9X z0W^CkW`4K%$A42I6I?cRu*5^x+i9dtB-n|AeOm=*|D`WM!3X;`h5ZjbXplY!@zKbv z)*?ACn2sAO_x+yB)Q$9h)`_e` z>GbKm;1zuD_mZd0>85c#9I7$l5D0ZiK@?|ww?vLc2pV+RLR~^#Ef5sLXmCWWRPFXH z*LI22I2&0JIb)_HvqJ9`Ts6Blji6Kw3M<1e@m>sdSCEe?qCz--ync!4WeXJ8szEsp z8~TCRTP+QKYXhLfK9O4eg-46crjAxmIf@%{F0+#k0GWENu>!vcr7mP}zq;1&-MixIJqd@{VxQtDEF<^78Cy? z67~`L_r&Vd2*ypQrP>IN^DR=jMVBs~UY8&&6fw=X@v5pd_fs7nwnkUA@*&=F^@vF7 zI7P@z=4RHlHvVHSRz+J{$G@0ZxFw>%3(;qi-psmW^z^z`E^1U6WhAXWnfr2G*qx;J z<$6A$k~`P-(TJBl#%`mAUZM0;AM*?7%|nLo=D$(;kWf}g^v`cCIftvSfB{{iG`a4#>B!dBlO$JN^;!eWEGB= zi9v!nO=_SpXKQ|`at2AhT0BYS&P7>fI+e(s@iCooI{(LX8XaCCE0Q@-9&{Ub(eHtc z>N-kV_WYfk&#`k!py4~2|K0Xr5(!IP?+2QiWONnQ?5vEXnhss4R|b}uIa)=Q!W?0^ zjf#seWcSb%=g-|VbiRU9iv2fO3R=dO*Dx?4s(uBWWd4jzgx4_?$)X!?8hsKB7T&68 z@K0(Ie@=3B4dE1-FE0@rP>Yb(qHvNV^bc(M+x%7sWmAYv76lFN(Q=Itul10w#6U0MplZ~Yq%-}+RxawgYKYuM zv=nwzAyD-gf5;@*r8|5I7T?9}0N0huk%(?cdP^+Y^p>Ey`1j-)3f1TfLtv_cLtwgC z;W)YJdMHel|Jpj!M2KU-?+j9OFmA}o$;^@4U}oOj#!-T6AkG%j`-Hb4(bEN{4+g!Y z!tYF6)@W*^S@)O%6|Xy0u~kIo&Y0!3&9Zqe9m=oRHa-_Wi&F$7(RU5w zvV6;23*&F?G6G@h({fAKUAIJP^SBm_ z?IX2UikqSMc@EV%ni2`q*Ki|+z%bIE!zUAvPn%yNb#Shm%uhN0XAP13Ioet}#^Q=d zB_o}zti%%e#R@6wHnu?4?hxK)R@-1CL$*>&>DDi~h%k%@LvNkV$xH@5f6j`F%m}vo zw;s#>MN-+{s0HaUvmRM(`;L3L5z`%b9@9*JuFOP@nD1nNucpk=rT>fZ1A}2LulQ$B z%UXR}!>06_+svl)HJYXepITJZ9@Y4VPN22?**Go0eT?qtSuyTs5K~~~Z`u-1apmEP zKhTnYH^-{%+Y|X)G}=VtSqfs=4=SMtAmpflL2F*u*w36r-#cGQAJO-&eDfQ~M!X?2`nNOH&ItDgjr%X+gPm+96@dbdQnu zB+Oo~)`vjfBp}z-C-T?U$x-<=|7=z^087noUNXBnIK8wUdRiJ7RU|mgBtc&Z2K3X0 zNN_yws)AcSO$|xpB95(aBH5R!qm_XBcCu`2oPc{=e_I_OxnV<5* zcLCitfv%m%`pm`KKQVLh8T;)bs@Y5!eR@l0zgbb~gFyS?*66B$&dAyG z#CcqkD6Nuzf^RSw_W>uXg7*8^U-KPTdJyoT5tT}9cZ;W^g@a#y`NYT2)!tu+p(=QA zGb^RkGy*EY0XT16-M}^z`6PaUiEdqzd)uURN|=Mf&YfnuuPzV(+kD#bClq^JlX7CE}rqr5%y$320sz9CAcGAu>6zjLRX$E^-`|C_s= zW$S%tqh06cf-r@wCZBUt%;J0TTtEijxTt|YQ?66R3S@>SpyViH)uPtdn9!>ktQS+L{byXN-;XXAxZ%WGGZCS`JYU3 zGYe`WslTum?B3X~8*3B`sfk^E56flkvAch7|0Q#?kZv})1FsVM#O>Z%CJVb8b#mH* zi6~)^_Vm?1cHKsqwDS)xp-0s(Y62{oLIyDzNcE9I1bEazO8hQ$3 z73TVNKSCb-Cpn<9HlIUwl5T!Jv2$1ZPp&Y4h6&j){;m1TYj^Xp+_bdKf9w-#W=-nz zpuIoKHuEoo!bZu0V9;LN_RpRlJ_Zkv!+)R_{?-zSOkLZ|MQ6oacL~PfThhDzcHV*; z$X}2rm@h@}2}$NhOqq~$fH?k3Dd|7<2>oX#OOLT(&>=}-@K@4v0LbuDM-87!uNT*` z(nN-GnB5LvLw(+=zNh^E9Az!#>Bl>0?u>qI68zWC>8KS>br7m6dJyS}HGzxZx>tke8y_j^CNU(#DYuW_>?D$44KrQnNIe2;W*~J zbF-=r0c-o3lJ%o}Iwg)>+J#VI3} zA5Qirrc6w0ripo>z--CP_i?An|}JoJ4n!p2+=ZCqM4w>u=|0-V77OdRUHRbSLzm5>QEf zu;t<%yN}>T*m>VW*t%}}NJ*NjOJTv5V#@Fw*h{CfR7?H%W8T;R=EYY+j}TWnB!-pd zmvJ_^-k92E`8Hi%TU}t9I$UKApsKi>&;!H9W15=OZBSdnUQDfSs&KNS*|ul9(qrQb zU$+e9C8{rsJ)YTpL~39D?&oyAq*V%l0x`u>`xBp59KFs1q?pN998Xu}(3S6~X68d* zunvtQoI5iP=rYGwHLVlex?=p04}Y&V-w$Uh>^X@MzlW5sGT#+))1DVp-2a0RPO9I+ zDR|j@ZkCd^0Kf{5e8K9l+>mzF&tkuR^ReG;zp@|u-S+E}@H;>`Bfo=`1#wh95z0FM7P6VuM&u%7L2~vz zUqrV<=}K_6isUN}km;|eRB#@nr7zuY(3eB$i-Ci`=LX4A%uR402;i^$)Q9YuKEyvx z!H`H)_#lM1YA{$b1)QTuKR$wgfB^JD=Qk%|%QKvRbnnGKY#567k>T6Tk&u7)(QH|A zWwh3ATH`TiHJUmx@^2`7Hhe=l4Cz;gI`n4kW$h`C7$F)jj4QRZ;Id+FK*FBwDG^;)Y$`Xc#&~|= zaT7X#S4ov%4^V)ajR{~Jm6DAEINi{8|Fp7b`jA9^g*ce6Erg25(#YiV4w{Lc;0+l6@?>s79i{;G zYA1BXb!(?qS125*SxVKyx*C7mA1oojBY?S|$`-O-bdD8WqXoyGlk4#Z^bf+Ni;5{z z?SG{c8iN((Wa&G}GjCE78pQTy;rBT0#w|bv;~s=xxo>;P?zXB;-h>yc41NpzLQ+)i zkES*=EHwLl%kUS%&|{bcTr*7e!yXas+CENJO5Frzwa5t^pcTa`ytau*j2vw4hrq=Z z0m9yVz@dUBK?;S;)lGYPrZrGQBz2gg2_ak%=)SrM*h-jdsw%`dpH|&8(y{k<=8gROe)?cokr4w)Ocq$nLyBIi0nau6}6`uIhH)gvFyRBO7$<%)(8vpPX-AEk*U-%u73s$rq!0PNWk%WPv~;)T(sjwQE9;YGb7lp1(>!z(|FC+~*}(X? zBX5uW9sH0cKd&YytI6eRGL%2@>X3S-r+dpj-ESO}*%9SBRsUR}d1mKe>HxE~%TTjf z#Z-2_tt?P@gez3pH%(>qiglSUU!#Mo;9}NQQ7^Ng-b|MYqSiYg=Kdt89)OyH|U1QVFQ2GL;KTEpg zM%l;qCcFW=PS_@f&Ku#KIxc~twE(M7X3u2hoM6JKxE@}Hw61f1Lii`c0OvYvqTH=~ zNqFm6x)ay?kN(5B4rc!?0a>(*wY7;18fNwt?)y(`LK5+svpmy8BH2Y;A{r2e!CeCdAh44F1pHN}wVQPNtvL@8+$m zSVGR z8t;Dd$jqxpj(Vmw|7|D%oLfE3d~m4hCR(CGx?q4@k2mPsJjw|*J6l^Ic>8?!VuIiw zyH+}sL#VN(I^Skb0v55wY@&#?1M-XRrB3~e8{<07m9aKGU9|uOoU|3Sf~^=qScoGc z5swKIS}|4Z5V;&o8py!SeaTYTKQlCRu^M+X`OKntix>H)HW^%Sa}E9bMAM(mx9q@| zb#A@9P_vISlSHzCfX}G0*L~YS7_?V~qIa;Zo{>9Qh#w|weF&r%+&=-5aDy4ZY56ff zEoQgfGrc;W-9-16@%=Rs9ejr1HHc-X@SH_2nuRgL zl5>l06qNa2GncK(BR9JpvcWuEI8xL9VT34;dvC_NwwA>+|BfO% zZk5V)AhB0?Xd00kmDzQG)0tEk@)h~(br!KyJSS+TmZi4+d9&P$Uy^&$ec)Jb%&i3V z#R{Egfw$m`Z}k^en8Cs5E+SZdytVqNw3o-u9J&BS z8jTB^lYN$|;!Ea^j4wI0BEIAtq=`ojng`lR7v)vyh^pN(T=mRQ(e7{v&qA$}qgpRR zMD*o^+du1%Y!$x^eud)+DI)t1DEidd@bX!1riZ1hGzOZ+B$qb?C$ zll1N}^`6Cs!! zM^*`+YRn}+4}pfTbv)hFbNCFRM%i=|JS%h;23bsNc1}BwMTlWe%fmS(CRR8}`Q|?W zo3TH?2mhh}%;VY@na7;wvGN+tqv5dO>S}Lya|f!D`OdOKm*A!6=58IraN)ys zWiHqM8B$SXvf?_q_-xI+7N^#8hkm(M$c=6+aoMFBW!^$Knfp!1qCdoH%|gxiIC9P-YS-8H~e>9ylY!|yz7m!Sl6}@y+LNv zta#?NXuLZ(GL9h0BbQhb{%>l&d`b6aewuo{x0t`^&gi<#PT2E*>&Pr$-T`HP`e$}- z!+6%XvNV9XdvxZdHl3M{v} zGTC^Em~ks$7K!7m$x2j`D>-n=eWOY(JZ~BC`L*K2dt*xZhcPAYb%Q8nAWAuiQqdKR z%xpqA1Ezo|K*5bQBoe5Lx zyf<7$;Y66pjbVA&6(9@YelXiCc}O6H86pHULJE33TB(wLu((d!YWjX`^rPXrZL99{ zhP_t>bD^6S&YT%*CDKOBkmjX4JK3>Zprr2@)@q+`WorM6?~OpHayq4Nku1?+%GoPK z;kQ!7%o`YCVu5ykk37Ls_|KQWxpl>TtPtD-fiVR~AitrRn0dMr(DF_=oe2uVNeMG5!8cW1 zFA|`&b#i`moqx{P$|Aw9(djPLx0&*MMl5Fe#9;cG++Z275uO(Ky0iF;JE5>q!^2ss3*d}^Hoq+s@;611xxJ^Qf$9k@z(VxDO2i$_=lUI{h*_P%f57Ad z8dai(2954`W(XRYu?+-As=j>1iu8w;PPj5yJjK7}ZVi?|9Dyaw}% ze8o3ZXGlJ)f+Oj9F$XlUuk=#WN3g&Gb*%2&K-uGmmHpEHL)ij{aI#+rDNccTL~4C zzmnpnIm}M@;iG0HJCA5z~hT15vZwKC-^TmivToDd!r3 z>mUw(Y=qG%ju*wwPdSKy4=WNH_N`YKo#KHuea};*zkx>5@385OHvKiF-&;lcY^6ih z)a#J-b&i&RsAZrn%zb>A_)=kb0L$V;iuFI_{e{x|WqQZ@vx8RD%qYD-SbG2aO}ziM^nR7zZ&5$9zoLZg zC*>y6kKj8H4)JB|ENpxh>iae6mso=Gv!C-U=P2@b-_CQ=KHu?6o@4g;%Su1NK2K4) z4x-3^pvoR@pI`k2&sFw0q58}1^Zs}8Y>W@{6`Oy>^PA8J%BEFzlYJhq^k?n!1u83Z zZu0z6&yVsv%pUt3c-VtWC!ldQM$_>}4`a;eu|vv~|I`BZP28wDdii*P&uMwF*=gA{ z5$C@S-dRmo<0$j8&UQJA@Aq%m-OqwdIr56kJl+;>d~@DEkcf4lk@S4oRO&RgBoD{W z>R*NB*KXH)!5DilMpsaH;C9I0@7Y%%zV-LOTaZ(%CYaFkGB~1 zA&bZbRT1pFGYc^5KG#?=8lsWfZ-_rA8~K~AfSzJ;{?%^CBE;W#^bNV^@LKc}ezX0k zdq#h#`upxGtm6}Z{M!mseq5M^VcIM=fSJbmbf~|AadgLH!CY!M$%keKyR{|Kp`z8z&l!)tT+t2 z1?9EE;Iwcmtk8G(nR;<(dP^O@h+~MMM@w;}x|SHfFoG7BUzguDe%r!Pxw+2} zSq@*9J;aD?h!Dq*F%VJ6L=eiXt08`n2_9*}R(6<^qL#?-=wk=oQDk)<>?(MVDq2&) zzw=S^T&WD%Tg~(SdhUFOzdchg0VI$HI$Syo!mhRuUBZsMCni~uq4&B2|IP4hD(5=h z50{f(bj3C4m^F?zbr#CDo3de{o{n4f%D+N2Jsn-<9rpQS*tcW^yZ^D}P2k^G7MXWD&(;Su2QY5{vYKo-J1JBI)-7hFoJnFUh3An>>dLh(1zYE1yQoRAJ z+6Y0K@G6gd1R$R-zUzO;AN>-VYY7-MfG;6^w>BaE za~S$0y`awbN>7Y|44L6r_3+mky&8%!gkJ2uo-C2%iZX@!A;DIz58}zSHa%M%}?LWQ8jT875IMnC6qMdu=$|h z_%VE)#MHLFCq#*f5>j)GATf>Xyo|YyZxsshcK7lY^7X9^=@3>cs;l!9RjbFodrbNK z^bct7KxgqM^g)x>_e0@JW)EgO7Ygv#$5eG@50)_sI>Qs3QMT60wd(A>YbE(;;hx{4 zBTjvNUYd+Y&;0^_TbxBdRKbONn)K-)9&XpeG#-|tX?Hqh6}kKt)mGp~6sx`RzxZ2~ zI-KyODvrAJ$Vh43ANxc&Ix{UAT%0`|e-5Jf>cJkC(7M!C}$Ad8b`ugEM$qo>87}D39jD$;ulp zXehl~Ysn6Bv7sQDej7XqKCe7h&Rn>s9vR%49uf3&;hxVRs@oXDytLy#;be~#rZ3#H zQyDuqLRNzPZOZkz{rMcRFAqKc2rutYHF+^DA@4oPyV<6cgTxPxN-l+{70ua%`iS)0IroZWRFWlTg zVf@h#S)b`H^G?R}!cgYi$(Ll_Lwk>#4qsV8S=J2MOa}Q4UdLL9^!=hJ51#@Dzu%ZraD+6b#J|QbPAW0CCtjz9Cw3Y9)Rh~Fo^CK~ur+^v!(eOU z#(4@MnHcvzcUvUKcb%MXs>Bm2kuQgPEs*5U&_AO#njVkKR1#fZGWRuHqgJVc)AHxn z*a{K@|48D(F^*sq=gJfcdv2OH=1|hNCZem*ASS(AmeLX8RaB-9?%-~i^nnFvo-vc% zpFV`MotZz&n6En7%PD>|2t|kug`OY}qxxU*4`bqxus)@n@YOJ@)iMcrW{aCU4T%P6 zU?Uy@`?BRdHKy=>`Lim~{mf|KmJkh@Nq-{Y^(H;Uq=F0u*Uq(9_fM^bn_t^Nd^Tp4 zJKF1VCl_zTJ~^MH8mb;gkieZrL*Ll#WN#xU%1YX82|cI|*19UuPv)vQcg9T3RWnZ0 z)}7bMt~T?y03~rRfqc2%YsO%5T$i1t$1RXYk7&(b(g>h8o0)3${>5Y^$FH-770g%l zuzQi_ROP15?4Mp6m1WM)1#!;hX(gHCFu{1{Gpo^cnpD?YY`J9|CvvO<$5Rlpm z6DR3T6K84Vp!76LfmKy*!A#X5O9m4U$l8r1u^7bs9qc=~nkZTVnA5qHVc_VT^b(BW z3cj6D6M`@iecO!=Xv(lBp`qMY>YB&@C3*2*z_@D{dVJ1`v* z5dO3mykWxSx{*_L-D2zSz{`VKW~h0o)!< z=3qb5Ml7OjQOI^G{l9$$Q`A_U*V2x~VKZS#o1#b;nbn5Fc-zjqAb1SRKg(~!rAv&~ zNa~CDoU-S;n4g*mL4b(Fhr;Zhi}72mU<~ivnSK}#@S2`Z35J#YFC+89_)OmKULQJ7 zlJ^1fR@uA|vq*3?&}4Fk<-hsI71r63{2uwMZGNNfJ7s8ov+;W_9AQoWj2SV`bc8Qq z{~OzDu%jUX^sh=ZzMZ--NuZwucL$seZ97_7rp73@ioXq(mVr62gE!!){5?Q}lLdIHbd zEokXSQnrpS%9Qpicnp~iCmOr#?Sy?lFVSCG#@sUE*P50C-R(uIrSE61XyCK9&nG3)pAo%M<2~bfe)i(FcI*wvynUTniqLRahn{=Ag z_=b}i%LHnD*~99B3Q0Tvu2y0Mb_%PoApnW50j{^A71h0E%55#hm+)Peu7xQh?X9rf z#5}#8qwN;X9;bg!59NuFFx|C@q)F-1nvTT2lftt4k7D&NL1skL5zgY@!?B!YI};Z- zJ(`TZKKOb_cet6Y(#dQUHGDt_iDSZ;r?SfQ0SXII58*Rc3gDukiz#WCfXdV0MHsk%`fG??jxEG za*1;_tJO@-*=1tf5bQn-~XZS+!Yc@HPX#FbVDEm z_O^NXlBxe+)(6uwW2&yX`xT#x^V=8}q#WZfj_+FXG>x%4JZkwQxrRVTV-vpeWy6;Z zF?-`NBfVcStw713iAadm{$+l@aWLnF#a%GKBu3BRGf)@yauI*+OlSuPJo(?*ri`wrnpv)ldGk?W1L+n+cJBgDGOQP9mwVBy-=rowQ`m9J(Ql%}0c2FBtS} zvf3H~ zhUQyvkb>6n0LNpBgFC6N)E*YEld$Kg?O$D)Iu^=$?xYUg$MG8$g|p~F{&wub^0m`E zR6cYlWu4{?DsWdv>L?i-)jlkSBf3&K5C4R*hjJ1~a0qAFnCq2IM)1be$Lh-E;;jv? zoIjR6%c-ex{%B(nw0d8!;}oRv?&WG@(Z#fg{qV%W({fF(aW^8~)&VCpYXn_;gLSzUMWf@{msMC#|Pv!<2sTO6fh?v3Ti z2>M{mFoao0^ODScWftRk;v6lP2ecMlMYlfGRj?$t))+-=(${W~Ik|LUq#h0>0= z3$2yzh2>V11s!xc8YD!IoR!zroAKGvF@rP2AWxfwAHmU?&6|Ty3cZT^Gjo|JmNgUC z5A!g2cYzl4PHcp-l>EPeMU2Tq?H*Qgu-dNZg8TRg zrs#~TLBYflWoIC}wIjnnKj#>Gok4>;`P{mBhZ>=6OlCdd3I;S0fzE8K+?5|Y{%ioB zLlQr6aJiAYlDYq~kzBY9;3Up0y8gAd+-0OL7RRU0VmLA&@^@cVh}73m)X+Gc7idN@ ztKDI|xPxKBhyI5HtBOCIMcbWQlR0K_lrrZI3!6UiMLJ_HM790&dSzDgtbsx^>tH<_ z`iEySv1UBQeUZjU$YPUtgrUV*HOJ~2@z5B4SyaKD>=82SF%Ssz^;2nPJ*XVME8h3R z)npF7LrzOS9zIC#mlxj+`p^UEJVR>RK@MSk?Y^YrK@bUkW_oMVg*w%cL4Vo`OH;>viJ@Aoe$Uz z$n~_+SNsvE=~qi0UX{5{Eq4-6%D01oYq_{-w0zuPiEkwo;G3Pe_xD7!w-0lB;OkB~3(|0Btd(v;Z`NQ9Fdl;CRR0a5Vt-7S|E&TD!?TGd~3QZcs@EK-R=ZiHs zvd%U~ez|L@?D>#Dag3C!#1KT5=J|@ho*`zu&U>mmsEBv_W!>A#jfvzY8Pmr5TgFwT zYm@mUq7JQ%Po@ZAwM5HZ&!gl0(B=*&yN-?}8*e87aHK$wq}|~^geLECtaszxeO2-9 zH!7RGms`ANNHE;5HFqi(!6h)kTc4gWurapeo8`?*&a235s>&5UrhB%AK26 zMG0`TanvsAs2cd^s8yNQY6kw^%Ym+HGFc9j}P|6*Vx^)rLhn86Mj7&)q!sUg}k+aDNoVUCIiz6Re{Sa5cs zk0Bh*eM=2u7`HsT{uQt4Zvv{h63L!rYx`{$oS=#Puv3tcQ>NKmnXM*TA>w{YY23$0 zv=8OZvNJ2XH&u0SsT|eIGo9n_KF*3KGFy(sd_1%3P-}PMy^zdT{OCIv_~x5d>LxHn zfcLJc&b)CzX4iMBnh3l<{QndnkWla2nozo4}3F(v-5tQJ0m)~KecNN~PE zMGbZ2UPCRnL-jUbHqY92mOULDKxSJ$fgO>7pXp!>A+X9!{us<HP|vM^Ln&<+mRuClqoq^mN)0eJgEtY=TCSbx}zCF`dWp4 z*K%WCbVp_vP6uYLWhkCM@q%xGSlEjb>p$~F_{!PUsc(T%X=1`(5n|PG!?5bFRBf>8 zeI5)}{TBl$(Hrn<6hWg4xYg6brr1v3UYHf`b1?u8F(#D**REV?aP9vn_VM^s1eNzZ zkSgm6aLn*4;xe}1G7?b1K!$*7!yCZ{X0wPl#tE*7Gx*bs{?th!|KU|(^aLTE=3+x} zhH|_X%LTgK)6kV6?F_|f^7C5C|AOV}C3p_qpNPf~rT^Obk(50P0Hk#VGG^2pu}J^) znvOIl6=rJ(D<-<0+t^;6I)=YUy(a!BI>FRRwwBUe`rkZR0$bmo!uc?4ayD-9TNOv= ze{Us=toH|e1TDk{r&IG@44TrMBdg~p2Hq{~_l%txiaA}C7D*4?GOaRru-*UemBmy# zbh}cK9PuvMp}-Q~;ow@4{5pT4b}}De{9?Arg#K}|za$M~EpfP(+@j?wDm5Ti*1ks< z&9+Ndtq{hi#=jU5O=aQnZ|HhN0yWO#>O@-d*KO8L5m~_;|GgRpEHPh3$u=Vg;SyGLOq2uhjX;B;$m!UAG~$Mql?QU@1y$sq||a zGGd#eaQM?P3FBV0)Ht&fl9u$WrJ?3EJcbQp69Poz0KDCwLQQoL+u4aeg89(e+vqZ z+}!zY<7{>o-&aFAMf?#D{VlANSS~!py@nf-QeSJ%#~^}#KRKUzys~c}qrcIaTB8wv z^H`@gzMbBBa{he2e%|t{Lixvhs-%h|C$10W=BB?;3SsEFn#OhW-paROcXIwS+^aoQ zZU)}gP(#E~${mi@h^)BHuK;_s+RkN&1>yQHraz2}EoZYiyhtBumiy$wK()~4YN4lM z{6$VGEb>Lu0e*O-NlTBH=u6Io%vST6F5RkBR*2u9tID|z?9UaWZ{Tf|)F#}Zd}cZr zX=HgNe^hMm{0+nNFE!98wWpH`f8JKJFZra^pqy7|*^JNjvKUXtSh@`1FJa)^ciBIH z6x3#B+E1Tb7U{UU@=Ga4eX{6<`ah=dX8%2jFgI^DgQSBe5&eQm`pnvCmB%$NxfsW} zvp=`w%tN?hxn8!CmwIO&x>tFG-+k^j`>#)ICia)-KfEskH*qBWSuaCJ@Ne1F5b66v z2$#af$Mma;lY1xYQDDy3Io40l0iKB6HU6cXUc>Y!(YsSVhtA{PUyh`w4^FF3dYf&G zN^iSYUdzrp`47=5&g>DHC($>KF}71+`UMrnGRtI!@ElFHkZvs??_hdHVf_>|df~hC z;K}v0dh#Ud;dkoiOr80$HS|DWD^&RGOLjl0&q@y_J*R|7{H)G?Rwv8M96F`X^`H2I znam3dy0?Y%=g&Gl5}A7tkxF?xz zSQB1pVT=`P=MQ-rZo-@XrVMw}t;i4QSR#xf?fvs1#rzJxZaaVZ+*CPVIOGC_vPO`(}rNn9V{PA4NXBns#rHV zf#QzIDz`^NN11MZQX_lx#=?5ZnrFC#%z}1hBju7EXfWj^01jdFPzrj? zXNOXpW%DP+ItHgZ**WaMoW+ted9QV{KjEFHW-j%xPw3@DzhwjIHg0nkYkehoSQLS@ zvQF$3p`6R3u+$Bs45?lxfNU9XJxFrbl61KKhz(Zlj=UCnB-F{tlp7Ezl*l(n_H;BH zpZ;ve{OJFr$9K#h5lJ6KD|1JM!zPMyW4}ZYY|dx&GD%jyWYn+PyFg}GWA6t?F)PeB zBe=xLZUbUGWt~o4yGeLccogbdn?Ei8L|1`T-b;ATClI0}`XqC=@1&7vpMjvk#@4Jc5#0IbQ zqe}GFB;f0_r8}(f|F}`vUUoVwRfSq-@^T$&pLl4qHCS3qovX$O4#E%$*T2g6(0E1e zGUF02&paMw=X&{golsyK@fx5bnswM7Z<3q?)AhgtF`AJ(aY}0hD=DK=*bBuOJZ! zKWHX%3ptFZF!pM>MmhE$U|K_82U0qV=J6&Sd*=X!g3EX-;U{o%0ei4kT@~zsdeY-+ zk;O^?PzGW{parPQ{O7)o072w+3P1^pNa4+%?Q{mz4-2}bP@!w-L2z7{fInw{kp!4! zueX?nA0l^fgsRvY=qg;hDAWwga%KVhkZID#C80yHR`2!T79-oA&qREN5_YO>qgGur zS}l7|v5L&j0Pzt=q=dJcI7pbO1os(G7S^j_7`fO?s59_8Q^FPN)*6Q#Xn`?AUMesc z(Cl9*ip6VFhxv11js<>JFdHwNlbJIr@|-a&PrHU+C{hYAc(6ZVXg0%AY|fu9RRPi1 z*_QYh`hPX&aD%D+{TOg|6rv{nKO;Xcq;)3 zw1iN)jh%QGQM_Yn)kNbL9r-zh`T7a)gss3v8pPd};ClKbuH~ow6Fk(iZ>C7vB zIh~^?|LAWCBlV@9ar2LeQu*Vl4*p}@F8UtZOI}bsthY)^Y9l}{d~?1?3fw`KsV5Xe zV9h3VVt;=mitoW`<_dYC8nG=Nt*tUN=)_ZzeIC+|_~9D8r<)+hD7vl ztz5~ITLAN!3VS?bKFiS5k-M&;6%)Edp`Tt0aq)eH4mZmaE} zEjK@tZABL{r6N6rQEFQ8VO4{0)AXl;S9!8{7dPnGn)|#FZe#!y$Fxxn8`(H71drf( zE^g??1>S^Ncw0A*H4_4Z9<2>@54iX~cCG3-=ljdmj)Iic`N!`@4`ag!D@s|N^T(;I zUIa&$tw4T*VU$A(eDMB96<8HWTV~;wuNe0Q>2E)ScKDA!#at{${PQV~)D)~%a^M(u4b{nIdo?9A}QM%$`OOhmxX-iY=59V|`% ziW7E`s|7Lhw?@pA-9#bqd%XeQ_m!?YUmrCz+=i~x-SFID9}AA5?$+ETwN<)Rr}O<# z5@D4R5yIA)M z$^qBtRW@E4^s+I0arM#_zQhDSHZQkYjDIP8Q1G*TitFGoBQ)GV0$U9N{Bf2!FUagH z<9fInRH~!Ym$Q)9LEuePsAxEhSA2}1zh;x`&)Z;DXF}eDb`#@R^0*dym^W@* zrsBC1YW?7-GL4I9IZpOTM_EF)$i|9ZT7o~>Mfsb=na7>%Vt+XTXBMddIbpn_8gE`E zWez>FX24e)S+JpSUYxZ|7B=Sj+}wu&yn+S)7Wgg6);>$W@#7tMrF&;(Y{@;f&+|^C z-VQz~RBOw=*F>6^JX-q#&)WEyn%%)0&0G*3wxKYd(Cssk`+RfmYv{E6%mY^ceWg*| z-eme$|H+9&Adsg}aes;Fz|7kWU(EW7xWdL=bEU8^oAe8&%r456_gU7#O%tHiEN9uA zsQ0!FKvWi6@~2wqIy5_?cOc+`G& zvKDY;5)RIuIJkCtdHLGu?D;ZlF|3H;u6&niWRgWIi=hR>qOYO{lJa@BXb4LM0pQ%q z!em(Yx-L3G!GrY^%%$e*j~Y|eto8?kH~&=AMwvr#i;*;BRSobfG&c!QC%Sl(T9 zCXqkk7Od7nmWL6)+13%1T!XEj*zeC@#m0FuK{K7qTbz*yFNuqFPwh=AoasTW@SED( zd1e>W&X0cE^eg$#06c$Lc@o0FmSd}n?>Pivb|5W9YwqycR*CRp3K$I$E|}27GZ2gt zL|DuCBb!i8LE@c7lSspFCZ01D_{*quc%Jb}thAH(|DvpQP0$fOF(6E568260h&lLNGdC~FwkB2B1vwhP^&;+EaF*oLOCgb78aDS zEBGbL5%U1q;-!c`dGx&fiJv|*-oJJea8I3P`gIL?;$h6_pk1pv9D?m5!GM!q7-k2c z%mkzB{qEC@%%&mEl+&O_fWD zKseH-5h3#>9u*6255!;D4#4e?$EJOqtPkzBsFQt%N7MVxgP_L~`sxA^s+;a8>TpUR5Z+p=BZ zSEbmm2))=M*8BY&3QNo@2}CaaWZzHss@b(zN$4&@*@V(366bt3_ldY?PGyN_V=kbc zT2t7UfM2UEK9wPC4A$(L3_j;0R{$$ z33UbMP~j(kCoTp^x1DvgAJ6@0IoUNqei#c#YoDTaANY?SSzfuDkHOg#2=`yjIZMxz zus=g_ygr4ByxlY{VQaG8;5dt6?(`<)Mr~DigyGhEI`mmvGW&KL=v!FeB2L^UV?sMw zeZ-G{X1B3Dqy;C?4`dOEC7v$5+tMq=YWssNd7cI7Ff-- z_)vnGRz7=-PO!sVWld#!+5K=<>ozWbi)7teG-cXi#hb;02{vIDSkl9>5@M6oTp3IgJ z@lk(^k9t88Uk^nRP`s*$(KfuVKtDuC!h5RxU;V;j&h^Azis!!F z6dcI>v80PME;!6=T?)bTtApnXTNx1mZ2>N#3P^jMe`hOV+|f{-()ctk4MpQL`vo6OLH8hS74Q6D_^ zAGP`?s~eDXh4i|HEsmDVpSS5-NCd3Bdlur?czpU_CC1G*|MELS`-_}%M(;7T1iR_F z+*r8eaL`%wTNYSTwcX!3SzU(SbZBbMP|%39XEq(4*@@A{SjuE}j^S)bg_mWGa=@MEhQdXI4dte`W%p{H+63V2mAgk2bGH@e&GLdjLiOQXzUXN zZ3!MpoPNFk6lj+bPVD&%z@Kl}u@Tz1B(iK^1B=~1e1;KH@Nq{G{if!it=b4>iq+Ky zqf|s2gaEg3DtowN4ejK$@4$lI%cPGn>7O8bnxK+2WiA>KWGzdjD$}liO`<3h#UzIV zNt?&XzCn0BH+Ooqfn$8d^#IFs*!9{G2iZTztAkF%$F(t8pKEI#W`Td@DFt!jm#U~J zPW+I!;Oj^O7Qdx4TV7Fybi%RWpnqK3F2n?2w%3;%Yqy>AFImhc8+3{f%*t3%b67FL7* zO30aFphNHzQ))py7C^dC*#BIM0lm}dz%>K$dg=L%KN6~)6KbJoU#Ez_>wl3z@?#%| z*T8amJ7777XzO~$QIrn{t*F^>t}azGlDtBqiZeOyj6vjE;}&~;zGv3%Q<{~VNzC}szGqk!eNV}&^+57m zQEhHICaUKMgBRMbSn;g5Z?OswBc>HZx8Q`2%PfkgO-?cAzRFn;fsK2C!N~Xug*6Cv z0zx~4p{ZL)P2}SBh0208kZ_X$2C!#=e2L)o_Z!C<4p4qb521A!%VZ(3UW1niQnOVH!s_HUhU%gx& zOiuG!#;lFPC@L{genF$}bQ(1Bu4QCTN^;qc&i9jPlhgSZN%|1s0tGhb%AtG>g1LiB zYoIG~FSdyVYU^}vBm81;1H}o7pid6+ujV{>4bB%=vIQ3XJ@10$YzZTZB|L~87yDk5ub9FkfLPnYqBq#jhPcE^y^LUg;# zBg(6qHt|b@c__jsFU{nX7ppo`6W@#7A>Lis$+yT6!YIaa0?Jm+>$RtrYv;o#hfLao zKhmJghf5dkN=8$k;wMd<0DjJjrksggJnSDu;{wcMk$24BQh7IbkehQ9#TFCw#(3Rw zk*t_=%UWmJTAgFM@|bh!0{kDZIr!zLWZDH6n_5Mw#(34R64;xnRH=TnCNsMHk%-=; zH*3Dn*2!&+^WfB~OC@G4evvU@OV*1M`7h4Ky4(AJi%)LELm^@9b#&KBYxLO`#PjIq}^5YPP8RBqp@u zL_Cq^(PsUW+SC!n5r7hFd&4UiY~IF`hU!R{5C+YDiZsH3F#4O9@`$H7w}oO zfkZ27T$g^=P(o~_6XTJPR@ZPbu$fiMr`_CK;yg|aCIN2E3yqV($^Kidk~>5I;6H6P z^Z%BTnE;MKN2CtZ=#L*(XVHI;ygN-^V;WA=eNP*>Lw#3W4~;5^;`qlLzH6{=rA^Nf z%OV$}jaXf92Av_}kCjo^b;urx?X!#Yv#jP!7A7QC$D7Hqz1YT zzBK;@kKjMiBt{qG%y7X2ove~P z8R#9?J8F&TbbJZc_(f||+g@q>Mt^zK)g=HZfO>ShJMIN{;AzDT8r8!!GJ8Y79e6pI zXBxNT1=fcwF|fV}$x2ofD<+Nw-v2qo!kh1Zx02VF3g4&e`?KM9XBo7j3^nD*U}1GM zV*Qzh*s~0=2gGks_f_V;FGyktQ63sXps14a9=e%%NF)_i>MyH+G6DU~{T~;$IoZ#k z=0o;uy?8hFS*RtPC5@!GnaA!@0jE=Gxt8Wa6fAsdN9N8s%Z)zcE__J(8X{vwa*y3k z-sar5XJY5WMKN5>cJ$yL2YpDz!YxM3^y^$Kg$gwM~NR*MjPZjn* z^s(pqjU*{K-q=5PD#4;40B=Er+@7hDJ0isYf~+LHsW|py0iY0#u6MHZd@yHz>XlVyYMQPiNV(lm_Au3@x^Xm=RkYfe=rh`JZA=M<*W9oRs?EZRRc&mnx{ zD%U%+A@1C~#%+X=PJ((OS=cZ;T$t8^Wyw2tI=8HHZtQAUl|HoN6oO6lOsl6&HcZp% z^jlc>#sZ36JS`IrY?E?mS3k+T&ta>IE#$R&$($5P!<477U`KM>C_axVVk({2fc`q^ zofk{}2}I1D(%xd#U(ak_xCPn(+}5{Vyq@Sd3?=hA6jBbk7^j7i!&y8-aTK^@>ruSQ5b>$W*|uo~hM>0{Eht2q3eTE=Ri(J*!3c2zOP0e`_8lG_WBt z?ytZftAp0Y)dGETJSqn>5y4zTikh)_pJ^)P<_Y$?{%hx(b%m*;Q?zVRjt}oC23RJQ2D3{HYsM( zI!~dIVmvzz)YDfc@@LhuX1g>z4E)^8=G}PIu-vM$gQOfeapcv-YtgXCnX+cEBH};sn|>4vTUcZ0$0l|SK4VmET)x9tJT&Es8z#7f?5@+7re(S&l)eNEf*2< ze}874XS0j;_y7HPX?C8uo|!pw=FFLM&Tu$4y7d0uzcQLghyi>6&$Vj`q%iOdgr({6 z5|&`@1%i)@;II;N$8cZ|p?h|yf$sWYV@pDF_?du+*O1&<>co?|lgMpJOl}iF|3aWG zjph=YPIhbd8by11KjKbmR4-)IL8bhyVVZ% zJtufm$3Uri+Zx`ViRKymzxIh%+}38yQ)AxnRIK6kS$@3X-Ne1(g)WCWW*cX^!?-%)X zSm15^mEN}kIDm$x@K_3PZpq-i(q zPZ#U?LZ}4l%YIf|qy#)HPo3oQS1XU|e8=q&4C$|RSVRu5BQ}D0wo-ngqVnC*7Dk6` zi|;jGE_x$G#_dnLj_!dtB6E4QJB10jyv|wb>5%9weSXsuk<8+or~t3*$t1rT`sDj% zi4pRMy{GFfTSG+5yWc3?JoFql3m6r4r3L*w%^}DRapL%xn zciJZl*dg4^2deHNZYs2f&ByE1t+Mj`BSAFWlTXi^$7VVgF$nR}2X5lWJhg53dthD* z%<^ALu!o@D4JOzH_&14Q%fEF||G7a*ci2o3GR;(`bNLgT3x~b!7-tErnZ{2#2C(w` zcFUEV&Dw7TuVo_^FuKpiOcEy@s0Bl~ zy{kfT3vwlKlQ9ogJe1)GrEFAQfTMStZB+mJ0+BGP|9yeFFslE3f%-72HebCPM(uB9 zH)xQBF%cVsfg;vN&0`s_l4HH0R127y2~h?DtlB{^AbK{TVs|H4l!U!MeupBHEx6@G!J?=G)5B`=r^p- z)tgM5&znbSoP`5i>lE0wm;7-&F*x_bSZTl~o6Vx=JlK-yLb?*d#s3rdLazB4DsvwvB_5coU8z8HPa7DJf05izy!%z1@7@{uH2IOu_phAqL) zY|5kSi6a@S=1|$pd9b3^Tpl(pYOQWvbX8rpQ<>T_)2i|RR!_wcnk#D$#m6D2T8@08 zDfL`gj2^HT3FcS^S6;0gLh(|_ZK75wnBUwkSMSX;;+aUQIm!fZVBimzO{wN~bWxfo z<0U7xgz~%jcl?hIV^qLJk$q4SwqKje>QZeaDT>Mj~-UZ zJkvC>iJjWacJ?TLXvpEC#93$NVw?==Gppx4Ro)aq8SQ=lcRvvWH=$bZI+q_;)!jM+ z7?_{&yeG;@Zn=}X$9#{2hU;qi=V#-6b;4||O7B=`a;LWNc&XpSi7Rv5?2K`AlVBu$ zR14l4$fB$2m~8I7EP>;WZjvIo^rMAc>r5K73r2Beic zTvX)oQxFbf0lu3aYaF2TYn6VO(l0Mc z=g#WpLjIeTQ3QB~^eA3F<;?xt6HCRD!QoukFfccuxcuca|jCcg4!C`sXW!w%mMwHBwJ zw!`<<9rKSb&VPP!dyW5h5%B+5!){a_QoDz1p{&}qNY0uXOF4t9xovfM0*ha zha(wllaAacb$kR@Wv9&6akO-eJ8ogpe! zOy}nJLjhow*0|x118|_^C2JO>-mW*g%U%9Kx&N7N*p(5d2I#Uo>BtUw(V1KRL79JZ zJm6#?HQSk;pgK&OxJr#1yg+xXbDhKkPI@9^kJ?i2Wp@6OTc^Q|k;z$DO7+RDdt&QC zAf%7Z!eJ&FJ%|IUKo6W+bvM@##gH~v<9{J@L47DWk~}TsE^v7}0>ezV)w^?jlI*wo0gh;5Zvh|&OzY)q{^}Exe!cm%!?O@;}OPu_DN+4mk(|{ zySKp_5gEW@XO_lAo&VaeHubS*yU064bs})zDAI6Q!~#JD2JCL?`pvt@oHMM(hHoOUP<+ap*L^LOQV5yH~YiD0fVQK8=)?pH>7ep zZ-9k`e9aDtxAo&oy~m%=a=w$3pZ}*a=OaIcQasDYdtz?T~8#pVx^hf z`m-+PPtcH}Ry>44h;* za2=+W>CXKB6Et22!iLTMWCS{?EfurI(AgPmI+-pWO<(AiZt3fxb*9~*v+&qi+Imo` zr=E+pNXJ0Zc4Ah*;JPEvchYCm?vW6xpXv8%r*jZZ%{$I`4$ggz;4rVEc_t4nTWcyj zRBINhjHb&ZSfM+X(O5h)odv&wMF2M=Z6|i8#j(`mO4AcUUgJN`V@6(-aA#QQmnh9G z?J~tSOJ>bdukhatwTD1ACtXcnrDfWb{Y{WDmR-7pB7qD$8=dYt_pJ5DN)^pgoCr?o zfxk6-y-MhS$BiX!1QrSie1+0)b83Kr14ngBA?D9as^Sz4rS6#oUFN0Tgbg7^!O?@w5fxsIa#*DzwKqhGiDCeI}GEeil zBbjT_3n&GK;ts5klz zLFd2M5^RQSay7IY;5=*)X15#^;8BeqHZQ&>C)zDYkL~`Jt;e7cUbqaECr%n&xV%`y z$#lerE)S87n^^0bh1Wclh1V`pc+2*!^l9f`zeU$FZw6OZpZX76%Z*j`PhEflRI%mn z@ixu}{s|#aD*;NIo1oSM)agC>l0_k}r{hUJhWokTyn1Xl@eEb0a7VlvFGYVF9dYj} zApQ)=-B`n)^15oaX=6;FW>4G_%S1Qg)50CGk*lmN*@*);qG0f9j7zuHhNox!EjD6( zjJY)H%SWY4$9S(X!OIGdU7+qf^A+9E_!z$CP5-Q4unr8S`tP8hW|aPeO(-`C{dt}n ztARlG5p2nx95H&Fd-0L`Sc%MfKMHkgUbr=i8VvV;rRwx%QgZ7sCw%}?WwRgU?x$dK z>(0)CYNDns&i&DRSK!{ne&4`%Ku!(C#Ua9ti1S;rXVLm=&UOEbc56VbO*#~KkrZAp zClko``t~2`=E@+ybuKQJAfVly%uiqM@2I{EN)u)a6AxBmn!1^*Z`%nF2mvDLgP@AJ zj|tP>g=$YsN3ipRmAy)`dGr%k{!Y45mM4wsk`t@MPXbR=+3S2-f}P%H6q**mI^sFX<&Zc-cr9!;@`)z1i6w_^I*NBgbVE^WGK34Yv) zxKx~)o52?X69dF~rd0Q4=J~0Lr1m;jljbgeyAqQ(_M1Z;-DzC&iWJ51aU-U#K9<@F zbv=vrD``mD6^k|rN)$J@sPL3ycr|3XUF93SCBq4DH4qziqgW4($sreiW-;)GD2btAIawA^tN`;PVUv53x6yf!+mDYbQ| zvp{m`nB>CEb+Hk=RndJ+4FEu&D^p*Bz}}enPYty`;JuJqGbGj0t7IZ-{5`Pol0q_e z%0!#}<^%Q{t^nehSNi@HDzRR|0tv1SbAM;)Q+=(i{?T(x^{d{^SC1Ggo;5sjjlXme zI|9{5!kX0#X-~l#Q%9BR=y$GaJEpF-D8-NFsc^?U9ffi)r_Mu#Xa_Hb)AE$FPTyxWA?G@3E-NinnkEU_GA|I89Y!hPEFutTJ z!;`mVwzp+o(9$#(+iNMRk9yZj*DeV@qPZIgS-wo~P+!K{a~5tSE@rf?Fv1Arvm9o$ z6c}_Tog|h}b=(`X^2`Ax9mk43dX+!lY*xhSlMTx5`gR^=0Vtjw>+iHcBde`XeAj2@ za@|~IH}$y$iCYPS2vAH;>-kJZX0QBe2;Jt!$3)S>yrY$B@lHyMKI90VT4SX5Y zrh3wIMPSz_{~1wb8l;x>0=3g#G=ewbq}{SRlZIt7xuqbo-1+4SzRF6*K2H&C{B^9S zM41jYw-|%z{0UPd<8&fNk+TlrPr*Ucz(-WX%6Xgxa|7U*emh>7^$!u1O!aJzHLRhj z+}}Z1`oTP5t1+hDboNx@ayJ`HRzE-<&X9bv9BS3OB;=5y()*%ZlxOXg$YTzf^{J;1 zp!W!DTG!`PO-AO|B~^B8t5r((Mg8)k)YH|u!-xs@Ghpye$AP|em>(^f_bvnfcupRY z%s!oZdiPu(L?g`48mN_Kj4U+fJzW)H)9)dfO*BorEG}=%iK;Jc%0x?&&y@u_CN>=@ z)x4)Q@c!TTDAi3|`gi0ERWW$OOMcB*4wGR(Al2ry(UP5UX56{w(z>?NuiF|nJE@B) zg6$*+ns&&#%Zkct)wg9fXP!2;yuG8eepHR~;0?9E05&(fNVkY^3(h?!o*65Bv8~}# zXThEHBxndRvAOF1w6C2*XS!C1+mNo+w%qZc)Kq5HT_?SYPxcRpmCAqThj$ zscqo%Yyvn}O3RpOF=f5>uajT$0_!v6+?1}pjwlD`f_%vxDZj#jE`N7iKx1!3u{MjenzHIZxN#cEo(UoTsy#%`!GG#aJuWPlOA>yq4w; zhPYDUiMGOHK}GE{uZI<8>-|sW*<+=)$bclgl-tPhq;S3)CNbYP5NXHT63Om8SZ}(u z5|Mn2!~j|D+acd`4*8G>C|{aKsX+x>!G6@5PxzmLgasIfl&VGKhnkP(fAs$ zM&&9ziQCt)=JNbA=2lmQan4{PLDRrppzCITX_Or=J=49}-OS5^O;vtZQWrY{LV5wNadO zUTd%$zFR>doU`->gJm@AW`@`HaneFS`B*JU{?h`=3QHy-Vo`SxJxnS!l4W7+!{ibo zF5&mG{bgAG2SSh{T+d3iZF?Wa-L20fdvJ5Nfk8znrD2No=0dAJ$DC$R@3L0|)Ds%dyt)95X#*5QyUO6QnaYYZ2UWl-@p>~=h*mzZTwS;pP~Fyh==Z@>au-;aoP-ie7M#408I?&eC_Y0 zTv4W0RpAEI>JNc4B_=(!WhVrJN;@O7R%tEl{r&e%+%Nloy1*!3|GG=LSP=#HSBU5# zqYJceX@eUcK35MrR=sJybX_8efvH6%;2-AgSkL0{e1?^W@!-M*;Jl9(4JlFpPS?&R z0@43b^ifBM4PUdnLoTZ_E92SuS{F^uJ(H&E{SCc8csX}hG3<;4l<;0C%X_k%6`0?b zo%A%eu$JsKNup&zwL)|SDPH#PBE*S7I%EoKUx8Mjlgm4thz#Cp%C_q$^;DdfLrb65 z321un+30sU_q0O^7cHSEKWp_<`h3XDz0J=h`rS5^$~A zOj18+hYy~I9V-i>oJT)7qf~1!56>>{BAM22wiUYF$t6VSACZ6LQ}ya!P^9A-jX_Hk zbN$f_nf^JQ!`SZuqg^^G8~kw>S_PFC;4owGA{rdyp=bUs1iZlC52PUiR&nNsjZ`)H z4N!r46T_-Q_>!)jOiM&gR3yLE=GPhz+MSj>OKe)5(iG{2`?<>{y4QG0BQ#emFBiNa z`@|*7*ylU;2`92?X(^TKD!8P3ej2<|C^&npHgcwv?R2Ss)8(7&X(5gRuifIaGZN_X zC6GP&*UVwTrM6UYHGbI?cOFK*SKoLOT;xx1C!vi!q6It|JJ)?Mn=o69QA;)|5~I4> zGPuY3)bE^4B@n$T(=wa7e}EeGTE1UOqZ$nZ9zBiFy<<-dwiLE^?N^_|!po&X4_(l| zcy_|r)oI%~bO3sYQu2DG@h^^5ozJguVkk3>o=#U{u&z@uyHh5fUuwx-5J8`qikmh+ zA!&`1{<&Jon!A2;b)F7(DLiHNyK zJr~`)A_B0uuf_e$20ROON0ZMbn^JwHuG0ed(e2KAt_0-ebuQ%zB48yEqbXw3>ZFr? zgGC`f&&hvQ;gdPB6Th}y5Z9getjcd*A@-9JtBd1?6vn~7D_=>JwpVXjQPoi;cdSWw zr;RG)HNHB8O@;a(pS(~(T?~u_EAyTts(Ri#{H-E-xfx>3m5zQIXT8f!`4u+>i4-f?OE2G`tUUK*ep@ z!(t6*MLIUbvUAx;4o4o<=Co|~hq6jh!Ci}z9uT`#*;rL-s}BCSF@MBOEfeD6orYwQ z^~9Z7w;n3`yX5Qu(bn*F;y{iHvFx6g z?O}FI^p3a0QlD1EGRIVrFzeG;hJ+}vTRVWx-C?hqvJhwJnsKKR(C29_nSa!t#0RSN zsh%=+qs~`po6#c$*I1+od`w`ZYVH`XBKMX~%iLuOWrx>t5*VCXQ!x!BP&I5ie3pfu z5~<6~u48cWpZUmGu>T-N7Y$2271=b;?9dOL$f!E4E0X`D1zR6d3->SDIM%%_ZlaZa zRdWv4uuOO3=C-tHnP%N-VYVzu!MGLC_cTzb9+2pW-Bt)(Tf2_ZZe|i^-XGFW2reGo zall5H=Z)(aZ9@|Pn{D-$+9>7K2DAJc{-v|W$-h5Kf{NA)11it}suQjXA(U~_H#7DW zWfYB5M)>X55(iV9fWdZ=Se|26edDZW%b9EvHl$tXPPM@IM*Yg0Og6cMeMnKRpacyo z8K}Osqt=Z=UwnhVcB;18j*9~MtT}6Dr?-n;ujFYo3b>h-iQ{ducYp0BGQPP0GRi=Jw)GKR+navr9?SBPEgG6@qzBnL~Oy zJRh-dX@K;PT_@+k@Y;2N_z^VdAwD<6L?#K+BZ=ISYQwA}vr2QT;jrzu>87@2ZnGE` zRP_7L(kr9J0w+9ep-7A4A{W$Yz7enV4f~#;btBX}FGDslT0 z_pG?UaA;iif&LO)1^ioEhGQoTO)T4~sf*bQ2g6k=KI-?JV_D0~X(Xfs*=5Sx6x=8D zB?dQ&&2<)@OBXe5H?SIEmukoa;1||bYoyiTsGB`>Wvp8)1b3@PR|UV-!LKcVa;lyH zRYgB%@x;ePuzb@hLQbqDdoQ`&42%o4x;z_*ma+A5-fS}A50ckj21#I@`3QM7b|k!i zt-Xp;Z^$n?;^{4>`XQzO{zHrGr$Ca0#}7 zxlIB>qRB$3cYufe>>bXeq0^*x0RDv054l`ZcnYTuN-h%cyf%9M-KOnUGb|A{Z6;K_ z->X8M#bojqVtHioEQ9tH5Lo1zG1cFPCrAS)A69;F(o|L1`4X6FpyzB}Q_67HjJrwg zIrFa+&SE2$y@=atB%Qk$91b`|L!dj+qm*=TqIS^9I%u=zMW^*|TIyP}4OQiM@}-Zf zm)(UM({odCO%PfY&F;~qD$lA{{_t&kK0nqRpJ+`|IIFBAJ7!#1&i{2#==-M7UA0Nt?ymd}>H240TV&5N zHbOrOvOdRna1a3+bhFF+V}Pjqmf9rQGp}S`|k|5qAf)>F7r!8E_&(f_uZo;%~)SJNV{s{<03)1Da`$zT755d9XrlD$gzO@r;f zIL2VRk3v?UmR9G#e<6?tnkg31M^h*2LG3KR9q*rb|FPBD)BVS|UoiUdRj9E-!zN{I=;-aYOyjiETr?<05G& zx*Z!!1mc|~3@`i=p5yMSjUc08KpqqQ*V=yXG+<6`8IU;IAMwgo)Y3{5LqcEub+5yj z!uDKStBPQIh6I*Gr)nRaw@U5x!x!i|OD{3=skQw;Bnjr}VQ1-o3Sbe5T`f4*yB_iY z!J>`}mPrPduB6jB1GHs}ur=MJYAYH?UPJ5VUCA|HH1LAjqR;9t3u z%m!~I;`EOa^m;t+VxoCpr%N-rm?8B$(eJPWg*lbj**vfsHUE^Cw~Bmr{?JsHLx%ou z_LG2E?5Lxh+LS*msMfcer0O`#QT+Gm{)A;pdhigQhC_f z_jPEuDT4z0Bg4y>yckMp==*FJi6d4 zxSzj`)8KLv31`76wB0z3KZ)}ir!L@UGHvcmo3wHr$oy=y(`-X`0t`28|S#bkt($+bXCQ>Pf@&E^#p~V z4GO=c1F|W9ye;1{1CQc>J)VBM-ux&(ac}-c9Wpr#n>!zVB|U;OjPRp>w4hy95?uXC zCzi64DN81a8uc$u%4EW{tW0Br%u$5`1bk&0F#B z0Ltk>=0*H|TbF@WU7q;!iNF$8Ofb2CO1|E3Y%!Y>9%{!^@8Z_F}N)D#g@r=8h)-r?zgf!2L0k*72&f6VpftwtQ}O5i?+TGoT}eoVep*M&iPyyJAonF}5m%GwX0mj1Vyqlo8!)p`{IGwlZdkcS{ z1Gm3mY9C;0Z!N5SJhkJJu5bm5*Go0tIh1WE;Y^#?csZdsoNWgKk!qZ3;s+By#>C6| ze%P5&1NZm__@-Cry#JSV?2KOJp|;`wa1jE5`{$ztyy25S?eA9Kiy?J8{9lH;4M22* z8-}OEEq28(SaWFHtMqp_3eY!hLIx~~0rs5W9SJ+Y3^!#@t?(CWR<)z9wr-x%mqS66 z0w7rm$Fh$JPk4s3s?7h{G)R}ux!EE3SJ}{n%Una;&0D3ZT$O)5LJfN=^=|_`bDyyr zZaR8D#^Fyu#S)U%_*=0NtNncsu}=!+H0v4vq2V+FU$hxd)gKFidiZA7>>cS|&^6pV z1N+vo-spOHW*F=LU_6QFGiZ?@qxunb=&{`vcC7~g(r0oTF)C;>fVXvqn`9H>JCPx8!mj{1xQRS-AlWNXAdj9u9diVmGg~G`9^DGQ-UHGRkE5{I3iv-f42R zY-ZwPkj)ixe#?N3ey6|E(j!?%(V`4pWYEZ@Uo|;Wnt3X~bpio;RN{YsA}m-yDC8M| zSWBh)eez5qAEmIy_9~y-3k^q^TZbHEv_`23L=j`Qv-LMEt77F!M@?4$8~jUF_VqpX zeR7E1J83e@P^1_B>NeHsjXCUx14>ql{NY&CI11R{A4!qbttH>rdl+UT44TSR6CtW; zjw$?Rex?4q88?E%n2d`w`Py1-VBOKl>KaifgmC)|Gch>oo?`GVKS2N?+bSr&f%FLHS;FrKW#;eLQT24UExtY-raj5yFI@i|~or;rcTRPV0 zVz}NFLvW#oAkfOjyt%u`qaG)LqrD63`g*5?_xFL=v9GUv?4K!~#2>e*Wk~IT48YYm znl5#{V=%{FdD&36;mBHN!ESV~|31O>noBt{qE^SNZGKbgW4=~83!b5prqp(jW+fpU zYgfe^zPM~%OT&e=LoUmjMq}PpUxls4GTn(WaIw-KqS5l9wQj?|F8hPqFtm2&t)k!T zUZc6b#(oA_9h9m!8`|q;D{7DRTE=46LbDfBT>G49;8^d-1{%<}n6H{3^2&w^#g zJyJE7SJWB>WpjUFqtqBKwsWP_7u;*`Rvju`PV*DrKJKP+h8W}XM$WsOQ}(26?hR4Z zLjRjazsD%uXhn$*Wh-l@v)^aWu93+LuVz$M@!c`JHx}GK)}<=9pEtHdX^An}$`1)6 z+Q*MXrt(d~kPsf5Ei0{jkq>SUpK-HuBK{3#B+fu<^|g+t-RxPqf9u$-x1Re<>bpCv zFOqGpNmbs+XBF39h#)9>T0zks;XfKj3_==MnN(xtAJ04iQhvcM>CeGYAQUChg!W_) z8RVjqr<-H#3LNTYcZyAU!B{4hzUof-OgDdj?;;y^I$5`FM2_d_v}RInBqC&98ThZ@ zb!ZkAg0bvC&Mw>rIO)$-Ij^C+Bj;2-OgQQ8^s@2)TyAcjXGWB*uYEE!m0$;JXm%OO zo!-zA|GcxR9QU2!Z4}qq^hZ-sA21V@Ky`pymIn5!PH(r|TU< zZx9%b;BGxp%c!DO^&=#*UVyV1t_J5qQ;#BqiJm+t$uFfbK7}tw z?V1g&ogU0S+?>DSz-xeG1N38nrqgjf0JUcPQC%Ta{$aq>?6rJP4krh)$EmS7@FlGo z94;PuiSPpz@Wd!IUdr%T?s!doM}F5?SS2XDVRf{XS{^N^?=6-x1v;J+U@=@DnVkkL zehbxu_Y^o=xNjnd2t8JB2MI0!X6QC5XxhAr;bkK(RWsmH)4cbX;;WDKhG0*&M!MfK zcanRQ1rf1ONczDUw;xZee7tEM7Gr%^7Y*dXrR+uw(jr6z;K{*&6U-pjbpHMTq+yBx z60lgeLtXx0Kr;H~1&ydtV@4mMGQDv@Qh9}FdpfUI(Z_L4@)7-MZ=9@zU z(Z6p(|Ev@gy+uVIHM^#;i~$g-Y^^%pJ9K|6>SVs^EEq`F;td}<3%@3#9cz(Ej;V;0 zgKsnRd~*mB(xI}CIn9{6k1((t8o~nF`6B{I;1uxI1O84s4g3`@+mVn~@sYKl8C*OU zk}a9H4ZQwmr(29h@C#vwMMfU-cR)56teZ79jW%_lDvmW4?nk(wSg4l;0wdE_fRC55 zOxkL44W`E}q3Qk}$2D>p1K8V++O(z26axt~b8a7_kZK`{_xj-z$3HdgoUMyeOXjqg9Xq zm{EzH8lDh8YA|t9f8AhWNo-`5oF&yVtd3E%9yXfpjY4+uA2W*h3Te%3@ozs3#834h z7uW{Y6RJqGN+U5nL^$q^+1-vw;;wK^5+|~2#%tm1?4WSX3F7^PY78fq6DMf+Cy4N2 z!q3l)rl*~`Jxw;Q_`Nw|i-k6ziTSo%b9eB?HfK`V8%-)mX1=4rcZg&l9qAeCv2x5J z#1bHU_g@MSzRq9K4#Yw*ri7VTA+{D9$~c;BFwdHz7Wpk6)uoNEB{S4I{_?YvH2K&; zGjH$5y@@NOVNr{P7{e{fo7)GB>Yp#zU>NcBIKqV+2B~=NqphJQ0dAjM)uvNk!^@iK znJ)`LYXGG#mdP1?P;>W;pOK1Me*+i3D$x74#pJ?))kkgKkzHyxF5|Qfw&~j5VXW`4 zy|qs2Yp@VMzp(~CFIZVmS;}$%G@P@!}|l?(da^*9QUS#&S!p4({`n3^m@o~ftN8@jWYl5G=dk>j%S46dHziN7WcVLcnHN)==R6Q z0yLMpX6t0b6vbe7g7NX!`3MSi^u}2J`-ZfOLZqGmZzfe`OL{Lb`*d&!lmBKT=Lt?> zLkBR5|jL_4kQ`X9*K{Ti*;!68GlP)fj6g77o!)xcgO~$LyyZ5CYiQX4o+S1=yD}S;j zcG&9{(>V16H!GJEHm;+WZMFIKN|IRO_?cl-$i z3LEQlGSV~cBfrR?WDiRjc*ZieEF43z3A~T-59Je?XWYzlC~LK4o@J~GpDN+2xxx@} za8v}>U|$QGK;B%@<4p6AFjd4F$zb@o3)o#v6#n`%E6{xq?2~okY>sxEAg}C*n!B4L zK!JGX8P1gf@^t)+kQOdl`_>ou@^`S~coDfY&YyQY@Y{Ws*G@p_9K_RD7f3A;QzqC0 z@d_Bh>ZHxd1aC}~zok}PHKdeH3QK1QS#x0!gJC_dd7MC#2yc*Is za8`6$W8Z7D4sn*AQs!M#Qmg2#edV+ETHZ6rOIMfFF8L}ma2X4_1Ok;*kGcnLM;u|~ zibO?ANM?yCIj!V={|d%gmvDj&?#fy@oE>VkFcdW%ze7hM2RgNi9v-TgNzMY@e7YVZ zY*vawQx%G8)ccK0U=!k59CeWbwi{bI$Ua+7UVcM@{L3HOs<-^2JYn}9$vEm78_-Bd z&)FO=r)%GQ#2&q!{+ERRA>Kxv^3;8hIvDG zVx5=i1X$+(Ure&+#P1D6z(F^<62l0n3yC2uS=9UK*G2T}aa`8G8~b}Mz)7lb2} z*f}VHskso+t9*EApvJ-cT?UJbQDiPEoH64CQ!SLBZcZgHn=xZqWg0=dy;92cz0Ch!N!?@N1?afPYd%!6M-gkJx70nTQFI?r1fIA-K^<@N4#Q#qLi3ha+8o#rovLy8hSB3kVWq_|S@60h;8SlXq`U6{0QOVy+=T5d0&|r#= z*_#{%Yv=jjvUXl-$*&#mdo`nKetb zk`TGkDci=mE_XP&3iwy5ga+}x2*2fH{R`g=_%AN;3>m#swUeo;$(l54A%OUrM2Kot z?+*fe(UN=-Kv$QRtZphTX_6B}D9!S+rbiWum-fa>-)~}!636lII4j|B=fRUpSqH5p ztOC|T>Bd&CwmR`(i+3SnRt?v4y0|Ls_5EWu^&P|hKVm*I9d{ zxHR~oY;_CT8dKJ}4bLa`W@@h44{_FTRQmmr`!s~j5t|>j$#mLph+CGZN{Gy}530;8 z_x38h0O!gXfS`4_yiaU*1ViQ>|9BuXK)s#&jwqT}IraYjRh1lRSJgpgUP4OsZ|P>) z)r;qJK7tk8`5Iw6PtOz50Jmga7T}XwMRlyAafU8I;+f<~b_UPZI-Pfb-zK&57K7<{ zx2ck0!*zVI8*25Y2vS>J|E4mYLmSIj@4mph#WP35yi?g%W)sD?@|v9l4$}nOY?*Mu zu6P#uf>!xS3U6ND*I$3V`T70U z9GK)^A_q2j-}?@^P;UNnG6|(`!H>wiPp#j>c0-wz1w2K!1gZwjoaXvkFFQ;XS~R+BU#RckyZ0v9s_b6N!QTwL~s<77jMwpx;@1 z%l|}Y8v)?j@Lki=|HOG5M0b|V;`bXlNRJVL3Hd{OYY3`Y2TEvD*vHn)M*p|42=eyk zQG&JpU#Gd1Gq@qi-#X$bDr$!1waDAq-4|iah!0ylx37tqn0MsRe7pW(w3myR)o9Sq z|E}I;lw%a|k?lneG41w}yTynw;2AO#;H@MYoG>=mO=M~t9t(Cwc%0f+>2!`Kz))=3 z#|*{w$Mp}z0Y}o-AM3ZK!c`NS%Tjp$AW?4a*xXMg0Ws(-2-7%Ro<#+}-3NL(^Eqj?Q zdu2h{YL(qHY!Cglb<{9xOlli1JKt$~u_y3;N@Wbj$+rBF1?ATsL3vqS0q?wR8!3@E zdEU0q_;orZf}+%qZK(kTrT#~yerGoCXnnZ)9?*K3&GS%BdS{YyxASfI9{(?(Fcp0` z+|1~svHsyYQ58*6Mc$aZZ1Qad$v;qXgH2vyldmpF-d)Li+vMYI^5lZ#e>af44JfGm z&F`4Dn+lR&RPyUKIcJmiFGzk+$&cFPcWrWcLGo{ue49;v-zLB3_IGTylCQSOQJefk zLGo!zo@|px+vGb6l8;bwlTH3$Zv*+lg5>Wgd4H2!dCcAYn`7?*WQFB?MutJJ<vvSCAg$i!9IX*b1zxP)t znNzTx|Ng5_HxoJx{H9y(AA@n%fOoFE>F{IUu0Ux#sjmWoL;u?qc_~AnxP24ih+WV{ zGQtO|%gtk|--RElUWDxH!IO7Aa{8hP`|&;myP`aLR|F@xI<2pieNj@kaU8{41i}C| zx88-^$0LL=yfLSPomMwT%6lJWy%-1H=Kk}V_2icF-}~tQ;rB`l$M^*FH_9EI4pX-i zmratd1OQRNc}NDsi}~ar#I5{3)Yp=or*tmrtDC%byu$fT+lM4}e9+eLiG2Y1;RC29 zPz*d*Zb4P`UTUtN`L;}Vo(WH?5&bK0ZPA@vWaAXMBnWmVyZR$VJM@owO~<>VMu8}E zr|H23HHKXe=p`rKSEYJQQz6kD*&Yo5q@<+wb@hNTjzM zVFAziKOG6iT)Mwm3#B)NQhc1wd=0KyrF=c)^|+9SeSZ3%Ij$MY2K@io!nabm;85_7 zUvVf{UQ{^u9(xP3ojX(8msi>Q=l->Iu$s=+^giLgK^bPNpWl~$gx>poaYFLP%=;Gs z9t(jpFO5Rrtr-XeVjYMbQD+G3N#@v>VcmxA%LZ^Z>q|@xvjth~=MDa|a!Td*f7lWVu7PaoWOlO-wAf6-`;_>2;e{emHg7^=ARUEC!&#abpYU|JKre%AbH`3{sMDj+>O_X3!N1D9WTR1E`3pS~))Ccvb zh(;V^8-kM4AZ&Vw4@MJ_Wk^K|Nk)>YAS{+#Kso{g6>8@wX1K`k0c4^Eg;Lg)i&Jv_ zJ&9p4YT+jk_^$x}KUW#H^6lUSJ*|O!?XswO@7x?S5zr;D%;~&dzz5^~4N{qh)zC4< z1NKzD%n3O-pCnY!bkI(IWCFVw`n+41E1<7L4Gp6}y`bP8xkso_^icE?<(;F!dznHV zT}=V=l(nI$dHyx5;@i9ZEwd6tq4Z>xC4zUh^Yv)@|LY73FEqfURN_Ef^fG(LO3z>%6}mkwn@q(LB035U7516^mujRjSZI zhj5XQolCg_vN01SpSirfl#ilz&HyvPFHve!kf=dK@n*N8>{uCE5bkFNZ)Hkj@V2!d zZ@&ff|L4m88=!yyrJ5N~DiC+?Ma{by2c)7P25)~0Y-VrAh^d$~&V)2-rK*oRLZ2i~ z0|g$xoX6v5LOiBf2wM2mc{mum5d|(6j?d73;KE#c5EYP7<5cy(;&Gm=1`I;<|I2jI z$baqK;-b;CxSXG70o*_JhQ@VnW0wMt^ZG@hejcxXnLX!Uh40NvAHk}Zxr)ewEeJvdxggdyiuDmhMZ&25=gR8BsQ%~5ICZ9UqE@5Bou%c|GO4vR zY-Gq~i&8o^nQ-}{)V~NL(}Ien*4rTR%T$jIa->c9HV9csZL~q8JVupX?S_D*q>~f^ z!eeJiWzD3d#2v=g=3{FLV(Y?TN<|7{56Q<$N*~s6Xg;>KAolzDSlyz8d7+VZLQ-`F zu|LSi9#RlHIuDsHO~M++=3{je6vhVDxb!Vr5F5?sbqiu!@~yQO#2%fGm82xB*Ui^3 zsUS9W6{iBfmmuS{9*K~mHixGY<_cXFSksLS6$&o%Ci z-rb$DHkP?@F_k3#9`^bxn>Cg(mG|B*{ff$Serx#OvKq_(W&-{fYf=B}?@3-NV@>#G zYoxU+?ZN|3y$!y)+w?;);%jo>qyn@my&#})Q2_3qul7xR_x!LwsV&Y`>m}Ev>xn_- z29;T(5pDpgN)o$Z>`_Iba`~U(e-!l#BUx(A_5FKw;ExdPB1>pcSJLBilich*TLew& zsw$S7SFJOc*SUtMc=my6s*h(MEipgdP5el9&c@iOhIQ?aT*<4UOg#JRsQJ0oRSo2d zl1qJ3u4*}TJEg8=#Fx5OiAhf}F*uezxt^F94`&jjkLwZx?RSK;OsxE57P%CG5Q6Di z1`*g4`3}Q}vR-j`OZrtPkf5jI^2CFl*oi2=>+ZLLDtTUkN5q9$)pW%_dmTrKpq5%{ zp^Ctc_btD+C` z2E>dKCo5{scBUC4iAsMjA)9q%C+tq&XTDK<(lvNht6WOUyQ;j$w93QoRLtBqzk+VE zcVeHr`4t>)$wFrnj_TPv0=z<`*HXHUA!*s~DH(tx4!&0#8NT5+EsrDy#HYO4R=OTX za)|+21*PaaE$&fw8UI7@3(2kHy2O5%EyT-tKm+rgk)Gxs7ht8a{oZOT-O#q*r?JxK z5HhRN9gEFHg**#Z8xKb!*|7|4(Yz*hmZ#equ7{2ZY+#K+act}!YJ71xe$5vH;jT;o(nB6jAHwmTi^6(HMxot zaPm1fSsWE1YEf}iEm4d6qg=Xplho#EMH{mkR^0z6j{TxA?iR(dTNK9Kra1PB!nh@h zW2Y#L`@Q1WC&D;=js}!F`$19ESfcJNjyjU4WyMiZqPqH{1n(M^W@iZNho5^&QEUrg zls;WbuI(?Ws5nvUi=*0!>M4$zNR(e31@)P`u{i2XqVPAjYO;;)=daAL!rV*BAZ?cX zjG6*KQ6b82qow`c@hq~WNy~bek&p_anOj(&B`T-!6uHO&$ZD4S=x32Wgex@t6NI`U z;kYJeb8=Z_atng=vJ!g-@_)W=PaEwjb<#wQ3iegXKD8&1CCs`xWu z5H+-9&KNQ+bHOeIW^#_4@ZD*d<04eLKb6)J*?ds`JV^_giRBREE|f*K4DI-IS;_r7 zJ>x8WL@&6;ya&=W$d=S@`RwlIXi^c~&F(JyKD-ORllEIy8s~TNGy6@P&hPZ|XGUi5 zJLA$z&byS~+2>ponWBx9V&`0Z@g)Qo5llpWdM-f?OytsziwTOmikyFOgy0f_Ehlit z-klN(Uv$Y-<-M2S_jlfT5J8PXE&mhj;z$1ouHi>6Ni5 zwE;QDdkUNe8zkMmR#jym>7i7c*D-w5#}+fgWWh_aPjW#5qqWgCb3;KhR7iplfqM01 zUD&=!;1SSIiX!HqUeQrj9L04}NAW3j&H$op<9VHR+Au!8QSi7;vqQN_o%IYWrz zC{UPd7ovjWTUfA~C>Cj9uHA^*tvG5ZQ5+ZwbL~OY9>q}@C3VykN9|42-UU&-!}5J+ z>6IggOHs+jyQ%F}9q)wj)KZ|9nW&4_GZlpm9z@DPHcIDXQy{DkbS|iFXiy#1@M!wS zl!LO)i55(t%AwhKflE2Y+stxmdo(D=^d%Wv=6#KsMI{Gk?4bmWgaAKdf6!Eao%bu% z%hihbTp^aslI~P7|BZuD==RLRH!z*}55uOg*q>5f9%|2{UpPx2(^52N%6$JVUL(XT zL>N9fXg;F1;tTplES#Ug=;Bz8#{UJ8DN>9B28)Re(BO=-mYI&9xe|F0?_(BFOjnl_ z_SuoCZvIuHv~d^Ay(dC0?^2wOaO?dW!@ugx4Tmt&T-aLpHnqA*Girt=a&`Q>EtL#@ zePXCw6~|eunE%!A;^p3&cjCUa-}enq()SVen9DEEojha9_R*aDDX99XuDBlVy zEWDR7QEW=c6nET|kSP{zN_;|txVbR|H>``*Gbd6U#UhF2Fx#_Mmh#_#_!^V5uN9*qBv53$4ZEHxzwq`NC#%9{Icm1 z;Nb{e2}%hDsqv%SgVyj6nUZa3VlLi=pp;T+OTg&OdiA4Xt- z9G7jyKkpw3qsZ!e51Cl`dGen(;VWwg`Lk^7E{c6bVZa*#c-0nKPJQchQnmHJzmKl# zqJ{TYhTb#0MiMdaBj3PWKLq3$d+^c@|qNmL5qS)!cr?6Mwy+ITYaC-Lk(+7jdC z%j~%S2lt+d?;^>;FF^ODoDxqS%Om6pUl2I|?05(2`v+XJ+nY$Qam*~PA&(fo$tvSu zg9OE8UhAN_%V>tdx}{d|FsQ?W+v>mRtUhm*fce(*MboBMd5XDPJR#4wExeFGTed?N zsBaH26te5GQ17YhJD5jGs)0w(&+=xIpZa$mK>WzL5~PkbpvFgRF>2lNWw!8_+M}=l z!)ZKJ`ci81XHk*SC(3u>T&j?#nn~t9_btEUUE`l9J&(e;hI1c2F!sw@{pT+C%iPWH zxX&ZRLa2hM!c;FccJJESB@66<|voFa74iELQ@3|vZ%L@)}9TT;aeEA)cp7?B>{rvBj?AEERgJ%t9 zZ+UjjA%yYm?vD(TV&P_;nO zjk754Z_{#$K1$1NfsW8|vF%jb0#Jwb`d<6sv zYi5j&q9`8ahOv3YvZmavNW#FX;rVjIzpdOr%9#a{dzHbne1lx?$TCK&mC&5juP zFIWKD`m;tGMeIoooV1m0=9}I{{1kQ4!-!Gf(%>Ti`!9I9Hs%ez!T1KnsxN&KH3SQK z%w>R(JAjBLbFgoEur#N4!TdV_Cpe#WStCMeE)t!7a^V9{`qL9>tL}ait;~f`DIP8&Uf#k=0z>``;VDRsynOw*6BEki*Sh%aq>YwD<@*(D?Q9v^`0D zzx|5czPDK6iV%(2ZgZ~6=UnxToPQ^0EOiyG zK1K$_7t^nT?d+dwGqruh`l)N|qyIbB~=Wkrh zG>~T}<@sVy%QBl}|HUB56kksg_htB?R8jw-!nA*wVkibHY2G{dfjx?sjjQ|{3N!tN zOcS@+jKfa(7s_)e7_7dzw3_WVCGovlcsqx?VYfy5Plm3Nrb}z@xS)Y{MYw%V@^JX{1 zqw1&e($D=K4F#(tIIkR7|rqws*b3Fvd!*y-QDw^qVX z;2Ahf@?8>)pZI|WRu&(?4u#A!C5O`7b)P~IH9rw>-e}NfPr?OyJ1@7sm^jKNcip@ zG5|ndmAk1ppZ_(5RU+d5Th$~;-qhM!ruWHV8>JMqkzs-yIE&UYc8MQ~rtNfhFsG{% zjdn$7HTEsuLRPNY9G88b$v;$!Et0#5a%``?FZ#REjc`TguB55_YR%0gQ$Vk=C${80 zbjlHBzye!J*hgVZaF^vZo_kScF{8eobJt_JVC$cGw-S2h}q|O%>*X=&Lp=u{BBxBsq;;MV)Z6ajU5oQX49&O z)4AFN$oy-Oq-^KC2Eo(TkG~iELPs*`S{=pwt9CUgTSpf$!!WZdldaAEui1v3rJZZY zG_7$k4CX{YB7}p0BTQ%@ai5FEc*EYuPoneq8dKWz(?374>)xyK>KE&W+LZPuRzS#jqX z)H=jw)sZ3q;B=cc8f2A%pM~{ps3<@hNP^5@PrhHQ){F zG3)7-f)Q>dA(s=)@piuFQ&V~xtXee`xt*?b?-SV6vR!$Jy@+s)Q@g3Y(8 zIN!he^Sy0EyJ@gP9oo6n=D(ph{~!AE-&ver71ODy#rbFU=f9*l{{owTbaDRX{`@~I z&OhGfuPDyHdw>3~(QOaqTY}%_f8pbzad~%Weq5Fp=YNEZ!2ieM{P*?e&lKlR+Wd*) z{Hgx@Cl=@bq0Qe?oPR=pemt}lz`xH4A61s*9%VO{qylVe)%V?Ici!i3goE?VuqEJU zFt_DYt^N@8hMsCq%79(PiOuQ zarGYp@CE=JZ2>qp55T$K0APXvK-VSaF&+KTuvoct7cT(V@$OqoWjFI|4O^66!4bcr zfBx-jm<*!-dwf%sKg|~BFqGI` z9~u#KbwVH-=do;&&6`G(x?v$w)$+3@wW zmpjph7b)CY5Z_?KH!A*nHvD^q_p{+U6xO@A)c;3?cPhxU9TEwq-3m=9CIMeLY!kbZ zGvL>a{7<5^h?9O61|X2Dyul$03|aNl5JOfC1Rvz&A}^A$+}K^z*Oon(%wt}$Wfq5J zsH)DtmU0Dd(rlqw6rwNz(1SJX1SU}l^jB~DJMcOahr$+#fhB$oX%LhQj)c= z9vZRCiI6{kqxyD?A&m5+way*Ei&7WX&d?&NGb;ux5~jK%f(R~7eZ(5++9dUxgHmRt zPHSH4&{Qv|`veM3lU01IGk-4@k^DIX5`(Y76W}YT@X+KC z6&|YG)OVaW>Qrh_xBOL12^lldAl06)LbBb_|5XK;=AT8HS-G|t=r_u|=MA78B45ffJq z(MCY23pMYpLqQIU7^$4L-T)bMvkdx0OOTu105k}qaQtv3&tp%Zb4G5n$;xY14%pP! z`?tjqE#=cconuGhJhAB?oXZS0PIsp;j6Qa?XCt|@;^J7t8%}C28G3KA`_h=>So{EA z69O-=qW|nA`gpIuVCKoz9Cm37E8V-5N|R#Wclsjer7u_s>Czz3hlF<+JW5>ui}qTQyp;@ercS_ zfIbH}3#PEu#^krq8&ktU48-U=Gr(%&0L%Zf)FMV5618yg*}nF$30rB(2mfpO0rhdx zvk-Wx7pyhW{(uUvVu#dTd>W}5L#ZvxN}G=BQkq7H87Eo`+W$D6V8jyk*JHNJ92 zew5?|f$3z+c);!!3VUO=ZmcZv|53si?YIg4sY;7v%%|^}@xDH+$-iEiLE7oX<2>7D zf6->2oX{^2 zvK!cUr63EU>adT$72f|9BP;UTu=3Jfw8@Y#I!XUT5&HX*)p{=??H#pe8DKIb35 zk@J_zNypuAP(Sn^zZ@^Y0d@6PXtupE7ucFk&)0PNH)?WCP28B-n*7;?)y%QgjI-73 zp08&2Z&XtnRMQ?*Gpewf(YBgjb7*0D|2Zifuzzl6`ucsBTIt?Wwr=jsxzZ|gM_#DK zfq2j53N_*^FmfI+WubYP3Lj95!~ozhX4Gp!Cxb|AJyBQ;kV5O)Nvn)5YA1<{iS}N` zuw3Q3H0CD=2ny&538}skC4P1XY zwSZbg{X4!AlIz0O8}^2BWGduDj^+xGY#t5wc2dV=xN-*hys!@cJX4&$*{&3A*vAQ6 zZ_F*W%;EVmhf}5)HTN?+zD#QwS)34RVuDF3m>*P4*+wFeM=1UFq z+4U+eHGYa8X7iDQqeXvHAhX6yX1ufqrLQ*cQ21vybshdo#p?aKj48MY@Ge45!W6uBa){^eeQ6;xT^D!-u&tq# z?%NgvV{ZCqmVfZZTn_6`9ZRS~d&t9;41j+N^;j21+VBgfe?GPR{}_80_$aFL|36C- zSQVY9SfjNy)@XxRn|zC!2(-J9z^raG-uYH+(@HT``YqL6NWCuX1{lY+sh8H?ENyK| zs}));ptYEQBxtK5R;Bf;M5{7mL{Uq)RLSrCIWxOitiS*Nm)8q+=FGV~=bYy}=eeEd z_$Qgt%?xAy)cn&%*xXNU-7fDGSvJ{tk0UPv%YddwTkWCd-B>rd_r<)F*$+MO*WgdH zP$SQX-Z$VED{eK569XVx{nMkSJ^ytB?+(^#0PBuDA4Z{<#2c`Yp`f5=eZ`!8|B>?n zawZ_XtQ7*t%qNbE-84(QNQD|JN^Gx-<5}Jt@CvuXnl!v%?x+chzw&xzoowkL<-q!Ypg{-;?>-Q%-tWNNLve>vM5tg z00i^R=lpd?8%C?-LqU=}`lBVuqxY92L#_z_siO_6W!C>eVtFJ%?noXmU>~Fvi@4Yo z*fj&W)>}w-{OjH-=pj#C7_5ix^9uOYz3apHb%WWk199GjXB_t2M+|awnK&4s6lFyE zi>TTAgxW~*6zV0?;IKhn(DTzYchR!WOHZ=4RrCw&o z^rMur^M%Xi`@{{oV4nLsaf04UYXe|kH1gxa!IkuK3weWL-aIusU@AEEH&2+w?H#i! zT+o=F??vH6%r`>Y*vc>M52xh&z1z ze;6HBNPMW^C$FIh8ZhESL15m(W!Q#+wk0nn^Otdz%WMetqH;PBVpzy8hlq1+V5PQq z3j?0^4e@!7?oi7cKe7b^;kvlfHz(fv#@IRWg|81= zE!OJI{Cg{&-8WQ0g=od14&>`=EpXK7JBbdw%cY2r`)wggB9t6Bpz!d>#m-_Fi}ZOu(00{ zZsn(O9RW+!T6CKhw*xn^-miy+2nSqoN}Yciffwn79qaFZN4Z?Epn4b4+TcB*eE*Rl?j>)snI99Fw>8+%2f=>sc!i>jezY5Q~=8OVf6X&)rioA@(9db=s0W&|9u=D4kB zqm}CiapKJ7Jm;-vUU%L>1C_k2ch}R2NRNHlV~OK764E#smPwBH2n%ZGr@o(PVo!Zb zEjF!7(r#J8LCwPDT_)f?@bEoPz%yE=8ndT|jnkES9{nq$GO7l44&|v3eQ|yLIYV z5wcG(0}=^l`givB=DDM%~w>6|2u#jt{Sftmy|#C zkwBOjI;+ryp&c3>DNCuN%||t7+KKrX4Trrtz%0<8!u<*O|7PFp+|MPg12+{mXhKGg zO4S()fNE2)-?5?d?P2nw$nF>HmjlKeJl&POCORtpm!!LDx6s91ZGM_IxvO-jF7BA0 z)PW5{TnN5O7Uj??=zONY`J%V$`465~kRJ4aw~`xi_Z|9?HmN1eXg% zsZC_pddg_!W*CBWm$tS<`CSA2AjvVW`BRU$O|$@Hfv59k7Iq_;(s5c8WU4kXtA@S5 z;!G&!G>8X)xRh}3Q|(9|tws!CzN+o<8wq7zXRiFn>Z8PtNA!^W;N!%XL{zdCpP={1 zj)v`Qa!v*JcR@Z03C$eA*+vIH8~E2G-0zv{*AyIrk>s2gVR{Q*!A;LvCRl@=ulSut z$L@Wt(p($=_LFPjJG?nh37t?fX{FwqC|_*!Jdk&!#Z!;EHS9Y8c(WcbJ8^0W z4Vz5mp_6jC@#5DQO=yEvLLP-7^!`l6zQX+!@F$!cf@o<1fXBbytl`Q(efe}o`_x>p zMlMMdRy0wnX1=A>ypJ`nC{;M2-VK><1zh$jMqals7{0m<*ckh+jHr0N@`|9wy@4j+ zfYKUAQ{zZ=7Y6y8g8b(N`TuSgAaL0Eh!wDTyOudSxBPwH&|bce;IH=hzjK>3FjWPW z{Oe1m8y5zZ++M7NZhTi2$YGFR1N*|B$p6;c$cMuCBw0ab?ZnMGisJL1(X`3m{ymml zwe4ON<<$Qu^yt|~tAne|BtNWZDHybbQhR5WITj$-mC!#IK%Dr8|s$OMR=g<8hvzKsJ zLFmcKwoA<%#RDq1V|rnt-8ygkpymkQOQG7c4ckqHw0HkHOw^ARK=V!uT1XK#Y^3(M zs9V1B-C3sg2|?|*me&5A|4Z#(+Q0TKyAAyN*ZvFE3$@=K)P6)z`^3`P8~!h~AFzMz z*L+m%l|k*N1+@>OvI#aGm%U}mlPzqi&%Ck!$e4rO`BN|1Bxzq(8Z&9SgcT^KlWJSd zJ2Yh80bzq}rGsUH?&d2uTw(_6?4UbeqoG2(-dF#lK@%kgLa)db)xy#IsfS?eMk0g_ z6U(K)5{}GUK_EL20Zt)xEvOzd7>wI)>KiNrv&96`LtSc?2`-ME0I|ZDL=CYIk47|l zuV+m~MnXx|H#}B2^?{%3R`0Qu0ohpyIpa)uU@=G;4utsn{K`D;0b0>K4tehykHr3; zXV|(;>;}1)ULbnnp4%ZsQ%*))f;`BHwLV}n%g=3R$(ud|K~Q{|d}WU%_Jhj*)G#t( z`CH9PkUgx%Rt*yZ8t!~g0Yv;Cnp|P|fE5nQziit7sPZu(j`KZ*5Ag%TUs%4a6#i)? z@SBEdEB5W&!zEiQQ6&vsl z@^gC0%KeQ8@b8v>arE1~7D7-POzTT+0slYt-=KA+u7piA^`%B9nx=Q8TH;MFrfRso zOR{eI*Q~3|2AJkqRmcZJ7wK5R^v1#Nc>dA@!97S&@9X8>Tf_l1)%K_R{AG+%Hv-P| z+Bqj=%I8cei=^)5e;il83RN9k7RU`+ivafgU-u(eUH|$BlJXvXFxcdOmXQnii5BNg z@s+l;(J?NQfND;lT_YZ~axRGNzN)q9IZKL6hLaVNoPf~CEl+SJ8p%dyL$kD=-00Nm zJTW*ioL7`X<98tYB;0Y&>*BEQY@_i+%nh~vyL#f8UK0>M3n+u0jZ)J@A zFB?RHLD8zhxgHcdlO@J_c@K;zQ2XV7VOHHMh!=BJ`v}!XRZ;Ive(xg&awTX4XuB^O z33++Ui-N5#41!zvBA*0xNZoY7^Ja1YwXaxmx-jJx-5L^eHVPXx`q*D9dQ_&l2{-@A z8yFV^=Y3Y!Huf30bLeQ1VFqonZUw?+k4K&0oqA)4IO}z^NQz@*D)B6HYiBYu!glWJ zLgbA*8%VoAfq3f8#1BRTJd!s)*GwdptP7L#&D&`n@$+4~zoJ&aU@z6uu=5jpnOJZ0 zonjMrB+4r|&$UkRNh8lNX$$_y85g>7fr9T4h6e!DP9xfYm@c}Wat+(l+8?nB3=H1j z`6x7%HSU%p?k%ICxI3+a$Gd~aXeb1dI#%-c8j|%_DwmVxUXmD=nD_vN@4?eQkw2?S zgK9gE6F|xg=vn#eJ~z|o6`W1U@mt(fbO&5gG7=ctb-lZ(-pVCJ=QwiKL$yds(cMXB zIzv7Y9w|udZ;pyM0ERTa`X!Tj$gV@Zvp4;dWd3f`olwl9i!#MlDQ^GtA83hb3h2-# zmEup&TY^W_p=Z?z)_K5g=7(VU0lZs)_iW%bayIaq(pK&o2%_Ls1%h`VfHxKO1h7(p z&(tnJwL2Mz2h2kV@s9*wo$g?N#kEK<{+oxkwYJ@@eCchL$q@tmuXr&aU!5?uJsH`d zT%Gvuxks$!tIY&w074FZJTB$YI5P}{WD~#7SqGMZ1aG{5CEO$M3uhRPys(iDMz)vi)rrVkTGPQ+UtpiIYqaq*f=I-}$q6ep`blS{+0=io2-p3+ zW%PG#8M*uidD?Fc6w!ai_muUcG2eI)dA}Txh}2wG7K%Z5Dh;Qm!Kr(b-V6xxg$f-O zYt-cR#io{V;d-nuHjVj=*=8jBV{PU)`)JiArSXKg8MK`bl31hOCoyU;b`tR<{HE_h z#;R)Qp+G@CD{cRHwg0D}2zNyH$ErtKDCB1etgR{5zZR27Y5i;eqyCcnj*CaEDPE#z z35Wt3ov&OatsuO_1UcbpEf-ZS&L*qt&49tw(k^wr3>aV6j!E;5kk{_olhHr$G~2Zs z`I%+qzQBIw&TH?FwKJa#%~npU%_v9o>ag<@WgactwF%^#nMD;9@%%eNghL(jji~Vb z{Ad9|+*{kAy-8=8mY{p)Ecd*2?m>}oS(ieNn-bXqb{{}1-g~Xo5_09%3iRLN)e`xN zQ{bS4={Vwj!w6Wx+P3pI2eg>`kYcJ2W9SC|C0Ysi7>Os%&eKMzrDMx5RBU5(+IY`4 zQy^*rvx$X)0@kv?IF$(!*oEzFxVsU!x_YGL#+-W_#<~zbcWH*q1Rg&u&Ivs-r4CT2 zj5%3*CRgA{i#Dlp){N6x7M~xjLLB&~m6&90_uMv?SF~wr)XIHDyV3_0R&FN4ZLPY! z_V?6ktyLOj1Sol2+IM% zv2uHW+gdaYV6q=@e(5BjS2wy25Y{{pDpR*=i067gnMn&2gNZN#SNtK}cO?h5xo&rc zYOPg)=r;LA?na_Y@nyR8Y4R0TPS_XUwN4|9V-^2vaAU;HYIcw-QKD$R=9z||#C6^> z-;e@$^;*+{W)9!9OXy`w!wW;PnJD~-B3PWpl>$K0z*c^DZGiL*TV2L(VkWV~)V!7q zp_M8Kw+-r^i^laqh63!~r^qxvG4vADUJz~9Zl7wsXe7M4AixR*~Jl{z*)G^3&-O;nK?AaHY`lpa4=gou!zGH+t2^a!!Jxpr>S zWsO6Zyf6Jdu(HhyNtn|wUy8Xf@*-Q%xA^eWrJ!4@clb}xjgk2kl3A-_({kz)gEBc{ zZfbWnLw9wviFd6nx~mncV*ysz)nqc5Neir6sR@~oc%%PCK1jb%SjRLIEMa|ul z#LChYbDXI$A%JM5?R?QzzgBY|NE4Tzm_cY>I(3?%6NV(T&J8zQL%E)!jRK)Hh7;5^ zt@&}Me5|5<^Nk{Puf zyUq7toQnO|Cujp#`=H!rq7YrpezH_8xlV>*XgbhZjDPB|bD)2FP?Ysap z&j4fsv(}AP*Gn+pzHaqmnMODut8j>jq+_mR##pEezBjU?e~M2@_kL{=V$rmZ>(9=A zX8UXe*!;aF38hMUyg$Uuh2xajdy18NlZ@eet2@8SXkIoO{2Kir3zxPK75j*V^|H09 ztunVcjRJS^fIesmZsZ~1F2Lv!vs)cM&}ExLNG~rTJPn&6J^l_XR`N?{ z7h6UJWuQHsEm1u#sia4KR*BFb)<(5rW})YJO#{q%dUkF@Yt04&xn_;t@{~>}4IlO) z8t(srA|dV69c1)^0B4n*+eeoTRkX3Q%m3T2X2v{jYp@V=L?;R_=I^-^UGO*jxDQPRO5T++R!Y0zOD)x~j}I)sc9=MuQh`?$=p~yCUq6KENxil_y8W3z|0~KYju4A90A6T z684q&YP_=w}EnRD^{BUG4f z`evFddfph7eK(SQCE}g&b!HTF!Uv5pfp4o2KUrU>u#uZZ*j~<$<$9LlNKLfO+OyM@ zeLRk8c3a1B-CK$*yt2!lH2KEVi3xV8-IQ*27iIX-{{9)}NhMW!C7E5_0#v3wkMoE?9&5MDr?LGwYDn8ctl9l;hG*@@T{EfHE}vRw zKKN$_jpX=hLWBf!SrDOvd(?~k4hvkaNUZ6_DEZcY5`Ri>O`Nmbp?{6-{#j#!%7gBC z|I-segS!E3Ju9@(Z$nR=Y52|u<6viFb&CI<4mFLG({EyD#ZtC{jtWoA!# z`lvZwo73YMduUF%XwLr@@`VHcM>Wn>bZi*O+H*(7-F7D8#Jg{pTjBNt@CmHO2Ee5Z zLIEJfa56v%9nNiT+F>pJF*J|RdAhuUircV0XPA+;WPUO%%}kLW0cnhR0e;!;H4OjN zQDeb5{i}v(SzSL8>1^XaEg4D;`>nJa?DyB9-He){d&~RPlQMb7_&( zX>m8BR&W}a5#?D$6a6!)_$iC`%{bb8IFNX`eCMVZc|PnEX5}kSiJvZHJefW5y~kwW z8VgCB(sxqGsU<r1#jHU+o6#WL`xMUDDjBK}L_yIYh+nILS(7|k?ayW) zXk}xp*vi*NT511(Xl45UODj*&7jG^(=akr23wGqFA;57vdt+m8n|7z{$y{#{?g!SY zb3(J}f^F`V_%y%NKTRQ4%Dki5a2!&C+&0&44nA1IZxWwAf1`bV{J};tJAa7{^+(d@ z@&BmwZ2qrE&u?)a=gd;?8|Cq#-U?XQ_w0L82lgXfGvV3(3Q|Ym>CwaUs5#DzeQ|t7 zQ{{bQIBJ}9wqD{-cp<{dLLqu>BHlO6E{p&Ebk&~vd4RVl`V>BApIS`aBK!;* zAiYA3_zRc;vpy9=>X8g>Yom;MA6#xQ-FDXN(A*KX$a&G}f3RJ^K@UDjF{y{PvIWt9 zTldEY_ni@sbi3N|u6=IjFfZ&jsuemrqd7Y;Cc8V5nwZ@^3h_FBLtlXDI_ zN5jeSZo_&()eV6ahe%S)c;mU<;w{ZpM8QVjesPvNZx*W<4N#4HRfpY#IyO*V8ew8` zAC&ZGY}Vc>lck*;ZLR7ow^nsj#Fj!75Qx21Uqpm}c(-_?D6-xR)Q!uRg* zeHrhX3$`H<5OmH^Qlq&-*Aqw!OodXZyq-eA_Q6YI_)?`WvG4`wq+G2XzSQWY&Ai}E z9o8CZiz;xiUE)_j9yv_F9c~yX&%BJSLhKU(b#k94(x&T*rpjbi&l|ZSliAbrr;Z{s zMDk}Rl-Tg^dR(Tse=x=Drt+wGwduvjbwW=!nN_l24JB3XL68$YQ@4=EkPKL`r@q?e%ywr8Mtn+u3V3Fu(>j-9>Q@(v8bkBOXg30LZ8me zA9G3~@_{fHr%BM)TC$R@xZoD2wiE6xJ*vaK&tRgpqK#d;16`llFXc~@;j<7WSg2;n zCGxY5AWi2L<)VxyoRxjCN?k@JYlb*n72@p7sxaoPWxVK5CF|I*yLnb9DYIl66Zz@w zYNv-(%>x%r9w%Wuo{wt@E>%GaWz4UU3zr_CHf27vmh7|inKM(#a$UC3@TwgFJadKe z`Nz^saGv0E6hPt7>ioOmg;wWz{|Esa@_UoHSa<-Wl)iC`(pO*jN&9%kY@B55rnB^o zt7tFK?^r9B)GznIHS?SGW{Zbw;*rfK2Z$Qd(FioDlM{it$(}T|?&@PDGqn-&x`zyp zD3|S4tRtIk*|@QeMm5(pi?-!h&~?5U$<~_8p05!%jjB}`BA2S|;u~lND&F*W>y~wg0&TV*FT}ab+o=hYH+Sra9!(`cQlV9V)`ElV3G*5O9`ApMHZH6s3x@`floZt;_ed- z21J*Y(}9pA@*ECBXSH|#tb!Q!8#D|C0?A?tT-$_KW^8u>ieUGb^APg6`6C|eHH2%v z3~euH7h8Vnh&;fZBmY55Q1=;9a%Kd+uU?d;KvK}s(74w6IGAM7l*RXwAbmvsh;xH> z4pBQ1NP!ol9X63pX1q+^pHSVsEeAYqbv;EHlrM<1+nm)l&6#8z^FX;Pcegitnz}KtIK;f@#1La=_U=@oW zW-UION+-{;a<}l6xy;RHcqW6F_mST0{@9R2G|M-9%XSY>gkHNiR5ZKa%TOY?l9g2~ z%E`6t$aKM;gb=4SukDEt&=Vxc6*em{q_CeGD+_BmeYow$>+DF7CB$deS*Ek1?Axao z!G-Ye5_lLA-sU$EM3^6uq9y<0x5FplL%6E6&_U{&l9hzm%Zlq1rp@fatlLtSnwW6E z6YxopRP2ls;xp}CvTwWJT}nU0)okUy{4u@AXyVw7MM`fL<4i;1A@7a;K7<}kW>+Iv zC|YG6Kxhq9cJDr}=_5yWFUE*t4Z_}Trc)k_xj&n-?8MRr=C9fv%j|;!N%xe$Y6mZ) zti?YxSq>sTqj{KPbt&Arj|ZFZ&|3X)?b)r;Y?+v*2Ksby(@(uG)Yvn{r67D(CGtNDR%RQO3M1HO6 zF(xo$wE#{phAWDwG|0J$k5=v+DqUN{qq_I0&hRUz!g9v_!pfauS`C(;?C#YVtBlK( zTrpM#1*IO=3^)oLJHsfGwOS$2H=C{{Igrpp){vqGg#9@Y)j~Q>BX+)pdzD+N$p`Fn zwVC#Y8+;$P(Zj_sIfoskDiR< zPOHuAcF)*O8#@wwpB<vlNb}9NR@(Ww8#otv_~Du{ zwmY3Nl(%;{Jn+NC8R?!MℑFZq$;(j*Qw50_7a{B_3t@BuZ|VK0E#1!96gjgm%`1 zo*NXmavgj$o@f2uXV!{=MGsnTt#17!&_kYheA;QND%ktY&f1cLAC{tbju_)(dC)$S z*#qr7jF&*J3N+H7#98@?Cl{x8GK!tyVQ2|gT5Ew&!FRsLx~Cy?z9m?P?41PX**%=P z!4Q~4)7dfhQE@>D=j@oZ_DIH6nEFw%euoYuLaQYt|E5SvbxhALFz7Tq^_#N73DZ$#zp%cg=n<^6>N*>O1+6x5_XFAP> zq}-Vv)3b;g`E5N5&v|b1KaUQ<&|T>khrK1U%*=57h|AX#?hV!2;aP#qpEh~#`3nkr zyKZMUDpr=9_ALKwL)KztMCn)U<-YXcA(F~-iT-0U>3yZ#`@2O z``y&tDr4ZAyeFMa2}vrU{$prb4OI45}TQh-SayFS5Ly~ zq%h?mmFOZ4sjU79d)n&W;*onYw|3q#pkmHTaqIRTx=mbmYZVXJ=DlB@VMahSqb>Eh zph>&;#@cpW>;3r>~}~dD2ZObJBVy}H&#f*Ql2XEBsp;bu4fpL!79zCJT99Ct;KWrn7O{}GwJP&%jO4Q zVV$>(QBA%GZ)pHmwLm=6m6L1IM~vv_FrG!MRin{~>|DN;qedw!u?-Q%~Dv`Mh z`?bhAVmb`Z#i{deY|6fI9(>GvjCsS}q1PC4ZRJh|Wm|~BRFSo7s#+uj9Zd=^QU6dL zLVkB<`td?#apSd2mFeHbA7&iN6vJT3GxzT|2)RShDUv+v>>wHbLbnCwZV8g_A@_qs zxzM<=n;w+pAS<8EWkQWlC#;qpmWHnw*VZbgN!wqWEVk`34tEqd74PPCFeu$p6B;pX zf(Wvqz!$Sq++-AKY#-JN&O;^2zqgV0hR?0>S3#r-csae=Ff8j?uLYseJrk7^$g+Yo zk;yhy93M7Mty0=GZA`x=?E)nFqH6z}h6ZG4)X23M zA7Cj-^WOqH3-f+GO!z@|_WCGGuA7ewuP;00t8;kCn$}^?Z1-C;?d-nc)YnDCRh^AP zQY@6c7{GX^wM0%#;TZ6ZO^!~p-x!K!wn(wq1;H^<{s#?3aSxn``8#l#C|6t&q|X* z!)10PB#Zo-;*$`9ZE0W(yRj(!ww5m=4>=r)$wV$+sW85yi9No8cP&ya@cs3HQf|~0 zm4dj;(_@Em*?!t&H8&rgt%;X1#||A_)^sdvW)VJ$yhm_wWJj zFp(HvO1OVqMq;p&ZvR!Vk^ho&@L_J_%pm^}_fMP1$3X1#PW)wr%I@e1-k+62e%DnL zvE3gj59eUoadcn{#%f_lwunYm<0+32MuIsdGhSbs)~g>?R`ypcq@=T3{uA}wK?(_g z%hHnR7(6M&Gq+h)1>>bPp8Kl08W~hz6KZ&sEkpW&Afmp!TMPQmD(ML7w93;D3IB`~ zfz9|KP9PdqR4SI=3H68+r);63CFvfsuC?oh&dXb!|4mMq9VoYx)(S&paX{BHnHRPq zZ{zaSLP_mkZCu=Ud+iO>B~)y*R2#nE(mriXXF>X3M3KRfuL50i$^7hsS4)4|e+eAJf`aI-W1o!PucxD2IVgdiucCxgbg9*aRwCs zvj8R{0t1OuF6TdeD-eGN)-pXB$UdBI@j3fIg+OS|6ubu(s1;XMo;gKoP zHG$6h)s!gU11BU}IXKGFs87g5DC>fQ{7WVMnzaQ9D%x0tG0PqNR5vW_- zH5qb=g}TddHxJb6T|}kdvmZhTGE@r^CZ>cCl;PTQ7Pa#ZA9AwQ^|g|McK-SZFdt${ z%BoL^u&n#tVE7kxP|~kAg#xff3oJ24VtPWbiU#2^CL>zV0Hy~XEP+X7N?~d%!t}IZ z9Vrz8biFAig{lF_6b!E-bQaANKtH7fD0XwLInF1su7*Vr40t)TLpvLLl?b$Qi3YH) zgaeJq@?|0+!IBGcQD*zsCEZEeFB%nKa8P}rBDvoeDsvb0PzO`b;p|1rcr4H&(cuY8 zG}l_kjMOrkE@?~dX5sGH=+D(`=PTFTLDYbna4)Mvt%?k}cR1Cg*krK<|D|5B9vBY8 zvrHh7hA)6sF~Zx7!jdX*E^-LDOI;Mv?z9&DmOWn(B-|j>Xt)5oUSRg>flj*v%SPul z?R;SE;^GyhHtKzBn5AAXHQ`GvplgAg^(2X0r2ZS-2X1xs@TMCZa^HH5-es@ls+p*) zQp;7;bq54k*JEbW!mGsaBj+L(AmIH%FX&a&h)R6QlsKy+)KIdRpmHS^q;t(?Zv;0i zN*|Wo-VP);Z^y}Mu*Zl{U!a70zp#QBLFR6wh=W*kWQM#4P}NsWP!G?aeT5c(0(^(ZrZ&FtCw+^q4+ zcG_@cO+1<{K@5QNk79d4V|W8)du`*P_oMFFU&|1`p| zP8l;LSGKc+z2lDFGfYf9_i7yEaD%f}JRyaZW<+1J92H^cyL3N~|J*Bu{r(ZmG-Y1j zCpgR4OQPfuEyyG!X^Z&{b$M=}%ac0JjFvk?Vur|uvSITwjCG*cWDE-*g_>6Gm;8@* z6vTG^GI&^^uXDcvu5V|10KTS6qv^Mj?l-CxWBoP7MpmVR6W}-EZcA01Ewd{9SrD^2 z!DBTy_)@ynt*ur5BgLn4V`UnA#Ffx{XobAvQ+<3(|A24l+ik@#lz_pOF+j!kq%wx725l^c9gSTm{%-~ZoQ)`41J5**$1$O_B z0zTl%mxK9*qgfkNEuLUJJTS~|pEv7=+Gf|IXDQ|jI32MVv&d-}p3wLw7d1G>ndYd= z$9@Tib3C32Ui9PORG39rXggEu{0EHQYOw}VYzXK@bX?qH1Ip;lhRA6p{+0N>P((jC zsHF}~T74&FxX%WF{J%jN3&Zx|A@iREmALEl$LyrCoEw$6Obtd!{-k-p&FP5jcUV?d z^E!VUoP<#E&V(Tncl4mH@>>C*+5LsV^vf;~_c9Iqy|z8k`)Vb6Hcj#e{Yy|494K>g?vY~Od z7T-;#M1MssKa5OEG#R-bT7)L_d81)RftPB~iiV%^IEM;N0=LM?*u;l99)$z&R&z0+ zwi{fAml?%qVfaHTJPvd0<`gm1r^+AIa#E0;gfot#K~rU=8TKz%LMSo0g_xIyS8FDN&QCjZlvs^ zUx8wb5wW^*2XiL77ndTJ|507=#ss{pmHQvsl*KcNV`(s!;C#|O2iLW8ZT~Vxq9_{t z!N}m|zPf}nq-$3{FxT?oQ1yg-sc0l#wCT2Eh`}s6x*M zzau>#5GUpGCaF!_r68^Ho``5um2gp&`nsITj%C5F`8f+VKjn|hATWm_iF?~VCIfax z@Fd*NYe4V^W&qA%QfAa7-KkW@G9>I?nlFb1)ngGf1Ba($0FMB=4)D^LRQO2o~WQ{4aj!C%$iH zNBb8bllm)@+HBw!%x1;}w8GvrY#wgocwR97{v2Ur{)j*Q%yfRuPwD*W>iio=>?z?l z3ip%m9J#Uj_ERfNbtMZyUK(E*vz8(<-|iZzxva&Hs``~9nUO#R+(Y-`D*+l z`RvAKDf7yb%m!unr1YMW^o=FYo5E+7ajdX2k$p=^mVuIIujF|q&juD}r8Wa^=nTWP zX!j8Ku;7)nozDfG%RgMZlvFsVQ#KG`tVVE&c6h^|3wRDG;6+|kwqZMn%QE(EtZ|?hjKm%t6Y}lmY|8SiJ4s&PyN(?j{4iYZFhX19GeD__5?)_^6Pq zgggvQn-N29K}fIz7nh`aNz~j@>vmJDVLK<0Sb&pxhWNJE;|L?&ackFOZfrJlQ)A`+ zO*?Q4HCU-aBLNzK0iu<_rj_#7*(e$Nvm&PY>(BO>U-hEL%E`|N_tfJG`iM9d*s_A- z+%P$H+>05V%Qc5MqUpZFwwlbDwWA2UABm>Nx;Lr1h^zl8+lv25d1jAnT_m6)jImG~ zRY%j4wl(cZZo5fZQ(q2B1tL$P=_!)-B$}S%=Uq|7+og6`PkD7Odsa<_?c8H{nic(a zgrKjBcI#Uv!~Z~bn7D7$SKdM}o;Iy%UN~CK?#vY4D5(=L7Kyl5hxZUvc_;pyspBw* z_(WJqJ}sD2kVJB~QE#jJ#i-u{MalZ*blX}YM{rJcIe*eP`rCL5@Y{Vz3FRg^{HQ}d zd<^Kn-Jccc`t!eLsKdj-GBPJt*;Tv)8(Bs0FJ_Oy4ppIXyQE69&)hKh(8zD7q}Z8f zlFrUn=k zTa|F0GfG|mMas*bkmz5$j7R;&UE>R(Nm-`XV#9`wJ?DoI+PA@OFJ83=9ka=sxa_Vi zWVL&@!2|xYLbsFD&>8PO=unu2y?7*7`F^>UidyNe`^y6M7v4yoLaM>eawakNUn~W9 z1}qf0PxBae7i$ts%+#q~yx+W$P{w1Ae)$W}o2AB+xrcY*el?>Sw^sDGI=@;*5}pQr z6-f=-{S&1wVUWNL4Hw!u+bB|vYOb(iop!WzEi=tBdX$yiu-WX>b~MvI;}Q2;(d@p8 z)PdQ3qaGCRfl0+(D!jGb1Qlj>=&|W>+nV~cP#%}g$+yA;KT9%%n7Ez2+seV~nBovH zUs9Q|?5n-GO^WZlO_W@8(3>^#E-L6Hc{eIf@dZK+wSC~dCZr{&=%Yahv5?6`rQPcKHG`F)@|vNkpUR|a3!1mo(dt10yo)l|Bd!#)v?GM9gR@<_ zsjV!`4i4XSFm%YAZ+q|D6lgFMxlIBwHfu&vrY-5aLZ!l1Z5C0%USRS)=TiZBRP31% zpkoz1-l*)3NS31zsOPomcCu|%T8p)Wv3~VX2QHzSbOSDZu@w?0*zdgK8z2U3b8KCN zV4&)eB42?(3M&&tj22(0RWIkW<${WyLj<>mTN%!nhGL8qUO;By;OqPr);4uyR5sF9 z=YI}l4EWM~r>JU$H+~|J1iG&p3b7JV=)3nXqXb8WpT_Y4Pn!xnZJG#eMFuMBkDDQy z|FVAv3(5Gn+(^BwcmGl$yRd!C7IomYkrC!z0Ga2E38{>mUePNL}(-_J4p9q7^2f>n^=rCj|!G z6iFrRO~c8Wh)O105W4k%*xqgiLb~>Pa;i^eR(Wp>-_2^|T~tlqwc3>54&Qsi_cq@B z!vrcuD1yIk^{SQzT|U@!D`fG5E^k0`*Ez_XVi5Xo0&F-5LAZk-eix?YK1eF}?`e-x z3>DulzuBOk&`?H}wKR;p8R!Qz3+RvwcqsJTVgMUk`{3m~U}-rspZW|KB*^A7;u_hj zX;@mj^8J9T3xVspfX@v4XMxds=KHeeLj4SVHv3GmwP6k{2W#?E8g`Z*CXzKvY1W&2 zqTnA9iVpP-Tn2AjDsJ*sYequLq28N64ZfOHqz>@4r}*{B@T*evr?1*{gR(2buSzL= z-BSE|Yxq?ug|7p}uc`2>QVL(a;@6A9uSzjrinuDuC63=|weGn%(Q!Kl}2NuyC_q zD!)0e)=hyT2xi(&y(^fujo|=|FgP4VF=G<)$82j~bKPY?!KOB&VSBtFe~)7j&Isnw z`w5lNUJV7$% zYT#sycUETwaU4psN^$rU2To$e+Do@Ghd?t?@t0RnZLU>!!I;4 zg+0v}^f$!a6YBh|+}`%?%V;6@ zr5Ebu@)*t^-bTVXU$YTwLXkGoK#FDr2}vN3`G5rx{U>>hDldECwt3e^p# zE0#JF)`ORtxC4@BVxGhV^8wQTOqGDuS^9m$SQ`ggds0W8m0e5%sASp!1!75eqDKwC zV^N$eLmn1(%C@){R-5QaNALpusIqr$Q4=@~akLetw9W*2mC44ajv4jWHY9U0RT`%MN*^ zF70=Du*0`bU<{-tszJs{xbs;qdqEzlWl%fA$bxo;;012rrdL1Fa8YNY3D1;to-^e` zW$kcxH%&`BuR7_Toth`syHT=U2WN$Lo6@m5nJL;6YThm{cW=@h$ZdfMu)4-lMbI?O z%zP-yw=iBP^@Xk3o!$v>4-h~`vCx*)b+JT7xg|5gI6#^H8NU+~%mUGothQ58>+OCs zf`}3^Wv!fU`LGuKmH&~KU|}@$`O1^aP6rOfslCamBw@;9919Mk*VcJ`x6r(98A7E* zpbSN`e>TvD3I$8Fp?_0%7CyS1)Dmqdc#pyu^{0f9d3+0EM+bhb!n`4XFta;lWH=^a z_L_ipCLupWH^vChWExoJ7?I`s((3Gidowd0AAW|LbZT@1SDUp&@rwg0e+jF;=r_vr z7KN^-&FtPw#yCMSKF0sh|<_@r;N zayJdwzl4+uxd<6E3@3n&HY5(%?ZgJ$LoP)jvT{E&^2$_z*SI9=lI3R_;Qh}tX0mr`*}0P% zhRkF$@@BrdK7OczVGgF<>M92gKf-^+lv(%zeU{#3A87gjqX#w~>VHGMlpXB?6bzvi zjRoL+{3J$GyZO2h|8;onL#>vgnExZbo70&bTR;2#-NXLjBzWU)RzT8N*?WY4h?T@! zBi=*xqHKdk88{SciKYiwX>YuLT3O$Wsb4P~8J`i{ zof4iyQG5;6Ie1^7e~w?kcw%GSd49^ye7-C-t>J~i1F1iA-6s@>613-dz%%I`oGg!c zHxk&!kWsE}hscVTg0nloVISOFK%`E-lAVTKq5)@sspF-nG_(-K=>xUPz+-|4aR=4Z6X!tArjw=4J+Gd$8p27iVmk-~ zvps1wd%}r0^vZe8TE(nn_Ff)mqVN?H5zD?(0V;3)cM+AX+;*)2U2XJZQT2uE#77w3 z;$Gh4Zr2u?cBa)NAh)o#IPJY^7R^(}6&oO{z2k2pFbj+h0k5@~;D1O}@W(gEnYp$O zRYrv&HZ9S3_Je4+6)iY~OJk^8@E)M1Ij|2eG2A_%M7V`nVVN+0fcDf64#Qdn>g##h zEnz@1ozPu2Bzkv2;Gk3&$4?TrjXIx`=GP|74HXWzwF_@;Q%CYL2`KWEI>dJIuHNl+ zoD=Z4bEubA>XXi%MEN07CJ8perBS6C$ND}c%sRLtkcb1HOmb`a=gpc6 z?W$Ar&2=1yyS6G3!S7d)6^@WK6Z=W(h4Fz)6dvBG&zc;JiSb1(WRw7A^q}JJCZMn} zlKHKSb3mUJ<7={ETCA?0Xi&5J#rO*RjhO7N!&%_{(`q0LkeG00yG|sr#NNdztXw57 z@$o-n6fv5)dOakV17Pp9x@ta@f65s0&sqDeav^WEckQm-!HvQ+EbR85QXe%u)zWD9DE;=X&< zccadVu&8F7QYFg&4?Nb zrKAIAfUs5G<#(81p{OEi=`>x}VJ=*|qE1u)HWAb--^vxvDn zlty*D31*m00{b?xi2NPY=AFb@S;+CUAX@3;8GuL-t z?|e3X=+M7IDl%-kO7%y&Mgwt))>iL8Ilu+**!?JrhKDa9AtU(ARjurXyi)mAP zmfRl&7RxKN>b)y%OnkUoQcyy*3Zl=H z52z^P`?YXk!-Q@0f5JDmTvKwQd`!jW_FB0p2!$C&75Pt)$2Hyy#$FlHd&$}Fs z^FIbY3w-}OG-J?7dMa=jH_4eF%Yp>@&pk@yA(=IrCF z=|nX9?dYhbZMCUsgyX4cZTeur4+}jj%(IpIEYpyjRBz=@)Pu9D+2Lw7YpKFRkE=Du zWP|Y>iq%x4R=dXQl;!w4v$nQ*cQ6;Mz`F>8G`JjHR4`%_xu$Jv7$#I6fo{bjHaeC~ z3Vl|#FY4)>z8|MW%K7(FN4I=DnJIV08sJCG`Dsqub@K>kM{`x(<%@cFqcW)X=JY!n ze3n>@l;DVnyjzr`K<`@JADaW1nwK8v^jYq>^|pJUhD9T@M<($-qtflT7NPZgO!V%& z8gA}T2g*_jw#VPT&FxJ}|1i#G~kd|CaZw=H`{o=RT)Gnb?@51fcbT6S(gi*K2;%3zg zCeY!2`Q4x+T))2a6>|F?P%H}#GS>P>xgy~xvv3Evm+cJJPD z=kWd78Hyi8?08s`ecJ(jVV}UZo4!>;JR3cQu>CEJ3DWACL6Cyzv4$5ydWsu`mvAd; z<*y5-a^o|b!MW{OYb69-wUtS-@gUC&#+@Z}0_MghsK zTn}mJGG2UB1JoM~5afQflF^jF4sm`Q!tDND8$TNU>bNr>dDrNe0^O17<&xra7sJiiP^8SF5n!O`^tVzwI}0>Xyr~@^FWnO44Ta31(<; zr1%XB@d8|c*511x$m@N43ktx|yAk*e1jkd4=#KR3Bf&CZqTD5-TuJxW!c{H3FEB4e z0B_CDeKab5;}~!ZC2A4P4gk&2%aW^rYF19pKOB0fmwi0<4li-{;(F-_D#->;&8S$8 z;TgZ4>g>Qi_rKyxXAp>NLG|*gR9x;I#0;qk*%?tTHztp)8P(x|zXZ`}VIw!c0Vj9A74rZDVKuyC9Uplcbd$1 zhbMywHr>U6iD#vD(qWN<;zLs-*atQ%SN@1A{nN@?^M5c~2a%GEn{Be`-N1suLBHTK zCZ@Gap}S8@bj8UPAl`Lng!21a84UAfVZAjKmzJS_YPQqKDYKX;-`>I z2O2MzRtnCuw$|Gv}-?L3%*9XyzV^LVJyc`dPSB>_OqX~%_+YSs&QRfx;8E|NM( z;FkMIy4bz&l?<6ujq&WC^bk3!Cp+-5Y|jIisf0T=YJ77n=`LiT@Cr?N*t>D|2wWyP=xHG zDz7h1lx73Z{`|v7T(KR{FNq>E)h|873J-SSp-m4=_2d$f(T$~8&!>(sVyW@$cc|LE zD6PwwG~d#6#W3VmVOcenM#J%>IZz8M& z-0gfTgeT9Mv-KmWITZ!n#r1`+3HO_gR4Jk*Awl6rMx_{(%BNpFjVjKmDMXj*O&w@A z#XEu%O-B1<*F^h7iVr_fA6F%jo z;afipA;EEW15p?E3(j7TeC>Z4I1N43cqW_v ziT|-6ceyI>`lxs0JP4lK%HVQRGahxpXMFc7@!d}!ZD$|cP1R*$rCJ~uJ*hFSU5~Ke zQVPRL%~nGXX57j(Q68luxLtK8;Gm4;|CZN44~*rblcxQP=`{2<==VJ62oRXd@rG|5 zpaM-_n*p(7eSN{`6(OmRz2`q`(HycaXH_>;NF8a}eiKU}M2BwWf z#9`o#=kP=jD(U{w^pt&~N~#^iyYx7J5?|(Y7w;9)nStV255-4XwG5bzxyyEcvQqGG z0)CD2056Isr)mb*2J6zSJCl~W*RYdK^E%RR*zV^A-*C4`7$AZ0sb{(M6}<_nJw<27 zI@YhjVI!U{M4;k0IzOXAYbkVWm_-^I#I|`ya|8>tNM9_nS@m7x3wWyCa^hl?AMPCHl7^i`- zVA5%yXAgS`7QI4?nC7^{4Ame~^ISS^K^X84M)g08u>McPQe~bt_pyt*7nGWPP;H z!%TF1nJ}TrELqv-E*2t<|k*QGp-GXw{tck!GP5^^R=9u3uo7&Vzb!1*!!*3 z*>_o3%OmL{(C^p_Up}_1Y+v@tNbl>F2fX8))9m!l$-X=)RT~vZl<3vKozM)}uz2bKEh?fbf%9;_QG91qcLCgECIgguE}ClxQ{}!Mznp z)^K+ZSqx=>A+T~svkvsRS>{ngDVEI`?i=q!d2iV$NZHD#|&SFErd0iU3-pP-?>NoBzHmRkfx+(mwVgw?P zD^mYr&4&KsjyY`zu;LC8S)nqEm+?V0>Nn9py^0^z+{4d)^RjsrbPXZ$UV#c2ZW9#AoB{Rf6-z*aOV{uKAYMj?6QJN9 z4`Zz-^2yp!_M|iCS&Qb-nUEhrDXYxWgl|k&9fNPPw06@L0!#BkqS#nvSOHJa!aiVA z+?mm=e1+vFD*j_bEK2zM3BtjJk8Yukk}b{XrRe?O6D9g2MrQPvt*)CHnE+eOgl)J& z1YFZa&|yI`G-EpM1d1t8l54mm7e4E#-ma^ST*Jk5CYz={>HXzvB9_C5MJ%|OH})8_ zQmkCL$ZQ}^cXIQ5s&-Ug*(u6XoqZ$X{qhPK_ILq=WD;LAvycpEU&lRNfcXmB-ks<- zLK<+mhIec$xvjg?q!PoU^RS=9( z?&GFdFh;+gy>mDKEf}P2L_QKGzvS1fkzYm3dN^&X z>vxQpan0xOK(~p){#pm2k=U@ym=@qy;OfLxUI58spyD3@|l2+pX1` z?51a}MQ`w#D{PzHduwO&CH*zsS@=qGQ01j~og00d>DcGShVt@z0tf5}t zHi?gkq{cqNE+Zb`%x92?gWA3cp24-tR`?LJM9v{_$vgY2ffwh<{1=RNSj@PxBn~?q6^UyU z3k91we@1~9lTik);v5*pd8QMH%awLh-~3CZ4Ywm3&COs;c6r~_D8n<#b~fpYNsfu< zy75wkz$t6gJYW-c3ee zUr|--y50f@f0a0R$aD&YQe?N?WRADjTiNAQP1q*pr`35akyio3yzL?oEYz*FF5cf# z&oq@0uDx}9W)GgCr%@xkME4R z_GJ5+ZHXpIZ6%3P-1qWq@H95OHZl7Fcfs_UwC%IW!GZPrc{BQ7l=_p}>aIS9DNreS z?;#SqOi}Qef4anL#jIb=^=hvLH7hQ|H=IZ#|5GRb%C3Gx=cjxL#roPI1Ss#hCy+a& znL<93rD3ymi%#%-2;_?9m2WI#NZzy*?|u1X7K+q?Gb?8sdiS3IhV2T~8>=U>(L$OG48{o3`~rAXiH_dSzqpew zEvVwg&8UE&^E2?u4C8P24zNr&wdSuI)0k}fx3y$0vqUgUb9|#n8s4$T@3EcE8m(+j z$n7b=;<44=cwv>@WY-0^nKOG$1cCfNgq;g~6xG@PcXN@T=%fl76?N69L9B%enh4Qd zvXNQcXcSahFQo-3t+rCx09Mh!?gHaDmRhy8+7?@D^{uVeD&8?%gIML_4KG!^l^Np& zt8&pw{@>r3*(A{S{rvf8cIM2vKIb{ldCqg5%aXrw3iki@46`@ah@FxeNOi33N;drm zlSYbK9q8bz`R=C@r>MlWDxnLQ-uX7St5!kYsZ#D)Q(@DK2ZeA+!UCJkS>pDSl@@yP zgx|&q-}vGi$dy*1ycb#NDD}Wxq27s<3)mprc(VLd#P&VPGORatmS_^%f`-OKjzGzVyErj*v^0&SZi#?d^uZ@>{R>&SX+Qwo_w*eoKOlerZ%5 zGY?wwTdZi)U7kC4i4l4-BUNF|CLu07B*)XhPF2eDI`W`Qt;HV}9IU;8{bSk{Vere5plE3JaS;aefu-$K?FZ7k6 zwj<1Y#7f~h7bjNUpz86JjD-aZZzHzB9INdi#-g&uenhlL|A{g|(pNLNfB6n;G~{f! zg-l?IW6fP^s>X)h8xXQ8hW4%2%?XY~^S|e_JI-j2{0vxbZK}XBZ&FRJQcmkJQEM8K zwjMs?Xu7j;TxE>srds!ms4M33v5Gu(PDL%vA5Zg!{Ngq6V}Bw%amGE9?Re19_AT>WDk=EOA7wM5B^1z3kGP)<+)rl6GEUX|rK0;^x%7bktUDX}a}ryb zZ)3X~yhbYfqyOg@AR;;`vm(B_fZGyp@3()o2Xy5;yjE6D|7UqT6@PQ6H{k`SL+I(?<~@ITn@?~)eWbDmKiDCPgD>B<$R zE0yQd71YX(RWr`Vp;*XDcOb$arVhXGdO1IX4xwF}-l^ig+F8LH7nbxAGVaCT(a1{W z^ctVIue2#WF`hF8#f&xR$Gz-6`hcc2PFlYTD+&82%iM!R)klT!(`=i#B>j13KF{1& zlgc&ppd)BX*xQS?{#n#S5(0X3Z&TY&(`ku!ZAdcr+YtOZ?Su&`md_VmEvwFNP^wg?Iq%^hkGh|rs3@Fw zK{YnYlIkfOJ^3s9_gd*KVz5) zdnjU{K4iul^xL!gbfTB)oTUECtaHjjgY;^I2-QQ8FWF0asT3zz4nQpcutm`ufRlkl z1;WOjmBWw%7`NaBn7Qaa{N*!g^hhE8S<68D3*fMN*VFKh_EV0}^_LlBJF67*ZNDa- zCBRj5-V5pR*3`Kz&am5tB+g-xpB{Bjl34$PeoaY)1;iJ=t*9>cCxPAaLkHx z6TWIwx9!SBCLd*W6!E6&c`8ROV9E~SS=0Pt{4&gfke$`#Ovpwd?7v{nJJMK;n)Y_v2$$gu(wd(kBjSlo^wbRQ707(rou!BgIujS~qsFZJcTK+x zvI{xhUAKeRwDW~=Jsp23)v(seb2%3qzBQP`7tY_%VfS>LT!1~++<|6S?9TC zr=m9ONeZ8lSa(#X8+H)-m5eEOe>EXk2?gsjqpqp4=6d?#jj!%bu?>VJyH*%}klLd6 z2Sa%f_FrcJ{0lj8Nutr3Wf|DQGt9Td*gn1_R8MIY%Gw5vg!;pRku*7F;r~6Dpq>mg z7f79*{?0sxd(VZr!?kqh=+nx#ebdTZiGnA(=rlFc=QnfM?dcDiKV#31HKC^?*u0G-l&i&c=7ebJ2;RnP%r+wGpc*;j~h(&R8h|D7>?juXX1iFp`eF!+Qg}va0SlZIAWRMI$X+- z1Fp74!=1nvgj{m)zU%6=%f}|^T5?cxlBWM|c`w5~D_Q*Slm1n$MhH5GcrRTtDWXuHj^zqhx^A}O3{Pb3& zy`}xnd}@t8h3V`nz4b*F^)i}cda?RZuZqkZ z2>278j0P=08-ed;dm~f0K9={ITtIP#`N7WW+DIHC7T09QMd!@5p8-{D)p;4{dOnQE7x z&F-fR`?=?&m%fi$aw{0oG|codI3DCGolV`as;;-pEcC)h{DS1mp}%f`1SB#O+pK#uo?+RJu2UMO0y`>VkM6@WS1$^M_zloH<6T|5&ywRw^q)8# zeoYuDV=pO0phKS%d_iE2?H~DPc zmY~FIZ4X83@{$RuC*e5Q>)&lVC|J*v+G~M56s;f?m0uo=oLLyq_HM?#y>=lZAwce zE-;m~EyCR1nDlk#*I;Y0U|enPNjJZM#u)qG0kDW*O{XNaZFhnz92t7gNEo`|Q_dT? z`f;h;`Em52lqFiwJ?0cy_Y%COzMET*pQ5M0+E~~Aef#SO9J-3SQmSV_qEdQmKMw)1 zAx96^4d2=|Fv6#H8xk1WR_FHLnmnSq?L)aGQIgfXjTviuA7r_wXFo#^X6uSXTgBb| z+A7*lSH{q?4|#s6;kNmyCk0-$vFrQ{28I5Q`Kd0=PpGe$>jd8S#1hDCTkh_MU7rDU z?vP$kbD!lk{*VL!5BQl#&d-fUAKfQGv-8zag!P2C4=0;GpHW*yEUButTehxfN2&53 z?TDndHdmqyZz4!pg`d*NESi5_W&OkEUip)M8^P`|>^PhJLv!><(7Pxj!>@=6&eBdtNnaq8r-waoI<+Nsm!~E?u2dU*ReoLJ=!Bob@DIt zNu$>?$ zhElnKJ+*BiM+Bp!*)<}elrt@7mKvk%T~EV1rp#HQVNIT=LoD-)D*}tX)5T>`L#pl( zu%$a`{c@Gnw94$uGB>bU7Hs82W=2SPh}I%o;FxMkHKeL{De+(Uf&6!DhYxPVsSQp+ zbkPkt2dy{8MZ;oN4Vz8%({2vd-p6PG=dMdRs` zYU!pkE-8@VlPZk7RvvlO(g^4>pAO&JWVaJ;r0UTMbV-nPL$e4X9Dv-|8}+E<;8 zrF|*H2<&97!q2G6cKdX)D5jumfatuwxA2y6&#ub<6b7t#s(Jgl@G(2|_rk@{w$H#} zc*o;{Z5ZsO-`}=(@6upWEZ6G@Bv@?CNoV~LE%mARKT?OU*tYKQb*cUJ@9uOMH> ziRY{oD$eZj{W3$7)g)LCpF>Z+D9?@HFHYY!<+uu3kuVf<%0kMe9y6=rR=hWo9W%Id zs*S38gzwE$p-YAbfdC29-Z(g9Ilv zk}5(Gj9(5MC|vUwS#2rFMI4U+1z8bqI{MZGOPMa{b%?U#|7!G$-Zp5^XMZo94|972 z!|x@3w4?N#AIB}x?S<~=mdRg^v{Z~IQK&Lh;$qu-Y_*`{RX$Htw$8bNl_q(K>Pc?x z#13z+^u##xl1c*W>{sDaMcX9jli?jpgL2ICD?YXV+%}4bvbIC=|BAOoOyu%~tNMky zJzbxMaMPKxvuuhpb|=|#uXMc`@r9jStkREsXN4-sJ&soc1J5u$|51fLb=|OV)m-(L z4nOuZKgq=po5*Or>kWeo>d${f6X)*?&ShDOy7Ye6?(#x-m;fek08SmoR;fz&X6@`H z1ts@Mqoi$4lQ)Zb;1<&&TW3;E%XFDJ%>1N*4)9%gzj?FwH9y(#r`2%%;TGv!S#3{Z z0hHXJC{*%_|vRs=Q&AIoq=0Q z2ZxUkruy({#mT>?|74sEjL>`KfAP zE2qsc=6Ba25&Y%%sB`W{@@Xzp4O?f7$)I@W4%`CyBbr~eYO@L>ne41HrY7UGqNk=S zGv{VCkb6oMq@CZZh7|XN)G%`i{qz4YhBH6gYQ#LI8x~!!n&$1t$kS+~p(AzQdztv_ z7#oF9;AFmnR?^OPK#0lpwvC}zm#j0oR;F{X_Q7(h2-jJQLOH$H&YC;`6UF`DOe94c z(qV5KQJaaQnFgz)iy9M_B;%#ayX_;Xp$P1n>aC*m%ro(&cIPtfgjZDOgSb8EX+(!r z#yW2e?VstPoZSHZ8CRdOZeD3Ou-9_xX>7Ej6B98Qo2@bLBQ*KtGV8{U`ekhgae9iw zPYt7+y5q0YZ`j`+XDF{3O#Q_s<&dQN1oM7Hs}X`;qZcVsvR4t})Y*em9ua(V1dh9) zp5W|R=YnMJK@ibBV_LJb9*I%v`L{xi@U-)E%cQ5Bmop3{zZv_{H2CT~HtVmZZ{>Ntu(h zRp>pg1?ZdgkPOwY6J!FMbjKSWdy_U1@Vqd=L!M8 zCBC!-e|B%dKXdp$fIs*0Ee(Wmx_M<5&APamh+qa?GIX|A>WLA)f6GT^U4`4lCfbod zA{4CuK=u&+q8O;|^tsXcu7UL~x5cc#d_yga1TxUgbakWRBL0F^dfquw8D#8ry!3%JxrB#EDU_wNdx;Mu}JYO$bHkJ9a3? z#QcG{Pl3=BE2tY|)Y@ZYdc}xi{+e2eP2h-&J{=EaL@D7=@mb`L4$dKWNMeGmJo)5eL!)cVfxNzg-HLl$&T5X&xuty6G8!<%uu3;SDbCCD;NPd{Vv%JY8 zp;TQh4ew1qn0KxP*eB3OMP0hP6(yCy`Aoy>Gl>KBPVRo{&rtu8YcSXHe}AVYy3|1K zcXl~im(o}2_B#O?bR733TXXY`wW{%i*nT9c3>-6V>QJE9X#fEE`Y0sj0{mzJes^If z{J1yho_Zk0$oAw10pXJ2gJ^v+t($$r8}x(l`+cSFr|Ek-`fg;s9C!`jqy%I<-T5nV zNW;d0=}B&+`iyoi@jt?DBT<$sTS-JOK7zT&M(}I&jI)j5I8%|lyjRw?i#=l`UnW>- z#DyTj{lMO3J4Oe>9b+FAi*1QD#$wZAxnsj9w7lFO%N=6P*Zndt3o#PrXA%51KkdZ) znzC@IKM+G?r+FH|qBenXLdC*n^2>oK>kGF0S6Zk#c^Vlw>~51Su{JX*%h7X(wOwV; zxvE~V?IQbrSW?VpPpF8luGg#lZo1Vy{3ab4MmgO#TJt`pS`u1Gkm4SX6M2*bn#Uw; z!}&a#;I%#ciu8sy9u6KjD|AFctXpT)c+Aa5+Pz{jg31LzT_`b$(ndE9-F@sI6Cw5# z<(I?w60uD@Q2#*O{c8@fB>ULUMrCE7ZSHC~nK1IEdZ)O6-e%(uX&Vlz_-yDR9bHGC zEGM zz9#H!zJEj7wxI@>5-k^rCCOT+ow;=x_@2-c>I6X>w1T4mb6)9yE+MUJqH_G6mQ#~H&w zx7;0>Wf%cFsgPJc!f;57sz?i?Ma2+CjaA<2RP%RQ)=A`>l1u;$5r3vZ&YM~} zUNud`$Rxjr^85NTz9D8)x+cy_{|9>U(v@+$+*EIm${P;TF>licfdch?HjRisBN3wf z!%C3stg>FS9}y41?wXWmCaW1#nbiUYJeZk9-=0wy}e`}v%W`zbg|=Zsm7@uQRj zl72juf43h*rK)WrSCcS6W&xskKS7B$5-YnLe}L;|;`L?ZP5bJS;oqrn1J=dPo4)S< znb&CPW3VST8;)Os^73Bzm_ti?$lENFu3u>VdW~Dlf#+1g^DtIvFbY!Eo1gD5>HGEi z-hDgYuiWK3`mw*-g};d8?`(}onx!K9vbKGKX}aK>t_Jj`dja!W6~3141d{k)Alyf^ z7{_7JR?l4Y+3X6nnjF?t5mt*+p(6eWx%5xZBF6fcJI8kCZsGxwmOG8L0xj&wHDWDp zKlbPU3IBlz1ar5yy=^ajzZ^Pp4)mkU*sx>J48{Ep7oe}TouW_+#rH^&U8h>_vFkK5 zU=>%uA7G58o|XXK>%YYWY8b2f8vcnQf(e*Aqb1{hgPB}+oFU1F%`Yh@9(J5e5SYH1{U!rq3>5v}vIKN2Mdlo*{o5z( zU$IyMX7Skn1(?&mNw@xG4pgj2zqg&9`bWRWz8Le*$Ku`Sag=($f{GuNfuKN{#* zTDw$eg0Gjl;IHI2^q}&%V>CH?f8G2HdJR!dX)1^YyBZ{##nvyi$BwWGK{T~(1%KPE z;_rFeTBv;{d|PJFqhQ2Q;u*>Cwvr@*DTAWi%_-;$5>Uz-CesB(UeDW3#Y@gc-T{}}$h!Rb!^q(^7O)+_xc@Oa9_H}Rj)g^N8v1{(b`sV&#Z*KLP+#B<~J)`bV*k?5etpb09 z1|jW=Zy9t5XErOZ@W-<9;Eqc(RJfRT1~cv`Z6lvNb_k`-{Q7gKuQYXF4j=+jr-Zqi zqTC1fI2xMy$o#T;j z3tMXt(G+jfluiO03~})$AmXV&MS%zbU&a;PZSP~=Qie}M*Z$WX6;3A?#EtKN#X6Iu z*mmnO+K*OA#pbVwStHUm=;l2@b~ft~?@$G#4Wz@wzDzk#s;&V7QUx<6a#4|+%qHXi z0=b0HcqeCdvm!s|AzYDNJVh%K1+z(CDwfJ4)}B@H z=`q446J*jf$~kyW1v_nN?fY}TP6k%JzGm>GS$In_RBzCaj>O8td8?EU#GIg4JzcLvjoKMna+r2jgl6L7|vNBo7 zqctxwx{%zc)zB488_M3)tf0mCXcbla&#NYvz?5poMc?*|nU?6EsH1tE@tKXSl^6<} zPymndE1LtvV8joL@ZrZvcy~B;_s59IwN*lfAlpV@ZoB7k#r<=Mbu&X=&NO^%!aj?bFAk4cweHMLDN+ab5Y9Pha;u@-+b|F3?@1rHi>W-Tu3 z@XHqzYIUoD&MfTZ^@hq4OJYo!wfOqlO?=1_V@>A;Yw=IZ^KWg*Z?^jHz?*)>g77ot zun~X4nCEr`71m-LkzZfyQ{W6Q8!Mah)_>GtlD3e9hH=Gc(@clnyyNz~VlqZC^Zo~z zkFIE&U=SYhmpPY+$1BuIkRK+)_w`8+FAK~*J{y>Ez9D};#P0#t;&6njpoR*((@w3VP)010QatD5?PSjv12dVcI{V8qg`sA^L0BJa&II$OJ)%l+f!Stfx zZnk_Fp2DqpEkK`ohDPl&C*mUXft0-UV6y(yP1%)AecR+T2!i$l-~2; z$T>%dUuoQURf$>KnAn|}U4@H+U=NDzj-?USRS4U(R7=bo|h zAg6C!=nWPFw(N}+w7KaL71 zX6p3k0gq^ZD<-Hv_>hewoNvyqP_ctxc9kmaoBd0n;1w1ZDdy+~It(7KbEkbcHqlWHxGY9mI69E7+58?jK*) z{Wguh2^K$gR8NZ=j~4nx*fr{K;$&TK$Q*^AqKQ7OKSxeJuA`^|*ow4~=@F{y(~o<| zq<(BNU-$m}!}3^ulZCr!Z_pbr4$(7!mATt=Gj@(q;lO`FIe`g^AG$cuULZ6|4$ zpN~Lez*M_oy*00Bmg&e86)>FRuPkBe@rP1{Iq>!A^np=-MA{*HbDz^Ml(tYQN{iOK z>1X3=)0pEd!59vJ_^YcEF`T|7_J>O1kqUYI$_pEuh(9-Vo{1DT{9(sNo z1$!!ek06qLKzJ?Rx*njb2T|rR811N^V@VHwXpp?|!-IDDbeuk&6@I#{t2}0OQ^L`G zO`p);*VtcEDJcPjpSFt39cVs{Tn1Rkv13LFX?7gEJ9*nocAHIaSg-`GjPU6}o_ZF^ z{@|JMAY(|{?^H27lJxgbQ|FD~nH=E7PMEGOgMCOj z9kg}s$rTXTf&>o(=L#E}3g2yq*^#CGmOH$rgFCkry>9&l|Q{5kqw_Na(^ znky$h8tyc0PP4=Ww^LT!qsAPZ^&hE~NwM$RGOForZ4KleqBluBbOJ!KlI&V6&ViM& zV1l+W=#C)IIxpM{=rK1fUO~FRL%u7?hdYu!qxlcyE;#AGYA5eE*AF3Y2ej&a-o8f3 zKE+m2EChl<10r`s{k4j3v3}`tWb7?byEo_~@Vigx`D#=K#7I}4SvN!@xCf2HQVyE* zA@$!?u7|?I-%*1@7=N9ynQZ=%eARwhU{>YOrEsH}-a-GMqFp3i2dNt4-gxm%5lyZ< zk48%bJk^_9Go621T9d{{*iIZxVkcz07G zP$0b$P{K(h;~Q&fw=``4Hu!xwycC@l3hC$_4lhj|A#+g@*enn~A<2M#gIA+7VfEv@ zA@+$eh26pUPf((Q^C2k~9LNh;zUBb4-uq9F);r2yQ~k;sHZmS|k>;@~{0|PJ?@29a z=45}Zl+~qa0T$2c>w5Nf5Rk>j@wk}Py!*`h&m;?%wei*CYBM7bE)R1MY~GrTcn&YG~z+DyKP*X4f0&gu<1fJO{RhAa&wn~%~)*RQqMhfvD@0?-CK*%N{zVtvn|KnVtq2@oavqU)q-{#@D> zrvOn2*@obT2uEtbf{zpo&uc9INrVMiH{r+VpXpF2q{X~~DegLizMV)oc#ec-yvNXX z2?d6rP3=Fe9P(yuIuXnO8+zsYMt|EIx%7jISak7K<=4Gv?m}`0>#~mP1z6S#E~3rg zJHEKYc7{UVMh@4Ht~%cAtbFeXDVqV!t6$~PW6-O-%8bDJU5Dy0CSe7W0oz5}Ju!pK z%xlcjs4;Xwx1e97r<`$6$Rl)|#L(DHto6G#>pq_#NRW}K7X zc?xg-O5Wa>v$Ne`ePx4cTT4eC`WiF!C}hyTE3aO5J%;}3PUvst{wi@V{=Iqrww@Pt ztqu3p{LZ~dyG2!8pWnGR&nN4-z3aa4I|)xyz-&O0uNlW8((fSJ*LjIPHz^z~uzmmH zfZVs`Ca$&piy!3pb8YU7_AkmGXD7mbsQrtnpE_AKGds2)s!2M0p@aF9*L#i z$*k0ccOO8xorG9BQ9mBSa)0=17~HMFma97U_judV#~E#marWH*)8C&IxUWN;g~th; z`40V?p@I*F-h|43T%oJ|$6$S9er!LngJkRkBaNS56Ti*yF^b#R8G2FudxeCC<3RJS zh5lg5^u3?5-CH(Mmy}sAK~f_MN2KGfX zcUm3!%KRYAhc$v#_=?^{)v--Nt+ECVZfjj}15^sd|MB1gmakni!v41Jn1Z$fnXLJ7 zs&C(MfK_;chthf6nm@=S544JM!GH#04L)~B0=P}p+}}8t4l8NqrC`fT)(?1j#Y}p+ z-HeAV0-JG(WX;<^G1L*wDYj%)Oys|2XL8Xv49GesWQMFi-8;_0^Sxw#y0@c6ZfH$} zAh(Tqx~R%ueLaM@sYWwJClWNNQw+XCER{j=J+jr~{M*Fhn z-$1SH_~0qvIfY^Wj=#9lD>gB_Df!t)!$NPBxR`mKb0SP37q;HWqnK(*_`Jr{r4=!@ za69WBWUyF7hi zlY#AI-sc*psL=p)H{M=lyw~W{EWQJZA3uG{_<3V8y zW4Gq7SEe0RR{kx$9u^C7{I>7FXI>{?hHuEv#svcEDC5tGJ6O7u0M}+}nQG1b9|OTQ z4l>*Pb?m>Gq|B7%-V4xXnCVFs^YOjdy@}SD_8!1n4>uo;4_OQ%5^eqX)}L7cgX>2B zz$$!)c1J@vf2iMUt>T_EHRp_)c8Ui(%}K$mUV(jBi@Ri@swIFMuT{9kkUN5A=dMRc z%{o(A@XJ^PXjAC2fIVtqCjXSa#mqK0;9X|qMb4rAC9`E1@NkDIw#@`nUHY#I|M(RV zNdVofLN#N>Ot>oL{xZr)Jhnv?iFAZr%n+>m*7-HB^iZ4xmOu2r+5MSHh{3ICEp^HK9NPj!J@HE+6%)OAgWuf#laFDTe#?FZp4fGVU$gd6HzUH9P8ibyi*% zgQt4~-cvqQ;~>9yu~==Fk4fNyVOX=)w{&2$?nGq9+|#eH=Av?jb;&L23-n=w?NzK( zdVVtraFKSr#kqtC7nu6TPy+BO`(0z!$y5-TDgM*J(CVh*3AnC+s>li^|0agas%FdRdw`vqKsnv;hnOARqeyY+JJw^^#X%^u2JOB4u2 z+Ga1^j$iTl9h4|}*C=(>KL{K{3Wn>I+)o7@P1IemzAf&x)rvP)%z!|A$Obo($}G&e z+VuB_@0k7`-rHZMo$~&HbUNJT<-o?ko@9EO>Rz{d|ASNLt>De_K}=4}>Jk6cxcm`I zBg|)$tD)Tp=h^m8HZnVOWaNUy_Ob_5+w3vU`{DlP;)Vn5Z>J2O9cVgrRNI*Lyl)SA zUrHjQ#@E_r;r(J03$InA@PjM0#qa&cRSeB}BQgp2*stu5MS%M!0gPT{mcCnI^x1Gm zW43bK%xF(ctJfxS(E+^43q;LuLceunob{#s^mI4(ELAMChrF7NZ!qqCy=&<4C-^O> zH+<((P$#t|qprGVZ_hZ%Em-i`L$+Wlu-zTsZwtn}uVyf6Xl{6B=HD_yHfEShv%dU_ zY(vN{uXvN;T&m$5qTxuUX(r$e|1W#94h*LH-;^_@gF(n>6AFf#%f{KEki_SfFm^>VMk_P?)5PeBTqQ7<|Yx?LBcN?S(d^ zX3H*B_9~x)5oT9J7E;TgLi`IPw=1pAV2;*5E{n4K`e#?+ImC|K7v~{qdl^|=c&-Wl z{<+!zcJ+T?JXf)~yA_6A7oD1bY~-{=d+uU)-U2g@8+?9X?+*#%w>kq*FveYtn@ON> zw#92@6c;{^qLt1B44Vs7n1#`iZtp{+!YoYfqxck#BkTTnR@efULe&WgPT-BreOL40(T~jP#g@gE*YqWXwc8K;{ zv0d79hhYcN%$=qFyE;9r_C7oky%viAVn_;N+?Qa-rJ$+(ncL5~TX&753qQ;+6 zsld*>XpBH4@;ZRYTGn}``}tBhmZ#dFE}>aQ@BmAn^^ps!-#e^+U~lzVHXhgT$TfaH zst*-wqngzW-`2nyQ^y3=;kFMGE&`=+U>b@&1dZ^{X0y|U1D(Gg1H~63Q`Y$1ha}0Y zXou4v9^7_An44jf{>8{c#aMaAN^z?^cQ4kT?fg?rT3vV?ab^=S9mpa6{EmbP6+5Hyf%u$;?rI8s7=Z7*y4C9;#? zIQ7ImFQEhM4QvP1Fi3ULj0VQPt>(o4BeFy_#xnt8C=()hfN^k0XZ`XD!4!-P4&XC$ zAHJ0F()YY9eatmRNYkSs{S~lVgC&gAGeaKk8cr`S^`SE1O&e+pcNrTVZR>TRkrs=@ zC>GT(Llh5lAtjv_>M}|?(#;tG*PPm>y&~DRp9xpn%;D!-+D_Mg>s2nDZdSzqylz&+cQ5K$5p+ntH@;OS$clRswtgaRk0oIQ z7B8#Qw93Lq6n?)R96z&dBX(d}P8-|SWe#7NnX^5n<3!hERbdyhfn628vtr zH}aw+@H&kDYRwy@PMchuQ}6D1si5nJZ>%6&nrgZn;swvy-cE6=aE7Wnj0SKPV~VP^ z!fX-PjqU#+SoijrfRx^-t`|-Du({pbyY`$g1sSWjg?UD4R^#fscc_0PB|^EAHE(v*Ii^2^m$Oms%i8fxl4)2? zQ^vV8<6xfR47UAc4fcGHIQW&pWYq`CaE9cS>Xhkw3Qfe9CcLHITYy|V77f&nHA z@XJ55U(jv76{r_NldG+jcejB6d(Jae2{?yMdmP>MKO`wXZFUZ1}?ONX_P; zY*`lb%YG5sCf`BMlBpZsz3{K56)=&bFQnR>Hq!323-O41MO{mLC*BsV{EsQ3s2i8n zwnElzR+M(L3F;pX*qvwOWVF6(xW=PuEG}k#&Ntg#AeAP#1?#@EFU-VWY(dLu-k%sr z)DUXw#uVyfMJ8~=+q8y)xio8AtaULA{+`KM4+z%N*D{TZ2v z|=;VH&}k7UyF&79?KalmF+x%P#3O93_S~ zawpQTzNiQ!7U%S&m>s!P2ZqCX7^{7#P2@w-LBCRpo!}D}d)sLjmSv|6FPX zVN{uI6<((n1$sqG=D07(Bo;B!=Wvttwo@Hk&u~f`hS^Ml69Am)p}HDeW&m;_PAa84 zC*+3h)}!!EQDB5*G;BMAYr8pUA)j1QOOiiWoeHJ16OgcII7l8Q#Eqa^2rI=w;o%~F zXB>h4M&S=UL5YYoC(Gflx<^-9&Fc|8*un2Wpk2PiOJ7RPDG_bL&H{e_gznFJrosd- z0`rdfkwN8KUo@E4d0vFd!r~Rc#mt+qm^Q*4$)K`H4mQ&E9C`(@iv|1lybOp1{X?`~ zbD61pzp(NjmMZUoVHW(p*g#)V;Uu1aDHy~lCtN9VN-ccyU1jkGbt;^Z*LeDRPM)%j z_uu&;GwKbxFHHZY(l@h&{b$1TUxw)iDSevq|DAN`KKEB&jguNJ&fu%R&n?OZww*nS zuRRdQL@K|c%2^lrBLrz$r|5frdw&Fi`gVb{PPUh6_Ws`c2vzjUOLZc`^ObU8TiVBd z##~N?@^@`;gG*s1VaKYs&XsS51b0;n%!B_OZ})n7{L^uyF&5nzAkFz;0V*%Muuro{ z;O6dUj8R93ldcjwh|tJco^|Jn=BBLsCQMCjP1lZPU;F`gStU>NLVV$D)|Io^j;!;t zRXC3=EbU&`PV#V6JeO%6km9)yEFdMfrw*Ay+gG3!I7^Fv0&m&&X3A~VQEE*#zTS>M zqZ827uJ7Pqi=dKF!Uc;c%FjCe#MisV-xn~r5N9ouZRe3&Nl!VSq)i2DThPJMw%#1N zV5IHbUUP_P&Wb3vL1ypvbetAA0Ewr2%{bP~&- z5mFoCpH(blzo#3mvfTW*DmJd^uvZR`oH;E5~KlWez zj7p$-Ri-035NIUXQM5J?OprTo4Oxijy5p_{mZ)J>WSND z28RveCX)1dqrUMk>)aHo>VXqDF+|&yhrNu#beO57xFPLcny?B#rsCALm6Fz2h3~2r z*Vq~w)4f8dx9sMHG%0ziL(ak@c^2s>Quz#zdV13xpquaDo3oT)dliuA>y1p?gn_o2 zm!{^t6HD;5qBb``E}omAqa3$%hcu z{*NlT+3C-3*sfTDInSxQ!cvy08TQ}4X#@JE!M~gEl}XxOwRIVxPNl`zZuj4!LSEys z1Tj^8kk8`Ns*9mYurlXqlB#iQ$+krD(#S7n!5sYr=iBKZ<&Roaz6wCdR2fzf9-09Q2^Wsb29%%Pp213~&oz9b1kutITz2VvdximVfpi^rzwDl2s(h`{s zm^+ER_#j>L8hkZKShOMy8=dSrAi4)92o)ictI}v67Ids@alesixG2#^Ky>N8pMX57 z#Y%7UC$ma%aj*`h5_)Wxoa|QOWVh|{9%s6Lr{GW$cx1qG^4qs35G>@Wb!=m&g^=rNA`mHT4|;xtgw0b)5y7}fG@-7F8vPo5FW0t z-9Txs@HpTa4@bG$@f_}ol?)LFhzeYEzm~MBwVm5*la$vBQ~Fx&Fid}m&jVX5va^wj zkQ2G%>V%jf*}4$M`M)x5+9jiQ3Dqdm)!Z=@=fR*hyI?Gb2Oa7|t4i7Me@o4J(w1{K z-}Sylzg+*bk1S%?O0v~Uz+DNTy4MZgFdVbl&Hf2*Xb?9ORLm-z3T|p%PU1Hh!k^yn zA~pNOQjfhRsbN82#BS3m}rC%tE9f(cCUyIKwZQivl*0A84aXj3n~!L%WnEWQu( zroGTOevy2N_9g@g+JnnNNr8q~z-7V7hKX-{btU}sMW~ERCQw8Co$ZvCGi=^=BMimO zR6^OfQI6xGJouax&Hc-N4@C_Un?wUJ^B>IM62dU5rSsc4%otLYc6AB6y&W-m3!F)7znec+aaFI$+`bmIJXNogu zq(ltdN0c`e-5+%4_G%PcYt6reA*$myvA$rBYRJSkaanD(Aguu>ZTGn4nNG0`+^L>c z75%cIn)k2(&M;)QsEU5V`pJ$;;7Lpi3AwOV?fqo79T*jAwehWk*VA&7yUAqA5@ZiU zEeWWd50GEumj|11?M;;WC+apJThn$^V1Owwi-Zxi{>xj;W`r{i*jw&BunR(w23gPt z83jE>=cpWk3Ty%h-%b~Dsj!#$cl8FXxtMce$y;_S9sUUDm$+I}coL@!N-j|68`fDr z`-^ECl@`E~VB=>(WgPeF6f!L&lmGIcN_gg={Y4K#YBO!JKl?S+t?Tqs*!#(Jk!t-b z?LSpP6S=r**-yAJHOLVrwB)5}lzsQ`K|Fp^+c26AJb0DwtPxwF_HMbmM zyiDL-6m(t;4x;1XnZ{i1S%tkwaDO;nbhUb3iLN3zF#-#b3u#Jj_9u@KCZJLv0Qpm1 z)te!wx52sZLZg%8MNW%iC zRV2HWpKd=9)f&>hX%qZoqY@MOlnvMI+e^THp}nb7^y!kiUfWJ~=N0GGr9pLk4K+Ue zYTHV;@*FBEKcuzP9NmO0UhQ8SRrL_`8AzF4s&^;RI|J^BoTt^&d!T!`07?iSVS8Xj zL??#VA^~Lz)s;{vsAaykCJ#h@Srws<@DAeL9n>hn>pgMS^WlFvXzDbjFZ>#6&>5aB zd95=Az_+U44$SrZQ{NX3v1qWC|37JnSx=>v3a0tao&VQr`o_lpeKi%io{mUda17%s zIT`)s`(jGt^sFmfn`+d{e)OpRJ zf3h&DLg-@)HBD$Z;on!<<(DVya-)E0yQkVtThAq*^HRoH;p1c$>~F4d*`YbT&W3Ou zhhZFdVN+57ubL}30LGEnX{wvKzmWv>^C*l~Uze>AD{ z#Sry4ETOA&KCqE2>>|#oCjoIz4DiA-9cp{`)+Uh20FWi3|61GWm-x+Z-y?UL@0`0^ z1nUJ8q#dj<*s2K5XFzoOK2iJVoE2)Xw||kIv-A+1k3(P7j|l-q7mdEBIxHgblb20* zer9`||J4@_Tzz@uMfIhl-73nb8e2qI)2;g4*z#?tXz{zH58mw2VH;YnoB-eS4>Hwq zlcy|HomAB|QPmfjs<*=*4=UAA>ZIM++N`QWGtDNV(cNieGLQkP6=92Xr50*WP_Iy_ z5s@n;YctexTnS3)v-R-3wbcT1n8AAZ#Zj%}t@(Ee<8=LYDFPUK&R1I~wnTqam(}#S z|1@53*b|L@Y*BRyZza?8fA<2pL_B4lGF)@QOfCdF{P)h&N)Vt3y{Z28^h!|k7mqW} z0*WV^>H>u3pRu1r#QMssXv6r9vkHTh!Od@1cUbWC{L=rsebGK*WAK9oSMHnH^7}(h z|L=lD*CAX4*Wn583iefkAfJcx?U$^%KhpTZ@IGyCpz#wtCip z42w__Y@%x)`+s|$^7-xiSjB6jf~1D!8avbzDG=Yo1J`u?ZIlZk!rYpK<2mLuPGMiS z3iC~Zv>_W&^&(-0GEbhzW3ik^^(f=b#vOmV1{(q5XXKB*>{;@jj^Ns4#izTV8csj@ z9sbzcqK%ObJuimR?5CQs4>^#b5=d-Wb|%t4_HX;wXWe7kuRf}q$cL9z;(w%>PD$Tw zh%ep2c_;FkcD4{ihZ{wx1yQnh(iqpo?B}b_jT|pxj$suq*Yfj54#876q+-IUIETFG z-Osv>e-N{)zac3&SJUQ*^KUs%8cFXOrDL6&-uONJT*kp_Dm7n5&D8ZF^oF_yP*U1!(fK3Q1g#60z$e%V|bRl>Lirgqm_1s}o7S6b%v7kqEI{MMQ#^39uU*lc; zwB1TO6=6FbEI94lc}kyl?s#Xnb^`fQ@n0o5mH*e^)Y6a2Qu&?b*8C;RtBDTlUxV5y zGp5}|D~Jmat?K-9p@$1@OFl_EoBsV*`AlH7^1g;7-f`x>Z9QAz>9=sDg?r4_J^Wvw zQ=EmwnU!eHL7=jOSV2w(!)mA@gKC><$ZT7ugDt*Fy@IVuPWRHuJ>(s{aJra%Z*G#G ztasfO9S%8yn41}XCE|gdOYozAw4lyQ5~<%|`t{~cq%4^v57fUb=kbXq2U>SXGNR1M zFmpm!K(ZYrw}#1vHj_LnN^TF6@j75~$D&uE`J82+MZKIFWnRFqf!uCGrnlQrcpsmF zAN(X62bwq4P9yKX|GHa7qEHhSZ3(yCPo96-TVl)vWOW%F>9o>czdnB ziWe+!f5jvJrtmCUGnQwymwhE7u zfOljZ?lV{uEgm~g7B@wqlK1m9?bLTB0ZgntVz~Y*)d*QfZhyE!_i~2FZuV36(=0L> z0URCQIxYsOl7s{a+UKp}&v-(%q;sF937OAfq)33#jo=3|tpRR<6i=R~r+uM-6>O-d3o>t6IT`8CgKz5`mav9?#U{GWu&3WqTH!V%iuvH>^B38FKT{o1f{V zQrCw#1fD9>g#kf>RZL;d8--YC)a!j4f9UF$t){CNhPB;BZ9N3%R%%T<|L$99eOPE! zSmZ&oU$`i3|qkv=uPQ`Nj#qfXmPAHDylY5S}K_ z%MHsn)|fPlwBSaiS%tfWM&6+7-!@I1^ALR4E6^SP@iQY&lG#gFAD8tiUn4(w8C-#k zyqYo~@LAqys7)4$hI@X6zo*bdyUHr#Cf_PZOG;k=!Zj4mxJ!hCr+c}oGXKf90jLhW zoXn_WGhyee9)rAK1)7Ag1yw$wOF26j5!n6D0M141jS%4S>E1nIGQe*6j@(|L8>3D?fYV(w6&CCYRPJW^s_k~R8@ z4WT#k?WGm5)FV|aK&eBCL)z>Y2tHsUoI$w!limP#L_pZT*MYf|8TepDY?T%-;kk^@ z*3JIe6j{|AJ6=|()%3B{lv7QD*1X}6`E`Dw@!O7_!1uFb*C}0OxHCDCzxsdz!u5ve z%bmKTa5y&^3g4MjK5}r!2~;(1x)aR#tPh7oRzXP4flM#Nn+E<1DUt-xUvMzvlWmx( zH?hR1_U{HIO2fF3SXswuc_q|( zjepSVp=Lo1OXfI)5t3=7*>V6z^O}r1M~ll@WAqmIqGg$0fHsIpPc8kpD!pJp8k)ficG#{Ib}@ls`GRj;a$n9fRMUOE^P>@@W6@myM+7rj9~K+fj%JYqAYpxr{pw67w(H9fd2b zw%7c{%sKO`Ou5(GrU9WDOx}lQ{?eLv0ieiVRSiO&&6C?S5ckr-X*^2qNaw@c7hJ?3 zhu;z+EwidD`7bOD|7-|iU{y**OKX{k?1MKoM@s>qVlTC8@ z)cINOrx2)AuZLfG?S4iUv6+Uowle}}IuQITBnOCWSQS{X1Xt-`Oa0vY=>VK0a3&08 zY2NI8c%|Tg)4a>-y1OQo?)O7+xFdu6d+2t%Rro@^cL&rG=%V{t+rx*JHx_rX%V!L< z8%E=XXB4v6!9yb*yqXUqdA8~jrXuy4FmqyJ-+aU*#R?ssZr5>tH5shq%j+u*KDbU#^_uWTVj-*O|}%9DBKDu6gxPUZ1DL-#$%e!TK1 zUQlUy)^@K-_%|6yT!2>VYi-Zi?nSz?YumSL826pj_tm>meF?XzCSUn4UaL6RA+n(8 zxB3*_B>WG9pBCsVlWM#WXPuQG<);u^|Iasv>oq-cBS$AeM)OL`qE?uApKacb5B|dTdyp+ZT-i z^(VhNUW&)6cg1`x;eRQ*+Kb~@m`JzWejK~FeLw=O&bikn?4egxAz*@c?~kirn;Qso zvpqebY~8IBp`<(#bQR)`@~Afuf2gm(W$_4@?RZlHqf8yoxzg43g(@%p(NumF7`mkj)g<=G$%S;7#**e5sHvvf z1cs)5x2?*5Y@<2{O7zQb+D`WjQ2-p_d?^lLt8IMHhxqMYRlPd|#E7*S@OK%1#@j;i zAY=q>FF7~hO2?g9okDgQjv&LLlfV7yo}Ot4J*fmXr%Y)S6Z@tcH{c9;PXOIFo%L<< zGs0cc8KOytdXdg*ZFVom`0;YAT_(_>v2|&0#7bZv8{<`csNYO{RVMxhLMOQfuWmc0 z>&$Td!p6bvi+sFlILIH>={m{KD+E+SxWCWU0#($uUgV_Ef-dZmXW)7KC&mzueOWKP zBcoM(n1kd`+b;|CMoi5_M^Kwi;KO}A|iUHr~%Fu~$K6?A1_}C!FF8w%M zWd<{wEJpQXC92d*UQ)#)!hS3yL)!(CsmX1`UHbf*J`dtE6c)ov)&pOz*O%A%(ko{T zK1prI9?NT-rf+Li>P=FD6GY>B^$ESkR(*d}-=E@p*Nq|G7&_1sIiqJhsq~591vADsORCoSSu?g-U!$lOG%hZ%7!3mZ3ycEY!9GKU7*0<^(6&T<5>Ao->^I zy{xzQ{-`#m@wgFrf`&`r;Q4pfpo~$OLWnwGK;6bF{FBYd>|5+0R#ASdvqL#rXUn;W zG}{*1-}4Z!a}_xontUoxc7C=Z7$~lgF>Zy!L#>+)u$2)^z0WYQqv@~d92= z8b*hj9Xtm`K26^A52H^_Ui#~_mF~wLsm88?uW5D&m~-6a!Vgr;bHmZ7DU*jJFV#Kz zP-}jbdf^SKp{@MVWS{!hvXm*%wpJa>cvsh&oyr@T2zzzc&_2#3{;&?V(|M}|BuN?G z^lzYo9>=+HH3KfC=Df=kUyH4B0^?9A#82-p_wVx(V!^ms0B7u8Jb`qiq4RU_W72)? zE`Xf>FuNH*nuS<{Nj-q>L^BAZ?C(p5q6hbOpBY{LK8>hR!?Gj=hk<{U z&e@I!C!eJ58yk^-F<9Nb7(mFe^}c)D}9PyucA+yT~}BJ0L~QbJGS^uqG!1~X#jjXpkouj%8gArZX%Sf$jaEI^ty~WT5Mi0GL@$O)!w+XALG!=&c(}jAe#aDHud8VC{Zh z;~G@U@P;EE`P|HU#@X5IZ1-<|Q9|EtL=Inq^*mMNnvLi#G@2M$9>QdDT?rvflXR(&(tg0u6AB@&<=6tls&8&4Q8NNFXz~ zX^^VL+1}EyDF<$!Th$@~K*P(L>FF;EL2D$-%Q%72H#K+N_%W%d^*5UX>A6*1e_Kc{ z0(5-P;*IW5yIC2(Z4R5R?Ha`TF15D~4@F=haoREser{IAJ)ia_(%uWZwnx`@=v2zZ zdf3=cX-v7h9*pMeY81}prK_T6zRrIhqM)!_q9={h|Lgln`aaZr&o(TVWt-KsJh+_h z5T6-`zQwKQX1&Q{%A~tb2~IEY?z`L>`pK~{<6u2(S{$k3dbALE((!f z3EoVoa${YW8oC`F;uL>RaXyXVAbPGs2ck-IbWRq~Y0v;X>}Xp|Va7rsqdVK$uecu`LzqSu?t`)tHSK$mT2 zaP6G8v{#|m?@I*}Ju`;1y?3y+rkZf*yX|!gX`E)G>!I)TZCppUu<>${?uP4Y+sSCn zGuO2ZBw6zxBTKk)IheBt8W8Y{+9I^y>?IoYl@(Iptx=XblZ6-Vp0#8(zcmiJpC%t% zvkF3TqiocKZv$tH6f46I{^Q>RK!AhSG33`-#Yp;kG?Agi;7KZv;-FqUIC+ z^-vMBbk%%9y9x*4>R>e^3HiLCk)o53$M$x^o4Ko56XA$oHe(V!Q{~JscQ!1Lan-@s zw2*rET@e5L|3XIRR}#gws?;TVg}pcnXotPpVq^Bcnf2|dCHtGy8F#cPHF6ZZRWAo!{?QG*Trg;yra8(=7CE$?dcV& zW3`L^cXh1-z733g zIN%u(E2dMCBb{Hx2#-^y3D!JaC)=JZJ+)HwG+9qcLA}?A1vVk;;s}f{V7oEagY2{Q z^vHksp!lH2HFNbrZipD4x!0>#{lW?&<8Zv3s(r6I)vzjMowlmjfu9Jg@HMh1m_Z^< zzeaGsKCaA|j%HbP$*xm1UY;iUGqv?zT{{_XvD7`$|32@jA$p#i%KwLps-x8wL|&R+ z$RDl3UjU8K2ixZVRCL67gR%+@co}c0h84L#QC`i^^d@dItQ*AGp`;Gdag&28#W1R* zij={^nv8Q+UDm1ROjDP2uQcGOG0tlKLw({34Ais~tK=}EmAk|TwG0<3UEZ=PA{Cqi zu%clp&g!!c&AJQwLQNwCru2|4>eSCfyxYzn{cUXm?<}H~tFNgBt)=6jPC2%>UYi=tdFuc8# znT%t?jGqJJv`b5jNS6HhSyg*jMIy+An8R(3`d2;tL&OjeTpdqoo@v7871|vWs=AJe z@Nld*`f`qfCzi>8BECYWLS#kD^Iw69x(wj>m#&Rli^s)z8c>Vb=Fp{YS1sLCm5RR@ zUz&2B%RQ;H{}btkply&hus`b@U%^+`mifP4DcN=I_XZO5gJE>!2JxUF!`dT+;H@e$KWlfS72(74xN&hj5|V|9dC2KX}bE*!~+kuSg$`rA6t zROz`&56%rIV2CL?a!+#fSvyM)robu+L~DneY0avC0t$$w=H&=LfCU(ESVsYIgWAWa zUUy80+EV&-%~Gx8iQMS0eaX2lIDuS!_*X^*4I(}?zvcD*h2M_&FYb#B8NFMzlc_2d z+DvO9fcTn3h-y{WHzRz}l0;c9wkjT5m5RqwaBudpBrZ#G!r1ZinS2m((Kh%=N6~E%Mh~)Tx)fa8t?KqF8{21Ec*kgOSAC+o296# zwuhum3i;Prd#JcH_#wACjrYq*8*pTwJBX>7gL>zZ!I%*ETaFh9n-XDu*d{Y*f5_^P zC8`o46Sh~CndRPEm5#@PasUvu4wv^)I2`rCdD}mQo|#U)6&x%k)2kdmtanvS`%}28 zjyCgBqEw$rEh1dKL@wneTEWHFcn;@jJx>B~+O=7LPiqy`v5H0+x&(=5k`wNpO#%`$9o9B_*>UuYoF&x@h#){hw@0N8=&UojuugoHecjYxZ z2^^+*zcnRLi)O%v^tT643TNs+HaA1*8;Fy0UN_fic(tI_T^PFI zN7r9P_ip^{BDeCBNZ}^PlqHDi8!>6u)itExC0y{hs0$>ommojhaO@i_R$;ZEwURnFtVS(-9v45KM zY9O>kVr{0I{M^T?t*;(7rH>#pUkR;GuJewe#rU4yPU2&fV`uIYz!2Zl-AT0a)9zzu z?)OY05ddx_alSKG7Y0py3j)WO_!ccqd;r&*_nDslv>J@pnJ24w%(E!cgGFEh`JdPw zg6e9Z$_J-0xx>2+5dqelNK=Eo{*BArhz@Q@@_uI=??~$I@RWWOk!LKkt|w5JUxD0Uu#63b<+6OUAr#BAFpM3fW4g!BImpZQy-; z453cH(ibEFC*U8WhJFoFQJ)MMtEI4x&ts%ar2gBxP zd=H%OOFn32v2Er1Ijy|>46RsmT!LyUPxLuy_rBcW%$3P7zULq(A=i)j({70GInYMg zitizQt<&{ZYfjw))jcfe4^O+-Xkpsm_?|I}9I zS()GQ+sHlM{h%-ny?u{a(U(_tO;^1d8morVgCDTjf6d80UfDG^d%n%SEhoE3*}5%5 z?eEy^Njcf?KTY-?pdkC-cbmR1%*kG%?El*Aw`}&QIoZEg_6s)qb(?)iPWD`7|Hfvo zwb?sYbPa5xvTwH8RW^HVPIg$?x-A1}|7l1!v9=@*svU%9P7K}M) z=)`%Wj*H?xMxQwvT!r>me7QNVt-q}Pa@6t$fzTc1);^c>e2frAHby(>xpG*jsQm@@ ziwRh6&OdJ)%~Z<2khil|5?4zb$HW};HY(hml&Rm5mTF$dSO5?go@c|@-RAQXMTk@V zqiL@pHCy={^q1AAM-p|;bDBORGq$;@W}B0cHv8NOG~>G-j!~RWHGR0c>k_`L(47^+ zo7IW_%L$#));!OqDe)oyv#q(cEAg@Hr&S8t>Wl+Y@-Z`lYx^5<-KUp?c=|>*gZX5? z3`X1~Qu&FSo?PhNdaW6VnYvr(*W8|H^RD^_NOXV|0WUns=)_n2#_WZUoi6d-+Xk+g zYXBy?^*zn zPW5kJ;k`^9R;x?imw&{UI9aS61rp=J;p4FoIQd3325+r^ZxD+W}pG^)T_eV0C=@Y_Y$%V0V znmZ+s3{)|+Gm^NGau20Q>J?abmd%eVwD?%2#dx&qZMts+*uP`*4NV5U>>oV8(W`QkOb&3xr_?e~)uqRiR(=hd*#EHivnqZPPE*!d zB6ugnUnE>kHdlS)3JWi^%1%pPz-)hv_(d00xBmabV8Kt^!~k2LXU+|_+7GZ*f}$M` z$~E3cIeXoCW>!cRX}d+U=;}bAy3kc3mPJ=xO7JI!s0^uD)XO0oQ*iQ`)jubR*1^vy z;8zY!nAM9UP*zEHt_&>*_?f}m3j(}t?84jqfc}4P{F?v;Dk#+ypHhLiN6Z^`pb2m) z3S#i~L0~hyor_HQq;U$QQ9D(`-WU32(lk-v@tavZemTHnx`m)kp>FPE9840poSVc$ z!2xh)2vj_jB%h3$psnAC$62!K3kY@pFUv(I-#EJYd9!J8`5Ttr(72X8a4GOO>t7W3 z=W&o~c+Tr?a#ye&*p7OXOl~h`ziMY{a&!G>RsTQMiPF^n6dzwWmt6^4AJ06?w=8Nc z#Qae}BUTTSe8)Mf1tSjzOCdN&vM_YZ(hPGt=YyrS6<9&3JhEUbf>3@bh_y{(fA~qE zAgQlSa-KPa<|@>B{|U)E*3dlm;nC&Y=G`IX$b56|WbQl6yMqgk;NvLMyPLdYo&AZy z@{W!66CL&r&wfHj?%2U+r^27b<#H5s9SWd{%Y8pcEzhRPt3F7r2xcK3%1J#rn<^uG zPhNr;3?V_guARoQIY}dJ(zu+Yu{LR9PSQA=G$|)(Viua|IjPtA zsl@NqmGNX;%D8jety)b4=U?cWS~$KuYJv>4e>;$m!fm(AqoDr7wUFSv@#P$+tSEHP zzQZ(-UPO*Yf%Ig1NRQ#|@z>;%OSrxC>4&)E*MyV5nolFqzX!wp(iROTP2=sq>)O9a znm;|#$hQaIY2@33N_w8T*->|uNvBG;tRg9rdb$i4BB>V&%%Ai<{E^-VqiZQO-#ScB z-PNBukHy*KHl+pr~7OJOZIdctR@gy2mZ02_9f@+ggN3 zWdQG8_8Jnp-^%xBg(m##y&JsxoV?jLvuYB6Z6Dr=CeIAa_bM`eMi_-ncXong9tRiQ zq#0o(X{IKUv{R7ur@+jMeTFI3l3-S3?3^SsnGJPkw7}WsH?B)M$S!SE&}ju=RlJ!- z#o)b?yKuYS;@W@uXPxe@w+P9li&Z=|@iH>JkrN5X+EA#AEDgu4W=3O}a}6_2O%K&| zw1uMGBjev{DqI)eQWov*j$iE-{yWD%{p7$u{W$I|M2hf9#q>SEEI2X33d6^3Xe!*& zblmoEp)Bf+T2rAWj8IxGMzWRFH)HI}0){&Ko2l?9QsFe?eG~p8>AU zYVI64Jt!FB_q_ZfHrdE&%ppRz@IziE z+2NRyR4Eqaw#o8JkNq1P&)9`KnEpVMz++bD`IbaHJHu{nP!C$O!MpO`SObFnmY9!` zH7NPvRkozDyHWBiN@jjS0d|!_Yp}C2r)2HaRz6xQYANr3|MiaKrwyrlw3*FGc^UTq z1|puC-^3g$Fu&(Do8PMmb2mHnNhxrJxWBCM8|KX@)RTib%M{Jw6Qex+@^R?GI#TMN zr3s~DT$_+QU_x?Aw+YD^#f{ak5v6We_xk6N|2wO<)-PIUiyZ;rT(l&Dp$G%@j-uT8 zrTjCh7rz^lm-L>Hy!Jporl8l2I%Y!h{1A;EPow1|4m&BU-_b*IbP=Sr73YoJePi1f z7ChDSW#^ga*D!)``soB6!fQraxwmatU9%F}hPekG``m&29edou!U%uIy?os0iTs`T z<0+v@{GBxUCs$AA@AMyC9~v*lN3|c_aKlgdoX2N0bj4MC3a3MpV>j?AaVYfT8$x_O z#Am~IIrDCd3s0~A$(1VmB%i1B>C=l(%|bc<=d+bR`j5|5{82~}i`@p`)bszb!;q;e zNKcsCxvAz`ed7Fm{+iMZ*N7Xb=QmQTDIGhidaK3AAlvT2=RLA>GMKF$wwpV1x`AVo zAw;0vU+tT5HUdHbkSRF>cZV24_hXba-C;K3_$G!fkek$EQgNz9b>Q=axE@q(k$QxFi%q4bClf1W8Ba zB=PRbDb6!92OK5GA)D^TzbcJw3g9WHLOCl@QCG!M8qwf&>ZNT(_CM_ zIhv`X8R|hkXVm2^pz7gic&$r4=G&}t{Hr>@9?RFvqPVH&SD95*wy*Q{<nNQwHc}zH2BY&+u~K{kB2y(F2MiXI>Z8FWmn}2{N2m1T zW8;Vz0FHUlJ~MKqn>{p0nDD@yLt=DFPws6_q3<^Gr*v2t{s41;YT@f>beqkr8Jft! zZ(&T<+^T3_g(lW}nq24W&kL7FXx&LO(U_~(^O8m47?V3onCG(?(~|u5H4SN;409%d zG{O}Jf`pGjG06)sel1s!MAYzERW=D*?6afJD0ub=vT62H_jlqmh)5l=vi9%6pW@5P z2ouZiXal$RyrB=vdnx8Ij*eX*pDtQ@27t|zbm-60&?Dn5nmMWh%f^^h(z8Uyi z-Q9;b17zT1Mvq^t=;Z!hPR*hbn;vp;Um(Z1nT3`Xnh|e~iS;m+21IctKLXsDgqPl*}YJsF6c1E6u#crVI2hWJ`|UUNR{S zLFx9nS^ZMrBRJLV+aN1e*EO~!+x;DrIWOpEmYb=<=;fXFz|I_hqnvH>b^DKL&l$<@l3S`@K;ODAGlUHz6_#c%rcOf^(~@Vnf3CJ5D`SwYUgT4!dn8 zTdKOI8E@%gezK@;a$Wm@)*eTV{?kqtX}q;uVC6)MGhoeLF6b@0;iMBnVcQPYP}V|q z;QjUt3=G&+VJlwS5PjoV>TMltQX#o*UbQJPv%Hu0rcFIisYfam@OlGYnS~Yu%({$R zU%g-4tK+k}-1DR^e`gar&oeORQ2KQwXgG5XeaGi&ER8}<9#Y9jYT-uyH1R~{<&o4A zqOp;pg?8RQBfMwy7%VW{^KYAs(l=&^TgdyMZIiF{gMY?0L4Au_f|J2??OmT16?pgE zvorh3Iuw_6o%hhr&V_WtWIa$Wc$n0qeE;9SN%Nk)T)^b&6woSNubaDT zllv-0Crl(x;uh1q+{)9pmOsQKphTFEN`E#ns%2YnxwYq}{kWF0u87FjwVQb0_3@R3 zGC|a+v0F~3F=D3bG@EYUP_!E!=7aCKl`9qShOmy&^0A&`Ov-P2I`Mt>Ol6khpC2$y z@1Fnr0s>d0idX5XNTU;D;>7)IQIT*R8fK zS?4GN3p!{w?{j*tPY)*!{K`Tu45__os~UL7hItW?J4k477Wu)$)BQf5&2>j-QKDQ7 zRq1Q^8w^cv)Z#pa`=BQ_pOW%-hBr3BE_4zqEbUQP*pv zn%~hdmc?`UQm2a2E38_ zxE8JY*SorMjuxMMq+_DiW#?2Aj>>)GGoLBkDlW8J?ES|2= z70tvnr|Wyb!XzsBy!6bIb(f0xw2_`Wc(;N|YCA;7-Za|QcIL*CqAIXK+@g^c-bln? zmFcN6qtw5GvMJje>}Q$kL&)M}i$Iem@9^Bbqf9j%b(J-H6LDbA;U(izZ)b1YwrOA& zlg~v_U4JL;)K3XIFnc3?HqU;Kf9veNU6MH_yu>>eL}V4G!pB*~=!sww(Ci|JoxvC4 zcfG{^>cSU%H1#_^ePjXmHVi##tT3}J%<1pd4)AL(=ixV%Y~xvA{@{GxpO9g64}~&3 zYkQ>dWA8v4nJ;m<>BJtwXiis{ZNu&|7l70K-kzkJ{VTbo?GqgVy#)5k_(sD}s#}Q+ z9AtTqiSO!mOAiApn-5_7LgrbLfgsQ?wnGrLJ|S@4c(kUzM+o$hywtijdXCLVk1SPb z)FlGl96U^Xsz85 z+Krv_cT0Y;`*561^q3?6<2@pFW!aR{aDE8hfa&`ML*W;v><;JbS$S<*nCh;cHNHUW!(3H z)^scnIW2m>vtv1huNO&5wLEDMJYnPbr~SXskz}G=s+jjKam2uhc?^+j5oT3&g=&}g z84S#Mrezg{Ce$8)fT`P7d~sp_2=mp0G&xgJyKxH7yewX2YMXI-mIw29Q2?pH(W zIhps_%$EdOy5H&fnX|}rQ)x*gWS)|rInHKklF2O3&m3kmH`>g#H|F(uk}}h^2U0~h z&1DTT5P4e-WxPwvYCIo1y|YWfu5|708*EX+s`y2h+M+wUik8`;8NVoDKK-J1+oIAF z{8m5cVOo93FDfrO3&3@@s8lJx=ySH{Km4L)*`oEfs5$LafXGhoHi|ln)BUwaAgt8L zndeg}PUaCd^B4J<{cPq@HZz%@xf^m#&0}oloczr7HZx>1XXIxtvYFP9dEwAz9z;QxX`Blc$n*gyi7k$()1AiZ}EvNjazs$mOTYmZOw)|81<(GApzbL=_ zQptnqeu@0@cXX9MCcpe_TYhwY`SD%l-^2GjXS`?I^5yyEPwOiG$NcgIw*1Z?=Z&|h ztNc&%%P*iH@Gs9V|N8vw{M6)?Kl+u4Cav=?yYY0n`+v@ zNGmCugL5~Vf=#>0DbLTjN;&CTmCq;O1Ie)S-0wItbN8ptZ9U~P<{f_Dm)XA6!&mwE zQbfUUs`r1%S$}md4Z%WQ=zRb$ce$VwyF2V#iZ~$AYQRaGwT%e#ML2?m_mGBgw}(lW z>aDCMYd3O>9uq&1(db0zh3rO6sjG%4luqwR;YNl1pK~k>HLxAMi~Rc_T#Qj){$3!7 zU4F|xB83+Lu&@P zMuVx2@)JEo^`dx{qC#p&mnu%HD$J%?|yy2 z$$XM<-L0?>OW>OUv!LGE`%Yk5d=tv|h)fNV)DZvKn)zxHtOTJix~wl&Dm#v*!irFp z9(;kVQxepnsR|Pj#ru+YvXb>ff#t^5{UD|N7u0+C-Jq|RDQ-5fQKOJ?z2{XDvzO#c z6f3RHDgq00rc~~x{%IvqUE>-7LG&)y=xX^w__q8=_~=&hlGK%o|9f5ebm?(uy8bpx zH4B5?N|UC4;vQxVYly2)Hr` zVweyZit4~~9ojLwK&@Hhn*k1mDtQ!PM&2V7w8WZ=08`;AdUADVlqQ7Q)7=4jm+$Pc zLmYy4kd_{NGJ^v(j(NvlE;sdO1FLuFoPAc=Eo?V}KcSG^!i-z_7O}_+z3oYgVbiRG zq#bFS{76zzy7s021{m-X!K(o&Ko>CJS=GWntg36(jLAH?Zh%(o9yATN=vIHyBIT1T zx>YW5YxHUv0AS+ft?Q*sYB=@ae9bM9R4WN?GerJ0#CfS%I+<{!Q--+d-rW_9caDM} z`7cAp48773EU$KEp*#^N^YQc$pfu+b*9i~u5GMYnn6;0rnTv&aADV-}x@`mgf(4{J@`0PLmUs#6~3SU03yxs&Y(W-<}PKfvu;T7A@DAqsfH*r1#c>O8@A z6+exf=+pbJdTF`-=T>4NZV_j9E8ix*ps*$6%>B#+iNTC=f^*AwShr8*he(c0*B;Be z2G(G$fL7iSH)(tFg+(sdwRW%t4Axp>y4xYZPo2cKFqoOh?v|nWH2r-zu6TP-a{bj5 z%>$l^`YB7a#R(=MNKkMmm6#qR*l>H6vS@bu^qn4j`1M@s`|nKV zXkX6S2FIm<^CL6gPXsM_PpGi)H-Db*vBf_dXNosxi#PklC*>Fau`T|NEq-CP_=Oa2 za2DI?a~5-)m0z#g)_dO8J3L$OaO&mL!X7FK#pd)*b_L?6c&G2$MUr?@&9cb{D(D!& zNS8Ttrtx|cvo(oEC5Y>6z;4CgN^nRI{;BQl@iziu_4o{k6>hlW@_^Hm2EVj5M%x-c z%hvcAHS*!R+Ll~{fKT7w&6fNwB?Wg~UfV2>H`vx#WNRFqt#P!eVPnJQ(1Y%__}U+u z4z{fgfZulGzM%ZqkjcUSv?Z5kOD_Lf$-f&O3wH@7^+Rt1Z^Z^g*W0AkP7hAmmTt_p zbmP}rnrK>rbJ&)=dvcq(-!^lJZRWIWGpBv6ndAIsM*7WMnA^-~+sxBOH?IBYKfw%q z^s_u(W37X4!cE1fmu&3j4!BO6V{}P@%MmQ(-I$cXl(~n9N@4Y$*GsIX@Pq30LMMYr zMx-!E!A2j)BOxk*#5Y#waCPldnU>#NZkA$v0EmPFS7e~h`#vDSOUId5nj)?2Fjw;2 zSRZSO30sLM+EDo-hnc0YgNrpP8YmNL93kM*>Et^X=H>-49-YLmprE1+G9*K8VDGTL zB|0Wx10W4M@rgP%;N1`l*GsSGP>VWm<#Zvr4t&uoiM!z@ixm`(?sAaqVc2$i3vDzT zgF@}xpbc-Xsm|E!Q1U{YUP~?N{L|JMm8~<1I{CY#UL~#Ebsch+Sr~tja@GfzCYFlz z>ClJPXRAJ#(2*|E2}I9CCzA${E}m@S4nGI;QNW^kf73^Dm03*bth_Cr9*F!cDLe5t z&1ezp+Ajd!KU;Wz`m*E|!T~-jlf5t_mxnsBFb9e71_{mh`A~ zF#&x?!jHNZDNNYU0fs<9o2K3>5=DF%Kw%B;zEtEX+de`;ePt`6=`r-ueh=WKvB^M6 ziUaVxVjnVuRz+mYTLKS`sq?xgsh#Q1a~@VMyVpwBt*;gV;$^<__0Oq(Tx^=iU;amE zCG$1`Onm##;J*-;Mbs8KAgc%Wk#~zuMq#|KQa1ObYl-=7PDh=@Q|3p3``pX_vj1rn zLh`Iw@*#0mif=cY)5vlyXO^;T=-rZT(zRv4YZb*ZV9iINy|WCmId*n7uL(+Sj_q6W zKa>oEZ0r>R!ki>%B)&Rxi`7|H|J!WzzgjCR+=*yXyoN{s z6XuINhRE@ju^?hVb(UJWMPn<(mmb(*NvJuqe9)8uX?==zv!7`inB!+w`I%SbW?rS` z)`_Iyckzv1vRqzWZi!)j^?>M}kehjuGWF1qt-k5Y_yt*17E3(zsCh2 zNYRq_y7kO>4?$z8V)caoG5Ham*MMaHiSdR56~viyKR?Y&%De?4inJk5^!~cGd4v(P zvT7wFzp0m=dBpzJ&?EBIP-2=2^dwNcbJr}ilvG*{; z$qd{kgsu~QJ#6>Glm8B|=E*7hV$E+1`?baa>95GbkDqOjqh&bDALv}hQ=>aAd$sE0 z%dL_zjlalUS9Ez(ji4hhLLcn2{0)01-DG~!RcnhCF%Hc_cIf_U6{^;g7@6F3@Lv5& z?avgLm->q&L2vI_7T9-;zWGo4s=cfk_tBX*Uk%LXi^*6Www9@(r}`V3qwCSMO*}#@ z0~0H7DRWxRVu+dVm>vf=ea}`nAg98gZ3Vio8^XqseN6IxOBrweWNsrfOLypTDbi== z1N0JEyR1cG9q(ux+1btNN0Ib+o_4uXW|1NW;bWLD9{Y$h!yr`J-7O4wHABAyX4LYe z2bW;Df`=9p5ek7 zgoy_Oe3spt80NhX0vpZ4~KDm9P1-r4@HH`9Gub(kUe4^D!8&gA-V9D!sKo?(eI&EZrXaQn0Va zPSPv}P^Skk*@Ewo54_Z4I{<(;HUi=itSI!#X)$vV00ePW1aM}X(K_vZ&fJD=5}=H? zu}n9Q89KB}{Hc{s{ip9$_7e@X-P~=J`Az5+DfINYkWX)ARC7>!4v zPCaWmDY@23T}8$(;qA`CR<06;k6T5E;)q`-Qt1)q(@mfIWw-{k-liUFmWI=H zh0ffc^TSQP*_2!%Xy#6q#0NC3N=70)&K=;Npr`vi4IT3F1k)E!M|sPj=PIq~*|+o) zUn_l=DeX`EvfT48Zr3(X?<~M$Sn9nUXbjsy8`hT08`|FK!PA&mtE;AK>sLbshuC_iO$@u>b%NnCNKFWp2wMlAs7}ALv}Cmpkynlow<-NI=dZa##+9$DnP%t zuGdH^_*S`Cv{>ERDegGJ7qmwvi_+{9z3qC~9^z zDNNLz0R%NQE2^bn$pF^m2c7FX=?FWgf#%!V1@QW zvw$25Ad*9kv^O%-hZpgT>XGTkm*VdMwzbyFAd-q)`9jiudUFGW%db_-on&zL_oYf=kzDX%_h{zQ9KckrP20v%ra zr%tJP=7#R-*wJoV^BU6iUvMJT*1XP7aqSsZYQ8D`TC7h;vs_Ma*-+HkaD0)cg4o~< zLHdnYTe#>q8~KAKCvr5nr#jKiB{ONDblC zU)4J5VG~+E)HO<3jGXDd73K+#xH6@7EY?T-t0RdQiK^t>a-x10?x@}hr%M*|o)_ek z5YMa;Os}+k5G(`rjvya+6GGj%+P*eTA>DOpC z?`6;PlKtyA%svX4ZUS7xtNQCT1tV8a0ygHprCC%wU6Qmd9${Oo%x&=`TI_0Wj4l6t zTYj>&9DKe!fFKFyBR0S%Kh`#fbIV`oL-F#x1aswRfG4McsmwOg*ESNfjXafYgkk(m z4anh;-~xO7k;s47^T-J1C&CUgd#B#)qtYObIo?(#l6-$RHMx{q|J|^+$CvlFPn&@U zZt5Q!wYuC}+Co%-kpZt9OViT9y+APX;+ zqytk77d-VHOHkT1sF35&ojI}$t8>?RLjA>D{;(53q!X@zn1~1VMp`6wlI)Q9?hbY? zD3+(0B`hxQMSH+py;`2U72d*_CW1})Lh_taHNtmOsJ6Cxt7(w_UjGh9;Hv}Byo+oPQNn&Tfj__XLqt1y_jR3teXwnPbZ+Yxenab(`K{l#zt&^yMq0nfwtg(F zTgH=ux72Q10!#gLLO$%~Qhj>xj0m2ensvKqdcTu)CXnhn4LdYtUZvmR$lS?Fh`Oaq zK6uj%=LS2R7CH+0_2zu7LlZ>?La)db6~fW<;Gfmf5tqV0AOsytt^;p}qwYF$)IE+q zi1?QtTsqv8$}ueD$Zg&qgSsoCGuRMy2G4Ppjb6`YF^tG68Wqt?6;ixErwM2v=HS(^ z1Y6HyAmk)0@CwsVTzZ?4dkN zpk*0){r+ysvEO-TS8l8WMR!scPBam;k2ODxvuu?WMvE>S2Wc>)ut8EXm6Yk)Z`pQ! zVgw(*oh!@_Th033@;)*x4X`vn`6~q+$y`Gz3{jr9*Noe^uir|VMvm-@MQgK0z8arn zk!4-4km&j|#EHxV${Be+7{^VyOc@`o@jHuaiH1>*VsQdqAyBEmb0nbkXB~vj5>c_GKC{cEOGi zKHqpwE|Bh$ZAIQyS7?FpIA>#oyFy?^4on^BNBA0BJ$`PEncjJ7$6SIj8Q z1r(HlNn@Mzl*kJt@@%a+I+a^Mog@>tG5JAqSyOUn`-xe7v4M!+3hAFL-qn?mc`+`~3R!Wxd!HkkBQYi@Xc6o92iC+Y7kiJ_L8GzD@GcuBuW^zb!MT4xiyfD?2 ze7XH}e_b$cRqjA{3#as&L_orkb73EgzH4B4ceetBfo5 z25-weOcOQBr##2he)`(r0${6RjIG~?ETxV#6b}i58BP2XN}K#q7o|nE2rlV<^6IY6 z%nJF%@JN8!?OZP4$9Zgh=)kAoP{6H9~*sD0|JSH@2TdZ5lIww)eu*`!xY>XNI3jhcPD5sF(i(uNvr zfJ0X>FDU+dot7Y)cg{weWQoZQ9e^@nIOF6-tPpLI9wChG5O8(`)Os@1cAyx}RNO zVDQd=1%s@L)~AY4S0AFI`qZ#uJ|DH8rM?nNYH!&O7Lu(0a_tHf`7=pOOP%DHTbMC! zI)u~bBl{F1g}q4ND>I?zr)Qov*3i-9nn>lkRJ3#lQeLFccNyR%d(*s=2#aoV<*t=x z(ez4pN0P&t^3##=Y+_qO=??M$Ll$fOrI7iEFU36dMeNs+^rL1tzM9Gqb=X{{cLWw_ z?lfo(LfVF@$oD$`8_+8R>m*<|>qGE<3-3DMy#RPuQPKroQ`<@02!R#6YC!OAwD3kt zVJtQk_)O~pRD9DwywQC45Z^EOD)glJCa&_lrBeOI@voup#%O#g zCv$~6RBAf+VN?CSqt;pAW`H0;pY!-Mj$Q+18=Z=z`6PLRc-B)k6y>|AJG2~7A!5B0 zxiZnmpSy$4;Y%G{E2$G` zY>%a=UyE)j)AnE^djtO^PNB^YgOuU(Yg_-mj$rF!Wi^Hf>ghf!UN~Ps{?H%U9kW$fEx@{^m~P zXAsw`fXa{c)?em@VrCQ~E$J|OSGz%vC3-VZ&mfV-)vZJkI{;-~45#DYU$98%Y+2(= ztcR~IdN*E@8_%F)c&IqmOTi@*YM%S|^ga#k)!e{eYv{cX2)2Nd!T%b}c7$-)>*49z z*Ph0l>^w8>Ebp}+bg`|5Fzwf3ET$-zVP)>Y1xJ ztvBNxwWx~Oag%$zQyoL>ql7Q*e+hH#?++8dmB(A5Xl93cXB~)ovo#4t8&?|bG5dTT zSyux_bJWZ3`SD-PtvT_nM5~Ns$UjJ*at5f=F^n5M)2YPW%BhUt2U0m2hq=lJ%9|ZhD@`ucC%i^8Nf0noMJC809h0IOci|&@3lrROdF9H`-L#D(KLXd_ax?)F+ zhQVGPdYKfJqwi`(0g$cA`V0^>#Jhd8a!#{{I!|A$o9jAsQD}b~+9lQtO;tm~DCPB~ zfan|hcdblUdK?Q)_M-}*u#XPpK%6M=Pcpq<0Bu6dcM>c34I%o$B`h6R99LfMr^{Z8 zmbCy>lB%+u1@I|zUV=2KxR%q~Lo&CN8;4)e0#l>x2GX<#E8$GHbJ49Y< zaLsqQMJZ+k(EW!DU+6`Yn?A;owbgv^L)%eV+BwMmbyy78H*wSX8It8 z;Gdi>DO?FIVgIZbYNcz_gSDnBtpT+C;jA9cyUklz5$|pAtc!l>ec4?K>c>+_)6qC= zJe%sRqu9~dLM1DRNtLJI;u3I>H)b{$+1!dt>_ek;tLdDREB9a#qHK5d)dnZ4PAiU5Z_UoJL zI#%|J{)~KuKcA~54v%k0>lCnaqw$X^Ic|lNYE7jAzC@B!Dsb#klnPvuuj69-ZIhTW z$wQ@(J}kT0$Lf7Kp`Nj*X8Us6-a%LRzj-*gAilZRlXGItqL&V;+oJV!<1Jpgt5ah@ zyB*da(41Q)stew;znCIDfZTh4B7SV8W?*L5)V`w3PgMVAWlFKkT@U-hNMM)Mn&<80 zg(L`RO8zczLA7sl$%RV>O3z9oPRm`IhS|$iJ!ho6_p{()H@>MVdKj;id{Gv|+&rwb zeQ{U+seZRRXB4nm&Tvz;BTN^a#P3P>n?W*`TQ7wKNUw+SRG}Jbe@2VjT{4fM??{g~ z2r&bC&h9P~jzl*@Za%pP)J)fQ@<#z0y_++IU~cUWO>}y&r(Cuco-q>!aKfD2j=9l$ zoZYD|?zqs9C<;W=BCtp4tR`gWZTn$e@XG);ohm%;9lKha?R@Q80KV8wk3584QsqTh znrTr%x;nitIo&Z)3M?_e#^!xK#?S-32Rh`$f*l0~wFS)#pgL7DjZk1MtvBCK&QZyd zAM>mIHX0Fl#UeL!cikxSoOVV|=_23gf4E@p@{leHiJ=nTD` zYWW{a+d@ON|02=3t2J3tL@&#_%BT8$(nsP8?r{$y!$2SU{gI-o_8Lz2h%ue7iNfDy zL>Om5>!&oGa~{Cv{r+FsCpB%(ovmb(+rW0s-Z!A@@8`m!GlKf$PS^|)*=argMWK5* zK2`tQ?OpgG(u^D`WEWl$9nPzp(UC5%o6fxztfQl{UPQOy0!ix1b-RP{@oFD#RcLSC z@#1%t_+l(^3*VyJ)c2wEu|X0`F#1`fh5m6AgpH@oo1*p4%k$-@l0Wv8ybmvZ1-;4J z?X6}B@=MZ3`y&=VdBo(k%(uYM!0z;hq4F7>Ga7zs*r{SbmwJ;jMpL48^vL*EL|uCu zKo0NN^~UVY^BJMHairFKiTc8E32MzuOP&todCz&)G!P{~*O)T*v{7a8O=Ztf6We{` zQdQIOQg-U?cv3xB)viQ^1gzy z`L45Iq#J*)F1~4T&ll&7)K5bEoIk=%-m?Zk;+rcgk-R~uJ|g!Aavv$N&R6r zg*)fBimI@g4%X9-T9rOP!=Y-?H0X&PP?oCN`Sum2#u8t%UlD!7%p+=4n|JI`nyXn6 zJ=weJ`CXmy-Gvk8M|&Fq2;y+XB6;2!b!%?--JR{f@#kk4=&{|6ZzT|Av!-&1SHxlO z3O?Z}Vw5!>I&+^kIlS){$LSUsp;Xy$MU=Ou^vr(6-ut>dY7X2~iMPgvf&j#A2+Lcr zAli_{SLT%d6!r;j;s=Y16z&eEXQ^=}p>c=iJqTsixSI%k;j@8b@^Wd4y){H|WJ%^6 zpe&7VDs(GfRNSs)ak&u-n$I86oLM3sV8$2dbXUFrYxs&}liGz3@(;kur!a1xp)zSt zR(Q|!?#4zl3V)gRbAmi-hRkVA#A)2&O(#W!)gGM?mbzhUmOc|_l>5+s!;dq-~qdiO++noimg1Y9tgQAz!B{~S0k!)}80lp^`a-B1AXF<`>L9vgi zHk_n$6$vZ3P6h$|Uuu@ds=))1!KMScK|!6CcR{44^fZiv*A`}`o4sf0U*a{ay~+02 zbIDIte(U)=I}_`9K#KcWR7t)|IA18P{HWUxGJKma0~$b`B=}-mBQ;y6_G+Hhd5V*` zQuykZsAn{Q9(#LOy7=bm^$l9~!ljL1^93?EmZ2>ir4_r8F6H5uzO+b+?osmb#X06J z=k`_#J1w7qN#>(bjVCuyugq(t5{1jsqq`NJ-S3=BF;JzxUB#cN=fmK>#Rp_P+Q*cA z3;Lw8$v4|d4kAbYnT&!De0o#TaS7Bvp{Iyd5bB!j*G>{ltv)>h_dl2t1a@X!5tK4g zxSe%qD>&tpL5vmCRn6|$$Hq(cK2xgC@SY0r{4s{8+&3iIVO0PEm`Pd|3#%91M4B!2 z&a@O1mCL8Y^_LS|I)UC$WR?n!(R}ux*q(Zfrbei2p0)QBr{#9gwH|+>%+}35Cyr8W2e_1@jNs2q-nd)8O;&&EDB>3NVk%>M<%`g*jHFQ%0&-~id*qXVF zZo%oyiKhFyTz&Z zepk1S@|F!}^yz+oCXH9!QbOwey(pUZ0ND9@O7yJ)DBpS>5Pcob{waeHF(#TeU>4iG z+9pXagnO8IbityK)}!)mv9`>kOpEaM5=xl@gHNTFa(YoEXTOgoX51^B#)p$%0`k`H zOUQop*?t;@858`5_!Ig)%Ij>Tw{*!W3PqC3zG)0gmwXsJhq{#Kvowac?HD3l_o`{1 zcFE-97{we~fvpNNrbTvk5=Ihqv|%J!e+vA_6o8j+@h+kOPieA$J`6_bEe+>aviqA5 z-&_zc@DdAm(IihmTq>^FHQrH+Mv^W2z`?<3uhH}oXpmMeS=M~>h=QMS6?=Fg=GFLK z5Z3xKIgP8_wpP%i(>?ow(BukQZKff1#79{17K2#@UKxD`g@hr7ek51nxnArR4adW% z8*JR9cEOXmmRl=1{MJoAvyryUTnKWXO@?x0bjXDSbgMcgPcIj4YWFv|NIf5MvMUaH zrW83bVlm|Sdm$LH;li>iO69kn7sTI<^O9eVkWk&){$KB~5kj73;IQ#Lh2%S}#$dLC z?OH6Fd+SZmC}U0WTG<~y&Mb>0Ly@F-I4p6y_p5`&Avk$A5qR9>M7I98s_b6!g)z-n zB-Q8DC$Pz-OC}qqyMC8g-@69>RIgrK21wpS*pcO}(Xzl2OkbHPtPb%1C0D+wzt~NF zVO1V5Tx0lj5iC>dHqk}GFUyF;s9)GdQ?B>1mm$YaHuG)#(t(;}O; zcLG101(%ke=cZ>>u^YzJ7ej>gpCY6sH&wT;Y$!jkz)P{wk!l3KY@9yo z_?XCFmzQlhgPIXa4x8kr@RO5zp12H%(XeT8U1mN+Ix9~!&n!Qv+G#lxIQTqxkkc}d zPd!TNgB_#zN#UqQI#G#}zb4Ar1y6sco?PQ3N@m{2IAR*0X#k|oQx(4-aaf|e% zD0I@?2HoXtu4bNyU||_NOuGdFlu=kSGkc2$(IgXRW|2Ac&Jc0e(*2R9%({m$_DH5B z_(KJ(_9oJ0+rhXotI$AH-`1V%0`C$4t4|$@-2(gnh1qInkFAO;bdEVsyj9xCupI)&cFd}GUJbe$LP)t48h0C8Bv^Uc(t&9 ztm@pA#qf5fT2HxK`AofWMJ1ekmltYDT^t2iBK~Ez^24CbHm_BqCV+6Reos~~J6;HO zVQ0nGv7{S(>)~f4enmzm#Xsk+Y#0#5ul+;%&HS1K?~Zdtg9@rUGBw!#vgQ5)H) zL53I|E1~LxLm&w?%c6B|OrRuHiALY>#7%Pm?KmpOfEuzAoA3HPtF2~HwpexIf~ zC8kd7J!|G=Ld*ZXOSCAV+TqkxcJv0%_$x@rhY%QNaw^`+R?wEt>=lMf2;c6ll9#ey zuBZAS?MlC#wXwb~5O}{!6@)C7BXkcy|g; zENJak&~w$2jU_#o%J`Wa#qJw}nRi!wQ)$mND18`0y(SL*v=1j~OEXz7BLMnOQ>ZUQ z!;8!gH8Abinxz5eiApLEZsu7_EBV4% zFrp#3G`^`v^B3J>$HX`GA6gbY%sfw!GEURN+0Ko2-v+Wsf-bDeEGeQ(-oTO5P40*e z=@{V_(%HD!@wmci@?9Q5DssX77ZFmVMsl=WvvL}{Yh|W~0jQZ$Ae7Jit1=(6FNwEr zHui$$eW^aU9>!j?Rii!9?!8%V?P-KEhQ@1Ktc{1%QXe*64i1Af~j zwm2={7h1)aSIEHO)3e$`8VEK6W<0CzkcB?|J&d;pi9v#M=hFDby*<}}DDYtTMeQfU zx^j6E;0j+j+`uV;h_|HIF zgZC~AV|Ln#=mX8;M(i;bZHW?BaYV@uq+2J^D$J~DDnRtB!6fitvz+02Nb7r)9m?iJQ>~de3QC)Fk%(oqQE| zV`?NCA~&W7|3&!{M%8kyNq1T<|vwbjWum z15|o3V;eTLwUSXGUu#sJfwO6w325;gg`oRq*zAxoFQ%yhKCrrIkPX3*y zhG?fe(Q4*fj{i=}3H;I|rryY#f^a3F-%F;F$YhvNXG&C3r+fyq%}s^7aKQA&bIFVs z=ZIL}av25Mhs*8r*n()IG&mWP@GBWQTat8X=bEPEcf#BOfPt#2ca|{#^^eqSbh$gi z2~}CRu#K6IFD=AaQL|#&Kk8TZ07IFf>qFjZda``~URe@%aZzIfK_uPem;xCO%`|vd zYN`=1bP~D2n;^^x=v@}4*0Zi$N@zZ75C&X`(8&6o7TGi1$Z5W@FckAl_}=t|wed}R z-NG>i?Qa^a?cz^HU(2O8#z8b-9uYrW+J1P*X(t&nY-r8Nc#Y@jxpKw+NIToGjI0Tn z`3yE=KwoZUGN3PuASCbBX6XyOBs!R+|K=whPtx1@Nyms%w9n4cFU?kIhW)rA^J5=B zNa_qM-A>{{lPXQQ4MTUyv_rka5kmtr?F%4g<`jx}MG{V}xq9q2gVPAJPU2uyPhtx) z2Jcf&WQ-WRkN2XFnhiT2TVB_Wt={Tgrv^7@&$4_-#__GZW+kE=PBw;=Ca0)w;kL$7 z(y+)k^KZ=xc9=6qXOFmkg&HdHaI)@;Zp}7l?nnc|2JhpK3|Lr#X^Y)Bjb3j zjQTO=F_Hj*a=2BV8HH1g+i4IId(!@J=lwj~kwhgrX?f2UZ{Z2Ttleb>u-KA)QL4r? zY&@>_oSlbKdM4=eyd=USGvWJgEwj?%)#g})C##}UB0f=1$DoTF!pZBayn5!JnXd>; zB6?I3vyf}i!#h||f*aGlv5y$s=%RKPL&Abu?ETcF3NI?z*uOr}R>yW1OW5MgLNeGV z*=?(!mpCelU^Luqj^NoF!3!w`cDutC--l!4fuWY=a)tY5cr#muuG%g zau)Pz{=8T0L$~IQDHE$#H{aMf$hi{|_14PbUdVdA+Sjb?Hi&;TWky8OcKiHz11l#d zq^2atnT2svTz-B7Z~k*&N2kU&a!|6v_-__^e;A6$-yIOWqff^#W_9~R+5H>bm&93r zjJy`i^R3u6bZE7BBW-h`35N~cGQ<_7!dXyvOcMvJa>pVMdxz69ldnt-39@f-e{K!G zn^I>=o#@$7=N86_BB?4_(i}|IlAWe=cu(e;_08WI1Pf8DGnBMl{KAp*lFi!iZQg08 z86w|1T)3RG+LoO(%GN>I{j4dqc%8b?J^mN?=om&H-1j@jTU=}mXK-ZV&P(p1o%U0A zcH#>?guCd@9BUt%yNX%_d`Fcr>Hro)1#*|!2^Q*QJ{EYf<9J}(nRdImaW7-Kp}36y z=pn_u*!%`t#iihE*mt&hx3e7^2$?p-x#ea7%M{A4(N%9=ajzWETjZBMVLn_hHU+Y6 zeOz)RMBhHin7MiWS*8c2HNPFh8k?iN8erW+GN+QpaRD>Lp<8b}HU4W!pUMe%XYQ-4 zdBfR)sbwXfnXA>O;Ydbn-{5WaEcb@ZhA@{zk`=_=7codZzL7zQ{j$kO4>^g8sLbyn zavlttP0h&S>-s0MN#v-n?~DGWHkQWg+3Z18+}Qd)>9~Az4i3|G8%-BAG#va1q){7 z`_6y_J9J>kw5}w`Jy|p2g}%*XL|L%Z7$P^3Qn`}oj_LE3!xM`%jw`9__40>MWfVGu zxlyFLNv7ph$Qkyk)p)RE=?D3Bx%oyz%lzIJVg1Y*D_cSKSl2q%xz;l1(~wB&4;z8D z&ROsddm(yhfcL4P<=%FzHeiyINKnFAP{!%#APz9At^0U;clcC&a#elWEo}ZG(@gNa)B-IfsOsIA=z$>%^az}>t&8)E^3y=UalwV zjyV(Iu|TRmFFlNYKRI2yXH!FEyGlQAOIwePjEsYon#Q8L}2tVKqN{AV&Gdu})&1Ep$|Fi3j`=$;P9i*V4lA zxtTX-GeaDL$Cp(+SE@ekwZbdNbk9Dj99c119Zva6tozK3dT@h%o8$eCtKIUlU}+_P z8C9|UEqm~G_X8ZvG83KctGr7F=J~G}Zw8`Sns@0mE8cTo6(Z~scuV@y7VSH4%K*vN zoK3EnJjmXA)ZpJ6L~6}DQ~Ri>rF9KQXN?rT-HG#6jxaS@zQ14QPgKiY4{Ndh&zMmi zBO03}Klr;nhNW|tHxOu84R9^`eGHnPi6xH(9PaHQNKdIkCvc`66sh@4Z}nl#F(kKm zV0J2kkIW$!6AbuRVYhh414p=K+q6~f&$DswJQX69u3cXR4)m&(D2d z=FiXAW4yMLH9spr(wzBmlkMK3Q^<(#ai)FK9L={nt)}yK%GNi}9Ju$C*uV6*^Cz+8 z@Rp%1P@YB=5n*#hBb|AN<8>)uFQcqu8FphBySk7K# z?MTtFsF3*|5^YjP*|;&12rmv!uq2NqeoA)4Ubl~=`(4hA)IV!>Z;Bvy+;cx6^9&_? zI@^?5V98@gQ}W4;0D+Z(+;HlQNb=1{ay5$Ke~}HVw{kX8y&g!b3fQ*o{R4TntG<(1 zMMXpZ#l)6zj);)Ap}u1{55%mq=*Uqpyk7`mga&8cQ<54I_wp~wyz`42XhB?nO|sql z7`89zs>1u$GUh;akn2*ERbvoky0Ndw`0bTB^W=Z+BpUdagBJUsjJ!Cy@KyM?u0jpN zq}e7ob)<{yT)2&~;&N|osaI;x&cey=f)cypVYH_rm}$xjz0A9!j%;6;BHp)R5)wr} zp`Y_o4PO-~R$*#VsrR>&)D41FWAcWw5$WqrQB~wyz=W?xA#z}fCTXh6iU8< z$AgYwk3`Z}@@f-LO)DgdaJ2oH?0z=VC6%J*_!V#xMs<2&mAZ)DjF0I0#zbfI4QQ6x ztQbuWa~X1#%lmk*7&JDd9OeS3*ud8PFYc!be)3>#h?E!Ty$d4ie$n4yUOcclN< zeU$3v)YhBWYS2YSoJ7>jjyuF%81nzCZyP>IpKLx}1{=;pyEnP~)&EDrIPM=H-=N`R z`Tw{@y=k0}i9yu)NRp5tpTCXX6Df~SaWoY+gDaHYE?#oBl<({WpCVpge(^Cfoa)Zxo5>cUjm!MdPzd>-n-iL$cq54@e98`zCIkJs zw$c!u>-7gKQYl@#PUCLxy@UAR6bxOI!u6r;4fBSUJ1u`_3~oxk=pcHFOc~gIHd0AA zT(1j_t^5dE*Ba~4Dl-w5I=1~Pic3L=`rSK;v}#&h78bWP4=pcvp@c-v&V|szV0_l4 z;p1yoQhcW&mTN7{kIu>x%aHf*@jj8{l6!n>VXW22u9*Yq%HS;Xx%c*6zCImpGs-Ca z6qp!YVu4l2IqjP@Q<4u3=3xuXlp;$QlYV<_}6Mt5oh>U9Qac~R{sNSo#?aP=-UGOXouj{<1Si% z;LUtM0*(%P^1`3hj=EBGYFP+i7=QYfT{q^a!2320vS#EyMsB7Lbu64>56q=E5Wgjj z>MUh%L+#TIbmBlkpSrf7FsDlYpiUXj7%++{(T|b($I!5G;MqiNRBy;}J3F5>nv{9# zPm|FCUb^WqTrr+vD0!onY{3pV1_jZzdtEw4k~REJZ^Fzr81XO#9Pa%nf0o_xFLPi%S;uL zW*~znUp96$8x+V*-Mx|AJi70ZpeF}gk@kRcNJC+3V|sK^Dc^nTG2Y>Z+92PRC7PVl z==JGF>?YeJs97k<`e~^#opNOMSTNPW?S75T0^4Rj|l5?M`{iUu&;l{>7R-EXOg?#t=(xpO503#MIZyi;(gv%XN^PXLlPIP0hV-n?CcQqM{&Trf z3DnV$+})V`qKO9`Sbh_j@}+RP*qACQ)>teQ!OAff#sIE_Yt~1H7`ZHETu$7Sb%znQ z6kPx|j4lNmUbXJ@#k~wRtdcu@&HC8CFn~%c!;8yl`6t^y%p8`6$8#w+xlL;^G(uk$ z>aeQw_W6LPE{Q>^TRN5=wApmHx+VLNz4imlcxf^TiBJ%~3a!o1aJ;pDgw59I?|Zbx@niJm%no*RpwH;N7JLRbc;ladlCL92v<%j9nxXjy zCC%D1M$dsz`50yJEr!?1Q^o}#*g)xvnC_87x~h4P0|*zHynjGJ4BB9rHkJJyfS!4h7^##Apn)Bd&Caf6nGw*rzgWgo9 zN&PoJ;=8j!Bkw*QkCueRBzvyndr-J%yF+fe*Nrb3YJ6DP;MW}{*mLDNOEW-5&~tlR zW2vZ+*Yv6;&$Lzj+9FXBx($emcN^U^SBGj6B`X-tu0e#6I$WV>&voxPDAy^3(eG{|WZ`ISc{5ha-1<4}ogm?QBfZYQVyu=3dLJ6(UA0EESeEiqZGyf|;&!^MUM(nx7dwe-M1IoTM^5*f z+z;tltJT$|H-WH?WQ!$?BD;FECH&vD$zljYbCQSHWb~MR&mC(@m(rYf9LYv#5V?}L z0b!8P@B{BmjGz)4qNn3--AB=?jT`^S$4Q3JO$6mn_fcNk4()P!4!_Wa#Vy{br;Pn$ z5xQ0rL}8-_U`INdD)3NDF=qTu!sONLac;R=g_65P=@Fw=lr}-gTIQI!Q4K;gwtI*V*3I=BE z5}1$L`^g^1Z6eWV%|&Sgw-&>kw3wykz>z=$o!(i8iBeDEEC+98_(F&G7~;F)d@Tdq znb3XFDf|E>(|R-K8o%GGNN#LdZ-}6ixR_tiyBqfuNx`)AZaj^!rUAV>og$t?SB6S; z*@ui_86#%=qfp)s#r7sQ#m7pc2gEn_7~0JuETl%83Hwu&drA{^R2DrKLrRt0NH#-W z++=aNH+_?D16>Z0;h?c*Y$>nirE5<)3d}woHsmd6k)oywUOR723nTqdF<7g~; zohs=E``N1}as>d!2tei&Tf8!4TsQ+1 zfcSmhoHv>V}d zTlwrZAvt0%)GAtpi%(d`w!<-}XWMtvHx;hzUhwzZ)NJ&R^L5Lmty}yWr3nR~;=ru-&^%fBn1m%swX$^3co~fBoo| z*Jva4!?Gw2uhTg9?wEc_By~chX7kizIz}{hA@s@0P2MA{LHkQ?+lVSnlK1*Syp~;X zD4+JE;2)9X)m7dLq?(OlvrqxgPXuQPzw{o=)^XcV0sN|&7)uqCeW$;!6T`w z;kK{4sf(+^$#=r3V#5CRJ_H?N>M{5;Ogq=DT;uWrS#m`ne!LS0{L~m2#2ewFs7$7a zU%R{sY&;<@2d+BK%)wt{W^QlIu7}@$IQbPj)79l-rq)e;7h9&TtrCrX>D03$=__tV zXJSUV!M(8=pMA`%?>A#o#-3mJiXq<}-p7Y(4ZVO;Tlqv~+t+vPe@TYx#FAb|tinQP6ub-Vz-wV2{{mdQ;=ip0b zJyVhM8{7f;yb{4G5SB%``q}2i_+9;4vMss7+U#1rVXWQ%q3zA%qbkq8{~3}%Q1nCv z9Tas^qYYKt(27kA)Qm~s49+NuD3w}iaiOjVGk_ZgX9A3;(?+YUUA49Cw~MXzTZ?Gb zhAk1R7{CR!3a*@SR8TYltmb)t?sH}`M4#vP*U#5WGH1J&>%R8;x~`je`$JNX2Thm| zQRT36_XKVWF^#(u%miLH8y3Z?!KIF}owEU*jbpF;P}XfeSZ6nETu^6^Wp|g7`pxW@ zbyDLa^MS33##{SY@70B*FG5y^*}-YRp{G!v2S(@J$iM5^!zPu=Td31aTN4XyaZ(SJ zBS;%&Qss8=0*Yq6o;b`s+yX@riDdt@r&t1D_+)MdqO6iOFOb%(6Ni4U2 zDyZP}@D(Kn6Lq~2{7;!z5{H%4msH6TDSR7b^*FbhcaNVmgG`g;8=6^WTAdQNO+AIe z#Xk9w>W;q1kZh{$-_|jhzj@=~g+u$N*0pzL)+`#u$Oqzk{|PNYOp;fcqx)oAU%y@` z(wE8i@UksfBG#S?0ShD@UP0r1OeqZRoj2jj`55m+w`S^}w$6lyYQl+$+7f!1ClVk| zs~PRLGs>RqpGvd?1qhSVd8Pd~=9P=J_XvJ?RIsL_{Utt2vOSF5^H%f*xa493y~gV+?^<*8LfPP zz6yH5MW$~zSH&xyzF=O29>AR?@7zt3CGx!x+1)#NauxfQ{+fRc8E#fJNquVLrBWW4 zcN$93>Pa4f#iQoD{D0*adiM9^`uwI#I@~`WxDS2P_a8pL??SKS+4#NgZ|rM@IY{66 zY|oYStj5;3ljy|fJ0FXCyiG{4hO89d~o8_^4U^DD&O{*C(?S6W4##Eo`c}AF0 z5JM7&_t9Pk22n@GA%Ja4R+cjU=|#Wt?%Th$7M zbC|-p+|v{yTmz}5Fn{@92jOs?nGsG^oWd(`$0LvDuRjYx!u^;=B{^V-f6nJS?95C) zm>JGL<>OO!;suAmhzLmvxYqSp!O{)}=EpdOo7qebCHD6w>*0%;*L%4!G+)ZUr%(H* z_@L%XV*jtkXx#m(Q+nd+b+y>9cEi;n(@bJi^%`lh?+GFj20k8|cHeN<%BA51qE#MjEh291ThVvD)v_qXLWQz>!39t0xP3pjt?Y z9A%u^fdl~%jqZQn3Ys`duj985A|Q(@D*XhiBhqP~_m_EJ-+UcOR*u^UAmo6T5y4L`ZeoDl}5 znQ2^|4Squ8ne+M0b>@72ANd15mYf)npEyQ(*9M7@1=wMLO@E1Ra0?n$ujb_<&OS;f zXgAkaQPusPUcn{tVkGrOdGeV8TZmtaYLTrt@H&-647*=mfHdxQzs?_^byF2SCgPxG zm$9~Mj33DTMJ1d|(vV(|_%=!O=2UT&q^1$gJg8GLOF zxMk+LupT;!UDEN_x|?x1g_>F%qXKqc4@IA&)vID-Dc{5i2*H2b)oa`%;Jey=#QDLg zy)BtNcz6_tb%-X8wx-CP>m-P##;V^WKGc_lA@-h6gp3Cj0;5A*I(CMA_k+>vvU3=| zZmL20i>&f@>)Om4EgT+oAoTzt~=659kjN?Jf#e<-c*Ig zSu844&}Bx_zg{u=9D==|zp;of97cbM<2*ORBl6x7S;6UF{fYhEE9uT?h5NMs>Sx=3 zK$uAT*f<|e^AtgvUQE-86UOzT6S6Je73_7t<+ZQYYYb;pYQ)S7au4kC^c*w(lJ@nE zF$fI<)nZ{B!0n-H9mWiR)5e}5cSQX736$|*5Mi}5hpidT@(g9lj;GzwVCPgk-yYb*4v5WYK`ieIW8wgZE7ecQOF?$Km0FaTj-@s320)nJZ7dT9(=qOq`wCgJbU@TE@Cc!fC#(*=HyIZ9h1T z$`!fsc|M1?oy+TmK#xWJYVE#Svo<7MrI>+*y#M?C0*T_G=Foy1qUlTc5o_o*pCtZm z+!KB7*+cQ?JZ7GMk>?y1qbmL4#Uh`Y_43$yc@Xi2lL!_$T#cBF?#BUVK3%|v>utC1 z=f;5n0#bLM-eXR)-8Q@CY3lYl({L@Hj&mNPzPX8Ktd=^6QRBk6^G(Rh3S5Om6LYQ* ztK>IqhB`LvqE*=DRJpT`^H{WsICGanI6#EG}Rl0)_0t67ZYFrt3< zDx<6}{)HG~~8mjrI)K6ePSfRM;g-wlf8{)Xs7Uy(=H%@CL^yuxQx1S!K)3yb6pTBLf{PddE%*6q#{b{X#YHfW9 z#+Gy&n+-eIr_Wz?75hwp+L*)g=k1AQHZU^!c3;Nq&a5^HeEX({fg>lLx4dRbT0%#O zVFWCSL+}CF>)@gFlhxD(t6v?>SXTRKye|DXJMlpB10TXM9w2EwWUYwRjD#3pJ+uOK zptpPqL2yU%YBYOox%&vA(R6HjG)XeooXw{%TIwAN=`IGO?rm2QtJ5L=K$TT3 z&QspboYn_d9xL>j)!E8y6#Pc-WQW+Z;bwqiyQ>`F_IJJ0Q>>P^q097I1`Ep?$?xUE zv6YA%cbq?*G_(F!!u?21Bl0j>TB zf75C7hSjL_|4yU0*bcY?%p#Q{nlO1^*Kp8oMJ29R86mt8?X zZ38+Ue;3#WF*GIjXEy-%qCO=`55eg)C31BBX_zC^!3eAIsjC@X)GeIEMO2d-S@#dA ze}nqXOJu#H8Q;{>dQ%t+?>k5Ppqo#O)CQ%%`X*H){2lu}J8dO|f zZcy=Z{ycUGue!so7|>Vo#|Xtn2*vhIXHeyczo1e{3MLNG(&O*lABQXEVpYJpWA(n? znoLi!f<>)eCCbsW1!SQ@&xvF%iUM+WMs}Xc#MZ0*o(!g*Iw;MW9%{}?OnL@E;q}r6gR;V1ryd} zh`?q&>FhbJOlAIFHw4PUAr7Kb`hI2z%kqji#N5kZ#`t5=!M$Rw+VN94lFDQ_=3K%+ zb}8-|dwnrr;e5NtwD5t%F`j?dK;|9V05T}JzH;L0CB2h?0|VObo=*&>K(U(hT>uCY z2ouX~A>`R}!z5Olvw0wLJ%hfO4-{_dx8;8?om<1Qoipl9r4-x;C@YpqC$Uieh(;F{ z>Vo2M{Cp0^ZU>Uvyy3X-!94~V-@-h+DG!@amK=pc62q-+5uj0t=(Og_`VQ2C3+&Ul z_q_N$e!-GgpZ#6|EQN7+jklS`OZ+$gm+$ZRzkJ^@`1=BUv`Jf*+}~O;i4`0+A(%L{ zfG1N1nlk zXZ$iz-R}4H2;HUz4NKqZ-L_iacF!uk{~n4GrrcI{=7UO(^z+7MlJr$t;uiZzj) zT2x%jw;IUoksU;vnPNU3zAQO2)J8M5GpQCj5A&DZCH!1o=ggOLGUpJY+da98*HE~; z*DFF=u*~Fe;l(0;ng%9UfxKa1cKYXhrId=~z4#cvp{BBTn2#HJ%qIL#`^)fd5(MOq zyF{?KJe!+(A7m?Xmkx}tP(QsmF!;+x&`o=oCJITakE zN}2e22NMIYzS`oDC0LHKxT@gKCx`O}AbQDT+sg8rfs<)8e{a#=WdGx?Qh%@FDV)i$ z&W}+NX4uZ5-IMECIt=p z>EH&GMf`U8<#Z=WB8kAc0H=AA?mjK-O}>X)wdQB{X?5nWG7ksvfnt~S+%|qZcLUKi z287+ljhFlt(|&p%{!-fiG3x(v(F$vFvL8FF;Jblt*k9QCm|blDszL2P27g;yMIc0R zJji2DQGdpG#tO`AlFg|=h`XI?+R*XFk69uk#=rMn2HoB4PqNuek|;Uf+|@2AZ1x!p zFGhJNc~&n-2x8c_#ce3ymuk}ED*pcCKJs8%3tOGr71hAkUx3da<((S3mjhfE9t^)? zo7h@0Bb1${I}3JtyMhDyZ{)mI*@t+1eNE#dAh;Q>&Nj}ZCQkFAWmC1BatY~Zck_(!3#H|8eyK@`=ys=hWAfsXq{V;mzQoR=;cm|H7m>1d6^3ng zw=55LVQ0D<^v**UUbt}HcjjIQqTf(9%rrNm%-ywvN6wA4t(n~qiC}%Vu=3G?A4KJz zwU;+YkQ(d*ZsTnw+XhY9VIPlG^Y22P^Lt}0TH^?P1h&v9?GIR=reLwRf0UhAxfdf) zdyWhVrEo3ZHWA4<%%8OT9l0A=g+FVy<=$+ExF6qAm~G++rs+Y)O!hmwclGDSf}S4z z=9>BG+k+;;1>YDr_N-Qz^{DMVt(yHZlc;wloFp!@Et;uzlV_P{b$WKJo;~hA!(5tNZ=Q|Rv*YyaUY=1id?>q7 z3NpKq)^V+kGpeiY+<8CXFgc(JdUI$rpZlSJ|$HYiw!r^Fqp;5vv3f+%gagyG<6y3zJ-puDsI^Mi&5*o zCykNW=iZ6&1&LI&cL&AX)k4Bw&1k~X!tL1C5QQf=Qu*yH}`MKiG)%BFvXrkIv%sLH6 z*$#?P;7(H7#G1r#@WM)OVbX%7DoiaE;#0r$i?27A!R zy*e0i=h9g+S;x;TOdac`Wa_^(QJz-%VoeZkKp$J(`o01C%Sa}$y>6nd(_c?K3CwU#Up9TGy?`iV$>Or87eDgx|5u+eQ z8%_&b>G!qvoXQ<_7W=0ldlYmIj@c8jF688c7`qItucZCl4^1a+e8<_4%a-#;;8c#4 zoqE*VCXGo~*^0H_mPR$c9Ry}d7qP5n-;B*QgJZBm#A~gAwf8&ZM&A|Rz`h~>6dqu< z)cyrJ1l;?81AgzPO!uCACLSy|vgFzze?K<_=%+uTrNMyk@FVJ+O~=5J#g7;UX0k@* z;taV9;rNAF4~idQ63aefU9Q!-91X$?19I9j_S$9CZY4Xx0>~l_LpG&Pn7PY&tsu8K z7fkIeQajIsJ-Po;8`NtmXl&1V`zOx%e10xAUD+w8jY-sI zZCc(uR3Fv4M^az3H4P1MN=(ag-r1*H=-RxdyD(M{rTr#yuK^Y2cP<%1@~#oD=T(t? zb{aNajdNazNVWD&_)Zg1a`%ipamMtpp2;Kg(W3qcO93Gm@6o;;_2stfL&I3?Upj4W@hDbN=2ZYsLf+K>z_{CWOm(MhS+fbEM;uh^>J?qX@~fw#F6 z&IdefaS237|2Y^G*VhI_$CsNpq+;Ab=5jhO-WwQib|Lpa7`S$ZsHq9PO`%VcUn0^j zY-jdE2MUAVY`#sdOTKJ3d_Wvt>TRB!R|hj_Gmo-Up%{IeT)S&cA*ypthkOzLlEP%L z#XXYfO|_5DXw(vRxF7O#DHTV9@3|YiO>bkTnhiF^&wXI{MP@6W^^)!XMQ1N#kIX^sW&V?A73QJi za!TWCJbx?aZO9NntWs3Gm{ihIV{?iU1?i2lX=RM^T&TagD6H*AzlJ*8+b(*qt@e59 zJhgU4VcktR9ABT$eB{mmNbG$m#H>HDMu#1>#4}_`CcGrXTG4DBE?E>i+Hu-;n?EW} zOW=%(*<(iWa=p#5s7i<`ud&GEfQfc@A*0YO5uW-KF-dhFu4;5ehF*S5$Alq?ibz*0 zp*E>CRS^nS*$rcAtfe|miqo&-!H=W}1(L5aqZUlBp|OVRD-#=}7UB6ORn%ws?(HlC z3ymgkr9C_Pv`}VM>eY|i_E2Fp=3Gv4z$b}`VsUjw#}QvU_4ocq4A4qXq))TME1q={ zo2TMglBLq+LvaO$x8jX%QPKw6yhNLcU2+Js;c4d3x%3_;#@j8F;7Tj7sU@?Gvop1u zP@g|cE3Fz(L{X9j@M?Li;f4b%lf#KQ>?%JrXyOHHV-0h>HMClQ6Dm`Uv0#hz!nX0A z|1qPs(pB(Nyfl^c>HhXSBMOEX*3UvY*}J)|@V|Qu*CqIO;+{w0k;=sO>mSJHY9N`N zJG2Cp(GLeespQ+-{iab5UzmPPJo6EtX;)sX^oVQGd~<1Y(dS;l1tRG>F5PW!?dp%5 z7x(seU~+K^=$K;NO88{|Ag=WSw5ZuiD&pLU^F%6Ab)pTx{&9xdw=NJyL27@*`wbph z?YmKOxzD_<_7VKcmv@*ir8b!|?UQM*sdrr)ht%_&9Qtb3_doh+ttf{J8eQ=l>Xeni z-!gHEyJcI+u(Q-!A+70K|B@R@y+<^SGotd?!ll;Br{YcyH z3UdtiIC^<(9dncl5_Z>4V?%>R!e%<=9)i?hb79k$*+7oGB6{Rt`KHi>p;r2G=9cbE z)|i{-yI5u}MLKjWeWt6cDHL=o5#r`UL?__oI9hgz;IxExDVsq-X2c@wwzq<`Fr5KrCWyL14`TqVlQoBhhHGF+HYi_MKDp2m&@Mf z(L|M9WFCN7nZkm3^dp`&*WLcwF5^lfFMUq11#P<5Lni7%$qdo-P1a{O_1mPI zwvyCp;3+4(`%S$(fV+DQm+^5oQ=5C6>w)z*>n#-{l4rdgfbG6;mS+lrw7VZ-OkjYw zt8W&#@%lPz>F;TSGa}&R{qCQTUJr{>N%6!dR%=b_A@t-OZyBivF`&{^nX<#d+?0LBXCmZeR851UQJZH{nDaRJ87ChLsIn@c zp+PIH4YUn`L0FM~V)VK_Uy4v%ScU8WISsPs6!tWL?`HmQGyna}{HOZ!7lKRAFP*>n z9P}(}n>`v4eR(bM)otdT>+2+RzR%dqK37}Ag+!EC?bma|T5%TgwUerE7bXub&}CkvemBnu?$Z=%g&OV2)>M%U_PH(*|s;@WZmA?wztJj+M9z1-UQHwlQ6v{n4U=I{1>N5zC z`;+W~qW_OF3!jHNvHWqufZ z;EMW{^J{Z!%)9X0QKP{ORwnF%ARj^x?(Q=N{NZ}nC%#wsHt04Yy>mp#!# zWluC5w3fckjLqjbnHGU>Mt+z|i0)}r4M#_o0oi^#9I{B#i9Z(wL^q!s?s&KvEpRsM zlSQbt+W#s)VYXt^nFeH=y;;m_7?7Cm)vriW#$cwX;}8cM+`Zm8vfj4o(@YfB`zQ?+ z{m)3pqI?!>&OIwTY5*Tfp9_z3|KNF1`i2Hc-(TjVsx)#>L{rd-U3_u)SJ5<)L%=L+wJp095 zZxvXf80Ozvms@GzHL?CJ)>$c>Zchv|_+v~Ij*+w4ZxP;iL0N+&4}k?T=xa_L>r zF_3#$cNHycjQd-}0Ck`)Fz}ZeHV&)Wlsnf9L@%0`@-HZRAitT)w@>4+EVR4I9R|Y- zr!E3@a^D`@Bh(+r*}6;J2_OT?Uil_dX%|`+bZZ z@Rt1;;>*x1aI1K3yNlM*u&O9DykofU!b?5)dX69ILD)SL{J0GvGP2h$v3o$s@5P0X zraV`)p~tJH7BP;tFPA8vFESkYvUs)XMJ8$I!vz-EeMsq#v?RvPl;9-7tct*l7D7R)05*Cm zUi-f6B+(zUxkrU>khE0~*%l`g1X$Xmy)b1h4qX}oFp1#CNc9i(N zZM86=)wz3iiuPDfvmY;_apz7c-DFQ|IDyH54!tQ;q3%59Tnfv<)Inf2X&!m7y*$*;84NliB#{dI@hxJ!M zFOS3Ui4`-X^_KfxL|Fcp*mk*?(%^Tv2bGM@Y|WTg{q@b&8&t&S90R#jGs+vMZ`!TS zy>58DIp5Y~1QS#2GrRgi*ok&azz*V=Fiv5gxcTOYjt_}Czv>W_BzoHnZomMSiUCHQ zzY4oxf$+fw&aRfPrGsxZ<4`O+apg8~-uv~gU1468jw<&|I471C%O3kZ8xkgAESmj( zjYr2%Sm_>~v4caXU>CpiNM^XiL<3L%mwR#``uopEPGH2h@EjJ@yZUA;Ej2FI@HH!q z(MH?NVWM%fx7Qe_7n>GiSkyU49(G+(QAg{Y#?wMkC?-mO?`Wxkm z)+pz+34N6N+1*sdkOBmj1e+KdIb;;F0riZn{i(gA%Pfh%55HimnOFO9G!BRdn};ph zK5MFFHpdcC*`IoR2x)6k$|S(QtN6=$a^QUS*t;f;59BVQjRE~<$>}EGgNHZk;beoQ zw5P9Ar=wf4{yb1aS|_m(tG$}Hv|b)I^ceg5Z!aUezk?_;tK+t`h*VjDSY|ewd=cLn zW7`{jBij60km9<-w;JI;R}D<20oUf+0>4zJ1?*yn%S!(U@Ke8lcq59Lv<5@e^Urk} z+G!I!2auF^FXdflZn&>20IaQctz7SFGI!472d4qN#Z=n)l+~Ob{9CZ|?TXZEWu$^w z>8rV$+B+n1Lfv{5$DifD6fo4vOB|$SrKfOr$y5ej78M_+cjPjz3#HD14YJ z9XY@>a-(^v7ten7*h5>#GoBY^gk;k`7@NaZ`X~m51qpMzv1BXB-40quGq_v9&EN4+ z?m}Af`MexBcH`1JnL7lMQ=7s^)~^ZPKn|}NSt~2JCU*+IeYxTHV&XEqAZ#;AMMHC;$Cq3VoCqh!)7|R=3FBh8_;*pmNY2KO!hSGkfE@Kz?&^(ZoRkOgdFsZ>GAq5z zdpXRQ!CIf?t7xILYc~pUo28Ptp+=jWupjA*RA-Z&DFa?1hurr~$#1C_SR)!@b5+E5 zx|}V+$9Z1=jQk$pXZlt^M_{3Q zo6HU*Wr2^sW5vk)q)qj45gXY3o>&oWW&QD3Bgvl+PUT&eXnFS|dQpdD&+A3u|A z-S?Dn$ntcP+jocOYz$@AX&?R0EqM7*i`EMl{bDA$7#HZ1-XxA=5*Vs~(hFt>x5_)+ zCp+r5x1rdyz?{6>lV;6o5; z;M?3~FPF-{DDH$xaBf_06oTs17&CoNbi}H+%PE4>zFtnO{;6W6%Jyk*M8Ra?RGHt$ z|LnvEpQGbf)bW`UF~F5&J}^ERVUH`E(=?D+6VL2K`o}pVH}y%7=<%6OSTcf| z93YBeY3{$?xXTlvd=LxfVwuj^SU29VZoy^*fg+~ohjM>57}Q*g%MXxQE9%_*26k6& zH@D|=8(ZdS_dHrsTp8v!T%4lxTRKQQ~VPM|GXV|HHOhVw|LORkUN4xOQ>bqvv$l85Hc7?Afr zmzd#h;uPZ@e+{v!2-??;C7ayp`J806pX6KZlMUbA$7=VyDun%q(a&FaPR?JP5K5f@ zBv;hbx&J_1*x7#=9V`2&rY$k@wtE2YGW?$*!HWAn%KeEse-Vhl=)|I^^Gk2aFC|aP zf2SZ%75l=%y~SAPeK$qA`|jYv^W7|t5+j8{7=Oe4E4To7$Z-vZE1RGh|3i1fi{9&p z6<<$ojKhWKH@VyskqXI#?%ip~PJsTWT%H>x!+XIWUZlHyIV0A80`bWF9JBuPoS5&A z;@Z$=z*0W9i@hjpSWpwkY(NpwI48e8WW;q6NfT+C}Q5Pc4k2QNmK#hVojNA-~-iCY6y|;m0c{36; z^UJ-j&OzlL=kAg2(c#W~V%I+Qe5dxwj)vI9@sQ7FB05jao(0r~kPxmt^mlfx(XPDr zd~p35zc^2J;xR9wUT?q)Chcs1Kd1^&cH&STj$3bh1-ZA0m>77j_zL5BhS7h_oBw$c zWgMS``y*m`L}^qU!mneFN|#;`f>Tz`G^nDA4!m28Yi-l`p@-3`;h3Fx8!bKbC2l<& z=AYcx*bvtH*@@TkAXhWP8>x3{r&2u`h#AA@RBpqvKQ<5;5ttYVsNkfi!&)jEkQTd6cnawHF03ZI0QYC`qt7%p>`5fvpeZ zPY-IJQ`1!Sw&BeB#4n8@??+GFW0*{K{JLkb-JLlz^7DK;hNP%?Zvqg>@^4ae>;o8b zEE)6}x{fCSetP4-b)%6(f9L_%CXig`wtZc=b{d@efBf#gOn3eW=F9-pw|{}c z7eDRRo|sA?z&=z0;aQZHN^jo_etKTL-8hv4rY5RS*~2@Ox1nga z_Xj50_Zuos&GM2{gjpip$^FH8?RfGl@rTcY|L-77!9O>L+4*C>n6}4%iw6K`ezgy< zxN~ofW*l?o&Tud7LNXF2q5X2SPEJ_RNGo$naCCph!vXp+@$r*j{k#51pk^R3j6Z=P ziORxBL$-4=-7I}x^ha>2x0P`zw7?M)AETliXy~A`JWgCG&_F6d^4YW!o}^388h6w)@kLlqCZnY!uq$rI5Sjr+C+W4tZN_Pos+tykRBGGhhmt;CB3y@IF4KS2`H zp)F1%9O>%}wBh|b&UT{aySEv6lED9pB_~6FCh&-H?DF%7V!RdS+ry#_(Gby`t6NF5 zKb(V0@_#Y%#BTVZI`y9<-Vzv2Zy_wJCDYw9?&-d6lE4CqYUkW=%ed7`UJG)SyeE=+ zbx7h^&Vd@D%0VWgiPC|U$-`6Is}f&m`P!r~&#LgmuHsyl$IWy9W~Fzt;jCKQn#5CQ zsUZVrc?W}l8b^6h99aM9ijHGRK1L)@2rj4^V2vKXhQ0`b-IUl)(hs%<{@vdC%C16J<1acxR1|SM#VK)?>z zO*7;+XIskqW7WG`8ZV#AT#C7Ze`myzLbo#Ee;0aR_pe-)xrtxL#!23tD;uxj?@$7%coYMx?An9f)a+W zcENrk{pYc^oe4`X;si>ppcHn#i+Xb=Y@7Bu*+-gQQJ;e$mwf1zAnI+Z3MNmG)!uf> zmy)wNk`{r60YT4HK~z#CSB#^@Tvg>C>M-@(S%rQBBWQ-?Lft@@d0~IZgmWP?6Zh%Kts9)dr{}qlp|rF-9e@S0?<9&2n6O{ zl+PG!VpXZX{=aKTi(P3r%p2?Bl!EbTAf1HNX#K-?Iir3O6fS=JInqS#w+==(W3Pj9I8bN2ao( zq#b=G-v?1vl7DmtQBp<#$?puG=}$bK|JgqMd;CZ>luRU^_)$oR?wr{I6_3DIW$4Vg zx@p`?7)RqcN`d+`KmuRXPFhkJ2_)B_d2ZEP2L(T{gOJr`dsTjjJ#MqzusgXmA_pdm z#z9ei*x=~%&PhFTBaoQ1BhS$(C+otFHhjA(`9Y-Ns!;MBx#e*j$n7@~^kOky0K-Q_ z8WxXVwXf7(a#tEq1lR^Rxe+`iGm2xJ)1}+`QUOqqW0rVWTk(m?9EE)ssO1%xD zGiPB_>QlTO+PWoEwSHVbUIpft*}ZDpLBZY8Ad1Ku>%LDlwb-~d*%Q8=`vMGJEtPs7 z*0f~5jp~v!pGS!;w^k6$6A9vi!qo;*hJF4MNv#S-8s1ObMPcY*goA4XiFaBWHY9#{ zMs~#Ld{xmNAtpy4j%0w~s>rI>4r&Q*iUq0n&=Xzd4vCKIi8VZ)d{L#W?*JcL@sG!Y z%zw%_a8mQ4CKV5<1Rsnr5e~{QN7}BY<{&Gy+FB72cwh8qX$Ns9s30}ZC};X_BW~F| z>{kr5Cr=StPZ{8RtwoXQQ7-U6yaokDiLfqS!_od$%3n(5r;wHW`I2~O)`C;?*nz(V{?meL zj);{)6llY2F`K~7bqb8M(jOw6d{xP6-_8Y_a?by*HLGu>pVQOcP9k!iG>@Kgrp(Rk z-0T9YPu|h3)EL1|tT*pt zs6#_;SyU>&w_A{YnGF8&89Y z;ZD05NDyhe-F;`S88(_XM^UpVzvUetCY(8JF3_w;V)YAEs(M?GL2k~jjN;Yd*e2p3 zq6n%m@3CO$->65RQ)^T52HSbmsERUMs1A*$hPV16jHtEK`baob=)`cQ;p{?E=Gnjwd*l-ClE9sMUBI(ZP| z8KSjM7MIA5I){43*c6XV1XEH%g}g=( zo1J#ykd=Oz3o?aJ58|0iNn$r6Og82&po5})faT~vkv@{NeXl##qN+usv+h~SpW zqN+(U(V$8GA(p>)ZCmnRvh*rtRB?9Dx7ay$&aHROm>bU~M%EIcq0uzFvf!TvtT4G4 zQ?@s6L-%UQJVmr9(uY+d%0H5A$I~|`(Z-nH1CaXM;o4-$B_w} z&@5zS$;DS?JJi`jC@Ox<%=mYVQRYz)(?Ek{i^?Y8Ot!Sz(`fyl<3b)R1CYR4MiuPIVz8aO*D8M;56+zIBHK(;WH3vuDWP5DqU&QeHMa0>uh?Nj*(0O9!b0hD}c zU=Z2y(|=y342O~KYl;~Ixhm*CzfvZNho%XW=YUQP8iFnwByP3Np+xVbKPHZoi^^@PadM3^I_#INHt}WL_s6#j%^lP6;)9 zn%J+s|6jD<&#}pQA190OiOTQ!~8MCZ_hg! zk6`M(U}odkRqgL5YdO_I#qOPC<@_;JYtO89hpjYP6QT7Ngu7ck^)d4@2eL*}?~?cO z&VoPYRq~=%t0AV`{iyn0NZC*PVRbkhYV!>RIAqT`1?1goSMPNedB_{Y!Uca>YVxxd z)hg_Z-qGYUXMwJJoJC_Gga3HQ41#<3%Q~P_Vr`zs{%2z3{Xw_{gfWD+x7gLF9k{{N zcXqK_PL9g^bW8>|1M<3?h`J7#-w_pQR}&B)mLQo%1T_VQZ`V3g#$@a*xv6j)QBCl49DhyXja2>Rnhsi~Dqri24+;Xr;HRL;bv)|-<0;A27m zn2!FlS^9_1pYb9Zj}AJAaqnb7F(x#}#LjhW1JLM3ArudtziK=8%b#JFC1(lbSa|M9 z_n4i5_Wx)}*k2p>Qp~w=7OPL#czF#s`KXnVh?^5U<222sN?c3L7^{6X&#*!Z>(vf* zwpO+}7l#s;ao9nl@uPLcgWKJ45AGr!>&m)#@GY}*_cuO_HeN|&?*H&B;PMz(DY&q| zdkG@3z+VQ1X8Ge*k+LzS_@cdeyZfA{v)h^Sn#5CPjOo$Pnp_F6eIPKkJ~s9Pl)J>? zT#o@24`w)tYYM}3TNz`a`wDma!(5>ge3rvd+T<9J_k5cY7c>wfB`K!}pCbSE3@2v- z3dvjUg?F2oS?N!BC3hqvDn3TtaGQ8c5SGf>^jx|l$MJqcb?gCm5^ z25q&rI=9!X)ry)>mq+>4nt4tZm>ccuMH1GsBij|reya?Rz)r|7DnYk-UPUXkb!j~K zii~T};rpf$zT(rq_t_9%70V{dYQ4PJUU$v=OjZJHm6cW?8H7>`W}>MPi;`_Q-dCt% zV|Nn180L(MR!%?owcpoIBZ!vd2l4FbSVovxO$@e^ywe`9f?!nUO53&AL~j0Z8vD{0 z?d;hwnx1(_wcT+17X!%yWox(5YoM(@K(@M2wxMVK2Rir0L>}SpysR2`XLkH-lH6E= z{q`?<=If&D1WQ+pIkoP8?*lb5UNW`kYR>(L#r4Dx&PfK29!h`)DSU~mB5mIYB&Wh4 zVN&Z8Ux{!qks$2@sn3Pk?!WBazg71$x<7*ZrS=fUj4ZK4b%Fj>Pkk~Q%Z`s@nHC9sco3I?PV|rsgE6?baV9qVV32Wd7|1&}7fRj^1Ezek+na9SF6Y z{AqOas~D%aB~Q;LhJPB>IVr27n_st68xV!D;jcvdHbtvz3SJmjN{VslDH)(Qru&c$K))_;A}8ZcqBm zj{ct1?lK&~aJ>?hO8fU5v8b3P)N=Q((efm(VoN(_-G@n}!k8iV1;iu1gy|G~@0M(z_WsRw1!ytthJP zIW7ssta5Iwif7iw%4W@q2A_!rpF~m|hLE1)B<=@~VLKCt>9#d+dlR?gW7if8 z+??vK5#guoURC-qaE%8y5Zt1pv)H>o=0?=B=}nx_QyB|xx2vDG`zV~#YghN!!@K*> zl2jgPvRgj$d05}+RcN%PjydZ z_*%W!y1Y8~2HSj}8S2!*GbNB=tUuYpOue2Ir1_c8KLe<-+j9c6k0+C72|tCkX0VFA zTuD|>AUA_wDkyhAfy#47>Df>{o4_xyrIf$OIbbrUOF0YW6;aM1Iu3zD_Wk&9xQyBA zqeKo~gQbRUW&LM9iNaOk9MsWbD?{u|<*I1#X}H1>pd?CmmtA&EZG;)w(XoAUTCb%`S$6WAv0+_l+@2i!5 zXQbP|4+3`q6^opxK^W|gV1G#*kl*QxgEb}j8y;Kz$KUs5t7~W%ZhOCOm$21)z1x4# z?cqW^>f4X)reZ+)$9hr-70qx_kT;R@@PMO)`zdgys-X817=U+DX%WJAV}r6Se$4f} z3Y9graMZ=-cVjduPQ8J{EbPs1+QA*M>TY{@9}!VjTK;hB2jVBGz2#Q=P4feX`|bRQ zQiliW1U|mkf3{e6cUX!W;|{S2nOEhz#!*22NX(g8PbVkv z0pDlOMC0$1A{ndR8r{6@bhT#>f1FQ8GQpws?w3^rq)?J^MWAUw=udg7q5OH zx;Ymg_e6Xw_1QPZgR5iXR>g4+_ic<-Z?uomGPl#3*?S_WBo{M81Pkwp4eyKxdtz#u zpLRR_cZ)>&D_n|Ag2G{_iszpOS`Vn_sehs@rxTW)$ZFu5r6a-lfdh zbdH>lIU{N?p#Kvg`vDhmq-}3i;!F605pL@f)po-R6b?zTx}O{ZO)%-!CMc` z6aV1HL$npI*c%?n#wgwRwr)JY4P$$Ue1A}O;_iESIGu+cbG%KT_=KyMy!kHaZ^wdP zNDN5D5(bgsmGa#s`>})LU9A;EOu3xIq1|vif7i3*eQfRV+b%E*@RL15WNYKCJ1uO2 zBK-&&0^^qcN?sQe7-vx1IOe9)=lRDmLhcOv;rt(-!k>M#`qELDLgyOd&cMR3q?}T zQJksQLHai|WX{ULWo~--x!1e3+$4sk52C4P>ePUh9;QYyDVj9xsKY_5LkrGs8OzFs zMO{SqkwL(2A3acWJbS?T2g+}DYav&Y6Jn=g!`Cpe*7i3dE7e-eYBgS1<|)U64*1^T z4%q?s$#n7(Wpkb8IZ@|Sr(?N#a+bI8C-WRzZ+2$F`x$c=S3qJ)B({RJm7$t z$`FjdBj%ij5Ph5M4J@Q+s+%)wHShhj1fM(a zc0~^=Sc=U>8gZ_w^sps6ekonYoLMvSN9#$PGZDPEz6^4`#xp;rca~y$J9{}3Zr#s? zz&UVO5onANg`K*4TCMATYbsuajFQcWhsB)>!k$md8@KIXrKzmr!AgE&1{8;>%QYI! zmG@2meurkL8pN^w01eag>1=l<w`wE( z8_jVrmvmSUHc{`ct?ZJCii>yx0n9I0zfw4HfiP>~zYIw})7Zl9=wWa{Xo?CXYSy~1 zMNi)2WMnEa60Nl;Its(aEbhzk%bm;+M}@O|Tu`G*a( z;o(B&+*us-J!jXNed7zTF_yd|v$w^W+)~2j(lw8B6O>-%RuHP&44noOF)_9f0cM74 zxSQ_qSerH~w5q7u-#4EX11qfdTSbdY)~bhncw1ATcT%`K@mD*0Z_PGFPnA-*5XY80 zq|Hj{{GjZPSoWftI*!t^vnjdjO_cU8YUJ%=}Sey1LZZ!$m4##vksd(!aDOs7iD*ojHbKkw!azp0_Pz1*Gl z3ph-Br`oBt(qGmj`3hN0Qs4OlNQ$2zO&3LZX*VoxvaRODP3~964M+{`Zx3pJmpE9l z{VrZGp{UB)3d0plv05$l+wPv3N)_!*TnXL5?#+2c#OC8@*y>KKGM#9Yp@dG%ya77m zBRyNicP7Tfz4R_|%dPHxzXBKzX*?OTT)B0INZaTe3}P2l0gC^08+beafZxIQAJHc` zZYcNOu~Sf(z1uynP6aBv{QLL=`#W~?$UpF{-|aK9f2(`yzWo8K86xu;KOU$roZ7M9 zlKu}FfVJ#a!%!-&YKI@r9=Xz-vw%KX(V8v~6!j&p>jqtq=Y!JcM+~|iI_UcSLEryp z&~^8q>z+Z^zZrD>{Xy3Y23^k@bR8XZ{nbI&M-I9kHt72O)V}k5Y0&k$LD%;Uy8h{) zYn5Oth2K?!uFpK6Y@g@$pyyv3bba)o>*0g0KfHP0{$3e${luW_e-66--Jt7^LD$y} zx}H7gIzH(7>w~VpFz9;!LDwHH*?0W!47%Jg%z5y#8kuXf%SdWf+vVP)>dic+O^8T~?Ueht)cDDR%ME4N6NZM6j zptm(l5b7|!o~`H{Qt;~A4bAA}h8;Gv^6M=z#?<0Ef+F$n>$o%%^kb!?<%2pxZ>Fyp z{2JfCQRL*OS#?E?QtG8CuG+>Z<`RQR;Autyog*y0< zSd3<#?6kWl84<-ccoo4KQjaNT=AL{T0w8<4feni$x5hmrAS%9;F<9;AX#CD2-g8!= z!aeDye8C+-5V$I2cPKB>TBRG}nZ}wE-;OyK)l9XWU)0>qg@VNFLPPG(I|te*T^aXz z^FXsbzJ)5Rr3;lUZ!!y@$u`#~hb=kX1OhFIn?E|;MXAkoZdzzZ(Y!?gy_c9H&0>b; zwf`hf>S46d#N$z+X8h=h~SOJ<-&J9$<6L2-|AeU_v3uULd$; zJqJ@|C;kK4f9!20?r#3HS35x~`OP#RFbIdHb&_vF&csoHrX}1g(X<3}K@edogNX$v z9+u=c5Aba0E<<-9{mV)p!1qxH`%Ifeg_WQVLK)%O4c*F(Po>mFb~49oQyyKhwP-Fr z*g?2ObYoPMTJwWKfkf-tvFv%AbgcQ(H!AESHPWEsnP>8Toi^-{N;`Y~f3?pD2WkUl&ML$TB(*>F3V80>JLI@52LI(9@l;Ly}5ml}^6HokomlAimbe4W&)&so9) z0(zG7+|E2;6n5-An|xA(`B=ijEwiwYO^03!u2T_lf~lF561e%ijr;kpV85=2gXHsq zpiXf4e%hR}t;e3=tnaqHwTV-BN;1Q`AgO{E^I^Q<&4nAHOV$PW8eYe~hx;E%6wOX2 zLrlqz4EuSM`ZAV1;DUQ(Y)=nbEA~Ws%dag@gbMq9I7h4%bm-kr?y$3$_2+*i(?LVa z)e8OucIko$hA18oX7dNGVvdhO5C}BnW6#*1w_-$)h z>)rW#d(GZSeawf3dNV+UFlLD*h;j$k_w!phV2qi*DMfs|B9k2(zXa`nrd2%O*NP%> z2K=I?jizA=v5YrlLuD})TQS%^0=y(}5eM44iKC+p7gQ$Sk2YLcmCRE{342t<72J_o z6Y{zRz;NzwT*s8;BpQIo6&k+RM*${A1pwdd%=b;-DgiSq20T2t2p-L8nBrcN{1*=bz|t|F!(m*q+u!K>|(ZOD2OZ5ssKK}U-s$UzY}{z`^Z@< z9i$5Z$n@?(OI!IFn}(YBOXkG$?#*x->i=P8x8kxJ8p|X@xdTD67}Xh%ztqtO4aT`M;tk)qL&T9gJR@t&_g%3&V~&Is1n_-3?$i2(x z+!{V&uHqgV%pJFqp)D?VBd;ok6?zr_uFBWLnp!w$ZjZo{ICaS$eUdnc*g_6`6!*5f zhZ^3U>f{uoE{b4wTT9ObRj43bzGTmDcsscoC&zIlKiT z9bty)x2C3Z!_>~v`{q-4$rL(EL!MolHil2f=xMM};kZbC7Bq1fTM&ot0s4M<0|hl+!aHEE;hhM5 zc&0QSv+XUXN*x$1o&{^Ia&LhJqB=MPX3#47!)T31N=H099h7=8TE<4d-LTn8%^#xG zcsBA+0hHj_{1Ker@iD5B>WsCLr-uymisHSv;2Wr(f&Roh5=p7ujNrSx!`s2+ljgPV z)__`x!c+ZEBIdm4g-8X~^YrWq3q%EV_Nq52NIbH}z3qntjgP$o3M)V_=8UXK4v#EB zrBm>hwpr`9fr;|uRH$uT9R>OF5G9$WCiB^}WL=V94i5 zlTx?=pgO2UG^thcooEJ+pI!iB;pBPhp|+Knq2Jo0N^5Orw7h_- z9%QBGvw|__YpiMMrnJx9sXA*(GBvNi zr~?79qUl>T+lG%5#^anRi?F`bhtp$evYA&XWfp0>sXRa^b;EX(iU0lrx?ZcUExIj{g4bDA)dxlbh}Y@ zyDFviRa(o=gpgxnUyo+C#2Z@cO@*8*G>9HE{||ae185~qCq9e9_j90)S~*)YuMJR0 zu7d18_7Y~PWCHsv_4yYH@gwK3MfCL#Px1_r>GqOU+9-m|&#hCOYr~W|C>!jkJJbsK z?kx9$!`05Tx@d4M&CQ85ey4unIkxjRqlT5un?=W*P4RUq3Bft{_X1Y%Ei}RKuNKNMJ2zpAk(v|5V(u#_#y$&)DPLonnZ_EN^Ieu8K2)vDl9j zf%hQ>b6&CP^bXV6HAnq{IvRH7!TZ6(%uiPGuV)gb2-)V#!okJA1qARy|L#D01O)V$ zNpb3QEWY^*JKZ;iMlbzrFpvYbqa`MC-{By_`U~;u0(UDp$R0$|Db7 zq}!u1TaFF1DGVmqI(ie)5JW_*Zt3j~KOEKLgY`Jjq{pK-rCxh5wfcLREtwaN4OE#= zMt3fGHBiaVZR=B==aImdd7*Xm`X#T@AVTTYmr0Lq=5Fig&PZz8A0w&Gg}rNniPKWA z4?$v$UY~mP^wg?q!$~<~bbfh2ydqN$Pla~Co5z?9pm2{`j;aHGn^UONHWL`~(53uM zu3qwbfbsjy{W-NNnZFPCnPCUbuzOQ)ZA^8YnX6qOf$v# z?99jRYbS%A;3|e|sO0?3LTL==LIC|z;?&;e>Z+B^w3HZ8pf`g@*@{vRIBUu7VHFcR|*%P}K*J2_c`}VFOfjpT6E$AkxbyacaVubh`gpcxx^2D|- zmgY#QF0_?C_thJW%Ka?%WozYxQxmgOZw>*Sv!fQ>PL-$?okVU7u^#hkwiMyVIc6)T z(_HWBHY@!xAk6fv+GefVeKbpKN}c(9CgT=vpO<@v*H(UqkMh5yO!3Nu`MfIG(YrdF z2=}h8Tse$Ht zg_gXgZK9P|abw9|{e1XTJ!@T^s}U*t>!0eMZs;wse`?2qah;?ZSU)Bupg2DhaN|Y% zSGxTO%L&t$H&>E};4Yv%O*Py<%;qd)#(6BN{VAD2>0Rj5;3)XT9UQFuSMp$hek13$ zQ{2=PkJfpce$6g~P~zDB4lHTD>c(5P=vZ-vK(eU>$J%tq-$XGlUHcN;Vi-5w1@HD2 zQeHf+N7{?WSKa)f2CY>vd?SZLn)Cr!=+-3t?FLGq{GwxLUJ%bDslrfhHmJM^9*-aP zchqW7?VSUi4W~2V&spueKGSIjXSnUdFQp$uGtc?S6q@oh54v+Wo;lL3DS?`JZDhsP zMKeJe^LKNz=$`bp<-9lbP>ho(X;o86lb+>AOMD&nD_xC|a#9x;l-g;6Oyns-_ZiQf zc-bYjac5zj^xFO6jhEsiT1;DL0G!05ROZ>6@+ki;O=Xw|<*~+^q1Mf<>L7b98tn79 z8w9RwIUx)S(Y#hsXW>)=9qf&}qg-T1;COts+z!4UYpkBX5~mxKM#&ogo5AnrH+bt4 zZ@i?=N-Y9I8ND5)PKQxlP;f%g#;edS&@#9H*|2oxFI0Xu>N-qV2KPJTUgGSoXy&~V z{Nlv-@(Gi?ngZ6+INeXU$V%({wFznXqt*T=e#&yGjAj=b*GhwGj^C@hsjd<6hGhN1 zhX>jt=R2O^=s{M`7zXW$X{qMKm*cDtXc7HS;aCNxI!H z!Nj6v7vjB3$SuiE=2rJm-E$^$4>Jq8j5^=06_2cW>=Xc{H_~)LlZj!N^X6#*%`#qL zR48~(f!4gB`LtlnT$;=xgmaI=3@+)IP?LyF;LMyJcv>`dBh@mlREqCD01d9Q8&$>p z4}35E_inYLy5=|QyaQvE(Ius)(?l+WK3y(&U# z;RZW92mf;f^5JprP(b?F3|?|C{))fi-JIVc>dlTnV<@HPP$B=M=&9`Z<42SQqM2d3 zb0>Ec5XCv~IOvVd|8spK(!WhVoJo*=XOirLN%aG^YfTZH4H^>YBb^GaIUWE` zxO@Q_FRY}(f)+@R&-NdC^!Rn%I@3k()o|8X%YUS1LHFZPmbph{GXtb*al7I*=*E=HivAM_1;YGKK^!9IF)n}uZaeN zI2GS&XD1Bpe>UnY2yu{Xm3_=4UOgG>!WIv879dC$3artx1*j{OObG5YsA0AhoH@4p z$ZKA6*hMtg1$!v(e^#?>ih*>LpjpFKj7&>n+06juVB?4rc>L?m)N-R5gRbnp9lqUo z)ST}bkJ`i7QeKdjL4%O{_oQ?q6Vhl7D?k$| z?8KDZpHNbQm2W=^_g?NI{sDjc<`AOB8ozXsLFZmBeRN*Woqf>RJHEMnyiE0iz{_~$ z6>{guV@M~2ps{YMbn?WF4BR=1eXaAV#=RTqo?HtYKpg&8@CK5 zHx)tbhMfx@ZM(keqU3{WDE~L)Of2&*azlfJKnrb2)QTc*!OcgWE#Qb`CfC|`+L!OF zb8q{SL3Gvt(h5V#aHdG=rdp8hLX34nTr)3PKaj+?Sra?Bg~NQU)O}oI{Ht;atWI-m zBK%Lj2b=*r3QS1cC?v38+hsl?`wB%Qf0@=(!trNN#DsM6>mV^)>>Rd{%ybD~s-Q2! zPlZ)Hz_VbbmP;pSc*n3+&feapIrCO!q>-akvSERg0Y=LZ+8Uw74FlGi#N34)oRIPK zK%3N1X=G&c9vSFbo~*JfYC>j1&5VT?RI<>MMGcpr-+e$Z!FpBe2$Fp%_MH^Q8Q)})q!@7KvajVUUW;Vymz8w~Xri$=we~43~ zW#{5XGjI}D2BXN13@1BhE`z!+15dvjj%CiS9k(gBfnmWnsn)@fad23jObeE< zYJI|Ms{DN_^qq}FF-#zP9j)M{6u)6%2zoV6FZ=SB5cDrc%dQR^%)BY=ySnriZaCg* z{XeXo34B!5^~W6;FR#9gJ7ch2a#OXLl zt5&;Mt#+}s`fs(huE-{#S}j@^Tv6-to)Mv_Y%2MGf9Jkg0*bis(Y!bJ-SynF-E+@9 zx5T;<4SlLXR){oV?;OPfIs`fbpHSS>M^b`0c$4U)X5t{OGxJi1V^W zo_jYFFaYK8K|u3q5fq=57EKVR0CUQ zb{~WN`V}-ic#hKt{ag5<9-=x`xuEkH(@$@(Jea{2rlrNrh%9&GH6vpIg(hOG zO+*XRVw0Vp5rLs8eGGzl1k`a(Wed~N)IP#G?l4efjtg0L5PVszDUTdn!g}$+B;|14 z%VT(U99TZ@;vORZ*nzMYO%`B%S-AKX!{piV41Wk5$?PvCB}bHgCcx0V^KA)Bm}+C*&7SB(3(h{VR9^JVzfokHvAwP7C}R#9?|A3dF=^ZsE7C z;oTe)i`*r_8Tfkp$V$zm7Rn1x6_Ro_O*FBlBDUXP)=eBu%sWP=y>RN6qVo-XzUza% z)AohjPQ@ar)9X7yrm^^=m@sF>*;gSp4E+}j1|5UWrYs$t3 zhNj$0yt*lO!||uwX*OfdwRm^#6{skfU3IaBEY{jwLz=S%$S!KbK*szunzv*-w1<`4 zyMyg8#>HTiSROl6C14bU4Sd=gb&9K@vZ;1%tk#?H3d8Y2v0lMYysKZAfzb5-PVbM} zvL)EQzf3Ahz z>h*jutm7)dXnMOy+nCX9PBr)pSoyNV=j^dAURYx`wx~Qb(!}7UA&%&JLhzn8_s2zHi{Aa;&uL#Db|sE2Ur@gFC&s z;&$0-6G!~1TN2?#d^Yo|QaL&~ z(G@_~-Gu^8nbaFp$FT>21?*KIG9$Q`NEW6HUWTrbnA4!|)?l>p=kdVsC@L%`kKqT zM0qv1OISf5eTEtbSc}@!K_petLZ(-BM1fBdb1NHb7hG~sG{ZH)`jFNxCbGBFyW`bup4)TV!OfNRvo2P-1}zG^_Gse z(S>4f`nOTU3~~O=ym={V57vo0HfOu9!o`rdGPAc7wT18hAHEio%VPV%7qew;M2%8% zwjr`OJo^ato!#g7+gP&7b8)e4-D3CY?1;hX)9~zWbrWJcXQPYT*7lrogvuv8=wiqG zeJj}!I8SX6zW*5Js{19hzp89(S**%a-0x^+yS8By;@hbh0Tc{*#S=)6;NW((Xz z4z~VB!n3)y`UyJUR2FM)%0@$p_XqtYl-?nl4mXBp*M~TgxOn8MvZKpl`TDYDKeb?= z*<D+ryqpWd3kCZ+y#y3FfO0C3 zCKK*$SV~m}SGUesZ?EA(&?Atb3SHw;_jjpguFBg;tsmZY`b1;^!ejMQ$L#1g_|A1G zYfNoILCbym0V4?dKQ41ZH6zSS8Bn|Oij!F79UNMfoviesco;lF<+wNU%By)t|VsIEQQtm__%26 z`{P)<&@kZ`uBbvYI3YC0EnReDVs?m0Os|uAq*Z38g`%yU-emjf?ha}9E;{$4&V`Is z0-{ymA6G%Nqx8j95ZOF2R615)(muLhpy5n*KZP?$H#^zI^+0PbdFSfm=DUm z2hJ$?!yAGW<7XKIEdDJiRrEX2$pNmLNCWHt%#l(^JLfy^=rP-U_T;Yqz1N@A_4l+5 ze*bEN-{)=c`{E6LpSr>C`9~D{Cu@K&wrYTF^s*#xNYs$f7*>AJ;HwLltGRvvsadT*BU!vsRh;a z@wTQAR8y`3?IV%-BGAjn>SJAI0C$t_TXg&ese^oZXe_fnn<~~`23GLYtJ38 z5?8+G&Epq!jdhirJ5kH-VcYpck|gwAC%CZMN0{Ra6JHj@D`h~X~k*qVzhz9q51_4}IUe(XRDC-U{hjKe(B z9y+V2%30bUvg76!6pHx-HPMwQY&$^2CtW~abh7j0Q`7T0+Fbj_l-V*ljocU)WUGDL z`war#y55Ro5g7ZvH>S8LhkwVh8a@7mGU7n5pyh{l2VN#iwVdhd2h|UCjit*kVKZ%Y z)r#V*N|$?=*@#gE(c{WYkBg&JDz3wPZ)+p0uJC1qpWqL$1<`e9- zCtRkD!6!IZwyLbTEXG!J$8LGKf@jrONk^{UL}V`}%dyDMLK9Zwm37{7A37VsNYvLhkMLmgSU-?nl0qqKBacpny zp^_c~{l!c{d;U0Tdwsw(1>+JtWddS%+oX{R{xu+09zNMRrwd%{YAg3gNsrI#cdR(w z_i=pBjMJQt#YjE#hfpbA`ix!%liqoGPZUw%##jP(M&SF*U6ofkfz!N&>Fr5PO=%9= zHjZ_puTlX6q9tO_>A42X0cf+6D2qi>3p=QQ8J^en>6!AD=aj<7c;D zFri;bM~^dS)vk&4VHr}%*?C&{pB4gbhL+jxyAw1lJv2@9ha!I^&BtfQJ<605XEM9% zG*z>;_-bN)W#-&+bOi46I7l|Hm0%TBzI$@obHdZ=l|4;2pj8}QR`OtXS_;^sSs2>GdfS4F zK;5xiw+9caYYeAE;*qv#A^3~p1=k(boc@%Zbgq9%vSYZo@b!Fs9goS3q`Gn3)UMwR z;Usp!lDY}Z6X6zlrIAq~ey6q%espWe{*XI$3`QIDnD@bG>(7odCsD4EpC;7OLfZr?rOi|D4h|_Sx!us+TV%W26Xq|MH z@uajLtj_n-b9^{;kgJ4%@!5E&?uXpU$xH-zDrZ<4=uvli?Blv0##Z=p|7M(O{57)i zZ4`|+mXyVCDE&lTv}$r=jlDo>hnMG%>dKMf)GrvG@^-5m5l+4&AWn$);ae#{xtX8& z{IX~vu$OxO0Rgg8OSNoRbV#VAZFrpyNhO=ftnEb>b-njEN?Ud))${0Mr>R}+3J!xk zLACuhypAWy90dK>@q22Gqn9UTWa zJ&HMoE|#4ry70Qt#ahaUE}j{$Ch!ImQ8c%{<1IekXo5Z4?vGNgY3|!)M`g5G{hs$b z%ZqNl)JnV?4Rv_Gfqc0R!C9FAND*r*@GoNuWy(L znx8O5ni_w#>+iqF=-0aUKkI#<`aU9@l78T~(m>t#S@B(Ip%LUJLz;`++n{uF9MDB2p^`WrOSTFb!nzdE2@Ca3TqaO1k!f^leoG~s`VAEz zRN8Wj0Y^_)y=4u*(DU^|ld-H&@?M|(2&{i#O{L*_8ctrwh&z6-c@!nR=dIrku|l5f z{dh3H-Y?mk??~kNfpR_IY6_>$CKI*!Lo72x!C++dtU~cO1C{qGlix+Y2I~b$Sqx&q zk^!~;;4a|hkcybziTF%XX<{v*=X8rmVr}a&BI+RAH`3r~L$X{NMoC_-;nz03BVF7>zJJ&=>?*C6r( z05)dIy|=w0U>!$CsR#l>rP`NV5fo`$PEh zpNf011~1fyrJ*8}&N}v-m51$Pvw~rlOX&-Kc(GZriYjT&w9Dkp)6;5yx#8_n)=5A z$J}@iL=nEXySn+<2RTywGbm61ksQ7JpOa*}8UA&=HMo7#X>`I7udbN_ILo3%UA%z$ z3^>mL58G~o!LxAkdRX6i^Y5c0rj6gri^A_iX1oOprPryzHh`%4)6Waj;%cc-_1d5E zPo@Z2CKolXnOojr?RWE!rF|~~p3lnLZvsw?(FHa~*+);5euZPIHhwYPyl69{O;7Jm zRg>Au#@U=b8$2bpl{|{}L-Zb3(zfn|aPlKSB>a&6F1nOY-JeK9bz&7XYFt0oCf=1} zY^BlBx4>^~eUfljGUN`kJTgHO2_lw79K^dDX-^W-_0X20uS#o6#&X;)_)+q>9G>5P}q4`4g?C=Nx z^3jDtyy2VXiKByQ*BZ^6lB+hFC<#$Lqw5kUR-(Nk zn%Smp*a@*m19?G?F6&&Y*?Wze{05`FKz~M_HoD;Z94T{B6?5cOA6!G%ub+g~v79rU0kDg|Q1- zw4`qjU#GazaFpsYtpdt*8uZZJMzHpk4TzI=3I==w!nZ+=3UJuv-Z@AHx{`XOxs|F_ zX{;v=5lMh-Eul5UYQXk}7cd=@%&ik8K2L`v#Qshq?bNXgKS0p;ALozpp~M{QjH?Nv z;MKa$M-q^9GD)t2oV-GE@-$vhiN$55(s(>HC%nC+ZD_yj$H#PWl$;rS7tDvQou_q$p?FOc)Ob7rN9(?AQaFvM(Hq3J%PoYDq6> zm+qxrF9LsZIZ&Wyv1!DpHAx74z2`L(eVJXd?T<&D1wLZv`8z{I4bA?SXm$FOzaF6ZPWVi*s0N4t)zJ zcaiEr!Aa5mIF@cRl)a4QT(2e0Yo!%t+gx4ch5Jj?^QO#DvpH*y)pjSQ7=VoL2|hJ! zS}pNDJ_>GQI6;1_q}*R9zL+Unvaqb&HRjFHkb(0=ZS{2bE*!@Sc^sQ-^Fy`AifC@5 zn?UH&Cg+&FJF-R->*g^v!W0>8klRSpL|&j*<=!u#95=4i76P#*k_N)bt0>_0q7mj` z6O$QE$@8gW&m12qZh?9APO1*-kB{V1W11X*JvFs}rsO}^HnsDxa1v!yJ#T}Mh5To| zi(eWp!>QBA)sSA}527nU{d}IfR5Kw?7oMpjPTEBC?r0)t4WJ{k&voxAF`+UIFZcgIpAl?WCB%f}%e_&6(mM3IHK$MeaY+2j zXMX#AHZk+{U1ok=bMegQX56CFqn|{@wCsYld3$4!W}cfEI40=`VsdfVsc%`}`a z<5ZSj%SB(c>lI_9GTitKQQZ4NX_}E=TLtx+wRaD9v-a1wkrj;wAcv!bAmNwyPvpKI zQhMqYli}fHYMp8khnD_q{9Q~`3}54=Q|12m$wTcu%|T_kH%_(7mhFIksq|@F3dqvO zsIJQU&0c~zN2zUEqv>t|J;mX^MU?jABfk*dpHg)mJmdJ$K$KFZeiz!MeGR+T6zXMY?qyK!Wn%7SeD1|KZ`)9oQ#-=|wQtw9ZgBY8w_#yz z>uSR@_oE$5U>qzEQ)8h67Br=C%R2p46ITSaPX0rmkPCyja;bW3M4T9yax95+{vDz0 zNN&Up&-?+YVjg3)B`-~Gyco}faIz;K>SBluJ?RHggiBU8mXuV{os@a3!Op6@+u?v3 zRKDjEy9|M?lfYCVgKNNuKU7DU^6~IcmQJg@TRCZzsf_Iw)O@R} z`3`E%SGu)T1^6{HM7Mf@t?vFS#q{5@YCsVQuqy8_aK250`2 zz>UTL)=mKh{HY+!nX|wbL%=-#+MEE{Doykt?>zXuZ6Owu{#i>5aItxGYTBdd5OfIj zFxRF3vDCCKdAt}xX}tHU(HFD|RqfuM`~+Y9UK$eeW03a~QfB#YX&A&mJ=h72D^yAs zMyiSn^y55!c-xN%{0$@c->we!0$EbxK49h_?Ug+`45Yit&Ur-JM>s*(K0;E^nAJpi zkt1sRRI@A@VvZGxUv(#+6*&)1Yb;F&XgpFcQ7g<#y?X(Zsf@f8Irw27x^XU-qt6Ma z=JGYkGV?*61kP><-@kJtJMyu*A>kQ6BMHaAXlq%5gD{u_s-S;0rFZm? zHFi-i(T~Fn4apHU%9j`pASHEsqxHZ>>o_QMJ5SqtL)@+Q2JCK21B*vaS76~XU5`>; zWW;(+CN-*smAvB*_@(s|71Qe9nI~g>zE?LJV+OI(l-a^;YyTGgB674lo~`-C;SLIC zlf&0}OQRQ4gJ}e#9j$tGFNh<$b(RQtP^5O$pzzE%HR-Ai+5F)BWk$_I?N-17T!4KU zbr6-0+}P(#%r=A@Jb!PE#o1#to@`CUP@yMex}(C#lzY#=V!c+-7{WzVJa9C4(YEgB z*zT$m)_ObZZ;H*rbR|BRUM%`ZT>u)e$+PHq8Q>PJDmwx@{GPO(9eZb+%*XmJ$*A+_ zgO_1aOx*(V2gjw@4b_ae_J6lp!%jc$I*`1CY<@p#a`4aAoc4i1R}fnFvUJsD4^VfB z4X%mIdHG{w763<(3Vnjl$w_2w%Ip@tzck^EsM|3-*pf0Vsx6ul7({$!F(%@voD>nKo0;dImBS?Md-NygJ9m7ZjHRJ zm-$bQi4PKkj?J{Acr3g*^Xc7lC_Gk2ZzS%k1f0Gcr@QVfkYDm<9X*VOa4tH8W=>&> zn9^WAp(cZ6r0vs|a7x0JVKF!mJ{x_sZS8?m`b04ni*z z#)@N46qlG}WjGs8oQeKeMi7hPl&HlPg#TbbuF$Fm#jA%F{5wd~3e?DRH*esx{A^u9 zkSvbAC8m!p2`85Tw#e|)#)q$cS^&(T!*Yk3DFFXRHI|Tf;i(VUc+gjtqMYrq)oy~k z@ZDvxo_{F?y(8hq#})NW?3_)iI^*x*)QwCS8o>jk7BBK4YB63T{$UJQ_ar6<+sN~b zcqd^0tBA26H<@p~C>&v08(_b&=NOnueYzImrx>#WDMf z8NubCEg3UeW7Er|+{;A0c(pgiaA9PJxpA3pJ+fz*i0`({-Nas|$Y% z-@jdU#G`cwPC4E!}=dfA!< z1ItRhr}%BG($#v&pW4<<<<^Pt3~ekS2l~Uy^0)pt`31gjT>n8q{nHBdpQ-xKclG;P zpE$Y~y=+|mqr+VP4lR@)sPY4Y^4)XgP2U*qs18@2T8may^S7Y*(_pn5PI&e@ul^a+ zG}1gkbvz@6mc-8p8u#yGO1WIu1Seu;ng2W!$JBbmo;C)}{oG6dp)j0Pa|D_*Q@X^o zHB)5oCckNozZC*VO>Luf-)?Sm%CvX5>rO|;;ZFDK#^?|>g6Zgxo%T2-nmw19I-u?H z5X#6Jv6IC7Zb+o`ZXE|RrPwpHluZ&Jr{tO&%G&5H_c3E3)6tnV)y>)8Rx8cez;%*w z>HmNq(bh%DXX6Xu$h!lzX!aC^s$7kypLf8&`7M8S31TR76V&@Rj#2?LVsAm%l1AJ- zP5_Uh#aY_-mO=u>Qz1<2f2f&f1j70wv zo5e3|`S_slZH2ydRM-Jppe<&V+8TU$Q;@#Q%$nkh0ieFlLE&da7iu$G^ICrj%c;kEM1`dReM!ql z1ch%X6y7V}@|7z5=M4)NxKQt)@Ck*&uV8F*fE=O17i?I#(Cx*;g845Leir+x>vne) zK5)arg_f@m3cqF;Yh(VfU#{>X68%r$xnDBoesa)9o$fn#3P!^t7Dq$x zL;4B`I)piVuF_;Z9%GA!N}EAuuyq%vEprkWJm;aks72z|8y=`BMFQfYS_j=nU=eMP zRJW1U%}Y4>is=>ZM*Ca%>_0(*Hz6u!_D{(ucEv(f0cw&eH$JvA5d0cNkDe&5@-f)2lj0=<)Nk zgs$(QO$;_{iLohT8|!NC#r8lXXd=W66+;4bLwg|#A<~2~F8LTUYVBS1PRZ`HcOvcm zdGA7dBf7K~P97t6pB>S|wM%o>mdpl|TyyLN$^aHL6fM()4aPA(s!Nc>XF~X@QpmcUni%-=S^oQ)BJ?V6? z{rDjl^ZgtTxSmJFf67K}V|ip)`_*IIHV*zdxiHaA*uAp3ryD3JinJlyxfbq zE|}FudP7?+5^kjO*a1Su<=;lPXE7VW@mi*2jH^uZ;rx=K{TFGSj~!}WIGctxXepK9 zsUZ=ELgN>2tp_S!WI@h0gtWXtf>NeI$7pMgRtI6#gSgL=jz-d$hTH!o+7GOARh|d^ zsMevmTJzNpQi_%$;rj%3zB%p8&?Zh-j0hOsBhs^g*wV170G7~sni|i zB8AlvWNHYX>RJfv3(}aJr)S4NssdeY*WR4;mA#SeA*l_h#`J({e`~}>VSPqVBJtau zF${yl7T#8mOKpv$7f!#HHdnpM0v}cP@h91)%uY9RV*lQl6ElZ2wZ4GHXv%6-K-vR> zHwG!Cbs-xua_^B&xs%jnp}?(7sFo5b)EsJU_ijBzMObk(g*YyNhBT7|9SyBFGl^40 z=#-e!e{H#dVO6imyw52N+x2!u_OOKVQ~QeG(H6TZV~XPL0IFTq_VSwANWm^!S87!Z7h%O*T``zviT=TXgm9nZ4uJj zWkyd+z3L}aJ3u(Q?pp4((3ZOJ4&9V?o5Rvi)CZ1^A#?3<>|k;d-!xDhwrL%zBYJJSiD;Q%I_x)8=nzxxWnes2ldY|XA!Zcy(dO_~y0 zg#6!wfXrt@n#)&~dV7-WPsrnQfh})KT?PJ8#1@|s1Nd^bXycvIJ(@VbTo%Wq(b016 zT-s6BkVn?LvslR^@hxs;9`TMcw6%x&f7EGi&v<4rWIR3<=>xB41a1$4+l&?8OR4HaXSeC~br*z_oFCAy zvgro`s^9-DRPqoE7u9aHcjy3f=h~T20GE^@rZ0VW2<|%zyL%tg3QRhF0rn^0+6X-C z{yoa&eWDd+=4@#t+`vbAk-@2e51a#Ft(t`IT7SaV#Xy&iKNaB5If2RH)KB?NyJhfW zj5M;SKtW3tGpnDs_FYFq7f}**$7zFq>qq|{x?u7TF8Y4#f{U7Uh!^Fn!kk>sBp#At zHn|Nrwi28BzvW%b6k4#^fmY3X++Vjz^z>yy5dWPXqJOiYE5WE6Fgos?Atl~(YG0K7 zTYX7%;&hqT7_!rG{jAw)SKQII04Cn6G)uPBd3?k^^5}k??BY&1LDfzZEof?G7A5ks zqqa13?byM|yT^6p5zn>HIhrwrMp_V`nzD!XF;B4gYi13Sc8Mal+Q!FxwMQSw0Y%@r z90y+povqZh0$@sciL*##V)M$q!>Q`QL+R$3>2iO2+F-nL<`>Si@)H|)FBUG&c8@Es zBqkY-D#et~&;9hXjcY$Rtw1FV@AZB0GhEh^o!%`sypGBo{uhtu572LJJn!!fBw3-v zU$wG{hf}Y>fq+7HprGhcG`yt$Mo`!}$8Wl}cPj;Q?Y*^^!J!m5 zKvPhsECb%Jz%#+Ym!8A8yidtie16XH5Bx>*oa|!|@TWLCxagYSyA-{#s_01+^-cg0bNZZ}*6w=xg4l@rb0@p$ z@hm6{!45FqYvizV{$1HF zDV#5thu1-9h4HtVvp)p<`}uthl=Z~OMHE*G-Tdu2OWXN@>VSXLX5Q z6;2L^rE6`WfJ~eXNXnC_?$}s4>$a56O-8e$Sjsh)v>nDmuAKyQp$Z-)k=0w2pwGp& zB7Ec^rcbeJNsE)ZGJ>Y zRlqfVwmT3K$&8tV5BSV0gc_V7?bF0jU|jg3nX(nen=yOXphe}f#|VO*p3ZYgs@13o zzQ_I`DZ+*sD)sB$;g5;tT|=>(ycNY0XmrTJ57h zF3FKOVG{c~*Zq@sf$z**lQLM&GP-)tJN40=fB)~O(fE4J&v!G!l^5ZgAE9E&OL@`; zBa**WP6zJvxcZF|#m;i0m0n~ca8R;cqcf<&t7a_f;3mccTKI>PS0Y#LG2UP9H(;d( zFoGO^m)|YdJLQ?8i%Sco6d#4sI0V*!qC5>m1~3MGKbBRPxp&4Rd4S0QK~5oj9oNV0 zjgI20e>7?8#@T;YH-sGF>z*Plu%S5pl0s*H&%tXO75XoI)oM-PXdxKrgQS zzo%D*;HU3-?;;V*w(ecK8*`kkDgT-K@Dv|9UMQA7E*izS#OPC4_L=B!E4 z_R$joHQ|CL>EXqhg=ps7iP#Yo_vOGs+?Tu1LEv3E)@NKG#{yMC%cB|ONt}BM4CUO3 z4e1pP>DEa_e5axKJi7Bg42WGv-kw6I|BoCXExh8vT?k)M6`g0+_K={d?NWB{guxP` zpnRc7wXE8#h1o`SPjQ{!vTa&7)>-n;w{Os9b7pvKfAqq^+XY9^5f^g9e@1wScm4*+ z?<<+3?Zmll>Hm3C;`46dnK}m$X*(RX3oj8A;m^y$GjAsi$gjRLuda7`Gpn37dA0I~ zXHSvJzVKz#(Z=rqMbLb5OLla3aVw`oGndUE28i~)cke3>TkoX>x@=vjT~4rD`qSM1 zb7QG!n;f~ab6sFDT=Jk^!NxNCddQ#!<8yG&#Rs6*6XO5iMw-xs_+QWsN1O6^yjBI- z?f*@wKzWQ^&&M&QIL5BA3v7roYPq`qv8o?#6>kR`G^2a_GGx;m#XAGtakY0Y2y1$9w&qXUh*}hTXQ|i6<`kFNBeP}TfIFMw ztVgyf_rB_Dn{nw13+W<1OxYX;XwAZ05=r%&I(xD*(ma4Y9BgB7LhP55OKfbEY z-7z0eL;359@@u(Z`hEJP!33F=*z$(5LJwjty3>>{wx02IL6-H0&H!t|wf=a12@`&- zMlVkNZ@z#qtUnH9BAc>TYWH@DI)gy(Wst z)|?0K3*2XuH9%0aa0T*B<9ah}Hi{@An7k2IqnT7ti$3&jXO_g;2N_e}nVx!M_7rdV zQp2qO30w)Fd=5~mzxO3TDa`}L)@5Dc@h}zS;IYTfUkHy^n5Y0Bcc%9_cqEY>8^MEB z7Zn;l%K9f@oI<`FFj~~zwkx$>wuM7>beUg4npPo$-8Zd5_Eyns_hWYbVzMHf6dbeb zI6nHcFpiUUGP+_NVsz!!BCEaa3gb9t>-;!c&V9SmdjJ6>`w9_lVpTfx6;9nrAN-$D zt9PWTV<6X)$=AL1!u}%rzzNQsI_Kh;{ycIl%;31e%gh#Y)dx32gaDw3Z@YU8Vcpr$ zgP2@%=+9{((8%FY^nF8PnF=Qxa+{}PeUgsQOJ_mkt;*e*Z1BjQu()kqV|d0D-Gz(Y z8@CtddN%LMkf#TmGYM~$t!2ggwkFG0H-#IP3*+jIcNC*uUN@SU`!qiHGFC6%?U)3m z*0V4gLnoYLUCm(~SO~M-N60uAcxR_7u`Eal8LNJbFLp5g5bZg#YLpzB@8Y%KNZ*v= z&e_xyr3EB{|M4KC$tK7{IRleuk058h%M-iw-TaYmY{xy-Htqd8_?lb)tnN_)3dMRs z`vXu&Q|GFSBqHchq4@;AM{_8Z>%TJIQOd^NRS%ruTguRUCpPCsV#LGfGP-xq_u8 z^1Hb|=TXe&umqmtw~!=xmz%0t)GUy8^tAec-?qU_u(a0)BAUFf<}7Azn+wLqfLpo;@SKFek^%tuBSD9J)@8+Om2A! z*+Enc`c4*wOyzPMx!}u-EcL4N82O4tB_Q@kSow$XR-kX)qPZG$X+YKJbmW|@ZUY1K zPt-Cs_cB>8-d2AW^UHUV^KsstW^oUv{-ViIFK|M~cbjH8we~Q46ikYRnNh)Cec6Ie z3DA3rP;AwYd*wZ_P#`pT8Bp}KE;G0*o8eQdrcj3=uC2a?e&kg(I~eesMtRi&@y;#^ zTfI%8=8bAlUBjs|swrT-_tc62#IZY+W%qoCu;KQkQaa@LwRKBemoaj1jJ^WG23OYx zc;{=cF#UMG=T9RRsK+6PFoVth^QoZA_>xsx4{6Wb&HWHMMkSQXHCia|A7G{1=m}%N z9*PwfdjS*U@0YJPbBRG4*>t=1JNmzGE8f*!$9-hGj-;Ufc9>a%YDyhXu=?|=r^XI# zYCXO|6;I~yih>ecy_=vG!XjeWwK9LeV+rX2|GiJIi60Kd`<#LeXepRj+{r4KMw(9qQY><>2;Xn)Ib_7R{$_6_;a@IHR`~GZ=#$ib?5lQ-s5fNMW6` zN2U(wGPC}T05+&cni`W!SBcw<;iDamF2cuK=?WG{|4oCU;iaAMHSnFY zOqkqm2YWln=+`>pNeX>S3W#~kU-|YfwBq2Gt@*G_pjqxUX|(N>G$r(6!Jzt75jrOIcjijC-jY@s@X> z-;%TAjlKve%drZag>dF&pb`RAHdnk<+DjUsDjB5)kx&VAgV02v9y@c+4(-*Gj`@Ht z+(S0IB0Jcr^%|Fp?{XL>w|DFP_hY4mQz^2xq=}MCOc8eJ0Xr0g0m{}u_b?q69}9m7 zUWo?57#a!dh1S&K@P-X(qI}i2t(%~;j|wh@oVLKJ6JlGRIjdtk$M^J6)5+)9N6BZ2 zq`p3!IuRZm$YI^%y&C#1_n!EJ+Fb1&_**yK6)-TA{?1rWZ|U}&LDnyXk|3TJO7XqE zz$slGuFb6BzNOc%dT(c%=xk62|llQ)_jSw;X%Rs!5QM8KN~ zl+}5aDSC2}lk?S3q?07?c}L?$ke-iY)pl%FJM|1bR-xVCuR1bj6|}CB$IokivRzQZGYCY)_YSv@*GtR@waK?GFr#w@bJ`PXZ}>=yr5k zB@T8a!pRj74Oo3UwP_KyzQSsfQQur+7$Ca01~`tHXM~SaPun_%*i0jB>lmZtm~3#R zzY#ui8upsOU|yb(Si1Ja z5`HpYNzv5XC0*s-qTdG<3U^vUM7)?*;%=ckiN*uDoR|;Fv&DOAi8u8&w>i(r+}~+@ zKwAcCi?|an@y=HBx{+)F``~;R-BzrAg+>01a)s@Wq?bH&Al)*1pD?+6yL>DpoRNWO zox&3v(Q+S_I){;_luXggsRqVFw&eZhXlTB=<9e!-i^5#RU#YN0Yeq4CbFxu7Q+Ejj z#h13rOF8s9#@@=Xg*RI6i@P^tjV1Qy_-)Hvl`L|4NT0rit_u0~02V?%!9>WX__wT; z&fQ&C0gT{e)lV#;=Kh640LN-?TX3Mcb&l!xI;zwX;wLQ)6>>IVC=c zspH}77F>i}3tnXlDBQ5xPI7fu-GVbfRxLs2QmxX`vNhMPcPo{9eusG2PJ$?B4`U-uv#*Y&vLIj%urQIn=6mr+~knhFQ;;czhBnxKR;;w)_$h(2^WHBF_PHD zJ@ihdW`B-kc)-u+BL_}3J7itR;oj|h&B1$P_?3x`RR=YD%TIF>%_72;@Z2>)$EMeT-hLW6`e!oOp@EhcI(Z z4`C)hBCw5_ik;-fAuMUg1$=BUVRQHGuBc`AYssJqTtbJd#Ob6Y%|0gh1F4 za628nWjH1K6Bzfq`Q~~mLwLE@cMHQj3!W2B#ws(4II1bm? zwXm+61G9s58oa!V8HCoy?7v$)Zp>A>*J6D8=w=AEBy&OCh5{-xnqyz98Zs9|qxiK{ zvQ1LoKAJ_Cc1ecnK?f_^M@RJjYL|Q>&YZ=`ZzwsjX3Ox^hq(*~tSjc=;nY4P z%LwpIJc zp>P!XV_JXU@`E9Iskar%Uuur7S|c)vR5kza{K@l^ynj%o_a^REvS$#G=5^JjB1S$b z(JJxG*&M*cL_3Mg>v-D+5GF2f#sagCfJs}Ozt+|lR-CITAkCQg<*S@>-v>NwTWJ>4Bkch&6&e!)|{bz1h>686RDP){R;{a9OB`EMJE)|a$o zr}StasVK7agX*Ejj%~nWLQ+kL5+4A3v@&I`4zoe*1@Sl4a(Hr$(x z$+u#?VX2gt%(!~oP>;h!82Py$>*@UAG65ks{@rc-_TBhf z5U~(q7P{6sVg{f5y8wn2QaF-dQ^1Yv4U%Ea$Fn}^{XnHazH(LBg=OKS{0}mvs}}SP zCm-TfMcM3I*v&A=%l@o@YG^oAVh835_yT0l52se;;pX4OYp$U&MGd81;e!G5RbChk z!;JNw)e&>>rpXZaIw8gmSNNRk?=fV(uqJgYMf_DjWR?!SZ$~w;tTUW6bNvO|q0<WT&wHkGC2YbrJlJ=WTNkTW zxv-4o2!B1=^s&{IQZPmEwz#iy?a*`|!jmy5XRndjJZ*h z*lu~pA94uT|6>sJC~9%|bQ@3BM?=O~oDe*ZJ}QBi$<$31*4;A7xu6iGi9-19LSD&(S)@{U#;Crk6Q+twZl z4y|nnrxpTwCT}W-eD^yQVY9qrWQDr)SRc=z+f!oD5%S%2!2 zt76w}@NL(QoAUfL|EY%+`<{QP&6t^$SxV*aDdK**IAatb4p?B+*!ct#};RXHEeLO>ySrijD`}_!DK- z_PJwe7koQTm*JS^2@cFCK@da_?PNHyy>);in!a91_16q2t-t23a(%V#Xfm9J*}O=b9jJ9+#Ga*qexx2w>u&Jw~c16tn{i4+|b^z37n&AXU){v$+da27^^%z zp~{oz%RbhzqAUJUpHX<*&|_m;xyIV)4c*Z}kkOT1Miq1O-+vP$>qD6%`wc&Gz_b^m zt)3K|=C#CGdz;{zF1@gmJqT{3av2fn*=;lpz zsr~uwGvuDcf4VcJzJ&YBQmgFTMyvtKOruRhnTg>?PT9VgDvR*_VkqoAZ-JW@Zc2m3 zM5w{NdM*ZRF}z%U!w-hAR2_a<1nv4|{K0Odf(Vh6x(=>#4T6`v7e_Njew^6sUed9T z;h*B4$p<`|&S($~*Hmu@^J}=~4iRT8B1g5W)`xnUWFwe^LeX*&`IKT{7j!Ok*Y8<=&P&t15yQMvc;G zz>Ii2A9^jHuEa3$MpWzL(nfj6HHUssbl=eY%rTWn%)bkwz2u#BU$;wo8Qz3mQB!No z@sG`d=RR{V>Ma?DL8HQ-q8VWo@BLhQ3+!J1HuMZ^Zxl4JIFQ-##bEu-1zN&_PdPm! zNEWTVlhtb|0Uc`_On$8y!yu`3%lVM$mRQpgo>7gkVKs0mK^4+-)1O3Jd;OTZaXa5q z48@AXP@E^$k-5n>dNUUZt=ldQwX(b<&_-g|;BfM~8bo<*YdG~f-UNI*51DRnI5lO) zmdAT0hLv&>=U|rk-1y7=9xeImG#x0!#5+Hm*s7Q&6KkobFE8i@)U&OqQean1tQm$wZ)EWY*Z{&ZX|KC@QqnT&%6runkKweO}w z_*c@t`(|3uQ!K?N}j_f+P44&=o=Ip@zF>qqBJb;Hcq?SrDgj+^L_ZJ?* zXLOHCAb}dL8B*F(`+37P_ocb4|*Sc*p`R) z7glDuJ`Bvs;Z67BoZY^4KcpI8f;I}phm+5O1uVs7^>%(3u#0f&Ty{`F083)bu!dM<&*-ieC&f&XnZXCdzIK6jpJ4Ap$^O&}V+B2&AhG$OMS(OI7 zrsh)0cNE5dkrpJ(!+nn54A`!vc720W2JmB5$@I#A=P(ib=jXw6frXCmY{YWRb`Hz= zZJ>034S)H}W@0{%jspt(W7F{e-M58*PU*=G{E4++bMwaSJAP~6X+RTduKgrG{wZz zzx_$y(fosd7h|l1dM@Fy`R#kGK)x0Ho3nqeUJS9f7!_xGpFtqHhjt>tQOF$Gr|(1` zV5cIZ+oH>|S9Pvmzkc;IyD!?SjejveJ$J5O@yE6{7)HZf)B{3wG(1x>Cz^Pj&v`#eB9J{LbkU;iR4IEy8b9im%6K3;6XMq7nH1m&fMA zcQBy%R`3nlk7Uk+N!rSW3mW#JQjL3~)s4R^GR{PUcZZ2en5GlAH}KQ%lw*NgC4n#p zxd9E+fb#y@s&^Cg8n6780=9uz^%sG9zVkUIaUi`&mKLv5k+ZOTd zm9-+XC0AK*nYfHYG|3CG^9N{<1I3^Ebpge~veJI(4;LmRWI2nEn3mwbdGJQ%Mr>5B zzbn;0lBlablztoN2s4Fy8;6z~ZjsX7Kir z`mxgexREbdm&$zSGJXlp5@@LI+ogQ-`_QiR&Z1t1tY0(w0h{LZ8P!9P)AbN4_{k0m z%CO91_7xP7)?@J3$EbHakY^C}oUiJgZ|65Q9ab!%O8whbY2erCJ*YxQEXS&`@iaEk zHTDmEZ&DD5X54G3eiCN%X!?JI=ru@>D$kT8yq&apG2^eKu*=}?Pcb{abji%NiT8KH zv^|BRHqnYk5M&G(QyQMpR;`wYHl*LzU7XRmZ*i;26@A7=Gekw=WjrqxdYQ-z3%+JP zWqaXsaz&p>tVh(Z_Ij=TsYENd_)iT44yxl0K;3}JO>9ozr<}I0e9tEsTkXt9KYAKT zEDKp?MNXOfMt7W5%Eo(_QBZl}Z$vZJMichwa#!i=!vWjbRKguyRhV(%#=1PBoO3qy zs~)cpC)e$z&RDVZhbmZ+c=uM}bi-kkJb;od;tVaE_O5WYBUJH;2=&C8gScp_O5l6n zJ1e4RfF37}pyVeYjM0a8B;WjZ`B`8LmoGI=H;qS;9<@onaA6<%nd7tHPL6;6y0zZP zqhlZJDVuEfN8h$xqs?IGte>Y?<26%xG-fWS=x|n~4dn~^ldV^A6R9W~w_CD)J^5mj zVACh_M|bZ7NPhz!*F!3Ef!)L3%1SS1IvvBhT-b2`#-(oCqf05uOmhXM`G{jT`L4-J zDJ-nxF0ABhe2QjFRgPY@{&PqHszOIXT@gPLj| z&#!ZSwSzEkJ#}gQ?hxZ&BKqa|n104Oy ze7sLdw7c4l){cN({~n3!i0e17@L*LC==WUeXs{fC=(MHU!m{nE98{{Ta)IFQ5^>pq z-To&u92ny9HS~>J{s;VWbns2^p+JTAFE=`v!=nh^UqKId7vtl%qr(GT`}JR|{hhwM z_J8xCjsH(PHh=u7Fq4;q|F;|e)~@}XzE=CMZT+3K-?q%ge>IQIAAi$#*Zx}{So+(${MLuf4vr_Lq0K@$=aH@%Q|W+Ry2?SM9=h3cMdKK0T-3PB-O5 z-2Z{S5#f8{R&6QXAN8{jKU-QA&rZ&=EjqdrA}L@mTwy-I*`KZQuJWy^uztGwsSk?y z8T3?Lu#W_$5#!_ZqASnN+o=ltY`TNzHD3#!i+g^{`PAj7&6)q3gnVeunCjV_{)2u+ z+fCO+DmhUS+qNMy3}+ZyZ1f<`Gb?i^M@~csYkRnyGId;sD1$-9ghy_U7H%|0b-6jJ z%g<4td?j3WbkoL_9KBH`hdIG?SfFoWid47#;T_rneym^DAvi5ivwW8h$C=vgwD`f# z%BLs2g5W?AE`y4gEsT&mrm{DuCzYe}3JA^V`pWDPZ|kzts}HA+#Jc8i@?d+xOX1Sp zmD26ZS#e^cwXn1q#S)2+nNW7@+lh6QSqbM!tf7q0iw)aBZx?j(NMc$Em7Ib~5=nd* zYD|C3-NoHUNSl_?@B+Z06Zro{iO{(G6L5_Q?0%}L+>_WwAubCbA5O(-8|l2CXEeGu zkBi=Eoia06avv_^Y;M(}Zjh1J?VNflkXOO}xRHILn7+Dy|a_6#S_U{WKsM1)D6#9Lw=FIx)5GS>^j#r6|hz~O*YM6hs~V=K9oI$! z^pz{qVO6SrUEW^WkhzEz-KsbjtQ=9E>6yLoy~O%%Qz~i~vHX{=pV=0rHU1JsJAg%T!wZ!MtJeW8k2T<;N!MMX$YAG#}qYe`|vD%Dq+pr5d63_-Y+fb@5I$4Gx49vkZCo3LNq zQ2H(5Q<#|PZ(9du@z?+!n`r;}@2>s%|F!m?aqf35cK?)II*|37cp z_?Pn7{PCYz_AT2l>;w9Lg~(?`h|ke5{0!nDrA~YYC%IpdD7zcZJkq+@*H6r;iX_&T z#kPlM`Indlwh2!fj)FhNkD~g%Ptm5#1vsbS1LS?bZm00ocW;R-ZGFD&itRhAh~p{7 zrd`}a#9o{d!ruD!8;*YidMvhwfBsexJ$@7ZmQ#A_ccd>}6x02kzOujgF`(In%^6rB?bF||nVrbPd)0)N+gIJ|tM*l6hZgf1_Eeww zI(w>j7Io|g>e%8pyL476n*T`Gv_qA4XVzWo)+Id~mmSNfO$9G8s zAd{Uz?tC8JleX9C08;%G@*wtu?+PBrsb6#6=mL+3(*7Kz1=jI_O1rshzMYho?3&hH zX_LFA{SV8He@fT1*OV6Rn)Xkn4IvE@m?Z54-;G_F=$xj~PoAAs@&c}6heWA1v58@* zpo1YOiq+@Du(D$I<}5*A0Jl%x?_a0(#KWrHRGXpbH7XNMKC)EpHmGV-jr_YvQ2hY_ z2B>p41!;kmw^C_|uKCJH3rILeQtM4`$#3hh);raa)T#ccu7%rWqUyQ`Ia&+v3Q6K7aL_Z`H*vC~VWU7+VVP^Go>=E=xJx!11E5 zN3RUH03$z^8bBzKEXzANJ#XCwsDVr|F3qL!mGDuy8ib{G37RA?ivb(d*|}0 zxz^spsi(=(Tx*tX?)y{z#Bx0IEy4dQzme?hI~{@`k7P%2cx$DtueI@H`#)EdvBPCM zP*;?V54NDLD4Q7UL0wVCwv+arvUOadplk}M(5#%cN^5T@n+O9!gf@^f(^T$fi2{+| z$k|LM^P9yWn4SX|ewP)XNmf z(daj_|6~Wg^OC4w;M+Vp_AnmR)!tOlPrBked-Y!r--}TFHBK;?8$wHZMUf}M_c#jj zO+67}lQ%^3oIbJv{EEi&-SW53j75DRf7|ON<|#Yy*d+$)aXgCbAz#|RaB|s_qWS$s z`e4RTmBYsVUpd2{-)Lz!c~soj+(wI3Tz?;SE&~Sa|H#&Lwr!kv=T_U~#M82M_dsr& z#@k3go$cYtZNU12)$RNe`REr-UmU|@bN4G}qpKI=^*8XpYn0`OBQpda<7ft_rl*I_ zAW)rq?PdY}ae7>X)8lZ|;KZ7toZB*e_5Idu6HtYDl@CBO zuX$2`0UM4Vc~Qq;$TisI3dPWexlpoDrjpkU#M*U%USMqo4kKt5{qp;V{k%)5e1lT^ zZ=_A+h2g_5(67vlD7-TB*jWCiI;Rh68jfnT46ncJn9io`*ox@fH_M`-XF9f>6-~c@ z*H1-s_=pwZx-O1X3xGX{jjQS4(a||Zt;$0FDs9o z8g0!?B())vIDipSFO=@%z{8z8dzX=jAW1Fmbz#CYi&dH7~C~X0o3I) zgAA4!x126eg?Aseu@i#piK) z&2?s@E_}#6SgwJ?)Mi0#eNHuZZES4NSfQPq#o2#RBXQ)FQ%?Ua#Tor_Lp%z);(Cb7 z&2c7(a@w>h*G{D#N7st`v_Wqgg8B=+$z$9I^w))D2ho3X1uyJ1wA(63GnYH8fl2Tf z7EhV$Y2ZsB zCXM6`Uwska;soTan6Eb?GoLxCB3}CRuxh(f4g`k8F%FDb6NIB<^lNZ z?u(rVpqHLE_x+p);Jl{n3Ei5*4eLtgG$odnw)9^fL-jEjwuF{Te~1SDX}R+Q&ac{? zA7K5z$YCtHiu8w^|E@!wFW#$i#|P$g+{yS}`nQeG+lz6vWG*T950y~c%rip%@o#rA z=*)WNYm_~}MA}y$b_jOX{1@bDuo;IV9)J=!BJ96sjO?rH&*lHe$D3Dwu0M&*>`yNL z4V&4YT>c>}t~O`9x%^L~0)L(S3FhwWcw~2o#7;;<;2m9_+PWD#EaNIesB>y?%> zNcqGX{2+gO%cSh-LGmdEjgmK&z;fG;?6gqpFt-$hs1ZD zq|RBEr{+oQcxvYvrCp(x&kI^UTrHoYlz5ObP$}bGx!sdQBB9*RRjz?F*;VbdX!37p zSq2sFS{agji@de@xV_#MLSrS=wJG&waLogZe5Rsk8;pBLnR)+1{xlQJJM*w<0ouya zsrP6m%-P@=Ca85CJK4D(TwG0q{X`?g1)8s0Hr4(s{%*8(UF=Qm&1Sj$kYUav{;BO5 z{fN^R`JR51iaPlm9u+`=J7>u*gTaEpnW$gb1 z|4Ceh^EmMLg^Z~h(V0)VLn$YaLf>YeOy|9ykYXs}AU~o9PTr>m^A=a`+x|uQfk8^E zQXVqd%C+nn+X)PU&O4)=U)sr(-e2309eqorZB6Ks-ihTG)wgwq!ZYq-#$6+Ko4@f= zyYkMfunw@ywQuqS^&ZuJSGMNvCmo9Y5Ez;xZZ1cK_e*l*j{rUWIGtKc?HW{-2K5Lj zM?fRvU3*WF+n=ma>yT6S(5Lu62KXr5R=h*iW*l}VyUel?wo>0l-%iD$>7EYbS zkJ;5q(JSbqj*ego-lxq|j`;!0R!*Jx z|0YXfO&#%ZPzQBvRJSS)BE~3r>IR2X7buy)?bAXf-bcdIUsE9R$OLNeOPOQzbN4HJ z^~ZowH-CI!GhioNBLrxh@oLu@Nk1PyU~@njEn53*G~-3b-J8>&__x!(G- z|NZlTm3zOO6Tsa6g!2Pmx1QUm2MCS10th`b9|&Cm4?nZ$e0y+szpCiKDnT+ht(uwP zme+TOuqBiq6NTSGoIfgCnwu z5BhD`9H(Ht(!`pk@Qfo7YpiA-nGO4EExRfjn%nuNt>av9f$YHJ9yc4?1RjBZ`X=ma zw-~Dp{4u_neXS^{K{$D;^{#l2C`a2y7tu6ua+V6IfB?zB*O11LveaA51Qf&0=_keT z3#WRc?*YSpMJHh$924)B#R+!Or8oC&)SG>sAz)vf#cpHl@S`pz&NrD^-2c5@iM{Q% z9QHGV{Mms&K8qkU*?}n@8|?3I0^S4BDe`u`Zv*e_z$@q5Jh$=K{Pyo&|DCm8?%Ln# zYqdY{+qU2KSUJqCU#x#_A`W%3<(G1t_(Gu);G4+^L$rWmmtv0|Lr{6<@JJp3KK7~h zn&x&z!$4$p>}&X_Hok0sAe>Yj@b74T|1sCB#t-q>)ck5cj&s`eFux|C>rcu>3y34gzSGJ=+{Z z^B2(;{Ge-o8EZD3|Cn|eO-2bol3qpJtlk~x&C1-UBwSd(pBY)f5km#Q;a<9BnQrmk z*{IyFFF71H>e#So=E%y#n*Qx0E6C3V#_y!_N7Gq7xCnC1zOhp|A{o2bSnhI9=RKR# zE>mU~g&(<5qFxuVx$Y5!mSq*9z4#)wXl5(z&IEO=KsX0=bj)*~%7afel+AtmLv!YC zEoP(bDLwR0xn$_zu=jo(0*%P&KJ7APQlj_xbi}~4hY$nV-cxyq*|({ru-ExZ-l%*H z*Kh$%Q|(g?*E}jY#I4Omo6pk}4@P$nMl&~7^3@$7OG!WhndO}~3RKZVYABCf+$I-A z?UsO8PISa#O)YHbUb6qfl$zOJx1B{Z<0~@gfTLoq=zGqs{gNup#V*9@4&czjdN6>4 z|0|Fb`aQWkQ`)gO=+Z*ho50Zg#a;3*H&QUT0G06%8dOf>(Xr=OfMfJ`1P*XdJ6ST@ z-}mPY%=QJF{fY;)TkdCw!8UgztG(aFY9GxWt#kWN=-mEGoZI(fF(9HDZ4UVw)`(!1 zZPd*2_QkV2CYqjC2*JTL|9i8iIp7#>ntv5_*alQ9WR=PG?!}{HpG`v*f68L5iJb#_ zz#+wNf@nYYPX51@UGJx5OQI?LZ+8VJQQRZxk6oai#0QlMrq|!u_1M*uXXoFA%I@&- zGKC*r*N}c!s(Z@VR+p`$Q-$nbtdY40O5BZRSw<8&M4jxk?UUK4lPf8QUR?cgv&MI+ z|MZRO&v}%=L@GC2AIOB17`ksbnNhLal62s^|FCIzlSjwi|IgXkz(-YFe}6X#B`A2K zf<}uPYpkTA5+zD7XciLLg&-&()OU*_);E-0;=7@n2)FB6+G_2qwe9n7ZR@|<7gJwa zOh6N$RY9wwsNfsDmlZ)&-mK*L{$}poY(V?851$X&d*{xaIdkUBnKNh3oU!`d+(5qz z;<1b@j%&D^xH!qPbWp`;oak1@e^b3+$9WKm#m;BYq_3?eaPqKxa9^)~RUr}U&HQHK zpak5OoY+^F$j_dNqWRySRolbjNg1D~2-k$_jgk@e! zoE>V3hBtcs`$AojyA(~m|GBQC`9tk*${53}4fWk^wgW&l*j#XS7%u38N?aB7QCNrB zF~#OLi*Lr%$Uvu)Wir1O(!yLCoj37Mg2_|ffYE2v4K?8N3uLo5i3P6;+m)@R${IYA z%=dk5A9)k=6#^kMh>1HHyU@gm3kd8kO~3VN%dTO>oiNPQr|!QfsaK-pNn`y*g8GMH zdKyLzy;Sm<@xu`xtQPO!tAS)C(cYW-T>kK1GV`6}H+Go+ypR9WDni}xOfxV4zu^ai z*uRD`0bZ7`9Fyls8^iL`S1MgylWo_tZcpV)=qG7mr#2qD(7Al zP`tV5{C?>jBT~eUG>ac@XU!X`G~319;lW@z{P+K!BD)JHV&f4K_C5K)9=3}ILTUN6(pDY}ULzuVM{9_{PafVAfr1f}wBC$)sQKArI*b(RxBvP2EBDBM$=}1N#>@S( z5C3Ta(vv&{=ceRfWKo&*Y>KaOs7(vHd6L(E;(N?_^f6{6*iXpoGHxR3>BhD3$cm0KLO_^Cl zF&#iAU3>NP4~rv@v$@Qq@=xyp*b1Ni zkuLX|8|`O?2BtgCtXzUPx-FwBQ=K+M=eY9RpHZR$e4KVVsHx{Sgiqg@gx^(4bY9OdMF&tlch=>^3 zLFfMdn8@tKqY3=~4^^ICI!dm0n`zK*#Aha0w&I}HbA*?>KL=2I;FvIC#bHZ59(Yu&=x>J8#86J0fl2ZH9RslcIVvf5o4cpE)uyp0ZV7LFpf zExaPvsd%#P%G}ys{)1enP8{W=_qRYtC`#;kEUA|V{an2wx6XuG-R86t_GcWC-|L<4 zb@_wI-;^0UjJVZK>ysc%XxYro!y8d{GG~vd-FfS=@mZY!Z^{m>2U*3KoscbA1A8X- z?~bs438&R_2X$wIJEg42oydT3TE8JeWv(yJoLv!}I;FY;FvnOhxM+u9i152ZUqV8aJzCm=Jy=Ny|(fb?VeQC;JtB&rBQ`eHQJALw{&_(DCV=&kHfnA z6YDF&h&S_8T%*31-X;!k;rU<6AEjc4XV2u)F6qT1DnTofnrPj|$ z)V9wN%t!3cnIcAkb6OYb)3{Nmj;p)%cH385kc@1ue88<2;LaWkL7FhF)CD0#n;^g* ztD?-c)4IpY%QfQ7WOG`#2QFPQmRI-6X=09XKM(LNsZ1VfxhIm`--O3ScC?IcbXq?k zH^cQiqQ7^PiELuf_v>g%Ag5YxB6@nO;{RKvl%U5qMI*`OycH?_veP~`n)c498`1m- zw>;pna|%?1gp12Hn5f+QkilSy@MW@# z0vby2s8(`TQSZxwq{< zDr|q4KT?oi{bl9xddX3ZC1{e^`3iE{1dIYry)OfSY!1Z)XmmC>Dx*JH!Zmuga z^T+k{YqQ}m38}ABC0?j?Oe4SMQS4{wsu9OXWc)boqqCEZE9%C06$f4DA1z{x!jK#k z&&(_5{s}y{DURpG#g>1(A8A}?6rY>+-pY+!ZL4W;X6j7FaNGA(l{)xEFb+9qg|IJ> zuXncfshoXerfX(592)N*f$EEZOS2>q(| z1*$)ee3==;PMtB_$-Y?xLbH~NFS7%gq{dgcGlnrqEjNT2YC2=cWxqZq(j7TQm@Qb! zjt@=X77XMHR$Hbz|5&KtO`$g1gb6_tbbpCy>;cV1H+#H$wDw(3HxtQsjy(KCBT0$_X0x-sk{kgQ6Xu;fF2ri_0Z z^%j~(yu0%wXH%dDu8{5>Y-j@fM; zv)#rrr|rjT9fS5OMsPGTTOd4aQ0EzvNeYbr2FxjGg6fEJh3P_ddPo|R(dw5F&j;2k$!>i@z>yuraVW5ykqNt-w}jFNff-uER&>?rw4 zz_{=JkaiyiKYMGLe2t7@qG|md^`=LaBRGKRpUfM#kmcv;hc(3-al|E8)10;|BpN#W zm&n^IKcPUWe4zG_v`H$|pq6BKjC!F|L+0jT4VihP8ZuYbH)Li_@m8_ourqyvrK5Xg zd4o$1mmDrR+*wo1^tKhOydgi(-8D?jvb*h|eW7rBPi@W2Lw($3W}<<+k!*g6YE%bY zpaIK0?7l8SQrnOw#ep7Trs2P1rBmy`)xXIYl`UcY56z36%>5DIK$9DS^<8+yLnJxZ zcBx&5IPIKiN{TJaVuD3L`*Y`(o350WJ zg<&WzSXkQ#Bf<4!`xCLP5qV zVQMHjlPkL;M0z!=1ZWk4SPVz!e$D(>-|{KV{2D@p1{1A*ro_qAY231tnKhFpGdtbg z;f|Z>eZmOL%$sTCDkqMPSaMRpqGP`=|1)LILkI4Xk-_Jq_{`ELxG1Ae`-JwQjN!Zd zE;^Tcf@Q+%-Aniky*l1qQVBSQbdfGPx}V27^vdt+_jspuF~4#5-CUe{(Ha|*XREI! zfH0#VnX*&C@g~zc@4NS!WU0@|bH&B+?3^+KIQhl8#^k{)xeu(Hyg1ojcXsMgK}-EX z^NW!ZKsyFeQ5H#}Yhutxa~^0k=hP`yYwo>o0)6*2dG;zk@C({gOy4wgKxzdKRa2+L zyX&QEMskmNAKfF<6ZUJ_AM9e>X%APjcf3KS?3ACHCDT^({8tu^&K>W=a&=9_wL*y2 zP3OK(ex3GMwC<|FsgJwQbpLHU8;c@ijQ)HbEWMlb9{`8dJzDkTa_BoONu(} zBdB_83TqXD?tK{v{98DWV%7uc_rbvGZb81}nvhHBPj8&GAgf#bQCB1UPE^JEQH&RD zM}O=c@k~+6sH;-n!=i9SYOy?XQ{Pnof5iaaxP+S;;0|==b>6-A6xO8$$=(#=o`z<| zK%PRgq{;-h(4L?Vu#D4wA`NPE+9sKt(%fkndd}=0X#C$W)>8A<(Vs`jWJQyESt-*| zo{)_qzf&Iv)sD~T4zQR-|cGrh@<1CIPKNoGL9Tlu% z&3v4Z`lA}3t$Fqb#qdW5j(~T>qg_24fM@JGa6s`U(>}U@`;MW}RMP~fZ5-7?pYtx@ zcBu20El&58yIrY!a^GA6TN(bzj2p)72B(h01U9j}cRH@KOfzm+Q?_!atYF`fZ|f#{ z5Kc%qjqlOR{t$rUn8*lt#B6xwezydbJ(ByC(fD)s)9fA4o%(HCs_ROcbF|~|J=*bK zBl99`=U+pw*=nD%)&A91+ip>Mh^s+=ZCl@KZwTcR>Vod$nUFl5Hf>9d5XtH_8!kJ52JYk4Z!Rs|38} zT&=i>efIiMgk?UK>bfoa|2j9mbEC0X?|g2Gvd0q7h2rTp<}Au#bbKMiNt?|aTFH1Z4oJ4 zW+}$vrX#2I@9>bJFCdA4NDqjmmo6D4^dZjozb)c);^ZF)1@@y&(o!GKXM4{Fs9Zx> zJ~OT*BW2=T=UphhL@M17@*xyST-s90O0x}|(R!v;uUHaJFeeJ61QyqExB9AD`I%%I zMjc5Ubr{Qxy$o~}cz-!rIKL_BeLY93XexMT~hyZwkaf@Xs*@Fef7=;_Tzga`-^&gr+)e;FK% z-Xp^4KCwjR3}m0qtOTmI@Z#~JDygHUC=Mw)kgl{zaRvLP$=lyQvx_e0i0b>ymveSkE;}ZNt&hE zk9iV+f7lwtmn-a};XUs!dI`Jz)ByCa?o@45+__|QkaV|6GQ3qABrPCGymh0xyd7)x zPg-_H=VP(EzK%0&nyT|%z0KoAwNSrb7O+fbe-XyiQWAhX-hk}%|E?@(8r9DS;&Cz^ z<(2W(U(KXxoAx&{h5YYb$|6yR<=zmGFm{qf+;kT&&W`21I>%5j&M*uNA2ky4CQm^NB?x*%y{z7`=%~7dpnQ0jE$%D+)bB{1d^C#ptzK)&{O}(WVH}>Z!RSw*TS120 zQ*~Eh9H!Ll#r^^O6r3Lk@2Aw>0^@8lI;NRb{~C_Am!i2uyo594;~1@*%EQ3U%@nuTWyww;B)!}MZj;TJ4dd4EG~3&9;h#$XoK z{(_l>&m+x{qKF4BLdnmCD{`JEdWW zFW^W+YQddcLv2@-`4gzJmS_A64ZwBYws*)LZ2O`Fq#nx4TkV_VSq!;n^{77z-GHk83|{j2dvp8M zM8aV`5|;L_Lp&^o+^jDAUxedP95vH$k=ciqpfURx;rKJ8WJXihg`}Ltv&z*A>jG}8 zDD3N_%*S=Cf4m#S@|f?TxsmwlLC8u`BlLaGAk#|KL5KDipo~n2!MyklQ(~QWJi;j9 zK22v2tTdMZ4&sABkxAlrL8bvF(^Ho3o7^|msiCU6>5e?gnkW3L^K>xtoy4dgF~r?N zL{?(;@Y^KGk7yB|+Fj5VgxGnbnFswNc}2gnD`Wpa1KB7;qj&`6hDxIjNx90aL(fRK zSZ>^Eg7b(!tIA`o50O#LT?L8I^l~F$0!yt-r0v& ze#jYL*c;G100qp#$B3`}t`M&?0259~-s8BMDqPf9!S0=pE+N0>qfU}By6U2K%}7q$ zt32iBqi`xR{;E*rSU#quP)c!>-sQgvoittObOrSC=kSY|MUW&NI%#la%dV@Fhj5vE zaG)A9x0rWkja{nfZ99W3+Es9wkH#9?ech^#h}^Wj;6hY zw1S^N8hoWOeBgQ^QHoOhiP8c~oy>6))Q%wk|LPk(iU9`d5)tY7CbED26hOfFBcW%v}MwfcE0N==jf{b;YZa{&i3!usUDYJ74&)!nYFb3WUhz9!*r_ea@r47 z|F;rYy@mWOpER(JV9v{q!$s85kHqDO3X~p+cvTD4_)atj`CJ&JiD)I-nBw# zvvs460CeIK`JY~HaN4AD??6OFTZhiryK<_6e`Dk@ z{QH3UDte&|I*Bxt$BDMo2l%YnXY{1CDqpHtEe~k)~)K-N$zD>tezz| z*AFPzTM0+~MphR?$_z#9HJ1B-B0=M;P<~+{b=u2XcCl=kt^vGj zJQs}dfUVIREC7azPMh>$LFSYfQ#K|X@@RiYuIZBe*17mqdD>Pu3x7yzddE;F{ib;+ zaoVyx7@r?(ua{&-;P{o^c~bKX+vSgU06h{Zjo_UhZ+ppU(;^_fp*VSp`JOw*@MSH0@yhn@D7cnv(d0C^K$rp-9iIT?SlX;lj~(=$!U ziG;0N%TN?Q6v8FqI~jXn*P}&@t2@bAc$Uhyufm(_$ZrVz;Ke5Xk}1zlnT&RAyBX@h zO>2l}Z!P!6-Ohtt-R`nJClWXC&KCgHl>HiW@?|98g7Ps1nzD1ynYJ1J)VfQ|^*ZU* zYwIcrfz1TcJO84p4{c?Hw(P8=)6>hMO|`jOd>nVx)0@2?zaSa+T2t|5<%z1-VF*>k zOa(Mu*3r5WV1Z%hbjYD1RX2mFc8;)PUvBbka=w)WPaV?Oy5uyn`A>#&PX)9;ZkL@0 z>f0~)rsOw`nG9*L%xk|*NoLMr@198PhB(S}3xnU5#ZMsOUv55VGmMWoZh{^3$5N)A zF2eBnB~pxklr5A{p%W>zWIj&Rn=CJ8|6!7s%n2~qNn?eq^{)<8KA4wJ?t2>)-;h82bGWeL86V5$VaE-b}pHDCM7Epo- zoI60x^o}1_#9s)sV5v4WnZ&{F3OKqgO3BA6`JS0R?9}PQZ~a=KNu;sDoi48cnM9It z98%($RC$7EXx))|iZo?s6A}8da{oBU4bS=tQQ#fDD{Na_)s|81W7_D*{p2y}?z!*9 z(~adt{vy&f$_myK!2v<*a$$rNJ2YQLsatmGxksMj6J02qu+4v)x63y+Gr&nWZM{=R4Bf`;u z#+2`_v>uUHKWhjDje;|KL+6W3@-0V;(7a(eoE=FW8NfbeoI<-X*J;^6iE;P(NW{ILD`Q;_j1i3UpUe|g+@3JEj3|O6|lJKA8zAQ@$bj65O%IFL7+UKW~4j#f?=ic z{7Z5uvNKMih(m7~*86b0z}v z-`&Cba}8_Yz%yo0JbT&t^Q=O0!7{I8Uf}OCov6eK_hX&2`WKz?jF!El3h3HUsWm*I z3qy+n8_}g|V}3`PgmNXM=({1Wp~=Q&Lwmmgp995RK+0W@k-yxW9srKhV0K*bn%9yY z2&6jb?2QbR@qlKe@Pj zer1_2iWt49uG0JIO?(a)oH)M6GbDb~Bw9x%wPEkZz-bYG1aQ1JuCr9?V62vFCs@lM>H<4?r1q3QCn@4h%s+nMkqlc-{fv1nqceWJi2Sr>&xtU zgQo0XEt_oj*38wp`<<*wo80a08wq!VS3~RKvl{Pgav5nQ_56QYicCDcev9~VR^yMw zsP6QZJ-@h@E%t6esIc+0Z5ayne26v4M5_cV4)?><+|TQ-^NwN;Y;r$}XD(Py{|*f{ zq7OB=U$!P-#Mng_1p6RNqG#xsRVkB6+vxyR!hpI2z6qo?IBiFQF`>-&;qyT}x~qB{ z*tz})w{04UoqyHeBhu!j*jsTPL*Arn0Ai}!R@uSj=| z^IT+FFqF+UCkvl@444W7#yk^)8FKSMH9M`}R5R@8hbhpz&GB1*9?5}xmKyRtQrsG1 z*$22iik0eVQUbbpORw3BD~^!Zw_IUYS^qU_WYHtFC#kIxGhQ*hZsWOkK1_EEs@^8H za}80wi60o!`0K&ly9S*4>MtDod;zi2rfDnv-Uvj?UV^A#j96h6y2^xt$-5U`L`t0W z8Dgl|N}=?4|(G=e`3 zrZLb?zc;sAn_ZD^39vq6naRqF0fo?=G8IMYHF!3A_enWr@G(yRO$R(^$0p3!chtI< z-R})V2`0{HRf=_-+bPMtB6)PWwzRpTArn1wR>{IdbVrPXI{Ec$tkf;G2fH#UO&250 zNKK9DGhOt`zf6q4_a&94MDFkMhf9>@e%Sk6*NWu6>HW`DqLApPBU{->%voL7n7))Qd{W<7t(0$^{KIdisEj;08;i5?xAc26 z`(P$-Fd}%)<)~iVW%`t#1_Pr>kvy5s^sPeCJ?ooD(`eBop-*MWOHnm3Lm$=)-(8hn zS{jdfu39)sr~kg}J@ECdJ#t5nE+c60{MU^!T_3YVIF_dgxl*hKnv9E)RWD>bA@t8v zGtawV85O+c{U2bM^}Zbv3=<6MOlzOnnAXY`p{VN_!lsx86t>4UMJry@l++hqU?&y5Xg2?eq` ztR}h<!#R7jcPlJUFRH!tBJEWhGwkT(d(pJFuou~Jyl}rBqsjN-eR zYU?!ZZug$OR76}ykKkq@t8YAWb15j8xCk4)C(Qu6(s(EZdO1RwZNGM^#iAp-?QeP1 z0pJ6jh4%}Y?2zBjE9PSdPVL`7P3?Kh&imO5@o25-ypF5tq_fKYOp6pqey7p-v6Vj-J~Wr*XFx~e7SYK=_`Wtgwnfv(|;MHS1bLY-gGxe zKSb&G_NLDX(xasNm=DZ6OkYe0(tWfL|I*&{D}r>LgY}z&baSqs_8Dz9&p&s4O_4NU zo>YI+@Y##SO6%Ytuh{5b3VU}dcdGQnYj<8>4qarDil_Z(!=i>NcB@V$eO?aJ9USLP zF>)kew*Y@zUwjskwGnWicn_kw8z!|y4(nT_KBD<3MyM(D3q+TcrM-+7ExRspSH+yW zpH8p;v@Vsry0LXrYEH|puQ{!oEgv*x`=xFy){%4f!`QZxDJ99H^8KeB2&Wy@rX$Ly zcuDGg)WNn3QRrjo_vUbo&OqV`0EWGjqv?Nwy}iTz75Deky`I6LNDotIZb;4#(R&l!psvFo( zFb$ekdB~$O;pdK^AJd&97VQ)7{G=rPel+dTr5mH#E^HmBtnMprclu2yy>q~AFQ+?a zEZQgcVkpn4$JFW*Vu8hr{QO!;1n2s3d*++vN%@T^0}v^9{_g<-6z}+3DO@7 z(tmZe%^y{pr2G2E7^ZIFk#hO|`2DP~Ke$(2pR@z;7n7&o`-ljtcuPM_I!?nD?+;on zNQv_64Y*c;^-AVN2TV6>0b>-m>jij3{WXo4p*p>M!P7K(}noQ&-vc9SK5qmwmh`)gpXY zZ~u%puks?Re@{(d_{om>0c8jXDSV|gT---#m|5K+1Jc!|*T*#XW_?4+_uAx(lw4vU znB;p%Mz~>q*mb7UdMS|n##C$klky-q+D0R#tk;!oI$ zQg78waoTd==Ct2LhAzzGf;Jb22yipu*6>DgcM;EqK|Hr4wXZLA$LN{B?Fiw55j!NN z0UGLW$7gNpY8Y8&n1(*uiXxg`T9W;ixo_&_BX=%%vxR?2&wZ|QbJ_OJmKI<(JjVrd zie33~WJNsvYBAdtI9VOjdFH2p+ zkhqw6vt8t=EIUrp=;5gU9eNl;#Pa}n_UjhF-~d4GuOvPiB=%s9L6nqm6&2Ao6hfi> z>>_o+aqNZo?*qks);}0-=I1fPLlG}`exLPhcs|LjL-!J`%%;h!jbfn4s-I+USOv+) zH=heDOoU(Ro%Wu@thz_7&B65JqK3-D%?dT1y)A0S0$T^(moJuPc2#ACG*E6iC*D-Y z4TA~KfVuNr#AEOLjgW>!G8u;^#pCOEyD)Z<^bGA$#k1!it2lYyjML>y&JtGs z>pWdklY1gB-&=OZdoe*aR5-1Nz~$cEjGrbJgB476a>H0CjJ^SFFEG+}o%ah2EyU}W zM;QiKL0%07K^}cK>5y?Oh%5OfS!B|i5SgF$5N|eHQ-sU5K3u{F6j0;&lE){Wy+(S| z{HYq_>sY{-dbQ+}tpGidB%0y%rw#r`R44m5XWjue*vuL=$C+~IgzLN_)vLpzE64~b zIaK_lFwCY*fwv_!vo+VPiW&`_0;@l^`20wK^YS-euR2}t}2 zgR&Qy9E{g|AEW5zyZQ7B`w-P>HSq-`c8{i*O5qN;#G0Tv_oaeUj+zaS^ zi8PL0dOwdFy-?XlMGNVD_t_T62Ort?Jz<4uEAm2k*1R{_eCGnZsP_zcj4RU*;X0>% zI`N*4`zrIg)4mj0(^m|dAgv%ax6+_Sr`0Uu9>Hz4y z)FpY7-Z+Dc^|CROcpr&rf5w27*|FOfO{+Yj?qFx(7bTdaO*gcmX?n&~XXsfo`6AoE zDsasA4;S;D#7M9z-|G|f_Mv^bV{Cjy-{89K^o zawXT2E6>mm`H$ObPM&13{UTp+*FO9bM2XY7&eV~tJUpaJ6Bfc!@0YNQ)m;<;#_K<$ z*M1$C5ioz@J(H%@@DR#$>+{JQTXs!O-hSJpmR&a_hqdgw(e%61X13_EHRoTd`Zs$& zlKnnA4)Lag1IuXOt%MKJmj(Jls=o5Y_6yoVYGTXH(aTd<-fF&LfoO%~olSNW3XVrC zWNv%7cRll|ga8wtU>+x!80uakOV;q4Dv)ngxQ`_7-Jng(5(RO=WQaqMqhhd*O&+5_ zNVRyIWrrL|co>a1RuJJ5ws5`)_`Q$0(`h>m!#<507Fc!2WaWwG9l49oV^*rWGSxvN z{|^3Ma*H8TQLa6Jm#rCB(5~tFti7tu-e@?TQg4|4#eTWW8)ZJOFpZ@Mer2i>Q z*MV4D@2krH<1pPioT=U?l-?SqFU#k@N9k9E>A%gV&sX}iF#Wsv^sA2IlApRT{pNgn zz4BLv={iDS@i|O*4h+*L=F|68{*O4qAV&00%BK%f`fFkO7xU@MFC_h`FugdR-hK(` z4~FSF7i8=GsnYKb(_hG^|4He$gz1`fZ2sRW{n9X9-eorZ_3@-Ph3T1m`c29|GEASB zPydnf4-M1L%ct+Ufb^0ueVk3lkimRCKbrQ>XxVvS^MQ{Vx%tBSUq=`3%l4sS5_ug~ zhiHIrU_0^Rl1*aEHU4hC1bnN3n60^iF>azpIql~}TXtRUwC)Ci76WteQx_bDH2HpU zKKZ_APzdK+^al5zdFO$G9eBGX?~PVz46W8cU%T3A)e*ON75+ci8aAU(cn4cVpFiBL z&KM#?KvdpJnUR&reH*lOz1cJOhi7ZPdzQrLW^e0zf?G!j95zt@7YJUDU-5sEIkhnC!rAPm*q4>7;Q!@;D5LQX4uDCcQs$Sbx zGPxv$9dxrd#zNjf*y@0Srve!YCijDMKvAYO;>v8z;{o!A1a*Jamc3BJx1Z9oc|23%CF8;)a5NjsV38{y;XOR$$uQ?wVdZ|QGaJ^e!}<)kh{;E zT&SxwQYB#dWG`iedFqxHBxSyg`xt)V=qL#qc>KWbUQ%-c$ zeKk2ZhRCDQ@kU(IVcyPFM+P!5C>dzcuG@0t(Jv-D9# zx2n9I*S@9|YFh_9YvWGfYMw|x6~(69b~xmqH*!B5!8?K+SPXEd$oXAeTPiEum#UtPBO@Cb7+pH~^Pt$3EW@%1lZ48)ff#x^cM zwr1|%)X;U_&-lo>V#FBt`>Grp9!Ge`PG>1kOJ#WL^%2WEZ4l_RLK!Q(q99|Q5_#HG zn4;vY*Nz>T`*|-S@%q|Eh{45WH|eM51R7YVFM`;kVw{r$e!z~#NmbVChIS0q>FVC& z!~Qh_nfN0rqWuIfH*pX9M?$_T+kpG7(pFr@8R$YD zM+l-cVl>?>(jc$z+Q0+nR*;J<8Vpf~Q+>SFbG`wQQ7}I(aqjZdwn^$a(Cdmn@nB?{Rz=`LC39@7h)O6jq7W zEB`@eFx})*fxEus&88B$cX5I9NIsZcb#bTlbY65A{uI8}o#V6;{W?;|c6R!V+zxMaoc~P-6o!G+=b=)3!F1CLVL)S8mW1`d~qT( zo_l2v2EBy4hW*l}?9q>*AGw`XtK+px;qea=vrrS@KVJk`ELJq$i6Bq2H(~#4C~?|c zOVb3j;MV2Gs45~`=P&tfay#NxYnteT))R!nqnFRN{}P$WrITDgv3*k_(?8L<^K|#w zs;+qFuA-)@l?nGnA_vzlcN$-c)xLDYSxwn-L6@t)dyp*bL=q2xE)XJ3?lOx=D;}gw zuwD61x)bUp+>S|bN89y$3pQ{f+Vv;e!}!wN|1oqyI~x2}+I)PBM$JeyRNOq&NA^^nX7|{+lET-qn5JrT#?c&LK(A z?t5F%8jdaY<>_hH|6`6;ehq&Mua*2?6g-`u!Cv(#eXCpA9wl6bIJ`eqEI0C|lLB$) z%xB`YD};BIsBgbNWWMVormfC+t?bozcWCMus!Z82KO)0p2B2;8VK(_YeUr^$6wtYJ z3ggB4Z>bgKu&BB;Gov)#-3iedfvY%tQnfTY0TcZSLK}S0s7(OGh7W%S=nP2O)*yLQgFIO{)#x7^Hu&K1jdbre7PRzY?aOOL_t`Uetd8h~Arx($9=B$ri;;Sz?(ACa&|PV4A~Csk@m;qVxA7BEd^w8SpoP()u9mtN4TK zdi4cBc+Y8(C=YIO<6L4?$R+R^m+%0n5MM z)WK1=NvQ#_Vbh12*LkxI$LCd-@l968`5e`S z2{Sbeo7};X|^B%L8ry zLXxOgaT9g!ctuQt8qqt6av;TN`|8OR(qnVhV+eN4;FGgC8LZi|}rLF!D!O5kI{3@n>=HJOxEVnLNgfPG$Q0K|Ci+RYR4A%r!h8nprciwquC82oeC(g zUTfsguK>_;Iy@}HJ7Q%5^MINAVJT*mwuLtNIg-Vv^7%0jn#_2x28v*sp+NF_+`)@< zV*uLu+nypRF-)WobB_hWurv-QooqPiwiE1-hnHSmD`rD*b^#Lyrrbelztr5ndG9Ao zQ;^SAUn!l^*_(qowE^{90$~KgJ%V|HW z2b=B7ADXLR;KcVzy@kkf6c~=6q@UuB^Ns?49}`>Q*EYFt@rso?}7$*Jtvfc_40!EMrnL!j=TG;k&yy@ytR_;IS~)RIXs@Z)4W2& z&`Z_hK&tw3!BZ-qUpmxBy!04uhIgON^cxLC9rVTxatS=rpWP$xmvvx5*K$y+U(2Wy zk~5!(!W_ASXD@EdT&8w-Bf*i8`lZzIaZaev&9e?u1F`6Kt5r30j6~?FxO?22Q$|Mo zi_LUb&k^*aSMc7*nQ#2=-i&AOu3Rhx-7f2i_TzE#xJiABeowQq!0Xwjx0-aPZJx-L zX|4Re3f00@gqaDF44hiRRJWZ;O0LZ-JAEtL#&M+M-5sG{8N=nVk!K$`Hr~0TqH4#2 z?zUqp&p%EHH9ssXinvRwx~n=n-zu$s+1*vOvua1@#zEC9-PKjAs$TB&2f8m+ce=}~ zo~wGcbA4I$4sv&qdt<-qt;{oI>U_Vr`dRmbsx4JpJKx;L?MRMp0O-=y8>36zm*Q;NWJXqlfAgEQt77h|<`(Yz1GkAYSVRO-koNrV>uYT!Yodgx}i5ODNII^QM!y?Z6In%v&!KvCADcEne z``@9*rM+)tSp3)-4DgF8h|N;okZGPn(D4Hj+2OCnYd>+majqD%^DV9+e8E{bju$*? zXVUjh>t*KU)+y#93HQ~;DaD=)T{G1K40l5t=n zbL$igr9ICho(C#_L2eEZfwwsr>Yc)tT)?NgA7NRce<6YK!dmH_1vg2lAINW+vYT)cDc)f)~E$WYBgjki(&!VPbX)Y zZc?Ay)-{$VV`gF`00xYB0WG;TGRaMW{nhmhkgx?Xi)n#Z(1N@?3EI)0#mZ+kLYOvj zRA7?Z>5Y(}1XSPtgIsa<6k@#aGnuQL#={bmXA<4_V)>OcWd=omaguzU{=fl$|9=6| zM_%y#&7bo<({Cd`es<6An!n_2Dv}X4_;#F&j3BwTJXwPQ{s!XPEK6jsdODIn-@B<) z>BNG%l}_r3&fgTHVP$LxEB!_kqKpul+-!1^-gssL4map2VIUVE9fg9R-B`=-pb6-}Au^5iKEZcd1vU>Y#I>p#YS z!KaZ(QDpvwPqx4&-g{cl%v!}L$@Ys(MA1Qp$7c;M%Qthjur9X^l~_$)ZJH6tRJDqc zj4Z{56+`u#qvHhVQxmd-Hvu2tM`WdU4g)xWhG&GU9*ia*@{?Mer`Np+6!&sdN6)I9 z8;F+8>I9gQs&d~g^e<+Tmz%-bpV|ixAob>onQ6`WI zwXi9=G&8m&Ghtwc8+aaiI^OA3RCOVrw{CPagvgw?1H?q^DGF3L>jc;!P+H)gLz zlzSDis_xk8&9P{A?1jw@&O<$oRi8FQb2#0(Yg}^HKGoc>q3Ug6Q3n=1Nv58jXcA$r z(|o4l)M!9bM%8f=b!n7B6rI03D3W@H>(uPnT^`cfcx%x=liZ!Tcc42&`q-?mIZeq3 z={Zo0h_Ey9>WTTKOS1dY8~ZFwDS2de{?qRbgEDd0GVYG7gf4@f)@CNJ#?0h7P1zw2 zvS-!ke%#=0Z*V_s;xdgFKlGaj#a%F%ghjYAuKq=+!=LEwXZk# ztIF|qW_IN3)B&59oE)6vsxi16(Tj`ICcj_-QT4hVQgm;7r^#tppZirXpMfCvJX-6q zF*}Kk66tG4z-;Ri;TiC}<3nJ!Wj%*AwwSQ$eZS~@AoF3i>1qb@`l5Jkr?YULX7T@F z6N0gOOoD#$

    &9`K(_e@<*Wm82T|T-HD%1K;I2L zmwu+s;v3b_+uZbyewRc48}wZLQw#mC(2sW0pBJ`Y8}vEozj5h_Uk3H-hW@qV(ccLD z(SSYx{p=H_a>xInzXN*C`a^#+bi&|a`&}QFFSUj-4E;?m-88@Y1Le>!gr2kh(BHX8 z`Znm-E|R_*`ZbHBAAr7bk@O?bZ&@V$1oXQWNuR1?eYHsXa_FC4Bz-OPPc4$Z4f-RC zr0<6Q#YNH&Kp$Qt{Rs5$ERuc#`VSXLpIVE*vq<`K=)YbheJ%7~Et0+s`qU!nyP^N* zBIyU9=be~a|3;vDq%U#x*MwPAehS*BlR~EhW0=73!ra|(2c_(^d{(!K!1Zv zH{meVpAP6dp})$dU#!im^gig1LKj)VIB@n;hoFBAdan4u81(;uex~dHCf^qL&uQp| zRk{6vl5?2vPn*iQ-&F;@h4dG@%7*3DnWadqf_OWiu*d-N?+=Dk3F zoF*%Se(Hz*^jjH+Za!Cq?KBMiCyUU>p+CC_{SfruFG4RpH!ttsp`Y*8BYCz~Lh4x! z{grQ^g{aXwDJ*%g@e~r+87|`3Gzk1D- z_hdx=cLVv|(7y-$KO^)%2lN5xAFrFrxi2;X{fYW1uP~DTQ9=F_(7&>7%G(@~e`g>+ zb$(vn%NwS=j~oeu-#*C?9VrY_zjElE=hMCs`NszGYoXtI!IXDxM7~+zss2O%F7(GE z^w2NphThsV?vEp%eBC>u0v_RetIM zVg}HUJi?(T^MiO^IrMK|oV)*Op|@T#+ySFHd z)Jof_0=_R@J>}glfG;PpF{oz)^cP;kIEm122tT`y$AZApclDx=bYXk z^q)dM)ulV@xKZd6&-IRAQLZ1uk4}Bau%eAoliIo9;5PI_Zshs=oqtNez-j;IG zCod1;wv*6*dc&0S{;A9#9}eUfUYM76=8aS4{imRRp9ts`(EkMeo=Exb3g`{c-??GR zy*CZ{W*}?*p??*6uJk?7U;W`n!Yj7ZSjF@l8`X&rei9KL{N$j{LBG4bV@$Io{9F z`a{17`oBcd|8tOk5ARZbIpo8UVoQjXUJ<>-KZ-yON-aBmGO<^v-$ek{0YZ^kZGRbDp{i`Z>^#cj?Y~^(N@&E<*2s-na<85BhnF(1)O( z4}GPZzjGdX40^{R>C@0}T7+J5Szg}F&|m7xclL9tps!zq-UR)UMd%&S8y2DWL4U_0 z^dab#i_piQp8!3VpOl9FM(Ag_^>h5?l6RT%{bL`V^137RI|6zi^o7m2 z_d|xD-}jLz^L~>*{u2)b?K1}bWm~4qd!7OP@qnI&{!Qo%gV25?On^!2-%7j~`a*<0 z6Qr+#{)4-6+xaHwyP*Fy;)fm#{Ll{Q58N~5Rl4$x8>0KNebB!I{n7*se)(lRa$Yok zGz{Oq-YKsOwtz2jo0e1T^>{1q1>T1qxa}-*%+gp=sl7~H!RxCZ%dIcv(2s+Df+XxHt27F{#d?~KKU)}Zz*Rt^rt`0eBrL&>~{r{uheCn${B?3 z$DhDIciScTgf@!w+bHx8d@4RJC-h0^Ut5G;cqQ?!Md%gK%Rikv4$uJogwN#OM{9>( z1wFFPOr8n9nxz2BoLf`ekl)2x-@2AA-KyN3Z|Jx$;!mAkj59Zc` z3g|~HLT`Y+fc&rLyZ!v-pnmPp?|Nv;ykG5??+PuR_HPgLd!fIHol0{RP~zsybV_)iVc|BC!qx^%Ox zqV;Qs{uk(akF8(---%#O2 z1?fkjpZb;f{L4u*3H|fXTio>GzuPs6z|zho1TudCU!TjDxHrhB3i{bQa+k9S`mdos z97+F=nqJD$0sZQ)a=y&f6PcGTQdN;uT8@7B9{fh`{v3w>4D{DX0$<-8dom7v3_9+9 zNKafC)Z-BJ7e7i|FhU;+=%oa*wnKltOTSvlI!{+a{~GkqX4d1A(R#GOck*`__Yu2z zv)V;zk8bFjhp9)xDW|kYshS4KUE5<2zV653+e74xLLY*@{7C-cw}a?b-*&`*V) z%g#4JuYfLf3EIcFm)iav(3e3!Hd4NlpnQGMkN?q>_f&-by?{Oh{pmfN?~Bm)1oScJ zUH=+y2c%4C=nK%-M$*>?=}Rz>uO6EU?zz|Zn7H~=I#|+IL4Wg4r_BAQLH}P8_CNFv z=xn!z^|wI+N#6nebI`vMp?@(*-v|9oKb!LIjL^gPhlZek9Qt=6^zgjY81z$qo;!US z`n}L|r7vmE%X|Ia-07>Je-!#iB>!-I(FFa}UrgnEZ>IzLcYm2XPSpoJ`RtU}8W}&A z2IFT4`l?^$_Cv>@ulRNDIC&cSkD#CImftyFQSu(%%Ypu^OHceP=$|U+_x~n$oVp46 z4D`n%>BIf54(Pr6a_<-QK|k%cx$8Fs{f)ny^2Q?ae-xB&4Ei6S%Xhtk@t5=h{Y^vv z!35_QBKjY`hf#6^HB1m5aeaWA4pI>Q$e$*oL4(LZhf4y6NJFm$2=!0Gi z{XUnT=n3jK1pQ9vx%`wd=r7$r<;_RZPY3DK(EkMe0}*;hKrgwGb>p8i=Cx#h;Kx-# z|L%Xp?{~^P)C7IWe@=P5NAM5dKA8RdJCD#@%skWy--bE-xkx*|J!t2C=pRexw$sDV ze+@lX9Ag~%9Q5&s{GSK%4?+LRLhf~IDH{d5pyxWLUk&|<1H{wa`8Ih%uy5P~{i(lB zd4G$v^M3{H+zEaA-)P53`K}Dg*AJaj%Q^Q0hoS!p`l+sbXFqTp`XuyaF8wOg0itJz zpr@g~&ZW17^wRgTo`KGE8TMnsFi84p=x60k=iIMpfqonG`bhfKVf~?h9(u0w_d_3o zo+}PH4E+m>(8r-~g&wybBzk%X`qR+c-1Zm0>k{n(DYedbzNl>=Ym9@FLm3tu06`{Db2Cf_eYK5749_&#^U zbWZ&khkoB8^h40^fL`Y2_ z^gl!Ys!LCV>+xaew;nYe`<|bae;oSzUND{W{pCZ@*S>Jt`&>l+gF*Y0-prZ`y54i? zkL%BTPON7skl@HM<-I_JLj0Q7sH zf7_Ll{6;Vzk3e5`^mOo@DRb|@AA@>KK%ayDDz}`@dCSx-_-oK#@7lrSNou^L9_7&g z`Ba zhqTwHLpv(@48iwo>9mLXhH?^S148Iy&`*8kwD*|^{S!fZq@jNidR)Ir`jU;@AMmPa zZ$~8kBSHEq=zoTu>pqz#=qHvrPN)Xyou*?^J!`=D1HKkeNX@hff) z{E8vy_r7*I_PkjI>Bpe|4Eip&9nW^&Cp95i$zA&`g(G;)>*#+0{C;u#(Q@b;a?l${ zQVYEc`ZLn+df#2f{cGWUaB`Vw7x%A$a1$zD=75tFTx)5r?>F-w^77s=?VKOhdkMJ* z@m;~a;U%yP!?y%J^>6sMJc5sbmw^{5V*V%XG6}vEyiOp!M^En!MK1UAX56DE{ZM+V z-0wIYoY&z#?JatRBHwM2e5#>uhpzsS$m9{c2|VwVX>W-D_7S`t{2=@VKFD9eyTPZy z-SP_F557N!e+YbE3_c3J7d$iH3GhAOYn*(geuu!9P|mXir{6cpCAi#&dKvfKN&cm` zQGe)5g>E0gtH5i(-{OP(6}$m_J@{)f@HX%+@XY#kf^P&@dtmRa6ghq1JHU@}_^}1jNd6_Av@hvi z%y0h@yaIeLcxL<7g71mJTfle6$msyz6~o^Hz7xF2&s6f{zX9+a;5CA)-s*QK>qT#y zwH^)hn0drrk6HOc0>N+Z8Pt13{rewFAsvFRxpLa9Gi!@lxv|s#9GmI?+o><~YLU}c zRD6-uiz@KEH%4*Ew*h<^IBq3Ip{O{qRt0i(IG5J0HAQTI)B#@?d_6LsQ9k#+>x}Od zt|{8~!sL&*-ZvlEqJ0yKZq@I+QIjN%d*&i1n&ml z1HQ}$`71K}!S{pfy<@b~J#xQq)^~Zh5}eC^#hh|!WMEFYA@V6u_cNLp*|i1IPie_- zx$F0-ePvu+QM7cOxvN?DO7Fm4!S{B4oAKuJwH7U1Yxt!6weS_6K5h0@gqKI~7V!1p z8fQWuuAyHfM{z|R*(wL1y<1f)Kat`GXIm~?~Sdvl~~Bi$(UrEkNZl(1)XD|BIlsP!EkIri@^+tz zy?g=x(Ei{)3&&i9Jl?`rEk=m~^IhS<6SW|0WOP0o@}6Y_f3M(25H z|90>#;KxWls`v6mRP#tVdMrKTyMeTSPpUrnUS;wD^fr?1iUO`)&Ol^5j3cjk-E{E% zuzM5Sb8OpxO>j@YKOPcWbF{vE%rE8x+Gnd9BlWG_gn!sDZQgGdyZ_6gB~srO@a1Pu z``?==*6&T&dw;8-cS7F+onfo(5#9?f-}gWe(>eD@`#*(C^>~PMdq^i^M&=pry$!x+ zB;^@{o_Ef)*`E;}o@)M^1YZK)DS-Af`snsEUMb(T#hOMMQ$16WThYz^*QD3=tjORI z{i_9U1rPO4nv4t3SMmSV1#*3`>P0(z+u=J-5>jsIeQBp|@Ezc<5?uAde2Z58*}{JV zmj1?k{z193=5ubY&b-fgWkG`b=A|CNJ;JNxi`~oW9E6%ly;2{R`!}QWlIUY8_!jVC zew*gswE%BfxV9&zxBMp9;_(1Fk%lXU>zadF4DbO(lI{V?_yr-Psc*zk#Y+$rjd+=f(K{;7eohTJU0Uje}|~*8j2mnRthl@A~=Dem$1I(8`cM zf)7~vCuQKn;LFH26CVSw0Y5E+e-eCs44%4+@eh7p27f8|-Wa?JyzKmJ{s!>%F?bvJ z4)7B)%M`dNjnUJFS#Ha9|5lcZxP!M2Y*2Z-Uq%9+|5_&JqW(!qHw>${VufRGivEe z9C?y%0z8j&s((7awrbl8o1{ziFn*zD&I6_3lAkM2>klsSzAggnBl$FdZwFs3nC5dw zkWV#GJM_KKRqrz9as4ikbV>GS7(|-dtwGXnZJrLk>$xdmzU(RV2L2m`z8kvl$GU!k zm0y{7IKwMgp4egn4wjY41c zu4(h0a;W#}KNI)Ze1!4i`DSLszpF3Ukb$f%U>O(Tv9p8Gm#TZPH;A!xE;QAgR<<0u;7vG}Ubfg%g z&g?*gjnh{kr}{qH=V}}0a@(gS;W}(uA}LQh{L8MH_Fkrl`Jdq3;FTG;jEjEo<>39o zs`{pSt=}6;@KqVBp!Kp2w*$&=7PW`tq~A*VyY0FuE6%9>;;&!y!z(cn4KwtsC_=@@ zus_$@cxhN)i6^rJwF}l&1ug!EDaDL%KV|H>9`Y80R&?QgN^Gir<)k@cqlhC(AzhCIIXV&*; zXpfsPGbnCgW@-ztTp0+q)SWLxn(AT0$I%DmuMvR!6Ic%!A8p`e*H4@8E$R3O*O3~B zz{T2pWH3Hh{KrJ!tlo*dA>?g9-h||%`m5`B^>2{3`3Tit`AT?(4JRHgHZ%y5(zT*z zsXpxIyU|OlCvH41abcims|pefU8{7yqDgsbNk2{chl28ugBz!%U5P88v61qiw+^7Q zfoaD+ZBGEVCQqFGD zZMY%Ze)of~2ha3NhrnCGU4L5IZxp;4{5F1Pj*GDUMWZ7fu$m=&2v|Lod7|`_te=oK zWaZg;n+VdT6#ZaTjPECkwZ~pD+-nOO{hyM^*tIs~y_^!6&G;7|{aaPOc>pqn|Z`qzIMNS$ydp1~qOZw>! zvM_3>{aCUUf8o8>j;Vfx{uHjFt?H`CcU+|(8%VdFbi-1<vgB4?GV%v)>27556xNSFV6{1biC2hu=n@!}2CR=$BWBCJvg0zY+O*Uk>%VJ5e8e z?-)JVbOh}vp9~eH2*#CdAL*|u9Ne;wY3~OjQ0J-oq8<4%Y-B<+{(d*47Wj6<*CXw* zF2*my9@y{Nvim5XlwN+;6YOj}$;p6G%=8aA8}JNj^&{yWJ_ESqi6=*Y_{@(Qi&{4w zwfV@NBkoS!!&?b$1gB$CttJ)OO8ZPujy*R`oA+6@KXqNM{_)k?JXY!9m3}GtH2x9% zZu^VgRDkaVuj034y#e|`=`BHFdtM`V9Sl+qAhSLG_1nMZcHbn7B7yf5c98kbW2G-y{D_f@M!nV)P3I?W zk9C-h<0SG%khi0ocz?8=)c;m_=yRZFC@SlN<)|K3&pm)*lX#Wdd0lpEu zh~NGr`c(_Q0sL73Rlh<%l}#gSFN`PF21^J0Wm~4b@7jLIS}*9hP=83i_sps)rnr0+ zFb#nvZALxJdQHkZPCi@i%8n1F!MB0?zJU~5bh_{X<}dK8CDawxL&u4JXLt|=D+?Be z>XDVgT1&b;AGP}`Ys9`MBs9Fb;L@TcBDW2CWshB7sov8*`W<^*y`|=(%WDfbi(>`= zDU9FTPr5qNwF>}k6YHR|#5!YU?7o8bKYYFLRj1%neOhFk(Er!vXi&*U;E7ksaP)W`MHHI5_J za*^>hM*7M=&LsuoE8O?XD1Uv?p8VwAL~Mg-`9;6WacmnO;9Or|x6lFUzskgq1G8oO zL-?D7|G{bRzoh)y-vR$WW%5fqbi-fv(6qN*`0XQjKlo1Y>wJ*Ef)9ZgZ?ksT(gYs` zUk>h$Pr)a^E5Z9Luly1GkjMvj?R=HcwqZ}enKs;UpzBVFSKu<>>Tpf~wV-6U&rK0Ybqq}|fxx6$WtevtC?Sh_ndMIQ#hi;??IYcKAWctDSQKY4RX=WAK2|69Dh zmHwC@edRxf>pnOBlE4?WmC%Vt%2x7O^c8-YGfX+Lz&Nim&&l|xg1!g(4U3L9YrnST zCu(BV%h*Ga*NwdCFR-tg&p&khhT|=aGY0F!u~>0-f|7O|lkz=m&okop%RZ~%li>To zHJ$@5yR1^j)IajS?e;wewR?E~Hg0D>^v(e*+~lCCWY;U`dJ-FbYCz6X*Qj31BMKcWvqBJUCGx^1t!WnbUUzg8dk+O&M?KHGyUCw-dq zU4!BK47wke_=2&k*3WB$uk>@oBfezEeb_JIyt+1+SDB|+*DcSURhg!GAmo~+v|qZ( zXPSK6eJs(#e()trHyL(L?ewqW?X=cd^rLV9|LrR_ ze!{=y5xg9{c*nH4|6EanSA#DFKh|RMNBEn-%fOdr;O*ecz>m+syTNO~%QEnO@H+5h z20mo@Pjqn6i&5}q_%qH4V7IKDka^?D46U$nm0HplexCGSC5~*{GZJ4Qoz-~aQNeGH z8QiJ(8u~;YDMu4>y1q8;{ZarOPmC5jp5){5R!*Zopzyx^FqO7nAL+}!ZqF}^3?6CM zLGax}*6uTYFSp}*1biCYZ4a?~|7=SXZ=s(^1%6Y+{VM_<|(`k=z zx7OGCJLGSc-pz)4$EAFG?Ya!TmJp%W?+UaoJ>YtETM;Bg^ zSMdn);Me^d?cejP)i>?YVCiST>p#*?ZQyyojGk{6J?{ix3Vz6r`+M0ii0m)xy50Ik ztqJk_vi%5KA!)Z!Z<$oqLGKW9D^I*}O6kq@c0e@2nF?4>j2yIk}) zJ2!Z(LN)WyB=lzJC&>aStXKTJLEL2^Hb3Jas{W(k%gbiW`y(CZ+`Z~Q_y+J#+kUX? zS6#2@`jwRyhaJkyr8+{n-CW}N~w!;v%{}A#TSI?O5i%{Pz{i6L7zcEdPuv(%tp+b-s5iG#=q^gTD;^GX==tH!mM)2tlaI z-v@ss{BIN>gP)TJSl%fA2>dnhuZ;3D`EE+J$MC1&Z-xKVD8I(}u883;|El3Xobu@S zhkpa|$wtecwT~x}BfMNu<)DA;{4M&|NBVuF?+pCqMf7h+e)5EP1zaVjPs%fayyA0a zg7;`#eX;B1%47jTA_X!5ElFSgHPW9uZDM9cb?7~zx2n^@$n1oVUgE?ylqW0-pPS|3GG!zyho2C;l0P$Ag}8p z>TCU_d*wZ;`1efK6m1~jl~bDOuaY7By^FD@lr?96J(SU3#_iHLdK2j@FPSm-ifMnN zztMPIW#ThYbrC)3A>B^WeJq+UqhxbR=S|t#c$M=&)1VmoxH}Ll^oAG`XtpDnBwQGG*S5gka@Q(~V3j2MH zS=Ve!B-m?>k!Qwb2_lB2eAmxpolh78-vhn`9{&;kN$}m^>c3io;HgIq|4V#k{t8|S zF7jXM;8pyt0^bLIhv2#%QU4zMDaU{SSdP>d_$Tj(ZZLCb{Ykg%-80^;cHX~N_Fd!k z6z4vXz=MdXf4ILhjJ)O>XH1;dmQl(*2Hp$4%VP3J@JaCH8)iKI1dr%l>YLOD{6m7$ zFLpk}f9R3;@@BCYoL^yqA8|fZ^Q1j$NniQi8S}j?(nr=?wn><=>fH_V3et6wZX@Z$ zcb9zKcoT2^WX*Gf@Nb2GO$>i$2EWv69R8i~e>=u*ue1By$=8V8r>en3WbB@lsdOjp z_5K<2JrBxvx7Zasj&(fB!G|zmZGkIB%E%-A-iDkF$kBUdkmK6V@O+@ICnS5 zW5>Dl;}G(CJ7yy9_X$1`{XjM06r=S?7%TUVK=-uwT?(2m2oPQ@m`q zcxAzDaqTPpG>-he$X^-QZ|$cX@{>P|pAHD|vdb6Kg@Hd@`yKZ4H_Zg+mtB82u{k<0 zW!!hbU)eol?n$NI5&o`h{sH*6!T)B`8aol5Z^?YWN92#ezXSfa#_-4ax2a*u5C07@ z{0Uxlb`6opuYy1C!!zbPBAMmCB%8kt{u=lXSAHM-U56>Zl%kBlzYG4OrTi3j6Yre+ zbD!9S2}{qM_YQ&YCY`QJBrT8dm;5vFEAUekG5@RLPX+jr%`@iSdaZYOzFo9lf@#=! z4sQ8Bjl4F}b&+nVBd?s_o#0!*&l8+-hjB8_wTdw2Q7O*=e7iEzi+&G-?*?BMwL_}k zYKKC9N8V2)co3t-bp?rW2-ybLSP~ic<&R-+x8S$L*w4`3*>Ord=(otrwrj?KOMi7B zFRy3DyNf^U6PB?X5ya&rzdq<2pzDiLqC;68=&iVoT^+A0z)?bl!<%CO&Su(Sz?SJG|er(3PM{4t`kWUhpSu z|G9CH(C=VMOkT=Vks0_8`)33>t@qD(tBVn;?S*~FYOhtsuWU^w&QJ#oZ7rPHwjfj%(Vy}i~%=rf$mwH|YO{J=04H=i~ z3S__&WaM`vXK?LsHR~VJZzKJyeqH_wwn=*qOHmOGs>FT~Q*@ld1c%ykO$QwuA#+@_XAM*JJdSTbyx}Nga?Frs2iL9sU3)(>_Yv2%K zA?%su09sifPwAJ;8h+?VN_* z2>s+j{-NWAvsYQ;#m2X{(y9H{s?~)co+DM0?7S0yg)B_JNRDkBEjub!QXE1 zJ>a(pMswKrtQt@vmcZ8F*!7R-_YnMLubd6;HQkhun`O+S`VYMl`pE*RK3*5lr5tJK zHPG)7dg5j+pR`-yldKoP-)!wg);cZJPi|aD{B@CLQ+w8eyzQ@=^{xu`kwSYGGmj+x zHCAA_{uo5w?$^$Gdt`;A{Tiq5cE5}`+=KDsM`sjir$flAJ8d@jp4g_ug^_kD{l1~= zf((9nr2VSEYe@H$BIbXBH-H}m7uk9Cy=cMP!1JnXe+Z37+Pf2cDfsuI?XCM3p}n{D z>CI2b0w{YW8ODP~k+=2Dv*unQ=^=aH(**cFaM%A8y*mWHAAGA6Nc9c_uluxq?1p*D z+J|;nDt4pqZ<+O87|bWS9>v%N>(Lqpab!BFE8tCu$O|gw8V>iBl@$e%`Gx6YMS-+i zKlvRbKes(=!H2-}-b(x1a=3OyW_KAeEHhUW$T1gwt52Tzs{Z!R=~N-&5OTIGpAF8} zhWCZsF`0YQ^?`iPH>REGdF>>wt6Mt+|>JDusJrbZv zq+aDHdKdiDLBBKZqUY@@<&<_L5V5*IUnq=Vgf^uAI*?cPj#=}aYRw>I%YxqJngN@q}MGd15h+SJCE)PmeCCD7% z9FV!fWzzh#_6%F8|I_sMidpa9qxyy)wTULWlpY0yZ4iR`PsAH#Wr7Sk3;(q+GG6MhjKRmj>tgUUcxwz^_zd-p z!OOvWWAJM5?J;;0_^ued9ei&L-VHt-gZG0kY07SgA@H&od=z|n1}=7D0=yCYV2XdJ zz2Sbd&79w7{GL-(nJmUnkmZgUziZ_}h%(k@{F4Jp4O~~?l2;U9a9wU>@<=~7{D}T+ z#$F51X6{XrxvLGl_~O~%yHlGI?_r6vvcSLRsT+C?bay^c`wzYxoNXJ|e&~G5Skm{@ z;1G2$Ff9D`5yG;l37oF z`;UybYVh^o-;jc`5=DF7kjgy-eft%5T@{flOCr&Kq%j=) zpCVWEr|Ms^XQZnUK*y8b$GT3&6EFXh&iArR`P<;%2mi^z{E5imzKzPno$i3L2REf% z`boF<%J_AR=-)8({m{GkZRS_?N5l9AlcB!t>%Og@){t;W|<0ZC=hyZpe>oUF66k z^2U(2gM7n%d$mjPaq-@KZhML8En5$fS5DyLnfFb4pRn^seEDqLW;#E4Ybs8ll+M_b z4&+VWz&gP|0p0_?tIHdDR;%sSpRL9^)As8oBx&Yrxtu0_}d&@`yYHac!%JsC)g_t z3Lbe7;FI*-@RhxH*6fG16_v^DRD$<|ZwEh5(kE)vaCP!?2z(m+j9@&5akOwe+I4d) z({)Vut}RG5$}r8|_o$WmKW3O3zrKR}tA37tz2D9sYX6!7dv=R9ncd`sSNg9F{(bO2 zVf8!aJXnp~bP`!ObA0x37t$Uv=W~XT*Lu^exgUu9?@n+Y++B~Y!|w5_Kt!I6qf2?x zQhw5Zo!`c8GCth*m+MI{%O=;cSW|GZ3dD4irRszvmwv9@OaI+G>%Bt&`Z>HOXoI$f zoO+jbYlm++d>ytOdgQ$=yY90mTajxDD&_2lf6Fbz(W3r^j^nVO?YQgBPyRAK-lHy& zWP59PmPeR2D&H(10!GV-Yl&JoytAnsNYKmTdN%Dmoz zyxxz_dhg=5u?zCLbhu9KgT4p)Rkq#T_rrBQ(ET@CuMLS`#@5Sh|LORfK;Co@@voQq z<;~P!TdmozhUJ&R_eK7xW z{?NuHWGiY(sF~tudWc{PX*#J-JM#7q%z9J&jlsrU zY$!lu*Q6TQ^wC zGa%`|#ePPN9nA2L))aN+%PY+>)i!ob>|h#sy~E+W9L7E6J^~C9_QhzsnZL?^&HM%b z4}$qN!=FNr!uzY(#LJmGa|QW#Ag}fDFn(+8DsdY3eonUbJFu)fV`Smc6HH`^NPykU)r8&=-Z(GD5gF-uc$pxdqyFyq&@)Is-p6w zJ!^kMej~Ha`5&EE(3efA^`=Fc*G!8Fe+T@%@ZTsBbRN?6kn&69nI3>Y9LEFj?}6Wc zuQh8PGUIT<9d!s$6_Rl?A?d$2>wVVhpF3{C`dWXfQSPycoeo65WBj5pUe>UW^~?9| zye4(ysp7x3eX>7_KP~{3v-(DT6ZCMffMvVF{)SETq<mo54RD)r2a7G+WPmRN2%X3zJ4%kzS|)@JYok*!S{n7 z6d+^X3&)+WCsZXy@2%UV^4gKN^(pj3>J!S-_+*B>b)0KCWszxA{o`RN-_y)9Qa<}g zea67|fxp8C`78J&_>$3Ca~~M(a3y}3)HC%v^cUP;54idf&bM}cuW5^|r)w{okeByE zcORra*k2Fz?JPNuf?p!1@3Y5O#Qq^~AM(z6D{{kj3;n=wyz-t{D)Eij5*mrp4r!5> zn)538?LVR?g}=w&13yA$dEfnRb*Y%#0>lXmY! z-tHskyrYih9~t$^(1$feyAnC>Z7~`qc4ZWKTT185_wTj7|P~xH5GIQ=I5S>JNXtY%5P(Tu+wIL^gMr_l>BPpn})AF;0xZ*MSr9fnNZF2tK+Z({>oG4%=gA54Ud$g z2fQu@9{_I!f1Prg{|Wyv_(t%TXW(PtT`~A1_!jVG4!^X2>W|Ea;E%@Wb=aSF{Id_u zQZ=SOjsGs?YC>Ld<(%1Hw0TKB?cmMePbT?CoW6(SxE4Pq*&_a1wrNmPqxDDL-qYsH z_sncQ)%+ck{Hx|Xws$oj*Wc1}Psn6zII_HT?R3eXXb;k#a;!-oZx5}0Z%Za$mx^r= zEvMAG4S8K>qmLC4d2x1sO;K-3E{}?7Ut?jV-b2Xi{lJ`8!*Bl)(WBry!5>pj8c*Kn}n`Mrf|Ncxo zgmgK}q3vMj`PSqq5@yIgh;9tKl%olGyY85C{2kwJu+p|J4$-xXgMUyKu{S-WTi-R8 zc@9WCmUsJRMD%G$@^E`eVyQ%LlOFdXCiW*`MZTq*u(hdKP&2!#{Xnj-j%!1Rm;8y0vg3xP|D}JL{vChnuDRU)wwuoe zxoteA+}1x8eHuVs*FVge_hD(haQ{c5X2$j9RE>YKloV!sjgxK*>3$nCzQX$IxnR+g zTVu;%;}KG?ib?#RyXU-DMD--2pX@x*%1NM@YFTkQ-*qDIVDDVy{x`92ec;pJM@mKP zBlsZre()te$X~%n!1sZ_(!neEJ#P6g6+EB69+5Ku|1S8i5#W8{Jrl#= zOFubhzDrCy-@}C}{yv|^2PyBSBX7^}n~gyfKk1N^kM!>oxnX+jzKz3RqmMDo?~g-~ zH;%mhTj#umT>fTghu3gEfv9DSK zA$$G^=g&U!+4BJNlx=7nalD>qcEi^S-zx&S;dcSWE)Q7xk+yzz-$>g-{5rO(%J6i3b54oM z7zpN{*3D46G>M#LpPdW7|7gFrXU|czB|bG|>E2sREYp!Y*x4*fflM(t=ACrrrMNT-UD z&nW!6;eWC4+ehR~fbRnTj9@B9_uaJpSO-}##&9*kQj%tU`nfre>A~6s^!)B5=h3ZQ z;NHVce6OH}ZI4POECdB1bo|iSZq~X=$D{gra>zk$q*xA=5qS;c zIK#-R`}~~wZoHJ0r-c8;z_)>?6fyr3d=h*sxb7!gnzT=9p8f%UrT9tO&(>eBOnf5f zXln;VP8Ixn9-i~0PW~gm8^D)rpEKv`)t+j*;UBqiZRh=1cr;S!wjmoRB2&uMkGwkM z`SC|LK4Xu`vR`QmCgmE1f9XFFM-c(`5qtu?2K+9;E-5OOkIf2x2z)2FTaPO6k_G%P z@DIv()AmsRU4kfVEr`0H_;mE0<{w1II4A;Z1L>AOf_)I-)NPUemHinxun^O~#)8ZI z)Q`ONkI#8qgK@9-lB(XKdV$_1uR>GgU$mVKuc^L`lYaNEIdiXm*dIE-h4Z5v#tT)L z{*ZgoLcsQi+W!Nz?{}GRkMiq>p1A&jtG~VZvT=~DzAFln7sbR2{En3N?<1eG-E-zW z(@-D9)DdL13&`5&cUHunjFN6E=`P~8_;a%3i+a#MW?W1{-wXW)q1#9FEQNwq{s6x+ z=x?m4_(!c0@|T7U4WsZ^!QcB7{-lhTi=B9WW#Vq(wI+SM$!D2tS%nsiHl!+PY1!zc&wtit&HNUfO+nI7cr{rz0leX0ZC`@l2TL&KK; zwWRf*PJWDmPs4w7;PF)vL?fdhb_fU-fWcZoH&+?Ob@e_wil=7vKS2;Q7 z{l(gqtoR_eN?vY^0*Ziw;cW3et<@Qjni^^E+W)3}|1syC6x3JSJB**`J;8QfYfOA6 zM}6fo$C!2{XI!h;o*?fQ{u?3x-sw4SGNwM5GC3z)Bby?TfM;C+PK=m2sz}5R`$J@7 zB!g*nK?U;54`GjH=gfIo9Up#tTTabjXfO}H-z|P$6a0uDEHv6B*--`V2i+qmxZc5Y_m0cq3_=NP<K45=Y$G4iK z6UZq`F!xU7;We@orB%f1@`G?wd9Y=BTrDonwN&YE*oU1^QH;%l$N2I+or6S=xq2n^c zZk)yYGbhE13*&kf1T=TQDD9mlj%6q>qkPt`VejRoml(^Y4y=@~6L~vdlJ-uCDPL$O zZM*KtPy8`foH3L#?naTf_1JWF`1|z7peeqxNSfd};Wm;rm6-dx0wYEAUU=D$k5C>4{B)%z;) z87H4*WohFN(O>TOD8-Rth%?se+-sS1T$kiiKGOO3y}5C~a9k%JrF$a-o2l`W8PJM? zdWQ#JQtOZWt`pM1d7yYd+4?W7iEqW$b9Dh5qA}WK>#z2Ye40;8oBL3u@p&ZwGruWFFAvWbn;007SiutgPvJC zjLqF-a*QLD&CB1#5yhGrX^=b1RD(4>jQSfGPw;h_` zp8($g{zsAVJl<KdRpu^MM`5UHQz+G2_)bPCEY~Z})lV;|nNfoIdJ0 z$;#W7&r8!W^6Uaw+G!klTQ5mRzRRxTAAB455z%=kqukbCZDkD zTXvpr&2>EpC832Di}QAp&;D!D-Zt{|$7h)g1~Wdh?u#FUzxmpY0I z0N-%H=lkp8`7Nadam1}7TLn*Q2^C%M&Xdf?o0IyT!&^vTmIo^$^Q7okHR+a-u2k}| zkKj$&fp>v-3WgjU0eiaA#LdQ_ z?}Pq;(A92feKc+)x1dN1=)@0MJKM6E@`xT+6<{A8PkR^g+keXW(Ez?5{7eDSF}qLCjH4kqWtH~n zfG=-X+8Y&wes|*!x?Y#_QcFAIjYE-L!YJ09r5f)SQFk9T#g)Y=c+8(gc6rzofly2K>5? zKBuUREmO4v`-{&CCCxl2OBELm9VGO)A%&o-0j#W3lXKauu+FX?E<`1d8{ zJafcN*BMvJd5HA;N&j}6-i@!{=vxV)@d$s#i}Ldh!e1u<`MLbJ#_+emzjP#h*!M8@ zz`qRsby4}m-TB^ZjQnBv>)?NLlwZ#`TpPnb34ilpmPgvRvFP8rJ{Ahio?mUvdf)AK4{UP((BI)IHLL_^;zb*RHPQv}9|E>tk(4WL3(GF{X zr62w+&!oLpo1Z&=v+gnHoL9U@W?X8KH;KHhKT3O_c<%L+_Q$K@*E_-bsk)f@{5bu* z-DBQ^yxn8?Awl^#7m>BUV&{#+xW{}Pd3%4B&V1h}qA!WBX7ramzae(1lmm8KexCN8 z=C`ra=x^pd=3k0-x9CX|>B{z|7rV#2b+LQQ`$*qK`seE&^9khDJezjjhpx}nu3XlV z&&-5WflM_pJEQw&%Xbyc>CC`_ox*-G1<;;Ns8wkIZ*N z;KkrC^FjU!K5F@8n)e^UC#-ypGh2f6?;-GI$hku>o!9(*AG;vMO^&%n*CA%YmV8nr_`fr0?>L)>{Hfr-Qt)Q*iv`g3@z)V@{sG62_OZhyPyHYGx4^%~ z@@w254?$M>>k6*YxPK|M4)}J!cYMHyYs-QJHru0IQDCyRx88;%=KGM$<;H}_ncWZm~$otavyww`Hn1ldnDA0H&TK|`$AMv+MLmIo=$z46yTYCn6@1xACuOZ%1HX!}&PW8@sOEpzncYn*oBH z*JblZ?v-_?zMXZqzP@`+&4&@ZAy4QGYzU9Vvk6Fv-6kd3%q_$UoReV>#gDFXL)d z%DZIVybr16aAj%BzJ=gp7WE00Kx>i*Bxf}jHC(V0b6cNH$zID-lKp)+6T*-6kPZwPo>A9f3KT&?(ayL zjL1Q{q#FA2*Ux*;h&{27 z|NRpwI#O4dwq)M0R?f^@W0L=y=DnXw{49@kY_^8eg$c809H{|02dm~|?-P~r*KX-orTB;HGxLxe@2L~}u-d#A*_wQ- z%-h-frHsJGWCUi<=rRIjz8NE*ywm4B!hlwvG;Xi$M`(f2eOP?I9b~)}vQe;?bfZD} zbiRonZ|tvJ7Jr^aEwJcy3-X%ZG4J?S8V8VbWZ{eE#%$<(*8~4{_&;RJ?XKss*Zy}{ z{wqUWSNhk71`3Q!)qmveKXcxz59Gm-^_?@_ua4;dIkcnnS1B9j2W#fN#No`BHHq)X zTA!5#1gT>Tsr6er$)}rqwym7^E;y`wk}nax$hORN1q{v@oG|&Vu>{pz>Gu>DoOIRB z2lsor>&(#4u=7G|{HZ-Z-X`tVguJq|=7aBzx%Xvd$!pBEH&r0(2H_d)1=$BX5Ra%q{EGs+s<%MIp@x;>^L{#QoA>H-Nle03#Ef{Zh5r~0BYCL?nmQ!bA; z`+Oo^^rJ)g>*t^2+?@X%to-EfVjK?2zzws<#hXa_S>~s4@>z23yvJ}39_iOKcpmuA z1l97=WOBmm8)jZBIiB?gbax#g^{fEj3EpJWZI*R}eutN%a&|pr&6(Qa7WntWukA`c z;XEWS&(zuVQ+T#W2BhduAL(iu=e;XrL8kMB`ss0gq}*egY>96l9VyZd6Ub}5em-k` zcL;nv_~FJgE9l@Y@Sh{~S3T5y74=g#s+I)qrusoG@Nb8IG|F%E>M>ufglN`JJ@D7P zdp>f{q?CUEyb(O}T=OvaMsVFXQYl8x7X%>?|B4-kOJGiS4(w8YVD7S&X%-Uaf zy(vfMW*I@$)Qqn+a(!?(glY?L$U~}sZM}}$7UZsf&%C!&#)aB}Fn*-#4>{5MF@}9` zX$)Gusz5Hch}ecT1)NriFq!+YhmpVg2K;QqyZ4Qcf$xdIC&BlEA1(a$5q(RQv%dm9 z7G1Yw%=>noxgmK)yqj$tA+c9Y$lK5{@5!;TO#KbxL;kuI^RPU7HY4tGU!0F4R;ift*Qa@Ax#io7Ksz~2w_P3IlT;l#(~t78%EG83xQv+y;nA8(!a&X#&GFTS5j z`i5TWSpmHcx}Gl&$G`3qvn-YYLfzJKX{6mUCXI}{Hqvb%ovU{;4|IZW1pmD)uigKQ z(>p#6le{e6?^&bw^_`uyeI;I;ncpVJC$AH`ZS%>xKhdn`Y~()hBDG<)|6iM*S9W{Q zE^_N?5cjGjk6P%B(059Pv>VRtV&^KesC*tm+o=aRyOE>s(>V4uIEuaNgq> zi?t)6KVj`iqkqa2Pv0oK^^;`0Opw0#j(P9Y7n=0ezl)nsH12;_{CuJVT>7(W8SASp zQM)VoG=LujuT4eriSJLsZtMoejC|u5i@bi3*TeXb7zVY9kF)yUuS+Cr;>)c8CDGqW z`@}+O}!p}2l>Yp`SLT~du4psxE0?yePxdCl7{;OO~~sVnqTyLzj#~``%GAI z(Esd^8&8pT9zb5rH|D*Q`0YP}4}&*@%NX?^u`6TXt>8Zi>`HyK{k1+e&e@9p6{Cf9 z1<7mT?Tr~&<>XU+GV|%9^O^hH*ju}s$NW(NUmJWIzB%u;@;hsOINx_HglN|9eeiFC zzs8o|-Dj5D4@5uJ2RFAu@YDF!qomuubKZMx%sNunUGDj@n&b|tU$#b^RnQsNAf|YF zZ%9=I_4)R^_tIdTt3L96;N7W=IPy7i4)fFT4M`-0ahKWl9F@Sa|B@uB&$8*O^*ys8 z@-KdD-g`W#XU6!_dTJa+-UqoPI}>#Xv_{fDsW;#+?wU96E9ktY>mL)ZX+VQ^UnDC^9j)R2!+yO#j%pX%)`i+aoJBk%}+4z1bVzk z{IfN&E4H3C&LHDuQsj-;dYbBJKB-gCH}I!}@t@J2;rQ42;fwM0Q3Ftm+$Q9e{e0G+)vMapPg~UHa_&;h+D2e;NF5i)l}DUL;(Z>2Kz}>togxp`Ebv7U#czBMXb{fT#LlQl3F6 z&jj)4#mjRXV#0VHRT9TV#`z@aH|`JP(hmt4;pGZ7rS|@N6&ALtMTlgmG`ycbp_qoIRX2k94i?*c_-;6alW<64cycXmwo1J&Q zBhPs3N#bwW^$2z#@$IM|Am!*I-5%0CW&1fk9;xjv^GlAvYgn%dUFF8V+Imt1uZJ?+EdELm{_lgB`jxBtj zmQXz>h=bQ@jUg91J_P@^(uGKTO3F0~z7_lxh5RF|XNLc+pBcikl z|906za37WKe|GxYWoAEL_-f(X1)r`9nJlC4`x!ndUpssU;j0hUAv$lymv38+?-km1 zlYECo-kTPj?|d*du%9dIc028<9h!iz=ClQ`FUAgq{bk27>ynz-4l`R!qSsY##=l*@ zV9tM1-|!qZCy~Wl(EN$U+uu^;QmH@bc9QN9e&-SXv){ec`AhVm2YTJ<3x{>yLiAu5 z{*Caj7I|$&#qvEFY3DKU9pHCMBdH#Q{z+J0Yj<~~lD~-81GQUih$w#x>%GesGS7|a z`Z2=})^eDi`87u0*XG=wAO|yF^pMZ8)&=hYshpNOv_G0p=!am*Qpv01%dHwB?J$nK zjU5Z#aISt=Khchdefi0s#LElTy%ldIp8J6X{VcJRSsp2BE%-k0OB6Bxlm2W0Uv}$4 z{C%9OjC%MR=ThDt_?zKBE7y5REpMQw$#=zYoS*{zmwk*PY>hVa#X|_1d#jquLJ&G z`0K5|wCMY!t(-28QK!`f?0UrDgil#o#%zwVpu0Lhjv$3L`d4^5<8RY~_Z2&TX3aaH zzKHY6zEZsJF7jkPZb9Dm?gg*J%Cqym?!(%KQ3o&aWz$OGtYFr2{iNUW;RUZJm}hd@ zOUje{cX7+J-6xhAFB3}qezE9X>TTGIEeqZkqVyo!8sU}#) zYD(>^$eTo7-NzTa9npGb%s)E5-e?3jCB zk=^Z~nr1!`J?VzO`2Gd&qqbb``vCeL37ZhNWq55Swb9!V(zkwM!TZ{Cx6|20y@}ZS zM^q6hi}YVfHU3Tif;Vf+Ea0wmi7t4ItCl1)NTOZ$Mtc zAz;QlsoT8PM2H57z3C%e-a`xKzB9Eq33eXY8G$DKI0U^B`ns6+?lR^HS%0%Z6QdQ@ zL6Ck-y&ZX9SjhTrTPgTP@VCNa_6cv2P>Vj&&(+YkLhlen?Vi6MC@-`*m4Yn%?eOo1 zU(ZLXUWDse=hMj|P3>eq{7W9D9isDB#<&dhbyxg!uu?v#9n%1OfP6))Sy(4KT#*}H z&A4oq_LugmdI$5}BMXuJMCq3X@crOd2YRUUcjzbRc(wBv=ifHRmdgYHB%gldE&1Al z`HnIFmPha*@G|hM^S|KBz*i`z`Ck=(Ccs<4Un2VK&QFy@@@+TO%4;S|{coum`&)V@ z_TuXc-aU34xbs1lo;6AkA;!qEq#wv=P7~iW_EP+-Zt~eMwBWreu=Anc6Z&hmpUua= zVlrBxFT`it|Il7dlFzblX1804Kw~BNv8KuN|Dvy@;LE}51j*3Xxc6Ne;BSWiaQBBh z;ok`VXpHM8o{7ZK-p9;TyUh{Vrg6~je?sI?E-Pm3wH;IHB z+ow0{{DiAOES%GVAiYxZwFrv{y*J69w1#S=`#0^hr!o_|30wK zaq)3G-~1i>$K|V8|L$J+U+o`PQ13R<7e8hFiwrw@gW3;Ot^HOEjmfCzo~`1>Xz)eC>0Wu3>!s$3opbaz6<>M+UM>Tc{9X4r0KQ4>tpsS z4}YI~40*+Wv3^kK?>y%|cVQj=0qHXLxy!*T!87-{tHGPWOAd3Nd-Wo5)fTGWBl#B` z_&?j{o<#mef&V11 ze{p(a?cd+A&s|=Re!k+sbMA9Dz}H-Qz-yI4X4ttz%szJ~{9E8ZUHC&iH9=f4Mw}+f zaI17486sUT>2Tw+^ZASM$grqu3o`b{CrP*Ul?VRM_s5%X_*!3m;QzP%@iB2YPdxCv z?T?o?us%8Iz+vx?H^ILR{{QR!@nQ0*TXx`i+aE7vqrL8Rww|JsJYw(5!F$1Ys(_-3G2ouuEp>VWt9XnaTGk>S3I_4C*t zf0&K!m;kTF#l)`~Mc&T31OMy&@xn&-(;5y0?`=i)r(^cVtKr{x_JQYZf4m2I&5hyw zAIU#ve|#AJz3>l8i)PL@G5h0_BLBPt|Lgtniu0)N`3Ii2{qauZZNKoq|9F3Vh;)q? z9eCdM$5ZFCe!uj9x8wxVj`o~o&i(P9F5<_Dy=+2W@9o&pMdMkj*N3$~K7hP!T?Y<( ze|!x7);kYm?T=4_H-kT07^!DQ{9ntZ`{RF$52yzFfz=lf@4Wj!*1ZKy;QKQ03bJem z-wS>Xza#6gO4&=Yt1lC-({)lm{7dga--Q2si31Q{ws8Rey>Z^~UB-2=WhbJP0WAbhg-gC__zEWR82ytw$d9k*R_ za&LL|E}*$qK=mPwynTJxJ7oKh=t<#4j8AYk&Lns_xbVxe(SHQ5w)`gw$oOoq`p^VE z4Zo|W!ru;lFeBd<@NUchl*nNo%Zd}zUh?L3ivNr*eLX^q`U9A z^@P{DZ-`YBKdvqEN-xH~f8v0bh|Xgf`&o7#YfWA((*<3XvHcwGzqBK7`=<_=eKXoo zzH(DVKHcCuz#rwe@nd)gVRQ0)eg9HkEu?LAJtO=>KEy zY~ZY#x<5Y6jFcHQk%TZ2LMVoc!Bo?GX;Snenvz~fhLS;;Oqh~{5G8{m6-^066ha8` z#1ldu`4>V_x|eeQYwi78_ny1v-0r;Hy61VipHF>fuf6s<>#Y5H_Br?5H2JYp8s}^c{iMg7v1Jn+QF}(S=|C;{GIwZ3%onjV__~`1pu}AF3aG zzm;EsU>-y?yTj-p+&?l&f9+E{0t2{X)A_r9KL_LT`f3q=@5P=E+nY%Ce9!C%bVEGc z?U~=#;+Mu|yLMpv*r#bn>)772I|9vN?;iSjC0ReA9p&ILZ}l`R?*Cp&<>ykr2%evs zcS7@+dEfL%eqf~Z4On{eD3ynX(huO!7CqPFI66+r{2c+_?w1eCr;~g!$qyGHF@yds zBKdNXf5vjt@5z0QpOlAjT2 z+%)GY_n-M~qot=;bU*X_NKdktw}8e4*emrO2lM<0f3x<((vOdz{@AbSWT(Z#9rnGG zbe{NqI~sq(eou*>VhHOX?fLh6IyoLF;?re&o5|i#viBGZj6JpQV*E<%s_fB=Z{WHvPanS3uXn=vUO=>HS8beqbM1 z34RYFV<5FBD*pzK=lnh`bv=1cOKa8cgU_XoqVj1gOUG>@$!jP%$6+SP6G(2JD>3tu zi35MnjyjB8kn+5@iu4+j-c{@u>EZcmbK)GQ&6J-{`8_$`#3}Ur6+hj8K$&*Q_8MGH z^E2t2b&s`2O9i@>*%9wQqI@6aJD)@1ay?0&@ZOH#?~NAn_uT0HOuTLyMfsyBKb`Wg zAvN}+)Ow%hkVJYkDQta1-%_GwT-fry1OEg>m{J>l)+_8K!S*h&ZBLu&xb@%P;rO0A zbkgvvoAk`{%nMx)l;gXZ?D;;%y3c(7U=)QXn_o~Q zUq>-HP7$H{D<6?>yLN=sKp*HH`g} zwQT)Uxv5mHISY(k-lyqc-q@c>qKTBhnDWPRzUdcg-A`?b9!d)915z&>uT@mO#wWCn ziWD!ij=}YseP1F;XvCtCj|LJtVsMx=^Lv9K6o0ZuKerBl=;CQ2zsK#)WUL>lZ@i}Z zpuOH>fBI4RqEB}OIt16Vq4~Yk{(cVsE~LvOjt70Y{mx^1YiPfn{lSNivx4NsB%cvH zZ*#rlcAZM^QAnKb+D@$7rrp&YO4kRU?Ffty_d8@S6vvKaZ>y_4yf}i#g+XMm=~~=Z zqq6w*26F~n@8c*xkMf(sf9H6JIOobEZ8Y-RdP2o>`4vPwAp5^gT0r zVMo|VDdQshmrNaOIhDVZ%hPm1&sJf!wBt=9?tovS-43$fv*G&4Bza?!n|-%#A$d=d z=O{TJXE@38N!|*_8ESe}H#4?zznVz-vnhWZ=bL^d^L@u)zoNz7WoEFz6+HW~g32X) zwZs1I3Hi@g?@dU)j^y=8F7sD#pD&%x5X&lw1Gl5pD``K7^l6xI9-rq~TEn71n-m%h z@HhRI@uifYq1wzJ{5QExf44Hf8`qEQ<*(ae-&08S;=G?jD^}K}4rdz*`#X{JHEA%!{|dlO)6tJo8@tE8ovHFu0Os(yA?ee;#jXWe#ege$R@o!(i_Y6O#2IsTk@P|;-K*M$L(PZ zm0L;W%zKTDeST8Teg+YyQ~oB(znANS>|!6)^uy5jkLNpb5|_I6!wxBzlbpVBp~g9T z*=@ehpFEt_W9xSWMkLE|%s3S~j_L369Eo{fWQ)?vdHNv=z9KJu8A6YaZgp>c6xN7B=qF+q&qy!bH3-3lp%pO!~Kh>=%&zi7cQvI@haI zKeApOXora4Okl3lxPBX5P3sLR-;2vrJ%zsCMDr(Fd^>Jtlt)d2wahxDAC>b_x&B6C z|KoN(isV^8U>$1g$@d0$v(K()F&rB^Gf6*>^bc{^;eNlA%~s6WBB~@==gu_2z(ffzZxH$_Hy|b z5OlMlo#!?w?)PPALZdaE%lX?2Z5}6Q((zaC++ly;#Ez3@hUWWkTn{TKKVcW$*WGPB z1jos7rTwF6s58%NF5CCr`0B*A!zR~Ky#Jx+^TPKXLidkD#de;iS z7p=a%#9=Md59(e=;|G<~-qx$MKc8Mt@%1j9 zxgE#2eDX-T966)PUrTN&X?*H1n@p|2FN4H#3W={gmGQ#l|SN)8S-qHrX@# z>!JBP)PBPHQBp(q@q*rrca>X1Whd=*)*3oaLJePl>xR~|={Hetan2{(D8DJ?JI4)< zL+U6xUy@hna`>>k5y{g@euD^!EYBo)5y=Z3@+S0mPm(9p^o6glXvt~UO|(dGytka= zGLH0fNWXFT_+sLsu9N8ZD9z7~x-CC$b{$4=;u&rie{Gf)cvIN!m2JhhIny-{Ru%YnYYqrvgn%xCWHATQ}BwpY4g z+3}gPT4gw#i$!KaHhxh^+!G2DDJNLV3 z{41v0j~ zr&0b?i>2m=>$2q*UeNepUN%Za%3~DyZt@ZG_qy#LI<z53bO*CJray))zki3}Wb%OmRv>q%qUek4i zd$S15zvIYWUSnU_^$H(7881j!l>}NK~*`IV4;KOn1M{@SRMz9}79Ovo2TXNz+*A8bF5PY0@WUukbzQ9v# z4<8;QSCD-9slM>vDWSH*^I1oJJE~*8WxuwOe!^+Kz`{tsGi&AxGd^_U_aRN+&4kAG zvd2*UweSU|1<%uMon*!}^FBPk%lJjT%gi%uZwlF4evU8ryD!dt?@;@~x+^#78a79d zgs2S;8@Eidw}I@XpX&>}K!4kHCGF$l_e~RdYt1eu+olY#f78{9y;(-;9QQ`IPpXB>5JSA1gv4_qX9BuW=sD(=4ZX&F=r%=Q6k+CsKY3%BRQH zv0gXdGv>ABPr(HWHtg8mQqu2zzR&gdCiuM9A%A6X+@pGNzK4VAxv)B|ti#4Vd&7Xw zqrt6oep$Y-=MpkVo=Js*^GzkB=dl#*00*|p139dSGEcN-nQE4Aa`x{TVL^F6Sp zpPA=bvgtjQ5hi@wj@jNkvbU+5Pk*n*-1j#9BJ^I_4t&?{zDUlIEsoDlvN!ueYH#$n zd>YXobqi>Jl;mbUG3zh7UZkjBP5*aJvA<=?xAj>nOHR!?7G1oY{?Z7VbLQJU?|WP6l<7w1!bIrouyjtur+%4WaTkp33Z zZ^!yQYNd5Wd)Q3!#urh2usm_5dB1W7{h2(L#v78G>twR;{Jk2pe@nZk!%X`M-hD8B zWm37dRL+bG$}hUyfm?Q+&gU_l^lMz~3%t(9H~KUm$a6ajMV~XNkI}#Bq(7DPZ)btg zr{jx$Xx!?MLXQL3Axbe+D=GRNi)(@vV#apX-%0wLNZ&j+uJrTN zdGol@q>%OpN&l=!^IT}&q{l{*4sjngx~7<4Y9n1WVVMmt_G=0qXLVm+;7mm2uKqw@;NGC$ZtEUgXVJbi&G#+=wo46eUlYk*?;*b6??pJ*J!*fR--kcU zeHqm%g_?*J(AtBkv7zPcOxVPp^U1rlKnH2#a~rFrr(JQ-J~T`6Upw%`+R|mg5zuGdMUK-4_!x$bZ?htTr}%nvbT1MFEEyDbGySUDpV0MNwWK!g?Izf+hm*acM}2`ag7?eR zzKm&ycy4lawWQ4bTx-HC2svI$$zJ|U+LsKk*U-L+X(#B%)K8|m`xopdsS{{^e%cp! zj5i8QKM9Rz>U_<5^+Q+p>;o(8Uq7aCVZR;^}Epg!|!QN^11tG&X?z#d1SBX zh4B66Y?7}adBP%ECm;@`)^CYl+5w!-iTYUw{-MNlTAomn8l-L5Y(MpGs_z$l_PHiX z^M~6}Ba-Kl`~enFAv~W#4LH=_={ZYo(ZL0xUA5bF&mbzln#y0v<;^-qzE3kOxQ@YX z5VL-rLi%Yh`Rx0DxD0(7(Z6{lA4>AhEa<}fH6!@>xOORRg4;GmZw={9CcW0IN5?Bn zq&p_|htPue0UA)&PSRUUdglJL(W6@CGm+ zcENcpG%u+85WLSH;r@}m9^ts`WP5-60>>psI1gw4r1gvYJQIpbmr2w=1HQoY;Pr0k zeN3V8!^DMe2EOV#d|3C)_Xwtwy|vZ+fwq_rN`1fH>=%%!q!l!B=sCsqz-&6T4P~@H0e@*VC>#_a(0lMAdY`11z&d-U{eFz=^s0L|R!Fg~$ z7)0gPSN8{w;p5}O{cjA(eI#$eGE?vT3o`c8gfN}*>+kOmY+#Y;CywjC&;wM#>zP%g zzn1hb3D>vR4LRZ%XWDUTC+XLy;kWnQ%<<9xe=!&Oi5m%Mer8;1GMV%b@R#~swQQ0% zB{};nAJhLy-a*N^-Hjr7F3Dfn?fzr1oqX-uPT&~V?+UWF`e1*cI9M-^IK4sR3GHD} zjkM+83B}*^G&R4g+h%YTv+t?*(fEIeKd_Teg5nX}w`j_3mFqP)yqWfyN%}t0e*o<> z?0L0KwgerwBj5iB9x7=pwN1H<%j)A_+*c|X^nu>17fewI?X zA}ZGhbV z{H67j{azlOYuK>aJ|(FU84i0et1Ulk5vG-0NQx5 zr%=LgggPI7jnL#qB5g0cyXE{eh*))?TUcf#OtHows4>UYQ;rFwqa9qFu<& z>?Zy|BI4t2Cvgk8L4A_OZtBz2KIldh?PsvFK@mNbp(L`N$fV;eqT}S8?hn3?&N+Y5 z?kNT!y2-jG*zTkooAt~#DxY_TKhVsjzhDQ48Yey6IVWfg-&(Z&Bx4Gd&+rFmTV3Y= z1FN^5l+^y7WcqG5{UXQ})ecDA-wqw@?;z4&ekP57!TO?kA$2k@OAboF*teOif?uXf=pLLEu za2EZ|_w9JKB>^|%Kjr6AK3_)2hs%v2d2f=R!$K-Y7hYlIrc-`C<)=v@B9~i4@;s8a zWjU3j2OomvIDZZ07gK&aFbvsho7^{-iXnO`S-SyiBo0GA&`r+mv^%BSP1K<|~|S$%yXZ#tx6uO&+HCEX!Z+{n$ZN zu9(V|W#5zIHHGv`NPh+WP4!Fdl%Hp&`(thC|IWOTK!2D1zYQ-Q*v~aoKC6{Ka5A6o z#liKpc^||zbj47gUKWx@FAE_niK}bXckpjC>rB&+FQ)CVc~pQqvTb)=C~F<*4Q=laeBpBauJ+To?N4`IXJGxu z?WhTDp!mA@1Mkz{j($V?KK$e}hr}G7Lq*@1qrd6dM*0>E)gb-NW$0thpX?NL^#|rh zo=0=c)6LEcN?aiFc`c&yTYC5dRLzn4L({|=syCRQ$t*Sf8Gn)=rS@`>Kd{}!UK?8< zbanoat`M^@V1Kfyd_pgOzzlHIZrp#zGqi7W0ae{ZR#|tU($1q(>#7RBKZ~< zc_zs>k-RJE$cOcNl01EYKkPl4O-MeR)r1XucBR06tmEJ91e)Pv0l9!PD0~VV07}`e+^?U4#2T zaQkY1+Supkm1w`y#eOHcLGBU^KHn*1zkuwU=l!X5c$E_wMh4!mWdkfazKd$k`dd~EJ zvbTDO-+u3t`aizE(WzE?JGs0vzqgS3IIRy!FE!ZCO}hz=JI;2V%d1?sVXSQmKcH56 zcx#iw52%)ww@SIhP0Ych504u&$*-JYe*3+@(7bHM4fR@8yZ;A$v)(Z0EBlSZWtK8} zJ4tUS+2t77`Hbf6!lbac@bMebg>@e3^$geJd5;F4;JnAVX8qBV^ovQqJqyTR=YFiT zuRPUs*oTQ!Zn5Jy=6hLmLBp5IZ7E7jZr6)QZwu)i$M*4I`6`mvxU%#<#0HY5lid6s zjYEGY>t9Xtf*2vPow`p@!y~zgi$lK&$?KE+LZzQg@?4TT=M65~kL0~cZuVo$ywj~# zu~{qFg#w$&pnu~?Z!+nbc!k<0)$i35Ub}o~%lFeMPgW9xsN7O2H=D|p1p5iyhj-pL zHP`pSacF6T=Eo0ZxC~Hs9cAkONs9Lff1o*^plweFR`1ByS@-NWv3lYDNpG3!J+mI* z`1K_Hgi-!d?{ynaa^FaQ*!O5SPUF}<$#dy%J3lA#qq`kb+R*>4Qabab$m7C1(rZk1 zkLL3Yi&NrV6e#;GhHT#5N6{1dpGxvuDI0?bLS=hT_hA8zp5-}^A- z&2=I5^8vwbj^(himr44KN#Be!#vXN6`*nL0-+q+ef$~q~1BBVTC^+u2U*kwGhxE+z z0_MDF7lJm&hGO2EN%?t{e+=89UcumUOG#ctaycLVHhH$=`J{D}Kb7*G{gT_~Hj+;! zx$gI=v#h;ixqaco`i)3lobM0tWvqNyo=Nh?H~GV!`!wyJnMLV<(ucK zY(8x$hVpk(zK`+`(v4A-@*#)MscuB)M}vY3iTk zxg?*%`uOniGfD0v`FNJGU+pP+*r?-j{n*|^q5i?g;c}x$KAGfCNIBjx!t-!kZVKh6 zKkN@&Bl%a_ILsq?KFQ7fIzAq~;F9%MkbF7G&xig^IG=SS-$e2ZmgB?6-$wGZshG#e z4!wAQ8U!%ID^HwEMQ9I!hiUruFZ~t{ zZ$9rLbhh9BCjA!0*e@~t->gGuUw}8_?Iki!+t{B-`cp}N5+65A-@G5y7C?MW{gb|r z^nI+)@t8%2Hoe2n9_Y?*&f}| zw7YzEylF!Dy(xbfm*adM?(8&a>a`2y&!+tScwpgt`jU(6EAnxNQ~uPMe*0e2UUpnC z^B>8JN&Y(8apL{vJZNK5O55YlBfS<+`vdbtk0Wj$qc`L2D#~B^4Bej+|9HPhz8GVx z*Q{^0kzV?2+CO1Ed@_ltb7;IK`Ec?71}fh+h5x77)7avsLRAg4rWDrMTpwMieEytJ zf1v)zrGopU!zq6g<(BEC?u9)&`y|q2CADJb`31@hh{d{;lxm-Vz`$%rim+hIyTI~sBQ2rRo&!3NZ#jNYi zegIuk6(;jSV!rc!BHBIo!$nkXeThG?nEtkLGV69Og6(@+C8A?-``SSIc?)Pg#{Qf6 zl|xFGy}X*lz7p%DQp4)KkjBL@J=&LLJxu(pmqB`YFGRQ3kL@j@@h{9C4I1jW+G;Xn84uz8*^rqKtn71p*4GNCy8q!N!OyehxduO7I zJC65Q(B2$1?D{nAnP8doe~#M!5`W+(w0~;9bO(jUv{wihP%E+RG=ubtU!`#++&%~O zyI?y-eGQ^AgGj$%sXy>)ZAwI(_sw%Z?dbdKNl&^zA4fmrxu%Be5|ZkW+wUqm&e{)X z-cB9eD9 z68j&w^K6nYC;3hm4W|mpuT_I!6u8_V$}j#9`x!=R*F$4SKAYqhG$dgtE^gP`^cJe5 zq!jnKm=T|kvx@Eg8h#w^FB?c+Lh^NdY}3zZ9dl)EK=XMzK*X-Z(kDc>%Ao<&tzi)@XsWsE)8Yievw3Evo`WwyA z9CtI>UHdzYH+)?3Gm);W20H2~l`bTE|AF-q>(GbKuMx@fNbbDe=KhjN@*zb(98*zOpTZz8##ho_J{eY-#K2^-*EW!F`SV<>*vBwEDw zD1Rg8hvo@dSMUvREG+18;LzrTjR;*J(mfJ8{<58&WT)s)f8eQ7c4*5EX1bf-g|thL zoD?2j?cbP&Z2d2w`XW1eozaivn_T3hNWNalxm`>o`C5|C;(9mZbkbvqJUP;b^XF0i zP(SVavw*f|`90_Kw(n^KSA&s^7o- z!S9dVnMe8K#>bKpW4m*`8&7+41l7i`O_7)oQ#P)CAxjKLQm!j=R2L8`u{+WFSYsO z9P>EcZ(M6eLiNG+xRLaX68%>TdIvxd$=+d6^u%5xrN_5w-9D#5PvVm7rbM!{pqGMt z=bjylQYYB+Z4Es+UL?JC(BmaHf9hBS|8GCh+PfHf62C}#mnpr&$04Hf;#J=We} z7d^8NsPslaPvXM%4s)@0J@jgF9({NnU_Q#;ZP1grh+R<^7D7+jftblbCY)Cg@4*x!rIbv!1iA?{d-OI$=GjYx*-`3iPBN z*dF`Jdg3$vnK08ukJ}FGNgHClMJ{@LPOK;A#(FDU^w@*l;K8tS zB-jM3bDz~~iL^e2v~_Kas42MoE1O;oWIr8zD31zgO`_?GdPDlrrzhToxNdM&`oxa@4*Dtfo1w~JouH?&K zSN2qT`D->m9V}iNt}k{YGK&7r_iX*h_$~D>_G-Sr`}}&ym$6irKMwh|VNmDGaU$_d zl$Z7^tHe%sEMzY+E6}RQq;L#*q$A@-1)K^Ore_`@8dV{M$C4+Zcaz{!uEQ z+oSW-!Qnrb)#aVKZhw#d?gAs`Lg$?|S^XG7J zzQlp^%JS)p<4gN6gAx^#^E~zqdwi)5@lWbE+A)T~er+g9c_}v+{>%AEJxP8v4qOq6 z59@0C(aPWGs9$G!IltSGFXNuXN#auv^&@_l_xQi5<8vJNBlT}nk^jHj5nnZbm_pN# z&+UTShr_=DR!G|5UcYjFvrt~fA2M+bmy^#zd?MKuc^>*d+jsVVDZl>*HvV!v zIlkoIf%dKQ#eOZ67yqQZM>BD4Hc=;-PB12=eaSjR+LNq10^4l))a{niUS(aQ)6(8$U356g9S1f8v%nni zQt&G9W^f`n9efUa6?`B38r%vd|7rcL4;~vKeH!GMU?;E-I1J1O?*gZSbHG=@55cd& zU%>!~Y7AoiJ9a%fnIznXavf<_DoDs-nCn)qV(CX&kY|yMw``f*oQ&)UvnLciZ^Xz$wJb;2iu_O6RK6m+uT+&Z}uI#~3Kp8~0 zH8D(=!bELv>N(n;wZv-%N3r0#kh_1DBSYKkHP^Nakw5p%bKkJKP>Nz0F-eY}=!@T? zm-vzL4;f+3k<2-dbNnLN`?HI(7a@Mm`7C`m_8v~s_T1wq^Pt2pl7BOly^sF-S{p+KEug$^I4lmo7r0wzsH^_OyM6 z$qN0s&t8SX7Az!fBwG7>Rn>3Mfcj%!eW-wxGr2E*ka8yf*W#Cs_(U83 zW-qbpgJ|LWUyI+q^NrRbcAww4jP38k4rOb9yE~e!HCacm-{ks6m)GlaDaVwxgPT3M zzA0r-8I*n(ZG9=%H>K^lU*E7^S*}M)*;4|!zLE2l^B2EGU9LwYEe!WAbbTY|8_Awr zkBA+i?r(g3!?yU}QS>j8y|*K*-^kwiR4n-6>l?8r_q92bWzJ87PVVhdnKO03*AQIZ zd4F8|6q_X-%VtlmZ=%^-P)7fp*Eh0<%06lT+D5W>w48yZbN^FphilkWA6&ocys#fn zqfFVi=krZ>C~N;dj9kBAJxUt0#AC1&raK2Jbp1)yxyX$ZBBiVz0VvnDZVO#uf zcjLjvNcEvQa9y&)AGYWG$niw>TLgQOFO+9#qS>oEzxDUn8#yRD3e_!T$&SU+4(C7U`jup$<{>%+_Uz5{L`P>L{DpI8% zU5}MD&gWE>pJ?r>yvLIDQ+dlp(wF_=NcrWJ>-}LVFZGl@!QNNsf%YnLZa=Im6uImV zbG@Xq0zQ&2_WDGzC*_=Lc9B(vvVN+J4QJWi&G}Bfvi|K{Kczbg>G<`J5Hb?6pa=jEWQnL7p$+dXNv#Y0l?@obm%vAI|j->pP#bbn5S0ABESr zv~!MGmLp5#lecv;($0A9TI3Q_p~$7*GShcsuQ#59l5%W^)rBIL^-(l?Wu4z;eI)ke zIO4aQZ!eegb@NZwN73wMo@M)m98bmwNtBDI$%p0o3x}@R7 zf2~2iUWm3n5_?~kvgbZtMOz<Ft;8WmiaNqjO&NH!Ep9L#A${*3znNf;I&912Z zE_iOQE7%RZ5WE6XhIS{8uIAzu%!2Aejsdc{pG zbHM~~{fSmya++lpxcU^E*8W6Fx6HQfBvO7fxy;v*^sFTYLV;g3ZATz$?I;!F$1{z$M_v;70H-uueN`zcF|| zcriE}EC8o~v%%NFHQ;720H(FK_8WpNz;57R@D^|iI0t+a{1V&>*2I19hF}Y@8#ovo z13m!G0hfcHfj@!OaKEuW*bHn7_5cTgH-VGEr@z_Y*(;AP+_ za02)^xCs0JTo3xegF4&zpA2S!7lBuTMd0i|t^R88X~^FIzXZ2|DY!p&40tBk0lW+x z2^N8mfiHp|f>OK=-lJIC5N32YAz0>^?gz*oVw;5IO=JI)V0 z3+x2;2S--T~>M;1tN`f<=(e23LabB7XxI01xkF z?VkzefWyH%z+!L-_z}1X{0BU&x3$*{yZ{^w7J}2kSHORPTfyW$)=mR31MChC1MdW9 zfUkm|fE&R8cxYd1_Y^Q2%mqh-_kquX?|@%{TfzM;+y2P5_?-Ujf&Ezk)S#;WyY4>;+y27J*NJuY&&qe+Cor+`^Gy3$O<`0=yG^99#^3 z3jPZ2KhXM@4xS741xJJTf%CxS;2Llv_zzg`a%=Y#ur+uwI07sLr-3El+u&E=HZXON zwc7|hAM6W`0w;lUz&F4zz+b`ruCVqRfTx39z#-sRa2i+wz7K8ycY$>WTe~NNZNdIv zK6pPk7km@^2HXMG8Dj0_pdFu#bVqO?cnkP2xDd=oxet;49{dZeGt}BY1?&V40dEB# z0-pyz0DlDcA7c3z-?fSE3Mtb!3?k)I1s!Ad<2{az6E{> zZUt*zW$hjdo(uK`Zvdx&&w=lP-+_Mcpy7xk*a5s8ycL`ZE&x}8>p>rwcD1$F7|a5D zgLz;PSPV`@eJ=*rfVWO{22TJ{0BVrTG$1%!ArpF z!F$1H!PmjH;CAq!>#V)gz>eTxun;T;UjhFOZUgI#w04?+oxq{so!}E-KH@YLTnw%S zmq9P#Z)-Ol%mRmklfkc`?*r?NvgH;dKLhFZ;Kksz;CS#Ua4Gm1_y@Qa_IzOdo%T2_ zz&h94^hsb_@DgwoH~}mMUj$czUxC}e14moC$Ai6bynOI{$a{e!z}vxxz~{g>!Oy{8 zz~me3aT*rg$XMtV8pe7Tf0+HPs_ngVA?L5 ze-iXsgZ;sq!3V+Tz?I;7@OLnIjI~z}JPB+A_6J+wxMPsMADj)o4z2-z1rNBz+CKq2 zAM6EQ1C9ru0AB%Df!~6EfCt=a?KT8kfL*}L!Rx^Z;N#!|@E!0ga64H0Hf#Sl@Eou! zm+o50E7v)~GF zJ@^k;_fBi~1h6^S0qg@_3Em9e13nHe0N(e1fC0a2Zw?M;8buv_%8S@ zxC7k3$l5&uYzDRi`-7vw@!%8StKetguVBsb@E1HE>Cl_28f20TZm< zBf$)?GdK{u0lXWW4ZaP21O5rtzT4V80c-{K1xJGSg3o}JZPe|*BCq>ycoP1 zECi>4FMw0g-WP*w!PUs$2<`;y++&aDgWicqw+F8P>;Gf*vcREWA@UysUj#n{*Mr-^ z114EJ>0k!f0lXBv7Q6$T4!!`s3w{ay3MSoa?H>xB44x161c!kI;Dg|N@ICM=@DDI~ zvbBE%m;tr}F9Y+z3E-39Qt%`2|G>Y&TK8G|$AD*oUBE%$7;qB!H26CBIruAB{eElr zaPTxR8@v>}790;g0WJYQ1~-E>AArALOYkD_T5vo#3w#6o0^AHHPqFqIf@gz0z~SIn za4I+-d%nY3&{ZwgkI_!@#lNH1I|6 zV{ju_?I~;T2=Gj>8#oLs1fKwxfnS3@u=Y%AuMv12coBFtcn3HQTnMfNzXUgfiL&p`g5$^Gr_LlAaFA3XE8Vy@@e2p;3wcFFnO-En+|4xoxogh zG8YH*cH4Syb+uX z&IFf$pMo2~goTI?cnX*e_5rU33&1JhZ16SkWAH!VcCf|^_Bcm?r-H4(?%+UhBsdYA z0WJjJ0lx%)29p=r0@; ztzgPx_zRv3UIY#Y3&CmNLhwECJJ1gvw8Yvy8Egag1c!pRfscR-!1uuQ;5IPj6>GO4 z*c|K%4hC-q?*r$6Z-DE--@v3-t=$G-Gq3~L9~=$d1I`3r1wRHifz_5;yN82kfSthp z;3#lB_yo8F`~>_FOnA-Otq-0Kb^!;21>nQreDGaxJ@_|R?{#bU6tErGAIt~u1D^%o z1iu7-2Wu{~_8NjM!5-k%;9cMo;A>zy=C3R;7c2n3gx+>AZMi+($zVHh05}GG7+eUx z5B>-I3q0rzYwskmHP{!t4jc~_gNwjb;D10rnD(Z%+Zb#O_5*JOr-1Xp55XV6U0}Vp zti5Jn7jOu8J6H_91g-+V1OEo=t+4h^0kgqA;0W+e@NsYv_&)eGxE-wZwzYdacplgT z917k7-Ve?O-vqw~w}S`1W9>Esn}eOf0pRuE-C!~JGPnx-9`u2=-?jD|f#-nT!C~Mn z-~-@na2fb7@JDbLc<@SV{{-+{usb*eycxU?oCUrLehmHq`oY@oS^LL=Ey1qf<=_qA zMDPjlW$+{L2XGg7$otm*sbD+sGVlg)BKQROBKRKo4fqFG;{$8=Nbn4>19&Mo5*!ac z4!#6_2>t->0uNhd?Vkl+01g00fp>$CgD-&Zg5QAK!PE~CZ?HMo8N3X<4!je56nq|B z0e%Jk4%Ya{+CK(78|(=V2k!(Q2VVg{2e*L9A6t73z%#+F;N{?r;QioSa0U1sxC^Ye z+S)x0%m#abdEj_(7WfAE1-KR5{}cELo(8r9F9WX!i@@pNeDF>1-{4PR06geZdz=%% zv%zlQAn-Q$yT5JCZuqoIH90V3)U6POVec)X1 zZE!jC)`JO2_By>W*Z~|0P6kWBuVCj7FzpM(6>JUm1xJBJ;B@c>a3%O3a0i(BrM24- zJPW)490cA7P6B6wuYjw;jbOE}5Kk}z>S8nzrn3w$~V^j31DmRQg9SF0h|fG z4z2}%0h7N)9Ka0l0&pmJJ2)MD30w{S1SYSy_KpHufIYww;COH*xD5Of+zzIFXYHK~ zwgU%%W59>Oh2V$akKlg)v344Q=YoB}5nv%W6<3jPYFd~fZY0JaAEf!Blgf=_`j zgCBt3f`5QDH(0wzgJ**mfy2PD;3MDyFfG}R3m+i;9T)(cBEL6yCf+FYtP>G4yi4 ze6Sc?2|fV*1>j2XTW}j#bEEa+D6l2i6TAi-4?Ybp2fqe)fOR)nd#8e(z`@`a_?Nc7 zJ>M2!E_gfi9s^$i*MPr)HGZ_mX$YPVUJ4e$-fVCsxCuwkB@*WA%7X^kH89ji5zbr5hoC>Z4H$eYyu-?!1_|3pB;1F;N%H4tV z7O%kg_Bko{tumGG5t_FQz`VqEV z2QUwu3a$iwVB-c>zc*L}E(X_wHI9ToU~jMhoDHr9ePH@g@CVETr-IADO<>y5R=)+9 z3l@Qk!A)TObl3;;!P($iutr1p5B3I&z{TJuu>LWy3+98f!L?wGW3ArDsMlY>l;3T8 zXbiRk2Z3Y37AT(!7J((;4Ct*zI-!w0USlu^d=+|Yz+b`Ye^@_`1e=37;85^Za0)mF zd;|O%^n>|0u6}=rygzUtGB(V%?>n@=>KA&C;2`85c#=IIc`Ks44_VT0oo4+X2K~Pd zvFR(2mfu4a`|^H4(U;%Lm3(;*bDkW(p0#%!((?Pql0F3fjYR$tNMDY0Bcz8QE$=;) z;|1{hi*mjvLto;9VnNJ8{;5rDTv~!z;MBP`GM$m`4)z0wfY*RQ!}#Mm*dGaA553Xg zP2kPoZQ#3~+T)Hx`VO!N91q?DP6F=-KRCg@uk0bDzeD;_q}!cr&vypWKO_H1(LdGZ zKaKQX$e)9B0rKY~eIL?GkoJFXkN*bJUx6QhO>5fxe7UNN0!~FZyeNbXSq5S&wp%zEb4rRz3phLXl@# z`BeBb0dgER;a;R?iGG3ApM&&rk>kyc>>ByJC^gUuH>S>ALMJ5pEV(u_AhqQlw9o8hWsmK=U|cJ zJjBkCN-lQlL;j7j(;$L89ddoXjUm_mp9XnLQ2fbMa`ERJ$bVPu&0KS;?%e+c9Q@t%IMfAQ;f92U9gUkm-)K+$jB z)A}QF(Z3yfla+q0XRUpai~a-9+o}AQc|hc%KMndDRQw-@ydK60@pHD4i=Ag6->&S; zgwu#F*45UI$VGq6 zg;riy=`UJo>s{ocKM(qcD*eNe7P;sj-^1E}|L}1C&&2s3iE^Uf5a~urF6W^s>&|+Z z59R&MI<3nMfZ)X}>tC%1=~s|1?+qRZy%mtxiI9E|`Kid4_4MbE%kLl*w6@1@2R&U* z*7g5U_Ew@?GnD%c`SSY(*Fe5Yl}l)2k0<30Xl2t^v{*3q;j`9)@XPS?Bx$@7M z<}x=SpO42MoxT?Nb!>KmPD30sOvLe}essDJ`O*$`I+|mjsrKhgbD#ef`SMJgvop^%I7 z!+*~E6KO5qhI!AAe2ym{*KHlda+#l#@cS2XT)oa>IsZ$>cxKP^g=n9w%W{3)Ao9~t-nnjN z{nH_r^{?o=U3ap++jS?)2g1+S&a>k`%h;B_9u@nIv2Jy)r?|`qH{0^E-sFDAa<}VO zmbbsn>Ys`8;CY0P;kKS-eSN(v{Y(JFaZ7$ZAb+KIc%Xzt7_pp9y1G}!i8g{sSvV4Ay^;6c-(%<#^TI3Im zw)!{1j?B0D{jB^Atp9k+$NP68hUr-4s`&w>lUm%-P;x4{p=HQ+jM z1NaNbap%ugmENw>ewCJSiet(j>EDu;aYNF(P+sDfgn2`bzrRYSsC3#6JAR9PZRCr+ zlTNqwE%}G2^5g%skrw~YROyaNKS!l|Aua2bT$MirX|aE`N{>WZ{NLO4Z(CjL{=XULI~I)Hk=!lc zh2!3{myYl5)jsLI2>f?O;DIRp>`|5fq)O|k%u)FzNWY}yQttH#a>-wz^50i!(Gz~E z^4B8$osx_GPZ8vjzg6Y$P-)Q<22}oj*zc?bik@b@DEUW5$=CMwrT;r4a2(pfnOIkr zmnWh8X%XyXK;AM!{&|qM0Xu=+!Cv5H;1!_wc_q?$;An6RSP0$?-VZ(sJ_*hSOTd@F z*THwd55Z4C@#EhrE%Ipm7Ui~piMYR56HEh-0VCNvBT9axa%WetoY;FC*TmTVmoc{Qm39)z z&+j6{r>e&PjWM<#>AYekm;1g|W&f8L$7g$t?eC1S{p5@6^C7XCA5$XOud4dpXQzA- zkmoYWS1PjhL8xCnp6T`!*~0E~4v(?@-56{64GaZ=Yt)ukXm&VxsTQRop_3?9`|9dwAAH=wQei~!@U&Pq{`WV~a2>Y?Re%T`S zV|4wpBgXOByS*d+kN(fT_{V=G?ej2Z5!es!Dbn}9Vs^lNhWAAvjw7JIe{f11`?}Ay zeG#Z^1X3~nmvj!l-@E#u*zDI=*5AEd-s|_nwf~iUzNHS@&+_TEy&S){E2x~uukUgH z_37&GCmpU8Dw)>pr>eiNs{KErlK$%A+W)HlKCJe?fp(yhY3;vGSJHff_W#Jr8dT-A zzk0o;)Z;Fx{nzm-ufs=S{E_*#vg2{I<7@vb`+b2c``YI>)7pfu7t$ZIX?d@3G{1Cy z5(bv*Vr>5**w_B*^U?lAON;-}^eUUbFh=nazg~&4{m(oe|Ks*>|CM^FDmL@D|Ct{5 zzrDx(zi^-bRn-+MWM^OeD-^aWE7TwDU-nOq6U!s*`lq3!E6BmHp8$J${Z>JBW&M8(>R0@i`t^$cCwe^occ}Qw^{!XqU(tS3)^cf=*#0H+$uTHcJj0GZ z6`jxa)b;gF{C-64_2K?{<@=#Ym)iJy)&B!L?tdMR`(NMV{vYje|Bv^$|9YO#`~632 zg*Z!}`ClIY^h(D29$Ei9Z0E;Hnu}Uox1STDme{?*l)dbK)sgRsB9C-9Ar_c;*$$(EiKyUd61H zE~Wi%Qd*@_679eIu4+Y%PDlHZ>pQV8hZxpZ2)_x|((Sm*4BwdhwE; zyNAcmsy^=*JnsK19`|3@r*8jeXoX6qwf&4r+IvIdkLQJ}dOpQ8ygErI`fzg*6zy!Q6AerB%w^Kat6)W@FotE|U+ z5B*o#r(VAuRaQe~)H|?@dSzAnR}}xNdi`0| z)!prWv83gB4oSz$>3{EW|9|wj|G#E|ND5{ z|Nb8L{|b-$f0f7mzt-da-{5ioZ}GVQg&y~RyvO~&-{byI^SJ+dKSJMMXrdM3Jgx87 zEr@e}wR_tCg<2ub)7t+R;@n^Dp7wu{R*3Vo_W#8=_gA~8{eMX-#Ccl#|8kuBtKHN7 zFV+fip4R>^iF1Fod)oh3v_d)4GqFCA_j}0u{0 zyR`p!pI>zQ_nQB@{d>)S-TuAi|4R|}f4tKEmwDX(l^*y16Oa4k(0;=ew>N`}od#gp*+CXx0JW&bT+-zS^uasLnTxc^6a z-2W3i?tfE{``^;z{)V&xo=8j2PQLE5`Pl$Jl<$7~4NP z#`e#NvHi>#+iw?R`|YdPzJ9)FMq(8WJbTED_WyB@`(NyF|DW)<|4(|{|EE0e|4fhj zKP%4t?~L`W-XD?Qqt)xhJv5A$`7k};e|olkpHmBzl>MJ`k(TpmS!T<7MzOEQ<3F&R z@jqwJgtg2^k@hd`qc%$F{!nIvdstE0|8o4E)!8_{ZvS#V(m(dFn-LEu?cb~Mm-a95 z&-7UQhea5Fr2RC*`AGf9^YsxcbPs1->v8{Yir~M*JKpEtaS{CYO8c1@!GDSW5qr2j zm-lcF!hi8s`lpQd<+Zn`^&g86e`!B*|4z;?-ulBc9`}Di6#wIW{9od6|KE(@f4sJL zJwB|8;J@_WcyB*z;J?J%Yvbp-2=SNmiMR1mw;%Ce{Po)P*9OF2KY!wt`S%yqe&qU4 z>LcFvOLY7BGm8K5w%?%r4@B`l-s8VNeqUSKyKX=69)DdQNlMT`r7N4%_N)5)1=@a9 zKmV`ocdl$eRC#T`i^{KTQrquZS%a#)wqMo1N~`U6Q^&7tQrpj|tU*;?+sE4*lvc%) z+Wv(VH|1JV+pp^H7ijxEUA?HdP}{$#;-*|nYWr3F{Ij;-%hijD3$^{;6*uKtQrqw2 zs#S5Jw%@nnrd&&E`0a z@;_Sq<8A!EUit5}_>WQkM~i>FjsJzpf3L-Vg7QCF{Nt_t->3YS_{;jgjtJtE)0F?w z;vaAAe^xpDkGJ+SU->W1MA}chUq3GKxc@6W?*B&-{P)WG^E2hY*T$c9%75vFwf|$3|6Ys#iOT{ytV)Hl>c6f ze@Bn|-_zs%_xHH}!#wW)bsqQsW{>+n&g1@1^0@zxc-;S)9`}E~$NgX8asS`;xc{F- z@ZT%C_bc@CxAEG35-+v;pI-I9rpNtH^SJ+q zdffk`JnsK-9{0bA$NkUnxc}#P-2XQ4->diUx_I3Gi#+cC`-j_ah-cyVf@J^SE4<9( z@gMAQ|3`S-|Ir@z|5oL{+<%n)lX$z|sK*uA{}F$^_Wmf@|M9B-Gb8*yZ^B6X=95;s z!pfP}zyBVzS4H;cMDf3MIsMh@B{8 zd%C!`KUyoqd0P8_L!A4o-P8W(YlTXtwf!3_X-^l|_HWV(ah}%x-yG-uYWKANW3)mg z)7t(mm9(deYx}oqg-WKi{o5*OPZ!tr3$#Kd)7t*nO4`%Kwf)<*LM7AMeqkl;>Ehb{ zIIU30w6=doCGCyF^^3fJb^l7*+tbDG@wopFsq06HpS~X^*EhlM6ZWaXQ~57vFaAe-|3jSkKUeu5E&jp%h&b_oq4HnHznKVdy?QLt@p3== z75E?R{a5kguY^xA%6k7OZ7;`LA6}jx@T&iE|Jtkmf9~=2 z|Fy^cm;HZPpULl+Nqds{SofQFN&kTON1MOm#b52mZys+yK9Bof?J{qFf4Qc|{jcqD z|Lc3)|Arp-|3r`b-_+y&%k$5&UXb}M(*8rdt^eiuTd(@x+~e)%JdgX|-sApvi{QUp z57dzk9jEN0{Fm`X{15Io$Ep8AJnsJ}_%HWgB;I;FjnnWa+@j(yeny(Vp*>1gwde1B8Vw~^*ASsz8SyQlKy z`-5KfU%tQQRsWYoYXA5?Pg696cwJAg^tk_@c-;RlBKWVrzrUx(lky(thY0>h8b9N0 z{lD4c{{P`||Nrv1|JC|?`~FuAkNaQS z)&DCZv>#dj#QXepO%(s*ef@A_6#wIW{aF~r|9Edd_eAkO-rLW^QT&hh_&*WBe?9)o zcoc8*?`)6zzrf@EFY&nlZ+P7Q_dM?ZCm#3z3y=H%oyYzE(c}Ja^|=532>!?GdO=^O z?l+*j5$Wq&udII#jNre-Ki==39v;R2c)x#oLInS1KO)}mpPm)Le`!Al>kboV={8aP zuN!CnYIky?_#bcATiXBL5&W0&vl$9Vdy2R7$@RGZ!#(c*D3ANE`$JWy3nIiv_osM$ zzwuo$_W#}p_GSEu^!?v>iC3iOZ#`4LQJz1M@jhPSt^4QHDDCI;2=iCGoX=Ac{P#-x zndfo;UsV3f`-WxwiS+vm@zQ=?FQ@E9Cncpv{)d))soJnsL0JnsL` z@LztfvI#nX-p`7c{wn=bD8Jt!{>$%+c*XxeqO>2qevtj3c&U#7{Fn8D_~(`Qrw-ix z{;ljkNc)oh5ijwtTSot-e&qMT;>CaI$3p%4Xj3Gkim2^BSVeZljJE%fWKZlC6#ulo@$r7mUQztl<4?S`pMm0kc6dDX_4}5`ZNB&) zEiJ=(tnFVNWB+4qKVSTBv-|j$8h^Tl*N4P=PxE$<`#;g+{y!AK|5EMc65C#??db** z<#=c(XK!csQ2xvP7xBO4-gYp`@gw;!>mPmp zDBhpvi*mZ<&hD$~R}4t~#(Vo5sQlOMQ|_n9dBqze`5&o$miKv08GoccYa;-9|2f{` zBK}DK75~px{!4v}e!NlpFY%Z9mFst@k9a?ys*bOWKT^LEABjg*AFrzIN&gl9z4rUa z+JA|ERkhDyYJ8UcPiQKF^cUfg0aryouEQWqgX4fGsJf|MAv;-&FofTxGnAH-E*yJ;hZjK2_a5rTt61 zrG4+4e{Bs*{9_fLzaxxqa=icb_Mde5?)SGV8y|_k#9OXUrTy=zejcyKk@&|dJ}Ihx zWq(TMU)euznq%)jo-ctKY18sNrHC~vYrm#8sM3d&(SLbdaWAu>@?YYk=Px-Q-Jas@e5yK}C#v{}eThfB*KafB zf3*75{UKWYHdE^diI23OrV!|OiQa!ZTf{g%=f~K-*XyT!jN{WS#`e7)|BGTApG#tF z-|O)o7~}Z#QS*z$E86%UFYBRP<$tvK@qcaoGepJ5YxO%q`5&!*%e(%$UfK6re8wpM zqs8Zct^F6O_;{^;Cn*1;)o*#*|9#57#7EZq2SFg?eU>Q138yLlqs2$J|9Cr}st)Tg zwSK6B14#YG`}Oava@KEo+y8uJU*ca?@fjWC_%A7^|MAw|SCrHLX!{vbe|w4_MeyG% z>*vpu|K%M&ixL z{qODg9HIP=R=>LaNAv#}Wxu@f$&vzli6<)mqs2$J|Gn*hti#q+#Yc`;*7m=*-Pi4QX@e#ef&70x>ay;MG3Jyi9-@Wa(9DkQ%<>f0ew*OOv{w3{4{Eyf7-KL>`MVoKq)&HYB?tgjPb9wcT^LTtRV(kA#ustCW4YzL51$Wxsz{S^LqhZ$>NsrTVI>{}x2CuiH;~>vw{( zA1VG7y`C(qed%98|MC6GXz`bL$BL1zf2Dq9zp$dmm+N;OU-|x{)JH|_i~nL@;#pPp z<@#OXQPtmHmh1Oe*_Z40SlO5B_gLAN>-SjMm+SXf*?*{l>wg(9vZQ15vERp*OV4t`$6J= zRq?SH$4Bdw%UKcnuh^G(%Xk@F|CjebG1Bj&;uG!qH!DVdRMhN{a{6E1_>Y2p zsZY6IC+)MMe($Mra{og6yKnrrH6Z){UX9N()&8YjMXFyJk3=sT|A?{uXvdHD{J&xx zpW6N1=dY@&-&n`@7LWTM>-gLi zFa98A8FC& z`P5Fj;}VlC`m1(aEpqM$mi?RW^=RaVV^VN`3x8KWhmbyxSB@7P&*h5iXz)L7$FEu7 zf85SL&jSDB7C#q&|8a|-%fbJ+@lV$7nw?s3zQOsZT<4$bh`-eO?OzG&-z%(tzp#E2 z>0|uVjx+0F`172F#?Mp2`i1%xwch$6qq5SXt_;@ztsFt zs9#a*y(b+1+l0g?#}7YGjp}c)%k3EAzpwEn-Jh>$|1$5moj?2s{EyrD+cMM5`497t z+xh3OhR^%n@AKdeLXBX$0~p|Ji4(#P{F zjvv?a&+Ucv#|!h3j_c1u#;>pQpS?r)_|jkTKy&=X_~-a3_vbIQA$-_>*XJXvTKKr? z*IE2`eg0A}tlwbKcRhZkE&8s{Um8R7eT}aNh4ud`tp7J*{SlV&)mM4~chnzk@xPy= zzI634{(S#1-|q{R_80ZT_{YWn7lp^yTf+LdKYXV@6!!lcVf`P4^}8RId;Z49+vd6E z{{I$^JERKqS&sEba7KZ4HPH9%{}9k;H+}g(ob*|bdGq-+_lMif*Ny~z=FR%~>S6f_ zpzquNJwe~M{|AEp=GZ~U^i0ra{~cx9s-FS+zWu)#^nLq(E$I99e*x(G_Wyp+_wE1V zpzquNwm=g4r`~dY%lDVc_4DZG3;Q4T`5nIhQ0{z$!lq3&?DIRm_`E>l3y+7WkL%CN zHD24mdHUyVVLqRLK7Ssa@1NlNG5S-#DrJ9smnWYAdGhIgxHI8D8t*HD zKE6MS!?aNS{-lroa{S=?PxyXl)b<7o>u*f@Jm0W?*q^BWGEcT6h4m-q$%n6JqV{KR zVf{ma5Bukf|M9~5vm@%4>wMYoAT$3kZ;t=4@yqjn)cE0XAZ0JM#OH8snBGUo^J`T9 zugp`Q=hvwE*IV>){>=A$biT0uuk+OB_=?KsVPXAeNMCCHe??gTgFN~0{2G=2SHk*T zW|;Yh`LlmKAMx;w>MxgP+gn(F4bsQ;8)5TjzTpyDIcRk<#yG5UQ7s`j@lr6_Qr@Qb!o@}x8yLs}PWzc_V z{qEebCyV||>-%0mgZ@kF_w>ZQSTe|mucwREzH2+^|MISaMXrzjuUO>vU7JJy`F?|| zZn5g4|9m}MtoB{oLI2Br{U`Pp{V(_RpRdsQ6<_~`oj>#QrDd?gmbA3~B4Pif^}i(l z8z-9edd!#4|F^R6wQZKx|H+okoFKf>HUl;SU~KfvO@D}QNy-2FIz4#WbE z>0;~i=V=|?ZmW*|OY6ISzNXD_`Um}&)?W=Ba7?5BzV#j5vsOp{SGU$EuL9`*8s+7l z)f@DGO>2$vDuDj4<=H*dPkPpumP7vsNjDfXedIGZ=Kil8bN|Z z`#&`1{{KAY{;wZ%|A%?@ACHe4#ay4)ANuMB@{!ix#FyiwgZ@kFZzk-&wEhTT|E2Z$ ze!8!2VEjnyZ|%!*(n0^F^|uxFUs``VVgIG|^ZhEM=)bi7B%4EdZb$#6_03b&Je};MIQlQGU(<;%g=|9q zrS*3!#K}(Tp#QG=gXsAwu7BY54zBknrS%aN@;Mm`IHrB;GauyLZhsW$x3oUGg?vuK z0%e{?|4%P-f6+bk{|qcp=4tf*%rf^E-9!J+!UAQUM*r)}++TDL{hy5m$~=w!pIzqu zqI>B7Iar{~)9C-XW$rJ!hyI_31!~S&u4Jllq$U;`5za5k<+Fz_kWw1`#&lq{xRO$#TV|# z5~at5_}|W7dVgu#crKB@*zDw(`@eh4{og0V|G30|ZOr|j9&`VXin;$dA4#Y2`l3gf zpC2L*^ncly`@g(r|B=s1G1u=c?7y^rKhOT-c<`OZ_~~Ef{vSv4Kb|k}`aS03>;0Up z=gXc7{`33&tla>r_uja%H03+X#C=MJRd)FSTD; z7yVy5X8v}$D_2Jo2UQ$K7IC|)1~tNrab*GH~tIq^q+Z`3;$o|>3_NLe<)A?%Z>kI zdHP>&{Qoac|I3X(&d+%Muu+*Gzg{8!{QmQ{^#L)tU-A~m&*#9cjLQ!FK<)T*vS7G55c3%>7?2#D9*LDm*~vnYQV>zW;x1 zVgGIVuKwqVQ;RDBC7=Y9z*0&8zfaZo`$JIQ_xn9i-}n1B@cVM5-~YLi=Q!i*XO`{F z|9G;<|9nrnEQ9=gzrU2*QL6-$fD%vwl|=xLkNrJ&AN2=#*2m+o@AqHf@pqiC{}&4D z`+h$a^1oQv|4TgUtDF*00!ly$C;_2&xfU+t(rEM)xvuYap1eO?cN z_YZ8%Zz8O}wXl9lSReUeeENR>E$Uy34mhS!|2juKtd9EEV*$rB>fhj~ht*Mk9u{y+ zqyCMKdRQIxZ^8nOY1B_U>S1-%zZnZSrcwVEM?I{L`nO^M$298y%25xiqyBAJz%h;b z^BwiDI_lq!1sv0;zraxstE2uMSimuj`gc0&VRh8M3kx`=QU7j7J*m`43ZM?I|G6*5+bv}+Re*Kiet`l!DqYNt4KnW-TB~W|Nbp`mYP?zagyurm+57!ul=3 z`fm&Czay;wuCV@l!uszE>n{@4|3Fy(Lt*`Y3G4q`SpOqo{f~w9KM~gdR9OErVf|KN z{m+HhVBdq^lVf`P4 z^?wr9Pk8=*E8M?bg!Q`$>vt2@Uq)EJyRd!_Vf|%=^?M5I_Y&4$&a=Mf>1L^u!})D_ z<)5>Uk-QGcukx&)v$F*fxPSY2_8;|sCamArv%UcG97*KU&$Iui z-(OgNfUy3`!ukV+^;hw%pA$?mOkjMj>X{GfuO_U&y0HEl!uo3p>#rrOpA^;~B&MeC{htf#uP>}WOjv&dVf_t-^*0jM-&k0`T3CO$u>K~( z`kQ*zkKrk2QC-IK&&@pZNBzx(^+$NtFY3LN>`ZdD(y9(>?Cak}^u>Kyx z`g?lTudwM#yX%<%&d*ak$0zFVC9J=L;6`uhs&?Nt4ph5}Y z`NN@}kB|8M&dHc@Mm{q<^FjS1g!PZ~tRJ)8sqQKPuLN-X9_4v_q5jdr`p0z^#Fe~M>)uY*a& z@+N@u!>OM4FY2Ertbe+&{u#phXA0||Nt4U@0Pi^Ygi$=TFo>PgsABu>Sd;^_QYhie*aRe^LKJ&-$^1u1=Q? z0gTU!JjW;MUo5PDiD!N39ff=@jk*7q#oYg2c=jLnZ-cP@<-+<`2&J1-s?SP52`B+2pahhF5>Nt4KnW-TC7=Y9fD%vwN*xkDRCoa2A{Zs-Nt4 zKnW-TC7=Y9fD%vwNNt4 zKnW-TC7=Y9fD%vwNcQk59i5=JN+({e1dbj%AyaPdV-u^+^dR0VN<#;2E9&#Tjb@ND=ic9~yEZpnv!6-l`#QMSh4tSR*8jJ#zSMqIT_q4l0?UKbmqOY#iTanh3POF< z{{?J!O`?8-tDx3b0!ly$C;=s)1eAahPy!_+fakZDd-etOuMpP1Qds{g&-yB-1eAah zPy$LofNt4KnW-TC7=Y9fD%vwNRmk-t-=D8?bbkk7{fWZ*j@>VL^*x07 z>@Tcea)4#-z;xwb=6k5T-J2;KKc@)mpChba-h0pP-KD~Ot`^p}_pq`{+^qa7I{+Me zf0uCl{7zW^Pr~|+c(u9`Py$Lo2`B+2pahhF5>Nt4KnW-TC7=YX1RkgR8;ujq=cSh6 z8pr3R`TO6?{qs)v{{O+;AGJzA2`B+2pahhF5>Nt4KnW-TC7=Y9fD%vwNNt4KnW-TC7=Y9fD%vwNNt4KnW-TC7=Y9fD%vwNu)KnKU!FSqOkt% z!unH%^$!u&KT25t1Y!NC^NE%#4uS5_%(jr$q$~mCKhkq^sK1?OeQ7!Le|zZ$RbQ0A ztHQ^Zw}tgT6xJ7o-+?%euT%$RT(VGql#5sgby0tZ4$8P>q5fzWu@35@{+JHRxMZRJ zjxJ(LVO``i)^i_Gf1I%Xcwzksp7m9(v;;6dck=8G>Q5BbpCqh5Sy(^!uAF;g$bT1i z$)YNt|23XlM}2d5)L$d0zneeltP<+)F08+Yu>PLH`cs7U_Y&6MTUdV|Vf}qQ>#Lj+ zPy$Lo2`B+2pahhF5>Nt4KnW-TC7=Y9fD%vwNhIsah~_8(C7=Y9fD%vwNB9Pl3F{y3SzqOp zfD%vwN}w_c;PH2cXAG!+glBz~D=h)szekqV9c^6+C;=s)1e8D|0(ks7DpIZJg;4+K z=v5Nt4KnW~O1n~U)RL`A5{nLc?Pxq`ZEr)#0kZw@*m4FgZ0!ly$C;=s) z1S*;Uo`0U{nFi{gC9GdBtUueczRD>9C7=Y9fD%vwNNt4KnW-TC7=Y9fD(u!0bCz=b{spQJ}UtwpahhF67Wm_ zkB{eg)>kNt4KnW-TC7=Y9fD%vwNzF)?7 zPxSj`d=phYC7=Y9fD%vwNNt4KnW-TC7=Y9fD%vwNNt5If2*d^R4yc%=>so$E?5a#N2=6KPG1U(f=J|=0CDl?=Kg;fbN|1Ix&J@L-2b+LO#gI)j1;6@lPkIkK>cNo zruWYuZ_Yn^(DufOxoM~tIoXT!S#KGxN$oAm=>lzk(r?|#_*+9dsR<^1M1i_oZ4F`l zbwQu~t>3};zY9B3pxsDVe+$x2?ri)m(9N=`hU0gXXU__K-)dAh(ElBxR*YC~xrpVW z78^zJ6SaJ~l^aX`*X(EFze~9}Xz}N_8=3h(uKw>t{2Qkk{(O9C8t7*}su9+oBCNlk zuzoG+$94XnLH;+-^%E~R+)fbIKSfyoTw(nSh4rr#*1twr{}y5Wlg=>nf8FjT{wGiX z*U|Yur!lUhrf(`V+mpd4v9>eLH_Y{|eCsb4v32`S-Bs7kd50`ukb* zUHw1UqF?CwH2cr|`TG!h6Gi;KgdDgL60FbsS-+=eedf>lzWrzZtk38FzW5+Yynb08 z3*?zT%@RMZ@p+y_-!(oj71l?b$lvvT)1wyuUHSjbqVLKd`ADac|H_UH-b2S(TwUL7Xno{??-3)?R`74_fqH{YSTu|3EC@m`43o9QBxgg7zo#ZnwV+Y^O<>|Kp^O z$CKm@=6uw3{JuJ);ag-}U_e9gF|2$M?h$X8eZv@5<+6 zi~p|rD_Hz@<^Q$Ce^>r1Tl{zB^Qqp zZ?j*==O;WryN=&67X3o^FQ5OcZ_#)4e-n#-q5GHp-`b+@>i=kqzAJwo$8oijEPPz~ z?{3krbpBT#D?9%*(D_5V>pS}XSy%qI3j2Sp#ediNXO<;CUE}`@i@q!Wb1nL={$Fg- zcjbSDu>K7eeOLZJ()oYb_;Tex-{QY3|3-_xtN#xQ>pv!}FMV7;OL+dg#WH`o#{b2_ z{@-Qs-!=X}5{{oQEc&kezq9DOj^BrBJ3l{h<-hFI&h=gWU&*5H%D=xw-_`%sE&8tf z*S6@p`oF$K-uL;Nh_T+y(+<&e;!Q78_@f4TGD zGv@ql{+By{>G374|Df>vFYSNa^&gKp|L=}5=bvH6Uw&Sj?|$O@+ixBqdw%p?JLur^|JJ^gcXV{1-YN`V$|#zik_DQQKRC^xN^K^^|epZ{t&F{6ytnsD9k* zO{4h-`TJVGahR}v-1*NG=5vy;{$P5(!1MoL+97y7kneut^H09M2#ZhG`?q2KV|#`A zpKrZ<%QGLo-`Sl6eDUY&FP;y4e?E(^zohi@B|Ef^^YbieY{u|H7?dIz|1A+PHS*_xV-%R}Z z{d>GWeSx?`SpPm@eP0~HbnXv{|FH7qmLGTj9~S2S80hxab1jeWM;hrWsP)T=0Pf%I9KHKGWPWp< zpLzT`x@WEaYRLTNIzJc7e`^QJyuhUgMO)uqH>R-rCuQFKlDl_`@-OK=I7j)Hl>eR6 zqRl_~I;r!2G-97w_`68lJ3;$7XEttmEApc7XEtvDa-#<3xB=-mF0h~g}=@}vivWz@YnfAmj5*t z{u=+X{O_>v*Xv(d{=ZTFvVbk>4=R5PA=%A;QU0=kE$UAze+wbm&HqsTvVbk>uPT2F zA=%CED1TYN7WIECe+wbm&0i>gS-=+c@0GuWknH9k>GKQxd2#-HC4Zi0Sb@#!`m1Q* zy3aK0ZzT&HFqG zecw9sVgHdgw-*=wQvTccmph+*LgI(t_sa1UK9V}#!tparSij@eHJ1teD&qVf_4@!> zm-jEH)pkta9_8OLm?GsawD9Nk{~G@?JLC}ye_sEu{AKt*Y2nZ7|CPTC|L2sy4A_XO zuPXnDq-2VHO#JzJVgqUh*AwXcBg6k8`hF1Rzqaz10Ue@xe8~3~Yy5`*^PGJe@ZXs9 zmA_}uA#y8*ynmJFBR(GJ{2v0)F}r^Ve_p?**T0T{E!F4H{Dboi$3Nd+)%dr7EO7Id zmiX7}-vYr#thSx(6!mj2sdbRq)Z6$3N~YzFx$9U+Lw235DpO|6N1M6`GCy z7rOp1tbO#q(Dij;`slxJKIng;?_Z7TKfdoftX|Z7)EgbOV#IRDhrcg2Vs&dV+`qp0 zqyLz;I%p|?{CBjJ&v!HW`?GunEaj2E@BM3OzU((6AKV}1-U0M~#d3ET{6qg&g6-v= zME`r2yTjlg`d{e#B|x@lN%X&u=ay05_x$YH-F9;5f8TZ`$~y!7?^oXLw(}1C@87OO zd1s*i1IpXocHW`?E4M3A-Wlls!18vtopH{ zyY1XU|JQC;qP#QE|8>gS-FDug|Le9ZQQjGNKWszK?joNdp7qgxUXSjp8T5ZWU&5q= z{tx%8kNyw!tRHtd!bf$dDch& zH}I^F{%_-1AN}`zd_@083j4p2qyCJ8bKif+&lC9bFW4W)<`T%?_wgP5O}RP@^-+Hm zYI03_0j(cp7qgx-{*(u z|3qQ`H}kBI{!jL-kNka~AEN)e2>U<6vp)K7j?VrXLH@qaZ~b{%8YSevduiOL*jADM z9u-TXG#y9&dzQwHiftA7PpMcErRg~G->WokRBWrrfA5MVQJRh;|9wj1M#Z*@{P(R` z5~b-l^53sCZd7cm$bV|Zk|<5bk^lasaid~eMg9j=EQ!)|9QjWxjT;r)D)O(bSQ4e_ zINl%LvNUd#ZL1ic2YU7t^$+r_A9p$AbFk+Qq5dJl`iFYfkGmZ5pC0!P#ms-?e^|`? zkGs3b|M0kXC}#d6{~0m!Kkn`#|0Ckwp_uuP{Ev*8|8aL0`5zVc4#muW>-9QwaqyAtJ{f&On_-tM;Z4*gHHE8&)b`o2HEkNR=@{66|G z{rUYdZo9KxZS>#w=l9z+=s5%ZAM06PS`Pj9{r-Vs`#)Z~LC^Yl{&ulvecZnjJ?o?Y zmwMJm|0j9YkGmZ5@%{dXxbu0kLyU73QxOXUK{^R+l@As$03`f!3?FKDg0BKFi z62STAI@#t_9S9)*>tVYlWeFhv8)TbPbs&KJ=fQSO$`U~SH_A4r>OcVb-vrw=DN6wP zr)8T{bs&KJZ-(uflqG=tZ;@?I)qw!=zZJG?QkDSn|CMZWstyE@|81~cld=Sm|9siz zR2>K)|Jz}Er6-Zk0?$BD{|;gOJ3Z^iT@LU6Ul{ie#ms+<|GQ)6f85R;2TH%i~N5Z_YSH5IRx)IIde?*ZKl>qW@Dr)Q681nzKA}J~XsDJlWv|71~H*T#_lQ;MXh z1d#vJMQvRhL;lYwlA;no{?8V*b!`m!|4oq;l>qYpdr@20#*qL2DUzZRK>p1|ZCx8f z{?93rq7p#<|0rtfmDkv3hwPf|bk*qGH~lB)nRK7ZLsHTn)BVIRETcQN1sHXYun{7nk0pit+&GpO-7D_oeSF@_(iDE>)BV$p6)f z>V4@ui~L_Jy-OA40rG#nqIzHY&LaOeO7Budd4T-itf=0XzO%^xt*pw>0PQQ50L-I71jIF zcNY17QhJvv$^+#8X+`zE^qs}^S9_G+rHb+Zp zv&jF;(z{eq9w7g(DysLT?=15Fy7Vqpln2OvaYgmM^qoci-;~~^it+&Ye_K(#FMVf` z|97Q#siHi<`wx3oRPT%5*_kst{`__GuIBUC)#MU?9vjC;@jYI;TSUG;EZyBLdGAiq z_%HcBSkeKE|NktxQU4bwfc*a}-l8_JBmrFibNP}R^?z{!82>+sx2O#)NdWmLx-7X> z|Cc6!^UoF14XS<)0px#W&Q?wMCU8#J`TtyV{ks`8h}Xlu{isyE2H-z}c@zJ(G~JKj zbfxn0-S2t8pY@wH{uza+y%YFzd^7*Hw8p>4ez+g_b0aw4>-|qAWD#XkW4TarA_KO-s4^UrpEo3D7auYo@UVgCC3i;2kCZgsiOA2t4EIEShB0sdT0 zKg-p-mdY_BxLP&z+dBEmN%+T2L8NVj{$$) zuJO+#WbHqJzsA2TZ&ZI5`15v+e zgMdG8*Z5}=vUX$OukkO-8`Vbwf8MU~&m?5+B;c>{FUuR%_XGaCUE`lg$l4=-zsA2T zZ<{*4e`7CO1>NqI0P^44tGbHW2q6D`Y!!67R|3d?U$5#aW+Q<7_p?@1^`p%6~cKUsV1${~uA**0nL5e^$`=FKSRA{}q*gQTgNib7WCl*T#_lQHrFf z1aSVT()p*P{QD^XlJftV@-Hd>zRJI-{PFmEbWvN^#*qIpilnFnkpIl0wyupK|2jod zR07EV*rK+sjUoTz6p1K-*@v6Y|ML5V`%r6Dqs{kUaN{-mnY5mcG7%Yz@qfHbGpZUw z0QsK~QckmF2q6CxWtvgd5CX`5R!BL`mLY)rPm*ayRYM3M|C2+?X|@ajnrAA*5uoG5$}NX+~8;2w?mV*7y%0C6kTue}+sm zsv1H7`JWk5PP1hQ;QX_$&Ob7sLsXIf5al02N+uimuc!QFK!>Oz|Dno1gp^D+^8dN= zmjO+xr||pt#^gTl#rGe!q|J8TKbWrFD!0C<(@T-~dCI?}d-HPTUsC?_lz&P2W8--J zdlnYZv?u}OUoYC4iX#E!KN|~ZT9g3tKU=gl6~9A|za>rIRBi71vD*60Qt`mZB51hrt?opgWx6QUsC?qIL<%k zV*yQz5SBIfK`oFob|2IPWu1WNNOJVn&%_4 z@h^?IQ~eplzlomTkD}5#|96Vb+s5ORzc-dXgmC^pSLc5pSVJ|=)%ib^O))lHru>V6 zIkb&ym47IkQf$Ea|2&=li@F<-{~YCCQvT;F|B~{*K>3%H|Aopwhd<8G7kTD``WFl9 zU*cIm2bPD#+ac$Nct5^oKlAwu*X|(yOC1HjD6;<^kQY_r2jXM9-{x!o7PWIRXsql0 z=J}WMFU`*CrTj|+o?2atKA)xWUz*)8RQZ<%d`PQ!{&Sh*`A_qD1TA@8|e9`DBpa=G5#;t_|F$%UgfvZ_|J=%@4};rzplUXO*Wd|B;_9s zRFO*I{C`Ev=7046N=N^Xqq zpLw4BNBtW;>tlc7mPS4|dFF%qX<_}Fh4pU{*1uI)|5w8Lw|Ul&+j#m7U4Mmr{&YBZ z=y#xG*pK5Z6 z*V|PU-^Ge*5#xV>#(z=wKk~mr`InUcoyuR7{~MO`Pn`d8e26+%f#S&bE{%WDDELg{ zUzD#+{9EO3LnOMr%K`fSD^b7}@x$r)RMhJ)JU&?Db+d&)Z;gKoA=%9XmA@=ti~1nt zZy_YR`BDgk(4K=TD=a|LFZ^zx#tff292Va*e9Ch0Z@wQHhk>PWg*) zjVd}$`A0>SEr-|tcYD4+jQaNo>)-2HKQEYNSQz==r+h^B(iuAci1M|GpQrq7h(xzv zs{BRy+Qd)O`#&~BqT8?2_!s4C6Te0I+YpIvzf<{(^0kSdqw~KFk?3}Q|DN9e6vZ4_ z9It;H_4+q5J0As+|F4z553G?jkpFL#e`I!r6ns+8e+t3ot!M%F<7zf=B^*%eZ-%QRj8UkEo}b$Tj)Unsrk;QaG@oqxP= z4HFrl@gIh!DEV6`|DtdXYvg$4ABLtR`8fYC)cL=t`vLjiul#fPBcBI6^FjSTc-GJ9 zObipq=RwbWQ2!y%`Y}YF<1+I3qh~&-|0mD-Ih~1N0{J}bnGfne;#oh2$a7pqK245% zF46TTIecvik>?OV{!csd?^@gO`YS&F8JN?$CXoL#j{H}!@Yne#H|CK4vyS`+ zSorJw(>edYIr7g{Pb6^v{@t@awimZF^7%i{d{DpHvwqxo-%0o9rM@40p|F13c-#EN z_z6xUn}5jX1 zKNtA?y}HJHKWDjrU%Mzg58{6V{#%k}^R9;PNJ{hlh?OZ_sr+$%c-e7&IMj0etM?yr zgBdrdg}>f^=$!wnj{Hxt@YnmFo%4Uqk^eas{yP73&i{2s{+C+#>-^I>|2G`@ z=c>2A|M{k8eQdAN)33n!C-dO*PyPN`CQ=-W=T~oO{O5p2J}r)XejPIZYy9V6Z%ZKm zw;lPvqw`N2+bI7a|92eu|5@Wd3U;wFA8Y)Jv5g}9oW_3?Ok!mgYy69`jUxQE#(xw{ za%GP1c>STCf65{6Oc~Fw-gP{`>Z~o@mPjlY694?Xi}wdV?@B2&uLK4F|9qc6>i%%s z9fN^Ct6}_ezFNNoX3o^(uV141scje%|9bwDAICyVpQ7n>8vm|HJFS0zSp3ubKf~U?#Gi-M z_pf$}*ShgZP4rFNxQx{Q>Zgy8d71A1m5O1-=IUT*-F-U->gBH`}c)_w&CR z|86|^f4&IwDnA*Hzg$_*f0%@dnvWqG6eW5A!c zYy2|_S^H1mukkO-8`W1hA@}(sZ@0xims9ITV4(7M1L#=$U6_AZ&KCc={((uk*{_tp z8$id}-H$D7{@3_-1W(ob0)IXK@xwK$${^s+^>qGc60&w<;IHv7%Nx~40)O7F@y{e= z?Ihr@@h{68)%OGbyj|m;NyyqGfWOASEN@g_C*=MEzmEXdqhNhayAjxg_~ZIRH&v}2 zmB0?lKPoDba=R&i5w1~14_5wBQ5B^e9&f+a^`AxI&W#}d#mb-26vZO{Z>Lgm1BxLQ) zz+dBEmbXnE&wswt^B)^BuiKIT_sZWZUlh9+<{#c}d;V3kpLsv1?j9!Q$71~dpn&~= zji`eB|D*gPlJipx`Ttk>`vDtK1^NG|{3DX{Qw;h4r2PGWji`eB6I~-#)M5n@c;~>v z)}QP7XF<5zRr-kdCyqDg^BYhJydSN++oAK4@!pw z!RK5S`S(!%&P+QKcz~Y2G}V~vuTfOk_WY%3FH^oVZQW)k@E7H8ha^~Hg@Zc3|1+H1 zru!2cQd+ME7>r+w^Z&9s|N8}OQA7ScmA{3U-_6Lsm-6=u7}TE8^(R22xXG78_}kWh z>hagletIAH7rOpa_lKYTf%E@zI{*6t8&L)MFR%O~lJipx`LCe-{eX?Ag8Wxh{t?Of zDTe%4QvQCxMpQxmy_J7Na(;>-|0?D02W&(Y{fyw1*Pt1M(rT2gGb2;SSU-@?q%=1>{ zKS23=CfvCk@?W{k`LD#suM=`V5AN%HV4ARgUt#@$!uo3n>kk&zUr$(n1JdWu*YL+F zeZ}W+@P8Q^-mK5*&PRRt*0Y86M+ob0Bdnhi*56TBeVVwi zL3o6Bz9lUFed&kAzc2l;`1hqB7XQBV!{XnUepvkb(hrM&U;2B%`1*P0;q1J%Cn)go z46-#TL_qoHg53w=pW~5_FPzS;6+Lx;u>Qfq`iBeaA1$nZoUnfMNGPo2Ny7f04*Gb0 zt8Ia-yp32OJV)OqB?r5>xBKkiS+B~^En*vzUKevJ=Ky*z)qkW6ybP< z?8wPqLHy(V&*{j5T2KiH62SO(eY{{h|6k9sFShf4SAE<0zpK9O{NGjIcK+|GZ#(~Y z)praJYjxZCzpMYY^M6-;+xfq%zU})&H>h zKQ+PJ|KH8g|FHSrmwwp%?@K>y{`aLHHvjw551ape={tspwR+h6@5}$N`QMj**!=HH zKWzT@r5`r``_d1a|9$C)&HujitpV&#=0 zVf_a~__sOW_|G4N^_ztC9}(7n4D|Va563^J9e0CR^=HU`j(^|&HVf;&7{cEduor~& zUl-PYO<4bJ(&zZ$`QI1+MZ)^N{8XLFB=8Z$r|!KT(1wM-PknHqek@LQOX^nbZL z{l(&&lmE?g{jB##{q2PH#|!IA^HF__nB259pWN0G2^?R&v4CS5_4)g89A(?8qkf;Z zEq?w%{h#@fZBs%0zHM9l{Db=a{K&Scpnm_hEq?w%{Q-Vtml_r1Gbm;~L;nZI-2b&> z=6~GX#rRn#W*tKR*NwUVLt^HC+}*|aaa|vUJW!wSw_>?UO(P%Q_d`*CeMiuH(Dh?0 z-9LAfYgc`$u>L{9`t3TT8A}y`BZTAUL}C4UVf~AR_2&xf-z==ZR1JnqXYlwk%yS1( ze*x1G{%_(*S7k~=;BK0q!`|=Y zx*n^M^m%<3Ki}u|jjsB?7uJ7JSYLXtKf?ZBW1g?MK5vxv*QSs2&la`{d2UC2exGul zGNHv$f2+`vg>69ntqYS0t%dsAgqEz#4an#4m|;NwXT;q9BVy)%+}*|aIWlG)LjRA7 zx&KGU%>TH%i}7=e=MJI%OwampmqR{vo;!s4$9mR}yBzYF6pAA9p$Av%qtQQ2!3k`o87XqU-meWQUX8nk=@5 z-#6p?{UxaH`u>u?o@Vabag@N%K+t&iDAI zbo{CvXXcwVsCdJO+;rzE;akJ>tLS*f?S(6JzJ>MCU+hokD&bpMAN}>Ek1gZ;wkj4V z^ECRuTABO%hVb!`_4#T2(e&+RkSgz1C>bt%l8vQ{1eAgqQ9;Q*> z_5I2={pGQMV;cQ0^!$+B_)_@#?hpHAm*49v4#URb}Mu)b#;?c`Q3vj4v3 z%dq*mT?aj9p#Ozlzn98?&p1@hLSStgUt#ypU9aEQ7uMfISbr;F{ZYdDifPwjQV^% zkA6f=Z*ZjS{r^pc^|uk$A0@1h`w922@AVI;-v=FVOryT*^G$RI^op#I7T&@qkr10D6SI_j^21sv0;?|T2dcB+}5ZO`BHb(^oRj}X>BUReKh zVg2)j^?xC(f1R-YZNmDE!umLFaQymyeuVm~qXT)S2OrV#{J_uq2j{8B#d&_nnU8-%;Q9@g4PDkMCpl?>K&NeOJEtIesP!>rWBZ|CiA79p-~v zG5!Z(0mn4z7dk(Lxq<{46J|-&#r-UzrL`3wXpsOVf}4Lzn<3rj|-c~3(OxStUs3d6zHF=+9cMe&lB_YQM>h0 zHldL1H4*js{jB*OpQGxhCYbBJ-9r3~nvM4xd_SK;eb?tx82{s=b~Iu+jDO$yQ#gJi z`jc<5eMuj`U(Q$jPhelvZ(J~mjw_;mb;rdb=iY3IPuKXr+oJCp|M$cGWq*Cm z|9=8~>G>b`@9@ZbGFm~LKSxBX7Fz1J`*-~Om+zQdt&bM zoQ8di!|JF%84Eb3 zQNQD-nuRxl`o7<`h5F`gK!y8jtBLcc>-_egsU6R6zSg(&37J2A=?@Xse@R&XO<{eE zCyXEI?+@P=9mq4?D$M6QVg0TL$d0e&g!QY0^;Z$rA1tiDzOepqVf}8x@jp;le@kIL z+Y9TD7uLt=7U%yhv4CS5^|x}=J5!j?9AW*-g!ShN>t8Rdf2*+mUBddm71qb$gX3#! zERbhbF3 zetHS(R|)Iq8P0hZf8Y$mpP%phzW@I)==;9^&;IlMZT6qa+j6{=n>wL?Yk&o*tq*aHfA*jC+x#Vc*Z61uIX->IKl{)6#g2bh{vo^F zTlP~BpBz8Dzd2oKgMSBojvvnZ-(f7WmF*Hiqn{~VvbVE+7$??Pco74H~ za`}%zpW}!1InCwswd_CZwfXBQ{@H)lZ}Znv{ImZYpT6Ut{b&89E&g4_1paQ6#wi$$EWZ3Xa8A$X^a0}`34M> z|AFF@@8@y+@c!mBREwTGllCaZ3&#)Zb2_?UZb|l^_1gUP6#ohGpY_}P^%Vc?KgXx< z_-FrFe`$+<*YB_CPWxAC{WI$OUjK~xzSlpazVG$VsPB9IGwSqic-*^0@zVG-)ec$nq`o818Kg9omxu+M-Dbzp6Sus}t^$*V7 z?3_aVL!1?J1yKLc+|AA@)SvFGm@9z#hvjZ|PNDwc&WgDLs|m+H>idp=)b}0#sP8-e zQQvp`qrUI>M}6P%kNUpjKX)`F5_o^r_xD$#zU%i_+WhzZ{W9qPO6Y*5V?}`9|C2hv zoEf&=-|*CnsPAtnbUhaO@B4XsRR5V@+x@4A{E~G1ZQaT6=kr^>Uvor6ov6id{PvDo zF{Ip3@Spvy-@)|9_w@k!Ulrn4)NFkJGw(mC_domA$M-+`*2nih`_{+zKl|3l_domA z$M-+`*2nih`_{+zKl|3l_domA$M-+`*2nih`_{+zKl|3l_domA$M-+`*2nih`_{+f zg!Fn<)aU-7ALW`x|1q7f-^1zrLF)PA7NF1Px9y(ip{w zCxO0i|3?y^dLjRJ0DUR{+wu1F{FnV_efFQ@)pdR2IO0=H{<1!&@qD+?IO2M~uaD4w z_Lu$V{&4%Q7Uvt^{c+u&*gqb>{Ct_8fARGlKaalGn|5K)RsxY5}h4p6$>mMVme>~~) zc;)q1)d!iG!u9;^RM6+~%KEOyNA{of*k9~Vq2bT|vp)OF`rMyF^=A_wy#MLz{^3Q! z`d5-Z`rA4x_kM1nd~Oid=j$)tpB(>uKc3^MQ2+V*i}g8PSfAsmQ2pCN_Aj@`{V7!c zE{i_*r%?T0gFgF<@l>e({h-hO`qKXs=_7An@&733v;V&I+pd4<`(Kzp$ER!jqdtGX zh?M^B6ev>qdkE|ADXc$5Sbr~J{k=WwKSkqetEv<>)){F*XWNe z&HBFdZ0)iCT<&N5k0*=zeLd;24DMfSkINNmQQ!6Rzb}Nu566@1`OoX5Uub`A_1+Ef z-&QZ`cGiztKHqYm2=kdX%AC>q+Ml-mVZ8UVRj_RTLYNOWkK@br^Tjs(URb~}js7p^ zsE5^2UwVCPe{{exjqy3aQBS)1_Z0tpz0T*KQti6V_cp&&zjH#$r?`B6qVd%@E!zG5 zWasX++uHLibNrRkuM*Z@Sy+Ef(#QLUzRp($gZ>QKL%#HfkUr{Rf7%5`#EfAUeeO?0 zIcqUIKKlOtV$^s2{$lJ9>brjb?4#?MI~q8CeO(WS#XrXnucya;Moovszb}1`f7IhN z-%pR~FP7u@XFcY@Y2WdW?YpL{Y5cnCEUooN2=m!mSReNbULX1Xd>`t&e!g!zVLm$u z>yH)I-$_`1XJP#T2fEI{7~!3#F+Nx7ym;PQQNMTI3b_@MnPl*b_j#_k$6ODv4cZN^ z&64TSnZFr(gR!kQ8Jo@Q;7{$y2$8o4&!MYv&o;LDihB+B82|q3kZkrf=`K z{`8RY4=m`o{JtUOoA2nj{81t0KfE)y{2!s*sW<2L<8nyf3h4(S{WnV2A8p!s8`57v zy2mZ1Jubfrq&I@}4v?M#>0>C(J7*50(@_3FNH;@z5v6NSH~skuw)eZ$_+Pt|*}e{? zx&2LG`wozv0_6{b?WaKcB1m6LY36q?q?;i9Jf+#cf5Gyk+%tA1*I-pntJ|1`Gg1!Joyzm6^CH~fRj zlWk?|NhjG%`aQ;EyTEC-&3`xBo0l=$+tQp*wiVJ`u6`|Zhm*HgeNFxCW%R0FHfi3@ zw(+%&^LabkrvEeLTgax#Ca8bSA^z1-Io_TKNppU(m+23eZy_$}?xsI=3(a=cO;A49 zZ=wEjea`1JTHfCBfYELGgR%AGX9M>WZ0#+ENBy$KuU7K2`WjQe_G)9RCQ*8-u?>`N zBAb{&+mE8{CmP#K^;^g$S@%cNZXMaynWlXDIAd$bPn+fOgm&0%W_+!X*}!8fDAUc1 zuSB_yuZAkKA9!4`<^5et<018_S@FX8Y^#?y^_zMVe~Ra@@zuPFDIfRom7;iIi{q

    <{lU@T^&S#sZ{Z+q`;atP>8IOaQj<08KH{&aK&dB5Ik<8dS zsm#Y$VvEklSKVNbcK@%3Cx$5->_hCd&-*z$a88(+0LzJk+~gpM!S^TXdQFvqW89ZsB%U(Mq? zA751?&GxY4SIro+J?inRdbBAY_v2UXR>X~L)7BqVd`8G=4*$*!kL|nOEWzv!D3*RXcLWY zj<2S1Ccl;U+n-Fj>Jej`Uop0>DYsnn2PU2T%J`ciTTix@Y~6RJU)2e7|D~}9+2xFF zTFuzjFHO0|WlcIoJen7qe7=9kezv}9+OK}y*z}jiHcm9QiPEh*nRGLynOpiRliy0V zX|YKszcH4_6W%{ezh<^KlC3|}?4R0`jcp>m7Sc(P#p74vBvZcSjTrD?{Db&VL6^3CjXQ>z81uEeChR#wEr`m5#9-0}5n=i^K7Z|L=xUVmi>M1KDDMDF-{TgR6kzcK{$ z`LbD0;QD+y{dDg5`lj>orS}i@_@&3MJdR(9zvqsxEWFI0Zu}3}dRjj+@@}(^3O2V( zcA=bQGB&luR?cU=iJ7W|;z zp%y(;E0GBL8T_yww}W~oSoFAFcO%!PN69w-xxeRF^tc|s@5i=3F7H5Z$z8&F%hEqK zy;~#d@p}bqdJ7}!1?$vxp5ACmQgGQkhW5$}(^@5~(^ti#sSN+g!2 ze^3wO{ql48F34UJ+>#+`7*89?;$K{uNzXk8> zpf%pkdR^`Te&kYi@cz%eMDHd35A;|E`K@5l<9f`@7JsXt-jahO^FO=QhyJnY4U4G9 z?{~K8jf|+r?{nt(V-Cn~=MMCOu5mnbJ$`?!O>h5*di*|9)?=>d-%%DluE*~$Wj*#A z_0F{DaXo(D8|!g9sMlc8<9hslH{QS84qF}{H+P`7WC(J3exDobaXY-7_3pFialKXP zAMP*fV1NJIfnHD*<7G9{L;q0kA06l|*TZ{=xl=dRup(w`7-DZ!rDC z{_%cd%kjKZ2YNwO_K(Z2&B7s;^$rHTkm8ATXan|_+he^`KyS&uvX6n(x)Jp*il{dv zqTalSdh3xM?vEfH{BVDN-GN@Po%_msh6b6LADiBz5%qp<U~do zLA-SOb6@U!5LWgF+7PB!^MhH}zH&spu=8EsU%Y>#p6{l%OjQjWSheCZT~gh;W<=6G zjX(AO9h3Du)yt$?el+Q(&x}oeVQhLCv%Q(pjh~zR7P9G9D$n_puBG%pzcC!UXIcyT z5d1C;pZ{r@G2ZZ__nYYFe@16{zZqz^asO7;1l^r5Ex zu+RS_pP!xO%zr-6@s&kU?C1A!`Fx#@FLV6j=Zm)SRsUk{`1(f2myWLtfw1R`I==E7 zUoEfXj<0Ut>iJI3M+nkEqA%V{Ce7N7U;XvA1q8>gk zU~X)Af81-)A~yeCim1oyMQnN>MAYN;A~wCRBI@CK z5$4MKi}!Dr@62^H=kq+pmh16)k)Ry247PDS*6ZC)&nW!wNw`V#dJ)!R9k#4D(4xoX zdA&%W&SNk5pSQE#+Nc*4%KWrFs5i+3uNMiDfgbAw`zQEeyWz)4H#nl+l!$u#yxtbi(OhQSXw7di=Z|`^(2= z-oH0S)WhfXPvh4-D`S+*H zKU-verzLxr?fs*4*9lp_`Td>z-a&rO+(6s;{hgf8w(%#!h2P)F`Sp}vGsEa7#~F+7 z?`);_cCzK~|EcO_%5#30ZKC(TwvbKp`(Ww&fAIaC4fOubYI=WXWB>fFZ|hezCZEt%ICw%`;3vI7H#FTF)4s5eKCG)55AhSJjFzHS+wu)@)W+vS- z!q{}m*u;2aQ^X(NFWCGe#rqMa9KZjJzyGI^w)6Wt+un~`r0@SpJ#hjf$lAN;`?Z4k zgU8n+e@H>parE*4PH(lDxvCYgiAypQQS5qu;<5zF(`V!EDFz zRr3k?W%+)srjJZHem}15z0HWBz=KbC9 zt>F}Q{A%6C)VGbVs;Q!@w>Ia8!F@qKel4-Sv#YQ7M*Gs?^FZ7CnNsvV zcOGBmw!X8{-yf5nYtC1B97kQ>Sw+XI^s6*Z;rNB$59#~;?um8AW{*p_zLUS#HT`k! z_QWk4Futm{G1p(g z*lIg|W&X*2zwySsfAV$Rat)MUN4AD+!$>n;s(HKA_y4?3+}<`e`KGbWlwU<@zAi#uVfkE+ zx8wc8db*#}K$gp~t-Zx?uA%1vjpPsBpXckZ+Np*Y-k-27ZLUAL-dmwr-EPhpPz$XPr7Ww{AWHb5%qcf+0CTS*2X_|Z8Sc? zJ`R3Z_wI;%(h>D}y%Fm_98o`UUB~_>Grk7D%>UfX|G^LM-{vLsy965`ewrwLYD4r> znJU3A>tB%hKlow&SC`PwZV1tDim2a^75Sh3M-la@T04`>qdE z>toCDlT44!l*-hB@mqiW>})>%Nd{#zzpUS#^#4PCv$g4GBs%;_WpabxK!3T+Z!+^6 z{9I1&Wn^p9PuM$#rdIpEsZ3Vz8|W`j|7T3%c=DgE zRezq{|3H6KAfEZ@Oa8O9>YHlq{w6ay!EfL{zbh#7Z-URe*oNu1-ZVNW-uBal{zLm~ z$X}BRaJlX1pCE>_KbxkqhTj*~I)CSEn%_S(zR^5q=J)*s{s%w&KA{@g&hPKx?O*@+ z)6AgUHC3falMZ4s_&Jjn-Uj<1_+eJOKG5VYv5q@EJDb&&HatKR zBd<^7b-cWOZ~UNCwj}2dO`0_Oog_Xye{=gk{$%>|;hLs=X8m2Ze|#KorS#5gnC;m{ zB>()w^gC)3wf#)_^z9wjYYZ6|BPc$`lAS_!I@wud=a8LCc0SpKWFIH{BH2Y`7nAL= znc+5o>=3de$c`mDh3s^)v&haNJD2QyvJ1&RPWDBzi^wh}+hcQTpX?B_Bgl>=JB93Y zva`s}Av>4se6kD4K2G*UvWv(rCfj2KwNG{k*%4&NlAS_!I@wud=a8LCc0SpKWFIH{ zBH2Y`7nAL=1+`Ch2-y*2$C8~wb~@QvWap5bOLjilg=8Nm`y$yzWEYd|u_d)nb_m%K zWXF=7LUuaYS!CysolAB;*@a{uC;KAVMPwI~?XeZLPj(2|5oE`bokDgx*;!=gkey3* zKG}t2A1C`F*+pa*lkKrJwNG{k*%4&NlAS_!I@wud=a8LCc0SpKWFIH{BH2Y`7nAL= z4Yf~p2-y*2$C8~wb~@QvWap5bOLjilg=8Nm`y$yzWEYd|u`RVvb_m%KWXF=7LUuaY zS!CysolAB;*@a{uC;KAVMPwI~?J<(tCp(1f2(n|zP9Zy;>@2c#$j&7@pX@@ikCT0o z>>{#@$@bWe+9x}N>oWH6%0+Zdlx*r&b3RwIz}V+|8^wTeM?bY`Q@^8a z*}P0eK8Fb{6JbNx`9XxLB1P(}%znIPfw9=gbmGzlH!P9%!R3LF_Lpd;sQ)$+m&Q9f z=CUtw;q&5-ob$n@Ii&rL+ABt03vqe!&W^bpMO?ad;*1Y2ABMEwNwcDxs`?lnEq8Uy zW$380v+bw*n(eha<(3PZm)PmxdTGtf?{=J#NSgn+BH3=E%s)*Jo{-&Md*+z78cY6D zb-c;1JEi08jSI~BmnG{2|JOd1TfXraS_e^QESGPbY|1q~nOi>jgh}&#`sT+?I{iRy zxtiNe`&D%&zvUQX8>s!p@67h}B_=;PmA3C`Ec?MWwMWPKH3yH&7O6YP*eWVlRcq2* zziGW(9?iSw>Q(J#(k;uA&KbGeS%+=aO}ToU&$fD3Q@?2!V{1;$)vMn*H_i20`vWRui>n&PL1{TWL8jqR-5xZvY)j(8@~a+(+vfaka~WY#nA3gC66xyBWX;5$1fdU2A_^E!vX(R+W2aJeJXP_cwfxuLd1o*^tulg(J(P zm-^$Eb$lfahyu?K>ndb?arE%g%d@+e!>wA2q=>C1!{dwv8hruujev{PAlgEW0 zzkJ-^(D7wJ>-eI81LJ#qv3#kHiB`TbjzzYOU&4>I|D*OHyunm$Lx>2@|V z{(Y>AOXT^vm3DpzWqfP#D>(lMo?$Xyyzk3tKL1EPZq^Ak9%Bo$1X*8DCwyHwq#J9D zO;0eE`&s=&ZkqGi;`vAYcvIfCzAZ)NSSLN!)Z_JS4M%j|ZY%NN`e^HSr21nz)@j_K z<9uK11KQpHoki>A$hMMYzw6l_Uf0Gp&-HDr*Y^29q4jOcba4Hg&-kjbjIS!o{`WP$ zm={|dUsb~6i=VG>`?lvR#Ts9>^`knzXpc#aFS!33jOSo{_258(^LoCH=HpkBWqh^L z_vW!2+NEWDVZSh4s^gcAuiQPs>$5pm{P+dyv)i2?I*u>yN0`;|mAmd9KmXu*epqSa ztCr3m!|wk|kFTDYKo5pYk^;W7^TX`(6&+t$Qnu?a!Wn9!9>41N`ht{neC5tRvAh1# z<5xD4UGHy%4lLRbb$sdZYbm?G0pn{@m!H-RLZYD|JYs@lU}vA#4zHPcm%@(|vYVT~ zH@142owDiLF2*+g*W}kxe$^b4POW6NH}^EQuCKAddm36Yze6*>!FN#xzsqHQgX_oO zf4+ZQeZJ9Qzq7VJ^Eq77Z>09BuQBDC&NH@#>ebWt#-y(@`K|XF+we*;%D+TJUf zX*>8y)A!CKE-~d=E;crG6IsePr8DOhoW8(p=lt|8ld}J|l0QxSy*XTf?6L!Dvj3$L zsU3oUhSB}<`b45BNY}k>-kX)8^!NR_d?J&TNbI;`Te>MoPx@av6{J^e(>LYQ^j^8l z#%z0C{ z^V#zA7fz$)=P#I_ZyL`}()*g@u2K$>hj(U1%s zU%C4g&;JqI(l);GeZJ{BzVQB48(-n^m3f`nPwQ;7PTK*i?wiTkrt8V_x{%Q)?V8OW zM|L9FUC8cEb}zE~k)1|%4B7EyCy}ioy9e35$xbC(OZH&0Gsw;)dm`D>$j&BvKG{pj zUP<;^vNw^PPxc%+251>BiTpEK27#HvM-Z; zi|it@pOF2E>3Y%|%H$i7MTeX<{u{gUkWWV@U~ z@j`ZM%1@CUOLh|3-N^1u_5iYnkUfHI9oboA&mem)*^9|uLH1g*X|lJIy_f9o$^Mb- zqhy~Z`yAPq$-YH)5!p}3ens{NvR$d)y~y?^+n?-eWCxL5kL-qIHzm6j+3m^hNOmIG z-N^1kwwCN+WRD?xBH7c)oeXitJdjlgRE)c3-jwl0BU4OtQ1co#vN69`-_BpaIlYNWq`(!^N`#ITf$SxxLG1)K3eoOYhWV@bf#?`W9S0LMm z>;ST>kxi2Qk?MD&bWgG?lKmOkmC3G7b`aTh$!WKSS_GTAf8o=x_AvX_v(oa|h(H;}!B>;kg)lKmZ7Tl)`E zxrfRAh3w;GpCl5()PE=zDM@oWLwEDCi@?8`-_d9zgbBvWJsBn(T38Pa=Cd+1X_0kiCfP zWn`};dkxunWN#sRJK4L*{)X%WWFIEGHSyYk>{zlpk=>c>Ze*vB-IweEWDg=c9qbHB zA5HdHvL})~h3uJR&mnsO*-Ob@LH260^T^&x_71Z5k^MbcTl)`Dxkt!8O7;n|&yf8; zvd@!cJ}*(4xgpQjXnPCU_sM=l_H(k|ko_;&ZnS@TkzI*wU$O(qu0eJ%+4ab7Kz2CU z5oEU^JBsW$vXjZ~PIe!%)5sn|b_UsF$R1DjWU^Gbb9Sfv;Cm~A^3{8q{G%v8N%?8YUyT-SZ=K2S z609^xn)~N`BQdxd4|JOLHagp6(!tOEncpBkv5(2WC7YW_oJ#qPl>gCkX2Urdlht3> z=r>dOD=0rT$mBmj{@lprDZiS^--) z@~2V$`IKKv`6r=ZMQhv+!ru@ECK1KPdl*tdqRq(Sr<=0cb`4mJVaTw(%Mw#++ zP4UEKl%J-2j<>rq`GNmc9~l4Fpz@Eg&JIRrn@oR#pU)^iHOA!gxL6^>Bj{I}@*kys z4WazHv8MdFMkX!%<)=?G`3GjEay^ zwh+(NNvBU{90&PL5D&vBe;(!2;U%#nKIPYwK9_IG<_}0D{%S}zQTgXH`PuPB&-GWO{5L6|pZAZa{Ld+$*B_Xt z=9%w@>S=U%-N3U{epSlnbq4(?e+SCvbp)GG{$7;dK+p4e-Z+f%8!3NNDt|iVw^IJ{ zlz%nlCuqGuUz%qYd=~7l0g0wJ42Ooyehq#aseJMxv%cT~+V4%7{9ykk`_*L2QJ5!Q zrSiOPf#czGDxaY8Jnok7W%%%V2QI&ECO;cjeT_cz-=50zx`)i3%l_<7`6*ft@z2b7 z3w~yE`70)5(?4eaCKA_k{*@;GP|9CG`S0zR%I2I%`S)k?yChaiH0*G8HYYQ!Wq+Ee zd;{rpB|gtmKCl1yfXctY_zSF#X8qb$mTG&6Dhxj^4}%>izq*JgDJlU<)awTnR3C;29(e1X?R?W zq5L$hvl&A>Y%1mRdYpNgxD0-d$>azA+)Dn?;UaMXm2bG;v^&ZaPh3y=EtJnZe^2>| z2TXZBp8kXKQA0zZhCO?R)OCYWmQ~A25jLz-UZl4tlhvd^He^qjHP$s`i=G*IP zKbV~@xi^&`lFhG5Gyvxm>7-sZI$u%wDcSOw-q1YIMES>)eiQ3cJX}mVb+o>O_ao1r z4U|vQc7o?mUXL=K^m+c|^)Wbq^17C1sXWi0ybcEEPhRKJo67V2SwrhhI8J!}tfPFK zKY4vhW_M(NuA}}oQF%U};c?3AZFrpimdZDLwNti!6^-}5Qa-PXd6anaJlwJe?ht}D&n}2A156?e5Px3k)oG0rN6SIEuJjwGpuk+#g`M()|vhzQEe?89U zygrD_ubjCs3Cbs^JkRGm4>!^}BAkc!8Jo)bgY$6X=-hdj=T%<6#PjNKYPV%8a~$D$ zmFG`h2eo;&l|*7y|Y-Jb#`~I?X*z{9B8J5v5<+48F;eg}Mb-sbgNld1d?FP!{{mAonBjw|~-AeiWVBWqPIP<(+HQBU_ z^L7*Ek0M8T-cI~GciujV`qcj5ZhGIuNs{K1Ia!^|ae?(I|He#yuwPoM z4Vlbv&i>p-`HA5s|76PN`&9LmZ(2_z9;EWkl)pBWe<9oMYKe5hj8i(yCf=g_1(eU{ zQU9X+YoPpM(y!Un_;Wya)4)&J@>Pj%6XrUavJ*FEHfQIht|q^U{8=`0Ajr-?T}(dn z>6gv#pV*te@0E%t24(UCJ}u)@oRzg}Q-0Ni-24%gUjzA*vihqf>ZxCZKe1mnzh8pC zXOw^BSmY5CgE~N6!RDNwb9z8+%i5k-{ zI{i<)MEO;ee+ucpP5BL!|0d->`k>)fx2w^aOZlI(&Tb|@xStjL^vE0%0?ze&rn2eP zDZdZpr>2_xG1;w EpBU_Ykr+&P<*r2LJke4;j$&6z>@C-ftKD4*jz#qCo5aN@8h z=~w^O==1S{Iu}uX%Wrbqy^8V^ zRDLLxzmfFQN1Ap|B>nl6pFF|jKTQ3)kMdh)nfy;EpT|or>DQ3{{Zzj76jOeG%72pb zYfd%!>rnpRDZifbKd1b6IR7+LenZM%O!4ELDK(|E2y-oMiixxllPybXq9nqQ770_x zQfUY&VNgk;|2gOVJiq_FAKj0~!!*y&YhLG^_j#Z5IiF?b#vc+sPRZu_F-UtO@U8eH z7mMD_ll$N)_zC=vI=)2oC#e5v$CnHL7JcDz(qG9(g|~p;qlkY>;-Av*%~k`wS{bzO zf3pAAe`^z-fqzCmxI9liE&2ll`bzYP=Y>!3#K-@l@U{5&MW2GpUi~ElxNnV+i_zZ( z55jLJ4s+niwW4p0{sFjJC%h8%c>(TE2(L)}-FOUc5WWuo4d^qk3NKbd*=@V?e@A#x z!DMtMd>Zv}dFaO{3IB_7 zBOi!QeabDY7m8-Q$9D^VDn~w09v(^wZy;FJfk)wSd>X_3dquw)-T|KeM0i=^+#jy? z3HPBN0r!0_yf*zc4j$Yue2$VW3QxiBgfD@I4v2m#<=&(Bn|UdomN>g{@uKtjTJ&?# zyF3Yh11COi9>{zryfpQH8z1$9@b*f!z3?FXKKTEQFZk~qN50j1vwoQCS&zB=PyH(X zF8_bQKbaBk&KFL@Q@;s6Lp*aTNWTaE6yBWrmxD)63%?6q1D^Rycpu`^03JLmd>Q&H z;OT$z`?&m!el79$qi>5odQS8%pL@ZT>Zr^%-~L~z>)om95Gd;&Imv8Yh;FTLYNj-z;5205TMBf(v6Fdm-06z_n!tcnE9VIGC{-{cn zi@t*9W_&HCTsI$H27er08htl>g4M-mHvAfR3cdt>13Xeg^!?#8ogUr`eh=JVQ}l1a z-MS@EPk2wbn}?HU$xrxFe4^-=!reUVuP;8oXUPuNkNyV2(;WDV>IIlxZ#Ndc6Q5^X zJuee}1b!`g1+NNs`R2oC6x^+^LYIrrtSs5#@*zmO!sxe9ZltZ~zlMJZPjnW389r&a zubXf;PXB<%;JffCQi=Jt=v9_fftR(sy8e6JcU!`=q-ttz;*%UL{x?zXCFm0#eRKSy z7m2?<%-QWKcm(e9Z7lwQapFG~{e9@emxzyhj$#p9T`W9`J`Rt<{qO|-%_fV#EB7^c zCl61;LvZJ_10I22iT^(MTKE<4AK-`Jwc#h>>Q<>w5dJ4T2yX;el_mb;;jh56;kBlS zkDDJ#!mo#KL|+?TeyZqSg13Sv;g7+)!iU}_di~aJ{ouF4^)lFQ*TV0GyKylBz7k#= z{do9W9zFwp$iwHr)ikM(n=pr@(XJFW^59e(6l{?+RZ6kHB4i#x*zhWs=Y4S|!UXwFdotw~NpJvc%{$_@PrEfr(_Ey^{`UlZhfrlRu?&gOp;b-AvIbaNjuX$Ybe`JZ#t?(Nj z7XC5(9(c1yguC;g74X4Jgx}5ja2^J`a8lUT1~qYs0Ho zmpF8WyEwOjKM@!GLiD}hjaCUy!-v94Jt=%V^`8l!{%u4R5Iz&$27Vm=KJmF4zHyi62cnO_i+>>8 zo!2ac_kq8hB_DVa{_k$l|BTNY@Si@+@ADq>vOj#*m!jX8B_9|Gzhb}eC-9j7Pr<)s{+aLmzZLy>^sC{8zZ34x z3*LeEgSSDyA3hg;Gd#PNwD))TGV-kkeEu=>_0yuC4xb8daz=Q6 z_)_>if1{_r*1`XlpG#32lx#cT>#{moFczP0;8k*jUuyR%^$WZ++#Q$Cz&F76a9k^0 zTjFqEG4ToGQy>04d*%Z{<|+>)ZN55E`w>;=Nhay?-Me3MW3 zWb|v{7nc`anfmX52P+F70^bjRw7T$kmel7Lc-xx7-TLqxyf0i&FLo|ec<2K7v2T`8{rKv5?(V~cH9Z?+EDmf_+t1Umk57@c0CVY z+er8W@U8GwV}+k1J}kB zM+(1O?A3Rgo98j&tiz*4Wk-wmBo0IG75$Cqf5WHLeBoQ*f5W>k5Z)CYjf&5ng~HuD zS-hU`zBdYY=OdNif5Q7x|3>f}`uB1Cd%>Gd6rcaW!|-G9hWJc}*S}5l72tCa~LFzR^^d?)>=t6{gL@PQAAz8m}%_@PC@x5Gb#Km4$8x6V8Q zpSo1|oFejpGw`!3glge&Wk^W zyYu2B)aM}FjniM@r8bIBd&~`9|(`&(+U3A$HLw5 zVgP(C+^vg7Xm0u?Mthxp68dfEUHoUl3#G*0)jt>B5w1_??KU4i7(S5tFNMFfM||9M zdv~31#HYetJl%D|i5~8*6W#&$Q?9#iwi52z>#mz^fP1f-ZG-F6bGy0gU|+*)!`=0+ za~{5mcKJV(`a8Y54%X4b-F2{$aQT!{?z+~~9=*G+wavrbb*dlWt{>M>pVJ=hu3wed zCnY-lM)Wm2++C+??BVV@RnWte_zZx%{NDx7g}d?lmFDKY&uffFw{CIcYYTdp4~OyD z1+PV3W#C6Ymv)_n{|o>AOX1Jck3K!In|1XAUkN`4zYxA~zi>C+uYliiK)5^K=>*>d zZ-&nh_~65$cX=3r-}0mI0Qx9=C45M>?05+NV$B2TzeCK#=}2@Uwtya z{#W=KxSP+j^n%&M=lav4pHDn1z~B8>xO)zv4m?n#v#q%K-j~^$!IxAL9ulm2!Wa1S z^Dw+Z1L5v?F$ErlFU}UD1@J!_<@b3Ke(E3UPr2*i{m%;5)3V*(f=`1tf$xPs4?hY& z27d_u(eOf-NZg{t$BnOA@Q2`T-fIhg2JY7L{ow7hq+Jzrq<~TI0fmISaWoCS5PmK7 znGgRCE}zotQh0;HLheSt5&k@U4ty8XvMC8F;uSUm_I0e=Xer{SG16TLfcTCcfTY8*1@|jdg%($yYaXKpSR&| z+#Q4;fa}YZb~^zt+f;mZ(cZ$BNjwuRgu8sG4DZ%bcu(~8;M-aYACCX!@H%aUODpt` z(!#HAm!A)UuV|m2kA)w)Qn zJN6X)r|`A#ef@;Hym}k1t`fco{U`86a5pY~hIa~y{v`UW#uERQ{e{nfSAxHGjqq4u z+0hW*W2o>>^h;a#{9(e!<8u}K6udcn6#UZbMSlRFY4D<9;a8xa3vUH?&%HdVxj9d% zu<$CYWOymJ9zHTwd`jcv)>kLtZhiF<{`GDay*{kl?QM7;xIS#zZ4W#(PW0}++Yxx( z@xn*bt`qP%w+P>ckE`b!lZ2OsyLJ2f9`4rdpTqs=-MalxxLYr|b$jW_;$IfMyWd?4 z?$+(@zIH2kZS-zEKiI?FeeIcWcRY3L^NnzK{BrBC7{2jIitZhiif$H%S1|M75l-dbjg)aM0!-2LLs@UHNpI+08s-asC@e)Peo z!;7J>uDLm0|BFv+crAF#sZy?6hg=GO0It)?Zmr;3;Pv6|Ir(qkZXW1@zROJUFU@gb z7`*l!!b>ucCb@ERg})BJ7d~K?@Q*3?33wy)BjKCix6c**&F~a__yfWpg&%`=Um*Nx z#!;4D@SC{(v{3jI^p)Y?<6k>Rb_C!(W{dtO^j+ai=LmP#;!Ph+`d@8&NyvPdSN$TH2b8}rZ=*zWAU7X$ihd%g}=u5$GgNNX*y?0ul>MHHI zUNje;^6(xnn{unGFW_#xEJnZ6!`E2uQ*SK3%GSh*szSk#f`cw}(gJKKQlpFuW{$elO{-^e%~K7x*Of3Vj$p7yji^ zDfa^SlknXhz6BnK>t&eT_E}zC{pgA3H=3LLN$!{W6i5FHJOytF{~PW*AbLN%SX1!{ zz+K!b!GrKR=}IAuy4<*w>&9IT%}swrGg9si=v!O8u76hk`gcPg{zLSO(7(Gv@_a6N?&^6h<;E%3 zt>-7fqwq@j+;6%5ek=1v626pjqyI{|x5NAVAoW-0gl~Ya!6#T&<{x)m{Y}gDxO-aS z;KtGCmRDB|iKolAU+{^S7oX?w&(aG~6Sq_$8F5UXsw_P1;g`cR@Em-)!c}4MDG476 z_rVvy$H3$8QdzR&9(baN_`Hw)VR*Et@CE4CIsf9q-SxB&;32rH=OK6)uES!tpW$)1 z>tEGE;**3=q}+0vn>>uK&L97p=mRCCK0PS76+Bv6_~rNvfG5fb|AP92;W3}^CQLvR zG&kch;2AHsqfb>8eND=J1fHoO+{NK}xT-1K9WS=QeenI%=WFK!e~0>?h9_%@k6U+@ z)Dxr0s|?)bgCDN^qQ4CGk(d$D+Rg?r$x6m;VjnVYthOZtw_vF+Q%plF#Sw zum0$LZN%T@+fA-q_;P$E!;^47{C;>E?#5#ruG)&f%d4jjN_&0qLFDHqtvBN(OrGdB zc6-Niop02?5asU2KhjS8AAx@d_q7);|5xe+JPe=UjP!|&omV@GvN7e>gsaZN-TJvT zJOJ01DeN`~9)=HskA)}U_rPaqZrU64jEi~bLtUiYzI4p9R|i5WbCae{lMq!d>3x=n2`zp%*^rtHM=p;X~n%XjuL@rePr<9eKZ0lAwc)?O{r#j|KfG95i9-f`d{am~%RP&Y|^_HZEC0#8p6?ym10fcqlChjZNg2OgO$ye9RptZ!r(|CoojfG0eB z5Ip7Kx4<(VejnU-YyNVdfCu2Y)aPw@65fOQf2Fy}=g_MX|LW*ZIRD$k-yPS=c93=@ z;X(9Qz|}O-4<(0-$)#Cf{dd(gwH}>9UgEJYyc?H{~jP zq!j)8f%v4h3+aachj9N6;VZIahk4A{_(bt>^HPaU zr{Bqcyfe!-;}h8`yc+Qtp}EPc&|mr=dTW*?JIpj?j~8czH-$e0PyH?Ygviwkj-M62 z4!%{tHRXmVw=(=7`bd^siMljLb`;fbO}UX;!o^Lgitr>niO)sws9*H2!dt| zxVtZQ3?4TP)LRJsX?OJd`8+XtsQyB|MWQ+&%wken!~% zC?z~YyKaWZ&PsjS;S+@?8VDawKboKOwf+8u#K9fMUqBzfO!QN!|GRL1W8v=pLK+^r zT=qh)iFH&9c)GpthSdLh&F#3Lo)z(*Zh3Vz-E-bC8yeTbmAGw#=fZfU?+^dL`7aiqn#=>AJO3rZ`=I|3 zo`639H-B!})IYdX^rzwG&jMS%Ot`)cWVa%EA!>LOJ`Y|6?pvO}+)Fh#*F9!==AW*X z`&5^oCH_V63BluVKm2BR1n&ClUU&%Z=99-YH}&*?F7>Ize7+7I{7QHnZvLFHZC6_O z8OEdebG?>-E4)7XAK{7bg&#+M8Xi9)d?58NqdUU*s2_!22X6om!^^=t!J{5N3?7G< zLO&gzfa~enZu8;lsFd3V{uDe2zX-k^9)Zta%^;Wdd* zCC$xvoc*Wt`vvF&=%dF)KOFsDc=~7Imvh0Q1Kjto@D9bqXdpaPL{Fr8Ysx^HuDK~U zM7b`19zq{0A^OJnJcmAlp3@QaF8X9S(NB_M)nRzh9LV(cCG|IdUeo4bMd2L^%LmH$ zBRCy#!oH~6oW7Ij>j_p5!h`Ty z@Mqy+IBBjvgGb<0U!8_W;dSx3KzFNYZvtL}I5g1Q#6NOQ`rXZ+9nq&c=db5=aMeZl zOnh#EN4pAl^ZdQ=csJpXqkj?}>><1v^?Vne8Z6vh_dDYJ(Ytp215dzzz^AHS(3g3*muL!bg*D?cwnogpb5#2;6t0@YTeB3Osp} z@HqMh;o&jDgYcJ}KYR=PL#H1rdN*EvbpCKRt_u&4cBSEE@Tm;Xz}@jZ0QcQ2{*L#B z2jExZGYTGq&w|fzKJ@!a_#$`$ULL*%uEtBbdx+b|@boRhA1fjsIHI}9pVYrPA@%0g zGg-P~rXQnIME`DM(O1{p=ricuxND9+^pxoJVasmUqK~4l1D}LGj=t#yvSW_b>+4I~ zWgX~4zZ`wqESUASpLV^De-M9{|DU2yzAXB&WyRsnq- z`9I0EN_SnTjph1zCr>>G!qaefTpoc>bYFg-spvxyt_CQ(>Kmc9O52c*K+-Ry)X0EzbQO;FhB1OkEio|!`*P@(XW7KXs^?+*WBcD;62HQYw&m1f71B4e0JA={GW*4{oaVX z{uBOGc)Khya@T+2p9wDmch`Rs=EO~J?}%Kv>pw}#tqgb9f1>+E@2>ysrT&q>gm*-L z9G-;tqudk})zx#Rw3cpQEbpS_Ofh<+j;_zCVSF1#7~QhEY6?G3?Q{cFM#@GRnRh2|#D z{W+3v74YeeK3Piq6VyM9K8W6}e`Z>)=Ybtltb@2IwG^L_Pkf%IU)IA_IpGT^H|cnJ z;qTDieehHj;iJ(11`k#hF8^1mjGk~z9AfYZwD)qjswv7E@IIQGIHXEQ&E0Y8M)ZEa z=ywpHJJH9`yW`_Bc*MhBh9^9HH{4fJ%5~>iKfp8S-SJ524z>LSckwT2d36=#e30d; zs)#;>-uYjyxrtBkOKDeq;@JisfxC9~fydyV(2paWe!uu^!sm9)&G~7(^WBydfa!P~Iw<-Ea4)CD4V4}B@1&Fwh4B7Z*jfM?)U(T{{DJo;JiD7-HEC7PSOjl3Y`(p~C#coeRy zZMV1JY4|YsPI%BRIN{#$7@i>9J024g^ZU5*=!*z< z<8ioduNjX?<|X~cZf-oPm7@2KNA=73$732E6&vNoV;Jtn<9Om6H5bbC=GK98^$C}` zE)o7U|8aIU`j|)mG&~N!k#e`fefz0D+})RqAJ4VKt@B-dV(7i~NfuC_xJUmf<>AfX84n)}_kAt(EJ^*R!2R$l z@LxU@{~)|Md=dI6{5X6$JaS0Rf)^}Uq4i}rT6dVQZR zlYiU|K%e+Q^ln^CfG6SY@mUC0M?`-Ge3kY0sXlGxxI=T*OYpvM!mKvKuY$7-QQP1H z;4Th(;Mc%eR;z>XA#e_Z>L`2!oXciyTa2R9)<^(=l8h-9{2DS@bHTK`gQQ6hrb7pKAK;jh6f+Z z&;N$2mHBz45sW+X!Sz=?cnHpAAr*j!;jSOMz$5TJO144pBz#ep@G;KksN`Wb33P|% zW}Nn5T)6r?2oHM3%SwDA$Hk`_<-UwQg1!QL3p@mO>#OaS`_$3)k_j%KQ}7hLDn7?F zxAVDQTI%BPCp-yvK7~gzuHi0k%fZv|rTEu^M{A3JGx%ljBzz~l4Lnvy^wZ$o;l8@U z-+>Q;hZ_oC03V~diT`7s_)kNhK|dM&T=X$dzl?`3^Y|>qCvvfr>yE#x;Awb6{MT9^ zJx-bTg7DYTM;nPx$1K^g*Xs54ge#>V-SOo(`qX8jAB+C9)$6~n;i-R#Q8J&j!lxAF z*3;bdd+>7capxTYcmnR`llE{G5WQX=*sUi#3~vb^1dqdW;UnRJE5xTV^`8I_H4%Ok z{oR_I`7lHMFN8k^Pr@&Pzlu+|rTEOtmK~p>4|{xmfk)wW@hLW1;^V(kd>pR@Pr`4Y z{>?PE=W9WUm>ZA%&q;{pX=ibQJw0^lRafuEO2-9d_Xp>_|^hpM7uz zuZ>T}`41MKPQ>Rc-JvEQ)KKAr(EDx>9=l$+n?Kvaqi}aT8tXVd|4^TYHMi%3wAa<= zC3pbt`qy1g^TA#I@34A(J%l`WeN3+4@}dp%p|G*y>RzjM0~1nH_wzp z@4rp>J?Lw|6YyK%P2quQqIb_b^@N9K2$$84QrBv3^SQIsvob!D;3>G9|L=z<;I3WI zz(Xg+r#wDy!vh}vCEN#h<^BQBoDd&(e7QhR2=@HwH>tVoRjL|12@iCUf}6pWN8eR* z6aUa-5(m;v{SO}Y@agb~hcAXlJ$yYp=HVa1;~t)YCpVA=my~~p2Ib_&mFaxYIQ-z#VF^$TlD?#nFJ5Pb+zplgD2rL;Va<5 z55?z8_zQ6VN5Ut-H^XD_Iq;oM|FP)1!S}->@aN&jojxV{p789k63+-+U-q$EC3p({ z7CZot?Gc~5;qBo5y}}#82f#ycx!b7JSa=*BKz|oJ1#bgi4EKE^{v+Y*;8FNy_%_YW zx?(5ukIUze&<8&iA9tSnz4L*$$PuG|;K|QLKO6t@Hyi(IYN+S@tG4C(s$m<+pD{({ z0~f>NE%WD9D|iqd#=ooPW<2`L11)-+h0ic}A}#fKu&{h!Cfxt4@ZRu+@Zb-^Un8Ga z!PSq#%j2J=F9?`&BPZb8@O}k-%qR6(j?X7>UuEIBQXTapJXKP-o43z8pB&*Wi^&Hn zj+1f&<%Hjfe+_t|yzoKv%O&tQ6@C{vEsnTrCpr>fZ|Jp?LBya`snG@ZePOHGortb`R6-$GAZ1Buk#OhXtVHa+WRkDZ4+LOa=-md z+U4IVd^zQo(+5^Fza`=Bxi5EIOQl4AH~Kp0!+V6g<52(}hrfru8$4njIMmyv#O+$A z|3tWp!!2;%r@|ZIa}PWSclT|V!o#17zBzgOob&%u_?OIw8{pAH!gt~S89bC0zK(dN zozIWLPg4IAj%S3gCeB4CGA@n?Uy8muJbq00IqK6$b8}q&!gK!H9G-%chU)jn#6R+< z_!Ou92Y(SBg}dWR4_BYlqIdJ{5bLkc(|h)}4r%In1Nu1ns>E{=JW{Nm)pw`d+u%uf z0-w1~UqbXPY3~!7oA#zX?H&BFtRJSceqdTsFQQjHBm*y{+|Bs=D~taU%H3x5`Z{f2 znIEF)_n=Q!5xpN?FCz6B*jM~rocB|1pih4OGd$f}xSQY3;Gf3do%a>P|26bfQ~j!| zXX4NUf7jmfT5raqsw(yD#SPaB@Y#Y-De6B&pXL~!kf;6&!@~O#H&<>|d{UlrYr(sC zd@h6c@$eS#$)0w#g-79T{C03Yp8E8IcY(Y34}|aZ)N_R9CO)CdB|i5MhepI9Ot~(e z&PgVRM!Ka}of7(#)b)Isc#V2xw z_(btv56{4Ffxm|TPLIz!=)+CK$Bok+@B};;pAX@|rlNQ2qEFy)_y*dQcK*#p-w>Y@ z@EE)${BO-oeujy|Xm}BQfyne@3cZ`hO2O0c7tmMM-1t=S#PeeGu@+LFdFUIXZ{^W< zK<_sXgzL>6zq-J~@KyNq!Kb$;Z?A#(^6(M(_*#j-o)+wOBRmRsah^&(RPprVVz|%4 zZ^0*xPY3*`!2PYI+-C5Zn%nt-IJj|fANnwQ{rIch7QvJ7E8#2Ps*U)6!}{bUc&4Lp z8D;wG&+up`;Sb>RHr&@)_-XhC+N(V6eHvcO!?!!1F5=_n!@Y1nyeIw#H8*jXgb(Sg zj-ijBcjp%;;A!|+e9pl`U8UT@*|Ota>go5?vj;rn;e+5kJp4WQ>0S~^*IyUt3;t%j zgu6?*HKLBjnjcn4}Tn=QJUN9cp+*+ASR*@T_rwWp`Qg0goHl`pNmiOs;DJ? z_)_#q^moCZfCu}Fk2}7+Xnpj$g*do*EP+0Sei`xH1dm)TJ}y4*!V_@U-tG9Wp}$-{ z??N9MC_ZkTa}1stB>Xk%UsYe=HF=V_MtBM8Q&Mvi&-7Ii&nWuJ=#$rqz9ss)a5Xr; zPh;o9`brmOx7O%={}X*1e7d2JqYqMU2z|(W0Y`85p&tZK4;4NDJ`^6jUid`#NO)qn z@R`)-Ce7`<$NcQZQ3QUSXFi+-Pob|sJ@12m2Y2g}`{8kTL-b4FVGoaMZu%uKQtDZX z`acg3juQSx88P~d@!QZdemCOZ1AlB(65i9pKZXZ9KA*!|dH5mCO+D4EQXjY8{th01 z%U=DxUU(GVj5wTvC*j@TS-M@u-#0}ZdcjM+9kZh4-s1JE~~C z{T+#OxfVpxUjz?&cr&N}H^06UJPHrua}`{9^uwLcKjP!`6P?eQ{QOS1AMVHh0q6gh z=yhZ4_PFDJ=I3i2KbfDKuOZtwa6T2p|6_R6Q_q9W2OdR#)alQPzvCyJ-ovx>^kU2X zTl7JEO2LD0=Ti-?Jo<)C?}=M;r}xCIv*V}p$DzODr}FdRj-SZSZ-GZWahnBCdg?RR za(y1>IX_wqZ{#^{J_E1k;Tz$858no_;o*BN*Yo*0A{mxIe`&dXe)YKl09<=Rtt7iU!-EgPJIPEOf~%=gPgPs=gB@QYJjwxn6g;^HaHr^R zalF+G0n~FEJk9#S1!A`4I?k)}$9b9KbNc7=c?zHS|EMPy2wrl0GMwYrCVay91jS8l zM<2dU^g;ByH8=BWYDxZiat}NMKY-6cr(Y`iE8xfAzGcFRhB^a}!Dpi{qPyFa>t8PV zuJ8)*2z(5@4m=I-K>Zs#pU1>!3Hs*nB-|ZmJHRvW`slkmpOw^~gzgKEKQ6o?`m3Ek z+?_8BgZrKk{T}o;!!z(B@adYH^+wQh{GEe79T%Uc&_87LlDB9hxguUWGjRFRWfaCtN}F?m6DW_{3KW53`^-VR>bhSSj3<`w#v- zJpMjAoXe`YFOmOzpswaws;W}){61!Pj^5KMJ81ryZ_CjcG%!1ukC`_)`oAgJLG#ai zTaGHEmSqR?G4m!zf14_u9n}BIzvZYRDpfIQVcAyrll3{P}n(2bl|6EvT9TaFoz{7$=L z<~2vTv*-U$TkE_nm#yP`qKAd$*)_~?J- zek1z87MURn!}p<2ot5kJuG}Bs!JZwhayR-jPEWsQ!%OIix*Y$``*N}2x?QKQ=xlLS z>e=4vORJlvNIh%uq2B02CHq*i06q$Rpoi4wBKTy>d6Va50s4t=i~j@ci{l?yCjMoa ze?BO{=MX+u4ilfo_+;>jN5rQy?JA^~6Q;ege{>izJ<%M#~H(XYlo^^AP)Np$i`)0;!waOn?)TjOf`_U~dpqD?Ry{i(%xx&=J^8jThND2NPV)Y&j;}5 z+DjZBgMV$fjzc6{>gi{~&5EACe@hg=8(Lmk?d~rA^YHHkpOF;)fRb$}eDh}Eqbc`R z_<{w(yW+DDp4=_%IwCe|h2^}-^Rm|R(rV<_;&U%PTj1xm3J>v_J%*ck?+)qr-_ZYR z^@#Gk6v~x+I6O^!rn9d$JW#cxB{kuV4A=htE#iN9w(RH&5C77|f~&KHk2Rdn=6$&b zeT2VzQiPr6^u+k5%@3mL?Oymg>!Y7zDI@bnQTUz${C~j5zftm`UzU8}AABau)zZs%1~F}=Asw>Lb``qRxP{qae@DdX`>w)l*NhZoDZejh%3 ztx|sdT%~t?J6G$=n(rx}mG(OSm4;_mQxVSZ9A9tz^|*fMHi=sm{NFZQ$1}w`nl9*U|F2=qnkn{lni#yRL#aML%SECrd7aUu`*W z^1O^ke+S3+O6<$UKiXa9d3StY>NxdpiGCwK$tqIM67cQllYfX$N%$eF=S`lM-_fg& zI$OGheMNLan)U`ck0=Yj7@j^O{^Q|Y;E~hfQ$9;}3^QE!S6kZa)+gi8C#p$2>)>;r z)$=CL%X0LYU&OyD`(A}ly;=BJ_7veJlpCHF&*YDHdfw<)7Q#ta1dGN$ciH|!Du7Rh`4+HA$ zep+Tz#W?Sv?-ZTpvcR&Y%yT5&c{ESDJ0cqrOi2Xs#u0 zeyFGU`R2VwmX}s1+sU|a$KNi7>%8(GlzKKNZe!r7&cf$W?hJVP`EHhUV*otle17g? zxx3%D)^Ob~kDsAj{5M;UX`Ywe&S#GFFPDMU&+q_oqg&Joc%-4spHm5F$vM)lLwluM zw_d7ixUSEDZNf)V_T}*R%@3ICtrol|Jb6Zrn}y+5;~)7+`lTZ6x&i$L{I5no?Fm!v zf452as1xGje%ENe_4%*Pug?5xEvmSP4dCTp{L^q zq})p>cLF?CB)@(oJn^T*Z8LfPis3r`PhT(jc^y96;OUwjE$LK5c6_F}Iqvk}dR;N} zKUzI+^1PfYfLFd>+8fU>zww#N;gOv^EI9xV8J@@2{qrXDsp};Ul`fDybDR&yqq=+` z4p0Bm+Y;nzBRtf;r{z=7Z-<9l3ttRB;5dIT(yf<%HC)Ft^{~uujnEfcAno;SmVSR8 z-q>)hf5!a4xZZw&2QBAKo|o&jU(?V%)bZ&2}Y=izn!*zSZCnY|G;g_QK zw~_i!fOmn%$nyu_-F965ivRdfSQeBwo=Uk0GR2!7ywDYrM{_e#U{yqaL$ z{vCWUJiMuwb*KQ3zdj#|`j<_&npezJ1#HDCysp^kd}*&mXtOmX}tuJwDwvH}&`P_eK+xd$rN) zxW)P1kK*tMJTP9$Z3tfoPkbWzs9Z4kW=W>Pf0u{qc0vie;leBuGO!U*Z1n+6NATtGJmdxKkM|xr9Oqp&!pix|6kyIN?%^K z+gI?9ZjgF5fuD3fxzb*JxUpNsMdIV*`wm0kwG7ws30IbQ#wfQ1`b@QsR(Ub{Zce{X z;xH6`HTvtRk6Yi4L!X!|^{LMMa6df2y2xFJc?_Q7c>NjvAL9QW`8*AN$a3D~dHDmM z z$3If`2(hYi>L5_(_et4HvE86JqpapATc*|8TMpDNtV=f~iQu;iQT$Knr*|JR&H z55m8a;ru)A%f;x`YH=>k&OQa`!{~h{B~J#Tzf*HN|9H+T7h0dvs*xw3pT#HexA?g8 z=*{rh2x*sFKYs*IERgx<5)P<8!PQt9U+#DNa~4Y+qOVDu7ZA^?@OV%0uR{Hs!jpGN zKHmtx3Lf#yha=&ty_DM={S?FXxK6Z^elJZP&O?8wowWB2^ee5NH+fzX_(V89)??q> z@Xp^z{=Wy`SAfsYhUOE*^jGwjTua>Xu8_UI`QQ8aMRcMXpWr{@la(b# zwcvpg5{KLHZ)rIH&im3EeQ2uWoBN%Xo8YN$Wj&+Q+itnmN1sn|eXI%m0rWxEW0%2~ zYi{#!sI)5zUyDA>^_HpdEr#p<3YF?>NplAFUi6ur(k}Nqe!s($JtVIV<5OkH`P+M` z<)ziRozh<}pW7R*;MxrwJ*oIg*F8@-O(uM4GJH{h?9(k{kzQFvLyohHv~1N6Sn zB(M6juMIr>iqz*7_<#a@CODrx;v=J2|6O>iFRjj=l6nS-=Unuu+7bu(lu|3;{y9>v zJHL1d9-k)j@TH}sLLb93<)uXFHKl$tT*oKP{RkK5Y;9f8wC--6nOA`RN$3BK zMBrEIw7CF%3VoFOwilrPL35LDN%O@My+!G-zn$JM^Zyw1WtU5QLer&1*Tb8`cll%W`~PU_44~m0F8F!*Rsr z`DUx9a(P}paQXu>&$MLUx9~`L;qEz#zpanXw=U9O7ZJCt71G{FCE*S5DQURQt2Eao zI>76}ecUf_`5CZ2c`C?1&wg$E|GRae+`uWxXE*M8!$462={sBr4QlpsN~ON^he?8{|SHFmGP*=v$f~>7Qf*- zp5dpZ+|%gW!b5*c9+E!lI(+;eNPM=SzY%?a_*?>yqQAPc#Nk5vH*UGB-2Z=l9sP>q zGVj%4*KX&(S~9a3J5It=JYQ4<{RR3$ifLDpzi%}QUI(6Le7XE=XSg0;(f*QeP0;t# zyll4q-d4xEE#WY$j?Opw|8Cdf^AFE!%|bHHa9y8xbBS|X_&oHh($d~1;g7=Kdri3X zrc&#jeul*JDfHX$53Z2-tcHIJ5C1Is%iuq2ZtlN~;r@#oFaJ0n&vPbaS5kkj59k$u z-D(-G^TS~LXF9&4hb6bcS6Uz5h}|!-ov) z7FLfa&r5%N;-jV93hWz-PmJr95%_Hd_{_s6L_FPmvdZ~zJ+nMMFTzv9u$`1l5PwB%*@NPI%?%Sbs4za4!~)=MMci{Mvzo^yT{pCtDeu0@}; zdfw!D`3!y3{2@iXy-Xth2=`}qv3#-pzfz~+iG!kd$BPS|l=w98}46905XIZlDq#qc=KW9!48-C7&2;}bt8c|Hi< z&+2)T=Vc^5VXk{P|8ek|p6lMz;L8qov@W;cwan>fbh5;KuV;TdLbaiSbiO?Es2SM8)<+&r)rp5nfIiVpbH`v157N72W5 zPN@o#LeJ2yXQf?>;N{>+&i5tTm8uDk{3Y!jQAj>;nc=!!vGS5{m*exMIUnTTd0)Dr zPxO~^SK)Il{{A<+TKQ4N-At>`>mdJLjE^GE8zXs4b94T_v+qNe6oaofdfktqTVQmwXmU+EABLU-QLt0ssAVB$-~x%!t%VVcKVOR zzcTyQ7ogvPKEm}D*YDpupF>@&!^70G&}ykqjQeq?>32W8ZVxHfoi{aytD;@4&zIDv zkKz0~@5}H4_-*+39~1wNa^zEU3ec~zytHb1qx2)gQSB%|e-M3qanKsO_1F=^b^HUI zx8Ce3``r2KU(s-__p#nsjy_=ZrPWZLFLiD2s=3Llc*Fd8at-=apku!J48vd5ljDVq zR;9+kliV+;N4ZgW%<~-1GW?tKeT_TNZ-B@79ltv85Ag|>mYKxOlhfWle;khEvv8us ze;7VRpEr7a-nvWHdy*CU?=D)7D9=lMyAIC-_-C^M^j90MQ-xAj6zx81W`{iQOQ?q z&L7X(1@LBu>-I*j75{8}`oS~XdRYG^jNcpKp*E5~0r)(4^q7pVfl__7*l^unV+Tpx z-a!8ndOy#HxZ~PRczCGzGd-vu@Y&x?{6E9z4EhY`j~`S23NK2#LcPVutv?&U(`&@X z&GW6{DgM6UZt6b_9_M+yCh*Dd0MCImgg zX40;s@ZeR_FYbB2v+zJ&(LYJK71o$?|GPCZT=#F&Po&(&_;-b?@sd9u!$-oC%>PtV zjf4BP^spkhU+-Y_gsH_8GYzIiT^iLd8hM<2-nL7yVZC=d=&T1 z3&Zzmy`A@Bxt6%&>0#&3^Ms|)pMpoZZ|JTwmwZX$qqyE)41G;_i0eOP;7#F?g%XD) zw6~w(X!5>{M(_Je#`P}ZHp}YubGgi8u3bwD@L7+~Cw#BxWeRxe{!zm!_Cy^g0<(be{I9f@u;EXTPu9p!-Ea`SmM@`-QejN!uJxNVVaxgNxa`j zxLI?1zuvQMnTSt#m(*Wh7O-0`Jizzw+`O^OaGh@{)`2dbFQQLvkot(5QmgI zLLV$H{Z%+eb{>PrUKO96#O+^rp9$i80$zHZ)aR!I66a}fzvX!f!|X0X{dP-!)mvb%yT|8OFfSM`wv9lfcm@)pU3q*H;=uJkBZ5> z@hJK|@RaBJ!x4P8;By7~zcn}g9;e@xl95+fUl23(Ogty~R-5+LgZsH3>gseZqUb_VW45 zt!cTw9#W~Jb+`_nOW`TLFHjub+Hf7`G}rSNvVb0-xgSm5ml4({FOh#w!GEb|JkBdX z|4ae=b$o)J>$;!9EB2CpDMb8_7_RH@|GkT?h)y%RWxXOizBPY8`V80ol9Q46NVIiZ zHJ5QcUp|jdBYe~&GJm>xENJxl{KelQ*DBp{{3`3uhx5GLh);m)Z(;V`U4Y*IgQ?Gd zw5*o)BXD0#)(I;~+_P{sO4fDmd-_#3 zm^k=UG0*RBT%@_pEAIET#=ko}Q&q;Jt4|o7Y%XzrJWD<>8=hjFPfRh(1hxZbJVtJjV5?i{U@v6X_*+QjGeXLZ7-t=ATvYnj59uE@LFl`t;Cl zEiC6vo|m5JlWoNRS@sPy+~hOA=Wq>t5-a=?j&T6~@4_$SI_FIIcld<4KUfL=5BkJ=eJzorhEkPYmHG#H4xv8!+J@_LTe7Zj zx!qKAd;fy`apz5)@QLk^@p~6>9so}<-e(n&0w%%}PfOlz;rRHF;kw+|(4ZBL%@O_M z=+o=OzZw2(tzI;F|GycZckh+{b>|(Q;uHBwd|L9Mqv)qh6a7T^pXj60B!Aw6SKlOY zilJX^45H8Q{ObMGb0|D< zRN}lH|B3L>&r-t+>ECw|r4)=2%y90a&JVE}r z^XSSC8~^`q$Iyql9_8klLYpN%KAw-gl8@FhT-UQT`O_AD8G8Q=$rJbe_kLFY-*QKy z4@{N*l3vi)^WiDJzr%1*PdfjbM8BW-zi$0Yt9>ISuU!9r0q?=MZcY_`#3wdTju&_1 zlk>W?H||+)`wjnZ^;I+UF`kQX+g+HpC){ED0(0B`9OFSp5#6h%RRLapVqyk zUH)wOz~k_Ej?8S%XAL|xpraMuhW{3L;6~v`$@7maN0jH~Tf_CZh|ZNbUyc4Rc(RP} zpXiv1Z;1Ymagw)}<5d?P;QpXn_jWK`=a0Xd)Tb%>LGaW#;iH*9M{91^GvU0f@eOJa&M%rM-12Px;!BIa>Vmb^l6?Cybyim zH;E6=l?CCK!IN{PzdnW!fTzFcVTrpgG}dr5d0*~8A7h<%5j&T`<3q&14fXs(3rzjr zoi1@3f_^Rf#CmDhICv5s=6N=E9-W3q%E)~33Hm~B(cXjN^EbQ(JUBz@GZ%iT<|faB z!TfpN5q*q#{(1C+;pw{4kEFR8Z8(~|FVoRS`JU-D?3@cvuugauzT9!vw^iWlt-oH! zhB{huJN$k0sZ(;Ca{43iAo=q&`XYKEYQ|}db$%ImS$KpzuLi#yu6RDP6uccg^p?bP zCHXwkaNWOQ&ev{0KiP8L3RA4{ddEa&WG+(twD+oE}1l3pI!CtFUI6^CCzPnzmR-bC41E+ zMz8&oH|F=h68#pgC)Ywhz;N9!skM@~?)Wkqo-Qi>O(}O4K1)5J1n^Mvrk*E0XR`*+*$8RyB{ z@6adt{ee1^TWIU~<8Yzn`neG$>!?!M@`09y>-dDfmVO+?adVL7W;~`_$$0cr|C`ar z4@-X)tt38k@!vG0lLhWLvfOeim*-^z`cFO-{cr3$T3_OJ_z~fyDEA%8Roq7?g?>Lg z$~<`&ywH2%^LSVBX#=llxXFjn(qBs%NEf5uc(>?RQ|^u1M4x7zFdm;S=<5s>y&GSH z;KQ2;zavLJaFgM>T>o!fEVu%nC_Kn{R$+Jyp8(gF+QL^k&T~pv!C!=5+*!(2w?#dV3w`23Df_*~GE3h=++i-Mgk843TM_y_rZTt|3m;+EleA&S8-f(NQ~ zwWKV(r{VlN@5^xXp|LW4_px&pJaM-if8V0Li{bHCrJf(5UvK?OtD@gZe1^i`fPc4J z_(J$ze4_t!vE*9v;WxOC-MG51M_|1B{kr8z*DQG+{y45T=9Je*T2sjuFKuU_sg1~ z--JFrNa8jP{)zM9Jj)#yj$0o@d0w)1N*rR0qkGxc&~RPu9iH#ic0r%!`G*qZ=SX;l z?=`H!CyGz{>YybZ&@Xa&u0PB`zXq9!GJ0KW9G$41s6J+nI&r1C!vX zU>^%y9xjEe(ZW9@pEtt&-FsU7=al=A;ksWYar_zy{{elP=PTU&S$LPx|97jdxoKB4 zBlANL$z?{b+m$>ec{>0egsa*;EE!u=b_|1eyh8GMJo<^whwl|0hcAHp&UCZH#o+_9^D-759AEG{P-fr!9DaojV?C|d(LikK4N~DElPKua=GT`i(41Nb=(sC?(T&o^f0T}*Z-gHXMLCAA3>k~K;q`| za6UZ3`JfxWtMKW`y4S_$RrnvQ55vS^m*(btD&={O`b(>)5_w+!z$eD<0M}$+@sFin zqP;s>QU_kmaNXX_gVK*>;FnuHZ}Pl!#wX&rF3|^GjQb`ow%5aljF55Npoo}F(%h`m zyuWXAhvufe&vE`(jIw7NA5%|$e|sC_ZWTPn^#`}kUk?v=mGR~J{VRBY-$x4I|0_H= zT;i}5UL+;uhCRPuRM&7cd0$$h5Bw5dnU~yk z>1Pbr^H{1|&^o*4QC~nG-z|AKl{oK!M@EW|l%iDH`E%dr2I~1c{%M}C(9^Qritdp( zL^esgLhuHL>-vo1yxS^4vJjnngd+Ru2sWBv7gqA?QZ zn~49Xmggyue;#-KOU2*i+Zn_4{E%dR_`m1Y^o4XYKLmG4{bai9>|rm%DD$z;K;EDSl@=OdFql`TXr|Y4wQmy!6FCMm%+Q*lieG zdFIKfj<=Edr+1F%WAIQ%;kye9Ukgw0`&}+iK7dD8$$HP7U;hkG@*G-Ku~DTyJAb=s zTdt4q#DR2HEezNBlWrmPxfP#~<9ABA?)y7q@OgM@C#$TC{tom>eivmuJO)qfmOOOV zX`jO9$G^l!MzK;`&}SyfxO)koG(7l<_|(sq9Y4d9{BCx0^d*>2e4giIs=*%`A?3RB z#Kwl}I7Hr-70Vy^^l|)FsgL`;&>O4|qC79-o&K=YQ!h*GHUsWs{wxn)X?^tk_I6)O z1~M)-Yi{pf^zAQ7_;&Oe=E)#F2k;M6kos>Xul}_@)zufQquhB)Nqs_U`Yt2K7CC3F$#Yd?w=d9*(BEzw|=|B=yiTZt4SU<$LJY& zfbW&N@w){c=kKk!aj_pBd|$@3^Dn9=78B3DBc=XjsZUMA&HS)H%H7F4)(rjG>qUPZ z`fl*tCxpKZzYd=`_kBvkr=cJ8|5|$&aLdxNJaEy-O%NN$pum8IjZZMb@!aa1Q=(Yi z)zx%CS9eieG%Yyp+Gn4=&)I#>*?afCoI2H$nQ1UlhKX8U#^3~o%8-FEmq=Se?MXRmMl*YE%C|M&mvoR$AQ zhyS3Lzx}k+v-kVIIQ-fjwq759xmEZThu``a#&^Dq#qR(vef^D9eEt#3W4`b9_-)Yn zD}Ivj`Tw5zuMH2^>-(?{zc93MMm*#j2%m4J_*TK8k6wGH-u^4+i~GHu6YnuRKilVf z?C`?#2B+TU4|qE-uI=yqxWi9)e#q@!{vUZe*IW+2%;En+<^3W1^GPp%!_P6b{M~K8 zWq26X^!`^n{Knri{J+b~-{J5RexJj(!(T->@W1SFzf%t15ZoWKKj*xiCtUAu`nzqw zxxUxGy}G_vz5M%LW8?W5FaJFbKm84c=g4#TI}X489R~k)C!n8o_=TE1|LYFF;q-jP z+y5NlnAewi+%@dg=YufBN9U~lf8*s}?(l2A5BQF!*^4s{zy5#P_`li9KR`IzA35H> z*5Pk*_)X6j`g(`&Ieh)^8h<_0=k-p)!Pgf&|KzP+{>Qxh3qE7?`Nuwv6O@z4$L5D|@!tvOi*Ep&<2?Nw(-*6O zAHuzE{^w!AF)xo(ZTQQc!>>7hUg_|e!*Be5rhjib{CfyTzqfmQ!$ynGt~vbH=M3^J zFMm_*_(S&R*8tc4g5NLwY=8F$Dv$PGZ+L!-!$0TkUwfX-_rT%*83=~sIq^ZG2a`5M zaYw*!xAMREbgOWW!!LV2%#yeBX2L-~&+@#}k;8Yr{IcI`5pw434!`dCX`vT>*x{$Y z()#_lxAPCY{S$9GEy!~m{)-O3;Q4q~t0+F%>|Jfh5d3{%5|Giakf5`q! z2?suJdVZ#(r+Bx+pYVI*f5l&XkZ_FWJKV1LDsSs!UjD|w@cbhV{~d>4{*dYS*Lyop z`?qXo{=XLzPQG}T$<=3ikrkE4y5DxcAeS6|r+r(Y@p)c;=FRqmoyA{J-k(3;)3If6?3djKgnSv+=i`f1mL?hPTV#eOe{| zsh5AT;Qo;P`9?2))93pNfA_5pKk<>%g8Y4lpC=r6d(!VW_(u-!I{dQhoo{jY)hJ)f zL%8PfYrk)F`10u8sf3-!S@l`I^0WmBX+3{_Hn<`7;h*_H%qc?!WUtLoa{R^L9S@bbI^X zEhzskFMrwdNutdg4u8_|8Fu(TiSn*r0{(xgedvY4@DuC!35Os5p<&KtvLMWKVb7Z;qbd1e#7s(`-k57j>B(#m*MkO4*#zR2i<=2)Y|z5 zhriR|*T3pcL2T8E;<~qU`G?I;_z5rn5r^OIafX(|f6w8gCk$_EKCj~6`Mf@1@b~)o zUj}&SVsAo!P7;oMzvJ5X)b90mZZ8Z!|D#uWm~hPNM(umPFZw>h=l|RBcAoV7oM(EG zw>$j$3r%i+z~S$9_~SME`N{8WZvVqx{&X$A{mTv?dHm$R@%I0OaE$-gKW6LFbNDkp zNjzYG{M6e72|xEGfH%$S8&&?rMSWl9H4DmL5*+soczht*d}KlSzezaxu5I}Fp=a1Y zuX{W1uC?=_D1ZN16+G*X+%Gx&nx6-GrqB0N4!`dAW*GGr#q&O8{a*8Pl+W_=FLn5> z7g_sZr~Ng;y-fb+PA`Ac_ibPDJbQb2LHU`NFZ`U;OTDolboedLe?H^z8xBAHw_Yd6 zOC0_S4!_`eq+!qen!}&;_{Ke6{tpQUJ$&DmwY=ec^t3-PJdE7`eX*B+iNkMv&@lF+ zUVh!-*Z<<2N=Ba8IfvhL`yuR^p~IK&xAM>OcHT)i#`CWGZ9E}||F*;b$n#;Mog3cH z?f=ZmzsAS;QHP)Y1%p4=;lJka<yx%PSM*Qlr{e%;~4`;0;m4%L5u;_wSKJK_0% zXn45h-_0@UT@a`m$;4?KM5M~qIky~(HlKZegIJ&)_T4u3J=Z0F`zRol6P z<5;^$9!*i zUcuKoe9g;0`P26a^4ku7qnE$s_Qr=D{vBTaan}o9=J2V?`$P8UoeSXa@pdjh^m>(k zv)8%l@Z#SXyyyDsUq<=Q+^dq`@9;ly_z7RH=XpCX{*2+_+Q+P&8@?_pgaZ%1@AUK6 zz5G31{_)os93Nke^mcwO+W$7AoCj~S7ry~G z?`R5d;H1M7 zk66FKUtj(agFpVVD*S@ld4BQfAG7&hbcTN<`hBmB^VQzT;|{<5y*AD`|Nd_8_xi^y z^7Di**oVFS6VJa>EqtZ7^E2MgjX$$?{tJiyX0-3;0fTP;z}tDT=gI7N`9Jsa*Pm^A z>IWSD!dpfUkJs{TUQRglRB^AZ*AG6;D!kU=*Zmy*9p26xy`5Klli}e3hj+dFHUGXt z_=#@^ocJ$ZRmJlUd-=n(5)|1%H0=J+*tiz83YqqJT7AJMA;FKWDxC$nW_yt}Kf4gadCcd9C5$pLwlq zhyR$LD+!t$IsEd|j8A{j`Qp1Ae%<}nO>gHt4!_}k`ZqfKLk_>`a__RkKko1oFEsjz zec?|M4!pg`=_L5{&%FHQpES+>F30Cr{jtsK=9e4%P2T=%`%a6J|L{w9Z?{#jeEU-foogkzkqzhrzDag4v^?LYZnTKkWC`M>M!-0tV8 z!+-fF-p+}a+^LdI4#lrH{8G)X_+5uztMSDxZ~s|CqyXOpM-s-|_zm!n6M3=jXlrXxr%j6aL~we`@m`xx9+HXB>Xvr6w8T-tx;1 zKjHq`TfLp{Bpmp8!p{@gsv$kt;f32F&+zgeaQOG1w{;0W=%avhU5&v%U{0N zFdX*(?-7pmdh)q8FOxz=@$}F8ygqC6@L})w-*IX@_7CGr)%E+KlJjK{ksouj6sdN?VZ+W zJnZx)#c13gOk3N-;X$j{ZBJ+8EBN5Q1Ins$fj%0 zdf~9+>DuZ+Yup<4dXw(7=<<2H^1QKLeZR4uzegXt9gcX^-fd62t)pps`=HzE4yNON zchZ_ox;q*O3bhXoh8>pK9ZtQ!Nzv;M`mJ#nZ-Btze!tu54aW%?v%yXmCAvE(((8`9 zgHE?Vg=wWmao8OL|Bk>3-W?8)x~)AlR}2TOLASeu1`hfYOphqJdMGTSzr#@*YstSe z3~PJV+3!vPo(-&|0VYMOf@+LncDRkD0J_oEM2%_@(i_h6ptaYY?6nLXi;FHO)EOQe zfFP`m&Tyw|-E=^f7%3NY)=Ly{*q(Owe3d7yJ}Am)DH~dQ=aJdO(S`}NE?hi&>C(5g z?s?PwXD*$4;Qm%?Y31bl@`mQ(=)@Xwgu=1g_=;VSOE8_$uwz~XW(}>{@L7~Z z0!oZBM~7`MvML$`EgCZq$2;9|jq1P!J1xw80vXZT>5d>hzztxra(FfgFT;Ms;@-u& zO=tDwB7Ci`)q0%tAL}}w`H0n3P-Y^5k~*EpZ2c04ljkscFoc+-H|}nj^u3*KyOooaq_a&2{a(VJzH1wv7OK#qcZ zT~K)Q)S_lit*$oL*;rmbB}&zbwWdQcBT?qmJOa1%pa-tBM-J%^=0G684A$!(boX|~ zkgXEBR-YU_9P9@1S~t>iSD^G%W*bHX76t;^)RCm&_ElB^^2go-386O|P(xyk4488P zbVO^ryF2qy_Sd#HT4PxTnB3m*%5-RT>;-jcGiFv!t!)-Nv%^EDf|ZR{cQS?bGF>1= z*VeX9)+-!O$L$tPngwcPZSB-a8xAa&azs*FZsG_vp>;zV62-02aMG9g}snGVMw8F#U$RZKx!7FE-<(|-NTR8;r?*@5%ieW*FFG$9->u)H*(?X zDaa|SL4uid22KcND`RNi!#4hr$su?-akDiJV2sS1@bs=f0rAjEIB0Lfgp`SgL7%(t z9yGPzZM8!})qpt)%`R=vj%|EdpCS(L(;JwyA!khoHdDvy`s$`N)H$H!>VZtnNVJ(A z%*LU&&8jht0_7=gntSbSwFkpN9}`X5q?llIWJ|1UNYy5LWOZ{j+6Ec41Ib)Yn>hYG zB3aQo+i6eRe8bIeP53~f8Tf?@f-Z?qHex1NrqJD_HG@lL9CLy|0>^l~vEHIN5e-3}jE~xe?)Kph z-fEdEfCg!S$!4W<{%qufwT+Dhw!_-S=At*ND{GZu$j&FNgZN8^uwgWFL`-%Jqr8uL zl#`SYZq_(Dxa>|8LX@M1Z-ETxZNr)sfgjQu<;Cz?k7oIcP%_Mz59Z@-M9u2vN{EO# zE^sSyfv#FxUS6O;S2s78OOhCM`#DLJ^El`p(Hwx&7#2q7pxYiuKz5J&)6DN&E5O!d zq}`+Rt7E@Vo$e)@*`_a1T$wDL++15r&g{v}Et&wYKXb8l-?;}bwOR$(rMnB43VzV^ zu+@PgltMrYy9dK<$hDp6a6D<5a5@|vbf?{&rH!?dq?Cq2v=IBG@Ag&sj#rD`m}DYt zg(}$-lrS8?yePeMPBt9%QLkn8W8n@u;oV|?FuXEo9YP%~o!o*wvje?DNi^*_({9iD2Rrsm58gPL zgpa_$=BcfMCE-LEb*xjzj#6p8+^4;d62+MZ-+bxJy-TOo(ywK%6KfO`D1TNXfWK7} z*jQQJGIl5q;D#Rx%nDen?f$ga?;h;rFhw`|RIM15mqUw`89;poloS~b4z8w>;>QAR z)CAIGI;9d+wd^-%(I0>ZIqEKp@Rt=RI=kcHY(!tuA+S^tOhD;JXI)sUW_4?xRs-+1 zvA$Nur;T;#b^`}`X!Qogq0GC{0hWyZBF2dI9PYLtDj+er7PNQ;vhnv2RH0mjsBwLw z^z6^oT)B+`F6r2{3Uc(;bvmEF|^hzM0b-`*-@q1V?Jw15hAA z2*Hf0w~PkZS8*_ewRxpK-D`OaiYOtF^y@$Q7wuP9%vObx0g_NlxqWpCb|wa^s39## zhmP40=PL3uJ~96y<0byUKB_70-ayNPfg|- zo=j1!IL6BXa4JWKFtcGkVJ>t_A4AYh(+4*n5;z);K(e4j8?bRXUw}*o@J;#C6$5_F zs71OkZ^okM$*c$WQ540A^x>~hi%A>8i>8ns`(Q;n0XyAY!~uiRjCFefXD5?=3K)nf zG78wZ*E05)AixOk0qU&|f(IgOfigPfFC(<&f=GhofCL}-Z-^U?&tAYMn}mWj2*M2z z1@lp()s3}g-*9yUp@vRxx79`n6rzlJyD%rm0NdO42$9Q(4rmE(34k=3x;wj|kZ~JB z+-?nko>;^I*wdD1r+Z{lQ^soR(VhOJ(;6HcPIimq9jqEjQykdeDIlj?y-CJ3aH|0oZ49b<&%F5|5!}riBaaQ=40iCCm<{OPlLk%SBK0-ZN=1q*OJ_p$S1N zE6XbjRQ&R(%}uH{dVZ8U>@6GQisQ%B0EONon3D<9f{zC~Q0M-9_Tt6Xg-aI;{J(|Y z#kmKwKdlEYw(fruGQ|BYpWkx!;seFG`_El6g?{hZJMYF=7$j}MGmW31_=3V4vC$sl zudt*lX0 zzUdiu1Hce${HDG^lsFy_ht?k&5zToM!ZHW~zOqA(pb-2gtv{HI_DEx50G`CO6TqY6 zEM5-tu*)#8X-)f0?HZAEmMx*uxh;m&)MoUJzcl0fgWhmb9Q3!jtdLrL3KB~32^oHm z;seE|Se0#z6LhWhQEB`hjVTfiTcmy9lQca;sY~{g3797DnV(6WsS8+H)1)wt-xiki5JCBl8A1Yh0&_$W?<`Tps)tj=mj(C z0D>mkf|1Fgtpqc+LIiRQ=Q&U_WPq2XbE%)>E$$L zmD~q3JG54h9W|8720T}QXalf6GX7|lVy(}mQn zG^It_kM-d46E`9rGAAEE1+{Tbx^m0I5jFDms)wvHc?@AU_y~;t^0`KUEyH16WPVWL zPtXBI8@|razFaZ4lPgv!E<3$_PPIMp^JVKA3iZ4ht= z*lg`1Y=C_}2D7Uelx&Q*jAm7)Qh5tXue>zmd&4yx8;TIZ9oy_9sBHob)1vAiZcW5c zZJF~y7&&*;Mm&rQ8Z%LEYEUw&MtXB^8wg0t5Uak&z*6^^QjA#6drH<0I$HRGOHp}= z)v=gT22=n0Yc)^R{F#yA3$^GL4=5uafm%$&|hu zQZUAER0XQ!rY81gokFSIb}ArpRRMR@i&POD`zuzx`cCa?Vxar}&T$1ZlfA(X%$AAy zF8Msu8?9UAjfE4bG8}EB8jX*|*p+1cxZ6Q^)#FN)H!)lbIq?-+&_KC})NGYeqDgF= zOAff{(^@*Uy1v;^C}Vu+JJCDKZmczwWnWVFAi)U=F?f|F7%r!6^%?@YjK`P+ zF%4;0h10Rj2|C)T0OxrzM1H&hCBv+i;Y6}jDxER*9tnsOWY^m1!-v)ezEoY!c!k$c z^=h|7pXl{GsLV* zTfHLAr11c^!EE6ZyL!4f6f8T3e+#R3omhSoQ~cm{c4ISw*G5ZZxj08^#4 zk8U7&6)Dj4%U83-ue{c{%iJYYhl7J)XSC@RD{s|-Mg%fLR73T$I*Or=h8!m5TQ6O{ zou4ZALB*Sv;Uj9%?AC|^fWgb?GyV5e?~Kh+epfor z+(fL>#H364LWZExMhikkQ(EvAmMSM)zNLk_uxkDiH8aZD;zrtNHd$I(-eULyzxi|X z6wDUbTBBb4wXVp>9xi*VJ4PHBjy+=lNtcs6wNF5GhCCdN5~9YU7}P)|g%1weW{^0= z^O^dAf64zX5NA9qq{bIW+~OaRX>x}F0TfQI=@&{UNTe&~?WceMxS);H56Ni|Yvw>( zAj;hDAqGepN8d}m@WB`eySsX2PoOV4=z@sllM8R}4VD+cppK$>y>&nfN^>wnB$i#x z`DhlPM*7^O&lOf7IIswfhY`YRL@kyXP+N-%NCr{^oQ_Ik`J^UodThLk0zyo^rDl;y zhu-C$qH}u!jzAt@fCNE&>`-{kfzGPLNe+giK37!OfS#H!OVX=DX<^ucqu#dMvNRHH zyeOhoj&ASj2nmR6iIJ`n&Yd%aZsTqC#)7retET>GAEXYbS^G-LO149Kmy8D%=dMzh z`y(VNF0n|9sUOf4z7<`88KY-iu>#{e+{j{!d{*8k>=LH4^$sWUl2=L0R%3i2o8CtXV<+Hb2 z0#v>?fN1o9p4G@9UMB|`y(a3U-76Lax)4K5`C@`WLWI!)AtP&utB9W|q-o6&2anGB zN7+hQGFcNP*_735Rz7&30t!-(uB|s)TaHkLWpu$*34;Rd!|n&E*^Xl-bYZke-p;n7 zEJbXBx+X$^UG@bO-Vs!YOk@Epv`)*1;dRM_^gy#kB`p?jMIDp}<{bpX1O|i$>k+r7 z9oBjT=8o?Y?2fx5MKxg7>|iQ16J&fyF=@t={V+l0w;$sf`N!CTWI_*Ck^t(%8Jq?( z7ZbAs#_>;vp6Z+4C|qSM0|CCG(wtxp7f}7P4XWj`So@e;GBb!a_T#=8wKta0V6jJ> z!))_N)^aMxaaSsu#7|vf|Cv^eg2_wRW!X$IVrny3f{2)qJxD+3vj$-{G^ie1SYzxL zN4d&_j8ba{8$S1(d-&{wh5cxqx&Klz>K#i?IScA{aGz*WKH$)Fn8-pxDkX5c$mIr& z5?wQ9Agp`HjrO2#)z`cT7KRf)ur!!&8#}!F3}m|mR28-2%oa96`GU>Eo(FoeQL2ih z**utRKM(cx;|0dzkP$|N(RB6@LvCL|N`ovBDUCEmZWW9$v)E?P=p=a*9H|x-e5czn z>!F-TMfeIVchiWQEyv*)2#h%gm{HMoZvb&v>)9r^tVPSXm&OyRzEbtsI9*Fe<) zhtxDEcH0>v#+eD2)fMH?V4>{=P(EJFrP+@uRL zlQEDsC}5|%Jwr|glRuGSGl9XLUeCWWw~W5a#!Ar{cMy}&8W4iSZuix_^|HEFuFu3k zB#|*10P+GocE?9hIT_qX-N)&X1sSx<8ylyjn#!R|J5nDa1Ba;0Telm9n=Mv_;ZjSuowO)5ikvKtTtQ z90Pk34uT!sM*dAoqV;EXf{_60NOyp%j8joKqf_`>((kb6i5!p;)`r(XV!hc7huCew za+`dxB8UZ+S)$f{)b)UYs;p5_)8Rcr?_>$Hw{ zYx1cI5O)dvDmVdZxN(EA=s7J1&}m6Z_<{Guw7X9lYQm(yTCe~@kTvB6Yjh}9hISn6 zM<)twDk>jnikcPrtoB~=o zatyVR6Z3)9>DS*?h`?dwfXISN+_15_7JV71)mOb)&}~7#k09h)kmKVlp=LcAOAC$n zeVWsaGs$0;+z`-&wKUo-{FV1$5hYo)@)w&)_2ddxF&j5L6!>_^p~QaT92j(qW4V>iHCD{7557+lC#&cO z%(Sq!7#L}#1!50Ivb~H`e)H48IV<@$O7PD*plMI!14Uu2T7qMx6B=1esO2$2A*S-y zhmblqhN=|V#@>P^u?>eK>wd(Ov^E1BqP@~>!zDJs+sHO2S8#48YoOk@Rm}>p=h4A* z)g8?FH}fwJy1VTTl5-ksl`p;Gf?=*z=)%&?U`#e5uzdjU3$#kR+6lFSz2;MVm`X|X zoL3SUl{bSn+^70$n50hrjjzf2D>#5!uLk&j6TED$UL(3O)ic0R-Kib@hD^!Vk?(svm*~@cXli<=?Ss^?7=!K?m@vx;fuv2vf z0^Cb0>nD*x(a2ltIOf4JkE)QJ(#%IkpDpxFV*@9baTX$*Y+}wNL|w);)?VLQuguUk zNxVkhDvyFu-1*Unm6OYPr&fVmQ`ipf<1&K$r3dEbBx>`3POenAf^jG(t-7>NT2QCU zxrdYuSmNi4>~hPbF!;VE&};fuVl1RaZ+im2!W2Nj%0~&DS`op#NGW3^vTFSbmTMSv z;6$;oIONUpy!2ObiXw|GW(d-oE;26=(_vcwl-Mi#fyt53Q9^4o@-ZPaG23Zx_cL_V zCgggnVSx1!#5|j)Q_iH3c-Gbz1)$bekx9ha>yV$HD>mjeLN4L3QtX9YBA^!&JAZ2M ztRcZug#|3WwvPCe`qoJ`6FMQrvx^aQ>BC9HVl3ao(rlz^y1P0sOZ&|l(lPe1Oys^m zh#~P%LRaEcw%Y`o@sg|Xm0>1NTaQ_Q20~IlaNNP*32X%vZmC*O(&r0A*ak!xOc&nw zG1xa8t)pq22(2-Yr3oS2WSM&wWht4r zWG{kqdQpU4L@Kl67lPo@3|8;)tg=%H!Z6XOc7!br#X7Mwn~2Qex{U>~%eAewQ#k#B z1L=cZD4Ac4506-z}`haDzUksgkCNP@&ac}j%Wz0LVGozWm!47vgi!Q$@SGm zb$C*wxu5l|jbhrz6i%MX7SKGL%#|r=%={kbcuczLdLfEC55l3JdMQL+>mckx*Fn4U zpuKqz@~i6=5zwiF5MHT+aA>g(8qb5kmi1CNJ5>iExg6Q9v6aANG8pQXRYH|(@q`r% zc+iH|tNu3b`iW2ji4zuXdTDU_@!ENeI!_^R*4B`_+PKVX>)2CW@CJ6pf;SLf*hCt4 zkGRV(-qBS!RbyN^M6-kLHV%3gxCF*x2r@Gees$ND@ZJv6+Ifk(yR6Sm0!Vg($Kn< zzuK@`yf;91QbD9*uM@XjA+^^bzE#X_IU0LmGiLM|8+AyY#hoH>c&stpn_nSwZW0%Hb3&I(X_Wg-fe_r zcv_&18D>gn(d9(z8>bLIM)=hi7&!rEhA+~Kn;<^o&B~i*#AYWB5>}Qz3WU92SAi{} zA`F;jON|t=_#!rZFeRu_>(Gva*2`P?VZl`$dX?OCbY|XjS#4niO`}*CKeL5f7@M*w)FM-9Jlay7i$1AN`6`?iX)7*u#FBth*KZ)%0R3{PC7Z>+gJ7qqp zMmQJs5i}1#xKIFdTG-bvU<(g)!IV}llB33&<1uOU$v|QtqPe;Cb;ZhK$&Ze4`_w+{ zaF4;OmjKQWo$aExs9g!8sH!0I^#u0HhJ=9R!HlwnQa+@)Sp@`&@oqsSdzl4k$_6W# z@fnC0%1Dw5=K-6TWgf1v!8Z+|VaN!7HjdWe*+2v15OcBR(;AsYvr=eaZ72(x05fC+ zK>CmnCdK)0qs@qY8VMKP_OgwXC}c^pm}`#^!z`kv>@6MMvaVNAGnujI@o%e9z6=`@ z-P?5*JZPxfdvH-0M{5On%%e~=qb0LR@OFgHkY^CW$VPX-~|%QgD(W9m_us1=LFdP zeGv(N@IoN_t)Ottj>B4vW|8lP?57z{XCzC$e5C_xUc+X5GHcGn6M3`GW3RX<1m08j z-j|Cvr#|IeS6ATsl$~0hTlgrALT7aahZ>vTtS-8sadmakHH`Gonp;B>+;Vc=U_l_G zX$gbfSkyT-6be}NLgZl~|*pYonz?dfpV$=nItDW<}@|1D4u>1FH7 z@cdzh+rZ??i9tMgN(-Ii!KF)myEA%HOt%l<6yf5_#1<|af;$>%Yi08kQteW;X7X>W zxw?uZz2-N|NTOemWOmYF}#ksBGc; z!tO(ZQ8TS-ET=6MkDZh@J(Tgn^65S|xOOcK;F^mpoxF$%Vy~L8& zFzbIlSFkLh2&ZyCM?8?#^rGj7&v=tAcCVkZ3|xNX7FHTkc_p1;l+_C%v!?j7s{f=_ zOy@jhIo~G`?>$vPzN;5<{G{Zqtp0o!7ols;xAce7%0-!fC8O5(6~XrIqY@Ij z!^xzh{62_V9;ZSup2vT=p~HhcybpyJnQ7aRn_q3*ij2e7>0Wy5)x)6D32y!aMaOfV zpiFGbAmA$qp4Q+cp`i} zSW0_5DWyFgl+qp#mIxnDN}rDh#*R|s(m-0J4vqkFo9*@zJ!0(mY1FDv#L(^<(za&FQ&cpwT8Ct=%~K0(M7%+S z)#?c${@d^tFL;{3f9sfm|2Aa!gV4m->>;jfLe3^**)Vn%I26lU=(l+$r&f$NQ%m8) ze4!Sx0?T@3 z4cRnY&ZsUG&+&vqW46W`PS@LUniL~dN&Ad|*#+8vT`)rIwWbkTY5HoqJ3Bh6zHc-F zv2yxk#TQd_F#L}wZ8%!6>?^A}>fW%MyRrrYT4E^(p|+NCFczR>9a;r0FQ*T;BlhF$ zcp>+k{VM~Khb2u^z@FVz7RKT?_qMi%LnVzQxVDa~Vw>L}U9-*(@^z+}{VKq2K}7VJ0} z8Aevo!B!X<4hFR*45)o^_F+I=l!FCl1eo_=O>kHVJNZB-ou~s|odRb8#}^TVfu&Mu zE|Or77?8$~ML>oS{4PrK5+R(t^$z9Ifz8W{@MvvJVBDDefRTfoWkVQFYY+D=IHqa8p;G=HahKErccyhYkeq=8mgA;xW@%LzvX2=?je_5j z@$8O*mmwmjh-w_aJ4YquqA##Buf7dZrq{->Qj8Fp-dIRRJ%UO|0(b&t;Hu8hw(+b^ zAhf`KYzaH>*q64V07Ro)7TjnF{|#5n;%p{D#XK`dD+|#G#1~);;K{A6R125_ISxF3 zZv!P5AVXsaEvMlbVd5D(pI7wZEGN~7&SDF`J>r=~)RY^`VZtGRJ&{0@*)|CyJv-{G zJl`<$BkJ>d)cCFI6m-_wFte53#L8qZPoX^q;WK|?3MTH?=2BpM zNa~u-bQFb~{yS~lB}XV;mL%O;!DFRkJm=_S@nAPQJxFwpafh?UG8+V8V0}f$IPV1k zU2l>-dKDoDcmh*jm{d?+ zyP!M>nGzIX6=}CxZOSF%nm36F;@UV$5-7R~jGEU05+DAXGK&|NO4#R@9^*?c8jkdW z{j8xzudPE@$F*W6GE^+Pzj}0KX9k zD5h879UBYrcG`HaA83RmXWwr?j!z7{*X4)b6jwqpX>AojUO1PsQt*rvP5g_F^^X7I zyf1EuJUrYghOR{|RYk+q%r7CauLFhFp#yG^!i!G2y9ER!9dG=MAz++mY+%^y#R)CL zD4@6~0{7FvIC5QKfyq=WmG(L_Th8uzG^6c z-X3a7it8R=;?kGQj@DJt~z(0QwwW%-#@(apj`}ae+2Qy zInZ|h9!6!@Vl2qF)StTOI{#17cT1NYoxjh*E^ z+uTz^iWuAtk(Xa00Aa01wFl=#f4vslcn}MD?|o-&xNGIl)$->G%bgW1oqy1&Ppg7v zjLr3=#u?z#6Id^Mw^ez7w8)>yOqFMRoFuE;!f}Pl^KtF{)!Or8wP)V>;0J>$|%0Yp{FMeynI5pG4qShc^T3%WpO;{7i( zPh+qgft7_%jLcPvF#822D1Whdx9IJTU6mB)A9(04r}N^ThabH2p?ClnKYZri*KOV9 zJPT@n2z{(#pOTaxzgv=J>1m}nbMXv9-br$v#RrB_9P8E}OMWi*;0}>>B;Ox?(0;SM z^4CR^*=HY?%wY0K|uho?$-;D6YJs0mhf3|fNioAs41dEI$K6io2X-8Du{(SFSqJ!BvR{Vf z-&ax2MI|gs!$x5qG@e!yEbWuV>+ayFY;tu8TLi$JM>ruLaCe&mg-ja9Wqckl%(iwF z6;-fLtS6#^g4Mq5ln1y@pFVrvJ#V^n?!E`HDYcw#?c^0jxXY_=ZX)9g2m)fOf*6TG zOZJqQ@+H{6CC?{JOflAC9ktv*vu#XeO<{!#I%JK^|b`h=G(FfQ3qhwS(>qIq!%^ zDT0(-OU;dIGQEnRkh)WdpmKJBeo>Wn9le2D9A6`11ribQ}Yi=vxxcWRDK9xjMufY-UpA zBKfDri1u|M$pfx_Y-EU?6?||ZY3Q-GZRe21IbV!}F15B{^lZD_Hc$&aJ0qoZdapA# z7e?r-(|~UYp+X&-<}Jo(xB&^n(GdkCKb0|A+(V8PVERPbP=^~yleD^~_NgX@bznDP zIk}r$7dkGp2fgW)vho^4u;eCq=5SQPDdb!K`~mb1`opf5()?P@Ma z(zgeVOdteGWbjNz#YH!t-Zw9?+&W%k?4;d7dKdsK&f)>GMwfT`DZTuJ;FvsiAnM{b#goTaVx(cBHy`*pk=n%>YL7i$} zL|&4E#9bU~NrJ%Rg3J{3ui3GVrEvHycI8FrsVV4s;EQMX@x^S{3?kT7ba zpfuIpmykKB=ZZ~{*aiGf6w;U|btDim=!~w`TFsQC1QR8J%jEci*f9TEc1jNp0q((3 z32(H3og(94Of$cj0UJDwY1dZUw1Me2hF%#oM3@v29KI3Nu{B0bo5MtYmY3*Kkb|sebgJ(et4D2c1Az6e%JdPB3aOsjpX0#fCLw0Q^9X_vF*mF>M z6thpN9dlo0$3Aby5Fzi#lZZ}2P$>dhjHn6i-9#?vBPd2^0rU;mn($*qDH*6tdcOQx zkk*)Z3425u!SynOy1X#3Zda#I)w#4S<&+EUlxoGh25SqXxnZ@TOo%t;6UQJRjOUGc zPe@BBvDg-E`N-iWf<>l@9iR?yA5CIVGd-(Pd9rqD8F0lVF`9X%x{@8N{W3XwP`8>; z5?v5bl(CKE09tUFz)oE?Na;w zm=U}!+V%!)|1cIj}YVzo?F8EV~beak?yX zatw{({wUpzVWguzPEi>BW+gN>@e z32zv795Uv>G}sw?l)1}V#WWJHK{1569yU8a-5pHVuTS&m-sPs=ccPT%Tsjc zZp?#c)!wP%C2@+m+3b^&lv{adDsyinr4??pJt$5dWM4^V@e{Iq#c?zW0kAzJo#867 z8cDxTZJV;mpuebPu5jW(`#LRee|BY#PqET2>DTPnqwtWchyc~|igYA7RN+1uxO2LS z#@sYG1e{=;z9Pzax%5@YZzN+t$TBn!Rkk+}oz}~_kp8>yqqU)h0H8`FS0nDHbo6dV@JdT-V3wr$!ykdLd(8?89>BhHGu>q&l}TXt7?uq+c>M4;$WsD zh#O{XPy#WRfP*pW);C>AmBB~&;xvyJCQ{}xX)HQ?OAd1M=m%lBHrN zBkWw9Bj_`JXR#*Y1F9Oa2De%mF*(X+8$?GCyX{!<-Bk(?S;)9escK|k_v7!N_N=MXD={@hmg!2pvZ4n-nC3cvPYZCLq9m5JR+Hyh3 z(WPcXG#k$i2PxE{ELKGo?H>e6LPtRK{_l4FOHfhI60Mhr0EQQIJ5+jCEvam&*(Yhpba>Js1VYzZocfv%l4nJmzEnb9eG$9}u;g}@B zIQBBC!1HhXt{#ZWZBLH@B&wvIvd`QX3!Och5nJyI*1A>@KioV!Ki*`C_gkPAf zk{yR4t#4`t%#Dag>F6XeNj9^MMAo34I=81c9m6uHww~}3mJBW-iPd5|)}6cS5Ei7? z5G5{nSj;4MqBokLJg1UO1ES}U^jTNl_^Jc98#RoO8mP_hugtlLh_JD*#U7cWDb@J} z>n9^Xt8KHAmCOl=((1FNiR&kv@e6|DK$4=?JjN5$DaC;RAHK`xGx3vE3CHAW1=>ik zHs`wK3SorI%aO$^waU5dvS6d8kPDKcM>h|8t7&khW=2AZhGK|iPp&(7o(GSxh7j;q z;I3?FUAnRQAp4M^ z^c>L@pO^O=&{Tt*)HM(8-&R)$BSLCy)E61=K=k2Cc!(qFRP#hYT~#43qrY|T0h&%( zu0=)LHeTMvk)l%*5J8)Mu$l~1vFlv4rZtn%!fZSoYpDejsB-l=T<%8c)2$`TvCZ)9 z%+*gVQWhP_W^&TQhZB7(3rb>_U!})@IWP_yjljj+2J!M@u_RQ13|zg}I*>A>v2CCE zPP>Fx59`}TRDEoaBQC9aqiUz<+EH*d+8#v&ZgN^@h&*OmUp$G^yjofWu47rmG{$U#i4M9D(#5e$>vHfFmB|K#`kY%O zm4eIT8VUg0p(Z<8LfP|~73Lo5ZNjJ37bC;s5mV*x0%QHD{cDp%%=Coz*Oh-@rE zz0;~Mva+(tiIa#S_I-@L)Wq_ab$++^%e9##95?!{V zX-a@P-b3l!nX3*8UQ7=ccHwwHNi)GY3K)@ddXRXNYP~RhT+cvCAz9R{>g5{7@!sl6P#|g>1K&xrF~bxv+~Ss)*f~WE(G;YZ zNQ_#lv{);wI79+CRnD^p5c4XTJ~lkqD}u?A0VS@0Shx-hmS7M=yU$;_M@~#Q65%m9 zZgX2b+wVzY4CmGc5XrzKgB!9p$fz7!P-G$tzNp8eI8=J0_Hl1oMzv^#qT)x#uxWW* zlaseoWv*&W-QkucGA6%EgssWpogvm1g$VA$ihB~t{J!)t;1`Gd4L#r<{v1n_MDW32Or}K zUelQBw6Z^d-m(7bfefmR7MpDtu(tOSyZ;n?`qn8}lZm9%LESkUl#9w`mwF@tyMwOL zxkJH^6VWxY7@(zE!Gj=QA5x!D_lfR&A4VIV^mr{!l9oiqE*5@(09sMsbfzi8FKS7V zCMNOVRII&tDct@@B8a5`9UzEr5~`1lv6{3AnJ~{?9UNwu07uxG|U z;SOD%{8y1EG|OT|jg&nFroD(V=Pl$A4n}=^f_SEltryzaH2Ux%OOnKb$;d6q(v^GS z1CbGR9b%+O`k1vwwW=s%HEDBQ2fav5uoC+?&56%(yM|8NjaBB0j^S?jwhoA|GU?Q4PZBe%!P##zO}kxr@LER(vvIwzLI^C zzQB+(mldgkIt^vtC-4~<8xk8DKS%_X!c$V*0|Td4ulX_XB9Mt%VcWGOICp3u1RV2J zs9(rwB#fG=S6LORFq|U)jqDM?N9h+CE1%;&U2 zK-%VEneJSRQ9$_EX(U@`l2fx}%Bk@Pr)hcZCGA~USx|P|jyhU{$;qfOLSsCL*yD9B z!#Tr>{u|sTXa;8X*SDITwaU$an1?S|nYPW6Too(=-7TmzSV``npM56Nuo5?+xY>#V3b`LaAGgYI_npgn`a5CZ3=%Pw> zYdcbsgdw!Di*RVX!gb_uTzKYdFJrQjrprDgQ2I;|MUIFDE|LwTi9ku}p%K_3c}Fk! zfpMtdMC1Yr&)H~G6H0YRU>J0G=!I%e99yFZeJsW?;AS2!d52>9b!i$%)sUZ#Ydl_ijmSb%|x7MS=BN(pM?v z!n@~E^md3kY`yM4VtCGxmXX2&fk&fQO7pP%D>6=pG(beudAPM^?gT{{iI^M=rv)y8 z;I0Huf3b6Tplw`gRcTS=lVTlCEy8ZH#w-?U>@v9ub5+P*9#O8jhY6(E& z{16L~1VR?;q{3!CB-`@e^btSZ^s-awoUu;{5>1nq$$F|XF%?sdipv0l5ngj3d0tC;bqbG6x6 zk_uV(ajg;Pb2`)_Rx8MatXpBhG_L8G6ynDMy?uQp%+kh!=)z+6I^hTrp>U%RNfEh7 zB0vg||A_*I+F;rncA2o19Vk(jG{_k(Q`hW1MvCW9--45)I3tOpqd2)FJcW8o37WQv zCY@1}7mu`$N{*pbN-~sUAm?c3r+N-E%mxaIv>!lvp(l&A6*+~d4Q30Ipz-7+WcP%h z0^;q%PA#@!(5U3AQb+MIZc$r^odHH?t1Oym(L+Jg zjX1AmnnrXOizJ=--`%b9R+ z9}$8%pO@&Q$=~OyD0jey3`(zLi1=YLQ#-C@Z5^uZ=Wb9~WH^P)qfp$YRO481<@iR< zO-c31Jk)~9gEEa331q;IHp7^7F97G)p34oTx^5=BeN!hmXuW z7*;VP{=h9#6hagr3}-UY-b6BH41d7#t0Im`szAWJHGxIx8KYsINTivs5m-{Vjw06f z12F_%CTY7ZzQDAFlrC{BHBsWnX*{Ch{<2_pq)X`N=Vaj{(dJKCXq#XsoVLf z>WHqWAPp4CGSg%p`_*;W3=z}`hgfpUKz&WxJ%&XP?DUf=EFg17Q5(f%bOyo?d)qD? zJIj685H_5R+gD~}3r!*mcxpO$%ibwuwcP9sb*h$f6J6NC<}pXkeF4|nre}7~jJ&uO z4Rjii^@I(LF>QvV6c#xt5E=PN`mjtj&qUB13fL~pdy`G{Oz{Fs=HalK(FdxudtD0z zFpm8TmR81Nb)Hw6?fsOCpG$t=i}5*4g9F1Zl+Iij#PZie;3^}#qQR&)%F~ow5KG!w zMF!b?R0@oYJ9a?9O%Wj5aX7OF{w#1a$!xMW&vxq0#jG4XmlTY)23d0win=(bB=eu6 zBeEMdxq1E~cv6Zj1%>BR&e;qVcd}IMdKRWn;f=O6;IE`(GP#JXDQ)BKFi~N(W9Wy9 zdsSy{cPhZbI51NoKgyIo4Cwnku&Jlmrp*21JRJ+eLp4EpDEL#CPd4&;!*~S_hP+z4K`J(M%t)OUG(X^ zg(R5dMi9CD7BhXfMwt*(C4FZ{JGE2fXLHSLC)xiZpx95GPG=+gw6|2wNiwBSX?8+hxRR*@q#xFzo}} z^lhif5>ZJ6!l6ZgT3-)PS5!n|P1`L?g~NykKI}|Ic>E=yYB5Tg7LoV4CgcY|_+mVx zx&7UkO^LgOG9o-5xzK2gR|@e8-?Br@rPOA=@1nOkl~*jAJXcSWLd6*=QSuen7CKN| z6a0b;!5VKHAlfTKWKi9lM9b+4v)}Az@lP2McSDfe6&pZFiUv)}3bl#HU~q(>pBY_D zS)B6r^pU05)P+Vek35#j;|0d179R|iBrL?zm~_)Zo9iFcOAjdUZRg2=f~xY9qn

    Qi+t2)WtKMqKNf|#U zAt6?z#&j8M{0QVwlFPVc=~E(Hf}NyGo)oNHNg>L$X2gQ}4vGh@S&!YE)%ctRgM^m%7Y!%2=S zg%h)txTd-v2or-_@1lmiqDA0HMBpI+`MBA5m;#32EOy$$%7G!)!u^>ZI}K4E#v24- z(K_Z`SE_{z6=07+>@40kmfD4o;GHKlhv_lFdQ!Nn76L*$u#`O=Ks(x1iZDNWZ>FIp z1tfbRKd0dVPu!D=uYV!Jg%nuUY+Z>vWVqa7+&pR~I^$p?r_+(GKaFQmXf$F2wiE{9 zWp{NF<)pBZj=7*~>3?_6rRQ*=!WG@pdpJXmc`dV$%gA_^-@wKS`cNIsL&zJ`kuF&v zrev9$uU6&?f~v4PFvAr|cDqApwRs#c$1WI-lrz7t6m^Z%Ane?oH!L{*EE*vf)AhcI z7py+#Lkb92ur#=B-4#wJl~pli8=b=)okXy3RV`tMx1h`+9TInpv>03vVc7Zii=r`MxRm3lGv2H<80c`soAb}a91(qSWar!2i?vUFEslZBC1P-g> zu{wR#k4Rt&kxe^@tvR1E%?p>H_Hk4Mmv`G{SUs~zh7>FU?%kbZUcI3t?3*N-_+2e0 zRFhwj3uJLbE*Xbji8{7ir)-SSTKl2Ie;*4pJ}135L@r~;}&D4D$ll2eB< zN)OpXRq`$w8Ocewax2b09A-q`*~1mSW#@9LpiycN2|PdakSy2I&%lVnh4TneGISCq zs#XPjc|;p=g7y*Ihg3 z;K0FOXC%0O$E@Acf*VH?+9pFd>|))dLxYk19xfVH=Dfl@$xJ{=K2(zF<;vU#FN@p+ zS>01iXbVI}%7{@rR1}ZvR#!Igz<-Ag~O7Qis$K?!@*OEqnV z!^`<*vBl3S$!ZqilJJgjm>*5>tQZ?FeHPGP&>)onzbv6UH>ZG+g3}FnzV^-+qzNLkDiA10O}B2(Ap(J zC$&kNYwtwh#NH%g8fr4WK%PD~CCNbHV?8sV;*BYDoo{m2ncrX_j~qj%sOp@OEwV(Z z9&gl00zGU80^OX~X&WT3AmTJ_$00vV&yV7RgvbPGeFLYKngyMXW$d}I5G!ilPiZWL zL8+Z*>cHgt!D(hdw}9F_;Z8<R%W3gAPeN4o6efwBD zOjS&<8KA9dLy)y(aoC$U8o_n&*vP;?cVL$Rpbc8pl44cKpuwX#XmB@?CQXLobhrb8 z%l94;VqQf}^GdaS)XfPY_w$VyDmllfjVENy~I4+KebDc~~;LIQM!+i3=JlcA2 zFrz!_H)MhAl5a%XkohHvg{jfeQ%7NJQEr7sOEg2Kq0^6fFbLvG#E#qBTFoyBDnlEU zjfo}HRb5GQt!jItyci4Kc;vnL62q0{=U0;X&Me_!e$_C|JqS~CE<~8&B04g1=}19? zyhf$>HPKL8^0|T>IXQMFsF)6~NCj4BPAsuubG$TX&wk96cqvh3wWi}YSkE|o5J4dl z0O^EDH1v@UuvIK-vSgaT4EHMOZYCO|ea4#$<$SP|<=g49L$~w^_4FD$YD+6N8Z_%@ zzl)n;9N$GAF|MR0N1hN4?m?-8-pghnMl1@KrFg{6{8h}!%I`y-A^p%aV4_-m--H$e z1Ncl473I^uGs}W}IlwnsJqm-Q3!agS1I5s@xCjldagy&=F0c@^Z3v@Ei|{&e0gj>J zZiEB<(&v_tBtSZERmOJ8yT#yf9pO`ZSwJHg>~P=pZs`|dB%lN6U@UZNn|q;gMpyS3 z`L?vJ2nhkntG-oG)qk|`5QJt#g*j=o#;Q235VO>BNr{FIQ@>$l({_Q3aGjhB5{e0F z>O?RUEua*men$F?2tP@Iu?}Q8LYuN-|}h) zSH>v-fmUHc+BO}gg2&p@Y4+uj z9jy`lF!L75U9}*)lG{w~+j``D1$hbI1{t|BcR@|^BdQ-_2m=OZtbn5I5}tb#5c(~gJJKvgl~JP<-38;ou=9cdIikX|#y4RGNBwdAV=%VDl|zxlmg<`h zcTEMRk2w%Y=A|U|vLJ}Fgn#BKZ4QHwQANaW_*bm8gS!Em;M1KX7Qo;o%RJ>?HUc9w zPFAzbM(|s@*r2C=tK`&bT{?fpKgY)zf$kb20I{rO03BeaUxNe@U)xG#E(M6CqHL<= zUa$-)*}TkyvF|1k)v>;^JamJ&&{*Mc)6`D3IgN^gD!xQ%G34rGLsIBM{7m0%jl8I z(ZQ|E_=Z6Oc&Q08$c0L-h^EiX5Gp$>dMxCdaAK>ahv~HE0oW`txeTM&)qm=8F5xI* zY@~cfv_gnAY+;mlh)|Q(#a13NbmPm0E4^mhwaS!DQj}9=uCVRLYtrR}iG1l@2xexO zfZOJ}tR5(+j$Bj~(eog8JFm%hB9sKfqRiv-=scG<)*X&8uUQ}{n1dcii3+!Hj+R@? zt#ucX+B@?uR5cbAW~=i>MgX=C%z%)qX4|J_9h*dM?`jeA&mUFq7_g9|DkOBx2U5tc zjOWH+CPg0s5{qz{bA;*ANH#tM{tW}vPBu3WOD@2J>HTF*omZY)ER_>-|4GYS*=I`; zw{W37i(2Q8h<(Kfd3!azJOqUxwfjm3Mx?@=*W8y!g%CiEJI5vakj^wsKl@}}7!)LA ze>J1;s6FnBfazJ$00J3hAx3!N#Or{OMh;j}Esnap4@|fXGKDiZm~g+zqa{wOT41O_ zm^Yn+8E+fGL|DX~IWB?oy5(cp4BEFvGs9xUJ8BQ{!DpyMevgndGhDicfLhuGNn%s2x;$BAufkv<{S?Y8 zW9GqTA^b42a5y}Dil}HihS1?$fe)omdl4$;RZ+Mbdif~uX zg+j%fmgD^Cvjq{84Zg*OR$() z!dKl(@+zlZHF{0f%jOkMvha&9B}t#7sMNEsOWAIUU)UtWb){VHQ{^rknL(|AtNdn` zV>%5uo*OQa#dIw&Uh2OxBvr8;7s8mn~sae zC%w06`jt~!3x1=&aM&L2CyyOwqKp1Yi;YS$!p(;L+-P+CZ1?kw1&%lZ17>)Jq=o>k z-95HLqu2-oS`;U10?|0aW#4{Rj-P!`9NJ-S!R&kI+Bu7jP!g0Rsc3W04nuR$Q<$8$I(6@Q+GdgD>7%0mn9u%2yJ@LwZ*mu86^RxIJ?5}ey&i65gVmLRSBC^VFcT1rxv zyJ+djs=6#tjrjdY2gO*G9ikNtj^7@`fQD1{Wv`1Rq!<=U^f}2J|4IIP30ip?{(qad zwsqTS{n~QCf9~-3!?O8*ci`b!_6~!e7oX}JG&zF=x^=k$H=JltyofdrR z^J`}omSy@IpAJB6~#0B@3Z}H{J9@Lo{RrS{U>ibji;h` z(gC-=LXX8W@rQGd`d@9};vxKfI{qK^pZF`M_2!AcqCdrd&B;Oyh4mW`iZ~$DE1dw{ZGBj>VN8GR{ylu=lF@c7{9$OipLxt?Y;8EX}x;o z3H>Qf)cTM5G5^1TVr=&=D_-3D^3(ct@5>GF(=V{U9RG{(|9buJ1&m#AeEM(gwEwj~ zFSbAFU-p&%_ut|nuYbbppIEa}PjYdy|8Do+@%M-DoYybD^|Y1vR{In4w5M|X@%$eA z$m^f*`X{{p6T8okqWT;C2Jn5g`nTRsiY$s-@3(r-(Np4`t?Elo7aEGk6#r09Y1b_|L!+bD^y!6iho+G|H?nJ`mg*mtN*+YvGwx5 zSpR_h5`J)`}bNu~Pl=^b~Kk8rb`WL>)`u`SnIl`#_u-AY1 z3)Dvy{rB(iZ(jeh*T3xbFZ}!Gc}e?oqViM}pTje0Kl;D%p0}yQjrY9VO8UYEf5g0l zj^2e*dH*-w>-FDj^)FZ}>EEayfB(EzzqoGoi|bauWK3%!>c!t@JgwS)@qVxWeye}_ zEvak$I8l8po{RcyE9QT?c)LoRF1}WOub+>ZTE!FgC;fZ7_rIJV_9N=Qx&}va{g?ku zypxq3dH;_uTS Date: Wed, 12 Feb 2020 13:00:54 -0800 Subject: [PATCH 225/228] tools: add vmlinux.h header with all kernel types Check in vmlinux.h generated from Linux 5.5 version with default config. This is used from libbpf-based tools. Signed-off-by: Andrii Nakryiko --- libbpf-tools/vmlinux.h | 1 + libbpf-tools/vmlinux_505.h | 122155 ++++++++++++++++++++++++++++++++++ 2 files changed, 122156 insertions(+) create mode 120000 libbpf-tools/vmlinux.h create mode 100644 libbpf-tools/vmlinux_505.h diff --git a/libbpf-tools/vmlinux.h b/libbpf-tools/vmlinux.h new file mode 120000 index 000000000..332faaf42 --- /dev/null +++ b/libbpf-tools/vmlinux.h @@ -0,0 +1 @@ +vmlinux_505.h \ No newline at end of file diff --git a/libbpf-tools/vmlinux_505.h b/libbpf-tools/vmlinux_505.h new file mode 100644 index 000000000..beed1f2fd --- /dev/null +++ b/libbpf-tools/vmlinux_505.h @@ -0,0 +1,122155 @@ +#ifndef BPF_NO_PRESERVE_ACCESS_INDEX +#pragma clang attribute push (__attribute__((preserve_access_index)), apply_to = record) +#endif + +typedef signed char __s8; + +typedef unsigned char __u8; + +typedef short int __s16; + +typedef short unsigned int __u16; + +typedef int __s32; + +typedef unsigned int __u32; + +typedef long long int __s64; + +typedef long long unsigned int __u64; + +typedef __s8 s8; + +typedef __u8 u8; + +typedef __s16 s16; + +typedef __u16 u16; + +typedef __s32 s32; + +typedef __u32 u32; + +typedef __s64 s64; + +typedef __u64 u64; + +enum { + false = 0, + true = 1, +}; + +typedef long int __kernel_long_t; + +typedef long unsigned int __kernel_ulong_t; + +typedef int __kernel_pid_t; + +typedef unsigned int __kernel_uid32_t; + +typedef unsigned int __kernel_gid32_t; + +typedef __kernel_ulong_t __kernel_size_t; + +typedef __kernel_long_t __kernel_ssize_t; + +typedef long long int __kernel_loff_t; + +typedef long long int __kernel_time64_t; + +typedef __kernel_long_t __kernel_clock_t; + +typedef int __kernel_timer_t; + +typedef int __kernel_clockid_t; + +typedef unsigned int __poll_t; + +typedef u32 __kernel_dev_t; + +typedef __kernel_dev_t dev_t; + +typedef short unsigned int umode_t; + +typedef __kernel_pid_t pid_t; + +typedef __kernel_clockid_t clockid_t; + +typedef _Bool bool; + +typedef __kernel_uid32_t uid_t; + +typedef __kernel_gid32_t gid_t; + +typedef __kernel_loff_t loff_t; + +typedef __kernel_size_t size_t; + +typedef __kernel_ssize_t ssize_t; + +typedef u8 uint8_t; + +typedef u16 uint16_t; + +typedef u32 uint32_t; + +typedef u64 sector_t; + +typedef u64 blkcnt_t; + +typedef u64 dma_addr_t; + +typedef unsigned int gfp_t; + +typedef unsigned int fmode_t; + +typedef u64 phys_addr_t; + +typedef phys_addr_t resource_size_t; + +typedef struct { + int counter; +} atomic_t; + +typedef struct { + s64 counter; +} atomic64_t; + +struct list_head { + struct list_head *next; + struct list_head *prev; +}; + +struct hlist_node; + +struct hlist_head { + struct hlist_node *first; +}; + +struct hlist_node { + struct hlist_node *next; + struct hlist_node **pprev; +}; + +struct callback_head { + struct callback_head *next; + void (*func)(struct callback_head *); +}; + +struct jump_entry { + s32 code; + s32 target; + long int key; +}; + +struct static_key_mod; + +struct static_key { + atomic_t enabled; + union { + long unsigned int type; + struct jump_entry *entries; + struct static_key_mod *next; + }; +}; + +struct static_key_false { + struct static_key key; +}; + +typedef __s64 time64_t; + +struct __kernel_timespec { + __kernel_time64_t tv_sec; + long long int tv_nsec; +}; + +struct timespec64 { + time64_t tv_sec; + long int tv_nsec; +}; + +enum timespec_type { + TT_NONE = 0, + TT_NATIVE = 1, + TT_COMPAT = 2, +}; + +typedef s32 old_time32_t; + +struct old_timespec32 { + old_time32_t tv_sec; + s32 tv_nsec; +}; + +struct pollfd; + +struct restart_block { + long int (*fn)(struct restart_block *); + union { + struct { + u32 *uaddr; + u32 val; + u32 flags; + u32 bitset; + u64 time; + u32 *uaddr2; + } futex; + struct { + clockid_t clockid; + enum timespec_type type; + union { + struct __kernel_timespec *rmtp; + struct old_timespec32 *compat_rmtp; + }; + u64 expires; + } nanosleep; + struct { + struct pollfd *ufds; + int nfds; + int has_timeout; + long unsigned int tv_sec; + long unsigned int tv_nsec; + } poll; + }; +}; + +struct screen_info { + __u8 orig_x; + __u8 orig_y; + __u16 ext_mem_k; + __u16 orig_video_page; + __u8 orig_video_mode; + __u8 orig_video_cols; + __u8 flags; + __u8 unused2; + __u16 orig_video_ega_bx; + __u16 unused3; + __u8 orig_video_lines; + __u8 orig_video_isVGA; + __u16 orig_video_points; + __u16 lfb_width; + __u16 lfb_height; + __u16 lfb_depth; + __u32 lfb_base; + __u32 lfb_size; + __u16 cl_magic; + __u16 cl_offset; + __u16 lfb_linelength; + __u8 red_size; + __u8 red_pos; + __u8 green_size; + __u8 green_pos; + __u8 blue_size; + __u8 blue_pos; + __u8 rsvd_size; + __u8 rsvd_pos; + __u16 vesapm_seg; + __u16 vesapm_off; + __u16 pages; + __u16 vesa_attributes; + __u32 capabilities; + __u32 ext_lfb_base; + __u8 _reserved[2]; +} __attribute__((packed)); + +struct apm_bios_info { + __u16 version; + __u16 cseg; + __u32 offset; + __u16 cseg_16; + __u16 dseg; + __u16 flags; + __u16 cseg_len; + __u16 cseg_16_len; + __u16 dseg_len; +}; + +struct edd_device_params { + __u16 length; + __u16 info_flags; + __u32 num_default_cylinders; + __u32 num_default_heads; + __u32 sectors_per_track; + __u64 number_of_sectors; + __u16 bytes_per_sector; + __u32 dpte_ptr; + __u16 key; + __u8 device_path_info_length; + __u8 reserved2; + __u16 reserved3; + __u8 host_bus_type[4]; + __u8 interface_type[8]; + union { + struct { + __u16 base_address; + __u16 reserved1; + __u32 reserved2; + } isa; + struct { + __u8 bus; + __u8 slot; + __u8 function; + __u8 channel; + __u32 reserved; + } pci; + struct { + __u64 reserved; + } ibnd; + struct { + __u64 reserved; + } xprs; + struct { + __u64 reserved; + } htpt; + struct { + __u64 reserved; + } unknown; + } interface_path; + union { + struct { + __u8 device; + __u8 reserved1; + __u16 reserved2; + __u32 reserved3; + __u64 reserved4; + } ata; + struct { + __u8 device; + __u8 lun; + __u8 reserved1; + __u8 reserved2; + __u32 reserved3; + __u64 reserved4; + } atapi; + struct { + __u16 id; + __u64 lun; + __u16 reserved1; + __u32 reserved2; + } __attribute__((packed)) scsi; + struct { + __u64 serial_number; + __u64 reserved; + } usb; + struct { + __u64 eui; + __u64 reserved; + } i1394; + struct { + __u64 wwid; + __u64 lun; + } fibre; + struct { + __u64 identity_tag; + __u64 reserved; + } i2o; + struct { + __u32 array_number; + __u32 reserved1; + __u64 reserved2; + } raid; + struct { + __u8 device; + __u8 reserved1; + __u16 reserved2; + __u32 reserved3; + __u64 reserved4; + } sata; + struct { + __u64 reserved1; + __u64 reserved2; + } unknown; + } device_path; + __u8 reserved4; + __u8 checksum; +} __attribute__((packed)); + +struct edd_info { + __u8 device; + __u8 version; + __u16 interface_support; + __u16 legacy_max_cylinder; + __u8 legacy_max_head; + __u8 legacy_sectors_per_track; + struct edd_device_params params; +} __attribute__((packed)); + +struct ist_info { + __u32 signature; + __u32 command; + __u32 event; + __u32 perf_level; +}; + +struct edid_info { + unsigned char dummy[128]; +}; + +struct setup_header { + __u8 setup_sects; + __u16 root_flags; + __u32 syssize; + __u16 ram_size; + __u16 vid_mode; + __u16 root_dev; + __u16 boot_flag; + __u16 jump; + __u32 header; + __u16 version; + __u32 realmode_swtch; + __u16 start_sys_seg; + __u16 kernel_version; + __u8 type_of_loader; + __u8 loadflags; + __u16 setup_move_size; + __u32 code32_start; + __u32 ramdisk_image; + __u32 ramdisk_size; + __u32 bootsect_kludge; + __u16 heap_end_ptr; + __u8 ext_loader_ver; + __u8 ext_loader_type; + __u32 cmd_line_ptr; + __u32 initrd_addr_max; + __u32 kernel_alignment; + __u8 relocatable_kernel; + __u8 min_alignment; + __u16 xloadflags; + __u32 cmdline_size; + __u32 hardware_subarch; + __u64 hardware_subarch_data; + __u32 payload_offset; + __u32 payload_length; + __u64 setup_data; + __u64 pref_address; + __u32 init_size; + __u32 handover_offset; + __u32 kernel_info_offset; +} __attribute__((packed)); + +struct sys_desc_table { + __u16 length; + __u8 table[14]; +}; + +struct olpc_ofw_header { + __u32 ofw_magic; + __u32 ofw_version; + __u32 cif_handler; + __u32 irq_desc_table; +}; + +struct efi_info { + __u32 efi_loader_signature; + __u32 efi_systab; + __u32 efi_memdesc_size; + __u32 efi_memdesc_version; + __u32 efi_memmap; + __u32 efi_memmap_size; + __u32 efi_systab_hi; + __u32 efi_memmap_hi; +}; + +struct boot_e820_entry { + __u64 addr; + __u64 size; + __u32 type; +} __attribute__((packed)); + +struct boot_params { + struct screen_info screen_info; + struct apm_bios_info apm_bios_info; + __u8 _pad2[4]; + __u64 tboot_addr; + struct ist_info ist_info; + __u64 acpi_rsdp_addr; + __u8 _pad3[8]; + __u8 hd0_info[16]; + __u8 hd1_info[16]; + struct sys_desc_table sys_desc_table; + struct olpc_ofw_header olpc_ofw_header; + __u32 ext_ramdisk_image; + __u32 ext_ramdisk_size; + __u32 ext_cmd_line_ptr; + __u8 _pad4[116]; + struct edid_info edid_info; + struct efi_info efi_info; + __u32 alt_mem_k; + __u32 scratch; + __u8 e820_entries; + __u8 eddbuf_entries; + __u8 edd_mbr_sig_buf_entries; + __u8 kbd_status; + __u8 secure_boot; + __u8 _pad5[2]; + __u8 sentinel; + __u8 _pad6[1]; + struct setup_header hdr; + __u8 _pad7[36]; + __u32 edd_mbr_sig_buffer[16]; + struct boot_e820_entry e820_table[128]; + __u8 _pad8[48]; + struct edd_info eddbuf[6]; + __u8 _pad9[276]; +} __attribute__((packed)); + +enum x86_hardware_subarch { + X86_SUBARCH_PC = 0, + X86_SUBARCH_LGUEST = 1, + X86_SUBARCH_XEN = 2, + X86_SUBARCH_INTEL_MID = 3, + X86_SUBARCH_CE4100 = 4, + X86_NR_SUBARCHS = 5, +}; + +struct pt_regs { + long unsigned int r15; + long unsigned int r14; + long unsigned int r13; + long unsigned int r12; + long unsigned int bp; + long unsigned int bx; + long unsigned int r11; + long unsigned int r10; + long unsigned int r9; + long unsigned int r8; + long unsigned int ax; + long unsigned int cx; + long unsigned int dx; + long unsigned int si; + long unsigned int di; + long unsigned int orig_ax; + long unsigned int ip; + long unsigned int cs; + long unsigned int flags; + long unsigned int sp; + long unsigned int ss; +}; + +struct math_emu_info { + long int ___orig_eip; + struct pt_regs *regs; +}; + +typedef long unsigned int pteval_t; + +typedef long unsigned int pmdval_t; + +typedef long unsigned int pudval_t; + +typedef long unsigned int p4dval_t; + +typedef long unsigned int pgdval_t; + +typedef long unsigned int pgprotval_t; + +typedef struct { + pteval_t pte; +} pte_t; + +struct pgprot { + pgprotval_t pgprot; +}; + +typedef struct pgprot pgprot_t; + +typedef struct { + pgdval_t pgd; +} pgd_t; + +typedef struct { + p4dval_t p4d; +} p4d_t; + +typedef struct { + pudval_t pud; +} pud_t; + +typedef struct { + pmdval_t pmd; +} pmd_t; + +struct page; + +typedef struct page *pgtable_t; + +struct qspinlock { + union { + atomic_t val; + struct { + u8 locked; + u8 pending; + }; + struct { + u16 locked_pending; + u16 tail; + }; + }; +}; + +typedef struct qspinlock arch_spinlock_t; + +struct raw_spinlock { + arch_spinlock_t raw_lock; +}; + +struct spinlock { + union { + struct raw_spinlock rlock; + }; +}; + +typedef struct spinlock spinlock_t; + +struct address_space; + +struct kmem_cache; + +struct mm_struct; + +struct dev_pagemap; + +struct page { + long unsigned int flags; + union { + struct { + struct list_head lru; + struct address_space *mapping; + long unsigned int index; + long unsigned int private; + }; + struct { + dma_addr_t dma_addr; + }; + struct { + union { + struct list_head slab_list; + struct { + struct page *next; + int pages; + int pobjects; + }; + }; + struct kmem_cache *slab_cache; + void *freelist; + union { + void *s_mem; + long unsigned int counters; + struct { + unsigned int inuse: 16; + unsigned int objects: 15; + unsigned int frozen: 1; + }; + }; + }; + struct { + long unsigned int compound_head; + unsigned char compound_dtor; + unsigned char compound_order; + atomic_t compound_mapcount; + }; + struct { + long unsigned int _compound_pad_1; + long unsigned int _compound_pad_2; + struct list_head deferred_list; + }; + struct { + long unsigned int _pt_pad_1; + pgtable_t pmd_huge_pte; + long unsigned int _pt_pad_2; + union { + struct mm_struct *pt_mm; + atomic_t pt_frag_refcount; + }; + spinlock_t ptl; + }; + struct { + struct dev_pagemap *pgmap; + void *zone_device_data; + }; + struct callback_head callback_head; + }; + union { + atomic_t _mapcount; + unsigned int page_type; + unsigned int active; + int units; + }; + atomic_t _refcount; + long: 64; +}; + +typedef atomic64_t atomic_long_t; + +struct cpumask { + long unsigned int bits[1]; +}; + +typedef struct cpumask cpumask_t; + +typedef struct cpumask cpumask_var_t[1]; + +struct tracepoint_func { + void *func; + void *data; + int prio; +}; + +struct tracepoint { + const char *name; + struct static_key key; + int (*regfunc)(); + void (*unregfunc)(); + struct tracepoint_func *funcs; +}; + +struct desc_struct { + u16 limit0; + u16 base0; + u16 base1: 8; + u16 type: 4; + u16 s: 1; + u16 dpl: 2; + u16 p: 1; + u16 limit1: 4; + u16 avl: 1; + u16 l: 1; + u16 d: 1; + u16 g: 1; + u16 base2: 8; +}; + +struct desc_ptr { + short unsigned int size; + long unsigned int address; +} __attribute__((packed)); + +struct fregs_state { + u32 cwd; + u32 swd; + u32 twd; + u32 fip; + u32 fcs; + u32 foo; + u32 fos; + u32 st_space[20]; + u32 status; +}; + +struct fxregs_state { + u16 cwd; + u16 swd; + u16 twd; + u16 fop; + union { + struct { + u64 rip; + u64 rdp; + }; + struct { + u32 fip; + u32 fcs; + u32 foo; + u32 fos; + }; + }; + u32 mxcsr; + u32 mxcsr_mask; + u32 st_space[32]; + u32 xmm_space[64]; + u32 padding[12]; + union { + u32 padding1[12]; + u32 sw_reserved[12]; + }; +}; + +struct swregs_state { + u32 cwd; + u32 swd; + u32 twd; + u32 fip; + u32 fcs; + u32 foo; + u32 fos; + u32 st_space[20]; + u8 ftop; + u8 changed; + u8 lookahead; + u8 no_update; + u8 rm; + u8 alimit; + struct math_emu_info *info; + u32 entry_eip; +}; + +struct xstate_header { + u64 xfeatures; + u64 xcomp_bv; + u64 reserved[6]; +}; + +struct xregs_state { + struct fxregs_state i387; + struct xstate_header header; + u8 extended_state_area[0]; +}; + +union fpregs_state { + struct fregs_state fsave; + struct fxregs_state fxsave; + struct swregs_state soft; + struct xregs_state xsave; + u8 __padding[4096]; +}; + +struct fpu { + unsigned int last_cpu; + long unsigned int avx512_timestamp; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + union fpregs_state state; +}; + +struct cpuinfo_x86 { + __u8 x86; + __u8 x86_vendor; + __u8 x86_model; + __u8 x86_stepping; + int x86_tlbsize; + __u8 x86_virt_bits; + __u8 x86_phys_bits; + __u8 x86_coreid_bits; + __u8 cu_id; + __u32 extended_cpuid_level; + int cpuid_level; + union { + __u32 x86_capability[20]; + long unsigned int x86_capability_alignment; + }; + char x86_vendor_id[16]; + char x86_model_id[64]; + unsigned int x86_cache_size; + int x86_cache_alignment; + int x86_cache_max_rmid; + int x86_cache_occ_scale; + int x86_power; + long unsigned int loops_per_jiffy; + u16 x86_max_cores; + u16 apicid; + u16 initial_apicid; + u16 x86_clflush_size; + u16 booted_cores; + u16 phys_proc_id; + u16 logical_proc_id; + u16 cpu_core_id; + u16 cpu_die_id; + u16 logical_die_id; + u16 cpu_index; + u32 microcode; + u8 x86_cache_bits; + unsigned int initialized: 1; +}; + +struct x86_hw_tss { + u32 reserved1; + u64 sp0; + u64 sp1; + u64 sp2; + u64 reserved2; + u64 ist[7]; + u32 reserved3; + u32 reserved4; + u16 reserved5; + u16 io_bitmap_base; +} __attribute__((packed)); + +struct x86_io_bitmap { + u64 prev_sequence; + unsigned int prev_max; + long unsigned int bitmap[1025]; + long unsigned int mapall[1025]; +}; + +struct tss_struct { + struct x86_hw_tss x86_tss; + struct x86_io_bitmap io_bitmap; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct fixed_percpu_data { + char gs_base[40]; + long unsigned int stack_canary; +}; + +typedef struct { + long unsigned int seg; +} mm_segment_t; + +struct perf_event; + +struct io_bitmap; + +struct thread_struct { + struct desc_struct tls_array[3]; + long unsigned int sp; + short unsigned int es; + short unsigned int ds; + short unsigned int fsindex; + short unsigned int gsindex; + long unsigned int fsbase; + long unsigned int gsbase; + struct perf_event *ptrace_bps[4]; + long unsigned int debugreg6; + long unsigned int ptrace_dr7; + long unsigned int cr2; + long unsigned int trap_nr; + long unsigned int error_code; + struct io_bitmap *io_bitmap; + long unsigned int iopl_emul; + mm_segment_t addr_limit; + unsigned int sig_on_uaccess_err: 1; + unsigned int uaccess_err: 1; + long: 62; + long: 64; + long: 64; + long: 64; + long: 64; + struct fpu fpu; +}; + +struct thread_info { + long unsigned int flags; + u32 status; +}; + +struct llist_node { + struct llist_node *next; +}; + +struct mpc_table { + char signature[4]; + short unsigned int length; + char spec; + char checksum; + char oem[8]; + char productid[12]; + unsigned int oemptr; + short unsigned int oemsize; + short unsigned int oemcount; + unsigned int lapic; + unsigned int reserved; +}; + +struct mpc_cpu { + unsigned char type; + unsigned char apicid; + unsigned char apicver; + unsigned char cpuflag; + unsigned int cpufeature; + unsigned int featureflag; + unsigned int reserved[2]; +}; + +struct mpc_bus { + unsigned char type; + unsigned char busid; + unsigned char bustype[6]; +}; + +struct x86_init_mpparse { + void (*mpc_record)(unsigned int); + void (*setup_ioapic_ids)(); + int (*mpc_apic_id)(struct mpc_cpu *); + void (*smp_read_mpc_oem)(struct mpc_table *); + void (*mpc_oem_pci_bus)(struct mpc_bus *); + void (*mpc_oem_bus_info)(struct mpc_bus *, char *); + void (*find_smp_config)(); + void (*get_smp_config)(unsigned int); +}; + +struct x86_init_resources { + void (*probe_roms)(); + void (*reserve_resources)(); + char * (*memory_setup)(); +}; + +struct x86_init_irqs { + void (*pre_vector_init)(); + void (*intr_init)(); + void (*trap_init)(); + void (*intr_mode_init)(); +}; + +struct x86_init_oem { + void (*arch_setup)(); + void (*banner)(); +}; + +struct x86_init_paging { + void (*pagetable_init)(); +}; + +struct x86_init_timers { + void (*setup_percpu_clockev)(); + void (*timer_init)(); + void (*wallclock_init)(); +}; + +struct x86_init_iommu { + int (*iommu_init)(); +}; + +struct x86_init_pci { + int (*arch_init)(); + int (*init)(); + void (*init_irq)(); + void (*fixup_irqs)(); +}; + +struct x86_hyper_init { + void (*init_platform)(); + void (*guest_late_init)(); + bool (*x2apic_available)(); + void (*init_mem_mapping)(); + void (*init_after_bootmem)(); +}; + +struct x86_init_acpi { + void (*set_root_pointer)(u64); + u64 (*get_root_pointer)(); + void (*reduced_hw_early_init)(); +}; + +struct x86_init_ops { + struct x86_init_resources resources; + struct x86_init_mpparse mpparse; + struct x86_init_irqs irqs; + struct x86_init_oem oem; + struct x86_init_paging paging; + struct x86_init_timers timers; + struct x86_init_iommu iommu; + struct x86_init_pci pci; + struct x86_hyper_init hyper; + struct x86_init_acpi acpi; +}; + +struct x86_legacy_devices { + int pnpbios; +}; + +enum x86_legacy_i8042_state { + X86_LEGACY_I8042_PLATFORM_ABSENT = 0, + X86_LEGACY_I8042_FIRMWARE_ABSENT = 1, + X86_LEGACY_I8042_EXPECTED_PRESENT = 2, +}; + +struct x86_legacy_features { + enum x86_legacy_i8042_state i8042; + int rtc; + int warm_reset; + int no_vga; + int reserve_bios_regions; + struct x86_legacy_devices devices; +}; + +struct x86_hyper_runtime { + void (*pin_vcpu)(int); +}; + +struct x86_platform_ops { + long unsigned int (*calibrate_cpu)(); + long unsigned int (*calibrate_tsc)(); + void (*get_wallclock)(struct timespec64 *); + int (*set_wallclock)(const struct timespec64 *); + void (*iommu_shutdown)(); + bool (*is_untracked_pat_range)(u64, u64); + void (*nmi_init)(); + unsigned char (*get_nmi_reason)(); + void (*save_sched_clock_state)(); + void (*restore_sched_clock_state)(); + void (*apic_post_init)(); + struct x86_legacy_features legacy; + void (*set_legacy_features)(); + struct x86_hyper_runtime hyper; +}; + +struct x86_apic_ops { + unsigned int (*io_apic_read)(unsigned int, unsigned int); + void (*restore)(); +}; + +struct physid_mask { + long unsigned int mask[512]; +}; + +typedef struct physid_mask physid_mask_t; + +typedef struct { + long unsigned int bits[1]; +} nodemask_t; + +struct qrwlock { + union { + atomic_t cnts; + struct { + u8 wlocked; + u8 __lstate[3]; + }; + }; + arch_spinlock_t wait_lock; +}; + +typedef struct qrwlock arch_rwlock_t; + +struct lock_class_key {}; + +typedef struct raw_spinlock raw_spinlock_t; + +typedef struct { + arch_rwlock_t raw_lock; +} rwlock_t; + +struct optimistic_spin_queue { + atomic_t tail; +}; + +struct rw_semaphore { + atomic_long_t count; + atomic_long_t owner; + struct optimistic_spin_queue osq; + raw_spinlock_t wait_lock; + struct list_head wait_list; +}; + +struct mutex { + atomic_long_t owner; + spinlock_t wait_lock; + struct optimistic_spin_queue osq; + struct list_head wait_list; +}; + +struct refcount_struct { + atomic_t refs; +}; + +typedef struct refcount_struct refcount_t; + +struct load_weight { + long unsigned int weight; + u32 inv_weight; +}; + +struct rb_node { + long unsigned int __rb_parent_color; + struct rb_node *rb_right; + struct rb_node *rb_left; +}; + +struct sched_statistics { + u64 wait_start; + u64 wait_max; + u64 wait_count; + u64 wait_sum; + u64 iowait_count; + u64 iowait_sum; + u64 sleep_start; + u64 sleep_max; + s64 sum_sleep_runtime; + u64 block_start; + u64 block_max; + u64 exec_max; + u64 slice_max; + u64 nr_migrations_cold; + u64 nr_failed_migrations_affine; + u64 nr_failed_migrations_running; + u64 nr_failed_migrations_hot; + u64 nr_forced_migrations; + u64 nr_wakeups; + u64 nr_wakeups_sync; + u64 nr_wakeups_migrate; + u64 nr_wakeups_local; + u64 nr_wakeups_remote; + u64 nr_wakeups_affine; + u64 nr_wakeups_affine_attempts; + u64 nr_wakeups_passive; + u64 nr_wakeups_idle; +}; + +struct util_est { + unsigned int enqueued; + unsigned int ewma; +}; + +struct sched_avg { + u64 last_update_time; + u64 load_sum; + u64 runnable_load_sum; + u32 util_sum; + u32 period_contrib; + long unsigned int load_avg; + long unsigned int runnable_load_avg; + long unsigned int util_avg; + struct util_est util_est; +}; + +struct cfs_rq; + +struct sched_entity { + struct load_weight load; + long unsigned int runnable_weight; + struct rb_node run_node; + struct list_head group_node; + unsigned int on_rq; + u64 exec_start; + u64 sum_exec_runtime; + u64 vruntime; + u64 prev_sum_exec_runtime; + u64 nr_migrations; + struct sched_statistics statistics; + int depth; + struct sched_entity *parent; + struct cfs_rq *cfs_rq; + struct cfs_rq *my_q; + long: 64; + long: 64; + long: 64; + struct sched_avg avg; +}; + +struct sched_rt_entity { + struct list_head run_list; + long unsigned int timeout; + long unsigned int watchdog_stamp; + unsigned int time_slice; + short unsigned int on_rq; + short unsigned int on_list; + struct sched_rt_entity *back; +}; + +typedef s64 ktime_t; + +struct timerqueue_node { + struct rb_node node; + ktime_t expires; +}; + +enum hrtimer_restart { + HRTIMER_NORESTART = 0, + HRTIMER_RESTART = 1, +}; + +struct hrtimer_clock_base; + +struct hrtimer { + struct timerqueue_node node; + ktime_t _softexpires; + enum hrtimer_restart (*function)(struct hrtimer *); + struct hrtimer_clock_base *base; + u8 state; + u8 is_rel; + u8 is_soft; + u8 is_hard; +}; + +struct sched_dl_entity { + struct rb_node rb_node; + u64 dl_runtime; + u64 dl_deadline; + u64 dl_period; + u64 dl_bw; + u64 dl_density; + s64 runtime; + u64 deadline; + unsigned int flags; + unsigned int dl_throttled: 1; + unsigned int dl_boosted: 1; + unsigned int dl_yielded: 1; + unsigned int dl_non_contending: 1; + unsigned int dl_overrun: 1; + struct hrtimer dl_timer; + struct hrtimer inactive_timer; +}; + +struct sched_info { + long unsigned int pcount; + long long unsigned int run_delay; + long long unsigned int last_arrival; + long long unsigned int last_queued; +}; + +struct plist_node { + int prio; + struct list_head prio_list; + struct list_head node_list; +}; + +struct vm_area_struct; + +struct vmacache { + u64 seqnum; + struct vm_area_struct *vmas[4]; +}; + +struct task_rss_stat { + int events; + int count[4]; +}; + +struct prev_cputime { + u64 utime; + u64 stime; + raw_spinlock_t lock; +}; + +struct rb_root { + struct rb_node *rb_node; +}; + +struct rb_root_cached { + struct rb_root rb_root; + struct rb_node *rb_leftmost; +}; + +struct timerqueue_head { + struct rb_root_cached rb_root; +}; + +struct posix_cputimer_base { + u64 nextevt; + struct timerqueue_head tqhead; +}; + +struct posix_cputimers { + struct posix_cputimer_base bases[3]; + unsigned int timers_active; + unsigned int expiry_active; +}; + +struct sem_undo_list; + +struct sysv_sem { + struct sem_undo_list *undo_list; +}; + +struct sysv_shm { + struct list_head shm_clist; +}; + +typedef struct { + long unsigned int sig[1]; +} sigset_t; + +struct sigpending { + struct list_head list; + sigset_t signal; +}; + +typedef struct { + uid_t val; +} kuid_t; + +struct seccomp_filter; + +struct seccomp { + int mode; + struct seccomp_filter *filter; +}; + +struct wake_q_node { + struct wake_q_node *next; +}; + +struct task_io_accounting { + u64 rchar; + u64 wchar; + u64 syscr; + u64 syscw; + u64 read_bytes; + u64 write_bytes; + u64 cancelled_write_bytes; +}; + +struct seqcount { + unsigned int sequence; +}; + +typedef struct seqcount seqcount_t; + +struct arch_tlbflush_unmap_batch { + struct cpumask cpumask; +}; + +struct tlbflush_unmap_batch { + struct arch_tlbflush_unmap_batch arch; + bool flush_required; + bool writable; +}; + +struct page_frag { + struct page *page; + __u32 offset; + __u32 size; +}; + +struct sched_class; + +struct task_group; + +struct pid; + +struct completion; + +struct cred; + +struct key; + +struct nameidata; + +struct fs_struct; + +struct files_struct; + +struct nsproxy; + +struct signal_struct; + +struct sighand_struct; + +struct audit_context; + +struct rt_mutex_waiter; + +struct bio_list; + +struct blk_plug; + +struct reclaim_state; + +struct backing_dev_info; + +struct io_context; + +struct capture_control; + +struct kernel_siginfo; + +typedef struct kernel_siginfo kernel_siginfo_t; + +struct css_set; + +struct robust_list_head; + +struct compat_robust_list_head; + +struct futex_pi_state; + +struct perf_event_context; + +struct mempolicy; + +struct rseq; + +struct pipe_inode_info; + +struct task_delay_info; + +struct uprobe_task; + +struct vm_struct; + +struct task_struct { + struct thread_info thread_info; + volatile long int state; + void *stack; + refcount_t usage; + unsigned int flags; + unsigned int ptrace; + struct llist_node wake_entry; + int on_cpu; + unsigned int cpu; + unsigned int wakee_flips; + long unsigned int wakee_flip_decay_ts; + struct task_struct *last_wakee; + int recent_used_cpu; + int wake_cpu; + int on_rq; + int prio; + int static_prio; + int normal_prio; + unsigned int rt_priority; + const struct sched_class *sched_class; + struct sched_entity se; + struct sched_rt_entity rt; + struct task_group *sched_task_group; + struct sched_dl_entity dl; + unsigned int btrace_seq; + unsigned int policy; + int nr_cpus_allowed; + const cpumask_t *cpus_ptr; + cpumask_t cpus_mask; + struct sched_info sched_info; + struct list_head tasks; + struct plist_node pushable_tasks; + struct rb_node pushable_dl_tasks; + struct mm_struct *mm; + struct mm_struct *active_mm; + struct vmacache vmacache; + struct task_rss_stat rss_stat; + int exit_state; + int exit_code; + int exit_signal; + int pdeath_signal; + long unsigned int jobctl; + unsigned int personality; + unsigned int sched_reset_on_fork: 1; + unsigned int sched_contributes_to_load: 1; + unsigned int sched_migrated: 1; + unsigned int sched_remote_wakeup: 1; + int: 28; + unsigned int in_execve: 1; + unsigned int in_iowait: 1; + unsigned int restore_sigmask: 1; + unsigned int no_cgroup_migration: 1; + unsigned int frozen: 1; + long unsigned int atomic_flags; + struct restart_block restart_block; + pid_t pid; + pid_t tgid; + long unsigned int stack_canary; + struct task_struct *real_parent; + struct task_struct *parent; + struct list_head children; + struct list_head sibling; + struct task_struct *group_leader; + struct list_head ptraced; + struct list_head ptrace_entry; + struct pid *thread_pid; + struct hlist_node pid_links[4]; + struct list_head thread_group; + struct list_head thread_node; + struct completion *vfork_done; + int *set_child_tid; + int *clear_child_tid; + u64 utime; + u64 stime; + u64 gtime; + struct prev_cputime prev_cputime; + long unsigned int nvcsw; + long unsigned int nivcsw; + u64 start_time; + u64 start_boottime; + long unsigned int min_flt; + long unsigned int maj_flt; + struct posix_cputimers posix_cputimers; + const struct cred *ptracer_cred; + const struct cred *real_cred; + const struct cred *cred; + struct key *cached_requested_key; + char comm[16]; + struct nameidata *nameidata; + struct sysv_sem sysvsem; + struct sysv_shm sysvshm; + struct fs_struct *fs; + struct files_struct *files; + struct nsproxy *nsproxy; + struct signal_struct *signal; + struct sighand_struct *sighand; + sigset_t blocked; + sigset_t real_blocked; + sigset_t saved_sigmask; + struct sigpending pending; + long unsigned int sas_ss_sp; + size_t sas_ss_size; + unsigned int sas_ss_flags; + struct callback_head *task_works; + struct audit_context *audit_context; + kuid_t loginuid; + unsigned int sessionid; + struct seccomp seccomp; + u32 parent_exec_id; + u32 self_exec_id; + spinlock_t alloc_lock; + raw_spinlock_t pi_lock; + struct wake_q_node wake_q; + struct rb_root_cached pi_waiters; + struct task_struct *pi_top_task; + struct rt_mutex_waiter *pi_blocked_on; + void *journal_info; + struct bio_list *bio_list; + struct blk_plug *plug; + struct reclaim_state *reclaim_state; + struct backing_dev_info *backing_dev_info; + struct io_context *io_context; + struct capture_control *capture_control; + long unsigned int ptrace_message; + kernel_siginfo_t *last_siginfo; + struct task_io_accounting ioac; + u64 acct_rss_mem1; + u64 acct_vm_mem1; + u64 acct_timexpd; + nodemask_t mems_allowed; + seqcount_t mems_allowed_seq; + int cpuset_mem_spread_rotor; + int cpuset_slab_spread_rotor; + struct css_set *cgroups; + struct list_head cg_list; + struct robust_list_head *robust_list; + struct compat_robust_list_head *compat_robust_list; + struct list_head pi_state_list; + struct futex_pi_state *pi_state_cache; + struct mutex futex_exit_mutex; + unsigned int futex_state; + struct perf_event_context *perf_event_ctxp[2]; + struct mutex perf_event_mutex; + struct list_head perf_event_list; + struct mempolicy *mempolicy; + short int il_prev; + short int pref_node_fork; + struct rseq *rseq; + u32 rseq_sig; + long unsigned int rseq_event_mask; + struct tlbflush_unmap_batch tlb_ubc; + union { + refcount_t rcu_users; + struct callback_head rcu; + }; + struct pipe_inode_info *splice_pipe; + struct page_frag task_frag; + struct task_delay_info *delays; + int nr_dirtied; + int nr_dirtied_pause; + long unsigned int dirty_paused_when; + u64 timer_slack_ns; + u64 default_timer_slack_ns; + long unsigned int trace; + long unsigned int trace_recursion; + struct uprobe_task *utask; + int pagefault_disabled; + struct task_struct *oom_reaper_list; + struct vm_struct *stack_vm_area; + refcount_t stack_refcount; + void *security; + long: 64; + long: 64; + long: 64; + struct thread_struct thread; +}; + +struct vdso_image { + void *data; + long unsigned int size; + long unsigned int alt; + long unsigned int alt_len; + long int sym_vvar_start; + long int sym_vvar_page; + long int sym_pvclock_page; + long int sym_hvclock_page; + long int sym_VDSO32_NOTE_MASK; + long int sym___kernel_sigreturn; + long int sym___kernel_rt_sigreturn; + long int sym___kernel_vsyscall; + long int sym_int80_landing_pad; +}; + +struct ldt_struct; + +typedef struct { + u64 ctx_id; + atomic64_t tlb_gen; + struct rw_semaphore ldt_usr_sem; + struct ldt_struct *ldt; + short unsigned int ia32_compat; + struct mutex lock; + void *vdso; + const struct vdso_image *vdso_image; + atomic_t perf_rdpmc_allowed; + u16 pkey_allocation_map; + s16 execute_only_pkey; +} mm_context_t; + +struct vm_struct { + struct vm_struct *next; + void *addr; + long unsigned int size; + long unsigned int flags; + struct page **pages; + unsigned int nr_pages; + phys_addr_t phys_addr; + const void *caller; +}; + +struct real_mode_header { + u32 text_start; + u32 ro_end; + u32 trampoline_start; + u32 trampoline_header; + u32 trampoline_pgd; + u32 wakeup_start; + u32 wakeup_header; + u32 machine_real_restart_asm; + u32 machine_real_restart_seg; +}; + +enum fixed_addresses { + VSYSCALL_PAGE = 511, + FIX_DBGP_BASE = 512, + FIX_EARLYCON_MEM_BASE = 513, + FIX_OHCI1394_BASE = 514, + FIX_APIC_BASE = 515, + FIX_IO_APIC_BASE_0 = 516, + FIX_IO_APIC_BASE_END = 643, + __end_of_permanent_fixed_addresses = 644, + FIX_BTMAP_END = 1024, + FIX_BTMAP_BEGIN = 1535, + __end_of_fixed_addresses = 1536, +}; + +struct vm_userfaultfd_ctx {}; + +struct anon_vma; + +struct vm_operations_struct; + +struct file; + +struct vm_area_struct { + long unsigned int vm_start; + long unsigned int vm_end; + struct vm_area_struct *vm_next; + struct vm_area_struct *vm_prev; + struct rb_node vm_rb; + long unsigned int rb_subtree_gap; + struct mm_struct *vm_mm; + pgprot_t vm_page_prot; + long unsigned int vm_flags; + struct { + struct rb_node rb; + long unsigned int rb_subtree_last; + } shared; + struct list_head anon_vma_chain; + struct anon_vma *anon_vma; + const struct vm_operations_struct *vm_ops; + long unsigned int vm_pgoff; + struct file *vm_file; + void *vm_private_data; + atomic_long_t swap_readahead_info; + struct mempolicy *vm_policy; + struct vm_userfaultfd_ctx vm_userfaultfd_ctx; +}; + +struct mm_rss_stat { + atomic_long_t count[4]; +}; + +struct wait_queue_head { + spinlock_t lock; + struct list_head head; +}; + +typedef struct wait_queue_head wait_queue_head_t; + +struct completion { + unsigned int done; + wait_queue_head_t wait; +}; + +struct xol_area; + +struct uprobes_state { + struct xol_area *xol_area; +}; + +struct work_struct; + +typedef void (*work_func_t)(struct work_struct *); + +struct work_struct { + atomic_long_t data; + struct list_head entry; + work_func_t func; +}; + +struct linux_binfmt; + +struct core_state; + +struct kioctx_table; + +struct user_namespace; + +struct mmu_notifier_mm; + +struct mm_struct { + struct { + struct vm_area_struct *mmap; + struct rb_root mm_rb; + u64 vmacache_seqnum; + long unsigned int (*get_unmapped_area)(struct file *, long unsigned int, long unsigned int, long unsigned int, long unsigned int); + long unsigned int mmap_base; + long unsigned int mmap_legacy_base; + long unsigned int mmap_compat_base; + long unsigned int mmap_compat_legacy_base; + long unsigned int task_size; + long unsigned int highest_vm_end; + pgd_t *pgd; + atomic_t membarrier_state; + atomic_t mm_users; + atomic_t mm_count; + atomic_long_t pgtables_bytes; + int map_count; + spinlock_t page_table_lock; + struct rw_semaphore mmap_sem; + struct list_head mmlist; + long unsigned int hiwater_rss; + long unsigned int hiwater_vm; + long unsigned int total_vm; + long unsigned int locked_vm; + atomic64_t pinned_vm; + long unsigned int data_vm; + long unsigned int exec_vm; + long unsigned int stack_vm; + long unsigned int def_flags; + spinlock_t arg_lock; + long unsigned int start_code; + long unsigned int end_code; + long unsigned int start_data; + long unsigned int end_data; + long unsigned int start_brk; + long unsigned int brk; + long unsigned int start_stack; + long unsigned int arg_start; + long unsigned int arg_end; + long unsigned int env_start; + long unsigned int env_end; + long unsigned int saved_auxv[46]; + struct mm_rss_stat rss_stat; + struct linux_binfmt *binfmt; + mm_context_t context; + long unsigned int flags; + struct core_state *core_state; + spinlock_t ioctx_lock; + struct kioctx_table *ioctx_table; + struct user_namespace *user_ns; + struct file *exe_file; + struct mmu_notifier_mm *mmu_notifier_mm; + atomic_t tlb_flush_pending; + bool tlb_flush_batched; + struct uprobes_state uprobes_state; + atomic_long_t hugetlb_usage; + struct work_struct async_put_work; + }; + long unsigned int cpu_bitmap[0]; +}; + +struct arch_uprobe_task { + long unsigned int saved_scratch_register; + unsigned int saved_trap_nr; + unsigned int saved_tf; +}; + +enum uprobe_task_state { + UTASK_RUNNING = 0, + UTASK_SSTEP = 1, + UTASK_SSTEP_ACK = 2, + UTASK_SSTEP_TRAPPED = 3, +}; + +struct uprobe; + +struct return_instance; + +struct uprobe_task { + enum uprobe_task_state state; + union { + struct { + struct arch_uprobe_task autask; + long unsigned int vaddr; + }; + struct { + struct callback_head dup_xol_work; + long unsigned int dup_xol_addr; + }; + }; + struct uprobe *active_uprobe; + long unsigned int xol_vaddr; + struct return_instance *return_instances; + unsigned int depth; +}; + +struct return_instance { + struct uprobe *uprobe; + long unsigned int func; + long unsigned int stack; + long unsigned int orig_ret_vaddr; + bool chained; + struct return_instance *next; +}; + +struct xarray { + spinlock_t xa_lock; + gfp_t xa_flags; + void *xa_head; +}; + +typedef u32 errseq_t; + +struct inode; + +struct address_space_operations; + +struct address_space { + struct inode *host; + struct xarray i_pages; + gfp_t gfp_mask; + atomic_t i_mmap_writable; + struct rb_root_cached i_mmap; + struct rw_semaphore i_mmap_rwsem; + long unsigned int nrpages; + long unsigned int nrexceptional; + long unsigned int writeback_index; + const struct address_space_operations *a_ops; + long unsigned int flags; + errseq_t wb_err; + spinlock_t private_lock; + struct list_head private_list; + void *private_data; +}; + +struct vmem_altmap { + const long unsigned int base_pfn; + const long unsigned int end_pfn; + const long unsigned int reserve; + long unsigned int free; + long unsigned int align; + long unsigned int alloc; +}; + +struct resource { + resource_size_t start; + resource_size_t end; + const char *name; + long unsigned int flags; + long unsigned int desc; + struct resource *parent; + struct resource *sibling; + struct resource *child; +}; + +struct percpu_ref; + +typedef void percpu_ref_func_t(struct percpu_ref *); + +struct percpu_ref { + atomic_long_t count; + long unsigned int percpu_count_ptr; + percpu_ref_func_t *release; + percpu_ref_func_t *confirm_switch; + bool force_atomic: 1; + bool allow_reinit: 1; + struct callback_head rcu; +}; + +enum memory_type { + MEMORY_DEVICE_PRIVATE = 1, + MEMORY_DEVICE_FS_DAX = 2, + MEMORY_DEVICE_DEVDAX = 3, + MEMORY_DEVICE_PCI_P2PDMA = 4, +}; + +struct dev_pagemap_ops; + +struct dev_pagemap { + struct vmem_altmap altmap; + struct resource res; + struct percpu_ref *ref; + struct percpu_ref internal_ref; + struct completion done; + enum memory_type type; + unsigned int flags; + const struct dev_pagemap_ops *ops; +}; + +struct vfsmount; + +struct dentry; + +struct path { + struct vfsmount *mnt; + struct dentry *dentry; +}; + +enum rw_hint { + WRITE_LIFE_NOT_SET = 0, + WRITE_LIFE_NONE = 1, + WRITE_LIFE_SHORT = 2, + WRITE_LIFE_MEDIUM = 3, + WRITE_LIFE_LONG = 4, + WRITE_LIFE_EXTREME = 5, +}; + +enum pid_type { + PIDTYPE_PID = 0, + PIDTYPE_TGID = 1, + PIDTYPE_PGID = 2, + PIDTYPE_SID = 3, + PIDTYPE_MAX = 4, +}; + +struct fown_struct { + rwlock_t lock; + struct pid *pid; + enum pid_type pid_type; + kuid_t uid; + kuid_t euid; + int signum; +}; + +struct file_ra_state { + long unsigned int start; + unsigned int size; + unsigned int async_size; + unsigned int ra_pages; + unsigned int mmap_miss; + loff_t prev_pos; +}; + +struct file_operations; + +struct file { + union { + struct llist_node fu_llist; + struct callback_head fu_rcuhead; + } f_u; + struct path f_path; + struct inode *f_inode; + const struct file_operations *f_op; + spinlock_t f_lock; + enum rw_hint f_write_hint; + atomic_long_t f_count; + unsigned int f_flags; + fmode_t f_mode; + struct mutex f_pos_lock; + loff_t f_pos; + struct fown_struct f_owner; + const struct cred *f_cred; + struct file_ra_state f_ra; + u64 f_version; + void *f_security; + void *private_data; + struct list_head f_ep_links; + struct list_head f_tfile_llink; + struct address_space *f_mapping; + errseq_t f_wb_err; +}; + +typedef unsigned int vm_fault_t; + +enum page_entry_size { + PE_SIZE_PTE = 0, + PE_SIZE_PMD = 1, + PE_SIZE_PUD = 2, +}; + +struct vm_fault; + +struct vm_operations_struct { + void (*open)(struct vm_area_struct *); + void (*close)(struct vm_area_struct *); + int (*split)(struct vm_area_struct *, long unsigned int); + int (*mremap)(struct vm_area_struct *); + vm_fault_t (*fault)(struct vm_fault *); + vm_fault_t (*huge_fault)(struct vm_fault *, enum page_entry_size); + void (*map_pages)(struct vm_fault *, long unsigned int, long unsigned int); + long unsigned int (*pagesize)(struct vm_area_struct *); + vm_fault_t (*page_mkwrite)(struct vm_fault *); + vm_fault_t (*pfn_mkwrite)(struct vm_fault *); + int (*access)(struct vm_area_struct *, long unsigned int, void *, int, int); + const char * (*name)(struct vm_area_struct *); + int (*set_policy)(struct vm_area_struct *, struct mempolicy *); + struct mempolicy * (*get_policy)(struct vm_area_struct *, long unsigned int); + struct page * (*find_special_page)(struct vm_area_struct *, long unsigned int); +}; + +struct core_thread { + struct task_struct *task; + struct core_thread *next; +}; + +struct core_state { + atomic_t nr_threads; + struct core_thread dumper; + struct completion startup; +}; + +struct mem_cgroup; + +struct vm_fault { + struct vm_area_struct *vma; + unsigned int flags; + gfp_t gfp_mask; + long unsigned int pgoff; + long unsigned int address; + pmd_t *pmd; + pud_t *pud; + pte_t orig_pte; + struct page *cow_page; + struct mem_cgroup *memcg; + struct page *page; + pte_t *pte; + spinlock_t *ptl; + pgtable_t prealloc_pte; +}; + +struct apic { + void (*eoi_write)(u32, u32); + void (*native_eoi_write)(u32, u32); + void (*write)(u32, u32); + u32 (*read)(u32); + void (*wait_icr_idle)(); + u32 (*safe_wait_icr_idle)(); + void (*send_IPI)(int, int); + void (*send_IPI_mask)(const struct cpumask *, int); + void (*send_IPI_mask_allbutself)(const struct cpumask *, int); + void (*send_IPI_allbutself)(int); + void (*send_IPI_all)(int); + void (*send_IPI_self)(int); + u32 dest_logical; + u32 disable_esr; + u32 irq_delivery_mode; + u32 irq_dest_mode; + u32 (*calc_dest_apicid)(unsigned int); + u64 (*icr_read)(); + void (*icr_write)(u32, u32); + int (*probe)(); + int (*acpi_madt_oem_check)(char *, char *); + int (*apic_id_valid)(u32); + int (*apic_id_registered)(); + bool (*check_apicid_used)(physid_mask_t *, int); + void (*init_apic_ldr)(); + void (*ioapic_phys_id_map)(physid_mask_t *, physid_mask_t *); + void (*setup_apic_routing)(); + int (*cpu_present_to_apicid)(int); + void (*apicid_to_cpu_present)(int, physid_mask_t *); + int (*check_phys_apicid_present)(int); + int (*phys_pkg_id)(int, int); + u32 (*get_apic_id)(long unsigned int); + u32 (*set_apic_id)(unsigned int); + int (*wakeup_secondary_cpu)(int, long unsigned int); + void (*inquire_remote_apic)(int); + char *name; +}; + +struct smp_ops { + void (*smp_prepare_boot_cpu)(); + void (*smp_prepare_cpus)(unsigned int); + void (*smp_cpus_done)(unsigned int); + void (*stop_other_cpus)(int); + void (*crash_stop_other_cpus)(); + void (*smp_send_reschedule)(int); + int (*cpu_up)(unsigned int, struct task_struct *); + int (*cpu_disable)(); + void (*cpu_die)(unsigned int); + void (*play_dead)(); + void (*send_call_func_ipi)(const struct cpumask *); + void (*send_call_func_single_ipi)(int); +}; + +struct free_area { + struct list_head free_list[4]; + long unsigned int nr_free; +}; + +struct zone_padding { + char x[0]; +}; + +enum numa_stat_item { + NUMA_HIT = 0, + NUMA_MISS = 1, + NUMA_FOREIGN = 2, + NUMA_INTERLEAVE_HIT = 3, + NUMA_LOCAL = 4, + NUMA_OTHER = 5, + NR_VM_NUMA_STAT_ITEMS = 6, +}; + +enum zone_stat_item { + NR_FREE_PAGES = 0, + NR_ZONE_LRU_BASE = 1, + NR_ZONE_INACTIVE_ANON = 1, + NR_ZONE_ACTIVE_ANON = 2, + NR_ZONE_INACTIVE_FILE = 3, + NR_ZONE_ACTIVE_FILE = 4, + NR_ZONE_UNEVICTABLE = 5, + NR_ZONE_WRITE_PENDING = 6, + NR_MLOCK = 7, + NR_PAGETABLE = 8, + NR_KERNEL_STACK_KB = 9, + NR_BOUNCE = 10, + NR_FREE_CMA_PAGES = 11, + NR_VM_ZONE_STAT_ITEMS = 12, +}; + +enum node_stat_item { + NR_LRU_BASE = 0, + NR_INACTIVE_ANON = 0, + NR_ACTIVE_ANON = 1, + NR_INACTIVE_FILE = 2, + NR_ACTIVE_FILE = 3, + NR_UNEVICTABLE = 4, + NR_SLAB_RECLAIMABLE = 5, + NR_SLAB_UNRECLAIMABLE = 6, + NR_ISOLATED_ANON = 7, + NR_ISOLATED_FILE = 8, + WORKINGSET_NODES = 9, + WORKINGSET_REFAULT = 10, + WORKINGSET_ACTIVATE = 11, + WORKINGSET_RESTORE = 12, + WORKINGSET_NODERECLAIM = 13, + NR_ANON_MAPPED = 14, + NR_FILE_MAPPED = 15, + NR_FILE_PAGES = 16, + NR_FILE_DIRTY = 17, + NR_WRITEBACK = 18, + NR_WRITEBACK_TEMP = 19, + NR_SHMEM = 20, + NR_SHMEM_THPS = 21, + NR_SHMEM_PMDMAPPED = 22, + NR_FILE_THPS = 23, + NR_FILE_PMDMAPPED = 24, + NR_ANON_THPS = 25, + NR_UNSTABLE_NFS = 26, + NR_VMSCAN_WRITE = 27, + NR_VMSCAN_IMMEDIATE = 28, + NR_DIRTIED = 29, + NR_WRITTEN = 30, + NR_KERNEL_MISC_RECLAIMABLE = 31, + NR_VM_NODE_STAT_ITEMS = 32, +}; + +struct zone_reclaim_stat { + long unsigned int recent_rotated[2]; + long unsigned int recent_scanned[2]; +}; + +struct lruvec { + struct list_head lists[5]; + struct zone_reclaim_stat reclaim_stat; + atomic_long_t inactive_age; + long unsigned int refaults; + long unsigned int flags; +}; + +typedef unsigned int isolate_mode_t; + +struct per_cpu_pages { + int count; + int high; + int batch; + struct list_head lists[3]; +}; + +struct per_cpu_pageset { + struct per_cpu_pages pcp; + s8 expire; + u16 vm_numa_stat_diff[6]; + s8 stat_threshold; + s8 vm_stat_diff[12]; +}; + +struct per_cpu_nodestat { + s8 stat_threshold; + s8 vm_node_stat_diff[32]; +}; + +enum zone_type { + ZONE_DMA = 0, + ZONE_DMA32 = 1, + ZONE_NORMAL = 2, + ZONE_MOVABLE = 3, + __MAX_NR_ZONES = 4, +}; + +struct pglist_data; + +struct zone { + long unsigned int _watermark[3]; + long unsigned int watermark_boost; + long unsigned int nr_reserved_highatomic; + long int lowmem_reserve[4]; + int node; + struct pglist_data *zone_pgdat; + struct per_cpu_pageset *pageset; + long unsigned int zone_start_pfn; + atomic_long_t managed_pages; + long unsigned int spanned_pages; + long unsigned int present_pages; + const char *name; + int initialized; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct zone_padding _pad1_; + struct free_area free_area[11]; + long unsigned int flags; + spinlock_t lock; + long: 32; + long: 64; + long: 64; + long: 64; + struct zone_padding _pad2_; + long unsigned int percpu_drift_mark; + long unsigned int compact_cached_free_pfn; + long unsigned int compact_cached_migrate_pfn[2]; + long unsigned int compact_init_migrate_pfn; + long unsigned int compact_init_free_pfn; + unsigned int compact_considered; + unsigned int compact_defer_shift; + int compact_order_failed; + bool compact_blockskip_flush; + bool contiguous; + short: 16; + struct zone_padding _pad3_; + atomic_long_t vm_stat[12]; + atomic_long_t vm_numa_stat[6]; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct zoneref { + struct zone *zone; + int zone_idx; +}; + +struct zonelist { + struct zoneref _zonerefs[257]; +}; + +struct pglist_data { + struct zone node_zones[4]; + struct zonelist node_zonelists[2]; + int nr_zones; + long unsigned int node_start_pfn; + long unsigned int node_present_pages; + long unsigned int node_spanned_pages; + int node_id; + wait_queue_head_t kswapd_wait; + wait_queue_head_t pfmemalloc_wait; + struct task_struct *kswapd; + int kswapd_order; + enum zone_type kswapd_classzone_idx; + int kswapd_failures; + int kcompactd_max_order; + enum zone_type kcompactd_classzone_idx; + wait_queue_head_t kcompactd_wait; + struct task_struct *kcompactd; + long unsigned int totalreserve_pages; + long unsigned int min_unmapped_pages; + long unsigned int min_slab_pages; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct zone_padding _pad1_; + spinlock_t lru_lock; + struct lruvec __lruvec; + long unsigned int flags; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct zone_padding _pad2_; + struct per_cpu_nodestat *per_cpu_nodestats; + atomic_long_t vm_stat[32]; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct mem_section_usage { + long unsigned int subsection_map[1]; + long unsigned int pageblock_flags[0]; +}; + +struct mem_section { + long unsigned int section_mem_map; + struct mem_section_usage *usage; +}; + +struct shrink_control { + gfp_t gfp_mask; + int nid; + long unsigned int nr_to_scan; + long unsigned int nr_scanned; + struct mem_cgroup *memcg; +}; + +struct shrinker { + long unsigned int (*count_objects)(struct shrinker *, struct shrink_control *); + long unsigned int (*scan_objects)(struct shrinker *, struct shrink_control *); + long int batch; + int seeks; + unsigned int flags; + struct list_head list; + atomic_long_t *nr_deferred; +}; + +struct dev_pagemap_ops { + void (*page_free)(struct page *); + void (*kill)(struct dev_pagemap *); + void (*cleanup)(struct dev_pagemap *); + vm_fault_t (*migrate_to_ram)(struct vm_fault *); +}; + +struct pid_namespace; + +struct upid { + int nr; + struct pid_namespace *ns; +}; + +struct pid { + refcount_t count; + unsigned int level; + struct hlist_head tasks[4]; + wait_queue_head_t wait_pidfd; + struct callback_head rcu; + struct upid numbers[1]; +}; + +typedef struct { + gid_t val; +} kgid_t; + +struct hrtimer_cpu_base; + +struct hrtimer_clock_base { + struct hrtimer_cpu_base *cpu_base; + unsigned int index; + clockid_t clockid; + seqcount_t seq; + struct hrtimer *running; + struct timerqueue_head active; + ktime_t (*get_time)(); + ktime_t offset; +}; + +struct hrtimer_cpu_base { + raw_spinlock_t lock; + unsigned int cpu; + unsigned int active_bases; + unsigned int clock_was_set_seq; + unsigned int hres_active: 1; + unsigned int in_hrtirq: 1; + unsigned int hang_detected: 1; + unsigned int softirq_activated: 1; + unsigned int nr_events; + short unsigned int nr_retries; + short unsigned int nr_hangs; + unsigned int max_hang_time; + ktime_t expires_next; + struct hrtimer *next_timer; + ktime_t softirq_expires_next; + struct hrtimer *softirq_next_timer; + struct hrtimer_clock_base clock_base[8]; +}; + +union sigval { + int sival_int; + void *sival_ptr; +}; + +typedef union sigval sigval_t; + +union __sifields { + struct { + __kernel_pid_t _pid; + __kernel_uid32_t _uid; + } _kill; + struct { + __kernel_timer_t _tid; + int _overrun; + sigval_t _sigval; + int _sys_private; + } _timer; + struct { + __kernel_pid_t _pid; + __kernel_uid32_t _uid; + sigval_t _sigval; + } _rt; + struct { + __kernel_pid_t _pid; + __kernel_uid32_t _uid; + int _status; + __kernel_clock_t _utime; + __kernel_clock_t _stime; + } _sigchld; + struct { + void *_addr; + union { + short int _addr_lsb; + struct { + char _dummy_bnd[8]; + void *_lower; + void *_upper; + } _addr_bnd; + struct { + char _dummy_pkey[8]; + __u32 _pkey; + } _addr_pkey; + }; + } _sigfault; + struct { + long int _band; + int _fd; + } _sigpoll; + struct { + void *_call_addr; + int _syscall; + unsigned int _arch; + } _sigsys; +}; + +struct kernel_siginfo { + struct { + int si_signo; + int si_errno; + int si_code; + union __sifields _sifields; + }; +}; + +struct rseq { + __u32 cpu_id_start; + __u32 cpu_id; + union { + __u64 ptr64; + __u64 ptr; + } rseq_cs; + __u32 flags; + long: 32; + long: 64; +}; + +struct rq; + +struct rq_flags; + +struct sched_class { + const struct sched_class *next; + void (*enqueue_task)(struct rq *, struct task_struct *, int); + void (*dequeue_task)(struct rq *, struct task_struct *, int); + void (*yield_task)(struct rq *); + bool (*yield_to_task)(struct rq *, struct task_struct *, bool); + void (*check_preempt_curr)(struct rq *, struct task_struct *, int); + struct task_struct * (*pick_next_task)(struct rq *); + void (*put_prev_task)(struct rq *, struct task_struct *); + void (*set_next_task)(struct rq *, struct task_struct *, bool); + int (*balance)(struct rq *, struct task_struct *, struct rq_flags *); + int (*select_task_rq)(struct task_struct *, int, int, int); + void (*migrate_task_rq)(struct task_struct *, int); + void (*task_woken)(struct rq *, struct task_struct *); + void (*set_cpus_allowed)(struct task_struct *, const struct cpumask *); + void (*rq_online)(struct rq *); + void (*rq_offline)(struct rq *); + void (*task_tick)(struct rq *, struct task_struct *, int); + void (*task_fork)(struct task_struct *); + void (*task_dead)(struct task_struct *); + void (*switched_from)(struct rq *, struct task_struct *); + void (*switched_to)(struct rq *, struct task_struct *); + void (*prio_changed)(struct rq *, struct task_struct *, int); + unsigned int (*get_rr_interval)(struct rq *, struct task_struct *); + void (*update_curr)(struct rq *); + void (*task_change_group)(struct task_struct *, int); +}; + +struct kernel_cap_struct { + __u32 cap[2]; +}; + +typedef struct kernel_cap_struct kernel_cap_t; + +struct user_struct; + +struct group_info; + +struct cred { + atomic_t usage; + kuid_t uid; + kgid_t gid; + kuid_t suid; + kgid_t sgid; + kuid_t euid; + kgid_t egid; + kuid_t fsuid; + kgid_t fsgid; + unsigned int securebits; + kernel_cap_t cap_inheritable; + kernel_cap_t cap_permitted; + kernel_cap_t cap_effective; + kernel_cap_t cap_bset; + kernel_cap_t cap_ambient; + unsigned char jit_keyring; + struct key *session_keyring; + struct key *process_keyring; + struct key *thread_keyring; + struct key *request_key_auth; + void *security; + struct user_struct *user; + struct user_namespace *user_ns; + struct group_info *group_info; + union { + int non_rcu; + struct callback_head rcu; + }; +}; + +struct io_cq; + +struct io_context { + atomic_long_t refcount; + atomic_t active_ref; + atomic_t nr_tasks; + spinlock_t lock; + short unsigned int ioprio; + int nr_batch_requests; + long unsigned int last_waited; + struct xarray icq_tree; + struct io_cq *icq_hint; + struct hlist_head icq_list; + struct work_struct release_work; +}; + +struct hlist_bl_node; + +struct hlist_bl_head { + struct hlist_bl_node *first; +}; + +struct hlist_bl_node { + struct hlist_bl_node *next; + struct hlist_bl_node **pprev; +}; + +struct lockref { + union { + __u64 lock_count; + struct { + spinlock_t lock; + int count; + }; + }; +}; + +struct qstr { + union { + struct { + u32 hash; + u32 len; + }; + u64 hash_len; + }; + const unsigned char *name; +}; + +struct dentry_operations; + +struct super_block; + +struct dentry { + unsigned int d_flags; + seqcount_t d_seq; + struct hlist_bl_node d_hash; + struct dentry *d_parent; + struct qstr d_name; + struct inode *d_inode; + unsigned char d_iname[32]; + struct lockref d_lockref; + const struct dentry_operations *d_op; + struct super_block *d_sb; + long unsigned int d_time; + void *d_fsdata; + union { + struct list_head d_lru; + wait_queue_head_t *d_wait; + }; + struct list_head d_child; + struct list_head d_subdirs; + union { + struct hlist_node d_alias; + struct hlist_bl_node d_in_lookup_hash; + struct callback_head d_rcu; + } d_u; +}; + +struct posix_acl; + +struct inode_operations; + +struct file_lock_context; + +struct block_device; + +struct cdev; + +struct fsnotify_mark_connector; + +struct inode { + umode_t i_mode; + short unsigned int i_opflags; + kuid_t i_uid; + kgid_t i_gid; + unsigned int i_flags; + struct posix_acl *i_acl; + struct posix_acl *i_default_acl; + const struct inode_operations *i_op; + struct super_block *i_sb; + struct address_space *i_mapping; + void *i_security; + long unsigned int i_ino; + union { + const unsigned int i_nlink; + unsigned int __i_nlink; + }; + dev_t i_rdev; + loff_t i_size; + struct timespec64 i_atime; + struct timespec64 i_mtime; + struct timespec64 i_ctime; + spinlock_t i_lock; + short unsigned int i_bytes; + u8 i_blkbits; + u8 i_write_hint; + blkcnt_t i_blocks; + long unsigned int i_state; + struct rw_semaphore i_rwsem; + long unsigned int dirtied_when; + long unsigned int dirtied_time_when; + struct hlist_node i_hash; + struct list_head i_io_list; + struct list_head i_lru; + struct list_head i_sb_list; + struct list_head i_wb_list; + union { + struct hlist_head i_dentry; + struct callback_head i_rcu; + }; + atomic64_t i_version; + atomic_t i_count; + atomic_t i_dio_count; + atomic_t i_writecount; + atomic_t i_readcount; + union { + const struct file_operations *i_fop; + void (*free_inode)(struct inode *); + }; + struct file_lock_context *i_flctx; + struct address_space i_data; + struct list_head i_devices; + union { + struct pipe_inode_info *i_pipe; + struct block_device *i_bdev; + struct cdev *i_cdev; + char *i_link; + unsigned int i_dir_seq; + }; + __u32 i_generation; + __u32 i_fsnotify_mask; + struct fsnotify_mark_connector *i_fsnotify_marks; + void *i_private; +}; + +struct dentry_operations { + int (*d_revalidate)(struct dentry *, unsigned int); + int (*d_weak_revalidate)(struct dentry *, unsigned int); + int (*d_hash)(const struct dentry *, struct qstr *); + int (*d_compare)(const struct dentry *, unsigned int, const char *, const struct qstr *); + int (*d_delete)(const struct dentry *); + int (*d_init)(struct dentry *); + void (*d_release)(struct dentry *); + void (*d_prune)(struct dentry *); + void (*d_iput)(struct dentry *, struct inode *); + char * (*d_dname)(struct dentry *, char *, int); + struct vfsmount * (*d_automount)(struct path *); + int (*d_manage)(const struct path *, bool); + struct dentry * (*d_real)(struct dentry *, const struct inode *); + long: 64; + long: 64; + long: 64; +}; + +struct mtd_info; + +typedef long long int qsize_t; + +struct quota_format_type; + +struct mem_dqinfo { + struct quota_format_type *dqi_format; + int dqi_fmt_id; + struct list_head dqi_dirty_list; + long unsigned int dqi_flags; + unsigned int dqi_bgrace; + unsigned int dqi_igrace; + qsize_t dqi_max_spc_limit; + qsize_t dqi_max_ino_limit; + void *dqi_priv; +}; + +struct quota_format_ops; + +struct quota_info { + unsigned int flags; + struct rw_semaphore dqio_sem; + struct inode *files[3]; + struct mem_dqinfo info[3]; + const struct quota_format_ops *ops[3]; +}; + +struct rcu_sync { + int gp_state; + int gp_count; + wait_queue_head_t gp_wait; + struct callback_head cb_head; +}; + +struct rcuwait { + struct task_struct *task; +}; + +struct percpu_rw_semaphore { + struct rcu_sync rss; + unsigned int *read_count; + struct rw_semaphore rw_sem; + struct rcuwait writer; + int readers_block; +}; + +struct sb_writers { + int frozen; + wait_queue_head_t wait_unfrozen; + struct percpu_rw_semaphore rw_sem[3]; +}; + +typedef struct { + __u8 b[16]; +} uuid_t; + +struct list_lru_node; + +struct list_lru { + struct list_lru_node *node; +}; + +struct file_system_type; + +struct super_operations; + +struct dquot_operations; + +struct quotactl_ops; + +struct export_operations; + +struct xattr_handler; + +struct workqueue_struct; + +struct super_block { + struct list_head s_list; + dev_t s_dev; + unsigned char s_blocksize_bits; + long unsigned int s_blocksize; + loff_t s_maxbytes; + struct file_system_type *s_type; + const struct super_operations *s_op; + const struct dquot_operations *dq_op; + const struct quotactl_ops *s_qcop; + const struct export_operations *s_export_op; + long unsigned int s_flags; + long unsigned int s_iflags; + long unsigned int s_magic; + struct dentry *s_root; + struct rw_semaphore s_umount; + int s_count; + atomic_t s_active; + void *s_security; + const struct xattr_handler **s_xattr; + struct hlist_bl_head s_roots; + struct list_head s_mounts; + struct block_device *s_bdev; + struct backing_dev_info *s_bdi; + struct mtd_info *s_mtd; + struct hlist_node s_instances; + unsigned int s_quota_types; + struct quota_info s_dquot; + struct sb_writers s_writers; + void *s_fs_info; + u32 s_time_gran; + time64_t s_time_min; + time64_t s_time_max; + __u32 s_fsnotify_mask; + struct fsnotify_mark_connector *s_fsnotify_marks; + char s_id[32]; + uuid_t s_uuid; + unsigned int s_max_links; + fmode_t s_mode; + struct mutex s_vfs_rename_mutex; + const char *s_subtype; + const struct dentry_operations *s_d_op; + int cleancache_poolid; + struct shrinker s_shrink; + atomic_long_t s_remove_count; + atomic_long_t s_fsnotify_inode_refs; + int s_readonly_remount; + struct workqueue_struct *s_dio_done_wq; + struct hlist_head s_pins; + struct user_namespace *s_user_ns; + struct list_lru s_dentry_lru; + struct list_lru s_inode_lru; + struct callback_head rcu; + struct work_struct destroy_work; + struct mutex s_sync_lock; + int s_stack_depth; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + spinlock_t s_inode_list_lock; + struct list_head s_inodes; + spinlock_t s_inode_wblist_lock; + struct list_head s_inodes_wb; + long: 64; + long: 64; +}; + +struct kstat { + u32 result_mask; + umode_t mode; + unsigned int nlink; + uint32_t blksize; + u64 attributes; + u64 attributes_mask; + u64 ino; + dev_t dev; + dev_t rdev; + kuid_t uid; + kgid_t gid; + loff_t size; + struct timespec64 atime; + struct timespec64 mtime; + struct timespec64 ctime; + struct timespec64 btime; + u64 blocks; +}; + +struct list_lru_one { + struct list_head list; + long int nr_items; +}; + +struct list_lru_node { + spinlock_t lock; + struct list_lru_one lru; + long int nr_items; + long: 64; + long: 64; + long: 64; +}; + +struct fiemap_extent { + __u64 fe_logical; + __u64 fe_physical; + __u64 fe_length; + __u64 fe_reserved64[2]; + __u32 fe_flags; + __u32 fe_reserved[3]; +}; + +enum migrate_mode { + MIGRATE_ASYNC = 0, + MIGRATE_SYNC_LIGHT = 1, + MIGRATE_SYNC = 2, + MIGRATE_SYNC_NO_COPY = 3, +}; + +struct delayed_call { + void (*fn)(void *); + void *arg; +}; + +typedef struct { + __u8 b[16]; +} guid_t; + +struct request_queue; + +struct io_cq { + struct request_queue *q; + struct io_context *ioc; + union { + struct list_head q_node; + struct kmem_cache *__rcu_icq_cache; + }; + union { + struct hlist_node ioc_node; + struct callback_head __rcu_head; + }; + unsigned int flags; +}; + +struct kiocb { + struct file *ki_filp; + loff_t ki_pos; + void (*ki_complete)(struct kiocb *, long int, long int); + void *private; + int ki_flags; + u16 ki_hint; + u16 ki_ioprio; + unsigned int ki_cookie; +}; + +struct iattr { + unsigned int ia_valid; + umode_t ia_mode; + kuid_t ia_uid; + kgid_t ia_gid; + loff_t ia_size; + struct timespec64 ia_atime; + struct timespec64 ia_mtime; + struct timespec64 ia_ctime; + struct file *ia_file; +}; + +struct percpu_counter { + raw_spinlock_t lock; + s64 count; + struct list_head list; + s32 *counters; +}; + +typedef __kernel_uid32_t projid_t; + +typedef struct { + projid_t val; +} kprojid_t; + +enum quota_type { + USRQUOTA = 0, + GRPQUOTA = 1, + PRJQUOTA = 2, +}; + +struct kqid { + union { + kuid_t uid; + kgid_t gid; + kprojid_t projid; + }; + enum quota_type type; +}; + +struct mem_dqblk { + qsize_t dqb_bhardlimit; + qsize_t dqb_bsoftlimit; + qsize_t dqb_curspace; + qsize_t dqb_rsvspace; + qsize_t dqb_ihardlimit; + qsize_t dqb_isoftlimit; + qsize_t dqb_curinodes; + time64_t dqb_btime; + time64_t dqb_itime; +}; + +struct dquot { + struct hlist_node dq_hash; + struct list_head dq_inuse; + struct list_head dq_free; + struct list_head dq_dirty; + struct mutex dq_lock; + spinlock_t dq_dqb_lock; + atomic_t dq_count; + struct super_block *dq_sb; + struct kqid dq_id; + loff_t dq_off; + long unsigned int dq_flags; + struct mem_dqblk dq_dqb; +}; + +struct module; + +struct quota_format_type { + int qf_fmt_id; + const struct quota_format_ops *qf_ops; + struct module *qf_owner; + struct quota_format_type *qf_next; +}; + +struct dqstats { + long unsigned int stat[8]; + struct percpu_counter counter[8]; +}; + +struct quota_format_ops { + int (*check_quota_file)(struct super_block *, int); + int (*read_file_info)(struct super_block *, int); + int (*write_file_info)(struct super_block *, int); + int (*free_file_info)(struct super_block *, int); + int (*read_dqblk)(struct dquot *); + int (*commit_dqblk)(struct dquot *); + int (*release_dqblk)(struct dquot *); + int (*get_next_id)(struct super_block *, struct kqid *); +}; + +struct dquot_operations { + int (*write_dquot)(struct dquot *); + struct dquot * (*alloc_dquot)(struct super_block *, int); + void (*destroy_dquot)(struct dquot *); + int (*acquire_dquot)(struct dquot *); + int (*release_dquot)(struct dquot *); + int (*mark_dirty)(struct dquot *); + int (*write_info)(struct super_block *, int); + qsize_t * (*get_reserved_space)(struct inode *); + int (*get_projid)(struct inode *, kprojid_t *); + int (*get_inode_usage)(struct inode *, qsize_t *); + int (*get_next_id)(struct super_block *, struct kqid *); +}; + +struct qc_dqblk { + int d_fieldmask; + u64 d_spc_hardlimit; + u64 d_spc_softlimit; + u64 d_ino_hardlimit; + u64 d_ino_softlimit; + u64 d_space; + u64 d_ino_count; + s64 d_ino_timer; + s64 d_spc_timer; + int d_ino_warns; + int d_spc_warns; + u64 d_rt_spc_hardlimit; + u64 d_rt_spc_softlimit; + u64 d_rt_space; + s64 d_rt_spc_timer; + int d_rt_spc_warns; +}; + +struct qc_type_state { + unsigned int flags; + unsigned int spc_timelimit; + unsigned int ino_timelimit; + unsigned int rt_spc_timelimit; + unsigned int spc_warnlimit; + unsigned int ino_warnlimit; + unsigned int rt_spc_warnlimit; + long long unsigned int ino; + blkcnt_t blocks; + blkcnt_t nextents; +}; + +struct qc_state { + unsigned int s_incoredqs; + struct qc_type_state s_state[3]; +}; + +struct qc_info { + int i_fieldmask; + unsigned int i_flags; + unsigned int i_spc_timelimit; + unsigned int i_ino_timelimit; + unsigned int i_rt_spc_timelimit; + unsigned int i_spc_warnlimit; + unsigned int i_ino_warnlimit; + unsigned int i_rt_spc_warnlimit; +}; + +struct quotactl_ops { + int (*quota_on)(struct super_block *, int, int, const struct path *); + int (*quota_off)(struct super_block *, int); + int (*quota_enable)(struct super_block *, unsigned int); + int (*quota_disable)(struct super_block *, unsigned int); + int (*quota_sync)(struct super_block *, int); + int (*set_info)(struct super_block *, int, struct qc_info *); + int (*get_dqblk)(struct super_block *, struct kqid, struct qc_dqblk *); + int (*get_nextdqblk)(struct super_block *, struct kqid *, struct qc_dqblk *); + int (*set_dqblk)(struct super_block *, struct kqid, struct qc_dqblk *); + int (*get_state)(struct super_block *, struct qc_state *); + int (*rm_xquota)(struct super_block *, unsigned int); +}; + +struct writeback_control; + +struct iov_iter; + +struct swap_info_struct; + +struct address_space_operations { + int (*writepage)(struct page *, struct writeback_control *); + int (*readpage)(struct file *, struct page *); + int (*writepages)(struct address_space *, struct writeback_control *); + int (*set_page_dirty)(struct page *); + int (*readpages)(struct file *, struct address_space *, struct list_head *, unsigned int); + int (*write_begin)(struct file *, struct address_space *, loff_t, unsigned int, unsigned int, struct page **, void **); + int (*write_end)(struct file *, struct address_space *, loff_t, unsigned int, unsigned int, struct page *, void *); + sector_t (*bmap)(struct address_space *, sector_t); + void (*invalidatepage)(struct page *, unsigned int, unsigned int); + int (*releasepage)(struct page *, gfp_t); + void (*freepage)(struct page *); + ssize_t (*direct_IO)(struct kiocb *, struct iov_iter *); + int (*migratepage)(struct address_space *, struct page *, struct page *, enum migrate_mode); + bool (*isolate_page)(struct page *, isolate_mode_t); + void (*putback_page)(struct page *); + int (*launder_page)(struct page *); + int (*is_partially_uptodate)(struct page *, long unsigned int, long unsigned int); + void (*is_dirty_writeback)(struct page *, bool *, bool *); + int (*error_remove_page)(struct address_space *, struct page *); + int (*swap_activate)(struct swap_info_struct *, struct file *, sector_t *); + void (*swap_deactivate)(struct file *); +}; + +struct hd_struct; + +struct gendisk; + +struct block_device { + dev_t bd_dev; + int bd_openers; + struct inode *bd_inode; + struct super_block *bd_super; + struct mutex bd_mutex; + void *bd_claiming; + void *bd_holder; + int bd_holders; + bool bd_write_holder; + struct list_head bd_holder_disks; + struct block_device *bd_contains; + unsigned int bd_block_size; + u8 bd_partno; + struct hd_struct *bd_part; + unsigned int bd_part_count; + int bd_invalidated; + struct gendisk *bd_disk; + struct request_queue *bd_queue; + struct backing_dev_info *bd_bdi; + struct list_head bd_list; + long unsigned int bd_private; + int bd_fsfreeze_count; + struct mutex bd_fsfreeze_mutex; +}; + +typedef void *fl_owner_t; + +struct dir_context; + +struct poll_table_struct; + +struct file_lock; + +struct seq_file; + +struct file_operations { + struct module *owner; + loff_t (*llseek)(struct file *, loff_t, int); + ssize_t (*read)(struct file *, char *, size_t, loff_t *); + ssize_t (*write)(struct file *, const char *, size_t, loff_t *); + ssize_t (*read_iter)(struct kiocb *, struct iov_iter *); + ssize_t (*write_iter)(struct kiocb *, struct iov_iter *); + int (*iopoll)(struct kiocb *, bool); + int (*iterate)(struct file *, struct dir_context *); + int (*iterate_shared)(struct file *, struct dir_context *); + __poll_t (*poll)(struct file *, struct poll_table_struct *); + long int (*unlocked_ioctl)(struct file *, unsigned int, long unsigned int); + long int (*compat_ioctl)(struct file *, unsigned int, long unsigned int); + int (*mmap)(struct file *, struct vm_area_struct *); + long unsigned int mmap_supported_flags; + int (*open)(struct inode *, struct file *); + int (*flush)(struct file *, fl_owner_t); + int (*release)(struct inode *, struct file *); + int (*fsync)(struct file *, loff_t, loff_t, int); + int (*fasync)(int, struct file *, int); + int (*lock)(struct file *, int, struct file_lock *); + ssize_t (*sendpage)(struct file *, struct page *, int, size_t, loff_t *, int); + long unsigned int (*get_unmapped_area)(struct file *, long unsigned int, long unsigned int, long unsigned int, long unsigned int); + int (*check_flags)(int); + int (*flock)(struct file *, int, struct file_lock *); + ssize_t (*splice_write)(struct pipe_inode_info *, struct file *, loff_t *, size_t, unsigned int); + ssize_t (*splice_read)(struct file *, loff_t *, struct pipe_inode_info *, size_t, unsigned int); + int (*setlease)(struct file *, long int, struct file_lock **, void **); + long int (*fallocate)(struct file *, int, loff_t, loff_t); + void (*show_fdinfo)(struct seq_file *, struct file *); + ssize_t (*copy_file_range)(struct file *, loff_t, struct file *, loff_t, size_t, unsigned int); + loff_t (*remap_file_range)(struct file *, loff_t, struct file *, loff_t, loff_t, unsigned int); + int (*fadvise)(struct file *, loff_t, loff_t, int); +}; + +struct fiemap_extent_info; + +struct inode_operations { + struct dentry * (*lookup)(struct inode *, struct dentry *, unsigned int); + const char * (*get_link)(struct dentry *, struct inode *, struct delayed_call *); + int (*permission)(struct inode *, int); + struct posix_acl * (*get_acl)(struct inode *, int); + int (*readlink)(struct dentry *, char *, int); + int (*create)(struct inode *, struct dentry *, umode_t, bool); + int (*link)(struct dentry *, struct inode *, struct dentry *); + int (*unlink)(struct inode *, struct dentry *); + int (*symlink)(struct inode *, struct dentry *, const char *); + int (*mkdir)(struct inode *, struct dentry *, umode_t); + int (*rmdir)(struct inode *, struct dentry *); + int (*mknod)(struct inode *, struct dentry *, umode_t, dev_t); + int (*rename)(struct inode *, struct dentry *, struct inode *, struct dentry *, unsigned int); + int (*setattr)(struct dentry *, struct iattr *); + int (*getattr)(const struct path *, struct kstat *, u32, unsigned int); + ssize_t (*listxattr)(struct dentry *, char *, size_t); + int (*fiemap)(struct inode *, struct fiemap_extent_info *, u64, u64); + int (*update_time)(struct inode *, struct timespec64 *, int); + int (*atomic_open)(struct inode *, struct dentry *, struct file *, unsigned int, umode_t); + int (*tmpfile)(struct inode *, struct dentry *, umode_t); + int (*set_acl)(struct inode *, struct posix_acl *, int); + long: 64; + long: 64; + long: 64; +}; + +struct file_lock_context { + spinlock_t flc_lock; + struct list_head flc_flock; + struct list_head flc_posix; + struct list_head flc_lease; +}; + +struct file_lock_operations { + void (*fl_copy_lock)(struct file_lock *, struct file_lock *); + void (*fl_release_private)(struct file_lock *); +}; + +struct nlm_lockowner; + +struct nfs_lock_info { + u32 state; + struct nlm_lockowner *owner; + struct list_head list; +}; + +struct nfs4_lock_state; + +struct nfs4_lock_info { + struct nfs4_lock_state *owner; +}; + +struct fasync_struct; + +struct lock_manager_operations; + +struct file_lock { + struct file_lock *fl_blocker; + struct list_head fl_list; + struct hlist_node fl_link; + struct list_head fl_blocked_requests; + struct list_head fl_blocked_member; + fl_owner_t fl_owner; + unsigned int fl_flags; + unsigned char fl_type; + unsigned int fl_pid; + int fl_link_cpu; + wait_queue_head_t fl_wait; + struct file *fl_file; + loff_t fl_start; + loff_t fl_end; + struct fasync_struct *fl_fasync; + long unsigned int fl_break_time; + long unsigned int fl_downgrade_time; + const struct file_lock_operations *fl_ops; + const struct lock_manager_operations *fl_lmops; + union { + struct nfs_lock_info nfs_fl; + struct nfs4_lock_info nfs4_fl; + struct { + struct list_head link; + int state; + unsigned int debug_id; + } afs; + } fl_u; +}; + +struct lock_manager_operations { + fl_owner_t (*lm_get_owner)(fl_owner_t); + void (*lm_put_owner)(fl_owner_t); + void (*lm_notify)(struct file_lock *); + int (*lm_grant)(struct file_lock *, int); + bool (*lm_break)(struct file_lock *); + int (*lm_change)(struct file_lock *, int, struct list_head *); + void (*lm_setup)(struct file_lock *, void **); +}; + +struct fasync_struct { + rwlock_t fa_lock; + int magic; + int fa_fd; + struct fasync_struct *fa_next; + struct file *fa_file; + struct callback_head fa_rcu; +}; + +struct fs_context; + +struct fs_parameter_description; + +struct file_system_type { + const char *name; + int fs_flags; + int (*init_fs_context)(struct fs_context *); + const struct fs_parameter_description *parameters; + struct dentry * (*mount)(struct file_system_type *, int, const char *, void *); + void (*kill_sb)(struct super_block *); + struct module *owner; + struct file_system_type *next; + struct hlist_head fs_supers; + struct lock_class_key s_lock_key; + struct lock_class_key s_umount_key; + struct lock_class_key s_vfs_rename_key; + struct lock_class_key s_writers_key[3]; + struct lock_class_key i_lock_key; + struct lock_class_key i_mutex_key; + struct lock_class_key i_mutex_dir_key; +}; + +struct kstatfs; + +struct super_operations { + struct inode * (*alloc_inode)(struct super_block *); + void (*destroy_inode)(struct inode *); + void (*free_inode)(struct inode *); + void (*dirty_inode)(struct inode *, int); + int (*write_inode)(struct inode *, struct writeback_control *); + int (*drop_inode)(struct inode *); + void (*evict_inode)(struct inode *); + void (*put_super)(struct super_block *); + int (*sync_fs)(struct super_block *, int); + int (*freeze_super)(struct super_block *); + int (*freeze_fs)(struct super_block *); + int (*thaw_super)(struct super_block *); + int (*unfreeze_fs)(struct super_block *); + int (*statfs)(struct dentry *, struct kstatfs *); + int (*remount_fs)(struct super_block *, int *, char *); + void (*umount_begin)(struct super_block *); + int (*show_options)(struct seq_file *, struct dentry *); + int (*show_devname)(struct seq_file *, struct dentry *); + int (*show_path)(struct seq_file *, struct dentry *); + int (*show_stats)(struct seq_file *, struct dentry *); + ssize_t (*quota_read)(struct super_block *, int, char *, size_t, loff_t); + ssize_t (*quota_write)(struct super_block *, int, const char *, size_t, loff_t); + struct dquot ** (*get_dquots)(struct inode *); + int (*bdev_try_to_free_page)(struct super_block *, struct page *, gfp_t); + long int (*nr_cached_objects)(struct super_block *, struct shrink_control *); + long int (*free_cached_objects)(struct super_block *, struct shrink_control *); +}; + +struct iomap; + +struct inode___2; + +struct dentry___2; + +struct super_block___2; + +struct fid; + +struct export_operations { + int (*encode_fh)(struct inode___2 *, __u32 *, int *, struct inode___2 *); + struct dentry___2 * (*fh_to_dentry)(struct super_block___2 *, struct fid *, int, int); + struct dentry___2 * (*fh_to_parent)(struct super_block___2 *, struct fid *, int, int); + int (*get_name)(struct dentry___2 *, char *, struct dentry___2 *); + struct dentry___2 * (*get_parent)(struct dentry___2 *); + int (*commit_metadata)(struct inode___2 *); + int (*get_uuid)(struct super_block___2 *, u8 *, u32 *, u64 *); + int (*map_blocks)(struct inode___2 *, loff_t, u64, struct iomap *, bool, u32 *); + int (*commit_blocks)(struct inode___2 *, struct iomap *, int, struct iattr *); +}; + +struct xattr_handler { + const char *name; + const char *prefix; + int flags; + bool (*list)(struct dentry *); + int (*get)(const struct xattr_handler *, struct dentry *, struct inode *, const char *, void *, size_t); + int (*set)(const struct xattr_handler *, struct dentry *, struct inode *, const char *, const void *, size_t, int); +}; + +struct fiemap_extent_info { + unsigned int fi_flags; + unsigned int fi_extents_mapped; + unsigned int fi_extents_max; + struct fiemap_extent *fi_extents_start; +}; + +typedef int (*filldir_t)(struct dir_context *, const char *, int, loff_t, u64, unsigned int); + +struct dir_context { + filldir_t actor; + loff_t pos; +}; + +struct fs_parameter_spec; + +struct fs_parameter_enum; + +struct fs_parameter_description { + char name[16]; + const struct fs_parameter_spec *specs; + const struct fs_parameter_enum *enums; +}; + +typedef void compound_page_dtor(struct page *); + +enum vm_event_item { + PGPGIN = 0, + PGPGOUT = 1, + PSWPIN = 2, + PSWPOUT = 3, + PGALLOC_DMA = 4, + PGALLOC_DMA32 = 5, + PGALLOC_NORMAL = 6, + PGALLOC_MOVABLE = 7, + ALLOCSTALL_DMA = 8, + ALLOCSTALL_DMA32 = 9, + ALLOCSTALL_NORMAL = 10, + ALLOCSTALL_MOVABLE = 11, + PGSCAN_SKIP_DMA = 12, + PGSCAN_SKIP_DMA32 = 13, + PGSCAN_SKIP_NORMAL = 14, + PGSCAN_SKIP_MOVABLE = 15, + PGFREE = 16, + PGACTIVATE = 17, + PGDEACTIVATE = 18, + PGLAZYFREE = 19, + PGFAULT = 20, + PGMAJFAULT = 21, + PGLAZYFREED = 22, + PGREFILL = 23, + PGSTEAL_KSWAPD = 24, + PGSTEAL_DIRECT = 25, + PGSCAN_KSWAPD = 26, + PGSCAN_DIRECT = 27, + PGSCAN_DIRECT_THROTTLE = 28, + PGSCAN_ZONE_RECLAIM_FAILED = 29, + PGINODESTEAL = 30, + SLABS_SCANNED = 31, + KSWAPD_INODESTEAL = 32, + KSWAPD_LOW_WMARK_HIT_QUICKLY = 33, + KSWAPD_HIGH_WMARK_HIT_QUICKLY = 34, + PAGEOUTRUN = 35, + PGROTATED = 36, + DROP_PAGECACHE = 37, + DROP_SLAB = 38, + OOM_KILL = 39, + PGMIGRATE_SUCCESS = 40, + PGMIGRATE_FAIL = 41, + COMPACTMIGRATE_SCANNED = 42, + COMPACTFREE_SCANNED = 43, + COMPACTISOLATED = 44, + COMPACTSTALL = 45, + COMPACTFAIL = 46, + COMPACTSUCCESS = 47, + KCOMPACTD_WAKE = 48, + KCOMPACTD_MIGRATE_SCANNED = 49, + KCOMPACTD_FREE_SCANNED = 50, + HTLB_BUDDY_PGALLOC = 51, + HTLB_BUDDY_PGALLOC_FAIL = 52, + UNEVICTABLE_PGCULLED = 53, + UNEVICTABLE_PGSCANNED = 54, + UNEVICTABLE_PGRESCUED = 55, + UNEVICTABLE_PGMLOCKED = 56, + UNEVICTABLE_PGMUNLOCKED = 57, + UNEVICTABLE_PGCLEARED = 58, + UNEVICTABLE_PGSTRANDED = 59, + SWAP_RA = 60, + SWAP_RA_HIT = 61, + NR_VM_EVENT_ITEMS = 62, +}; + +struct vm_event_state { + long unsigned int event[62]; +}; + +enum memblock_flags { + MEMBLOCK_NONE = 0, + MEMBLOCK_HOTPLUG = 1, + MEMBLOCK_MIRROR = 2, + MEMBLOCK_NOMAP = 4, +}; + +struct memblock_region { + phys_addr_t base; + phys_addr_t size; + enum memblock_flags flags; + int nid; +}; + +struct memblock_type { + long unsigned int cnt; + long unsigned int max; + phys_addr_t total_size; + struct memblock_region *regions; + char *name; +}; + +struct memblock { + bool bottom_up; + phys_addr_t current_limit; + struct memblock_type memory; + struct memblock_type reserved; +}; + +struct gdt_page { + struct desc_struct gdt[16]; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct tlb_context { + u64 ctx_id; + u64 tlb_gen; +}; + +struct tlb_state { + struct mm_struct *loaded_mm; + union { + struct mm_struct *last_user_mm; + long unsigned int last_user_mm_ibpb; + }; + u16 loaded_mm_asid; + u16 next_asid; + bool is_lazy; + bool invalidate_other; + short unsigned int user_pcid_flush_mask; + long unsigned int cr4; + struct tlb_context ctxs[6]; +}; + +struct boot_params_to_save { + unsigned int start; + unsigned int len; +}; + +typedef s32 int32_t; + +typedef long unsigned int irq_hw_number_t; + +struct kernel_symbol { + int value_offset; + int name_offset; + int namespace_offset; +}; + +typedef int (*initcall_t)(); + +typedef int initcall_entry_t; + +struct obs_kernel_param { + const char *str; + int (*setup_func)(char *); + int early; +}; + +enum system_states { + SYSTEM_BOOTING = 0, + SYSTEM_SCHEDULING = 1, + SYSTEM_RUNNING = 2, + SYSTEM_HALT = 3, + SYSTEM_POWER_OFF = 4, + SYSTEM_RESTART = 5, + SYSTEM_SUSPEND = 6, +}; + +struct bug_entry { + int bug_addr_disp; + int file_disp; + short unsigned int line; + short unsigned int flags; +}; + +struct pollfd { + int fd; + short int events; + short int revents; +}; + +typedef const int tracepoint_ptr_t; + +struct orc_entry { + s16 sp_offset; + s16 bp_offset; + unsigned int sp_reg: 4; + unsigned int bp_reg: 4; + unsigned int type: 2; + unsigned int end: 1; +} __attribute__((packed)); + +enum perf_event_state { + PERF_EVENT_STATE_DEAD = -4, + PERF_EVENT_STATE_EXIT = -3, + PERF_EVENT_STATE_ERROR = -2, + PERF_EVENT_STATE_OFF = -1, + PERF_EVENT_STATE_INACTIVE = 0, + PERF_EVENT_STATE_ACTIVE = 1, +}; + +typedef struct { + atomic_long_t a; +} local_t; + +typedef struct { + local_t a; +} local64_t; + +struct perf_event_attr { + __u32 type; + __u32 size; + __u64 config; + union { + __u64 sample_period; + __u64 sample_freq; + }; + __u64 sample_type; + __u64 read_format; + __u64 disabled: 1; + __u64 inherit: 1; + __u64 pinned: 1; + __u64 exclusive: 1; + __u64 exclude_user: 1; + __u64 exclude_kernel: 1; + __u64 exclude_hv: 1; + __u64 exclude_idle: 1; + __u64 mmap: 1; + __u64 comm: 1; + __u64 freq: 1; + __u64 inherit_stat: 1; + __u64 enable_on_exec: 1; + __u64 task: 1; + __u64 watermark: 1; + __u64 precise_ip: 2; + __u64 mmap_data: 1; + __u64 sample_id_all: 1; + __u64 exclude_host: 1; + __u64 exclude_guest: 1; + __u64 exclude_callchain_kernel: 1; + __u64 exclude_callchain_user: 1; + __u64 mmap2: 1; + __u64 comm_exec: 1; + __u64 use_clockid: 1; + __u64 context_switch: 1; + __u64 write_backward: 1; + __u64 namespaces: 1; + __u64 ksymbol: 1; + __u64 bpf_event: 1; + __u64 aux_output: 1; + __u64 __reserved_1: 32; + union { + __u32 wakeup_events; + __u32 wakeup_watermark; + }; + __u32 bp_type; + union { + __u64 bp_addr; + __u64 kprobe_func; + __u64 uprobe_path; + __u64 config1; + }; + union { + __u64 bp_len; + __u64 kprobe_addr; + __u64 probe_offset; + __u64 config2; + }; + __u64 branch_sample_type; + __u64 sample_regs_user; + __u32 sample_stack_user; + __s32 clockid; + __u64 sample_regs_intr; + __u32 aux_watermark; + __u16 sample_max_stack; + __u16 __reserved_2; + __u32 aux_sample_size; + __u32 __reserved_3; +}; + +struct hw_perf_event_extra { + u64 config; + unsigned int reg; + int alloc; + int idx; +}; + +struct arch_hw_breakpoint { + long unsigned int address; + long unsigned int mask; + u8 len; + u8 type; +}; + +struct hw_perf_event { + union { + struct { + u64 config; + u64 last_tag; + long unsigned int config_base; + long unsigned int event_base; + int event_base_rdpmc; + int idx; + int last_cpu; + int flags; + struct hw_perf_event_extra extra_reg; + struct hw_perf_event_extra branch_reg; + }; + struct { + struct hrtimer hrtimer; + }; + struct { + struct list_head tp_list; + }; + struct { + u64 pwr_acc; + u64 ptsc; + }; + struct { + struct arch_hw_breakpoint info; + struct list_head bp_list; + }; + struct { + u8 iommu_bank; + u8 iommu_cntr; + u16 padding; + u64 conf; + u64 conf1; + }; + }; + struct task_struct *target; + void *addr_filters; + long unsigned int addr_filters_gen; + int state; + local64_t prev_count; + u64 sample_period; + u64 last_period; + local64_t period_left; + u64 interrupts_seq; + u64 interrupts; + u64 freq_time_stamp; + u64 freq_count_stamp; +}; + +struct irq_work { + atomic_t flags; + struct llist_node llnode; + void (*func)(struct irq_work *); +}; + +struct perf_addr_filters_head { + struct list_head list; + raw_spinlock_t lock; + unsigned int nr_file_filters; +}; + +struct perf_sample_data; + +typedef void (*perf_overflow_handler_t)(struct perf_event *, struct perf_sample_data *, struct pt_regs *); + +struct pmu; + +struct ring_buffer; + +struct perf_addr_filter_range; + +struct trace_event_call; + +struct event_filter; + +struct perf_event { + struct list_head event_entry; + struct list_head sibling_list; + struct list_head active_list; + struct rb_node group_node; + u64 group_index; + struct list_head migrate_entry; + struct hlist_node hlist_entry; + struct list_head active_entry; + int nr_siblings; + int event_caps; + int group_caps; + struct perf_event *group_leader; + struct pmu *pmu; + void *pmu_private; + enum perf_event_state state; + unsigned int attach_state; + local64_t count; + atomic64_t child_count; + u64 total_time_enabled; + u64 total_time_running; + u64 tstamp; + u64 shadow_ctx_time; + struct perf_event_attr attr; + u16 header_size; + u16 id_header_size; + u16 read_size; + struct hw_perf_event hw; + struct perf_event_context *ctx; + atomic_long_t refcount; + atomic64_t child_total_time_enabled; + atomic64_t child_total_time_running; + struct mutex child_mutex; + struct list_head child_list; + struct perf_event *parent; + int oncpu; + int cpu; + struct list_head owner_entry; + struct task_struct *owner; + struct mutex mmap_mutex; + atomic_t mmap_count; + struct ring_buffer *rb; + struct list_head rb_entry; + long unsigned int rcu_batches; + int rcu_pending; + wait_queue_head_t waitq; + struct fasync_struct *fasync; + int pending_wakeup; + int pending_kill; + int pending_disable; + struct irq_work pending; + atomic_t event_limit; + struct perf_addr_filters_head addr_filters; + struct perf_addr_filter_range *addr_filter_ranges; + long unsigned int addr_filters_gen; + struct perf_event *aux_event; + void (*destroy)(struct perf_event *); + struct callback_head callback_head; + struct pid_namespace *ns; + u64 id; + u64 (*clock)(); + perf_overflow_handler_t overflow_handler; + void *overflow_handler_context; + struct trace_event_call *tp_event; + struct event_filter *filter; + void *security; + struct list_head sb_list; +}; + +struct lockdep_map {}; + +typedef struct { + struct seqcount seqcount; + spinlock_t lock; +} seqlock_t; + +enum node_states { + N_POSSIBLE = 0, + N_ONLINE = 1, + N_NORMAL_MEMORY = 2, + N_HIGH_MEMORY = 2, + N_MEMORY = 3, + N_CPU = 4, + NR_NODE_STATES = 5, +}; + +struct timer_list { + struct hlist_node entry; + long unsigned int expires; + void (*function)(struct timer_list *); + u32 flags; +}; + +struct delayed_work { + struct work_struct work; + struct timer_list timer; + struct workqueue_struct *wq; + int cpu; +}; + +struct rcu_work { + struct work_struct work; + struct callback_head rcu; + struct workqueue_struct *wq; +}; + +struct rcu_segcblist { + struct callback_head *head; + struct callback_head **tails[4]; + long unsigned int gp_seq[4]; + long int len; + long int len_lazy; + u8 enabled; + u8 offloaded; +}; + +struct srcu_node; + +struct srcu_struct; + +struct srcu_data { + long unsigned int srcu_lock_count[2]; + long unsigned int srcu_unlock_count[2]; + long: 64; + long: 64; + long: 64; + long: 64; + spinlock_t lock; + struct rcu_segcblist srcu_cblist; + long unsigned int srcu_gp_seq_needed; + long unsigned int srcu_gp_seq_needed_exp; + bool srcu_cblist_invoking; + struct timer_list delay_work; + struct work_struct work; + struct callback_head srcu_barrier_head; + struct srcu_node *mynode; + long unsigned int grpmask; + int cpu; + struct srcu_struct *ssp; + long: 64; +}; + +struct srcu_node { + spinlock_t lock; + long unsigned int srcu_have_cbs[4]; + long unsigned int srcu_data_have_cbs[4]; + long unsigned int srcu_gp_seq_needed_exp; + struct srcu_node *srcu_parent; + int grplo; + int grphi; +}; + +struct srcu_struct { + struct srcu_node node[5]; + struct srcu_node *level[3]; + struct mutex srcu_cb_mutex; + spinlock_t lock; + struct mutex srcu_gp_mutex; + unsigned int srcu_idx; + long unsigned int srcu_gp_seq; + long unsigned int srcu_gp_seq_needed; + long unsigned int srcu_gp_seq_needed_exp; + long unsigned int srcu_last_gp_end; + struct srcu_data *sda; + long unsigned int srcu_barrier_seq; + struct mutex srcu_barrier_mutex; + struct completion srcu_barrier_completion; + atomic_t srcu_barrier_cpu_cnt; + struct delayed_work work; +}; + +struct anon_vma { + struct anon_vma *root; + struct rw_semaphore rwsem; + atomic_t refcount; + unsigned int degree; + struct anon_vma *parent; + struct rb_root_cached rb_root; +}; + +struct mempolicy { + atomic_t refcnt; + short unsigned int mode; + short unsigned int flags; + union { + short int preferred_node; + nodemask_t nodes; + } v; + union { + nodemask_t cpuset_mems_allowed; + nodemask_t user_nodemask; + } w; +}; + +struct linux_binprm; + +struct coredump_params; + +struct linux_binfmt { + struct list_head lh; + struct module *module; + int (*load_binary)(struct linux_binprm *); + int (*load_shlib)(struct file *); + int (*core_dump)(struct coredump_params *); + long unsigned int min_coredump; +}; + +struct uid_gid_extent { + u32 first; + u32 lower_first; + u32 count; +}; + +struct uid_gid_map { + u32 nr_extents; + union { + struct uid_gid_extent extent[5]; + struct { + struct uid_gid_extent *forward; + struct uid_gid_extent *reverse; + }; + }; +}; + +struct proc_ns_operations; + +struct ns_common { + atomic_long_t stashed; + const struct proc_ns_operations *ops; + unsigned int inum; +}; + +struct ctl_table; + +struct ctl_table_root; + +struct ctl_table_set; + +struct ctl_dir; + +struct ctl_node; + +struct ctl_table_header { + union { + struct { + struct ctl_table *ctl_table; + int used; + int count; + int nreg; + }; + struct callback_head rcu; + }; + struct completion *unregistering; + struct ctl_table *ctl_table_arg; + struct ctl_table_root *root; + struct ctl_table_set *set; + struct ctl_dir *parent; + struct ctl_node *node; + struct hlist_head inodes; +}; + +struct ctl_dir { + struct ctl_table_header header; + struct rb_root root; +}; + +struct ctl_table_set { + int (*is_seen)(struct ctl_table_set *); + struct ctl_dir dir; +}; + +struct ucounts; + +struct user_namespace { + struct uid_gid_map uid_map; + struct uid_gid_map gid_map; + struct uid_gid_map projid_map; + atomic_t count; + struct user_namespace *parent; + int level; + kuid_t owner; + kgid_t group; + struct ns_common ns; + long unsigned int flags; + struct list_head keyring_name_list; + struct key *user_keyring_register; + struct rw_semaphore keyring_sem; + struct work_struct work; + struct ctl_table_set set; + struct ctl_table_header *sysctls; + struct ucounts *ucounts; + int ucount_max[9]; +}; + +typedef struct pglist_data pg_data_t; + +struct fwnode_operations; + +struct device; + +struct fwnode_handle { + struct fwnode_handle *secondary; + const struct fwnode_operations *ops; + struct device *dev; +}; + +struct fwnode_reference_args; + +struct fwnode_endpoint; + +struct fwnode_operations { + struct fwnode_handle * (*get)(struct fwnode_handle *); + void (*put)(struct fwnode_handle *); + bool (*device_is_available)(const struct fwnode_handle *); + const void * (*device_get_match_data)(const struct fwnode_handle *, const struct device *); + bool (*property_present)(const struct fwnode_handle *, const char *); + int (*property_read_int_array)(const struct fwnode_handle *, const char *, unsigned int, void *, size_t); + int (*property_read_string_array)(const struct fwnode_handle *, const char *, const char **, size_t); + const char * (*get_name)(const struct fwnode_handle *); + const char * (*get_name_prefix)(const struct fwnode_handle *); + struct fwnode_handle * (*get_parent)(const struct fwnode_handle *); + struct fwnode_handle * (*get_next_child_node)(const struct fwnode_handle *, struct fwnode_handle *); + struct fwnode_handle * (*get_named_child_node)(const struct fwnode_handle *, const char *); + int (*get_reference_args)(const struct fwnode_handle *, const char *, const char *, unsigned int, unsigned int, struct fwnode_reference_args *); + struct fwnode_handle * (*graph_get_next_endpoint)(const struct fwnode_handle *, struct fwnode_handle *); + struct fwnode_handle * (*graph_get_remote_endpoint)(const struct fwnode_handle *); + struct fwnode_handle * (*graph_get_port_parent)(struct fwnode_handle *); + int (*graph_parse_endpoint)(const struct fwnode_handle *, struct fwnode_endpoint *); + int (*add_links)(const struct fwnode_handle *, struct device *); +}; + +struct kref { + refcount_t refcount; +}; + +struct kset; + +struct kobj_type; + +struct kernfs_node; + +struct kobject { + const char *name; + struct list_head entry; + struct kobject *parent; + struct kset *kset; + struct kobj_type *ktype; + struct kernfs_node *sd; + struct kref kref; + unsigned int state_initialized: 1; + unsigned int state_in_sysfs: 1; + unsigned int state_add_uevent_sent: 1; + unsigned int state_remove_uevent_sent: 1; + unsigned int uevent_suppress: 1; +}; + +enum dl_dev_state { + DL_DEV_NO_DRIVER = 0, + DL_DEV_PROBING = 1, + DL_DEV_DRIVER_BOUND = 2, + DL_DEV_UNBINDING = 3, +}; + +struct dev_links_info { + struct list_head suppliers; + struct list_head consumers; + struct list_head needs_suppliers; + struct list_head defer_sync; + bool need_for_probe; + enum dl_dev_state status; +}; + +struct pm_message { + int event; +}; + +typedef struct pm_message pm_message_t; + +enum rpm_request { + RPM_REQ_NONE = 0, + RPM_REQ_IDLE = 1, + RPM_REQ_SUSPEND = 2, + RPM_REQ_AUTOSUSPEND = 3, + RPM_REQ_RESUME = 4, +}; + +enum rpm_status { + RPM_ACTIVE = 0, + RPM_RESUMING = 1, + RPM_SUSPENDED = 2, + RPM_SUSPENDING = 3, +}; + +struct wakeup_source; + +struct wake_irq; + +struct pm_subsys_data; + +struct dev_pm_qos; + +struct dev_pm_info { + pm_message_t power_state; + unsigned int can_wakeup: 1; + unsigned int async_suspend: 1; + bool in_dpm_list: 1; + bool is_prepared: 1; + bool is_suspended: 1; + bool is_noirq_suspended: 1; + bool is_late_suspended: 1; + bool no_pm: 1; + bool early_init: 1; + bool direct_complete: 1; + u32 driver_flags; + spinlock_t lock; + struct list_head entry; + struct completion completion; + struct wakeup_source *wakeup; + bool wakeup_path: 1; + bool syscore: 1; + bool no_pm_callbacks: 1; + unsigned int must_resume: 1; + unsigned int may_skip_resume: 1; + struct hrtimer suspend_timer; + long unsigned int timer_expires; + struct work_struct work; + wait_queue_head_t wait_queue; + struct wake_irq *wakeirq; + atomic_t usage_count; + atomic_t child_count; + unsigned int disable_depth: 3; + unsigned int idle_notification: 1; + unsigned int request_pending: 1; + unsigned int deferred_resume: 1; + unsigned int runtime_auto: 1; + bool ignore_children: 1; + unsigned int no_callbacks: 1; + unsigned int irq_safe: 1; + unsigned int use_autosuspend: 1; + unsigned int timer_autosuspends: 1; + unsigned int memalloc_noio: 1; + unsigned int links_count; + enum rpm_request request; + enum rpm_status runtime_status; + int runtime_error; + int autosuspend_delay; + u64 last_busy; + u64 active_time; + u64 suspended_time; + u64 accounting_timestamp; + struct pm_subsys_data *subsys_data; + void (*set_latency_tolerance)(struct device *, s32); + struct dev_pm_qos *qos; +}; + +struct dev_archdata { + void *iommu; +}; + +struct device_private; + +struct device_type; + +struct bus_type; + +struct device_driver; + +struct dev_pm_domain; + +struct irq_domain; + +struct dma_map_ops; + +struct device_dma_parameters; + +struct device_node; + +struct class; + +struct attribute_group; + +struct iommu_group; + +struct iommu_fwspec; + +struct iommu_param; + +struct device { + struct kobject kobj; + struct device *parent; + struct device_private *p; + const char *init_name; + const struct device_type *type; + struct bus_type *bus; + struct device_driver *driver; + void *platform_data; + void *driver_data; + struct mutex mutex; + struct dev_links_info links; + struct dev_pm_info power; + struct dev_pm_domain *pm_domain; + struct irq_domain *msi_domain; + struct list_head msi_list; + const struct dma_map_ops *dma_ops; + u64 *dma_mask; + u64 coherent_dma_mask; + u64 bus_dma_limit; + long unsigned int dma_pfn_offset; + struct device_dma_parameters *dma_parms; + struct list_head dma_pools; + struct dev_archdata archdata; + struct device_node *of_node; + struct fwnode_handle *fwnode; + int numa_node; + dev_t devt; + u32 id; + spinlock_t devres_lock; + struct list_head devres_head; + struct class *class; + const struct attribute_group **groups; + void (*release)(struct device *); + struct iommu_group *iommu_group; + struct iommu_fwspec *iommu_fwspec; + struct iommu_param *iommu_param; + bool offline_disabled: 1; + bool offline: 1; + bool of_node_reused: 1; + bool state_synced: 1; +}; + +struct fwnode_endpoint { + unsigned int port; + unsigned int id; + const struct fwnode_handle *local_fwnode; +}; + +struct fwnode_reference_args { + struct fwnode_handle *fwnode; + unsigned int nargs; + u64 args[8]; +}; + +typedef void (*smp_call_func_t)(void *); + +struct __call_single_data { + struct llist_node llist; + smp_call_func_t func; + void *info; + unsigned int flags; +}; + +typedef int proc_handler(struct ctl_table *, int, void *, size_t *, loff_t *); + +struct ctl_table_poll; + +struct ctl_table { + const char *procname; + void *data; + int maxlen; + umode_t mode; + struct ctl_table *child; + proc_handler *proc_handler; + struct ctl_table_poll *poll; + void *extra1; + void *extra2; +}; + +struct ctl_table_poll { + atomic_t event; + wait_queue_head_t wait; +}; + +struct ctl_node { + struct rb_node node; + struct ctl_table_header *header; +}; + +struct ctl_table_root { + struct ctl_table_set default_set; + struct ctl_table_set * (*lookup)(struct ctl_table_root *); + void (*set_ownership)(struct ctl_table_header *, struct ctl_table *, kuid_t *, kgid_t *); + int (*permissions)(struct ctl_table_header *, struct ctl_table *); +}; + +enum umh_disable_depth { + UMH_ENABLED = 0, + UMH_FREEZING = 1, + UMH_DISABLED = 2, +}; + +typedef __u64 Elf64_Addr; + +typedef __u16 Elf64_Half; + +typedef __u32 Elf64_Word; + +typedef __u64 Elf64_Xword; + +struct elf64_sym { + Elf64_Word st_name; + unsigned char st_info; + unsigned char st_other; + Elf64_Half st_shndx; + Elf64_Addr st_value; + Elf64_Xword st_size; +}; + +typedef struct elf64_sym Elf64_Sym; + +struct idr { + struct xarray idr_rt; + unsigned int idr_base; + unsigned int idr_next; +}; + +struct kernfs_root; + +struct kernfs_elem_dir { + long unsigned int subdirs; + struct rb_root children; + struct kernfs_root *root; +}; + +struct kernfs_syscall_ops; + +struct kernfs_root { + struct kernfs_node *kn; + unsigned int flags; + struct idr ino_idr; + u32 last_id_lowbits; + u32 id_highbits; + struct kernfs_syscall_ops *syscall_ops; + struct list_head supers; + wait_queue_head_t deactivate_waitq; +}; + +struct kernfs_elem_symlink { + struct kernfs_node *target_kn; +}; + +struct kernfs_ops; + +struct kernfs_open_node; + +struct kernfs_elem_attr { + const struct kernfs_ops *ops; + struct kernfs_open_node *open; + loff_t size; + struct kernfs_node *notify_next; +}; + +struct kernfs_iattrs; + +struct kernfs_node { + atomic_t count; + atomic_t active; + struct kernfs_node *parent; + const char *name; + struct rb_node rb; + const void *ns; + unsigned int hash; + union { + struct kernfs_elem_dir dir; + struct kernfs_elem_symlink symlink; + struct kernfs_elem_attr attr; + }; + void *priv; + u64 id; + short unsigned int flags; + umode_t mode; + struct kernfs_iattrs *iattr; +}; + +struct kernfs_open_file; + +struct kernfs_ops { + int (*open)(struct kernfs_open_file *); + void (*release)(struct kernfs_open_file *); + int (*seq_show)(struct seq_file *, void *); + void * (*seq_start)(struct seq_file *, loff_t *); + void * (*seq_next)(struct seq_file *, void *, loff_t *); + void (*seq_stop)(struct seq_file *, void *); + ssize_t (*read)(struct kernfs_open_file *, char *, size_t, loff_t); + size_t atomic_write_len; + bool prealloc; + ssize_t (*write)(struct kernfs_open_file *, char *, size_t, loff_t); + __poll_t (*poll)(struct kernfs_open_file *, struct poll_table_struct *); + int (*mmap)(struct kernfs_open_file *, struct vm_area_struct *); +}; + +struct kernfs_syscall_ops { + int (*show_options)(struct seq_file *, struct kernfs_root *); + int (*mkdir)(struct kernfs_node *, const char *, umode_t); + int (*rmdir)(struct kernfs_node *); + int (*rename)(struct kernfs_node *, struct kernfs_node *, const char *); + int (*show_path)(struct seq_file *, struct kernfs_node *, struct kernfs_root *); +}; + +struct seq_operations; + +struct seq_file { + char *buf; + size_t size; + size_t from; + size_t count; + size_t pad_until; + loff_t index; + loff_t read_pos; + u64 version; + struct mutex lock; + const struct seq_operations *op; + int poll_event; + const struct file *file; + void *private; +}; + +struct kernfs_open_file { + struct kernfs_node *kn; + struct file *file; + struct seq_file *seq_file; + void *priv; + struct mutex mutex; + struct mutex prealloc_mutex; + int event; + struct list_head list; + char *prealloc_buf; + size_t atomic_write_len; + bool mmapped: 1; + bool released: 1; + const struct vm_operations_struct *vm_ops; +}; + +typedef void (*poll_queue_proc)(struct file *, wait_queue_head_t *, struct poll_table_struct *); + +struct poll_table_struct { + poll_queue_proc _qproc; + __poll_t _key; +}; + +enum kobj_ns_type { + KOBJ_NS_TYPE_NONE = 0, + KOBJ_NS_TYPE_NET = 1, + KOBJ_NS_TYPES = 2, +}; + +struct sock; + +struct kobj_ns_type_operations { + enum kobj_ns_type type; + bool (*current_may_mount)(); + void * (*grab_current_ns)(); + const void * (*netlink_ns)(struct sock *); + const void * (*initial_ns)(); + void (*drop_ns)(void *); +}; + +struct attribute { + const char *name; + umode_t mode; +}; + +struct bin_attribute; + +struct attribute_group { + const char *name; + umode_t (*is_visible)(struct kobject *, struct attribute *, int); + umode_t (*is_bin_visible)(struct kobject *, struct bin_attribute *, int); + struct attribute **attrs; + struct bin_attribute **bin_attrs; +}; + +struct bin_attribute { + struct attribute attr; + size_t size; + void *private; + ssize_t (*read)(struct file *, struct kobject *, struct bin_attribute *, char *, loff_t, size_t); + ssize_t (*write)(struct file *, struct kobject *, struct bin_attribute *, char *, loff_t, size_t); + int (*mmap)(struct file *, struct kobject *, struct bin_attribute *, struct vm_area_struct *); +}; + +struct sysfs_ops { + ssize_t (*show)(struct kobject *, struct attribute *, char *); + ssize_t (*store)(struct kobject *, struct attribute *, const char *, size_t); +}; + +struct kset_uevent_ops; + +struct kset { + struct list_head list; + spinlock_t list_lock; + struct kobject kobj; + const struct kset_uevent_ops *uevent_ops; +}; + +struct kobj_type { + void (*release)(struct kobject *); + const struct sysfs_ops *sysfs_ops; + struct attribute **default_attrs; + const struct attribute_group **default_groups; + const struct kobj_ns_type_operations * (*child_ns_type)(struct kobject *); + const void * (*namespace)(struct kobject *); + void (*get_ownership)(struct kobject *, kuid_t *, kgid_t *); +}; + +struct kobj_uevent_env { + char *argv[3]; + char *envp[32]; + int envp_idx; + char buf[2048]; + int buflen; +}; + +struct kset_uevent_ops { + int (* const filter)(struct kset *, struct kobject *); + const char * (* const name)(struct kset *, struct kobject *); + int (* const uevent)(struct kset *, struct kobject *, struct kobj_uevent_env *); +}; + +struct kernel_param; + +struct kernel_param_ops { + unsigned int flags; + int (*set)(const char *, const struct kernel_param *); + int (*get)(char *, const struct kernel_param *); + void (*free)(void *); +}; + +struct kparam_string; + +struct kparam_array; + +struct kernel_param { + const char *name; + struct module *mod; + const struct kernel_param_ops *ops; + const u16 perm; + s8 level; + u8 flags; + union { + void *arg; + const struct kparam_string *str; + const struct kparam_array *arr; + }; +}; + +struct kparam_string { + unsigned int maxlen; + char *string; +}; + +struct kparam_array { + unsigned int max; + unsigned int elemsize; + unsigned int *num; + const struct kernel_param_ops *ops; + void *elem; +}; + +enum module_state { + MODULE_STATE_LIVE = 0, + MODULE_STATE_COMING = 1, + MODULE_STATE_GOING = 2, + MODULE_STATE_UNFORMED = 3, +}; + +struct module_param_attrs; + +struct module_kobject { + struct kobject kobj; + struct module *mod; + struct kobject *drivers_dir; + struct module_param_attrs *mp; + struct completion *kobj_completion; +}; + +struct latch_tree_node { + struct rb_node node[2]; +}; + +struct mod_tree_node { + struct module *mod; + struct latch_tree_node node; +}; + +struct module_layout { + void *base; + unsigned int size; + unsigned int text_size; + unsigned int ro_size; + unsigned int ro_after_init_size; + struct mod_tree_node mtn; +}; + +struct mod_arch_specific { + unsigned int num_orcs; + int *orc_unwind_ip; + struct orc_entry *orc_unwind; +}; + +struct mod_kallsyms { + Elf64_Sym *symtab; + unsigned int num_symtab; + char *strtab; + char *typetab; +}; + +struct module_attribute; + +struct exception_table_entry; + +struct module_sect_attrs; + +struct module_notes_attrs; + +struct trace_eval_map; + +struct error_injection_entry; + +struct module { + enum module_state state; + struct list_head list; + char name[56]; + struct module_kobject mkobj; + struct module_attribute *modinfo_attrs; + const char *version; + const char *srcversion; + struct kobject *holders_dir; + const struct kernel_symbol *syms; + const s32 *crcs; + unsigned int num_syms; + struct mutex param_lock; + struct kernel_param *kp; + unsigned int num_kp; + unsigned int num_gpl_syms; + const struct kernel_symbol *gpl_syms; + const s32 *gpl_crcs; + bool async_probe_requested; + const struct kernel_symbol *gpl_future_syms; + const s32 *gpl_future_crcs; + unsigned int num_gpl_future_syms; + unsigned int num_exentries; + struct exception_table_entry *extable; + int (*init)(); + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct module_layout core_layout; + struct module_layout init_layout; + struct mod_arch_specific arch; + long unsigned int taints; + unsigned int num_bugs; + struct list_head bug_list; + struct bug_entry *bug_table; + struct mod_kallsyms *kallsyms; + struct mod_kallsyms core_kallsyms; + struct module_sect_attrs *sect_attrs; + struct module_notes_attrs *notes_attrs; + char *args; + void *percpu; + unsigned int percpu_size; + unsigned int num_tracepoints; + tracepoint_ptr_t *tracepoints_ptrs; + unsigned int num_srcu_structs; + struct srcu_struct **srcu_struct_ptrs; + struct jump_entry *jump_entries; + unsigned int num_jump_entries; + unsigned int num_trace_bprintk_fmt; + const char **trace_bprintk_fmt_start; + struct trace_event_call **trace_events; + unsigned int num_trace_events; + struct trace_eval_map **trace_evals; + unsigned int num_trace_evals; + struct list_head source_list; + struct list_head target_list; + void (*exit)(); + atomic_t refcnt; + struct error_injection_entry *ei_funcs; + unsigned int num_ei_funcs; +}; + +struct error_injection_entry { + long unsigned int addr; + int etype; +}; + +struct module_attribute { + struct attribute attr; + ssize_t (*show)(struct module_attribute *, struct module_kobject *, char *); + ssize_t (*store)(struct module_attribute *, struct module_kobject *, const char *, size_t); + void (*setup)(struct module *, const char *); + int (*test)(struct module *); + void (*free)(struct module *); +}; + +struct exception_table_entry { + int insn; + int fixup; + int handler; +}; + +struct trace_event_functions; + +struct trace_event { + struct hlist_node node; + struct list_head list; + int type; + struct trace_event_functions *funcs; +}; + +struct trace_event_class; + +struct bpf_prog_array; + +struct trace_event_call { + struct list_head list; + struct trace_event_class *class; + union { + char *name; + struct tracepoint *tp; + }; + struct trace_event event; + char *print_fmt; + struct event_filter *filter; + void *mod; + void *data; + int flags; + int perf_refcount; + struct hlist_head *perf_events; + struct bpf_prog_array *prog_array; + int (*perf_perm)(struct trace_event_call *, struct perf_event *); +}; + +struct trace_eval_map { + const char *system; + const char *eval_string; + long unsigned int eval_value; +}; + +struct fs_pin; + +struct pid_namespace { + struct kref kref; + struct idr idr; + struct callback_head rcu; + unsigned int pid_allocated; + struct task_struct *child_reaper; + struct kmem_cache *pid_cachep; + unsigned int level; + struct pid_namespace *parent; + struct vfsmount *proc_mnt; + struct dentry *proc_self; + struct dentry *proc_thread_self; + struct fs_pin *bacct; + struct user_namespace *user_ns; + struct ucounts *ucounts; + struct work_struct proc_work; + kgid_t pid_gid; + int hide_pid; + int reboot; + struct ns_common ns; +}; + +struct rlimit { + __kernel_ulong_t rlim_cur; + __kernel_ulong_t rlim_max; +}; + +struct task_cputime { + u64 stime; + u64 utime; + long long unsigned int sum_exec_runtime; +}; + +typedef void __signalfn_t(int); + +typedef __signalfn_t *__sighandler_t; + +typedef void __restorefn_t(); + +typedef __restorefn_t *__sigrestore_t; + +struct ratelimit_state { + raw_spinlock_t lock; + int interval; + int burst; + int printed; + int missed; + long unsigned int begin; + long unsigned int flags; +}; + +struct user_struct { + refcount_t __count; + atomic_t processes; + atomic_t sigpending; + atomic_long_t epoll_watches; + long unsigned int mq_bytes; + long unsigned int locked_shm; + long unsigned int unix_inflight; + atomic_long_t pipe_bufs; + struct hlist_node uidhash_node; + kuid_t uid; + atomic_long_t locked_vm; + struct ratelimit_state ratelimit; +}; + +struct sigaction { + __sighandler_t sa_handler; + long unsigned int sa_flags; + __sigrestore_t sa_restorer; + sigset_t sa_mask; +}; + +struct k_sigaction { + struct sigaction sa; +}; + +struct cpu_itimer { + u64 expires; + u64 incr; +}; + +struct task_cputime_atomic { + atomic64_t utime; + atomic64_t stime; + atomic64_t sum_exec_runtime; +}; + +struct thread_group_cputimer { + struct task_cputime_atomic cputime_atomic; +}; + +struct pacct_struct { + int ac_flag; + long int ac_exitcode; + long unsigned int ac_mem; + u64 ac_utime; + u64 ac_stime; + long unsigned int ac_minflt; + long unsigned int ac_majflt; +}; + +struct tty_struct; + +struct taskstats; + +struct tty_audit_buf; + +struct signal_struct { + refcount_t sigcnt; + atomic_t live; + int nr_threads; + struct list_head thread_head; + wait_queue_head_t wait_chldexit; + struct task_struct *curr_target; + struct sigpending shared_pending; + struct hlist_head multiprocess; + int group_exit_code; + int notify_count; + struct task_struct *group_exit_task; + int group_stop_count; + unsigned int flags; + unsigned int is_child_subreaper: 1; + unsigned int has_child_subreaper: 1; + int posix_timer_id; + struct list_head posix_timers; + struct hrtimer real_timer; + ktime_t it_real_incr; + struct cpu_itimer it[2]; + struct thread_group_cputimer cputimer; + struct posix_cputimers posix_cputimers; + struct pid *pids[4]; + struct pid *tty_old_pgrp; + int leader; + struct tty_struct *tty; + seqlock_t stats_lock; + u64 utime; + u64 stime; + u64 cutime; + u64 cstime; + u64 gtime; + u64 cgtime; + struct prev_cputime prev_cputime; + long unsigned int nvcsw; + long unsigned int nivcsw; + long unsigned int cnvcsw; + long unsigned int cnivcsw; + long unsigned int min_flt; + long unsigned int maj_flt; + long unsigned int cmin_flt; + long unsigned int cmaj_flt; + long unsigned int inblock; + long unsigned int oublock; + long unsigned int cinblock; + long unsigned int coublock; + long unsigned int maxrss; + long unsigned int cmaxrss; + struct task_io_accounting ioac; + long long unsigned int sum_sched_runtime; + struct rlimit rlim[16]; + struct pacct_struct pacct; + struct taskstats *stats; + unsigned int audit_tty; + struct tty_audit_buf *tty_audit_buf; + bool oom_flag_origin; + short int oom_score_adj; + short int oom_score_adj_min; + struct mm_struct *oom_mm; + struct mutex cred_guard_mutex; +}; + +typedef int32_t key_serial_t; + +typedef uint32_t key_perm_t; + +struct key_type; + +struct key_tag; + +struct keyring_index_key { + long unsigned int hash; + union { + struct { + u16 desc_len; + char desc[6]; + }; + long unsigned int x; + }; + struct key_type *type; + struct key_tag *domain_tag; + const char *description; +}; + +union key_payload { + void *rcu_data0; + void *data[4]; +}; + +struct assoc_array_ptr; + +struct assoc_array { + struct assoc_array_ptr *root; + long unsigned int nr_leaves_on_tree; +}; + +struct key_user; + +struct key_restriction; + +struct key { + refcount_t usage; + key_serial_t serial; + union { + struct list_head graveyard_link; + struct rb_node serial_node; + }; + struct rw_semaphore sem; + struct key_user *user; + void *security; + union { + time64_t expiry; + time64_t revoked_at; + }; + time64_t last_used_at; + kuid_t uid; + kgid_t gid; + key_perm_t perm; + short unsigned int quotalen; + short unsigned int datalen; + short int state; + long unsigned int flags; + union { + struct keyring_index_key index_key; + struct { + long unsigned int hash; + long unsigned int len_desc; + struct key_type *type; + struct key_tag *domain_tag; + char *description; + }; + }; + union { + union key_payload payload; + struct { + struct list_head name_link; + struct assoc_array keys; + }; + }; + struct key_restriction *restrict_link; +}; + +struct uts_namespace; + +struct ipc_namespace; + +struct mnt_namespace; + +struct net; + +struct cgroup_namespace; + +struct nsproxy { + atomic_t count; + struct uts_namespace *uts_ns; + struct ipc_namespace *ipc_ns; + struct mnt_namespace *mnt_ns; + struct pid_namespace *pid_ns_for_children; + struct net *net_ns; + struct cgroup_namespace *cgroup_ns; +}; + +struct sighand_struct { + spinlock_t siglock; + refcount_t count; + wait_queue_head_t signalfd_wqh; + struct k_sigaction action[64]; +}; + +struct bio; + +struct bio_list { + struct bio *head; + struct bio *tail; +}; + +struct blk_plug { + struct list_head mq_list; + struct list_head cb_list; + short unsigned int rq_count; + bool multiple_queues; +}; + +struct reclaim_state { + long unsigned int reclaimed_slab; +}; + +typedef int congested_fn(void *, int); + +struct fprop_local_percpu { + struct percpu_counter events; + unsigned int period; + raw_spinlock_t lock; +}; + +enum wb_reason { + WB_REASON_BACKGROUND = 0, + WB_REASON_VMSCAN = 1, + WB_REASON_SYNC = 2, + WB_REASON_PERIODIC = 3, + WB_REASON_LAPTOP_TIMER = 4, + WB_REASON_FREE_MORE_MEM = 5, + WB_REASON_FS_FREE_SPACE = 6, + WB_REASON_FORKER_THREAD = 7, + WB_REASON_FOREIGN_FLUSH = 8, + WB_REASON_MAX = 9, +}; + +struct bdi_writeback_congested; + +struct bdi_writeback { + struct backing_dev_info *bdi; + long unsigned int state; + long unsigned int last_old_flush; + struct list_head b_dirty; + struct list_head b_io; + struct list_head b_more_io; + struct list_head b_dirty_time; + spinlock_t list_lock; + struct percpu_counter stat[4]; + struct bdi_writeback_congested *congested; + long unsigned int bw_time_stamp; + long unsigned int dirtied_stamp; + long unsigned int written_stamp; + long unsigned int write_bandwidth; + long unsigned int avg_write_bandwidth; + long unsigned int dirty_ratelimit; + long unsigned int balanced_dirty_ratelimit; + struct fprop_local_percpu completions; + int dirty_exceeded; + enum wb_reason start_all_reason; + spinlock_t work_lock; + struct list_head work_list; + struct delayed_work dwork; + long unsigned int dirty_sleep; + struct list_head bdi_node; +}; + +struct backing_dev_info { + u64 id; + struct rb_node rb_node; + struct list_head bdi_list; + long unsigned int ra_pages; + long unsigned int io_pages; + congested_fn *congested_fn; + void *congested_data; + const char *name; + struct kref refcnt; + unsigned int capabilities; + unsigned int min_ratio; + unsigned int max_ratio; + unsigned int max_prop_frac; + atomic_long_t tot_write_bandwidth; + struct bdi_writeback wb; + struct list_head wb_list; + struct bdi_writeback_congested *wb_congested; + wait_queue_head_t wb_waitq; + struct device *dev; + struct device *owner; + struct timer_list laptop_mode_wb_timer; + struct dentry *debug_dir; +}; + +struct cgroup_subsys_state; + +struct cgroup; + +struct css_set { + struct cgroup_subsys_state *subsys[4]; + refcount_t refcount; + struct css_set *dom_cset; + struct cgroup *dfl_cgrp; + int nr_tasks; + struct list_head tasks; + struct list_head mg_tasks; + struct list_head dying_tasks; + struct list_head task_iters; + struct list_head e_cset_node[4]; + struct list_head threaded_csets; + struct list_head threaded_csets_node; + struct hlist_node hlist; + struct list_head cgrp_links; + struct list_head mg_preload_node; + struct list_head mg_node; + struct cgroup *mg_src_cgrp; + struct cgroup *mg_dst_cgrp; + struct css_set *mg_dst_cset; + bool dead; + struct callback_head callback_head; +}; + +struct perf_event_groups { + struct rb_root tree; + u64 index; +}; + +struct perf_event_context { + struct pmu *pmu; + raw_spinlock_t lock; + struct mutex mutex; + struct list_head active_ctx_list; + struct perf_event_groups pinned_groups; + struct perf_event_groups flexible_groups; + struct list_head event_list; + struct list_head pinned_active; + struct list_head flexible_active; + int nr_events; + int nr_active; + int is_active; + int nr_stat; + int nr_freq; + int rotate_disable; + int rotate_necessary; + refcount_t refcount; + struct task_struct *task; + u64 time; + u64 timestamp; + struct perf_event_context *parent_ctx; + u64 parent_gen; + u64 generation; + int pin_count; + void *task_ctx_data; + struct callback_head callback_head; +}; + +struct task_delay_info { + raw_spinlock_t lock; + unsigned int flags; + u64 blkio_start; + u64 blkio_delay; + u64 swapin_delay; + u32 blkio_count; + u32 swapin_count; + u64 freepages_start; + u64 freepages_delay; + u64 thrashing_start; + u64 thrashing_delay; + u32 freepages_count; + u32 thrashing_count; +}; + +typedef unsigned int blk_qc_t; + +typedef blk_qc_t make_request_fn(struct request_queue *, struct bio *); + +struct request; + +typedef int dma_drain_needed_fn(struct request *); + +struct blk_rq_stat { + u64 mean; + u64 min; + u64 max; + u32 nr_samples; + u64 batch; +}; + +enum blk_zoned_model { + BLK_ZONED_NONE = 0, + BLK_ZONED_HA = 1, + BLK_ZONED_HM = 2, +}; + +struct queue_limits { + long unsigned int bounce_pfn; + long unsigned int seg_boundary_mask; + long unsigned int virt_boundary_mask; + unsigned int max_hw_sectors; + unsigned int max_dev_sectors; + unsigned int chunk_sectors; + unsigned int max_sectors; + unsigned int max_segment_size; + unsigned int physical_block_size; + unsigned int logical_block_size; + unsigned int alignment_offset; + unsigned int io_min; + unsigned int io_opt; + unsigned int max_discard_sectors; + unsigned int max_hw_discard_sectors; + unsigned int max_write_same_sectors; + unsigned int max_write_zeroes_sectors; + unsigned int discard_granularity; + unsigned int discard_alignment; + short unsigned int max_segments; + short unsigned int max_integrity_segments; + short unsigned int max_discard_segments; + unsigned char misaligned; + unsigned char discard_misaligned; + unsigned char raid_partial_stripes_expensive; + enum blk_zoned_model zoned; +}; + +struct bsg_ops; + +struct bsg_class_device { + struct device *class_dev; + int minor; + struct request_queue *queue; + const struct bsg_ops *ops; +}; + +typedef void *mempool_alloc_t(gfp_t, void *); + +typedef void mempool_free_t(void *, void *); + +struct mempool_s { + spinlock_t lock; + int min_nr; + int curr_nr; + void **elements; + void *pool_data; + mempool_alloc_t *alloc; + mempool_free_t *free; + wait_queue_head_t wait; +}; + +typedef struct mempool_s mempool_t; + +struct bio_set { + struct kmem_cache *bio_slab; + unsigned int front_pad; + mempool_t bio_pool; + mempool_t bvec_pool; + spinlock_t rescue_lock; + struct bio_list rescue_list; + struct work_struct rescue_work; + struct workqueue_struct *rescue_workqueue; +}; + +struct elevator_queue; + +struct blk_queue_stats; + +struct rq_qos; + +struct blk_mq_ops; + +struct blk_mq_ctx; + +struct blk_mq_hw_ctx; + +struct blk_stat_callback; + +struct blk_trace; + +struct blk_flush_queue; + +struct blk_mq_tag_set; + +struct request_queue { + struct request *last_merge; + struct elevator_queue *elevator; + struct blk_queue_stats *stats; + struct rq_qos *rq_qos; + make_request_fn *make_request_fn; + dma_drain_needed_fn *dma_drain_needed; + const struct blk_mq_ops *mq_ops; + struct blk_mq_ctx *queue_ctx; + unsigned int queue_depth; + struct blk_mq_hw_ctx **queue_hw_ctx; + unsigned int nr_hw_queues; + struct backing_dev_info *backing_dev_info; + void *queuedata; + long unsigned int queue_flags; + atomic_t pm_only; + int id; + gfp_t bounce_gfp; + spinlock_t queue_lock; + struct kobject kobj; + struct kobject *mq_kobj; + struct device *dev; + int rpm_status; + unsigned int nr_pending; + long unsigned int nr_requests; + unsigned int dma_drain_size; + void *dma_drain_buffer; + unsigned int dma_pad_mask; + unsigned int dma_alignment; + unsigned int rq_timeout; + int poll_nsec; + struct blk_stat_callback *poll_cb; + struct blk_rq_stat poll_stat[16]; + struct timer_list timeout; + struct work_struct timeout_work; + struct list_head icq_list; + struct queue_limits limits; + unsigned int required_elevator_features; + unsigned int sg_timeout; + unsigned int sg_reserved_size; + int node; + struct blk_trace *blk_trace; + struct mutex blk_trace_mutex; + struct blk_flush_queue *fq; + struct list_head requeue_list; + spinlock_t requeue_lock; + struct delayed_work requeue_work; + struct mutex sysfs_lock; + struct mutex sysfs_dir_lock; + struct list_head unused_hctx_list; + spinlock_t unused_hctx_lock; + int mq_freeze_depth; + struct bsg_class_device bsg_dev; + struct callback_head callback_head; + wait_queue_head_t mq_freeze_wq; + struct mutex mq_freeze_lock; + struct percpu_ref q_usage_counter; + struct blk_mq_tag_set *tag_set; + struct list_head tag_set_list; + struct bio_set bio_split; + struct dentry *debugfs_dir; + struct dentry *sched_debugfs_dir; + struct dentry *rqos_debugfs_dir; + bool mq_sysfs_init_done; + size_t cmd_size; + struct work_struct release_work; + u64 write_hints[5]; +}; + +enum writeback_sync_modes { + WB_SYNC_NONE = 0, + WB_SYNC_ALL = 1, +}; + +struct writeback_control { + long int nr_to_write; + long int pages_skipped; + loff_t range_start; + loff_t range_end; + enum writeback_sync_modes sync_mode; + unsigned int for_kupdate: 1; + unsigned int for_background: 1; + unsigned int tagged_writepages: 1; + unsigned int for_reclaim: 1; + unsigned int range_cyclic: 1; + unsigned int for_sync: 1; + unsigned int no_cgroup_owner: 1; + unsigned int punt_to_cgroup: 1; +}; + +struct swap_cluster_info { + spinlock_t lock; + unsigned int data: 24; + unsigned int flags: 8; +}; + +struct swap_cluster_list { + struct swap_cluster_info head; + struct swap_cluster_info tail; +}; + +struct percpu_cluster; + +struct swap_info_struct { + long unsigned int flags; + short int prio; + struct plist_node list; + signed char type; + unsigned int max; + unsigned char *swap_map; + struct swap_cluster_info *cluster_info; + struct swap_cluster_list free_clusters; + unsigned int lowest_bit; + unsigned int highest_bit; + unsigned int pages; + unsigned int inuse_pages; + unsigned int cluster_next; + unsigned int cluster_nr; + struct percpu_cluster *percpu_cluster; + struct rb_root swap_extent_root; + struct block_device *bdev; + struct file *swap_file; + unsigned int old_block_size; + spinlock_t lock; + spinlock_t cont_lock; + struct work_struct discard_work; + struct swap_cluster_list discard_clusters; + struct plist_node avail_lists[0]; +}; + +struct partition_meta_info; + +struct disk_stats; + +struct hd_struct { + sector_t start_sect; + sector_t nr_sects; + seqcount_t nr_sects_seq; + sector_t alignment_offset; + unsigned int discard_alignment; + struct device __dev; + struct kobject *holder_dir; + int policy; + int partno; + struct partition_meta_info *info; + long unsigned int stamp; + struct disk_stats *dkstats; + struct percpu_ref ref; + struct rcu_work rcu_work; +}; + +struct disk_part_tbl; + +struct block_device_operations; + +struct timer_rand_state; + +struct disk_events; + +struct badblocks; + +struct gendisk { + int major; + int first_minor; + int minors; + char disk_name[32]; + char * (*devnode)(struct gendisk *, umode_t *); + short unsigned int events; + short unsigned int event_flags; + struct disk_part_tbl *part_tbl; + struct hd_struct part0; + const struct block_device_operations *fops; + struct request_queue *queue; + void *private_data; + int flags; + struct rw_semaphore lookup_sem; + struct kobject *slave_dir; + struct timer_rand_state *random; + atomic_t sync_io; + struct disk_events *ev; + int node_id; + struct badblocks *bb; + struct lockdep_map lockdep_map; +}; + +struct cdev { + struct kobject kobj; + struct module *owner; + const struct file_operations *ops; + struct list_head list; + dev_t dev; + unsigned int count; +}; + +struct audit_names; + +struct filename { + const char *name; + const char *uptr; + int refcnt; + struct audit_names *aname; + char iname[0]; +}; + +typedef u8 blk_status_t; + +struct bvec_iter { + sector_t bi_sector; + unsigned int bi_size; + unsigned int bi_idx; + unsigned int bi_bvec_done; +}; + +typedef void bio_end_io_t(struct bio *); + +struct bio_vec { + struct page *bv_page; + unsigned int bv_len; + unsigned int bv_offset; +}; + +struct bio { + struct bio *bi_next; + struct gendisk *bi_disk; + unsigned int bi_opf; + short unsigned int bi_flags; + short unsigned int bi_ioprio; + short unsigned int bi_write_hint; + blk_status_t bi_status; + u8 bi_partno; + atomic_t __bi_remaining; + struct bvec_iter bi_iter; + bio_end_io_t *bi_end_io; + void *bi_private; + union { }; + short unsigned int bi_vcnt; + short unsigned int bi_max_vecs; + atomic_t __bi_cnt; + struct bio_vec *bi_io_vec; + struct bio_set *bi_pool; + struct bio_vec bi_inline_vecs[0]; +}; + +struct linux_binprm { + struct vm_area_struct *vma; + long unsigned int vma_pages; + struct mm_struct *mm; + long unsigned int p; + long unsigned int argmin; + unsigned int called_set_creds: 1; + unsigned int cap_elevated: 1; + unsigned int secureexec: 1; + unsigned int recursion_depth; + struct file *file; + struct cred *cred; + int unsafe; + unsigned int per_clear; + int argc; + int envc; + const char *filename; + const char *interp; + unsigned int interp_flags; + unsigned int interp_data; + long unsigned int loader; + long unsigned int exec; + struct rlimit rlim_stack; + char buf[256]; +}; + +struct coredump_params { + const kernel_siginfo_t *siginfo; + struct pt_regs *regs; + struct file *file; + long unsigned int limit; + long unsigned int mm_flags; + loff_t written; + loff_t pos; +}; + +struct key_tag { + struct callback_head rcu; + refcount_t usage; + bool removed; +}; + +typedef int (*key_restrict_link_func_t)(struct key *, const struct key_type *, const union key_payload *, struct key *); + +typedef int (*request_key_actor_t)(struct key *, void *); + +struct key_preparsed_payload; + +struct key_match_data; + +struct kernel_pkey_params; + +struct kernel_pkey_query; + +struct key_type { + const char *name; + size_t def_datalen; + unsigned int flags; + int (*vet_description)(const char *); + int (*preparse)(struct key_preparsed_payload *); + void (*free_preparse)(struct key_preparsed_payload *); + int (*instantiate)(struct key *, struct key_preparsed_payload *); + int (*update)(struct key *, struct key_preparsed_payload *); + int (*match_preparse)(struct key_match_data *); + void (*match_free)(struct key_match_data *); + void (*revoke)(struct key *); + void (*destroy)(struct key *); + void (*describe)(const struct key *, struct seq_file *); + long int (*read)(const struct key *, char *, size_t); + request_key_actor_t request_key; + struct key_restriction * (*lookup_restriction)(const char *); + int (*asym_query)(const struct kernel_pkey_params *, struct kernel_pkey_query *); + int (*asym_eds_op)(struct kernel_pkey_params *, const void *, void *); + int (*asym_verify_signature)(struct kernel_pkey_params *, const void *, const void *); + struct list_head link; + struct lock_class_key lock_class; +}; + +struct key_restriction { + key_restrict_link_func_t check; + struct key *key; + struct key_type *keytype; +}; + +struct group_info { + atomic_t usage; + int ngroups; + kgid_t gid[0]; +}; + +struct seq_operations { + void * (*start)(struct seq_file *, loff_t *); + void (*stop)(struct seq_file *, void *); + void * (*next)(struct seq_file *, void *, loff_t *); + int (*show)(struct seq_file *, void *); +}; + +struct ring_buffer_event { + u32 type_len: 5; + u32 time_delta: 27; + u32 array[0]; +}; + +struct seq_buf { + char *buffer; + size_t size; + size_t len; + loff_t readpos; +}; + +struct trace_seq { + unsigned char buffer[4096]; + struct seq_buf seq; + int full; +}; + +enum perf_sw_ids { + PERF_COUNT_SW_CPU_CLOCK = 0, + PERF_COUNT_SW_TASK_CLOCK = 1, + PERF_COUNT_SW_PAGE_FAULTS = 2, + PERF_COUNT_SW_CONTEXT_SWITCHES = 3, + PERF_COUNT_SW_CPU_MIGRATIONS = 4, + PERF_COUNT_SW_PAGE_FAULTS_MIN = 5, + PERF_COUNT_SW_PAGE_FAULTS_MAJ = 6, + PERF_COUNT_SW_ALIGNMENT_FAULTS = 7, + PERF_COUNT_SW_EMULATION_FAULTS = 8, + PERF_COUNT_SW_DUMMY = 9, + PERF_COUNT_SW_BPF_OUTPUT = 10, + PERF_COUNT_SW_MAX = 11, +}; + +union perf_mem_data_src { + __u64 val; + struct { + __u64 mem_op: 5; + __u64 mem_lvl: 14; + __u64 mem_snoop: 5; + __u64 mem_lock: 2; + __u64 mem_dtlb: 7; + __u64 mem_lvl_num: 4; + __u64 mem_remote: 1; + __u64 mem_snoopx: 2; + __u64 mem_rsvd: 24; + }; +}; + +struct perf_branch_entry { + __u64 from; + __u64 to; + __u64 mispred: 1; + __u64 predicted: 1; + __u64 in_tx: 1; + __u64 abort: 1; + __u64 cycles: 16; + __u64 type: 4; + __u64 reserved: 40; +}; + +struct taskstats { + __u16 version; + __u32 ac_exitcode; + __u8 ac_flag; + __u8 ac_nice; + __u64 cpu_count; + __u64 cpu_delay_total; + __u64 blkio_count; + __u64 blkio_delay_total; + __u64 swapin_count; + __u64 swapin_delay_total; + __u64 cpu_run_real_total; + __u64 cpu_run_virtual_total; + char ac_comm[32]; + __u8 ac_sched; + __u8 ac_pad[3]; + int: 32; + __u32 ac_uid; + __u32 ac_gid; + __u32 ac_pid; + __u32 ac_ppid; + __u32 ac_btime; + __u64 ac_etime; + __u64 ac_utime; + __u64 ac_stime; + __u64 ac_minflt; + __u64 ac_majflt; + __u64 coremem; + __u64 virtmem; + __u64 hiwater_rss; + __u64 hiwater_vm; + __u64 read_char; + __u64 write_char; + __u64 read_syscalls; + __u64 write_syscalls; + __u64 read_bytes; + __u64 write_bytes; + __u64 cancelled_write_bytes; + __u64 nvcsw; + __u64 nivcsw; + __u64 ac_utimescaled; + __u64 ac_stimescaled; + __u64 cpu_scaled_run_real_total; + __u64 freepages_count; + __u64 freepages_delay_total; + __u64 thrashing_count; + __u64 thrashing_delay_total; +}; + +struct new_utsname { + char sysname[65]; + char nodename[65]; + char release[65]; + char version[65]; + char machine[65]; + char domainname[65]; +}; + +struct uts_namespace { + struct kref kref; + struct new_utsname name; + struct user_namespace *user_ns; + struct ucounts *ucounts; + struct ns_common ns; +}; + +struct cgroup_namespace { + refcount_t count; + struct ns_common ns; + struct user_namespace *user_ns; + struct ucounts *ucounts; + struct css_set *root_cset; +}; + +struct proc_ns_operations { + const char *name; + const char *real_ns_name; + int type; + struct ns_common * (*get)(struct task_struct *); + void (*put)(struct ns_common *); + int (*install)(struct nsproxy *, struct ns_common *); + struct user_namespace * (*owner)(struct ns_common *); + struct ns_common * (*get_parent)(struct ns_common *); +}; + +struct ucounts { + struct hlist_node node; + struct user_namespace *ns; + kuid_t uid; + int count; + atomic_t ucount[9]; +}; + +struct dev_pm_ops { + int (*prepare)(struct device *); + void (*complete)(struct device *); + int (*suspend)(struct device *); + int (*resume)(struct device *); + int (*freeze)(struct device *); + int (*thaw)(struct device *); + int (*poweroff)(struct device *); + int (*restore)(struct device *); + int (*suspend_late)(struct device *); + int (*resume_early)(struct device *); + int (*freeze_late)(struct device *); + int (*thaw_early)(struct device *); + int (*poweroff_late)(struct device *); + int (*restore_early)(struct device *); + int (*suspend_noirq)(struct device *); + int (*resume_noirq)(struct device *); + int (*freeze_noirq)(struct device *); + int (*thaw_noirq)(struct device *); + int (*poweroff_noirq)(struct device *); + int (*restore_noirq)(struct device *); + int (*runtime_suspend)(struct device *); + int (*runtime_resume)(struct device *); + int (*runtime_idle)(struct device *); +}; + +struct pm_subsys_data { + spinlock_t lock; + unsigned int refcount; + struct list_head clock_list; +}; + +struct wakeup_source { + const char *name; + int id; + struct list_head entry; + spinlock_t lock; + struct wake_irq *wakeirq; + struct timer_list timer; + long unsigned int timer_expires; + ktime_t total_time; + ktime_t max_time; + ktime_t last_time; + ktime_t start_prevent_time; + ktime_t prevent_sleep_time; + long unsigned int event_count; + long unsigned int active_count; + long unsigned int relax_count; + long unsigned int expire_count; + long unsigned int wakeup_count; + struct device *dev; + bool active: 1; + bool autosleep_enabled: 1; +}; + +struct dev_pm_domain { + struct dev_pm_ops ops; + int (*start)(struct device *); + void (*detach)(struct device *, bool); + int (*activate)(struct device *); + void (*sync)(struct device *); + void (*dismiss)(struct device *); +}; + +struct iommu_ops; + +struct subsys_private; + +struct bus_type { + const char *name; + const char *dev_name; + struct device *dev_root; + const struct attribute_group **bus_groups; + const struct attribute_group **dev_groups; + const struct attribute_group **drv_groups; + int (*match)(struct device *, struct device_driver *); + int (*uevent)(struct device *, struct kobj_uevent_env *); + int (*probe)(struct device *); + void (*sync_state)(struct device *); + int (*remove)(struct device *); + void (*shutdown)(struct device *); + int (*online)(struct device *); + int (*offline)(struct device *); + int (*suspend)(struct device *, pm_message_t); + int (*resume)(struct device *); + int (*num_vf)(struct device *); + int (*dma_configure)(struct device *); + const struct dev_pm_ops *pm; + const struct iommu_ops *iommu_ops; + struct subsys_private *p; + struct lock_class_key lock_key; + bool need_parent_lock; +}; + +enum probe_type { + PROBE_DEFAULT_STRATEGY = 0, + PROBE_PREFER_ASYNCHRONOUS = 1, + PROBE_FORCE_SYNCHRONOUS = 2, +}; + +struct of_device_id; + +struct acpi_device_id; + +struct driver_private; + +struct device_driver { + const char *name; + struct bus_type *bus; + struct module *owner; + const char *mod_name; + bool suppress_bind_attrs; + enum probe_type probe_type; + const struct of_device_id *of_match_table; + const struct acpi_device_id *acpi_match_table; + int (*probe)(struct device *); + void (*sync_state)(struct device *); + int (*remove)(struct device *); + void (*shutdown)(struct device *); + int (*suspend)(struct device *, pm_message_t); + int (*resume)(struct device *); + const struct attribute_group **groups; + const struct attribute_group **dev_groups; + const struct dev_pm_ops *pm; + void (*coredump)(struct device *); + struct driver_private *p; +}; + +enum iommu_cap { + IOMMU_CAP_CACHE_COHERENCY = 0, + IOMMU_CAP_INTR_REMAP = 1, + IOMMU_CAP_NOEXEC = 2, +}; + +enum iommu_attr { + DOMAIN_ATTR_GEOMETRY = 0, + DOMAIN_ATTR_PAGING = 1, + DOMAIN_ATTR_WINDOWS = 2, + DOMAIN_ATTR_FSL_PAMU_STASH = 3, + DOMAIN_ATTR_FSL_PAMU_ENABLE = 4, + DOMAIN_ATTR_FSL_PAMUV1 = 5, + DOMAIN_ATTR_NESTING = 6, + DOMAIN_ATTR_DMA_USE_FLUSH_QUEUE = 7, + DOMAIN_ATTR_MAX = 8, +}; + +enum iommu_dev_features { + IOMMU_DEV_FEAT_AUX = 0, + IOMMU_DEV_FEAT_SVA = 1, +}; + +struct iommu_domain; + +struct iommu_iotlb_gather; + +struct iommu_resv_region; + +struct of_phandle_args; + +struct iommu_sva; + +struct iommu_fault_event; + +struct iommu_page_response; + +struct iommu_cache_invalidate_info; + +struct iommu_gpasid_bind_data; + +struct iommu_ops { + bool (*capable)(enum iommu_cap); + struct iommu_domain * (*domain_alloc)(unsigned int); + void (*domain_free)(struct iommu_domain *); + int (*attach_dev)(struct iommu_domain *, struct device *); + void (*detach_dev)(struct iommu_domain *, struct device *); + int (*map)(struct iommu_domain *, long unsigned int, phys_addr_t, size_t, int, gfp_t); + size_t (*unmap)(struct iommu_domain *, long unsigned int, size_t, struct iommu_iotlb_gather *); + void (*flush_iotlb_all)(struct iommu_domain *); + void (*iotlb_sync_map)(struct iommu_domain *); + void (*iotlb_sync)(struct iommu_domain *, struct iommu_iotlb_gather *); + phys_addr_t (*iova_to_phys)(struct iommu_domain *, dma_addr_t); + int (*add_device)(struct device *); + void (*remove_device)(struct device *); + struct iommu_group * (*device_group)(struct device *); + int (*domain_get_attr)(struct iommu_domain *, enum iommu_attr, void *); + int (*domain_set_attr)(struct iommu_domain *, enum iommu_attr, void *); + void (*get_resv_regions)(struct device *, struct list_head *); + void (*put_resv_regions)(struct device *, struct list_head *); + void (*apply_resv_region)(struct device *, struct iommu_domain *, struct iommu_resv_region *); + int (*domain_window_enable)(struct iommu_domain *, u32, phys_addr_t, u64, int); + void (*domain_window_disable)(struct iommu_domain *, u32); + int (*of_xlate)(struct device *, struct of_phandle_args *); + bool (*is_attach_deferred)(struct iommu_domain *, struct device *); + bool (*dev_has_feat)(struct device *, enum iommu_dev_features); + bool (*dev_feat_enabled)(struct device *, enum iommu_dev_features); + int (*dev_enable_feat)(struct device *, enum iommu_dev_features); + int (*dev_disable_feat)(struct device *, enum iommu_dev_features); + int (*aux_attach_dev)(struct iommu_domain *, struct device *); + void (*aux_detach_dev)(struct iommu_domain *, struct device *); + int (*aux_get_pasid)(struct iommu_domain *, struct device *); + struct iommu_sva * (*sva_bind)(struct device *, struct mm_struct *, void *); + void (*sva_unbind)(struct iommu_sva *); + int (*sva_get_pasid)(struct iommu_sva *); + int (*page_response)(struct device *, struct iommu_fault_event *, struct iommu_page_response *); + int (*cache_invalidate)(struct iommu_domain *, struct device *, struct iommu_cache_invalidate_info *); + int (*sva_bind_gpasid)(struct iommu_domain *, struct device *, struct iommu_gpasid_bind_data *); + int (*sva_unbind_gpasid)(struct device *, int); + long unsigned int pgsize_bitmap; +}; + +struct device_type { + const char *name; + const struct attribute_group **groups; + int (*uevent)(struct device *, struct kobj_uevent_env *); + char * (*devnode)(struct device *, umode_t *, kuid_t *, kgid_t *); + void (*release)(struct device *); + const struct dev_pm_ops *pm; +}; + +struct of_device_id { + char name[32]; + char type[32]; + char compatible[128]; + const void *data; +}; + +typedef long unsigned int kernel_ulong_t; + +struct acpi_device_id { + __u8 id[9]; + kernel_ulong_t driver_data; + __u32 cls; + __u32 cls_msk; +}; + +struct class { + const char *name; + struct module *owner; + const struct attribute_group **class_groups; + const struct attribute_group **dev_groups; + struct kobject *dev_kobj; + int (*dev_uevent)(struct device *, struct kobj_uevent_env *); + char * (*devnode)(struct device *, umode_t *); + void (*class_release)(struct class *); + void (*dev_release)(struct device *); + int (*shutdown_pre)(struct device *); + const struct kobj_ns_type_operations *ns_type; + const void * (*namespace)(struct device *); + void (*get_ownership)(struct device *, kuid_t *, kgid_t *); + const struct dev_pm_ops *pm; + struct subsys_private *p; +}; + +struct device_dma_parameters { + unsigned int max_segment_size; + long unsigned int segment_boundary_mask; +}; + +enum irq_domain_bus_token { + DOMAIN_BUS_ANY = 0, + DOMAIN_BUS_WIRED = 1, + DOMAIN_BUS_GENERIC_MSI = 2, + DOMAIN_BUS_PCI_MSI = 3, + DOMAIN_BUS_PLATFORM_MSI = 4, + DOMAIN_BUS_NEXUS = 5, + DOMAIN_BUS_IPI = 6, + DOMAIN_BUS_FSL_MC_MSI = 7, + DOMAIN_BUS_TI_SCI_INTA_MSI = 8, + DOMAIN_BUS_WAKEUP = 9, +}; + +struct irq_domain_ops; + +struct irq_domain_chip_generic; + +struct irq_domain { + struct list_head link; + const char *name; + const struct irq_domain_ops *ops; + void *host_data; + unsigned int flags; + unsigned int mapcount; + struct fwnode_handle *fwnode; + enum irq_domain_bus_token bus_token; + struct irq_domain_chip_generic *gc; + struct irq_domain *parent; + irq_hw_number_t hwirq_max; + unsigned int revmap_direct_max_irq; + unsigned int revmap_size; + struct xarray revmap_tree; + struct mutex revmap_tree_mutex; + unsigned int linear_revmap[0]; +}; + +enum dma_data_direction { + DMA_BIDIRECTIONAL = 0, + DMA_TO_DEVICE = 1, + DMA_FROM_DEVICE = 2, + DMA_NONE = 3, +}; + +struct sg_table; + +struct scatterlist; + +struct dma_map_ops { + void * (*alloc)(struct device *, size_t, dma_addr_t *, gfp_t, long unsigned int); + void (*free)(struct device *, size_t, void *, dma_addr_t, long unsigned int); + int (*mmap)(struct device *, struct vm_area_struct *, void *, dma_addr_t, size_t, long unsigned int); + int (*get_sgtable)(struct device *, struct sg_table *, void *, dma_addr_t, size_t, long unsigned int); + dma_addr_t (*map_page)(struct device *, struct page *, long unsigned int, size_t, enum dma_data_direction, long unsigned int); + void (*unmap_page)(struct device *, dma_addr_t, size_t, enum dma_data_direction, long unsigned int); + int (*map_sg)(struct device *, struct scatterlist *, int, enum dma_data_direction, long unsigned int); + void (*unmap_sg)(struct device *, struct scatterlist *, int, enum dma_data_direction, long unsigned int); + dma_addr_t (*map_resource)(struct device *, phys_addr_t, size_t, enum dma_data_direction, long unsigned int); + void (*unmap_resource)(struct device *, dma_addr_t, size_t, enum dma_data_direction, long unsigned int); + void (*sync_single_for_cpu)(struct device *, dma_addr_t, size_t, enum dma_data_direction); + void (*sync_single_for_device)(struct device *, dma_addr_t, size_t, enum dma_data_direction); + void (*sync_sg_for_cpu)(struct device *, struct scatterlist *, int, enum dma_data_direction); + void (*sync_sg_for_device)(struct device *, struct scatterlist *, int, enum dma_data_direction); + void (*cache_sync)(struct device *, void *, size_t, enum dma_data_direction); + int (*dma_supported)(struct device *, u64); + u64 (*get_required_mask)(struct device *); + size_t (*max_mapping_size)(struct device *); + long unsigned int (*get_merge_boundary)(struct device *); +}; + +typedef u32 phandle; + +struct property; + +struct device_node { + const char *name; + phandle phandle; + const char *full_name; + struct fwnode_handle fwnode; + struct property *properties; + struct property *deadprops; + struct device_node *parent; + struct device_node *child; + struct device_node *sibling; + long unsigned int _flags; + void *data; +}; + +enum cpuhp_state { + CPUHP_INVALID = -1, + CPUHP_OFFLINE = 0, + CPUHP_CREATE_THREADS = 1, + CPUHP_PERF_PREPARE = 2, + CPUHP_PERF_X86_PREPARE = 3, + CPUHP_PERF_X86_AMD_UNCORE_PREP = 4, + CPUHP_PERF_POWER = 5, + CPUHP_PERF_SUPERH = 6, + CPUHP_X86_HPET_DEAD = 7, + CPUHP_X86_APB_DEAD = 8, + CPUHP_X86_MCE_DEAD = 9, + CPUHP_VIRT_NET_DEAD = 10, + CPUHP_SLUB_DEAD = 11, + CPUHP_MM_WRITEBACK_DEAD = 12, + CPUHP_MM_VMSTAT_DEAD = 13, + CPUHP_SOFTIRQ_DEAD = 14, + CPUHP_NET_MVNETA_DEAD = 15, + CPUHP_CPUIDLE_DEAD = 16, + CPUHP_ARM64_FPSIMD_DEAD = 17, + CPUHP_ARM_OMAP_WAKE_DEAD = 18, + CPUHP_IRQ_POLL_DEAD = 19, + CPUHP_BLOCK_SOFTIRQ_DEAD = 20, + CPUHP_ACPI_CPUDRV_DEAD = 21, + CPUHP_S390_PFAULT_DEAD = 22, + CPUHP_BLK_MQ_DEAD = 23, + CPUHP_FS_BUFF_DEAD = 24, + CPUHP_PRINTK_DEAD = 25, + CPUHP_MM_MEMCQ_DEAD = 26, + CPUHP_PERCPU_CNT_DEAD = 27, + CPUHP_RADIX_DEAD = 28, + CPUHP_PAGE_ALLOC_DEAD = 29, + CPUHP_NET_DEV_DEAD = 30, + CPUHP_PCI_XGENE_DEAD = 31, + CPUHP_IOMMU_INTEL_DEAD = 32, + CPUHP_LUSTRE_CFS_DEAD = 33, + CPUHP_AP_ARM_CACHE_B15_RAC_DEAD = 34, + CPUHP_WORKQUEUE_PREP = 35, + CPUHP_POWER_NUMA_PREPARE = 36, + CPUHP_HRTIMERS_PREPARE = 37, + CPUHP_PROFILE_PREPARE = 38, + CPUHP_X2APIC_PREPARE = 39, + CPUHP_SMPCFD_PREPARE = 40, + CPUHP_RELAY_PREPARE = 41, + CPUHP_SLAB_PREPARE = 42, + CPUHP_MD_RAID5_PREPARE = 43, + CPUHP_RCUTREE_PREP = 44, + CPUHP_CPUIDLE_COUPLED_PREPARE = 45, + CPUHP_POWERPC_PMAC_PREPARE = 46, + CPUHP_POWERPC_MMU_CTX_PREPARE = 47, + CPUHP_XEN_PREPARE = 48, + CPUHP_XEN_EVTCHN_PREPARE = 49, + CPUHP_ARM_SHMOBILE_SCU_PREPARE = 50, + CPUHP_SH_SH3X_PREPARE = 51, + CPUHP_NET_FLOW_PREPARE = 52, + CPUHP_TOPOLOGY_PREPARE = 53, + CPUHP_NET_IUCV_PREPARE = 54, + CPUHP_ARM_BL_PREPARE = 55, + CPUHP_TRACE_RB_PREPARE = 56, + CPUHP_MM_ZS_PREPARE = 57, + CPUHP_MM_ZSWP_MEM_PREPARE = 58, + CPUHP_MM_ZSWP_POOL_PREPARE = 59, + CPUHP_KVM_PPC_BOOK3S_PREPARE = 60, + CPUHP_ZCOMP_PREPARE = 61, + CPUHP_TIMERS_PREPARE = 62, + CPUHP_MIPS_SOC_PREPARE = 63, + CPUHP_BP_PREPARE_DYN = 64, + CPUHP_BP_PREPARE_DYN_END = 84, + CPUHP_BRINGUP_CPU = 85, + CPUHP_AP_IDLE_DEAD = 86, + CPUHP_AP_OFFLINE = 87, + CPUHP_AP_SCHED_STARTING = 88, + CPUHP_AP_RCUTREE_DYING = 89, + CPUHP_AP_IRQ_GIC_STARTING = 90, + CPUHP_AP_IRQ_HIP04_STARTING = 91, + CPUHP_AP_IRQ_ARMADA_XP_STARTING = 92, + CPUHP_AP_IRQ_BCM2836_STARTING = 93, + CPUHP_AP_IRQ_MIPS_GIC_STARTING = 94, + CPUHP_AP_ARM_MVEBU_COHERENCY = 95, + CPUHP_AP_MICROCODE_LOADER = 96, + CPUHP_AP_PERF_X86_AMD_UNCORE_STARTING = 97, + CPUHP_AP_PERF_X86_STARTING = 98, + CPUHP_AP_PERF_X86_AMD_IBS_STARTING = 99, + CPUHP_AP_PERF_X86_CQM_STARTING = 100, + CPUHP_AP_PERF_X86_CSTATE_STARTING = 101, + CPUHP_AP_PERF_XTENSA_STARTING = 102, + CPUHP_AP_MIPS_OP_LOONGSON3_STARTING = 103, + CPUHP_AP_ARM_SDEI_STARTING = 104, + CPUHP_AP_ARM_VFP_STARTING = 105, + CPUHP_AP_ARM64_DEBUG_MONITORS_STARTING = 106, + CPUHP_AP_PERF_ARM_HW_BREAKPOINT_STARTING = 107, + CPUHP_AP_PERF_ARM_ACPI_STARTING = 108, + CPUHP_AP_PERF_ARM_STARTING = 109, + CPUHP_AP_ARM_L2X0_STARTING = 110, + CPUHP_AP_EXYNOS4_MCT_TIMER_STARTING = 111, + CPUHP_AP_ARM_ARCH_TIMER_STARTING = 112, + CPUHP_AP_ARM_GLOBAL_TIMER_STARTING = 113, + CPUHP_AP_JCORE_TIMER_STARTING = 114, + CPUHP_AP_ARM_TWD_STARTING = 115, + CPUHP_AP_QCOM_TIMER_STARTING = 116, + CPUHP_AP_TEGRA_TIMER_STARTING = 117, + CPUHP_AP_ARMADA_TIMER_STARTING = 118, + CPUHP_AP_MARCO_TIMER_STARTING = 119, + CPUHP_AP_MIPS_GIC_TIMER_STARTING = 120, + CPUHP_AP_ARC_TIMER_STARTING = 121, + CPUHP_AP_RISCV_TIMER_STARTING = 122, + CPUHP_AP_CSKY_TIMER_STARTING = 123, + CPUHP_AP_HYPERV_TIMER_STARTING = 124, + CPUHP_AP_KVM_STARTING = 125, + CPUHP_AP_KVM_ARM_VGIC_INIT_STARTING = 126, + CPUHP_AP_KVM_ARM_VGIC_STARTING = 127, + CPUHP_AP_KVM_ARM_TIMER_STARTING = 128, + CPUHP_AP_DUMMY_TIMER_STARTING = 129, + CPUHP_AP_ARM_XEN_STARTING = 130, + CPUHP_AP_ARM_KVMPV_STARTING = 131, + CPUHP_AP_ARM_CORESIGHT_STARTING = 132, + CPUHP_AP_ARM64_ISNDEP_STARTING = 133, + CPUHP_AP_SMPCFD_DYING = 134, + CPUHP_AP_X86_TBOOT_DYING = 135, + CPUHP_AP_ARM_CACHE_B15_RAC_DYING = 136, + CPUHP_AP_ONLINE = 137, + CPUHP_TEARDOWN_CPU = 138, + CPUHP_AP_ONLINE_IDLE = 139, + CPUHP_AP_SMPBOOT_THREADS = 140, + CPUHP_AP_X86_VDSO_VMA_ONLINE = 141, + CPUHP_AP_IRQ_AFFINITY_ONLINE = 142, + CPUHP_AP_ARM_MVEBU_SYNC_CLOCKS = 143, + CPUHP_AP_X86_INTEL_EPB_ONLINE = 144, + CPUHP_AP_PERF_ONLINE = 145, + CPUHP_AP_PERF_X86_ONLINE = 146, + CPUHP_AP_PERF_X86_UNCORE_ONLINE = 147, + CPUHP_AP_PERF_X86_AMD_UNCORE_ONLINE = 148, + CPUHP_AP_PERF_X86_AMD_POWER_ONLINE = 149, + CPUHP_AP_PERF_X86_RAPL_ONLINE = 150, + CPUHP_AP_PERF_X86_CQM_ONLINE = 151, + CPUHP_AP_PERF_X86_CSTATE_ONLINE = 152, + CPUHP_AP_PERF_S390_CF_ONLINE = 153, + CPUHP_AP_PERF_S390_SF_ONLINE = 154, + CPUHP_AP_PERF_ARM_CCI_ONLINE = 155, + CPUHP_AP_PERF_ARM_CCN_ONLINE = 156, + CPUHP_AP_PERF_ARM_HISI_DDRC_ONLINE = 157, + CPUHP_AP_PERF_ARM_HISI_HHA_ONLINE = 158, + CPUHP_AP_PERF_ARM_HISI_L3_ONLINE = 159, + CPUHP_AP_PERF_ARM_L2X0_ONLINE = 160, + CPUHP_AP_PERF_ARM_QCOM_L2_ONLINE = 161, + CPUHP_AP_PERF_ARM_QCOM_L3_ONLINE = 162, + CPUHP_AP_PERF_ARM_APM_XGENE_ONLINE = 163, + CPUHP_AP_PERF_ARM_CAVIUM_TX2_UNCORE_ONLINE = 164, + CPUHP_AP_PERF_POWERPC_NEST_IMC_ONLINE = 165, + CPUHP_AP_PERF_POWERPC_CORE_IMC_ONLINE = 166, + CPUHP_AP_PERF_POWERPC_THREAD_IMC_ONLINE = 167, + CPUHP_AP_PERF_POWERPC_TRACE_IMC_ONLINE = 168, + CPUHP_AP_WATCHDOG_ONLINE = 169, + CPUHP_AP_WORKQUEUE_ONLINE = 170, + CPUHP_AP_RCUTREE_ONLINE = 171, + CPUHP_AP_BASE_CACHEINFO_ONLINE = 172, + CPUHP_AP_ONLINE_DYN = 173, + CPUHP_AP_ONLINE_DYN_END = 203, + CPUHP_AP_X86_HPET_ONLINE = 204, + CPUHP_AP_X86_KVM_CLK_ONLINE = 205, + CPUHP_AP_ACTIVE = 206, + CPUHP_ONLINE = 207, +}; + +struct perf_regs { + __u64 abi; + struct pt_regs *regs; +}; + +struct kernel_cpustat { + u64 cpustat[10]; +}; + +struct kernel_stat { + long unsigned int irqs_sum; + unsigned int softirqs[10]; +}; + +struct u64_stats_sync {}; + +struct bpf_cgroup_storage; + +struct bpf_prog; + +struct bpf_prog_array_item { + struct bpf_prog *prog; + struct bpf_cgroup_storage *cgroup_storage[2]; +}; + +struct bpf_prog_array { + struct callback_head rcu; + struct bpf_prog_array_item items[0]; +}; + +struct cgroup_bpf {}; + +struct psi_group {}; + +struct cgroup_file { + struct kernfs_node *kn; + long unsigned int notified_at; + struct timer_list notify_timer; +}; + +struct cgroup_subsys; + +struct cgroup_subsys_state { + struct cgroup *cgroup; + struct cgroup_subsys *ss; + struct percpu_ref refcnt; + struct list_head sibling; + struct list_head children; + struct list_head rstat_css_node; + int id; + unsigned int flags; + u64 serial_nr; + atomic_t online_cnt; + struct work_struct destroy_work; + struct rcu_work destroy_rwork; + struct cgroup_subsys_state *parent; +}; + +struct cgroup_base_stat { + struct task_cputime cputime; +}; + +struct cgroup_freezer_state { + bool freeze; + int e_freeze; + int nr_frozen_descendants; + int nr_frozen_tasks; +}; + +struct cgroup_root; + +struct cgroup_rstat_cpu; + +struct cgroup { + struct cgroup_subsys_state self; + long unsigned int flags; + int level; + int max_depth; + int nr_descendants; + int nr_dying_descendants; + int max_descendants; + int nr_populated_csets; + int nr_populated_domain_children; + int nr_populated_threaded_children; + int nr_threaded_children; + struct kernfs_node *kn; + struct cgroup_file procs_file; + struct cgroup_file events_file; + u16 subtree_control; + u16 subtree_ss_mask; + u16 old_subtree_control; + u16 old_subtree_ss_mask; + struct cgroup_subsys_state *subsys[4]; + struct cgroup_root *root; + struct list_head cset_links; + struct list_head e_csets[4]; + struct cgroup *dom_cgrp; + struct cgroup *old_dom_cgrp; + struct cgroup_rstat_cpu *rstat_cpu; + struct list_head rstat_css_list; + struct cgroup_base_stat last_bstat; + struct cgroup_base_stat bstat; + struct prev_cputime prev_cputime; + struct list_head pidlists; + struct mutex pidlist_mutex; + wait_queue_head_t offline_waitq; + struct work_struct release_agent_work; + struct psi_group psi; + struct cgroup_bpf bpf; + atomic_t congestion_count; + struct cgroup_freezer_state freezer; + u64 ancestor_ids[0]; +}; + +struct cgroup_taskset; + +struct cftype; + +struct cgroup_subsys { + struct cgroup_subsys_state * (*css_alloc)(struct cgroup_subsys_state *); + int (*css_online)(struct cgroup_subsys_state *); + void (*css_offline)(struct cgroup_subsys_state *); + void (*css_released)(struct cgroup_subsys_state *); + void (*css_free)(struct cgroup_subsys_state *); + void (*css_reset)(struct cgroup_subsys_state *); + void (*css_rstat_flush)(struct cgroup_subsys_state *, int); + int (*css_extra_stat_show)(struct seq_file *, struct cgroup_subsys_state *); + int (*can_attach)(struct cgroup_taskset *); + void (*cancel_attach)(struct cgroup_taskset *); + void (*attach)(struct cgroup_taskset *); + void (*post_attach)(); + int (*can_fork)(struct task_struct *); + void (*cancel_fork)(struct task_struct *); + void (*fork)(struct task_struct *); + void (*exit)(struct task_struct *); + void (*release)(struct task_struct *); + void (*bind)(struct cgroup_subsys_state *); + bool early_init: 1; + bool implicit_on_dfl: 1; + bool threaded: 1; + bool broken_hierarchy: 1; + bool warned_broken_hierarchy: 1; + int id; + const char *name; + const char *legacy_name; + struct cgroup_root *root; + struct idr css_idr; + struct list_head cfts; + struct cftype *dfl_cftypes; + struct cftype *legacy_cftypes; + unsigned int depends_on; +}; + +struct cgroup_rstat_cpu { + struct u64_stats_sync bsync; + struct cgroup_base_stat bstat; + struct cgroup_base_stat last_bstat; + struct cgroup *updated_children; + struct cgroup *updated_next; +}; + +struct cgroup_root { + struct kernfs_root *kf_root; + unsigned int subsys_mask; + int hierarchy_id; + struct cgroup cgrp; + u64 cgrp_ancestor_id_storage; + atomic_t nr_cgrps; + struct list_head root_list; + unsigned int flags; + char release_agent_path[4096]; + char name[64]; +}; + +struct cftype { + char name[64]; + long unsigned int private; + size_t max_write_len; + unsigned int flags; + unsigned int file_offset; + struct cgroup_subsys *ss; + struct list_head node; + struct kernfs_ops *kf_ops; + int (*open)(struct kernfs_open_file *); + void (*release)(struct kernfs_open_file *); + u64 (*read_u64)(struct cgroup_subsys_state *, struct cftype *); + s64 (*read_s64)(struct cgroup_subsys_state *, struct cftype *); + int (*seq_show)(struct seq_file *, void *); + void * (*seq_start)(struct seq_file *, loff_t *); + void * (*seq_next)(struct seq_file *, void *, loff_t *); + void (*seq_stop)(struct seq_file *, void *); + int (*write_u64)(struct cgroup_subsys_state *, struct cftype *, u64); + int (*write_s64)(struct cgroup_subsys_state *, struct cftype *, s64); + ssize_t (*write)(struct kernfs_open_file *, char *, size_t, loff_t); + __poll_t (*poll)(struct kernfs_open_file *, struct poll_table_struct *); +}; + +struct perf_callchain_entry { + __u64 nr; + __u64 ip[0]; +}; + +typedef long unsigned int (*perf_copy_f)(void *, const void *, long unsigned int, long unsigned int); + +struct perf_raw_frag { + union { + struct perf_raw_frag *next; + long unsigned int pad; + }; + perf_copy_f copy; + void *data; + u32 size; +} __attribute__((packed)); + +struct perf_raw_record { + struct perf_raw_frag frag; + u32 size; +}; + +struct perf_branch_stack { + __u64 nr; + struct perf_branch_entry entries[0]; +}; + +struct perf_cpu_context; + +struct perf_output_handle; + +struct pmu { + struct list_head entry; + struct module *module; + struct device *dev; + const struct attribute_group **attr_groups; + const struct attribute_group **attr_update; + const char *name; + int type; + int capabilities; + int *pmu_disable_count; + struct perf_cpu_context *pmu_cpu_context; + atomic_t exclusive_cnt; + int task_ctx_nr; + int hrtimer_interval_ms; + unsigned int nr_addr_filters; + void (*pmu_enable)(struct pmu *); + void (*pmu_disable)(struct pmu *); + int (*event_init)(struct perf_event *); + void (*event_mapped)(struct perf_event *, struct mm_struct *); + void (*event_unmapped)(struct perf_event *, struct mm_struct *); + int (*add)(struct perf_event *, int); + void (*del)(struct perf_event *, int); + void (*start)(struct perf_event *, int); + void (*stop)(struct perf_event *, int); + void (*read)(struct perf_event *); + void (*start_txn)(struct pmu *, unsigned int); + int (*commit_txn)(struct pmu *); + void (*cancel_txn)(struct pmu *); + int (*event_idx)(struct perf_event *); + void (*sched_task)(struct perf_event_context *, bool); + size_t task_ctx_size; + void (*swap_task_ctx)(struct perf_event_context *, struct perf_event_context *); + void * (*setup_aux)(struct perf_event *, void **, int, bool); + void (*free_aux)(void *); + long int (*snapshot_aux)(struct perf_event *, struct perf_output_handle *, long unsigned int); + int (*addr_filters_validate)(struct list_head *); + void (*addr_filters_sync)(struct perf_event *); + int (*aux_output_match)(struct perf_event *); + int (*filter_match)(struct perf_event *); + int (*check_period)(struct perf_event *, u64); +}; + +struct perf_cpu_context { + struct perf_event_context ctx; + struct perf_event_context *task_ctx; + int active_oncpu; + int exclusive; + raw_spinlock_t hrtimer_lock; + struct hrtimer hrtimer; + ktime_t hrtimer_interval; + unsigned int hrtimer_active; + struct list_head sched_cb_entry; + int sched_cb_usage; + int online; +}; + +struct perf_output_handle { + struct perf_event *event; + struct ring_buffer *rb; + long unsigned int wakeup; + long unsigned int size; + u64 aux_flags; + union { + void *addr; + long unsigned int head; + }; + int page; +}; + +struct perf_addr_filter_range { + long unsigned int start; + long unsigned int size; +}; + +struct perf_sample_data { + u64 addr; + struct perf_raw_record *raw; + struct perf_branch_stack *br_stack; + u64 period; + u64 weight; + u64 txn; + union perf_mem_data_src data_src; + u64 type; + u64 ip; + struct { + u32 pid; + u32 tid; + } tid_entry; + u64 time; + u64 id; + u64 stream_id; + struct { + u32 cpu; + u32 reserved; + } cpu_entry; + struct perf_callchain_entry *callchain; + u64 aux_size; + struct perf_regs regs_user; + struct pt_regs regs_user_copy; + struct perf_regs regs_intr; + u64 stack_user_size; + u64 phys_addr; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct trace_entry { + short unsigned int type; + unsigned char flags; + unsigned char preempt_count; + int pid; +}; + +struct trace_array; + +struct tracer; + +struct trace_buffer; + +struct ring_buffer_iter; + +struct trace_iterator { + struct trace_array *tr; + struct tracer *trace; + struct trace_buffer *trace_buffer; + void *private; + int cpu_file; + struct mutex mutex; + struct ring_buffer_iter **buffer_iter; + long unsigned int iter_flags; + struct trace_seq tmp_seq; + cpumask_var_t started; + bool snapshot; + struct trace_seq seq; + struct trace_entry *ent; + long unsigned int lost_events; + int leftover; + int ent_size; + int cpu; + u64 ts; + loff_t pos; + long int idx; +}; + +enum print_line_t { + TRACE_TYPE_PARTIAL_LINE = 0, + TRACE_TYPE_HANDLED = 1, + TRACE_TYPE_UNHANDLED = 2, + TRACE_TYPE_NO_CONSUME = 3, +}; + +typedef enum print_line_t (*trace_print_func)(struct trace_iterator *, int, struct trace_event *); + +struct trace_event_functions { + trace_print_func trace; + trace_print_func raw; + trace_print_func hex; + trace_print_func binary; +}; + +enum trace_reg { + TRACE_REG_REGISTER = 0, + TRACE_REG_UNREGISTER = 1, + TRACE_REG_PERF_REGISTER = 2, + TRACE_REG_PERF_UNREGISTER = 3, + TRACE_REG_PERF_OPEN = 4, + TRACE_REG_PERF_CLOSE = 5, + TRACE_REG_PERF_ADD = 6, + TRACE_REG_PERF_DEL = 7, +}; + +struct trace_event_class { + const char *system; + void *probe; + void *perf_probe; + int (*reg)(struct trace_event_call *, enum trace_reg, void *); + int (*define_fields)(struct trace_event_call *); + struct list_head * (*get_fields)(struct trace_event_call *); + struct list_head fields; + int (*raw_init)(struct trace_event_call *); +}; + +struct trace_event_file; + +struct trace_event_buffer { + struct ring_buffer *buffer; + struct ring_buffer_event *event; + struct trace_event_file *trace_file; + void *entry; + long unsigned int flags; + int pc; +}; + +struct trace_subsystem_dir; + +struct trace_event_file { + struct list_head list; + struct trace_event_call *event_call; + struct event_filter *filter; + struct dentry *dir; + struct trace_array *tr; + struct trace_subsystem_dir *system; + struct list_head triggers; + long unsigned int flags; + atomic_t sm_ref; + atomic_t tm_ref; +}; + +enum { + TRACE_EVENT_FL_FILTERED_BIT = 0, + TRACE_EVENT_FL_CAP_ANY_BIT = 1, + TRACE_EVENT_FL_NO_SET_FILTER_BIT = 2, + TRACE_EVENT_FL_IGNORE_ENABLE_BIT = 3, + TRACE_EVENT_FL_TRACEPOINT_BIT = 4, + TRACE_EVENT_FL_KPROBE_BIT = 5, + TRACE_EVENT_FL_UPROBE_BIT = 6, +}; + +enum { + TRACE_EVENT_FL_FILTERED = 1, + TRACE_EVENT_FL_CAP_ANY = 2, + TRACE_EVENT_FL_NO_SET_FILTER = 4, + TRACE_EVENT_FL_IGNORE_ENABLE = 8, + TRACE_EVENT_FL_TRACEPOINT = 16, + TRACE_EVENT_FL_KPROBE = 32, + TRACE_EVENT_FL_UPROBE = 64, +}; + +enum { + EVENT_FILE_FL_ENABLED_BIT = 0, + EVENT_FILE_FL_RECORDED_CMD_BIT = 1, + EVENT_FILE_FL_RECORDED_TGID_BIT = 2, + EVENT_FILE_FL_FILTERED_BIT = 3, + EVENT_FILE_FL_NO_SET_FILTER_BIT = 4, + EVENT_FILE_FL_SOFT_MODE_BIT = 5, + EVENT_FILE_FL_SOFT_DISABLED_BIT = 6, + EVENT_FILE_FL_TRIGGER_MODE_BIT = 7, + EVENT_FILE_FL_TRIGGER_COND_BIT = 8, + EVENT_FILE_FL_PID_FILTER_BIT = 9, + EVENT_FILE_FL_WAS_ENABLED_BIT = 10, +}; + +enum { + EVENT_FILE_FL_ENABLED = 1, + EVENT_FILE_FL_RECORDED_CMD = 2, + EVENT_FILE_FL_RECORDED_TGID = 4, + EVENT_FILE_FL_FILTERED = 8, + EVENT_FILE_FL_NO_SET_FILTER = 16, + EVENT_FILE_FL_SOFT_MODE = 32, + EVENT_FILE_FL_SOFT_DISABLED = 64, + EVENT_FILE_FL_TRIGGER_MODE = 128, + EVENT_FILE_FL_TRIGGER_COND = 256, + EVENT_FILE_FL_PID_FILTER = 512, + EVENT_FILE_FL_WAS_ENABLED = 1024, +}; + +enum event_trigger_type { + ETT_NONE = 0, + ETT_TRACE_ONOFF = 1, + ETT_SNAPSHOT = 2, + ETT_STACKTRACE = 4, + ETT_EVENT_ENABLE = 8, + ETT_EVENT_HIST = 16, + ETT_HIST_ENABLE = 32, +}; + +enum { + FILTER_OTHER = 0, + FILTER_STATIC_STRING = 1, + FILTER_DYN_STRING = 2, + FILTER_PTR_STRING = 3, + FILTER_TRACE_FN = 4, + FILTER_COMM = 5, + FILTER_CPU = 6, +}; + +struct property { + char *name; + int length; + void *value; + struct property *next; +}; + +struct irq_fwspec { + struct fwnode_handle *fwnode; + int param_count; + u32 param[16]; +}; + +struct irq_data; + +struct irq_domain_ops { + int (*match)(struct irq_domain *, struct device_node *, enum irq_domain_bus_token); + int (*select)(struct irq_domain *, struct irq_fwspec *, enum irq_domain_bus_token); + int (*map)(struct irq_domain *, unsigned int, irq_hw_number_t); + void (*unmap)(struct irq_domain *, unsigned int); + int (*xlate)(struct irq_domain *, struct device_node *, const u32 *, unsigned int, long unsigned int *, unsigned int *); + int (*alloc)(struct irq_domain *, unsigned int, unsigned int, void *); + void (*free)(struct irq_domain *, unsigned int, unsigned int); + int (*activate)(struct irq_domain *, struct irq_data *, bool); + void (*deactivate)(struct irq_domain *, struct irq_data *); + int (*translate)(struct irq_domain *, struct irq_fwspec *, long unsigned int *, unsigned int *); +}; + +struct acpi_table_header { + char signature[4]; + u32 length; + u8 revision; + u8 checksum; + char oem_id[6]; + char oem_table_id[8]; + u32 oem_revision; + char asl_compiler_id[4]; + u32 asl_compiler_revision; +}; + +struct acpi_generic_address { + u8 space_id; + u8 bit_width; + u8 bit_offset; + u8 access_width; + u64 address; +} __attribute__((packed)); + +struct acpi_table_fadt { + struct acpi_table_header header; + u32 facs; + u32 dsdt; + u8 model; + u8 preferred_profile; + u16 sci_interrupt; + u32 smi_command; + u8 acpi_enable; + u8 acpi_disable; + u8 s4_bios_request; + u8 pstate_control; + u32 pm1a_event_block; + u32 pm1b_event_block; + u32 pm1a_control_block; + u32 pm1b_control_block; + u32 pm2_control_block; + u32 pm_timer_block; + u32 gpe0_block; + u32 gpe1_block; + u8 pm1_event_length; + u8 pm1_control_length; + u8 pm2_control_length; + u8 pm_timer_length; + u8 gpe0_block_length; + u8 gpe1_block_length; + u8 gpe1_base; + u8 cst_control; + u16 c2_latency; + u16 c3_latency; + u16 flush_size; + u16 flush_stride; + u8 duty_offset; + u8 duty_width; + u8 day_alarm; + u8 month_alarm; + u8 century; + u16 boot_flags; + u8 reserved; + u32 flags; + struct acpi_generic_address reset_register; + u8 reset_value; + u16 arm_boot_flags; + u8 minor_revision; + u64 Xfacs; + u64 Xdsdt; + struct acpi_generic_address xpm1a_event_block; + struct acpi_generic_address xpm1b_event_block; + struct acpi_generic_address xpm1a_control_block; + struct acpi_generic_address xpm1b_control_block; + struct acpi_generic_address xpm2_control_block; + struct acpi_generic_address xpm_timer_block; + struct acpi_generic_address xgpe0_block; + struct acpi_generic_address xgpe1_block; + struct acpi_generic_address sleep_control; + struct acpi_generic_address sleep_status; + u64 hypervisor_id; +} __attribute__((packed)); + +enum wb_stat_item { + WB_RECLAIMABLE = 0, + WB_WRITEBACK = 1, + WB_DIRTIED = 2, + WB_WRITTEN = 3, + NR_WB_STAT_ITEMS = 4, +}; + +struct bdi_writeback_congested { + long unsigned int state; + refcount_t refcnt; +}; + +enum stat_group { + STAT_READ = 0, + STAT_WRITE = 1, + STAT_DISCARD = 2, + STAT_FLUSH = 3, + NR_STAT_GROUPS = 4, +}; + +struct disk_stats { + u64 nsecs[4]; + long unsigned int sectors[4]; + long unsigned int ios[4]; + long unsigned int merges[4]; + long unsigned int io_ticks; + long unsigned int time_in_queue; + local_t in_flight[2]; +}; + +struct partition_meta_info { + char uuid[37]; + u8 volname[64]; +}; + +struct disk_part_tbl { + struct callback_head callback_head; + int len; + struct hd_struct *last_lookup; + struct hd_struct *part[0]; +}; + +struct blk_zone; + +typedef int (*report_zones_cb)(struct blk_zone *, unsigned int, void *); + +struct hd_geometry; + +struct pr_ops; + +struct block_device_operations { + int (*open)(struct block_device *, fmode_t); + void (*release)(struct gendisk *, fmode_t); + int (*rw_page)(struct block_device *, sector_t, struct page *, unsigned int); + int (*ioctl)(struct block_device *, fmode_t, unsigned int, long unsigned int); + int (*compat_ioctl)(struct block_device *, fmode_t, unsigned int, long unsigned int); + unsigned int (*check_events)(struct gendisk *, unsigned int); + int (*media_changed)(struct gendisk *); + void (*unlock_native_capacity)(struct gendisk *); + int (*revalidate_disk)(struct gendisk *); + int (*getgeo)(struct block_device *, struct hd_geometry *); + void (*swap_slot_free_notify)(struct block_device *, long unsigned int); + int (*report_zones)(struct gendisk *, sector_t, unsigned int, report_zones_cb, void *); + struct module *owner; + const struct pr_ops *pr_ops; +}; + +struct sg_io_v4 { + __s32 guard; + __u32 protocol; + __u32 subprotocol; + __u32 request_len; + __u64 request; + __u64 request_tag; + __u32 request_attr; + __u32 request_priority; + __u32 request_extra; + __u32 max_response_len; + __u64 response; + __u32 dout_iovec_count; + __u32 dout_xfer_len; + __u32 din_iovec_count; + __u32 din_xfer_len; + __u64 dout_xferp; + __u64 din_xferp; + __u32 timeout; + __u32 flags; + __u64 usr_ptr; + __u32 spare_in; + __u32 driver_status; + __u32 transport_status; + __u32 device_status; + __u32 retry_delay; + __u32 info; + __u32 duration; + __u32 response_len; + __s32 din_resid; + __s32 dout_resid; + __u64 generated_tag; + __u32 spare_out; + __u32 padding; +}; + +struct bsg_ops { + int (*check_proto)(struct sg_io_v4 *); + int (*fill_hdr)(struct request *, struct sg_io_v4 *, fmode_t); + int (*complete_rq)(struct request *, struct sg_io_v4 *); + void (*free_rq)(struct request *); +}; + +typedef __u32 req_flags_t; + +typedef void rq_end_io_fn(struct request *, blk_status_t); + +enum mq_rq_state { + MQ_RQ_IDLE = 0, + MQ_RQ_IN_FLIGHT = 1, + MQ_RQ_COMPLETE = 2, +}; + +struct request { + struct request_queue *q; + struct blk_mq_ctx *mq_ctx; + struct blk_mq_hw_ctx *mq_hctx; + unsigned int cmd_flags; + req_flags_t rq_flags; + int tag; + int internal_tag; + unsigned int __data_len; + sector_t __sector; + struct bio *bio; + struct bio *biotail; + struct list_head queuelist; + union { + struct hlist_node hash; + struct list_head ipi_list; + }; + union { + struct rb_node rb_node; + struct bio_vec special_vec; + void *completion_data; + int error_count; + }; + union { + struct { + struct io_cq *icq; + void *priv[2]; + } elv; + struct { + unsigned int seq; + struct list_head list; + rq_end_io_fn *saved_end_io; + } flush; + }; + struct gendisk *rq_disk; + struct hd_struct *part; + u64 start_time_ns; + u64 io_start_time_ns; + short unsigned int stats_sectors; + short unsigned int nr_phys_segments; + short unsigned int write_hint; + short unsigned int ioprio; + unsigned int extra_len; + enum mq_rq_state state; + refcount_t ref; + unsigned int timeout; + long unsigned int deadline; + union { + struct __call_single_data csd; + u64 fifo_time; + }; + rq_end_io_fn *end_io; + void *end_io_data; +}; + +struct blk_zone { + __u64 start; + __u64 len; + __u64 wp; + __u8 type; + __u8 cond; + __u8 non_seq; + __u8 reset; + __u8 reserved[36]; +}; + +enum elv_merge { + ELEVATOR_NO_MERGE = 0, + ELEVATOR_FRONT_MERGE = 1, + ELEVATOR_BACK_MERGE = 2, + ELEVATOR_DISCARD_MERGE = 3, +}; + +struct elevator_type; + +struct blk_mq_alloc_data; + +struct elevator_mq_ops { + int (*init_sched)(struct request_queue *, struct elevator_type *); + void (*exit_sched)(struct elevator_queue *); + int (*init_hctx)(struct blk_mq_hw_ctx *, unsigned int); + void (*exit_hctx)(struct blk_mq_hw_ctx *, unsigned int); + void (*depth_updated)(struct blk_mq_hw_ctx *); + bool (*allow_merge)(struct request_queue *, struct request *, struct bio *); + bool (*bio_merge)(struct blk_mq_hw_ctx *, struct bio *, unsigned int); + int (*request_merge)(struct request_queue *, struct request **, struct bio *); + void (*request_merged)(struct request_queue *, struct request *, enum elv_merge); + void (*requests_merged)(struct request_queue *, struct request *, struct request *); + void (*limit_depth)(unsigned int, struct blk_mq_alloc_data *); + void (*prepare_request)(struct request *, struct bio *); + void (*finish_request)(struct request *); + void (*insert_requests)(struct blk_mq_hw_ctx *, struct list_head *, bool); + struct request * (*dispatch_request)(struct blk_mq_hw_ctx *); + bool (*has_work)(struct blk_mq_hw_ctx *); + void (*completed_request)(struct request *, u64); + void (*requeue_request)(struct request *); + struct request * (*former_request)(struct request_queue *, struct request *); + struct request * (*next_request)(struct request_queue *, struct request *); + void (*init_icq)(struct io_cq *); + void (*exit_icq)(struct io_cq *); +}; + +struct elv_fs_entry; + +struct blk_mq_debugfs_attr; + +struct elevator_type { + struct kmem_cache *icq_cache; + struct elevator_mq_ops ops; + size_t icq_size; + size_t icq_align; + struct elv_fs_entry *elevator_attrs; + const char *elevator_name; + const char *elevator_alias; + const unsigned int elevator_features; + struct module *elevator_owner; + const struct blk_mq_debugfs_attr *queue_debugfs_attrs; + const struct blk_mq_debugfs_attr *hctx_debugfs_attrs; + char icq_cache_name[22]; + struct list_head list; +}; + +struct elevator_queue { + struct elevator_type *type; + void *elevator_data; + struct kobject kobj; + struct mutex sysfs_lock; + unsigned int registered: 1; + struct hlist_head hash[64]; +}; + +struct elv_fs_entry { + struct attribute attr; + ssize_t (*show)(struct elevator_queue *, char *); + ssize_t (*store)(struct elevator_queue *, const char *, size_t); +}; + +struct blk_mq_debugfs_attr { + const char *name; + umode_t mode; + int (*show)(void *, struct seq_file *); + ssize_t (*write)(void *, const char *, size_t, loff_t *); + const struct seq_operations *seq_ops; +}; + +struct blk_mq_queue_data; + +typedef blk_status_t queue_rq_fn(struct blk_mq_hw_ctx *, const struct blk_mq_queue_data *); + +typedef void commit_rqs_fn(struct blk_mq_hw_ctx *); + +typedef bool get_budget_fn(struct blk_mq_hw_ctx *); + +typedef void put_budget_fn(struct blk_mq_hw_ctx *); + +enum blk_eh_timer_return { + BLK_EH_DONE = 0, + BLK_EH_RESET_TIMER = 1, +}; + +typedef enum blk_eh_timer_return timeout_fn(struct request *, bool); + +typedef int poll_fn(struct blk_mq_hw_ctx *); + +typedef void complete_fn(struct request *); + +typedef int init_hctx_fn(struct blk_mq_hw_ctx *, void *, unsigned int); + +typedef void exit_hctx_fn(struct blk_mq_hw_ctx *, unsigned int); + +typedef int init_request_fn(struct blk_mq_tag_set *, struct request *, unsigned int, unsigned int); + +typedef void exit_request_fn(struct blk_mq_tag_set *, struct request *, unsigned int); + +typedef void cleanup_rq_fn(struct request *); + +typedef bool busy_fn(struct request_queue *); + +typedef int map_queues_fn(struct blk_mq_tag_set *); + +struct blk_mq_ops { + queue_rq_fn *queue_rq; + commit_rqs_fn *commit_rqs; + get_budget_fn *get_budget; + put_budget_fn *put_budget; + timeout_fn *timeout; + poll_fn *poll; + complete_fn *complete; + init_hctx_fn *init_hctx; + exit_hctx_fn *exit_hctx; + init_request_fn *init_request; + exit_request_fn *exit_request; + void (*initialize_rq_fn)(struct request *); + cleanup_rq_fn *cleanup_rq; + busy_fn *busy; + map_queues_fn *map_queues; + void (*show_rq)(struct seq_file *, struct request *); +}; + +enum pr_type { + PR_WRITE_EXCLUSIVE = 1, + PR_EXCLUSIVE_ACCESS = 2, + PR_WRITE_EXCLUSIVE_REG_ONLY = 3, + PR_EXCLUSIVE_ACCESS_REG_ONLY = 4, + PR_WRITE_EXCLUSIVE_ALL_REGS = 5, + PR_EXCLUSIVE_ACCESS_ALL_REGS = 6, +}; + +struct pr_ops { + int (*pr_register)(struct block_device *, u64, u64, u32); + int (*pr_reserve)(struct block_device *, u64, enum pr_type, u32); + int (*pr_release)(struct block_device *, u64, enum pr_type); + int (*pr_preempt)(struct block_device *, u64, u64, enum pr_type, bool); + int (*pr_clear)(struct block_device *, u64); +}; + +enum cpu_idle_type { + CPU_IDLE = 0, + CPU_NOT_IDLE = 1, + CPU_NEWLY_IDLE = 2, + CPU_MAX_IDLE_TYPES = 3, +}; + +typedef long unsigned int efi_status_t; + +typedef u8 efi_bool_t; + +typedef u16 efi_char16_t; + +typedef u64 efi_physical_addr_t; + +typedef void *efi_handle_t; + +typedef guid_t efi_guid_t; + +typedef struct { + u64 signature; + u32 revision; + u32 headersize; + u32 crc32; + u32 reserved; +} efi_table_hdr_t; + +typedef struct { + u32 type; + u32 pad; + u64 phys_addr; + u64 virt_addr; + u64 num_pages; + u64 attribute; +} efi_memory_desc_t; + +typedef struct { + efi_guid_t guid; + u32 headersize; + u32 flags; + u32 imagesize; +} efi_capsule_header_t; + +typedef struct { + u16 year; + u8 month; + u8 day; + u8 hour; + u8 minute; + u8 second; + u8 pad1; + u32 nanosecond; + s16 timezone; + u8 daylight; + u8 pad2; +} efi_time_t; + +typedef struct { + u32 resolution; + u32 accuracy; + u8 sets_to_zero; +} efi_time_cap_t; + +typedef struct { + efi_table_hdr_t hdr; + void *raise_tpl; + void *restore_tpl; + efi_status_t (*allocate_pages)(int, int, long unsigned int, efi_physical_addr_t *); + efi_status_t (*free_pages)(efi_physical_addr_t, long unsigned int); + efi_status_t (*get_memory_map)(long unsigned int *, void *, long unsigned int *, long unsigned int *, u32 *); + efi_status_t (*allocate_pool)(int, long unsigned int, void **); + efi_status_t (*free_pool)(void *); + void *create_event; + void *set_timer; + void *wait_for_event; + void *signal_event; + void *close_event; + void *check_event; + void *install_protocol_interface; + void *reinstall_protocol_interface; + void *uninstall_protocol_interface; + efi_status_t (*handle_protocol)(efi_handle_t, efi_guid_t *, void **); + void *__reserved; + void *register_protocol_notify; + efi_status_t (*locate_handle)(int, efi_guid_t *, void *, long unsigned int *, efi_handle_t *); + void *locate_device_path; + efi_status_t (*install_configuration_table)(efi_guid_t *, void *); + void *load_image; + void *start_image; + void *exit; + void *unload_image; + efi_status_t (*exit_boot_services)(efi_handle_t, long unsigned int); + void *get_next_monotonic_count; + void *stall; + void *set_watchdog_timer; + void *connect_controller; + void *disconnect_controller; + void *open_protocol; + void *close_protocol; + void *open_protocol_information; + void *protocols_per_handle; + void *locate_handle_buffer; + efi_status_t (*locate_protocol)(efi_guid_t *, void *, void **); + void *install_multiple_protocol_interfaces; + void *uninstall_multiple_protocol_interfaces; + void *calculate_crc32; + void *copy_mem; + void *set_mem; + void *create_event_ex; +} efi_boot_services_t; + +typedef efi_status_t efi_get_time_t(efi_time_t *, efi_time_cap_t *); + +typedef efi_status_t efi_set_time_t(efi_time_t *); + +typedef efi_status_t efi_get_wakeup_time_t(efi_bool_t *, efi_bool_t *, efi_time_t *); + +typedef efi_status_t efi_set_wakeup_time_t(efi_bool_t, efi_time_t *); + +typedef efi_status_t efi_get_variable_t(efi_char16_t *, efi_guid_t *, u32 *, long unsigned int *, void *); + +typedef efi_status_t efi_get_next_variable_t(long unsigned int *, efi_char16_t *, efi_guid_t *); + +typedef efi_status_t efi_set_variable_t(efi_char16_t *, efi_guid_t *, u32, long unsigned int, void *); + +typedef efi_status_t efi_get_next_high_mono_count_t(u32 *); + +typedef void efi_reset_system_t(int, efi_status_t, long unsigned int, efi_char16_t *); + +typedef efi_status_t efi_set_virtual_address_map_t(long unsigned int, long unsigned int, u32, efi_memory_desc_t *); + +typedef efi_status_t efi_query_variable_info_t(u32, u64 *, u64 *, u64 *); + +typedef efi_status_t efi_update_capsule_t(efi_capsule_header_t **, long unsigned int, long unsigned int); + +typedef efi_status_t efi_query_capsule_caps_t(efi_capsule_header_t **, long unsigned int, u64 *, int *); + +typedef struct { + efi_table_hdr_t hdr; + efi_get_time_t *get_time; + efi_set_time_t *set_time; + efi_get_wakeup_time_t *get_wakeup_time; + efi_set_wakeup_time_t *set_wakeup_time; + efi_set_virtual_address_map_t *set_virtual_address_map; + void *convert_pointer; + efi_get_variable_t *get_variable; + efi_get_next_variable_t *get_next_variable; + efi_set_variable_t *set_variable; + efi_get_next_high_mono_count_t *get_next_high_mono_count; + efi_reset_system_t *reset_system; + efi_update_capsule_t *update_capsule; + efi_query_capsule_caps_t *query_capsule_caps; + efi_query_variable_info_t *query_variable_info; +} efi_runtime_services_t; + +typedef struct { + efi_table_hdr_t hdr; + long unsigned int fw_vendor; + u32 fw_revision; + long unsigned int con_in_handle; + long unsigned int con_in; + long unsigned int con_out_handle; + long unsigned int con_out; + long unsigned int stderr_handle; + long unsigned int stderr; + efi_runtime_services_t *runtime; + efi_boot_services_t *boottime; + long unsigned int nr_tables; + long unsigned int tables; +} efi_system_table_t; + +struct efi_memory_map { + phys_addr_t phys_map; + void *map; + void *map_end; + int nr_map; + long unsigned int desc_version; + long unsigned int desc_size; + bool late; +}; + +struct efi { + efi_system_table_t *systab; + unsigned int runtime_version; + long unsigned int mps; + long unsigned int acpi; + long unsigned int acpi20; + long unsigned int smbios; + long unsigned int smbios3; + long unsigned int boot_info; + long unsigned int hcdp; + long unsigned int uga; + long unsigned int fw_vendor; + long unsigned int runtime; + long unsigned int config_table; + long unsigned int esrt; + long unsigned int properties_table; + long unsigned int mem_attr_table; + long unsigned int rng_seed; + long unsigned int tpm_log; + long unsigned int tpm_final_log; + long unsigned int mem_reserve; + efi_get_time_t *get_time; + efi_set_time_t *set_time; + efi_get_wakeup_time_t *get_wakeup_time; + efi_set_wakeup_time_t *set_wakeup_time; + efi_get_variable_t *get_variable; + efi_get_next_variable_t *get_next_variable; + efi_set_variable_t *set_variable; + efi_set_variable_t *set_variable_nonblocking; + efi_query_variable_info_t *query_variable_info; + efi_query_variable_info_t *query_variable_info_nonblocking; + efi_update_capsule_t *update_capsule; + efi_query_capsule_caps_t *query_capsule_caps; + efi_get_next_high_mono_count_t *get_next_high_mono_count; + efi_reset_system_t *reset_system; + efi_set_virtual_address_map_t *set_virtual_address_map; + struct efi_memory_map memmap; + long unsigned int flags; +}; + +struct percpu_cluster { + struct swap_cluster_info index; + unsigned int next; +}; + +struct trace_event_raw_initcall_level { + struct trace_entry ent; + u32 __data_loc_level; + char __data[0]; +}; + +struct trace_event_raw_initcall_start { + struct trace_entry ent; + initcall_t func; + char __data[0]; +}; + +struct trace_event_raw_initcall_finish { + struct trace_entry ent; + initcall_t func; + int ret; + char __data[0]; +}; + +struct trace_event_data_offsets_initcall_level { + u32 level; +}; + +struct trace_event_data_offsets_initcall_start {}; + +struct trace_event_data_offsets_initcall_finish {}; + +struct blacklist_entry { + struct list_head next; + char *buf; +}; + +enum page_cache_mode { + _PAGE_CACHE_MODE_WB = 0, + _PAGE_CACHE_MODE_WC = 1, + _PAGE_CACHE_MODE_UC_MINUS = 2, + _PAGE_CACHE_MODE_UC = 3, + _PAGE_CACHE_MODE_WT = 4, + _PAGE_CACHE_MODE_WP = 5, + _PAGE_CACHE_MODE_NUM = 8, +}; + +enum { + UNAME26 = 131072, + ADDR_NO_RANDOMIZE = 262144, + FDPIC_FUNCPTRS = 524288, + MMAP_PAGE_ZERO = 1048576, + ADDR_COMPAT_LAYOUT = 2097152, + READ_IMPLIES_EXEC = 4194304, + ADDR_LIMIT_32BIT = 8388608, + SHORT_INODE = 16777216, + WHOLE_SECONDS = 33554432, + STICKY_TIMEOUTS = 67108864, + ADDR_LIMIT_3GB = 134217728, +}; + +enum tlb_infos { + ENTRIES = 0, + NR_INFO = 1, +}; + +enum { + MM_FILEPAGES = 0, + MM_ANONPAGES = 1, + MM_SWAPENTS = 2, + MM_SHMEMPAGES = 3, + NR_MM_COUNTERS = 4, +}; + +typedef __u32 Elf32_Word; + +struct elf32_note { + Elf32_Word n_namesz; + Elf32_Word n_descsz; + Elf32_Word n_type; +}; + +enum pcpu_fc { + PCPU_FC_AUTO = 0, + PCPU_FC_EMBED = 1, + PCPU_FC_PAGE = 2, + PCPU_FC_NR = 3, +}; + +enum hrtimer_base_type { + HRTIMER_BASE_MONOTONIC = 0, + HRTIMER_BASE_REALTIME = 1, + HRTIMER_BASE_BOOTTIME = 2, + HRTIMER_BASE_TAI = 3, + HRTIMER_BASE_MONOTONIC_SOFT = 4, + HRTIMER_BASE_REALTIME_SOFT = 5, + HRTIMER_BASE_BOOTTIME_SOFT = 6, + HRTIMER_BASE_TAI_SOFT = 7, + HRTIMER_MAX_CLOCK_BASES = 8, +}; + +enum rseq_cs_flags_bit { + RSEQ_CS_FLAG_NO_RESTART_ON_PREEMPT_BIT = 0, + RSEQ_CS_FLAG_NO_RESTART_ON_SIGNAL_BIT = 1, + RSEQ_CS_FLAG_NO_RESTART_ON_MIGRATE_BIT = 2, +}; + +enum perf_event_task_context { + perf_invalid_context = -1, + perf_hw_context = 0, + perf_sw_context = 1, + perf_nr_task_contexts = 2, +}; + +enum rseq_event_mask_bits { + RSEQ_EVENT_PREEMPT_BIT = 0, + RSEQ_EVENT_SIGNAL_BIT = 1, + RSEQ_EVENT_MIGRATE_BIT = 2, +}; + +enum { + PROC_ROOT_INO = 1, + PROC_IPC_INIT_INO = -268435457, + PROC_UTS_INIT_INO = -268435458, + PROC_USER_INIT_INO = -268435459, + PROC_PID_INIT_INO = -268435460, + PROC_CGROUP_INIT_INO = -268435461, +}; + +typedef __u16 __le16; + +typedef __u16 __be16; + +typedef __u32 __be32; + +typedef __u64 __be64; + +typedef __u32 __wsum; + +typedef unsigned int slab_flags_t; + +struct notifier_block; + +typedef int (*notifier_fn_t)(struct notifier_block *, long unsigned int, void *); + +struct notifier_block { + notifier_fn_t notifier_call; + struct notifier_block *next; + int priority; +}; + +struct raw_notifier_head { + struct notifier_block *head; +}; + +struct llist_head { + struct llist_node *first; +}; + +typedef struct __call_single_data call_single_data_t; + +typedef __u64 __addrpair; + +typedef __u32 __portpair; + +typedef struct { + struct net *net; +} possible_net_t; + +struct in6_addr { + union { + __u8 u6_addr8[16]; + __be16 u6_addr16[8]; + __be32 u6_addr32[4]; + } in6_u; +}; + +struct hlist_nulls_node { + struct hlist_nulls_node *next; + struct hlist_nulls_node **pprev; +}; + +struct proto; + +struct inet_timewait_death_row; + +struct sock_common { + union { + __addrpair skc_addrpair; + struct { + __be32 skc_daddr; + __be32 skc_rcv_saddr; + }; + }; + union { + unsigned int skc_hash; + __u16 skc_u16hashes[2]; + }; + union { + __portpair skc_portpair; + struct { + __be16 skc_dport; + __u16 skc_num; + }; + }; + short unsigned int skc_family; + volatile unsigned char skc_state; + unsigned char skc_reuse: 4; + unsigned char skc_reuseport: 1; + unsigned char skc_ipv6only: 1; + unsigned char skc_net_refcnt: 1; + int skc_bound_dev_if; + union { + struct hlist_node skc_bind_node; + struct hlist_node skc_portaddr_node; + }; + struct proto *skc_prot; + possible_net_t skc_net; + struct in6_addr skc_v6_daddr; + struct in6_addr skc_v6_rcv_saddr; + atomic64_t skc_cookie; + union { + long unsigned int skc_flags; + struct sock *skc_listener; + struct inet_timewait_death_row *skc_tw_dr; + }; + int skc_dontcopy_begin[0]; + union { + struct hlist_node skc_node; + struct hlist_nulls_node skc_nulls_node; + }; + short unsigned int skc_tx_queue_mapping; + short unsigned int skc_rx_queue_mapping; + union { + int skc_incoming_cpu; + u32 skc_rcv_wnd; + u32 skc_tw_rcv_nxt; + }; + refcount_t skc_refcnt; + int skc_dontcopy_end[0]; + union { + u32 skc_rxhash; + u32 skc_window_clamp; + u32 skc_tw_snd_nxt; + }; +}; + +typedef struct { + spinlock_t slock; + int owned; + wait_queue_head_t wq; +} socket_lock_t; + +struct sk_buff; + +struct sk_buff_head { + struct sk_buff *next; + struct sk_buff *prev; + __u32 qlen; + spinlock_t lock; +}; + +typedef u64 netdev_features_t; + +struct sock_cgroup_data {}; + +struct sk_filter; + +struct socket_wq; + +struct xfrm_policy; + +struct dst_entry; + +struct socket; + +struct sock_reuseport; + +struct sock { + struct sock_common __sk_common; + socket_lock_t sk_lock; + atomic_t sk_drops; + int sk_rcvlowat; + struct sk_buff_head sk_error_queue; + struct sk_buff *sk_rx_skb_cache; + struct sk_buff_head sk_receive_queue; + struct { + atomic_t rmem_alloc; + int len; + struct sk_buff *head; + struct sk_buff *tail; + } sk_backlog; + int sk_forward_alloc; + unsigned int sk_ll_usec; + unsigned int sk_napi_id; + int sk_rcvbuf; + struct sk_filter *sk_filter; + union { + struct socket_wq *sk_wq; + struct socket_wq *sk_wq_raw; + }; + struct xfrm_policy *sk_policy[2]; + struct dst_entry *sk_rx_dst; + struct dst_entry *sk_dst_cache; + atomic_t sk_omem_alloc; + int sk_sndbuf; + int sk_wmem_queued; + refcount_t sk_wmem_alloc; + long unsigned int sk_tsq_flags; + union { + struct sk_buff *sk_send_head; + struct rb_root tcp_rtx_queue; + }; + struct sk_buff *sk_tx_skb_cache; + struct sk_buff_head sk_write_queue; + __s32 sk_peek_off; + int sk_write_pending; + __u32 sk_dst_pending_confirm; + u32 sk_pacing_status; + long int sk_sndtimeo; + struct timer_list sk_timer; + __u32 sk_priority; + __u32 sk_mark; + long unsigned int sk_pacing_rate; + long unsigned int sk_max_pacing_rate; + struct page_frag sk_frag; + netdev_features_t sk_route_caps; + netdev_features_t sk_route_nocaps; + netdev_features_t sk_route_forced_caps; + int sk_gso_type; + unsigned int sk_gso_max_size; + gfp_t sk_allocation; + __u32 sk_txhash; + unsigned int __sk_flags_offset[0]; + unsigned int sk_padding: 1; + unsigned int sk_kern_sock: 1; + unsigned int sk_no_check_tx: 1; + unsigned int sk_no_check_rx: 1; + unsigned int sk_userlocks: 4; + unsigned int sk_protocol: 8; + unsigned int sk_type: 16; + u16 sk_gso_max_segs; + u8 sk_pacing_shift; + long unsigned int sk_lingertime; + struct proto *sk_prot_creator; + rwlock_t sk_callback_lock; + int sk_err; + int sk_err_soft; + u32 sk_ack_backlog; + u32 sk_max_ack_backlog; + kuid_t sk_uid; + struct pid *sk_peer_pid; + const struct cred *sk_peer_cred; + long int sk_rcvtimeo; + ktime_t sk_stamp; + u16 sk_tsflags; + u8 sk_shutdown; + u32 sk_tskey; + atomic_t sk_zckey; + u8 sk_clockid; + u8 sk_txtime_deadline_mode: 1; + u8 sk_txtime_report_errors: 1; + u8 sk_txtime_unused: 6; + struct socket *sk_socket; + void *sk_user_data; + void *sk_security; + struct sock_cgroup_data sk_cgrp_data; + struct mem_cgroup *sk_memcg; + void (*sk_state_change)(struct sock *); + void (*sk_data_ready)(struct sock *); + void (*sk_write_space)(struct sock *); + void (*sk_error_report)(struct sock *); + int (*sk_backlog_rcv)(struct sock *, struct sk_buff *); + void (*sk_destruct)(struct sock *); + struct sock_reuseport *sk_reuseport_cb; + struct callback_head sk_rcu; +}; + +struct rhash_head { + struct rhash_head *next; +}; + +struct rhashtable; + +struct rhashtable_compare_arg { + struct rhashtable *ht; + const void *key; +}; + +typedef u32 (*rht_hashfn_t)(const void *, u32, u32); + +typedef u32 (*rht_obj_hashfn_t)(const void *, u32, u32); + +typedef int (*rht_obj_cmpfn_t)(struct rhashtable_compare_arg *, const void *); + +struct rhashtable_params { + u16 nelem_hint; + u16 key_len; + u16 key_offset; + u16 head_offset; + unsigned int max_size; + u16 min_size; + bool automatic_shrinking; + rht_hashfn_t hashfn; + rht_obj_hashfn_t obj_hashfn; + rht_obj_cmpfn_t obj_cmpfn; +}; + +struct bucket_table; + +struct rhashtable { + struct bucket_table *tbl; + unsigned int key_len; + unsigned int max_elems; + struct rhashtable_params p; + bool rhlist; + struct work_struct run_work; + struct mutex mutex; + spinlock_t lock; + atomic_t nelems; +}; + +struct rhash_lock_head; + +struct bucket_table { + unsigned int size; + unsigned int nest; + u32 hash_rnd; + struct list_head walkers; + struct callback_head rcu; + struct bucket_table *future_tbl; + struct lockdep_map dep_map; + long: 64; + struct rhash_lock_head *buckets[0]; +}; + +struct fs_struct { + int users; + spinlock_t lock; + seqcount_t seq; + int umask; + int in_exec; + struct path root; + struct path pwd; +}; + +typedef u32 compat_uptr_t; + +struct compat_robust_list { + compat_uptr_t next; +}; + +typedef s32 compat_long_t; + +struct compat_robust_list_head { + struct compat_robust_list list; + compat_long_t futex_offset; + compat_uptr_t list_op_pending; +}; + +struct pipe_buffer; + +struct pipe_inode_info { + struct mutex mutex; + wait_queue_head_t wait; + unsigned int head; + unsigned int tail; + unsigned int max_usage; + unsigned int ring_size; + unsigned int readers; + unsigned int writers; + unsigned int files; + unsigned int r_counter; + unsigned int w_counter; + struct page *tmp_page; + struct fasync_struct *fasync_readers; + struct fasync_struct *fasync_writers; + struct pipe_buffer *bufs; + struct user_struct *user; +}; + +struct scatterlist { + long unsigned int page_link; + unsigned int offset; + unsigned int length; + dma_addr_t dma_address; + unsigned int dma_length; +}; + +struct iovec { + void *iov_base; + __kernel_size_t iov_len; +}; + +struct kvec { + void *iov_base; + size_t iov_len; +}; + +struct iov_iter { + unsigned int type; + size_t iov_offset; + size_t count; + union { + const struct iovec *iov; + const struct kvec *kvec; + const struct bio_vec *bvec; + struct pipe_inode_info *pipe; + }; + union { + long unsigned int nr_segs; + struct { + unsigned int head; + unsigned int start_head; + }; + }; +}; + +typedef short unsigned int __kernel_sa_family_t; + +typedef __kernel_sa_family_t sa_family_t; + +struct sockaddr { + sa_family_t sa_family; + char sa_data[14]; +}; + +struct msghdr { + void *msg_name; + int msg_namelen; + struct iov_iter msg_iter; + void *msg_control; + __kernel_size_t msg_controllen; + unsigned int msg_flags; + struct kiocb *msg_iocb; +}; + +typedef struct { + unsigned int clock_rate; + unsigned int clock_type; + short unsigned int loopback; +} sync_serial_settings; + +typedef struct { + unsigned int clock_rate; + unsigned int clock_type; + short unsigned int loopback; + unsigned int slot_map; +} te1_settings; + +typedef struct { + short unsigned int encoding; + short unsigned int parity; +} raw_hdlc_proto; + +typedef struct { + unsigned int t391; + unsigned int t392; + unsigned int n391; + unsigned int n392; + unsigned int n393; + short unsigned int lmi; + short unsigned int dce; +} fr_proto; + +typedef struct { + unsigned int dlci; +} fr_proto_pvc; + +typedef struct { + unsigned int dlci; + char master[16]; +} fr_proto_pvc_info; + +typedef struct { + unsigned int interval; + unsigned int timeout; +} cisco_proto; + +struct ifmap { + long unsigned int mem_start; + long unsigned int mem_end; + short unsigned int base_addr; + unsigned char irq; + unsigned char dma; + unsigned char port; +}; + +struct if_settings { + unsigned int type; + unsigned int size; + union { + raw_hdlc_proto *raw_hdlc; + cisco_proto *cisco; + fr_proto *fr; + fr_proto_pvc *fr_pvc; + fr_proto_pvc_info *fr_pvc_info; + sync_serial_settings *sync; + te1_settings *te1; + } ifs_ifsu; +}; + +struct ifreq { + union { + char ifrn_name[16]; + } ifr_ifrn; + union { + struct sockaddr ifru_addr; + struct sockaddr ifru_dstaddr; + struct sockaddr ifru_broadaddr; + struct sockaddr ifru_netmask; + struct sockaddr ifru_hwaddr; + short int ifru_flags; + int ifru_ivalue; + int ifru_mtu; + struct ifmap ifru_map; + char ifru_slave[16]; + char ifru_newname[16]; + void *ifru_data; + struct if_settings ifru_settings; + } ifr_ifru; +}; + +struct vfsmount { + struct dentry *mnt_root; + struct super_block *mnt_sb; + int mnt_flags; +}; + +typedef struct { + size_t written; + size_t count; + union { + char *buf; + void *data; + } arg; + int error; +} read_descriptor_t; + +struct posix_acl_entry { + short int e_tag; + short unsigned int e_perm; + union { + kuid_t e_uid; + kgid_t e_gid; + }; +}; + +struct posix_acl { + refcount_t a_refcount; + struct callback_head a_rcu; + unsigned int a_count; + struct posix_acl_entry a_entries[0]; +}; + +typedef unsigned char cc_t; + +typedef unsigned int speed_t; + +typedef unsigned int tcflag_t; + +struct ktermios { + tcflag_t c_iflag; + tcflag_t c_oflag; + tcflag_t c_cflag; + tcflag_t c_lflag; + cc_t c_line; + cc_t c_cc[19]; + speed_t c_ispeed; + speed_t c_ospeed; +}; + +struct winsize { + short unsigned int ws_row; + short unsigned int ws_col; + short unsigned int ws_xpixel; + short unsigned int ws_ypixel; +}; + +struct termiox { + __u16 x_hflag; + __u16 x_cflag; + __u16 x_rflag[5]; + __u16 x_sflag; +}; + +struct tty_driver; + +struct serial_icounter_struct; + +struct serial_struct; + +struct tty_operations { + struct tty_struct * (*lookup)(struct tty_driver *, struct file *, int); + int (*install)(struct tty_driver *, struct tty_struct *); + void (*remove)(struct tty_driver *, struct tty_struct *); + int (*open)(struct tty_struct *, struct file *); + void (*close)(struct tty_struct *, struct file *); + void (*shutdown)(struct tty_struct *); + void (*cleanup)(struct tty_struct *); + int (*write)(struct tty_struct *, const unsigned char *, int); + int (*put_char)(struct tty_struct *, unsigned char); + void (*flush_chars)(struct tty_struct *); + int (*write_room)(struct tty_struct *); + int (*chars_in_buffer)(struct tty_struct *); + int (*ioctl)(struct tty_struct *, unsigned int, long unsigned int); + long int (*compat_ioctl)(struct tty_struct *, unsigned int, long unsigned int); + void (*set_termios)(struct tty_struct *, struct ktermios *); + void (*throttle)(struct tty_struct *); + void (*unthrottle)(struct tty_struct *); + void (*stop)(struct tty_struct *); + void (*start)(struct tty_struct *); + void (*hangup)(struct tty_struct *); + int (*break_ctl)(struct tty_struct *, int); + void (*flush_buffer)(struct tty_struct *); + void (*set_ldisc)(struct tty_struct *); + void (*wait_until_sent)(struct tty_struct *, int); + void (*send_xchar)(struct tty_struct *, char); + int (*tiocmget)(struct tty_struct *); + int (*tiocmset)(struct tty_struct *, unsigned int, unsigned int); + int (*resize)(struct tty_struct *, struct winsize *); + int (*set_termiox)(struct tty_struct *, struct termiox *); + int (*get_icount)(struct tty_struct *, struct serial_icounter_struct *); + int (*get_serial)(struct tty_struct *, struct serial_struct *); + int (*set_serial)(struct tty_struct *, struct serial_struct *); + void (*show_fdinfo)(struct tty_struct *, struct seq_file *); + int (*proc_show)(struct seq_file *, void *); +}; + +struct ld_semaphore { + atomic_long_t count; + raw_spinlock_t wait_lock; + unsigned int wait_readers; + struct list_head read_wait; + struct list_head write_wait; +}; + +struct tty_ldisc; + +struct tty_port; + +struct tty_struct { + int magic; + struct kref kref; + struct device *dev; + struct tty_driver *driver; + const struct tty_operations *ops; + int index; + struct ld_semaphore ldisc_sem; + struct tty_ldisc *ldisc; + struct mutex atomic_write_lock; + struct mutex legacy_mutex; + struct mutex throttle_mutex; + struct rw_semaphore termios_rwsem; + struct mutex winsize_mutex; + spinlock_t ctrl_lock; + spinlock_t flow_lock; + struct ktermios termios; + struct ktermios termios_locked; + struct termiox *termiox; + char name[64]; + struct pid *pgrp; + struct pid *session; + long unsigned int flags; + int count; + struct winsize winsize; + long unsigned int stopped: 1; + long unsigned int flow_stopped: 1; + int: 30; + long unsigned int unused: 62; + int hw_stopped; + long unsigned int ctrl_status: 8; + long unsigned int packet: 1; + int: 23; + long unsigned int unused_ctrl: 55; + unsigned int receive_room; + int flow_change; + struct tty_struct *link; + struct fasync_struct *fasync; + wait_queue_head_t write_wait; + wait_queue_head_t read_wait; + struct work_struct hangup_work; + void *disc_data; + void *driver_data; + spinlock_t files_lock; + struct list_head tty_files; + int closing; + unsigned char *write_buf; + int write_cnt; + struct work_struct SAK_work; + struct tty_port *port; +}; + +struct proc_dir_entry; + +struct tty_driver { + int magic; + struct kref kref; + struct cdev **cdevs; + struct module *owner; + const char *driver_name; + const char *name; + int name_base; + int major; + int minor_start; + unsigned int num; + short int type; + short int subtype; + struct ktermios init_termios; + long unsigned int flags; + struct proc_dir_entry *proc_entry; + struct tty_driver *other; + struct tty_struct **ttys; + struct tty_port **ports; + struct ktermios **termios; + void *driver_state; + const struct tty_operations *ops; + struct list_head tty_drivers; +}; + +struct tty_buffer { + union { + struct tty_buffer *next; + struct llist_node free; + }; + int used; + int size; + int commit; + int read; + int flags; + long unsigned int data[0]; +}; + +struct tty_bufhead { + struct tty_buffer *head; + struct work_struct work; + struct mutex lock; + atomic_t priority; + struct tty_buffer sentinel; + struct llist_head free; + atomic_t mem_used; + int mem_limit; + struct tty_buffer *tail; +}; + +struct tty_port_operations; + +struct tty_port_client_operations; + +struct tty_port { + struct tty_bufhead buf; + struct tty_struct *tty; + struct tty_struct *itty; + const struct tty_port_operations *ops; + const struct tty_port_client_operations *client_ops; + spinlock_t lock; + int blocked_open; + int count; + wait_queue_head_t open_wait; + wait_queue_head_t delta_msr_wait; + long unsigned int flags; + long unsigned int iflags; + unsigned char console: 1; + unsigned char low_latency: 1; + struct mutex mutex; + struct mutex buf_mutex; + unsigned char *xmit_buf; + unsigned int close_delay; + unsigned int closing_wait; + int drain_delay; + struct kref kref; + void *client_data; +}; + +struct tty_ldisc_ops { + int magic; + char *name; + int num; + int flags; + int (*open)(struct tty_struct *); + void (*close)(struct tty_struct *); + void (*flush_buffer)(struct tty_struct *); + ssize_t (*read)(struct tty_struct *, struct file *, unsigned char *, size_t); + ssize_t (*write)(struct tty_struct *, struct file *, const unsigned char *, size_t); + int (*ioctl)(struct tty_struct *, struct file *, unsigned int, long unsigned int); + int (*compat_ioctl)(struct tty_struct *, struct file *, unsigned int, long unsigned int); + void (*set_termios)(struct tty_struct *, struct ktermios *); + __poll_t (*poll)(struct tty_struct *, struct file *, struct poll_table_struct *); + int (*hangup)(struct tty_struct *); + void (*receive_buf)(struct tty_struct *, const unsigned char *, char *, int); + void (*write_wakeup)(struct tty_struct *); + void (*dcd_change)(struct tty_struct *, unsigned int); + int (*receive_buf2)(struct tty_struct *, const unsigned char *, char *, int); + struct module *owner; + int refcount; +}; + +struct tty_ldisc { + struct tty_ldisc_ops *ops; + struct tty_struct *tty; +}; + +struct tty_port_operations { + int (*carrier_raised)(struct tty_port *); + void (*dtr_rts)(struct tty_port *, int); + void (*shutdown)(struct tty_port *); + int (*activate)(struct tty_port *, struct tty_struct *); + void (*destruct)(struct tty_port *); +}; + +struct tty_port_client_operations { + int (*receive_buf)(struct tty_port *, const unsigned char *, const unsigned char *, size_t); + void (*write_wakeup)(struct tty_port *); +}; + +struct prot_inuse; + +struct netns_core { + struct ctl_table_header *sysctl_hdr; + int sysctl_somaxconn; + int *sock_inuse; + struct prot_inuse *prot_inuse; +}; + +struct tcp_mib; + +struct ipstats_mib; + +struct linux_mib; + +struct udp_mib; + +struct icmp_mib; + +struct icmpmsg_mib; + +struct icmpv6_mib; + +struct icmpv6msg_mib; + +struct netns_mib { + struct tcp_mib *tcp_statistics; + struct ipstats_mib *ip_statistics; + struct linux_mib *net_statistics; + struct udp_mib *udp_statistics; + struct udp_mib *udplite_statistics; + struct icmp_mib *icmp_statistics; + struct icmpmsg_mib *icmpmsg_statistics; + struct proc_dir_entry *proc_net_devsnmp6; + struct udp_mib *udp_stats_in6; + struct udp_mib *udplite_stats_in6; + struct ipstats_mib *ipv6_statistics; + struct icmpv6_mib *icmpv6_statistics; + struct icmpv6msg_mib *icmpv6msg_statistics; +}; + +struct netns_packet { + struct mutex sklist_lock; + struct hlist_head sklist; +}; + +struct netns_unix { + int sysctl_max_dgram_qlen; + struct ctl_table_header *ctl; +}; + +struct netns_nexthop { + struct rb_root rb_root; + struct hlist_head *devhash; + unsigned int seq; + u32 last_id_allocated; +}; + +struct local_ports { + seqlock_t lock; + int range[2]; + bool warned; +}; + +struct inet_hashinfo; + +struct inet_timewait_death_row { + atomic_t tw_count; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct inet_hashinfo *hashinfo; + int sysctl_max_tw_buckets; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct ping_group_range { + seqlock_t lock; + kgid_t range[2]; +}; + +typedef struct { + u64 key[2]; +} siphash_key_t; + +struct ipv4_devconf; + +struct ip_ra_chain; + +struct fib_rules_ops; + +struct fib_table; + +struct inet_peer_base; + +struct fqdir; + +struct xt_table; + +struct tcp_congestion_ops; + +struct tcp_fastopen_context; + +struct mr_table; + +struct fib_notifier_ops; + +struct netns_ipv4 { + struct ctl_table_header *forw_hdr; + struct ctl_table_header *frags_hdr; + struct ctl_table_header *ipv4_hdr; + struct ctl_table_header *route_hdr; + struct ctl_table_header *xfrm4_hdr; + struct ipv4_devconf *devconf_all; + struct ipv4_devconf *devconf_dflt; + struct ip_ra_chain *ra_chain; + struct mutex ra_mutex; + struct fib_rules_ops *rules_ops; + bool fib_has_custom_rules; + unsigned int fib_rules_require_fldissect; + struct fib_table *fib_main; + struct fib_table *fib_default; + bool fib_has_custom_local_routes; + struct hlist_head *fib_table_hash; + bool fib_offload_disabled; + struct sock *fibnl; + struct sock **icmp_sk; + struct sock *mc_autojoin_sk; + struct inet_peer_base *peers; + struct sock **tcp_sk; + struct fqdir *fqdir; + struct xt_table *iptable_filter; + struct xt_table *iptable_mangle; + struct xt_table *iptable_raw; + struct xt_table *arptable_filter; + struct xt_table *iptable_security; + struct xt_table *nat_table; + int sysctl_icmp_echo_ignore_all; + int sysctl_icmp_echo_ignore_broadcasts; + int sysctl_icmp_ignore_bogus_error_responses; + int sysctl_icmp_ratelimit; + int sysctl_icmp_ratemask; + int sysctl_icmp_errors_use_inbound_ifaddr; + struct local_ports ip_local_ports; + int sysctl_tcp_ecn; + int sysctl_tcp_ecn_fallback; + int sysctl_ip_default_ttl; + int sysctl_ip_no_pmtu_disc; + int sysctl_ip_fwd_use_pmtu; + int sysctl_ip_fwd_update_priority; + int sysctl_ip_nonlocal_bind; + int sysctl_ip_dynaddr; + int sysctl_ip_early_demux; + int sysctl_tcp_early_demux; + int sysctl_udp_early_demux; + int sysctl_fwmark_reflect; + int sysctl_tcp_fwmark_accept; + int sysctl_tcp_mtu_probing; + int sysctl_tcp_mtu_probe_floor; + int sysctl_tcp_base_mss; + int sysctl_tcp_min_snd_mss; + int sysctl_tcp_probe_threshold; + u32 sysctl_tcp_probe_interval; + int sysctl_tcp_keepalive_time; + int sysctl_tcp_keepalive_probes; + int sysctl_tcp_keepalive_intvl; + int sysctl_tcp_syn_retries; + int sysctl_tcp_synack_retries; + int sysctl_tcp_syncookies; + int sysctl_tcp_reordering; + int sysctl_tcp_retries1; + int sysctl_tcp_retries2; + int sysctl_tcp_orphan_retries; + int sysctl_tcp_fin_timeout; + unsigned int sysctl_tcp_notsent_lowat; + int sysctl_tcp_tw_reuse; + int sysctl_tcp_sack; + int sysctl_tcp_window_scaling; + int sysctl_tcp_timestamps; + int sysctl_tcp_early_retrans; + int sysctl_tcp_recovery; + int sysctl_tcp_thin_linear_timeouts; + int sysctl_tcp_slow_start_after_idle; + int sysctl_tcp_retrans_collapse; + int sysctl_tcp_stdurg; + int sysctl_tcp_rfc1337; + int sysctl_tcp_abort_on_overflow; + int sysctl_tcp_fack; + int sysctl_tcp_max_reordering; + int sysctl_tcp_dsack; + int sysctl_tcp_app_win; + int sysctl_tcp_adv_win_scale; + int sysctl_tcp_frto; + int sysctl_tcp_nometrics_save; + int sysctl_tcp_moderate_rcvbuf; + int sysctl_tcp_tso_win_divisor; + int sysctl_tcp_workaround_signed_windows; + int sysctl_tcp_limit_output_bytes; + int sysctl_tcp_challenge_ack_limit; + int sysctl_tcp_min_tso_segs; + int sysctl_tcp_min_rtt_wlen; + int sysctl_tcp_autocorking; + int sysctl_tcp_invalid_ratelimit; + int sysctl_tcp_pacing_ss_ratio; + int sysctl_tcp_pacing_ca_ratio; + int sysctl_tcp_wmem[3]; + int sysctl_tcp_rmem[3]; + int sysctl_tcp_comp_sack_nr; + long unsigned int sysctl_tcp_comp_sack_delay_ns; + struct inet_timewait_death_row tcp_death_row; + int sysctl_max_syn_backlog; + int sysctl_tcp_fastopen; + const struct tcp_congestion_ops *tcp_congestion_control; + struct tcp_fastopen_context *tcp_fastopen_ctx; + spinlock_t tcp_fastopen_ctx_lock; + unsigned int sysctl_tcp_fastopen_blackhole_timeout; + atomic_t tfo_active_disable_times; + long unsigned int tfo_active_disable_stamp; + int sysctl_udp_wmem_min; + int sysctl_udp_rmem_min; + int sysctl_igmp_max_memberships; + int sysctl_igmp_max_msf; + int sysctl_igmp_llm_reports; + int sysctl_igmp_qrv; + struct ping_group_range ping_group_range; + atomic_t dev_addr_genid; + long unsigned int *sysctl_local_reserved_ports; + int sysctl_ip_prot_sock; + struct mr_table *mrt; + int sysctl_fib_multipath_use_neigh; + int sysctl_fib_multipath_hash_policy; + struct fib_notifier_ops *notifier_ops; + unsigned int fib_seq; + struct fib_notifier_ops *ipmr_notifier_ops; + unsigned int ipmr_seq; + atomic_t rt_genid; + siphash_key_t ip_id_key; + long: 64; + long: 64; +}; + +struct netns_sysctl_ipv6 { + struct ctl_table_header *hdr; + struct ctl_table_header *route_hdr; + struct ctl_table_header *icmp_hdr; + struct ctl_table_header *frags_hdr; + struct ctl_table_header *xfrm6_hdr; + int bindv6only; + int flush_delay; + int ip6_rt_max_size; + int ip6_rt_gc_min_interval; + int ip6_rt_gc_timeout; + int ip6_rt_gc_interval; + int ip6_rt_gc_elasticity; + int ip6_rt_mtu_expires; + int ip6_rt_min_advmss; + int multipath_hash_policy; + int flowlabel_consistency; + int auto_flowlabels; + int icmpv6_time; + int icmpv6_echo_ignore_all; + int icmpv6_echo_ignore_multicast; + int icmpv6_echo_ignore_anycast; + long unsigned int icmpv6_ratemask[4]; + long unsigned int *icmpv6_ratemask_ptr; + int anycast_src_echo_reply; + int ip_nonlocal_bind; + int fwmark_reflect; + int idgen_retries; + int idgen_delay; + int flowlabel_state_ranges; + int flowlabel_reflect; + int max_dst_opts_cnt; + int max_hbh_opts_cnt; + int max_dst_opts_len; + int max_hbh_opts_len; + int seg6_flowlabel; + bool skip_notify_on_dev_down; +}; + +struct net_device; + +struct neighbour; + +struct dst_ops { + short unsigned int family; + unsigned int gc_thresh; + int (*gc)(struct dst_ops *); + struct dst_entry * (*check)(struct dst_entry *, __u32); + unsigned int (*default_advmss)(const struct dst_entry *); + unsigned int (*mtu)(const struct dst_entry *); + u32 * (*cow_metrics)(struct dst_entry *, long unsigned int); + void (*destroy)(struct dst_entry *); + void (*ifdown)(struct dst_entry *, struct net_device *, int); + struct dst_entry * (*negative_advice)(struct dst_entry *); + void (*link_failure)(struct sk_buff *); + void (*update_pmtu)(struct dst_entry *, struct sock *, struct sk_buff *, u32, bool); + void (*redirect)(struct dst_entry *, struct sock *, struct sk_buff *); + int (*local_out)(struct net *, struct sock *, struct sk_buff *); + struct neighbour * (*neigh_lookup)(const struct dst_entry *, struct sk_buff *, const void *); + void (*confirm_neigh)(const struct dst_entry *, const void *); + struct kmem_cache *kmem_cachep; + struct percpu_counter pcpuc_entries; + long: 64; + long: 64; + long: 64; +}; + +struct ipv6_devconf; + +struct fib6_info; + +struct rt6_info; + +struct rt6_statistics; + +struct fib6_table; + +struct seg6_pernet_data; + +struct netns_ipv6 { + struct netns_sysctl_ipv6 sysctl; + struct ipv6_devconf *devconf_all; + struct ipv6_devconf *devconf_dflt; + struct inet_peer_base *peers; + struct fqdir *fqdir; + struct xt_table *ip6table_filter; + struct xt_table *ip6table_mangle; + struct xt_table *ip6table_raw; + struct xt_table *ip6table_security; + struct xt_table *ip6table_nat; + struct fib6_info *fib6_null_entry; + struct rt6_info *ip6_null_entry; + struct rt6_statistics *rt6_stats; + struct timer_list ip6_fib_timer; + struct hlist_head *fib_table_hash; + struct fib6_table *fib6_main_tbl; + struct list_head fib6_walkers; + long: 64; + long: 64; + struct dst_ops ip6_dst_ops; + rwlock_t fib6_walker_lock; + spinlock_t fib6_gc_lock; + unsigned int ip6_rt_gc_expire; + long unsigned int ip6_rt_last_gc; + struct sock **icmp_sk; + struct sock *ndisc_sk; + struct sock *tcp_sk; + struct sock *igmp_sk; + struct sock *mc_autojoin_sk; + atomic_t dev_addr_genid; + atomic_t fib6_sernum; + struct seg6_pernet_data *seg6_data; + struct fib_notifier_ops *notifier_ops; + struct fib_notifier_ops *ip6mr_notifier_ops; + unsigned int ipmr_seq; + struct { + struct hlist_head head; + spinlock_t lock; + u32 seq; + } ip6addrlbl_table; + long: 64; +}; + +struct nf_queue_handler; + +struct nf_logger; + +struct nf_hook_entries; + +struct netns_nf { + struct proc_dir_entry *proc_netfilter; + const struct nf_queue_handler *queue_handler; + const struct nf_logger *nf_loggers[13]; + struct ctl_table_header *nf_log_dir_header; + struct nf_hook_entries *hooks_ipv4[5]; + struct nf_hook_entries *hooks_ipv6[5]; + bool defrag_ipv4; + bool defrag_ipv6; +}; + +struct netns_xt { + struct list_head tables[13]; + bool notrack_deprecated_warning; + bool clusterip_deprecated_warning; +}; + +struct nf_ct_event_notifier; + +struct nf_exp_event_notifier; + +struct nf_generic_net { + unsigned int timeout; +}; + +struct nf_tcp_net { + unsigned int timeouts[14]; + int tcp_loose; + int tcp_be_liberal; + int tcp_max_retrans; +}; + +struct nf_udp_net { + unsigned int timeouts[2]; +}; + +struct nf_icmp_net { + unsigned int timeout; +}; + +struct nf_ip_net { + struct nf_generic_net generic; + struct nf_tcp_net tcp; + struct nf_udp_net udp; + struct nf_icmp_net icmp; + struct nf_icmp_net icmpv6; +}; + +struct ct_pcpu; + +struct ip_conntrack_stat; + +struct netns_ct { + atomic_t count; + unsigned int expect_count; + bool auto_assign_helper_warned; + struct ctl_table_header *sysctl_header; + unsigned int sysctl_log_invalid; + int sysctl_events; + int sysctl_acct; + int sysctl_auto_assign_helper; + int sysctl_tstamp; + int sysctl_checksum; + struct ct_pcpu *pcpu_lists; + struct ip_conntrack_stat *stat; + struct nf_ct_event_notifier *nf_conntrack_event_cb; + struct nf_exp_event_notifier *nf_expect_event_cb; + struct nf_ip_net nf_ct_proto; +}; + +struct netns_nf_frag { + struct fqdir *fqdir; +}; + +struct xfrm_policy_hash { + struct hlist_head *table; + unsigned int hmask; + u8 dbits4; + u8 sbits4; + u8 dbits6; + u8 sbits6; +}; + +struct xfrm_policy_hthresh { + struct work_struct work; + seqlock_t lock; + u8 lbits4; + u8 rbits4; + u8 lbits6; + u8 rbits6; +}; + +struct netns_xfrm { + struct list_head state_all; + struct hlist_head *state_bydst; + struct hlist_head *state_bysrc; + struct hlist_head *state_byspi; + unsigned int state_hmask; + unsigned int state_num; + struct work_struct state_hash_work; + struct list_head policy_all; + struct hlist_head *policy_byidx; + unsigned int policy_idx_hmask; + struct hlist_head policy_inexact[3]; + struct xfrm_policy_hash policy_bydst[3]; + unsigned int policy_count[6]; + struct work_struct policy_hash_work; + struct xfrm_policy_hthresh policy_hthresh; + struct list_head inexact_bins; + struct sock *nlsk; + struct sock *nlsk_stash; + u32 sysctl_aevent_etime; + u32 sysctl_aevent_rseqth; + int sysctl_larval_drop; + u32 sysctl_acq_expires; + struct ctl_table_header *sysctl_hdr; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct dst_ops xfrm4_dst_ops; + struct dst_ops xfrm6_dst_ops; + spinlock_t xfrm_state_lock; + spinlock_t xfrm_policy_lock; + struct mutex xfrm_cfg_mutex; + long: 64; + long: 64; + long: 64; +}; + +struct uevent_sock; + +struct net_generic; + +struct net { + refcount_t passive; + refcount_t count; + spinlock_t rules_mod_lock; + unsigned int dev_unreg_count; + unsigned int dev_base_seq; + int ifindex; + spinlock_t nsid_lock; + atomic_t fnhe_genid; + struct list_head list; + struct list_head exit_list; + struct llist_node cleanup_list; + struct key_tag *key_domain; + struct user_namespace *user_ns; + struct ucounts *ucounts; + struct idr netns_ids; + struct ns_common ns; + struct list_head dev_base_head; + struct proc_dir_entry *proc_net; + struct proc_dir_entry *proc_net_stat; + struct ctl_table_set sysctls; + struct sock *rtnl; + struct sock *genl_sock; + struct uevent_sock *uevent_sock; + struct hlist_head *dev_name_head; + struct hlist_head *dev_index_head; + struct raw_notifier_head netdev_chain; + u32 hash_mix; + struct net_device *loopback_dev; + struct list_head rules_ops; + struct netns_core core; + struct netns_mib mib; + struct netns_packet packet; + struct netns_unix unx; + struct netns_nexthop nexthop; + long: 64; + struct netns_ipv4 ipv4; + struct netns_ipv6 ipv6; + struct netns_nf nf; + struct netns_xt xt; + struct netns_ct ct; + struct netns_nf_frag nf_frag; + struct ctl_table_header *nf_frag_frags_hdr; + struct sock *nfnl; + struct sock *nfnl_stash; + struct net_generic *gen; + struct bpf_prog *flow_dissector_prog; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct netns_xfrm xfrm; + struct sock *diag_nlsk; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +typedef struct { + local64_t v; +} u64_stats_t; + +struct bpf_insn { + __u8 code; + __u8 dst_reg: 4; + __u8 src_reg: 4; + __s16 off; + __s32 imm; +}; + +enum bpf_map_type { + BPF_MAP_TYPE_UNSPEC = 0, + BPF_MAP_TYPE_HASH = 1, + BPF_MAP_TYPE_ARRAY = 2, + BPF_MAP_TYPE_PROG_ARRAY = 3, + BPF_MAP_TYPE_PERF_EVENT_ARRAY = 4, + BPF_MAP_TYPE_PERCPU_HASH = 5, + BPF_MAP_TYPE_PERCPU_ARRAY = 6, + BPF_MAP_TYPE_STACK_TRACE = 7, + BPF_MAP_TYPE_CGROUP_ARRAY = 8, + BPF_MAP_TYPE_LRU_HASH = 9, + BPF_MAP_TYPE_LRU_PERCPU_HASH = 10, + BPF_MAP_TYPE_LPM_TRIE = 11, + BPF_MAP_TYPE_ARRAY_OF_MAPS = 12, + BPF_MAP_TYPE_HASH_OF_MAPS = 13, + BPF_MAP_TYPE_DEVMAP = 14, + BPF_MAP_TYPE_SOCKMAP = 15, + BPF_MAP_TYPE_CPUMAP = 16, + BPF_MAP_TYPE_XSKMAP = 17, + BPF_MAP_TYPE_SOCKHASH = 18, + BPF_MAP_TYPE_CGROUP_STORAGE = 19, + BPF_MAP_TYPE_REUSEPORT_SOCKARRAY = 20, + BPF_MAP_TYPE_PERCPU_CGROUP_STORAGE = 21, + BPF_MAP_TYPE_QUEUE = 22, + BPF_MAP_TYPE_STACK = 23, + BPF_MAP_TYPE_SK_STORAGE = 24, + BPF_MAP_TYPE_DEVMAP_HASH = 25, +}; + +enum bpf_prog_type { + BPF_PROG_TYPE_UNSPEC = 0, + BPF_PROG_TYPE_SOCKET_FILTER = 1, + BPF_PROG_TYPE_KPROBE = 2, + BPF_PROG_TYPE_SCHED_CLS = 3, + BPF_PROG_TYPE_SCHED_ACT = 4, + BPF_PROG_TYPE_TRACEPOINT = 5, + BPF_PROG_TYPE_XDP = 6, + BPF_PROG_TYPE_PERF_EVENT = 7, + BPF_PROG_TYPE_CGROUP_SKB = 8, + BPF_PROG_TYPE_CGROUP_SOCK = 9, + BPF_PROG_TYPE_LWT_IN = 10, + BPF_PROG_TYPE_LWT_OUT = 11, + BPF_PROG_TYPE_LWT_XMIT = 12, + BPF_PROG_TYPE_SOCK_OPS = 13, + BPF_PROG_TYPE_SK_SKB = 14, + BPF_PROG_TYPE_CGROUP_DEVICE = 15, + BPF_PROG_TYPE_SK_MSG = 16, + BPF_PROG_TYPE_RAW_TRACEPOINT = 17, + BPF_PROG_TYPE_CGROUP_SOCK_ADDR = 18, + BPF_PROG_TYPE_LWT_SEG6LOCAL = 19, + BPF_PROG_TYPE_LIRC_MODE2 = 20, + BPF_PROG_TYPE_SK_REUSEPORT = 21, + BPF_PROG_TYPE_FLOW_DISSECTOR = 22, + BPF_PROG_TYPE_CGROUP_SYSCTL = 23, + BPF_PROG_TYPE_RAW_TRACEPOINT_WRITABLE = 24, + BPF_PROG_TYPE_CGROUP_SOCKOPT = 25, + BPF_PROG_TYPE_TRACING = 26, +}; + +enum bpf_attach_type { + BPF_CGROUP_INET_INGRESS = 0, + BPF_CGROUP_INET_EGRESS = 1, + BPF_CGROUP_INET_SOCK_CREATE = 2, + BPF_CGROUP_SOCK_OPS = 3, + BPF_SK_SKB_STREAM_PARSER = 4, + BPF_SK_SKB_STREAM_VERDICT = 5, + BPF_CGROUP_DEVICE = 6, + BPF_SK_MSG_VERDICT = 7, + BPF_CGROUP_INET4_BIND = 8, + BPF_CGROUP_INET6_BIND = 9, + BPF_CGROUP_INET4_CONNECT = 10, + BPF_CGROUP_INET6_CONNECT = 11, + BPF_CGROUP_INET4_POST_BIND = 12, + BPF_CGROUP_INET6_POST_BIND = 13, + BPF_CGROUP_UDP4_SENDMSG = 14, + BPF_CGROUP_UDP6_SENDMSG = 15, + BPF_LIRC_MODE2 = 16, + BPF_FLOW_DISSECTOR = 17, + BPF_CGROUP_SYSCTL = 18, + BPF_CGROUP_UDP4_RECVMSG = 19, + BPF_CGROUP_UDP6_RECVMSG = 20, + BPF_CGROUP_GETSOCKOPT = 21, + BPF_CGROUP_SETSOCKOPT = 22, + BPF_TRACE_RAW_TP = 23, + BPF_TRACE_FENTRY = 24, + BPF_TRACE_FEXIT = 25, + __MAX_BPF_ATTACH_TYPE = 26, +}; + +union bpf_attr { + struct { + __u32 map_type; + __u32 key_size; + __u32 value_size; + __u32 max_entries; + __u32 map_flags; + __u32 inner_map_fd; + __u32 numa_node; + char map_name[16]; + __u32 map_ifindex; + __u32 btf_fd; + __u32 btf_key_type_id; + __u32 btf_value_type_id; + }; + struct { + __u32 map_fd; + __u64 key; + union { + __u64 value; + __u64 next_key; + }; + __u64 flags; + }; + struct { + __u32 prog_type; + __u32 insn_cnt; + __u64 insns; + __u64 license; + __u32 log_level; + __u32 log_size; + __u64 log_buf; + __u32 kern_version; + __u32 prog_flags; + char prog_name[16]; + __u32 prog_ifindex; + __u32 expected_attach_type; + __u32 prog_btf_fd; + __u32 func_info_rec_size; + __u64 func_info; + __u32 func_info_cnt; + __u32 line_info_rec_size; + __u64 line_info; + __u32 line_info_cnt; + __u32 attach_btf_id; + __u32 attach_prog_fd; + }; + struct { + __u64 pathname; + __u32 bpf_fd; + __u32 file_flags; + }; + struct { + __u32 target_fd; + __u32 attach_bpf_fd; + __u32 attach_type; + __u32 attach_flags; + }; + struct { + __u32 prog_fd; + __u32 retval; + __u32 data_size_in; + __u32 data_size_out; + __u64 data_in; + __u64 data_out; + __u32 repeat; + __u32 duration; + __u32 ctx_size_in; + __u32 ctx_size_out; + __u64 ctx_in; + __u64 ctx_out; + } test; + struct { + union { + __u32 start_id; + __u32 prog_id; + __u32 map_id; + __u32 btf_id; + }; + __u32 next_id; + __u32 open_flags; + }; + struct { + __u32 bpf_fd; + __u32 info_len; + __u64 info; + } info; + struct { + __u32 target_fd; + __u32 attach_type; + __u32 query_flags; + __u32 attach_flags; + __u64 prog_ids; + __u32 prog_cnt; + } query; + struct { + __u64 name; + __u32 prog_fd; + } raw_tracepoint; + struct { + __u64 btf; + __u64 btf_log_buf; + __u32 btf_size; + __u32 btf_log_size; + __u32 btf_log_level; + }; + struct { + __u32 pid; + __u32 fd; + __u32 flags; + __u32 buf_len; + __u64 buf; + __u32 prog_id; + __u32 fd_type; + __u64 probe_offset; + __u64 probe_addr; + } task_fd_query; +}; + +struct bpf_func_info { + __u32 insn_off; + __u32 type_id; +}; + +struct bpf_line_info { + __u32 insn_off; + __u32 file_name_off; + __u32 line_off; + __u32 line_col; +}; + +struct btf; + +struct bpf_map; + +struct btf_type; + +struct bpf_prog_aux; + +struct bpf_map_ops { + int (*map_alloc_check)(union bpf_attr *); + struct bpf_map * (*map_alloc)(union bpf_attr *); + void (*map_release)(struct bpf_map *, struct file *); + void (*map_free)(struct bpf_map *); + int (*map_get_next_key)(struct bpf_map *, void *, void *); + void (*map_release_uref)(struct bpf_map *); + void * (*map_lookup_elem_sys_only)(struct bpf_map *, void *); + void * (*map_lookup_elem)(struct bpf_map *, void *); + int (*map_update_elem)(struct bpf_map *, void *, void *, u64); + int (*map_delete_elem)(struct bpf_map *, void *); + int (*map_push_elem)(struct bpf_map *, void *, u64); + int (*map_pop_elem)(struct bpf_map *, void *); + int (*map_peek_elem)(struct bpf_map *, void *); + void * (*map_fd_get_ptr)(struct bpf_map *, struct file *, int); + void (*map_fd_put_ptr)(void *); + u32 (*map_gen_lookup)(struct bpf_map *, struct bpf_insn *); + u32 (*map_fd_sys_lookup_elem)(void *); + void (*map_seq_show_elem)(struct bpf_map *, void *, struct seq_file *); + int (*map_check_btf)(const struct bpf_map *, const struct btf *, const struct btf_type *, const struct btf_type *); + int (*map_poke_track)(struct bpf_map *, struct bpf_prog_aux *); + void (*map_poke_untrack)(struct bpf_map *, struct bpf_prog_aux *); + void (*map_poke_run)(struct bpf_map *, u32, struct bpf_prog *, struct bpf_prog *); + int (*map_direct_value_addr)(const struct bpf_map *, u64 *, u32); + int (*map_direct_value_meta)(const struct bpf_map *, u64, u32 *); + int (*map_mmap)(struct bpf_map *, struct vm_area_struct *); +}; + +struct bpf_map_memory { + u32 pages; + struct user_struct *user; +}; + +struct bpf_map { + const struct bpf_map_ops *ops; + struct bpf_map *inner_map_meta; + void *security; + enum bpf_map_type map_type; + u32 key_size; + u32 value_size; + u32 max_entries; + u32 map_flags; + int spin_lock_off; + u32 id; + int numa_node; + u32 btf_key_type_id; + u32 btf_value_type_id; + struct btf *btf; + struct bpf_map_memory memory; + char name[16]; + bool unpriv_array; + bool frozen; + long: 48; + long: 64; + long: 64; + atomic64_t refcnt; + atomic64_t usercnt; + struct work_struct work; + struct mutex freeze_mutex; + u64 writecnt; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct btf_type { + __u32 name_off; + __u32 info; + union { + __u32 size; + __u32 type; + }; +}; + +enum bpf_tramp_prog_type { + BPF_TRAMP_FENTRY = 0, + BPF_TRAMP_FEXIT = 1, + BPF_TRAMP_MAX = 2, +}; + +struct bpf_trampoline; + +struct bpf_jit_poke_descriptor; + +struct bpf_prog_ops; + +struct bpf_prog_offload; + +struct bpf_func_info_aux; + +struct bpf_prog_stats; + +struct bpf_prog_aux { + atomic64_t refcnt; + u32 used_map_cnt; + u32 max_ctx_offset; + u32 max_pkt_offset; + u32 max_tp_access; + u32 stack_depth; + u32 id; + u32 func_cnt; + u32 func_idx; + u32 attach_btf_id; + struct bpf_prog *linked_prog; + bool verifier_zext; + bool offload_requested; + bool attach_btf_trace; + bool func_proto_unreliable; + enum bpf_tramp_prog_type trampoline_prog_type; + struct bpf_trampoline *trampoline; + struct hlist_node tramp_hlist; + const struct btf_type *attach_func_proto; + const char *attach_func_name; + struct bpf_prog **func; + void *jit_data; + struct bpf_jit_poke_descriptor *poke_tab; + u32 size_poke_tab; + struct latch_tree_node ksym_tnode; + struct list_head ksym_lnode; + const struct bpf_prog_ops *ops; + struct bpf_map **used_maps; + struct bpf_prog *prog; + struct user_struct *user; + u64 load_time; + struct bpf_map *cgroup_storage[2]; + char name[16]; + void *security; + struct bpf_prog_offload *offload; + struct btf *btf; + struct bpf_func_info *func_info; + struct bpf_func_info_aux *func_info_aux; + struct bpf_line_info *linfo; + void **jited_linfo; + u32 func_info_cnt; + u32 nr_linfo; + u32 linfo_idx; + u32 num_exentries; + struct exception_table_entry *extable; + struct bpf_prog_stats *stats; + union { + struct work_struct work; + struct callback_head rcu; + }; +}; + +struct sock_filter { + __u16 code; + __u8 jt; + __u8 jf; + __u32 k; +}; + +struct sock_fprog_kern; + +struct bpf_prog { + u16 pages; + u16 jited: 1; + u16 jit_requested: 1; + u16 gpl_compatible: 1; + u16 cb_access: 1; + u16 dst_needed: 1; + u16 blinded: 1; + u16 is_func: 1; + u16 kprobe_override: 1; + u16 has_callchain_buf: 1; + u16 enforce_expected_attach_type: 1; + enum bpf_prog_type type; + enum bpf_attach_type expected_attach_type; + u32 len; + u32 jited_len; + u8 tag[8]; + struct bpf_prog_aux *aux; + struct sock_fprog_kern *orig_prog; + unsigned int (*bpf_func)(const void *, const struct bpf_insn *); + union { + struct sock_filter insns[0]; + struct bpf_insn insnsi[0]; + }; +}; + +struct bpf_offloaded_map; + +struct bpf_map_dev_ops { + int (*map_get_next_key)(struct bpf_offloaded_map *, void *, void *); + int (*map_lookup_elem)(struct bpf_offloaded_map *, void *, void *); + int (*map_update_elem)(struct bpf_offloaded_map *, void *, void *, u64); + int (*map_delete_elem)(struct bpf_offloaded_map *, void *); +}; + +struct bpf_offloaded_map { + struct bpf_map map; + struct net_device *netdev; + const struct bpf_map_dev_ops *dev_ops; + void *dev_priv; + struct list_head offloads; + long: 64; + long: 64; + long: 64; +}; + +struct net_device_stats { + long unsigned int rx_packets; + long unsigned int tx_packets; + long unsigned int rx_bytes; + long unsigned int tx_bytes; + long unsigned int rx_errors; + long unsigned int tx_errors; + long unsigned int rx_dropped; + long unsigned int tx_dropped; + long unsigned int multicast; + long unsigned int collisions; + long unsigned int rx_length_errors; + long unsigned int rx_over_errors; + long unsigned int rx_crc_errors; + long unsigned int rx_frame_errors; + long unsigned int rx_fifo_errors; + long unsigned int rx_missed_errors; + long unsigned int tx_aborted_errors; + long unsigned int tx_carrier_errors; + long unsigned int tx_fifo_errors; + long unsigned int tx_heartbeat_errors; + long unsigned int tx_window_errors; + long unsigned int rx_compressed; + long unsigned int tx_compressed; +}; + +struct netdev_hw_addr_list { + struct list_head list; + int count; +}; + +enum rx_handler_result { + RX_HANDLER_CONSUMED = 0, + RX_HANDLER_ANOTHER = 1, + RX_HANDLER_EXACT = 2, + RX_HANDLER_PASS = 3, +}; + +typedef enum rx_handler_result rx_handler_result_t; + +typedef rx_handler_result_t rx_handler_func_t(struct sk_buff **); + +struct pcpu_dstats; + +struct netdev_tc_txq { + u16 count; + u16 offset; +}; + +struct sfp_bus; + +struct netdev_name_node; + +struct dev_ifalias; + +struct net_device_ops; + +struct ethtool_ops; + +struct ndisc_ops; + +struct header_ops; + +struct in_device; + +struct inet6_dev; + +struct wireless_dev; + +struct wpan_dev; + +struct netdev_rx_queue; + +struct mini_Qdisc; + +struct netdev_queue; + +struct cpu_rmap; + +struct Qdisc; + +struct xps_dev_maps; + +struct netpoll_info; + +struct pcpu_lstats; + +struct pcpu_sw_netstats; + +struct rtnl_link_ops; + +struct phy_device; + +struct net_device { + char name[16]; + struct netdev_name_node *name_node; + struct dev_ifalias *ifalias; + long unsigned int mem_end; + long unsigned int mem_start; + long unsigned int base_addr; + int irq; + long unsigned int state; + struct list_head dev_list; + struct list_head napi_list; + struct list_head unreg_list; + struct list_head close_list; + struct list_head ptype_all; + struct list_head ptype_specific; + struct { + struct list_head upper; + struct list_head lower; + } adj_list; + netdev_features_t features; + netdev_features_t hw_features; + netdev_features_t wanted_features; + netdev_features_t vlan_features; + netdev_features_t hw_enc_features; + netdev_features_t mpls_features; + netdev_features_t gso_partial_features; + int ifindex; + int group; + struct net_device_stats stats; + atomic_long_t rx_dropped; + atomic_long_t tx_dropped; + atomic_long_t rx_nohandler; + atomic_t carrier_up_count; + atomic_t carrier_down_count; + const struct net_device_ops *netdev_ops; + const struct ethtool_ops *ethtool_ops; + const struct ndisc_ops *ndisc_ops; + const struct header_ops *header_ops; + unsigned int flags; + unsigned int priv_flags; + short unsigned int gflags; + short unsigned int padded; + unsigned char operstate; + unsigned char link_mode; + unsigned char if_port; + unsigned char dma; + unsigned int mtu; + unsigned int min_mtu; + unsigned int max_mtu; + short unsigned int type; + short unsigned int hard_header_len; + unsigned char min_header_len; + short unsigned int needed_headroom; + short unsigned int needed_tailroom; + unsigned char perm_addr[32]; + unsigned char addr_assign_type; + unsigned char addr_len; + unsigned char upper_level; + unsigned char lower_level; + short unsigned int neigh_priv_len; + short unsigned int dev_id; + short unsigned int dev_port; + spinlock_t addr_list_lock; + unsigned char name_assign_type; + bool uc_promisc; + struct netdev_hw_addr_list uc; + struct netdev_hw_addr_list mc; + struct netdev_hw_addr_list dev_addrs; + struct kset *queues_kset; + unsigned int promiscuity; + unsigned int allmulti; + struct in_device *ip_ptr; + struct inet6_dev *ip6_ptr; + struct wireless_dev *ieee80211_ptr; + struct wpan_dev *ieee802154_ptr; + unsigned char *dev_addr; + struct netdev_rx_queue *_rx; + unsigned int num_rx_queues; + unsigned int real_num_rx_queues; + struct bpf_prog *xdp_prog; + long unsigned int gro_flush_timeout; + rx_handler_func_t *rx_handler; + void *rx_handler_data; + struct mini_Qdisc *miniq_ingress; + struct netdev_queue *ingress_queue; + struct nf_hook_entries *nf_hooks_ingress; + unsigned char broadcast[32]; + struct cpu_rmap *rx_cpu_rmap; + struct hlist_node index_hlist; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct netdev_queue *_tx; + unsigned int num_tx_queues; + unsigned int real_num_tx_queues; + struct Qdisc *qdisc; + struct hlist_head qdisc_hash[16]; + unsigned int tx_queue_len; + spinlock_t tx_global_lock; + int watchdog_timeo; + struct xps_dev_maps *xps_cpus_map; + struct xps_dev_maps *xps_rxqs_map; + struct mini_Qdisc *miniq_egress; + struct timer_list watchdog_timer; + int *pcpu_refcnt; + struct list_head todo_list; + struct list_head link_watch_list; + enum { + NETREG_UNINITIALIZED = 0, + NETREG_REGISTERED = 1, + NETREG_UNREGISTERING = 2, + NETREG_UNREGISTERED = 3, + NETREG_RELEASED = 4, + NETREG_DUMMY = 5, + } reg_state: 8; + bool dismantle; + enum { + RTNL_LINK_INITIALIZED = 0, + RTNL_LINK_INITIALIZING = 1, + } rtnl_link_state: 16; + bool needs_free_netdev; + void (*priv_destructor)(struct net_device *); + struct netpoll_info *npinfo; + possible_net_t nd_net; + union { + void *ml_priv; + struct pcpu_lstats *lstats; + struct pcpu_sw_netstats *tstats; + struct pcpu_dstats *dstats; + }; + struct device dev; + const struct attribute_group *sysfs_groups[4]; + const struct attribute_group *sysfs_rx_queue_group; + const struct rtnl_link_ops *rtnl_link_ops; + unsigned int gso_max_size; + u16 gso_max_segs; + s16 num_tc; + struct netdev_tc_txq tc_to_txq[16]; + u8 prio_tc_map[16]; + struct phy_device *phydev; + struct sfp_bus *sfp_bus; + struct lock_class_key qdisc_tx_busylock_key; + struct lock_class_key qdisc_running_key; + struct lock_class_key qdisc_xmit_lock_key; + struct lock_class_key addr_list_lock_key; + bool proto_down; + unsigned int wol_enabled: 1; +}; + +struct bpf_prog_ops { + int (*test_run)(struct bpf_prog *, const union bpf_attr *, union bpf_attr *); +}; + +struct bpf_offload_dev; + +struct bpf_prog_offload { + struct bpf_prog *prog; + struct net_device *netdev; + struct bpf_offload_dev *offdev; + void *dev_priv; + struct list_head offloads; + bool dev_state; + bool opt_failed; + void *jited_image; + u32 jited_len; +}; + +struct bpf_prog_stats { + u64 cnt; + u64 nsecs; + struct u64_stats_sync syncp; +}; + +struct btf_func_model { + u8 ret_size; + u8 nr_args; + u8 arg_size[12]; +}; + +struct bpf_trampoline { + struct hlist_node hlist; + struct mutex mutex; + refcount_t refcnt; + u64 key; + struct { + struct btf_func_model model; + void *addr; + bool ftrace_managed; + } func; + struct hlist_head progs_hlist[2]; + int progs_cnt[2]; + void *image; + u64 selector; +}; + +struct bpf_func_info_aux { + bool unreliable; +}; + +struct bpf_jit_poke_descriptor { + void *ip; + union { + struct { + struct bpf_map *map; + u32 key; + } tail_call; + }; + bool ip_stable; + u8 adj_off; + u16 reason; +}; + +typedef unsigned int sk_buff_data_t; + +struct skb_ext; + +struct sk_buff { + union { + struct { + struct sk_buff *next; + struct sk_buff *prev; + union { + struct net_device *dev; + long unsigned int dev_scratch; + }; + }; + struct rb_node rbnode; + struct list_head list; + }; + union { + struct sock *sk; + int ip_defrag_offset; + }; + union { + ktime_t tstamp; + u64 skb_mstamp_ns; + }; + char cb[48]; + union { + struct { + long unsigned int _skb_refdst; + void (*destructor)(struct sk_buff *); + }; + struct list_head tcp_tsorted_anchor; + }; + long unsigned int _nfct; + unsigned int len; + unsigned int data_len; + __u16 mac_len; + __u16 hdr_len; + __u16 queue_mapping; + __u8 __cloned_offset[0]; + __u8 cloned: 1; + __u8 nohdr: 1; + __u8 fclone: 2; + __u8 peeked: 1; + __u8 head_frag: 1; + __u8 pfmemalloc: 1; + __u8 active_extensions; + __u32 headers_start[0]; + __u8 __pkt_type_offset[0]; + __u8 pkt_type: 3; + __u8 ignore_df: 1; + __u8 nf_trace: 1; + __u8 ip_summed: 2; + __u8 ooo_okay: 1; + __u8 l4_hash: 1; + __u8 sw_hash: 1; + __u8 wifi_acked_valid: 1; + __u8 wifi_acked: 1; + __u8 no_fcs: 1; + __u8 encapsulation: 1; + __u8 encap_hdr_csum: 1; + __u8 csum_valid: 1; + __u8 __pkt_vlan_present_offset[0]; + __u8 vlan_present: 1; + __u8 csum_complete_sw: 1; + __u8 csum_level: 2; + __u8 csum_not_inet: 1; + __u8 dst_pending_confirm: 1; + __u8 ndisc_nodetype: 2; + __u8 ipvs_property: 1; + __u8 inner_protocol_type: 1; + __u8 remcsum_offload: 1; + __u8 tc_skip_classify: 1; + __u8 tc_at_ingress: 1; + __u8 tc_redirected: 1; + __u8 tc_from_ingress: 1; + __u16 tc_index; + union { + __wsum csum; + struct { + __u16 csum_start; + __u16 csum_offset; + }; + }; + __u32 priority; + int skb_iif; + __u32 hash; + __be16 vlan_proto; + __u16 vlan_tci; + union { + unsigned int napi_id; + unsigned int sender_cpu; + }; + __u32 secmark; + union { + __u32 mark; + __u32 reserved_tailroom; + }; + union { + __be16 inner_protocol; + __u8 inner_ipproto; + }; + __u16 inner_transport_header; + __u16 inner_network_header; + __u16 inner_mac_header; + __be16 protocol; + __u16 transport_header; + __u16 network_header; + __u16 mac_header; + __u32 headers_end[0]; + sk_buff_data_t tail; + sk_buff_data_t end; + unsigned char *head; + unsigned char *data; + unsigned int truesize; + refcount_t users; + struct skb_ext *extensions; +}; + +struct sg_table { + struct scatterlist *sgl; + unsigned int nents; + unsigned int orig_nents; +}; + +enum suspend_stat_step { + SUSPEND_FREEZE = 1, + SUSPEND_PREPARE = 2, + SUSPEND_SUSPEND = 3, + SUSPEND_SUSPEND_LATE = 4, + SUSPEND_SUSPEND_NOIRQ = 5, + SUSPEND_RESUME_NOIRQ = 6, + SUSPEND_RESUME_EARLY = 7, + SUSPEND_RESUME = 8, +}; + +struct suspend_stats { + int success; + int fail; + int failed_freeze; + int failed_prepare; + int failed_suspend; + int failed_suspend_late; + int failed_suspend_noirq; + int failed_resume; + int failed_resume_early; + int failed_resume_noirq; + int last_failed_dev; + char failed_devs[80]; + int last_failed_errno; + int errno[2]; + int last_failed_step; + enum suspend_stat_step failed_steps[2]; +}; + +enum s2idle_states { + S2IDLE_STATE_NONE = 0, + S2IDLE_STATE_ENTER = 1, + S2IDLE_STATE_WAKE = 2, +}; + +enum { + Root_NFS = 255, + Root_CIFS = 254, + Root_RAM0 = 1048576, + Root_RAM1 = 1048577, + Root_FD0 = 2097152, + Root_HDA1 = 3145729, + Root_HDA2 = 3145730, + Root_SDA1 = 8388609, + Root_SDA2 = 8388610, + Root_HDC1 = 23068673, + Root_SR0 = 11534336, +}; + +struct ethhdr { + unsigned char h_dest[6]; + unsigned char h_source[6]; + __be16 h_proto; +}; + +struct flow_dissector { + unsigned int used_keys; + short unsigned int offset[27]; +}; + +struct flowi_tunnel { + __be64 tun_id; +}; + +struct flowi_common { + int flowic_oif; + int flowic_iif; + __u32 flowic_mark; + __u8 flowic_tos; + __u8 flowic_scope; + __u8 flowic_proto; + __u8 flowic_flags; + __u32 flowic_secid; + kuid_t flowic_uid; + struct flowi_tunnel flowic_tun_key; + __u32 flowic_multipath_hash; +}; + +union flowi_uli { + struct { + __be16 dport; + __be16 sport; + } ports; + struct { + __u8 type; + __u8 code; + } icmpt; + struct { + __le16 dport; + __le16 sport; + } dnports; + __be32 spi; + __be32 gre_key; + struct { + __u8 type; + } mht; +}; + +struct flowi4 { + struct flowi_common __fl_common; + __be32 saddr; + __be32 daddr; + union flowi_uli uli; +}; + +struct flowi6 { + struct flowi_common __fl_common; + struct in6_addr daddr; + struct in6_addr saddr; + __be32 flowlabel; + union flowi_uli uli; + __u32 mp_hash; +}; + +struct flowidn { + struct flowi_common __fl_common; + __le16 daddr; + __le16 saddr; + union flowi_uli uli; +}; + +struct flowi { + union { + struct flowi_common __fl_common; + struct flowi4 ip4; + struct flowi6 ip6; + struct flowidn dn; + } u; +}; + +struct ipstats_mib { + u64 mibs[37]; + struct u64_stats_sync syncp; +}; + +struct icmp_mib { + long unsigned int mibs[28]; +}; + +struct icmpmsg_mib { + atomic_long_t mibs[512]; +}; + +struct icmpv6_mib { + long unsigned int mibs[6]; +}; + +struct icmpv6_mib_device { + atomic_long_t mibs[6]; +}; + +struct icmpv6msg_mib { + atomic_long_t mibs[512]; +}; + +struct icmpv6msg_mib_device { + atomic_long_t mibs[512]; +}; + +struct tcp_mib { + long unsigned int mibs[16]; +}; + +struct udp_mib { + long unsigned int mibs[9]; +}; + +struct linux_mib { + long unsigned int mibs[120]; +}; + +struct inet_frags; + +struct fqdir { + long int high_thresh; + long int low_thresh; + int timeout; + int max_dist; + struct inet_frags *f; + struct net *net; + bool dead; + long: 56; + long: 64; + long: 64; + struct rhashtable rhashtable; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + atomic_long_t mem; + struct work_struct destroy_work; + long: 64; + long: 64; + long: 64; +}; + +struct inet_frag_queue; + +struct inet_frags { + unsigned int qsize; + void (*constructor)(struct inet_frag_queue *, const void *); + void (*destructor)(struct inet_frag_queue *); + void (*frag_expire)(struct timer_list *); + struct kmem_cache *frags_cachep; + const char *frags_cache_name; + struct rhashtable_params rhash_params; + refcount_t refcnt; + struct completion completion; +}; + +struct frag_v4_compare_key { + __be32 saddr; + __be32 daddr; + u32 user; + u32 vif; + __be16 id; + u16 protocol; +}; + +struct frag_v6_compare_key { + struct in6_addr saddr; + struct in6_addr daddr; + u32 user; + __be32 id; + u32 iif; +}; + +struct inet_frag_queue { + struct rhash_head node; + union { + struct frag_v4_compare_key v4; + struct frag_v6_compare_key v6; + } key; + struct timer_list timer; + spinlock_t lock; + refcount_t refcnt; + struct rb_root rb_fragments; + struct sk_buff *fragments_tail; + struct sk_buff *last_run_head; + ktime_t stamp; + int len; + int meat; + __u8 flags; + u16 max_size; + struct fqdir *fqdir; + struct callback_head rcu; +}; + +struct fib_rule; + +struct fib_lookup_arg; + +struct fib_rule_hdr; + +struct nlattr; + +struct netlink_ext_ack; + +struct nla_policy; + +struct fib_rules_ops { + int family; + struct list_head list; + int rule_size; + int addr_size; + int unresolved_rules; + int nr_goto_rules; + unsigned int fib_rules_seq; + int (*action)(struct fib_rule *, struct flowi *, int, struct fib_lookup_arg *); + bool (*suppress)(struct fib_rule *, struct fib_lookup_arg *); + int (*match)(struct fib_rule *, struct flowi *, int); + int (*configure)(struct fib_rule *, struct sk_buff *, struct fib_rule_hdr *, struct nlattr **, struct netlink_ext_ack *); + int (*delete)(struct fib_rule *); + int (*compare)(struct fib_rule *, struct fib_rule_hdr *, struct nlattr **); + int (*fill)(struct fib_rule *, struct sk_buff *, struct fib_rule_hdr *); + size_t (*nlmsg_payload)(struct fib_rule *); + void (*flush_cache)(struct fib_rules_ops *); + int nlgroup; + const struct nla_policy *policy; + struct list_head rules_list; + struct module *owner; + struct net *fro_net; + struct callback_head rcu; +}; + +enum tcp_ca_event { + CA_EVENT_TX_START = 0, + CA_EVENT_CWND_RESTART = 1, + CA_EVENT_COMPLETE_CWR = 2, + CA_EVENT_LOSS = 3, + CA_EVENT_ECN_NO_CE = 4, + CA_EVENT_ECN_IS_CE = 5, +}; + +struct ack_sample; + +struct rate_sample; + +union tcp_cc_info; + +struct tcp_congestion_ops { + struct list_head list; + u32 key; + u32 flags; + void (*init)(struct sock *); + void (*release)(struct sock *); + u32 (*ssthresh)(struct sock *); + void (*cong_avoid)(struct sock *, u32, u32); + void (*set_state)(struct sock *, u8); + void (*cwnd_event)(struct sock *, enum tcp_ca_event); + void (*in_ack_event)(struct sock *, u32); + u32 (*undo_cwnd)(struct sock *); + void (*pkts_acked)(struct sock *, const struct ack_sample *); + u32 (*min_tso_segs)(struct sock *); + u32 (*sndbuf_expand)(struct sock *); + void (*cong_control)(struct sock *, const struct rate_sample *); + size_t (*get_info)(struct sock *, u32, int *, union tcp_cc_info *); + char name[16]; + struct module *owner; +}; + +struct fib_notifier_ops { + int family; + struct list_head list; + unsigned int (*fib_seq_read)(struct net *); + int (*fib_dump)(struct net *, struct notifier_block *, struct netlink_ext_ack *); + struct module *owner; + struct callback_head rcu; +}; + +struct xfrm_state; + +struct lwtunnel_state; + +struct dst_entry { + struct net_device *dev; + struct dst_ops *ops; + long unsigned int _metrics; + long unsigned int expires; + struct xfrm_state *xfrm; + int (*input)(struct sk_buff *); + int (*output)(struct net *, struct sock *, struct sk_buff *); + short unsigned int flags; + short int obsolete; + short unsigned int header_len; + short unsigned int trailer_len; + atomic_t __refcnt; + int __use; + long unsigned int lastuse; + struct lwtunnel_state *lwtstate; + struct callback_head callback_head; + short int error; + short int __pad; + __u32 tclassid; +}; + +struct hh_cache { + unsigned int hh_len; + seqlock_t hh_lock; + long unsigned int hh_data[12]; +}; + +struct neigh_table; + +struct neigh_parms; + +struct neigh_ops; + +struct neighbour { + struct neighbour *next; + struct neigh_table *tbl; + struct neigh_parms *parms; + long unsigned int confirmed; + long unsigned int updated; + rwlock_t lock; + refcount_t refcnt; + unsigned int arp_queue_len_bytes; + struct sk_buff_head arp_queue; + struct timer_list timer; + long unsigned int used; + atomic_t probes; + __u8 flags; + __u8 nud_state; + __u8 type; + __u8 dead; + u8 protocol; + seqlock_t ha_lock; + int: 32; + unsigned char ha[32]; + struct hh_cache hh; + int (*output)(struct neighbour *, struct sk_buff *); + const struct neigh_ops *ops; + struct list_head gc_list; + struct callback_head rcu; + struct net_device *dev; + u8 primary_key[0]; +}; + +struct ipv6_stable_secret { + bool initialized; + struct in6_addr secret; +}; + +struct ipv6_devconf { + __s32 forwarding; + __s32 hop_limit; + __s32 mtu6; + __s32 accept_ra; + __s32 accept_redirects; + __s32 autoconf; + __s32 dad_transmits; + __s32 rtr_solicits; + __s32 rtr_solicit_interval; + __s32 rtr_solicit_max_interval; + __s32 rtr_solicit_delay; + __s32 force_mld_version; + __s32 mldv1_unsolicited_report_interval; + __s32 mldv2_unsolicited_report_interval; + __s32 use_tempaddr; + __s32 temp_valid_lft; + __s32 temp_prefered_lft; + __s32 regen_max_retry; + __s32 max_desync_factor; + __s32 max_addresses; + __s32 accept_ra_defrtr; + __s32 accept_ra_min_hop_limit; + __s32 accept_ra_pinfo; + __s32 ignore_routes_with_linkdown; + __s32 proxy_ndp; + __s32 accept_source_route; + __s32 accept_ra_from_local; + __s32 disable_ipv6; + __s32 drop_unicast_in_l2_multicast; + __s32 accept_dad; + __s32 force_tllao; + __s32 ndisc_notify; + __s32 suppress_frag_ndisc; + __s32 accept_ra_mtu; + __s32 drop_unsolicited_na; + struct ipv6_stable_secret stable_secret; + __s32 use_oif_addrs_only; + __s32 keep_addr_on_down; + __s32 seg6_enabled; + __u32 enhanced_dad; + __u32 addr_gen_mode; + __s32 disable_policy; + __s32 ndisc_tclass; + struct ctl_table_header *sysctl_header; +}; + +struct nf_queue_entry; + +struct nf_queue_handler { + int (*outfn)(struct nf_queue_entry *, unsigned int); + void (*nf_hook_drop)(struct net *); +}; + +enum nf_log_type { + NF_LOG_TYPE_LOG = 0, + NF_LOG_TYPE_ULOG = 1, + NF_LOG_TYPE_MAX = 2, +}; + +typedef u8 u_int8_t; + +struct nf_loginfo; + +typedef void nf_logfn(struct net *, u_int8_t, unsigned int, const struct sk_buff *, const struct net_device *, const struct net_device *, const struct nf_loginfo *, const char *); + +struct nf_logger { + char *name; + enum nf_log_type type; + nf_logfn *logfn; + struct module *me; +}; + +struct hlist_nulls_head { + struct hlist_nulls_node *first; +}; + +struct ct_pcpu { + spinlock_t lock; + struct hlist_nulls_head unconfirmed; + struct hlist_nulls_head dying; +}; + +struct ip_conntrack_stat { + unsigned int found; + unsigned int invalid; + unsigned int ignore; + unsigned int insert; + unsigned int insert_failed; + unsigned int drop; + unsigned int early_drop; + unsigned int error; + unsigned int expect_new; + unsigned int expect_create; + unsigned int expect_delete; + unsigned int search_restart; +}; + +typedef enum { + SS_FREE = 0, + SS_UNCONNECTED = 1, + SS_CONNECTING = 2, + SS_CONNECTED = 3, + SS_DISCONNECTING = 4, +} socket_state; + +struct socket_wq { + wait_queue_head_t wait; + struct fasync_struct *fasync_list; + long unsigned int flags; + struct callback_head rcu; + long: 64; +}; + +struct proto_ops; + +struct socket { + socket_state state; + short int type; + long unsigned int flags; + struct file *file; + struct sock *sk; + const struct proto_ops *ops; + long: 64; + long: 64; + long: 64; + struct socket_wq wq; +}; + +typedef int (*sk_read_actor_t)(read_descriptor_t *, struct sk_buff *, unsigned int, size_t); + +struct proto_ops { + int family; + struct module *owner; + int (*release)(struct socket *); + int (*bind)(struct socket *, struct sockaddr *, int); + int (*connect)(struct socket *, struct sockaddr *, int, int); + int (*socketpair)(struct socket *, struct socket *); + int (*accept)(struct socket *, struct socket *, int, bool); + int (*getname)(struct socket *, struct sockaddr *, int); + __poll_t (*poll)(struct file *, struct socket *, struct poll_table_struct *); + int (*ioctl)(struct socket *, unsigned int, long unsigned int); + int (*compat_ioctl)(struct socket *, unsigned int, long unsigned int); + int (*gettstamp)(struct socket *, void *, bool, bool); + int (*listen)(struct socket *, int); + int (*shutdown)(struct socket *, int); + int (*setsockopt)(struct socket *, int, int, char *, unsigned int); + int (*getsockopt)(struct socket *, int, int, char *, int *); + int (*compat_setsockopt)(struct socket *, int, int, char *, unsigned int); + int (*compat_getsockopt)(struct socket *, int, int, char *, int *); + int (*sendmsg)(struct socket *, struct msghdr *, size_t); + int (*recvmsg)(struct socket *, struct msghdr *, size_t, int); + int (*mmap)(struct file *, struct socket *, struct vm_area_struct *); + ssize_t (*sendpage)(struct socket *, struct page *, int, size_t, int); + ssize_t (*splice_read)(struct socket *, loff_t *, struct pipe_inode_info *, size_t, unsigned int); + int (*set_peek_off)(struct sock *, int); + int (*peek_len)(struct socket *); + int (*read_sock)(struct sock *, read_descriptor_t *, sk_read_actor_t); + int (*sendpage_locked)(struct sock *, struct page *, int, size_t, int); + int (*sendmsg_locked)(struct sock *, struct msghdr *, size_t); + int (*set_rcvlowat)(struct sock *, int); +}; + +struct pipe_buf_operations; + +struct pipe_buffer { + struct page *page; + unsigned int offset; + unsigned int len; + const struct pipe_buf_operations *ops; + unsigned int flags; + long unsigned int private; +}; + +struct pipe_buf_operations { + int (*confirm)(struct pipe_inode_info *, struct pipe_buffer *); + void (*release)(struct pipe_inode_info *, struct pipe_buffer *); + int (*steal)(struct pipe_inode_info *, struct pipe_buffer *); + bool (*get)(struct pipe_inode_info *, struct pipe_buffer *); +}; + +struct skb_ext { + refcount_t refcnt; + u8 offset[1]; + u8 chunks; + short: 16; + char data[0]; +}; + +struct dql { + unsigned int num_queued; + unsigned int adj_limit; + unsigned int last_obj_cnt; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + unsigned int limit; + unsigned int num_completed; + unsigned int prev_ovlimit; + unsigned int prev_num_queued; + unsigned int prev_last_obj_cnt; + unsigned int lowest_slack; + long unsigned int slack_start_time; + unsigned int max_limit; + unsigned int min_limit; + unsigned int slack_hold_time; + long: 32; + long: 64; + long: 64; +}; + +struct ethtool_drvinfo { + __u32 cmd; + char driver[32]; + char version[32]; + char fw_version[32]; + char bus_info[32]; + char erom_version[32]; + char reserved2[12]; + __u32 n_priv_flags; + __u32 n_stats; + __u32 testinfo_len; + __u32 eedump_len; + __u32 regdump_len; +}; + +struct ethtool_wolinfo { + __u32 cmd; + __u32 supported; + __u32 wolopts; + __u8 sopass[6]; +}; + +struct ethtool_tunable { + __u32 cmd; + __u32 id; + __u32 type_id; + __u32 len; + void *data[0]; +}; + +struct ethtool_regs { + __u32 cmd; + __u32 version; + __u32 len; + __u8 data[0]; +}; + +struct ethtool_eeprom { + __u32 cmd; + __u32 magic; + __u32 offset; + __u32 len; + __u8 data[0]; +}; + +struct ethtool_eee { + __u32 cmd; + __u32 supported; + __u32 advertised; + __u32 lp_advertised; + __u32 eee_active; + __u32 eee_enabled; + __u32 tx_lpi_enabled; + __u32 tx_lpi_timer; + __u32 reserved[2]; +}; + +struct ethtool_modinfo { + __u32 cmd; + __u32 type; + __u32 eeprom_len; + __u32 reserved[8]; +}; + +struct ethtool_coalesce { + __u32 cmd; + __u32 rx_coalesce_usecs; + __u32 rx_max_coalesced_frames; + __u32 rx_coalesce_usecs_irq; + __u32 rx_max_coalesced_frames_irq; + __u32 tx_coalesce_usecs; + __u32 tx_max_coalesced_frames; + __u32 tx_coalesce_usecs_irq; + __u32 tx_max_coalesced_frames_irq; + __u32 stats_block_coalesce_usecs; + __u32 use_adaptive_rx_coalesce; + __u32 use_adaptive_tx_coalesce; + __u32 pkt_rate_low; + __u32 rx_coalesce_usecs_low; + __u32 rx_max_coalesced_frames_low; + __u32 tx_coalesce_usecs_low; + __u32 tx_max_coalesced_frames_low; + __u32 pkt_rate_high; + __u32 rx_coalesce_usecs_high; + __u32 rx_max_coalesced_frames_high; + __u32 tx_coalesce_usecs_high; + __u32 tx_max_coalesced_frames_high; + __u32 rate_sample_interval; +}; + +struct ethtool_ringparam { + __u32 cmd; + __u32 rx_max_pending; + __u32 rx_mini_max_pending; + __u32 rx_jumbo_max_pending; + __u32 tx_max_pending; + __u32 rx_pending; + __u32 rx_mini_pending; + __u32 rx_jumbo_pending; + __u32 tx_pending; +}; + +struct ethtool_channels { + __u32 cmd; + __u32 max_rx; + __u32 max_tx; + __u32 max_other; + __u32 max_combined; + __u32 rx_count; + __u32 tx_count; + __u32 other_count; + __u32 combined_count; +}; + +struct ethtool_pauseparam { + __u32 cmd; + __u32 autoneg; + __u32 rx_pause; + __u32 tx_pause; +}; + +struct ethtool_test { + __u32 cmd; + __u32 flags; + __u32 reserved; + __u32 len; + __u64 data[0]; +}; + +struct ethtool_stats { + __u32 cmd; + __u32 n_stats; + __u64 data[0]; +}; + +struct ethtool_tcpip4_spec { + __be32 ip4src; + __be32 ip4dst; + __be16 psrc; + __be16 pdst; + __u8 tos; +}; + +struct ethtool_ah_espip4_spec { + __be32 ip4src; + __be32 ip4dst; + __be32 spi; + __u8 tos; +}; + +struct ethtool_usrip4_spec { + __be32 ip4src; + __be32 ip4dst; + __be32 l4_4_bytes; + __u8 tos; + __u8 ip_ver; + __u8 proto; +}; + +struct ethtool_tcpip6_spec { + __be32 ip6src[4]; + __be32 ip6dst[4]; + __be16 psrc; + __be16 pdst; + __u8 tclass; +}; + +struct ethtool_ah_espip6_spec { + __be32 ip6src[4]; + __be32 ip6dst[4]; + __be32 spi; + __u8 tclass; +}; + +struct ethtool_usrip6_spec { + __be32 ip6src[4]; + __be32 ip6dst[4]; + __be32 l4_4_bytes; + __u8 tclass; + __u8 l4_proto; +}; + +union ethtool_flow_union { + struct ethtool_tcpip4_spec tcp_ip4_spec; + struct ethtool_tcpip4_spec udp_ip4_spec; + struct ethtool_tcpip4_spec sctp_ip4_spec; + struct ethtool_ah_espip4_spec ah_ip4_spec; + struct ethtool_ah_espip4_spec esp_ip4_spec; + struct ethtool_usrip4_spec usr_ip4_spec; + struct ethtool_tcpip6_spec tcp_ip6_spec; + struct ethtool_tcpip6_spec udp_ip6_spec; + struct ethtool_tcpip6_spec sctp_ip6_spec; + struct ethtool_ah_espip6_spec ah_ip6_spec; + struct ethtool_ah_espip6_spec esp_ip6_spec; + struct ethtool_usrip6_spec usr_ip6_spec; + struct ethhdr ether_spec; + __u8 hdata[52]; +}; + +struct ethtool_flow_ext { + __u8 padding[2]; + unsigned char h_dest[6]; + __be16 vlan_etype; + __be16 vlan_tci; + __be32 data[2]; +}; + +struct ethtool_rx_flow_spec { + __u32 flow_type; + union ethtool_flow_union h_u; + struct ethtool_flow_ext h_ext; + union ethtool_flow_union m_u; + struct ethtool_flow_ext m_ext; + __u64 ring_cookie; + __u32 location; +}; + +struct ethtool_rxnfc { + __u32 cmd; + __u32 flow_type; + __u64 data; + struct ethtool_rx_flow_spec fs; + union { + __u32 rule_cnt; + __u32 rss_context; + }; + __u32 rule_locs[0]; +}; + +struct ethtool_flash { + __u32 cmd; + __u32 region; + char data[128]; +}; + +struct ethtool_dump { + __u32 cmd; + __u32 version; + __u32 flag; + __u32 len; + __u8 data[0]; +}; + +struct ethtool_ts_info { + __u32 cmd; + __u32 so_timestamping; + __s32 phc_index; + __u32 tx_types; + __u32 tx_reserved[3]; + __u32 rx_filters; + __u32 rx_reserved[3]; +}; + +struct ethtool_fecparam { + __u32 cmd; + __u32 active_fec; + __u32 fec; + __u32 reserved; +}; + +struct ethtool_link_settings { + __u32 cmd; + __u32 speed; + __u8 duplex; + __u8 port; + __u8 phy_address; + __u8 autoneg; + __u8 mdio_support; + __u8 eth_tp_mdix; + __u8 eth_tp_mdix_ctrl; + __s8 link_mode_masks_nwords; + __u8 transceiver; + __u8 reserved1[3]; + __u32 reserved[7]; + __u32 link_mode_masks[0]; +}; + +enum ethtool_phys_id_state { + ETHTOOL_ID_INACTIVE = 0, + ETHTOOL_ID_ACTIVE = 1, + ETHTOOL_ID_ON = 2, + ETHTOOL_ID_OFF = 3, +}; + +struct ethtool_link_ksettings { + struct ethtool_link_settings base; + struct { + long unsigned int supported[2]; + long unsigned int advertising[2]; + long unsigned int lp_advertising[2]; + } link_modes; +}; + +struct ethtool_ops { + void (*get_drvinfo)(struct net_device *, struct ethtool_drvinfo *); + int (*get_regs_len)(struct net_device *); + void (*get_regs)(struct net_device *, struct ethtool_regs *, void *); + void (*get_wol)(struct net_device *, struct ethtool_wolinfo *); + int (*set_wol)(struct net_device *, struct ethtool_wolinfo *); + u32 (*get_msglevel)(struct net_device *); + void (*set_msglevel)(struct net_device *, u32); + int (*nway_reset)(struct net_device *); + u32 (*get_link)(struct net_device *); + int (*get_eeprom_len)(struct net_device *); + int (*get_eeprom)(struct net_device *, struct ethtool_eeprom *, u8 *); + int (*set_eeprom)(struct net_device *, struct ethtool_eeprom *, u8 *); + int (*get_coalesce)(struct net_device *, struct ethtool_coalesce *); + int (*set_coalesce)(struct net_device *, struct ethtool_coalesce *); + void (*get_ringparam)(struct net_device *, struct ethtool_ringparam *); + int (*set_ringparam)(struct net_device *, struct ethtool_ringparam *); + void (*get_pauseparam)(struct net_device *, struct ethtool_pauseparam *); + int (*set_pauseparam)(struct net_device *, struct ethtool_pauseparam *); + void (*self_test)(struct net_device *, struct ethtool_test *, u64 *); + void (*get_strings)(struct net_device *, u32, u8 *); + int (*set_phys_id)(struct net_device *, enum ethtool_phys_id_state); + void (*get_ethtool_stats)(struct net_device *, struct ethtool_stats *, u64 *); + int (*begin)(struct net_device *); + void (*complete)(struct net_device *); + u32 (*get_priv_flags)(struct net_device *); + int (*set_priv_flags)(struct net_device *, u32); + int (*get_sset_count)(struct net_device *, int); + int (*get_rxnfc)(struct net_device *, struct ethtool_rxnfc *, u32 *); + int (*set_rxnfc)(struct net_device *, struct ethtool_rxnfc *); + int (*flash_device)(struct net_device *, struct ethtool_flash *); + int (*reset)(struct net_device *, u32 *); + u32 (*get_rxfh_key_size)(struct net_device *); + u32 (*get_rxfh_indir_size)(struct net_device *); + int (*get_rxfh)(struct net_device *, u32 *, u8 *, u8 *); + int (*set_rxfh)(struct net_device *, const u32 *, const u8 *, const u8); + int (*get_rxfh_context)(struct net_device *, u32 *, u8 *, u8 *, u32); + int (*set_rxfh_context)(struct net_device *, const u32 *, const u8 *, const u8, u32 *, bool); + void (*get_channels)(struct net_device *, struct ethtool_channels *); + int (*set_channels)(struct net_device *, struct ethtool_channels *); + int (*get_dump_flag)(struct net_device *, struct ethtool_dump *); + int (*get_dump_data)(struct net_device *, struct ethtool_dump *, void *); + int (*set_dump)(struct net_device *, struct ethtool_dump *); + int (*get_ts_info)(struct net_device *, struct ethtool_ts_info *); + int (*get_module_info)(struct net_device *, struct ethtool_modinfo *); + int (*get_module_eeprom)(struct net_device *, struct ethtool_eeprom *, u8 *); + int (*get_eee)(struct net_device *, struct ethtool_eee *); + int (*set_eee)(struct net_device *, struct ethtool_eee *); + int (*get_tunable)(struct net_device *, const struct ethtool_tunable *, void *); + int (*set_tunable)(struct net_device *, const struct ethtool_tunable *, const void *); + int (*get_per_queue_coalesce)(struct net_device *, u32, struct ethtool_coalesce *); + int (*set_per_queue_coalesce)(struct net_device *, u32, struct ethtool_coalesce *); + int (*get_link_ksettings)(struct net_device *, struct ethtool_link_ksettings *); + int (*set_link_ksettings)(struct net_device *, const struct ethtool_link_ksettings *); + int (*get_fecparam)(struct net_device *, struct ethtool_fecparam *); + int (*set_fecparam)(struct net_device *, struct ethtool_fecparam *); + void (*get_ethtool_phy_stats)(struct net_device *, struct ethtool_stats *, u64 *); +}; + +struct xdp_mem_info { + u32 type; + u32 id; +}; + +struct xdp_rxq_info { + struct net_device *dev; + u32 queue_index; + u32 reg_state; + struct xdp_mem_info mem; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct xdp_frame { + void *data; + u16 len; + u16 headroom; + u16 metasize; + struct xdp_mem_info mem; + struct net_device *dev_rx; +}; + +struct nlmsghdr { + __u32 nlmsg_len; + __u16 nlmsg_type; + __u16 nlmsg_flags; + __u32 nlmsg_seq; + __u32 nlmsg_pid; +}; + +struct nlattr { + __u16 nla_len; + __u16 nla_type; +}; + +struct netlink_ext_ack { + const char *_msg; + const struct nlattr *bad_attr; + u8 cookie[20]; + u8 cookie_len; +}; + +struct netlink_callback { + struct sk_buff *skb; + const struct nlmsghdr *nlh; + int (*dump)(struct sk_buff *, struct netlink_callback *); + int (*done)(struct netlink_callback *); + void *data; + struct module *module; + struct netlink_ext_ack *extack; + u16 family; + u16 min_dump_alloc; + bool strict_check; + u16 answer_flags; + unsigned int prev_seq; + unsigned int seq; + union { + u8 ctx[48]; + long int args[6]; + }; +}; + +struct ndmsg { + __u8 ndm_family; + __u8 ndm_pad1; + __u16 ndm_pad2; + __s32 ndm_ifindex; + __u16 ndm_state; + __u8 ndm_flags; + __u8 ndm_type; +}; + +struct rtnl_link_stats64 { + __u64 rx_packets; + __u64 tx_packets; + __u64 rx_bytes; + __u64 tx_bytes; + __u64 rx_errors; + __u64 tx_errors; + __u64 rx_dropped; + __u64 tx_dropped; + __u64 multicast; + __u64 collisions; + __u64 rx_length_errors; + __u64 rx_over_errors; + __u64 rx_crc_errors; + __u64 rx_frame_errors; + __u64 rx_fifo_errors; + __u64 rx_missed_errors; + __u64 tx_aborted_errors; + __u64 tx_carrier_errors; + __u64 tx_fifo_errors; + __u64 tx_heartbeat_errors; + __u64 tx_window_errors; + __u64 rx_compressed; + __u64 tx_compressed; + __u64 rx_nohandler; +}; + +struct ifla_vf_guid { + __u32 vf; + __u64 guid; +}; + +struct ifla_vf_stats { + __u64 rx_packets; + __u64 tx_packets; + __u64 rx_bytes; + __u64 tx_bytes; + __u64 broadcast; + __u64 multicast; + __u64 rx_dropped; + __u64 tx_dropped; +}; + +struct ifla_vf_info { + __u32 vf; + __u8 mac[32]; + __u32 vlan; + __u32 qos; + __u32 spoofchk; + __u32 linkstate; + __u32 min_tx_rate; + __u32 max_tx_rate; + __u32 rss_query_en; + __u32 trusted; + __be16 vlan_proto; +}; + +struct tc_stats { + __u64 bytes; + __u32 packets; + __u32 drops; + __u32 overlimits; + __u32 bps; + __u32 pps; + __u32 qlen; + __u32 backlog; +}; + +struct tc_sizespec { + unsigned char cell_log; + unsigned char size_log; + short int cell_align; + int overhead; + unsigned int linklayer; + unsigned int mpu; + unsigned int mtu; + unsigned int tsize; +}; + +enum netdev_tx { + __NETDEV_TX_MIN = -2147483648, + NETDEV_TX_OK = 0, + NETDEV_TX_BUSY = 16, +}; + +typedef enum netdev_tx netdev_tx_t; + +struct header_ops { + int (*create)(struct sk_buff *, struct net_device *, short unsigned int, const void *, const void *, unsigned int); + int (*parse)(const struct sk_buff *, unsigned char *); + int (*cache)(const struct neighbour *, struct hh_cache *, __be16); + void (*cache_update)(struct hh_cache *, const struct net_device *, const unsigned char *); + bool (*validate)(const char *, unsigned int); + __be16 (*parse_protocol)(const struct sk_buff *); +}; + +struct gro_list { + struct list_head list; + int count; +}; + +struct napi_struct { + struct list_head poll_list; + long unsigned int state; + int weight; + long unsigned int gro_bitmask; + int (*poll)(struct napi_struct *, int); + int poll_owner; + struct net_device *dev; + struct gro_list gro_hash[8]; + struct sk_buff *skb; + struct list_head rx_list; + int rx_count; + struct hrtimer timer; + struct list_head dev_list; + struct hlist_node napi_hash_node; + unsigned int napi_id; +}; + +struct netdev_queue { + struct net_device *dev; + struct Qdisc *qdisc; + struct Qdisc *qdisc_sleeping; + struct kobject kobj; + int numa_node; + long unsigned int tx_maxrate; + long unsigned int trans_timeout; + struct net_device *sb_dev; + long: 64; + spinlock_t _xmit_lock; + int xmit_lock_owner; + long unsigned int trans_start; + long unsigned int state; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct dql dql; +}; + +struct qdisc_skb_head { + struct sk_buff *head; + struct sk_buff *tail; + __u32 qlen; + spinlock_t lock; +}; + +struct gnet_stats_basic_packed { + __u64 bytes; + __u64 packets; +}; + +struct gnet_stats_queue { + __u32 qlen; + __u32 backlog; + __u32 drops; + __u32 requeues; + __u32 overlimits; +}; + +struct Qdisc_ops; + +struct qdisc_size_table; + +struct net_rate_estimator; + +struct gnet_stats_basic_cpu; + +struct Qdisc { + int (*enqueue)(struct sk_buff *, struct Qdisc *, struct sk_buff **); + struct sk_buff * (*dequeue)(struct Qdisc *); + unsigned int flags; + u32 limit; + const struct Qdisc_ops *ops; + struct qdisc_size_table *stab; + struct hlist_node hash; + u32 handle; + u32 parent; + struct netdev_queue *dev_queue; + struct net_rate_estimator *rate_est; + struct gnet_stats_basic_cpu *cpu_bstats; + struct gnet_stats_queue *cpu_qstats; + int padded; + refcount_t refcnt; + long: 64; + long: 64; + long: 64; + struct sk_buff_head gso_skb; + struct qdisc_skb_head q; + struct gnet_stats_basic_packed bstats; + seqcount_t running; + struct gnet_stats_queue qstats; + long unsigned int state; + struct Qdisc *next_sched; + struct sk_buff_head skb_bad_txq; + spinlock_t busylock; + spinlock_t seqlock; + bool empty; + struct callback_head rcu; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct rps_map { + unsigned int len; + struct callback_head rcu; + u16 cpus[0]; +}; + +struct rps_dev_flow { + u16 cpu; + u16 filter; + unsigned int last_qtail; +}; + +struct rps_dev_flow_table { + unsigned int mask; + struct callback_head rcu; + struct rps_dev_flow flows[0]; +}; + +struct rps_sock_flow_table { + u32 mask; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + u32 ents[0]; +}; + +struct netdev_rx_queue { + struct rps_map *rps_map; + struct rps_dev_flow_table *rps_flow_table; + struct kobject kobj; + struct net_device *dev; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct xdp_rxq_info xdp_rxq; +}; + +struct xps_map { + unsigned int len; + unsigned int alloc_len; + struct callback_head rcu; + u16 queues[0]; +}; + +struct xps_dev_maps { + struct callback_head rcu; + struct xps_map *attr_map[0]; +}; + +struct netdev_phys_item_id { + unsigned char id[32]; + unsigned char id_len; +}; + +enum tc_setup_type { + TC_SETUP_QDISC_MQPRIO = 0, + TC_SETUP_CLSU32 = 1, + TC_SETUP_CLSFLOWER = 2, + TC_SETUP_CLSMATCHALL = 3, + TC_SETUP_CLSBPF = 4, + TC_SETUP_BLOCK = 5, + TC_SETUP_QDISC_CBS = 6, + TC_SETUP_QDISC_RED = 7, + TC_SETUP_QDISC_PRIO = 8, + TC_SETUP_QDISC_MQ = 9, + TC_SETUP_QDISC_ETF = 10, + TC_SETUP_ROOT_QDISC = 11, + TC_SETUP_QDISC_GRED = 12, + TC_SETUP_QDISC_TAPRIO = 13, + TC_SETUP_FT = 14, +}; + +enum bpf_netdev_command { + XDP_SETUP_PROG = 0, + XDP_SETUP_PROG_HW = 1, + XDP_QUERY_PROG = 2, + XDP_QUERY_PROG_HW = 3, + BPF_OFFLOAD_MAP_ALLOC = 4, + BPF_OFFLOAD_MAP_FREE = 5, + XDP_SETUP_XSK_UMEM = 6, +}; + +struct xdp_umem; + +struct netdev_bpf { + enum bpf_netdev_command command; + union { + struct { + u32 flags; + struct bpf_prog *prog; + struct netlink_ext_ack *extack; + }; + struct { + u32 prog_id; + u32 prog_flags; + }; + struct { + struct bpf_offloaded_map *offmap; + }; + struct { + struct xdp_umem *umem; + u16 queue_id; + } xsk; + }; +}; + +struct dev_ifalias { + struct callback_head rcuhead; + char ifalias[0]; +}; + +struct netdev_name_node { + struct hlist_node hlist; + struct list_head list; + struct net_device *dev; + const char *name; +}; + +struct udp_tunnel_info; + +struct devlink_port; + +struct net_device_ops { + int (*ndo_init)(struct net_device *); + void (*ndo_uninit)(struct net_device *); + int (*ndo_open)(struct net_device *); + int (*ndo_stop)(struct net_device *); + netdev_tx_t (*ndo_start_xmit)(struct sk_buff *, struct net_device *); + netdev_features_t (*ndo_features_check)(struct sk_buff *, struct net_device *, netdev_features_t); + u16 (*ndo_select_queue)(struct net_device *, struct sk_buff *, struct net_device *); + void (*ndo_change_rx_flags)(struct net_device *, int); + void (*ndo_set_rx_mode)(struct net_device *); + int (*ndo_set_mac_address)(struct net_device *, void *); + int (*ndo_validate_addr)(struct net_device *); + int (*ndo_do_ioctl)(struct net_device *, struct ifreq *, int); + int (*ndo_set_config)(struct net_device *, struct ifmap *); + int (*ndo_change_mtu)(struct net_device *, int); + int (*ndo_neigh_setup)(struct net_device *, struct neigh_parms *); + void (*ndo_tx_timeout)(struct net_device *); + void (*ndo_get_stats64)(struct net_device *, struct rtnl_link_stats64 *); + bool (*ndo_has_offload_stats)(const struct net_device *, int); + int (*ndo_get_offload_stats)(int, const struct net_device *, void *); + struct net_device_stats * (*ndo_get_stats)(struct net_device *); + int (*ndo_vlan_rx_add_vid)(struct net_device *, __be16, u16); + int (*ndo_vlan_rx_kill_vid)(struct net_device *, __be16, u16); + void (*ndo_poll_controller)(struct net_device *); + int (*ndo_netpoll_setup)(struct net_device *, struct netpoll_info *); + void (*ndo_netpoll_cleanup)(struct net_device *); + int (*ndo_set_vf_mac)(struct net_device *, int, u8 *); + int (*ndo_set_vf_vlan)(struct net_device *, int, u16, u8, __be16); + int (*ndo_set_vf_rate)(struct net_device *, int, int, int); + int (*ndo_set_vf_spoofchk)(struct net_device *, int, bool); + int (*ndo_set_vf_trust)(struct net_device *, int, bool); + int (*ndo_get_vf_config)(struct net_device *, int, struct ifla_vf_info *); + int (*ndo_set_vf_link_state)(struct net_device *, int, int); + int (*ndo_get_vf_stats)(struct net_device *, int, struct ifla_vf_stats *); + int (*ndo_set_vf_port)(struct net_device *, int, struct nlattr **); + int (*ndo_get_vf_port)(struct net_device *, int, struct sk_buff *); + int (*ndo_get_vf_guid)(struct net_device *, int, struct ifla_vf_guid *, struct ifla_vf_guid *); + int (*ndo_set_vf_guid)(struct net_device *, int, u64, int); + int (*ndo_set_vf_rss_query_en)(struct net_device *, int, bool); + int (*ndo_setup_tc)(struct net_device *, enum tc_setup_type, void *); + int (*ndo_rx_flow_steer)(struct net_device *, const struct sk_buff *, u16, u32); + int (*ndo_add_slave)(struct net_device *, struct net_device *, struct netlink_ext_ack *); + int (*ndo_del_slave)(struct net_device *, struct net_device *); + netdev_features_t (*ndo_fix_features)(struct net_device *, netdev_features_t); + int (*ndo_set_features)(struct net_device *, netdev_features_t); + int (*ndo_neigh_construct)(struct net_device *, struct neighbour *); + void (*ndo_neigh_destroy)(struct net_device *, struct neighbour *); + int (*ndo_fdb_add)(struct ndmsg *, struct nlattr **, struct net_device *, const unsigned char *, u16, u16, struct netlink_ext_ack *); + int (*ndo_fdb_del)(struct ndmsg *, struct nlattr **, struct net_device *, const unsigned char *, u16); + int (*ndo_fdb_dump)(struct sk_buff *, struct netlink_callback *, struct net_device *, struct net_device *, int *); + int (*ndo_fdb_get)(struct sk_buff *, struct nlattr **, struct net_device *, const unsigned char *, u16, u32, u32, struct netlink_ext_ack *); + int (*ndo_bridge_setlink)(struct net_device *, struct nlmsghdr *, u16, struct netlink_ext_ack *); + int (*ndo_bridge_getlink)(struct sk_buff *, u32, u32, struct net_device *, u32, int); + int (*ndo_bridge_dellink)(struct net_device *, struct nlmsghdr *, u16); + int (*ndo_change_carrier)(struct net_device *, bool); + int (*ndo_get_phys_port_id)(struct net_device *, struct netdev_phys_item_id *); + int (*ndo_get_port_parent_id)(struct net_device *, struct netdev_phys_item_id *); + int (*ndo_get_phys_port_name)(struct net_device *, char *, size_t); + void (*ndo_udp_tunnel_add)(struct net_device *, struct udp_tunnel_info *); + void (*ndo_udp_tunnel_del)(struct net_device *, struct udp_tunnel_info *); + void * (*ndo_dfwd_add_station)(struct net_device *, struct net_device *); + void (*ndo_dfwd_del_station)(struct net_device *, void *); + int (*ndo_set_tx_maxrate)(struct net_device *, int, u32); + int (*ndo_get_iflink)(const struct net_device *); + int (*ndo_change_proto_down)(struct net_device *, bool); + int (*ndo_fill_metadata_dst)(struct net_device *, struct sk_buff *); + void (*ndo_set_rx_headroom)(struct net_device *, int); + int (*ndo_bpf)(struct net_device *, struct netdev_bpf *); + int (*ndo_xdp_xmit)(struct net_device *, int, struct xdp_frame **, u32); + int (*ndo_xsk_wakeup)(struct net_device *, u32, u32); + struct devlink_port * (*ndo_get_devlink_port)(struct net_device *); +}; + +struct neigh_parms { + possible_net_t net; + struct net_device *dev; + struct list_head list; + int (*neigh_setup)(struct neighbour *); + struct neigh_table *tbl; + void *sysctl_table; + int dead; + refcount_t refcnt; + struct callback_head callback_head; + int reachable_time; + int data[13]; + long unsigned int data_state[1]; +}; + +struct pcpu_lstats { + u64_stats_t packets; + u64_stats_t bytes; + struct u64_stats_sync syncp; +}; + +struct pcpu_sw_netstats { + u64 rx_packets; + u64 rx_bytes; + u64 tx_packets; + u64 tx_bytes; + struct u64_stats_sync syncp; +}; + +struct nd_opt_hdr; + +struct ndisc_options; + +struct prefix_info; + +struct ndisc_ops { + int (*is_useropt)(u8); + int (*parse_options)(const struct net_device *, struct nd_opt_hdr *, struct ndisc_options *); + void (*update)(const struct net_device *, struct neighbour *, u32, u8, const struct ndisc_options *); + int (*opt_addr_space)(const struct net_device *, u8, struct neighbour *, u8 *, u8 **); + void (*fill_addr_option)(const struct net_device *, struct sk_buff *, u8, const u8 *); + void (*prefix_rcv_add_addr)(struct net *, struct net_device *, const struct prefix_info *, struct inet6_dev *, struct in6_addr *, int, u32, bool, bool, __u32, u32, bool); +}; + +struct ipv6_devstat { + struct proc_dir_entry *proc_dir_entry; + struct ipstats_mib *ipv6; + struct icmpv6_mib_device *icmpv6dev; + struct icmpv6msg_mib_device *icmpv6msgdev; +}; + +struct ifmcaddr6; + +struct ifacaddr6; + +struct inet6_dev { + struct net_device *dev; + struct list_head addr_list; + struct ifmcaddr6 *mc_list; + struct ifmcaddr6 *mc_tomb; + spinlock_t mc_lock; + unsigned char mc_qrv; + unsigned char mc_gq_running; + unsigned char mc_ifc_count; + unsigned char mc_dad_count; + long unsigned int mc_v1_seen; + long unsigned int mc_qi; + long unsigned int mc_qri; + long unsigned int mc_maxdelay; + struct timer_list mc_gq_timer; + struct timer_list mc_ifc_timer; + struct timer_list mc_dad_timer; + struct ifacaddr6 *ac_list; + rwlock_t lock; + refcount_t refcnt; + __u32 if_flags; + int dead; + u32 desync_factor; + u8 rndid[8]; + struct list_head tempaddr_list; + struct in6_addr token; + struct neigh_parms *nd_parms; + struct ipv6_devconf cnf; + struct ipv6_devstat stats; + struct timer_list rs_timer; + __s32 rs_interval; + __u8 rs_probes; + long unsigned int tstamp; + struct callback_head rcu; +}; + +struct tcf_proto; + +struct mini_Qdisc { + struct tcf_proto *filter_list; + struct gnet_stats_basic_cpu *cpu_bstats; + struct gnet_stats_queue *cpu_qstats; + struct callback_head rcu; +}; + +struct rtnl_link_ops { + struct list_head list; + const char *kind; + size_t priv_size; + void (*setup)(struct net_device *); + unsigned int maxtype; + const struct nla_policy *policy; + int (*validate)(struct nlattr **, struct nlattr **, struct netlink_ext_ack *); + int (*newlink)(struct net *, struct net_device *, struct nlattr **, struct nlattr **, struct netlink_ext_ack *); + int (*changelink)(struct net_device *, struct nlattr **, struct nlattr **, struct netlink_ext_ack *); + void (*dellink)(struct net_device *, struct list_head *); + size_t (*get_size)(const struct net_device *); + int (*fill_info)(struct sk_buff *, const struct net_device *); + size_t (*get_xstats_size)(const struct net_device *); + int (*fill_xstats)(struct sk_buff *, const struct net_device *); + unsigned int (*get_num_tx_queues)(); + unsigned int (*get_num_rx_queues)(); + unsigned int slave_maxtype; + const struct nla_policy *slave_policy; + int (*slave_changelink)(struct net_device *, struct net_device *, struct nlattr **, struct nlattr **, struct netlink_ext_ack *); + size_t (*get_slave_size)(const struct net_device *, const struct net_device *); + int (*fill_slave_info)(struct sk_buff *, const struct net_device *, const struct net_device *); + struct net * (*get_link_net)(const struct net_device *); + size_t (*get_linkxstats_size)(const struct net_device *, int); + int (*fill_linkxstats)(struct sk_buff *, const struct net_device *, int *, int); +}; + +struct sd_flow_limit { + u64 count; + unsigned int num_buckets; + unsigned int history_head; + u16 history[128]; + u8 buckets[0]; +}; + +struct softnet_data { + struct list_head poll_list; + struct sk_buff_head process_queue; + unsigned int processed; + unsigned int time_squeeze; + unsigned int received_rps; + struct softnet_data *rps_ipi_list; + struct sd_flow_limit *flow_limit; + struct Qdisc *output_queue; + struct Qdisc **output_queue_tailp; + struct sk_buff *completion_queue; + struct { + u16 recursion; + u8 more; + } xmit; + long: 32; + long: 64; + long: 64; + long: 64; + unsigned int input_queue_head; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + call_single_data_t csd; + struct softnet_data *rps_ipi_next; + unsigned int cpu; + unsigned int input_queue_tail; + unsigned int dropped; + struct sk_buff_head input_pkt_queue; + struct napi_struct backlog; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +enum { + RTAX_UNSPEC = 0, + RTAX_LOCK = 1, + RTAX_MTU = 2, + RTAX_WINDOW = 3, + RTAX_RTT = 4, + RTAX_RTTVAR = 5, + RTAX_SSTHRESH = 6, + RTAX_CWND = 7, + RTAX_ADVMSS = 8, + RTAX_REORDERING = 9, + RTAX_HOPLIMIT = 10, + RTAX_INITCWND = 11, + RTAX_FEATURES = 12, + RTAX_RTO_MIN = 13, + RTAX_INITRWND = 14, + RTAX_QUICKACK = 15, + RTAX_CC_ALGO = 16, + RTAX_FASTOPEN_NO_COOKIE = 17, + __RTAX_MAX = 18, +}; + +struct tcmsg { + unsigned char tcm_family; + unsigned char tcm__pad1; + short unsigned int tcm__pad2; + int tcm_ifindex; + __u32 tcm_handle; + __u32 tcm_parent; + __u32 tcm_info; +}; + +struct gnet_stats_basic_cpu { + struct gnet_stats_basic_packed bstats; + struct u64_stats_sync syncp; +}; + +struct gnet_dump { + spinlock_t *lock; + struct sk_buff *skb; + struct nlattr *tail; + int compat_tc_stats; + int compat_xstats; + int padattr; + void *xstats; + int xstats_len; + struct tc_stats tc_stats; +}; + +struct nla_policy { + u8 type; + u8 validation_type; + u16 len; + union { + const void *validation_data; + struct { + s16 min; + s16 max; + }; + int (*validate)(const struct nlattr *, struct netlink_ext_ack *); + u16 strict_start_type; + }; +}; + +struct nl_info { + struct nlmsghdr *nlh; + struct net *nl_net; + u32 portid; + u8 skip_notify: 1; + u8 skip_notify_kernel: 1; +}; + +struct rhash_lock_head {}; + +struct flow_block { + struct list_head cb_list; +}; + +typedef int flow_setup_cb_t(enum tc_setup_type, void *, void *); + +struct qdisc_size_table { + struct callback_head rcu; + struct list_head list; + struct tc_sizespec szopts; + int refcnt; + u16 data[0]; +}; + +struct Qdisc_class_ops; + +struct Qdisc_ops { + struct Qdisc_ops *next; + const struct Qdisc_class_ops *cl_ops; + char id[16]; + int priv_size; + unsigned int static_flags; + int (*enqueue)(struct sk_buff *, struct Qdisc *, struct sk_buff **); + struct sk_buff * (*dequeue)(struct Qdisc *); + struct sk_buff * (*peek)(struct Qdisc *); + int (*init)(struct Qdisc *, struct nlattr *, struct netlink_ext_ack *); + void (*reset)(struct Qdisc *); + void (*destroy)(struct Qdisc *); + int (*change)(struct Qdisc *, struct nlattr *, struct netlink_ext_ack *); + void (*attach)(struct Qdisc *); + int (*change_tx_queue_len)(struct Qdisc *, unsigned int); + int (*dump)(struct Qdisc *, struct sk_buff *); + int (*dump_stats)(struct Qdisc *, struct gnet_dump *); + void (*ingress_block_set)(struct Qdisc *, u32); + void (*egress_block_set)(struct Qdisc *, u32); + u32 (*ingress_block_get)(struct Qdisc *); + u32 (*egress_block_get)(struct Qdisc *); + struct module *owner; +}; + +struct qdisc_walker; + +struct tcf_block; + +struct Qdisc_class_ops { + unsigned int flags; + struct netdev_queue * (*select_queue)(struct Qdisc *, struct tcmsg *); + int (*graft)(struct Qdisc *, long unsigned int, struct Qdisc *, struct Qdisc **, struct netlink_ext_ack *); + struct Qdisc * (*leaf)(struct Qdisc *, long unsigned int); + void (*qlen_notify)(struct Qdisc *, long unsigned int); + long unsigned int (*find)(struct Qdisc *, u32); + int (*change)(struct Qdisc *, u32, u32, struct nlattr **, long unsigned int *, struct netlink_ext_ack *); + int (*delete)(struct Qdisc *, long unsigned int); + void (*walk)(struct Qdisc *, struct qdisc_walker *); + struct tcf_block * (*tcf_block)(struct Qdisc *, long unsigned int, struct netlink_ext_ack *); + long unsigned int (*bind_tcf)(struct Qdisc *, long unsigned int, u32); + void (*unbind_tcf)(struct Qdisc *, long unsigned int); + int (*dump)(struct Qdisc *, long unsigned int, struct sk_buff *, struct tcmsg *); + int (*dump_stats)(struct Qdisc *, long unsigned int, struct gnet_dump *); +}; + +struct tcf_chain; + +struct tcf_block { + struct mutex lock; + struct list_head chain_list; + u32 index; + refcount_t refcnt; + struct net *net; + struct Qdisc *q; + struct rw_semaphore cb_lock; + struct flow_block flow_block; + struct list_head owner_list; + bool keep_dst; + atomic_t offloadcnt; + unsigned int nooffloaddevcnt; + unsigned int lockeddevcnt; + struct { + struct tcf_chain *chain; + struct list_head filter_chain_list; + } chain0; + struct callback_head rcu; + struct hlist_head proto_destroy_ht[128]; + struct mutex proto_destroy_lock; +}; + +struct tcf_result; + +struct tcf_proto_ops; + +struct tcf_proto { + struct tcf_proto *next; + void *root; + int (*classify)(struct sk_buff *, const struct tcf_proto *, struct tcf_result *); + __be16 protocol; + u32 prio; + void *data; + const struct tcf_proto_ops *ops; + struct tcf_chain *chain; + spinlock_t lock; + bool deleting; + refcount_t refcnt; + struct callback_head rcu; + struct hlist_node destroy_ht_node; +}; + +struct tcf_result { + union { + struct { + long unsigned int class; + u32 classid; + }; + const struct tcf_proto *goto_tp; + struct { + bool ingress; + struct gnet_stats_queue *qstats; + }; + }; +}; + +struct tcf_walker; + +struct tcf_proto_ops { + struct list_head head; + char kind[16]; + int (*classify)(struct sk_buff *, const struct tcf_proto *, struct tcf_result *); + int (*init)(struct tcf_proto *); + void (*destroy)(struct tcf_proto *, bool, struct netlink_ext_ack *); + void * (*get)(struct tcf_proto *, u32); + void (*put)(struct tcf_proto *, void *); + int (*change)(struct net *, struct sk_buff *, struct tcf_proto *, long unsigned int, u32, struct nlattr **, void **, bool, bool, struct netlink_ext_ack *); + int (*delete)(struct tcf_proto *, void *, bool *, bool, struct netlink_ext_ack *); + bool (*delete_empty)(struct tcf_proto *); + void (*walk)(struct tcf_proto *, struct tcf_walker *, bool); + int (*reoffload)(struct tcf_proto *, bool, flow_setup_cb_t *, void *, struct netlink_ext_ack *); + void (*hw_add)(struct tcf_proto *, void *); + void (*hw_del)(struct tcf_proto *, void *); + void (*bind_class)(void *, u32, long unsigned int); + void * (*tmplt_create)(struct net *, struct tcf_chain *, struct nlattr **, struct netlink_ext_ack *); + void (*tmplt_destroy)(void *); + int (*dump)(struct net *, struct tcf_proto *, void *, struct sk_buff *, struct tcmsg *, bool); + int (*tmplt_dump)(struct sk_buff *, struct net *, void *); + struct module *owner; + int flags; +}; + +struct tcf_chain { + struct mutex filter_chain_lock; + struct tcf_proto *filter_chain; + struct list_head list; + struct tcf_block *block; + u32 index; + unsigned int refcnt; + unsigned int action_refcnt; + bool explicitly_created; + bool flushing; + const struct tcf_proto_ops *tmplt_ops; + void *tmplt_priv; + struct callback_head rcu; +}; + +struct sock_fprog_kern { + u16 len; + struct sock_filter *filter; +}; + +struct sk_filter { + refcount_t refcnt; + struct callback_head rcu; + struct bpf_prog *prog; +}; + +struct bpf_redirect_info { + u32 flags; + u32 tgt_index; + void *tgt_value; + struct bpf_map *map; + struct bpf_map *map_to_flush; + u32 kern_flags; +}; + +enum { + NEIGH_VAR_MCAST_PROBES = 0, + NEIGH_VAR_UCAST_PROBES = 1, + NEIGH_VAR_APP_PROBES = 2, + NEIGH_VAR_MCAST_REPROBES = 3, + NEIGH_VAR_RETRANS_TIME = 4, + NEIGH_VAR_BASE_REACHABLE_TIME = 5, + NEIGH_VAR_DELAY_PROBE_TIME = 6, + NEIGH_VAR_GC_STALETIME = 7, + NEIGH_VAR_QUEUE_LEN_BYTES = 8, + NEIGH_VAR_PROXY_QLEN = 9, + NEIGH_VAR_ANYCAST_DELAY = 10, + NEIGH_VAR_PROXY_DELAY = 11, + NEIGH_VAR_LOCKTIME = 12, + NEIGH_VAR_QUEUE_LEN = 13, + NEIGH_VAR_RETRANS_TIME_MS = 14, + NEIGH_VAR_BASE_REACHABLE_TIME_MS = 15, + NEIGH_VAR_GC_INTERVAL = 16, + NEIGH_VAR_GC_THRESH1 = 17, + NEIGH_VAR_GC_THRESH2 = 18, + NEIGH_VAR_GC_THRESH3 = 19, + NEIGH_VAR_MAX = 20, +}; + +struct pneigh_entry; + +struct neigh_statistics; + +struct neigh_hash_table; + +struct neigh_table { + int family; + unsigned int entry_size; + unsigned int key_len; + __be16 protocol; + __u32 (*hash)(const void *, const struct net_device *, __u32 *); + bool (*key_eq)(const struct neighbour *, const void *); + int (*constructor)(struct neighbour *); + int (*pconstructor)(struct pneigh_entry *); + void (*pdestructor)(struct pneigh_entry *); + void (*proxy_redo)(struct sk_buff *); + bool (*allow_add)(const struct net_device *, struct netlink_ext_ack *); + char *id; + struct neigh_parms parms; + struct list_head parms_list; + int gc_interval; + int gc_thresh1; + int gc_thresh2; + int gc_thresh3; + long unsigned int last_flush; + struct delayed_work gc_work; + struct timer_list proxy_timer; + struct sk_buff_head proxy_queue; + atomic_t entries; + atomic_t gc_entries; + struct list_head gc_list; + rwlock_t lock; + long unsigned int last_rand; + struct neigh_statistics *stats; + struct neigh_hash_table *nht; + struct pneigh_entry **phash_buckets; +}; + +struct neigh_statistics { + long unsigned int allocs; + long unsigned int destroys; + long unsigned int hash_grows; + long unsigned int res_failed; + long unsigned int lookups; + long unsigned int hits; + long unsigned int rcv_probes_mcast; + long unsigned int rcv_probes_ucast; + long unsigned int periodic_gc_runs; + long unsigned int forced_gc_runs; + long unsigned int unres_discards; + long unsigned int table_fulls; +}; + +struct neigh_ops { + int family; + void (*solicit)(struct neighbour *, struct sk_buff *); + void (*error_report)(struct neighbour *, struct sk_buff *); + int (*output)(struct neighbour *, struct sk_buff *); + int (*connected_output)(struct neighbour *, struct sk_buff *); +}; + +struct pneigh_entry { + struct pneigh_entry *next; + possible_net_t net; + struct net_device *dev; + u8 flags; + u8 protocol; + u8 key[0]; +}; + +struct neigh_hash_table { + struct neighbour **hash_buckets; + unsigned int hash_shift; + __u32 hash_rnd[4]; + struct callback_head rcu; +}; + +enum { + TCP_ESTABLISHED = 1, + TCP_SYN_SENT = 2, + TCP_SYN_RECV = 3, + TCP_FIN_WAIT1 = 4, + TCP_FIN_WAIT2 = 5, + TCP_TIME_WAIT = 6, + TCP_CLOSE = 7, + TCP_CLOSE_WAIT = 8, + TCP_LAST_ACK = 9, + TCP_LISTEN = 10, + TCP_CLOSING = 11, + TCP_NEW_SYN_RECV = 12, + TCP_MAX_STATES = 13, +}; + +struct fib_rule_hdr { + __u8 family; + __u8 dst_len; + __u8 src_len; + __u8 tos; + __u8 table; + __u8 res1; + __u8 res2; + __u8 action; + __u32 flags; +}; + +struct fib_rule_port_range { + __u16 start; + __u16 end; +}; + +struct fib_kuid_range { + kuid_t start; + kuid_t end; +}; + +struct fib_rule { + struct list_head list; + int iifindex; + int oifindex; + u32 mark; + u32 mark_mask; + u32 flags; + u32 table; + u8 action; + u8 l3mdev; + u8 proto; + u8 ip_proto; + u32 target; + __be64 tun_id; + struct fib_rule *ctarget; + struct net *fr_net; + refcount_t refcnt; + u32 pref; + int suppress_ifgroup; + int suppress_prefixlen; + char iifname[16]; + char oifname[16]; + struct fib_kuid_range uid_range; + struct fib_rule_port_range sport_range; + struct fib_rule_port_range dport_range; + struct callback_head rcu; +}; + +struct fib_lookup_arg { + void *lookup_ptr; + const void *lookup_data; + void *result; + struct fib_rule *rule; + u32 table; + int flags; +}; + +struct smc_hashinfo; + +struct request_sock_ops; + +struct timewait_sock_ops; + +struct udp_table; + +struct raw_hashinfo; + +struct proto { + void (*close)(struct sock *, long int); + int (*pre_connect)(struct sock *, struct sockaddr *, int); + int (*connect)(struct sock *, struct sockaddr *, int); + int (*disconnect)(struct sock *, int); + struct sock * (*accept)(struct sock *, int, int *, bool); + int (*ioctl)(struct sock *, int, long unsigned int); + int (*init)(struct sock *); + void (*destroy)(struct sock *); + void (*shutdown)(struct sock *, int); + int (*setsockopt)(struct sock *, int, int, char *, unsigned int); + int (*getsockopt)(struct sock *, int, int, char *, int *); + void (*keepalive)(struct sock *, int); + int (*compat_setsockopt)(struct sock *, int, int, char *, unsigned int); + int (*compat_getsockopt)(struct sock *, int, int, char *, int *); + int (*compat_ioctl)(struct sock *, unsigned int, long unsigned int); + int (*sendmsg)(struct sock *, struct msghdr *, size_t); + int (*recvmsg)(struct sock *, struct msghdr *, size_t, int, int, int *); + int (*sendpage)(struct sock *, struct page *, int, size_t, int); + int (*bind)(struct sock *, struct sockaddr *, int); + int (*backlog_rcv)(struct sock *, struct sk_buff *); + void (*release_cb)(struct sock *); + int (*hash)(struct sock *); + void (*unhash)(struct sock *); + void (*rehash)(struct sock *); + int (*get_port)(struct sock *, short unsigned int); + unsigned int inuse_idx; + bool (*stream_memory_free)(const struct sock *, int); + bool (*stream_memory_read)(const struct sock *); + void (*enter_memory_pressure)(struct sock *); + void (*leave_memory_pressure)(struct sock *); + atomic_long_t *memory_allocated; + struct percpu_counter *sockets_allocated; + long unsigned int *memory_pressure; + long int *sysctl_mem; + int *sysctl_wmem; + int *sysctl_rmem; + u32 sysctl_wmem_offset; + u32 sysctl_rmem_offset; + int max_header; + bool no_autobind; + struct kmem_cache *slab; + unsigned int obj_size; + slab_flags_t slab_flags; + unsigned int useroffset; + unsigned int usersize; + struct percpu_counter *orphan_count; + struct request_sock_ops *rsk_prot; + struct timewait_sock_ops *twsk_prot; + union { + struct inet_hashinfo *hashinfo; + struct udp_table *udp_table; + struct raw_hashinfo *raw_hash; + struct smc_hashinfo *smc_hash; + } h; + struct module *owner; + char name[32]; + struct list_head node; + int (*diag_destroy)(struct sock *, int); +}; + +struct request_sock; + +struct request_sock_ops { + int family; + unsigned int obj_size; + struct kmem_cache *slab; + char *slab_name; + int (*rtx_syn_ack)(const struct sock *, struct request_sock *); + void (*send_ack)(const struct sock *, struct sk_buff *, struct request_sock *); + void (*send_reset)(const struct sock *, struct sk_buff *); + void (*destructor)(struct request_sock *); + void (*syn_ack_timeout)(const struct request_sock *); +}; + +struct timewait_sock_ops { + struct kmem_cache *twsk_slab; + char *twsk_slab_name; + unsigned int twsk_obj_size; + int (*twsk_unique)(struct sock *, struct sock *, void *); + void (*twsk_destructor)(struct sock *); +}; + +struct request_sock { + struct sock_common __req_common; + struct request_sock *dl_next; + u16 mss; + u8 num_retrans; + u8 cookie_ts: 1; + u8 num_timeout: 7; + u32 ts_recent; + struct timer_list rsk_timer; + const struct request_sock_ops *rsk_ops; + struct sock *sk; + u32 *saved_syn; + u32 secid; + u32 peer_secid; +}; + +enum tsq_enum { + TSQ_THROTTLED = 0, + TSQ_QUEUED = 1, + TCP_TSQ_DEFERRED = 2, + TCP_WRITE_TIMER_DEFERRED = 3, + TCP_DELACK_TIMER_DEFERRED = 4, + TCP_MTU_REDUCED_DEFERRED = 5, +}; + +struct static_key_false_deferred { + struct static_key_false key; + long unsigned int timeout; + struct delayed_work work; +}; + +struct ip6_sf_list { + struct ip6_sf_list *sf_next; + struct in6_addr sf_addr; + long unsigned int sf_count[2]; + unsigned char sf_gsresp; + unsigned char sf_oldin; + unsigned char sf_crcount; +}; + +struct ifmcaddr6 { + struct in6_addr mca_addr; + struct inet6_dev *idev; + struct ifmcaddr6 *next; + struct ip6_sf_list *mca_sources; + struct ip6_sf_list *mca_tomb; + unsigned int mca_sfmode; + unsigned char mca_crcount; + long unsigned int mca_sfcount[2]; + struct timer_list mca_timer; + unsigned int mca_flags; + int mca_users; + refcount_t mca_refcnt; + spinlock_t mca_lock; + long unsigned int mca_cstamp; + long unsigned int mca_tstamp; +}; + +struct ifacaddr6 { + struct in6_addr aca_addr; + struct fib6_info *aca_rt; + struct ifacaddr6 *aca_next; + struct hlist_node aca_addr_lst; + int aca_users; + refcount_t aca_refcnt; + long unsigned int aca_cstamp; + long unsigned int aca_tstamp; + struct callback_head rcu; +}; + +struct fib6_result; + +struct fib6_nh; + +struct fib6_config; + +struct ipv6_stub { + int (*ipv6_sock_mc_join)(struct sock *, int, const struct in6_addr *); + int (*ipv6_sock_mc_drop)(struct sock *, int, const struct in6_addr *); + struct dst_entry * (*ipv6_dst_lookup_flow)(struct net *, const struct sock *, struct flowi6 *, const struct in6_addr *); + int (*ipv6_route_input)(struct sk_buff *); + struct fib6_table * (*fib6_get_table)(struct net *, u32); + int (*fib6_lookup)(struct net *, int, struct flowi6 *, struct fib6_result *, int); + int (*fib6_table_lookup)(struct net *, struct fib6_table *, int, struct flowi6 *, struct fib6_result *, int); + void (*fib6_select_path)(const struct net *, struct fib6_result *, struct flowi6 *, int, bool, const struct sk_buff *, int); + u32 (*ip6_mtu_from_fib6)(const struct fib6_result *, const struct in6_addr *, const struct in6_addr *); + int (*fib6_nh_init)(struct net *, struct fib6_nh *, struct fib6_config *, gfp_t, struct netlink_ext_ack *); + void (*fib6_nh_release)(struct fib6_nh *); + void (*fib6_update_sernum)(struct net *, struct fib6_info *); + int (*ip6_del_rt)(struct net *, struct fib6_info *); + void (*fib6_rt_update)(struct net *, struct fib6_info *, struct nl_info *); + void (*udpv6_encap_enable)(); + void (*ndisc_send_na)(struct net_device *, const struct in6_addr *, const struct in6_addr *, bool, bool, bool, bool); + struct neigh_table *nd_tbl; +}; + +struct fib6_result { + struct fib6_nh *nh; + struct fib6_info *f6i; + u32 fib6_flags; + u8 fib6_type; + struct rt6_info *rt6; +}; + +enum { + __ND_OPT_PREFIX_INFO_END = 0, + ND_OPT_SOURCE_LL_ADDR = 1, + ND_OPT_TARGET_LL_ADDR = 2, + ND_OPT_PREFIX_INFO = 3, + ND_OPT_REDIRECT_HDR = 4, + ND_OPT_MTU = 5, + ND_OPT_NONCE = 14, + __ND_OPT_ARRAY_MAX = 15, + ND_OPT_ROUTE_INFO = 24, + ND_OPT_RDNSS = 25, + ND_OPT_DNSSL = 31, + ND_OPT_6CO = 34, + ND_OPT_CAPTIVE_PORTAL = 37, + __ND_OPT_MAX = 38, +}; + +struct nd_opt_hdr { + __u8 nd_opt_type; + __u8 nd_opt_len; +}; + +struct ndisc_options { + struct nd_opt_hdr *nd_opt_array[15]; + struct nd_opt_hdr *nd_useropts; + struct nd_opt_hdr *nd_useropts_end; +}; + +struct prefix_info { + __u8 type; + __u8 length; + __u8 prefix_len; + __u8 reserved: 6; + __u8 autoconf: 1; + __u8 onlink: 1; + __be32 valid; + __be32 prefered; + __be32 reserved2; + struct in6_addr prefix; +}; + +enum nfs_opnum4 { + OP_ACCESS = 3, + OP_CLOSE = 4, + OP_COMMIT = 5, + OP_CREATE = 6, + OP_DELEGPURGE = 7, + OP_DELEGRETURN = 8, + OP_GETATTR = 9, + OP_GETFH = 10, + OP_LINK = 11, + OP_LOCK = 12, + OP_LOCKT = 13, + OP_LOCKU = 14, + OP_LOOKUP = 15, + OP_LOOKUPP = 16, + OP_NVERIFY = 17, + OP_OPEN = 18, + OP_OPENATTR = 19, + OP_OPEN_CONFIRM = 20, + OP_OPEN_DOWNGRADE = 21, + OP_PUTFH = 22, + OP_PUTPUBFH = 23, + OP_PUTROOTFH = 24, + OP_READ = 25, + OP_READDIR = 26, + OP_READLINK = 27, + OP_REMOVE = 28, + OP_RENAME = 29, + OP_RENEW = 30, + OP_RESTOREFH = 31, + OP_SAVEFH = 32, + OP_SECINFO = 33, + OP_SETATTR = 34, + OP_SETCLIENTID = 35, + OP_SETCLIENTID_CONFIRM = 36, + OP_VERIFY = 37, + OP_WRITE = 38, + OP_RELEASE_LOCKOWNER = 39, + OP_BACKCHANNEL_CTL = 40, + OP_BIND_CONN_TO_SESSION = 41, + OP_EXCHANGE_ID = 42, + OP_CREATE_SESSION = 43, + OP_DESTROY_SESSION = 44, + OP_FREE_STATEID = 45, + OP_GET_DIR_DELEGATION = 46, + OP_GETDEVICEINFO = 47, + OP_GETDEVICELIST = 48, + OP_LAYOUTCOMMIT = 49, + OP_LAYOUTGET = 50, + OP_LAYOUTRETURN = 51, + OP_SECINFO_NO_NAME = 52, + OP_SEQUENCE = 53, + OP_SET_SSV = 54, + OP_TEST_STATEID = 55, + OP_WANT_DELEGATION = 56, + OP_DESTROY_CLIENTID = 57, + OP_RECLAIM_COMPLETE = 58, + OP_ALLOCATE = 59, + OP_COPY = 60, + OP_COPY_NOTIFY = 61, + OP_DEALLOCATE = 62, + OP_IO_ADVISE = 63, + OP_LAYOUTERROR = 64, + OP_LAYOUTSTATS = 65, + OP_OFFLOAD_CANCEL = 66, + OP_OFFLOAD_STATUS = 67, + OP_READ_PLUS = 68, + OP_SEEK = 69, + OP_WRITE_SAME = 70, + OP_CLONE = 71, + OP_ILLEGAL = 10044, +}; + +enum perf_branch_sample_type_shift { + PERF_SAMPLE_BRANCH_USER_SHIFT = 0, + PERF_SAMPLE_BRANCH_KERNEL_SHIFT = 1, + PERF_SAMPLE_BRANCH_HV_SHIFT = 2, + PERF_SAMPLE_BRANCH_ANY_SHIFT = 3, + PERF_SAMPLE_BRANCH_ANY_CALL_SHIFT = 4, + PERF_SAMPLE_BRANCH_ANY_RETURN_SHIFT = 5, + PERF_SAMPLE_BRANCH_IND_CALL_SHIFT = 6, + PERF_SAMPLE_BRANCH_ABORT_TX_SHIFT = 7, + PERF_SAMPLE_BRANCH_IN_TX_SHIFT = 8, + PERF_SAMPLE_BRANCH_NO_TX_SHIFT = 9, + PERF_SAMPLE_BRANCH_COND_SHIFT = 10, + PERF_SAMPLE_BRANCH_CALL_STACK_SHIFT = 11, + PERF_SAMPLE_BRANCH_IND_JUMP_SHIFT = 12, + PERF_SAMPLE_BRANCH_CALL_SHIFT = 13, + PERF_SAMPLE_BRANCH_NO_FLAGS_SHIFT = 14, + PERF_SAMPLE_BRANCH_NO_CYCLES_SHIFT = 15, + PERF_SAMPLE_BRANCH_TYPE_SAVE_SHIFT = 16, + PERF_SAMPLE_BRANCH_MAX_SHIFT = 17, +}; + +enum exception_stack_ordering { + ESTACK_DF = 0, + ESTACK_NMI = 1, + ESTACK_DB2 = 2, + ESTACK_DB1 = 3, + ESTACK_DB = 4, + ESTACK_MCE = 5, + N_EXCEPTION_STACKS = 6, +}; + +enum { + TSK_TRACE_FL_TRACE_BIT = 0, + TSK_TRACE_FL_GRAPH_BIT = 1, +}; + +struct uuidcmp { + const char *uuid; + int len; +}; + +struct mdu_array_info_s { + int major_version; + int minor_version; + int patch_version; + unsigned int ctime; + int level; + int size; + int nr_disks; + int raid_disks; + int md_minor; + int not_persistent; + unsigned int utime; + int state; + int active_disks; + int working_disks; + int failed_disks; + int spare_disks; + int layout; + int chunk_size; +}; + +typedef struct mdu_array_info_s mdu_array_info_t; + +struct mdu_disk_info_s { + int number; + int major; + int minor; + int raid_disk; + int state; +}; + +typedef struct mdu_disk_info_s mdu_disk_info_t; + +enum kmalloc_cache_type { + KMALLOC_NORMAL = 0, + KMALLOC_RECLAIM = 1, + KMALLOC_DMA = 2, + NR_KMALLOC_TYPES = 3, +}; + +struct hash { + int ino; + int minor; + int major; + umode_t mode; + struct hash *next; + char name[4098]; +}; + +struct dir_entry { + struct list_head list; + char *name; + time64_t mtime; +}; + +enum state { + Start = 0, + Collect = 1, + GotHeader = 2, + SkipIt = 3, + GotName = 4, + CopyFile = 5, + GotSymlink = 6, + Reset = 7, +}; + +typedef int (*decompress_fn)(unsigned char *, long int, long int (*)(void *, long unsigned int), long int (*)(void *, long unsigned int), unsigned char *, long int *, void (*)(char *)); + +enum ucount_type { + UCOUNT_USER_NAMESPACES = 0, + UCOUNT_PID_NAMESPACES = 1, + UCOUNT_UTS_NAMESPACES = 2, + UCOUNT_IPC_NAMESPACES = 3, + UCOUNT_NET_NAMESPACES = 4, + UCOUNT_MNT_NAMESPACES = 5, + UCOUNT_CGROUP_NAMESPACES = 6, + UCOUNT_INOTIFY_INSTANCES = 7, + UCOUNT_INOTIFY_WATCHES = 8, + UCOUNT_COUNTS = 9, +}; + +enum flow_dissector_key_id { + FLOW_DISSECTOR_KEY_CONTROL = 0, + FLOW_DISSECTOR_KEY_BASIC = 1, + FLOW_DISSECTOR_KEY_IPV4_ADDRS = 2, + FLOW_DISSECTOR_KEY_IPV6_ADDRS = 3, + FLOW_DISSECTOR_KEY_PORTS = 4, + FLOW_DISSECTOR_KEY_PORTS_RANGE = 5, + FLOW_DISSECTOR_KEY_ICMP = 6, + FLOW_DISSECTOR_KEY_ETH_ADDRS = 7, + FLOW_DISSECTOR_KEY_TIPC = 8, + FLOW_DISSECTOR_KEY_ARP = 9, + FLOW_DISSECTOR_KEY_VLAN = 10, + FLOW_DISSECTOR_KEY_FLOW_LABEL = 11, + FLOW_DISSECTOR_KEY_GRE_KEYID = 12, + FLOW_DISSECTOR_KEY_MPLS_ENTROPY = 13, + FLOW_DISSECTOR_KEY_ENC_KEYID = 14, + FLOW_DISSECTOR_KEY_ENC_IPV4_ADDRS = 15, + FLOW_DISSECTOR_KEY_ENC_IPV6_ADDRS = 16, + FLOW_DISSECTOR_KEY_ENC_CONTROL = 17, + FLOW_DISSECTOR_KEY_ENC_PORTS = 18, + FLOW_DISSECTOR_KEY_MPLS = 19, + FLOW_DISSECTOR_KEY_TCP = 20, + FLOW_DISSECTOR_KEY_IP = 21, + FLOW_DISSECTOR_KEY_CVLAN = 22, + FLOW_DISSECTOR_KEY_ENC_IP = 23, + FLOW_DISSECTOR_KEY_ENC_OPTS = 24, + FLOW_DISSECTOR_KEY_META = 25, + FLOW_DISSECTOR_KEY_CT = 26, + FLOW_DISSECTOR_KEY_MAX = 27, +}; + +enum { + IPSTATS_MIB_NUM = 0, + IPSTATS_MIB_INPKTS = 1, + IPSTATS_MIB_INOCTETS = 2, + IPSTATS_MIB_INDELIVERS = 3, + IPSTATS_MIB_OUTFORWDATAGRAMS = 4, + IPSTATS_MIB_OUTPKTS = 5, + IPSTATS_MIB_OUTOCTETS = 6, + IPSTATS_MIB_INHDRERRORS = 7, + IPSTATS_MIB_INTOOBIGERRORS = 8, + IPSTATS_MIB_INNOROUTES = 9, + IPSTATS_MIB_INADDRERRORS = 10, + IPSTATS_MIB_INUNKNOWNPROTOS = 11, + IPSTATS_MIB_INTRUNCATEDPKTS = 12, + IPSTATS_MIB_INDISCARDS = 13, + IPSTATS_MIB_OUTDISCARDS = 14, + IPSTATS_MIB_OUTNOROUTES = 15, + IPSTATS_MIB_REASMTIMEOUT = 16, + IPSTATS_MIB_REASMREQDS = 17, + IPSTATS_MIB_REASMOKS = 18, + IPSTATS_MIB_REASMFAILS = 19, + IPSTATS_MIB_FRAGOKS = 20, + IPSTATS_MIB_FRAGFAILS = 21, + IPSTATS_MIB_FRAGCREATES = 22, + IPSTATS_MIB_INMCASTPKTS = 23, + IPSTATS_MIB_OUTMCASTPKTS = 24, + IPSTATS_MIB_INBCASTPKTS = 25, + IPSTATS_MIB_OUTBCASTPKTS = 26, + IPSTATS_MIB_INMCASTOCTETS = 27, + IPSTATS_MIB_OUTMCASTOCTETS = 28, + IPSTATS_MIB_INBCASTOCTETS = 29, + IPSTATS_MIB_OUTBCASTOCTETS = 30, + IPSTATS_MIB_CSUMERRORS = 31, + IPSTATS_MIB_NOECTPKTS = 32, + IPSTATS_MIB_ECT1PKTS = 33, + IPSTATS_MIB_ECT0PKTS = 34, + IPSTATS_MIB_CEPKTS = 35, + IPSTATS_MIB_REASM_OVERLAPS = 36, + __IPSTATS_MIB_MAX = 37, +}; + +enum { + ICMP_MIB_NUM = 0, + ICMP_MIB_INMSGS = 1, + ICMP_MIB_INERRORS = 2, + ICMP_MIB_INDESTUNREACHS = 3, + ICMP_MIB_INTIMEEXCDS = 4, + ICMP_MIB_INPARMPROBS = 5, + ICMP_MIB_INSRCQUENCHS = 6, + ICMP_MIB_INREDIRECTS = 7, + ICMP_MIB_INECHOS = 8, + ICMP_MIB_INECHOREPS = 9, + ICMP_MIB_INTIMESTAMPS = 10, + ICMP_MIB_INTIMESTAMPREPS = 11, + ICMP_MIB_INADDRMASKS = 12, + ICMP_MIB_INADDRMASKREPS = 13, + ICMP_MIB_OUTMSGS = 14, + ICMP_MIB_OUTERRORS = 15, + ICMP_MIB_OUTDESTUNREACHS = 16, + ICMP_MIB_OUTTIMEEXCDS = 17, + ICMP_MIB_OUTPARMPROBS = 18, + ICMP_MIB_OUTSRCQUENCHS = 19, + ICMP_MIB_OUTREDIRECTS = 20, + ICMP_MIB_OUTECHOS = 21, + ICMP_MIB_OUTECHOREPS = 22, + ICMP_MIB_OUTTIMESTAMPS = 23, + ICMP_MIB_OUTTIMESTAMPREPS = 24, + ICMP_MIB_OUTADDRMASKS = 25, + ICMP_MIB_OUTADDRMASKREPS = 26, + ICMP_MIB_CSUMERRORS = 27, + __ICMP_MIB_MAX = 28, +}; + +enum { + ICMP6_MIB_NUM = 0, + ICMP6_MIB_INMSGS = 1, + ICMP6_MIB_INERRORS = 2, + ICMP6_MIB_OUTMSGS = 3, + ICMP6_MIB_OUTERRORS = 4, + ICMP6_MIB_CSUMERRORS = 5, + __ICMP6_MIB_MAX = 6, +}; + +enum { + TCP_MIB_NUM = 0, + TCP_MIB_RTOALGORITHM = 1, + TCP_MIB_RTOMIN = 2, + TCP_MIB_RTOMAX = 3, + TCP_MIB_MAXCONN = 4, + TCP_MIB_ACTIVEOPENS = 5, + TCP_MIB_PASSIVEOPENS = 6, + TCP_MIB_ATTEMPTFAILS = 7, + TCP_MIB_ESTABRESETS = 8, + TCP_MIB_CURRESTAB = 9, + TCP_MIB_INSEGS = 10, + TCP_MIB_OUTSEGS = 11, + TCP_MIB_RETRANSSEGS = 12, + TCP_MIB_INERRS = 13, + TCP_MIB_OUTRSTS = 14, + TCP_MIB_CSUMERRORS = 15, + __TCP_MIB_MAX = 16, +}; + +enum { + UDP_MIB_NUM = 0, + UDP_MIB_INDATAGRAMS = 1, + UDP_MIB_NOPORTS = 2, + UDP_MIB_INERRORS = 3, + UDP_MIB_OUTDATAGRAMS = 4, + UDP_MIB_RCVBUFERRORS = 5, + UDP_MIB_SNDBUFERRORS = 6, + UDP_MIB_CSUMERRORS = 7, + UDP_MIB_IGNOREDMULTI = 8, + __UDP_MIB_MAX = 9, +}; + +enum { + LINUX_MIB_NUM = 0, + LINUX_MIB_SYNCOOKIESSENT = 1, + LINUX_MIB_SYNCOOKIESRECV = 2, + LINUX_MIB_SYNCOOKIESFAILED = 3, + LINUX_MIB_EMBRYONICRSTS = 4, + LINUX_MIB_PRUNECALLED = 5, + LINUX_MIB_RCVPRUNED = 6, + LINUX_MIB_OFOPRUNED = 7, + LINUX_MIB_OUTOFWINDOWICMPS = 8, + LINUX_MIB_LOCKDROPPEDICMPS = 9, + LINUX_MIB_ARPFILTER = 10, + LINUX_MIB_TIMEWAITED = 11, + LINUX_MIB_TIMEWAITRECYCLED = 12, + LINUX_MIB_TIMEWAITKILLED = 13, + LINUX_MIB_PAWSACTIVEREJECTED = 14, + LINUX_MIB_PAWSESTABREJECTED = 15, + LINUX_MIB_DELAYEDACKS = 16, + LINUX_MIB_DELAYEDACKLOCKED = 17, + LINUX_MIB_DELAYEDACKLOST = 18, + LINUX_MIB_LISTENOVERFLOWS = 19, + LINUX_MIB_LISTENDROPS = 20, + LINUX_MIB_TCPHPHITS = 21, + LINUX_MIB_TCPPUREACKS = 22, + LINUX_MIB_TCPHPACKS = 23, + LINUX_MIB_TCPRENORECOVERY = 24, + LINUX_MIB_TCPSACKRECOVERY = 25, + LINUX_MIB_TCPSACKRENEGING = 26, + LINUX_MIB_TCPSACKREORDER = 27, + LINUX_MIB_TCPRENOREORDER = 28, + LINUX_MIB_TCPTSREORDER = 29, + LINUX_MIB_TCPFULLUNDO = 30, + LINUX_MIB_TCPPARTIALUNDO = 31, + LINUX_MIB_TCPDSACKUNDO = 32, + LINUX_MIB_TCPLOSSUNDO = 33, + LINUX_MIB_TCPLOSTRETRANSMIT = 34, + LINUX_MIB_TCPRENOFAILURES = 35, + LINUX_MIB_TCPSACKFAILURES = 36, + LINUX_MIB_TCPLOSSFAILURES = 37, + LINUX_MIB_TCPFASTRETRANS = 38, + LINUX_MIB_TCPSLOWSTARTRETRANS = 39, + LINUX_MIB_TCPTIMEOUTS = 40, + LINUX_MIB_TCPLOSSPROBES = 41, + LINUX_MIB_TCPLOSSPROBERECOVERY = 42, + LINUX_MIB_TCPRENORECOVERYFAIL = 43, + LINUX_MIB_TCPSACKRECOVERYFAIL = 44, + LINUX_MIB_TCPRCVCOLLAPSED = 45, + LINUX_MIB_TCPDSACKOLDSENT = 46, + LINUX_MIB_TCPDSACKOFOSENT = 47, + LINUX_MIB_TCPDSACKRECV = 48, + LINUX_MIB_TCPDSACKOFORECV = 49, + LINUX_MIB_TCPABORTONDATA = 50, + LINUX_MIB_TCPABORTONCLOSE = 51, + LINUX_MIB_TCPABORTONMEMORY = 52, + LINUX_MIB_TCPABORTONTIMEOUT = 53, + LINUX_MIB_TCPABORTONLINGER = 54, + LINUX_MIB_TCPABORTFAILED = 55, + LINUX_MIB_TCPMEMORYPRESSURES = 56, + LINUX_MIB_TCPMEMORYPRESSURESCHRONO = 57, + LINUX_MIB_TCPSACKDISCARD = 58, + LINUX_MIB_TCPDSACKIGNOREDOLD = 59, + LINUX_MIB_TCPDSACKIGNOREDNOUNDO = 60, + LINUX_MIB_TCPSPURIOUSRTOS = 61, + LINUX_MIB_TCPMD5NOTFOUND = 62, + LINUX_MIB_TCPMD5UNEXPECTED = 63, + LINUX_MIB_TCPMD5FAILURE = 64, + LINUX_MIB_SACKSHIFTED = 65, + LINUX_MIB_SACKMERGED = 66, + LINUX_MIB_SACKSHIFTFALLBACK = 67, + LINUX_MIB_TCPBACKLOGDROP = 68, + LINUX_MIB_PFMEMALLOCDROP = 69, + LINUX_MIB_TCPMINTTLDROP = 70, + LINUX_MIB_TCPDEFERACCEPTDROP = 71, + LINUX_MIB_IPRPFILTER = 72, + LINUX_MIB_TCPTIMEWAITOVERFLOW = 73, + LINUX_MIB_TCPREQQFULLDOCOOKIES = 74, + LINUX_MIB_TCPREQQFULLDROP = 75, + LINUX_MIB_TCPRETRANSFAIL = 76, + LINUX_MIB_TCPRCVCOALESCE = 77, + LINUX_MIB_TCPBACKLOGCOALESCE = 78, + LINUX_MIB_TCPOFOQUEUE = 79, + LINUX_MIB_TCPOFODROP = 80, + LINUX_MIB_TCPOFOMERGE = 81, + LINUX_MIB_TCPCHALLENGEACK = 82, + LINUX_MIB_TCPSYNCHALLENGE = 83, + LINUX_MIB_TCPFASTOPENACTIVE = 84, + LINUX_MIB_TCPFASTOPENACTIVEFAIL = 85, + LINUX_MIB_TCPFASTOPENPASSIVE = 86, + LINUX_MIB_TCPFASTOPENPASSIVEFAIL = 87, + LINUX_MIB_TCPFASTOPENLISTENOVERFLOW = 88, + LINUX_MIB_TCPFASTOPENCOOKIEREQD = 89, + LINUX_MIB_TCPFASTOPENBLACKHOLE = 90, + LINUX_MIB_TCPSPURIOUS_RTX_HOSTQUEUES = 91, + LINUX_MIB_BUSYPOLLRXPACKETS = 92, + LINUX_MIB_TCPAUTOCORKING = 93, + LINUX_MIB_TCPFROMZEROWINDOWADV = 94, + LINUX_MIB_TCPTOZEROWINDOWADV = 95, + LINUX_MIB_TCPWANTZEROWINDOWADV = 96, + LINUX_MIB_TCPSYNRETRANS = 97, + LINUX_MIB_TCPORIGDATASENT = 98, + LINUX_MIB_TCPHYSTARTTRAINDETECT = 99, + LINUX_MIB_TCPHYSTARTTRAINCWND = 100, + LINUX_MIB_TCPHYSTARTDELAYDETECT = 101, + LINUX_MIB_TCPHYSTARTDELAYCWND = 102, + LINUX_MIB_TCPACKSKIPPEDSYNRECV = 103, + LINUX_MIB_TCPACKSKIPPEDPAWS = 104, + LINUX_MIB_TCPACKSKIPPEDSEQ = 105, + LINUX_MIB_TCPACKSKIPPEDFINWAIT2 = 106, + LINUX_MIB_TCPACKSKIPPEDTIMEWAIT = 107, + LINUX_MIB_TCPACKSKIPPEDCHALLENGE = 108, + LINUX_MIB_TCPWINPROBE = 109, + LINUX_MIB_TCPKEEPALIVE = 110, + LINUX_MIB_TCPMTUPFAIL = 111, + LINUX_MIB_TCPMTUPSUCCESS = 112, + LINUX_MIB_TCPDELIVERED = 113, + LINUX_MIB_TCPDELIVEREDCE = 114, + LINUX_MIB_TCPACKCOMPRESSED = 115, + LINUX_MIB_TCPZEROWINDOWDROP = 116, + LINUX_MIB_TCPRCVQDROP = 117, + LINUX_MIB_TCPWQUEUETOOBIG = 118, + LINUX_MIB_TCPFASTOPENPASSIVEALTKEY = 119, + __LINUX_MIB_MAX = 120, +}; + +enum { + LINUX_MIB_XFRMNUM = 0, + LINUX_MIB_XFRMINERROR = 1, + LINUX_MIB_XFRMINBUFFERERROR = 2, + LINUX_MIB_XFRMINHDRERROR = 3, + LINUX_MIB_XFRMINNOSTATES = 4, + LINUX_MIB_XFRMINSTATEPROTOERROR = 5, + LINUX_MIB_XFRMINSTATEMODEERROR = 6, + LINUX_MIB_XFRMINSTATESEQERROR = 7, + LINUX_MIB_XFRMINSTATEEXPIRED = 8, + LINUX_MIB_XFRMINSTATEMISMATCH = 9, + LINUX_MIB_XFRMINSTATEINVALID = 10, + LINUX_MIB_XFRMINTMPLMISMATCH = 11, + LINUX_MIB_XFRMINNOPOLS = 12, + LINUX_MIB_XFRMINPOLBLOCK = 13, + LINUX_MIB_XFRMINPOLERROR = 14, + LINUX_MIB_XFRMOUTERROR = 15, + LINUX_MIB_XFRMOUTBUNDLEGENERROR = 16, + LINUX_MIB_XFRMOUTBUNDLECHECKERROR = 17, + LINUX_MIB_XFRMOUTNOSTATES = 18, + LINUX_MIB_XFRMOUTSTATEPROTOERROR = 19, + LINUX_MIB_XFRMOUTSTATEMODEERROR = 20, + LINUX_MIB_XFRMOUTSTATESEQERROR = 21, + LINUX_MIB_XFRMOUTSTATEEXPIRED = 22, + LINUX_MIB_XFRMOUTPOLBLOCK = 23, + LINUX_MIB_XFRMOUTPOLDEAD = 24, + LINUX_MIB_XFRMOUTPOLERROR = 25, + LINUX_MIB_XFRMFWDHDRERROR = 26, + LINUX_MIB_XFRMOUTSTATEINVALID = 27, + LINUX_MIB_XFRMACQUIREERROR = 28, + __LINUX_MIB_XFRMMAX = 29, +}; + +enum { + LINUX_MIB_TLSNUM = 0, + LINUX_MIB_TLSCURRTXSW = 1, + LINUX_MIB_TLSCURRRXSW = 2, + LINUX_MIB_TLSCURRTXDEVICE = 3, + LINUX_MIB_TLSCURRRXDEVICE = 4, + LINUX_MIB_TLSTXSW = 5, + LINUX_MIB_TLSRXSW = 6, + LINUX_MIB_TLSTXDEVICE = 7, + LINUX_MIB_TLSRXDEVICE = 8, + LINUX_MIB_TLSDECRYPTERROR = 9, + LINUX_MIB_TLSRXDEVICERESYNC = 10, + __LINUX_MIB_TLSMAX = 11, +}; + +enum nf_inet_hooks { + NF_INET_PRE_ROUTING = 0, + NF_INET_LOCAL_IN = 1, + NF_INET_FORWARD = 2, + NF_INET_LOCAL_OUT = 3, + NF_INET_POST_ROUTING = 4, + NF_INET_NUMHOOKS = 5, +}; + +enum { + NFPROTO_UNSPEC = 0, + NFPROTO_INET = 1, + NFPROTO_IPV4 = 2, + NFPROTO_ARP = 3, + NFPROTO_NETDEV = 5, + NFPROTO_BRIDGE = 7, + NFPROTO_IPV6 = 10, + NFPROTO_DECNET = 12, + NFPROTO_NUMPROTO = 13, +}; + +enum tcp_conntrack { + TCP_CONNTRACK_NONE = 0, + TCP_CONNTRACK_SYN_SENT = 1, + TCP_CONNTRACK_SYN_RECV = 2, + TCP_CONNTRACK_ESTABLISHED = 3, + TCP_CONNTRACK_FIN_WAIT = 4, + TCP_CONNTRACK_CLOSE_WAIT = 5, + TCP_CONNTRACK_LAST_ACK = 6, + TCP_CONNTRACK_TIME_WAIT = 7, + TCP_CONNTRACK_CLOSE = 8, + TCP_CONNTRACK_LISTEN = 9, + TCP_CONNTRACK_MAX = 10, + TCP_CONNTRACK_IGNORE = 11, + TCP_CONNTRACK_RETRANS = 12, + TCP_CONNTRACK_UNACK = 13, + TCP_CONNTRACK_TIMEOUT_MAX = 14, +}; + +enum udp_conntrack { + UDP_CT_UNREPLIED = 0, + UDP_CT_REPLIED = 1, + UDP_CT_MAX = 2, +}; + +enum { + XFRM_POLICY_IN = 0, + XFRM_POLICY_OUT = 1, + XFRM_POLICY_FWD = 2, + XFRM_POLICY_MASK = 3, + XFRM_POLICY_MAX = 3, +}; + +enum skb_ext_id { + SKB_EXT_SEC_PATH = 0, + SKB_EXT_NUM = 1, +}; + +enum audit_ntp_type { + AUDIT_NTP_OFFSET = 0, + AUDIT_NTP_FREQ = 1, + AUDIT_NTP_STATUS = 2, + AUDIT_NTP_TAI = 3, + AUDIT_NTP_TICK = 4, + AUDIT_NTP_ADJUST = 5, + AUDIT_NTP_NVALS = 6, +}; + +enum { + EI_ETYPE_NONE = 0, + EI_ETYPE_NULL = 1, + EI_ETYPE_ERRNO = 2, + EI_ETYPE_ERRNO_NULL = 3, + EI_ETYPE_TRUE = 4, +}; + +typedef long int (*sys_call_ptr_t)(const struct pt_regs *); + +struct io_bitmap { + u64 sequence; + refcount_t refcnt; + unsigned int max; + long unsigned int bitmap[1024]; +}; + +struct seccomp_data { + int nr; + __u32 arch; + __u64 instruction_pointer; + __u64 args[6]; +}; + +struct ksignal { + struct k_sigaction ka; + kernel_siginfo_t info; + int sig; +}; + +struct __large_struct { + long unsigned int buf[100]; +}; + +enum { + TASKSTATS_CMD_UNSPEC = 0, + TASKSTATS_CMD_GET = 1, + TASKSTATS_CMD_NEW = 2, + __TASKSTATS_CMD_MAX = 3, +}; + +enum ctx_state { + CONTEXT_DISABLED = -1, + CONTEXT_KERNEL = 0, + CONTEXT_USER = 1, + CONTEXT_GUEST = 2, +}; + +enum { + HI_SOFTIRQ = 0, + TIMER_SOFTIRQ = 1, + NET_TX_SOFTIRQ = 2, + NET_RX_SOFTIRQ = 3, + BLOCK_SOFTIRQ = 4, + IRQ_POLL_SOFTIRQ = 5, + TASKLET_SOFTIRQ = 6, + SCHED_SOFTIRQ = 7, + HRTIMER_SOFTIRQ = 8, + RCU_SOFTIRQ = 9, + NR_SOFTIRQS = 10, +}; + +enum cpu_usage_stat { + CPUTIME_USER = 0, + CPUTIME_NICE = 1, + CPUTIME_SYSTEM = 2, + CPUTIME_SOFTIRQ = 3, + CPUTIME_IRQ = 4, + CPUTIME_IDLE = 5, + CPUTIME_IOWAIT = 6, + CPUTIME_STEAL = 7, + CPUTIME_GUEST = 8, + CPUTIME_GUEST_NICE = 9, + NR_STATS = 10, +}; + +enum bpf_cgroup_storage_type { + BPF_CGROUP_STORAGE_SHARED = 0, + BPF_CGROUP_STORAGE_PERCPU = 1, + __BPF_CGROUP_STORAGE_MAX = 2, +}; + +enum cgroup_subsys_id { + cpuset_cgrp_id = 0, + cpu_cgrp_id = 1, + cpuacct_cgrp_id = 2, + freezer_cgrp_id = 3, + CGROUP_SUBSYS_COUNT = 4, +}; + +typedef u8 kprobe_opcode_t; + +struct arch_specific_insn { + kprobe_opcode_t *insn; + bool boostable; + bool if_modifier; +}; + +struct kprobe; + +struct prev_kprobe { + struct kprobe *kp; + long unsigned int status; + long unsigned int old_flags; + long unsigned int saved_flags; +}; + +typedef int (*kprobe_pre_handler_t)(struct kprobe *, struct pt_regs *); + +typedef void (*kprobe_post_handler_t)(struct kprobe *, struct pt_regs *, long unsigned int); + +typedef int (*kprobe_fault_handler_t)(struct kprobe *, struct pt_regs *, int); + +struct kprobe { + struct hlist_node hlist; + struct list_head list; + long unsigned int nmissed; + kprobe_opcode_t *addr; + const char *symbol_name; + unsigned int offset; + kprobe_pre_handler_t pre_handler; + kprobe_post_handler_t post_handler; + kprobe_fault_handler_t fault_handler; + kprobe_opcode_t opcode; + struct arch_specific_insn ainsn; + u32 flags; +}; + +struct kprobe_ctlblk { + long unsigned int kprobe_status; + long unsigned int kprobe_old_flags; + long unsigned int kprobe_saved_flags; + struct prev_kprobe prev_kprobe; +}; + +struct kprobe_insn_cache { + struct mutex mutex; + void * (*alloc)(); + void (*free)(void *); + struct list_head pages; + size_t insn_size; + int nr_garbage; +}; + +struct trace_event_raw_sys_enter { + struct trace_entry ent; + long int id; + long unsigned int args[6]; + char __data[0]; +}; + +struct trace_event_raw_sys_exit { + struct trace_entry ent; + long int id; + long int ret; + char __data[0]; +}; + +struct trace_event_data_offsets_sys_enter {}; + +struct trace_event_data_offsets_sys_exit {}; + +struct alt_instr { + s32 instr_offset; + s32 repl_offset; + u16 cpuid; + u8 instrlen; + u8 replacementlen; + u8 padlen; +} __attribute__((packed)); + +enum vm_fault_reason { + VM_FAULT_OOM = 1, + VM_FAULT_SIGBUS = 2, + VM_FAULT_MAJOR = 4, + VM_FAULT_WRITE = 8, + VM_FAULT_HWPOISON = 16, + VM_FAULT_HWPOISON_LARGE = 32, + VM_FAULT_SIGSEGV = 64, + VM_FAULT_NOPAGE = 256, + VM_FAULT_LOCKED = 512, + VM_FAULT_RETRY = 1024, + VM_FAULT_FALLBACK = 2048, + VM_FAULT_DONE_COW = 4096, + VM_FAULT_NEEDDSYNC = 8192, + VM_FAULT_HINDEX_MASK = 983040, +}; + +struct vm_special_mapping { + const char *name; + struct page **pages; + vm_fault_t (*fault)(const struct vm_special_mapping *, struct vm_area_struct *, struct vm_fault *); + int (*mremap)(const struct vm_special_mapping *, struct vm_area_struct *); +}; + +struct pvclock_vcpu_time_info { + u32 version; + u32 pad0; + u64 tsc_timestamp; + u64 system_time; + u32 tsc_to_system_mul; + s8 tsc_shift; + u8 flags; + u8 pad[2]; +}; + +struct pvclock_vsyscall_time_info { + struct pvclock_vcpu_time_info pvti; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct ms_hyperv_tsc_page { + volatile u32 tsc_sequence; + u32 reserved1; + volatile u64 tsc_scale; + volatile s64 tsc_offset; + u64 reserved2[509]; +}; + +enum { + X86_TRAP_DE = 0, + X86_TRAP_DB = 1, + X86_TRAP_NMI = 2, + X86_TRAP_BP = 3, + X86_TRAP_OF = 4, + X86_TRAP_BR = 5, + X86_TRAP_UD = 6, + X86_TRAP_NM = 7, + X86_TRAP_DF = 8, + X86_TRAP_OLD_MF = 9, + X86_TRAP_TS = 10, + X86_TRAP_NP = 11, + X86_TRAP_SS = 12, + X86_TRAP_GP = 13, + X86_TRAP_PF = 14, + X86_TRAP_SPURIOUS = 15, + X86_TRAP_MF = 16, + X86_TRAP_AC = 17, + X86_TRAP_MC = 18, + X86_TRAP_XF = 19, + X86_TRAP_IRET = 32, +}; + +enum x86_pf_error_code { + X86_PF_PROT = 1, + X86_PF_WRITE = 2, + X86_PF_USER = 4, + X86_PF_RSVD = 8, + X86_PF_INSTR = 16, + X86_PF_PK = 32, +}; + +struct trace_event_raw_emulate_vsyscall { + struct trace_entry ent; + int nr; + char __data[0]; +}; + +struct trace_event_data_offsets_emulate_vsyscall {}; + +enum { + EMULATE = 0, + XONLY = 1, + NONE = 2, +}; + +enum perf_type_id { + PERF_TYPE_HARDWARE = 0, + PERF_TYPE_SOFTWARE = 1, + PERF_TYPE_TRACEPOINT = 2, + PERF_TYPE_HW_CACHE = 3, + PERF_TYPE_RAW = 4, + PERF_TYPE_BREAKPOINT = 5, + PERF_TYPE_MAX = 6, +}; + +enum perf_hw_id { + PERF_COUNT_HW_CPU_CYCLES = 0, + PERF_COUNT_HW_INSTRUCTIONS = 1, + PERF_COUNT_HW_CACHE_REFERENCES = 2, + PERF_COUNT_HW_CACHE_MISSES = 3, + PERF_COUNT_HW_BRANCH_INSTRUCTIONS = 4, + PERF_COUNT_HW_BRANCH_MISSES = 5, + PERF_COUNT_HW_BUS_CYCLES = 6, + PERF_COUNT_HW_STALLED_CYCLES_FRONTEND = 7, + PERF_COUNT_HW_STALLED_CYCLES_BACKEND = 8, + PERF_COUNT_HW_REF_CPU_CYCLES = 9, + PERF_COUNT_HW_MAX = 10, +}; + +enum perf_hw_cache_id { + PERF_COUNT_HW_CACHE_L1D = 0, + PERF_COUNT_HW_CACHE_L1I = 1, + PERF_COUNT_HW_CACHE_LL = 2, + PERF_COUNT_HW_CACHE_DTLB = 3, + PERF_COUNT_HW_CACHE_ITLB = 4, + PERF_COUNT_HW_CACHE_BPU = 5, + PERF_COUNT_HW_CACHE_NODE = 6, + PERF_COUNT_HW_CACHE_MAX = 7, +}; + +enum perf_hw_cache_op_id { + PERF_COUNT_HW_CACHE_OP_READ = 0, + PERF_COUNT_HW_CACHE_OP_WRITE = 1, + PERF_COUNT_HW_CACHE_OP_PREFETCH = 2, + PERF_COUNT_HW_CACHE_OP_MAX = 3, +}; + +enum perf_hw_cache_op_result_id { + PERF_COUNT_HW_CACHE_RESULT_ACCESS = 0, + PERF_COUNT_HW_CACHE_RESULT_MISS = 1, + PERF_COUNT_HW_CACHE_RESULT_MAX = 2, +}; + +enum perf_event_sample_format { + PERF_SAMPLE_IP = 1, + PERF_SAMPLE_TID = 2, + PERF_SAMPLE_TIME = 4, + PERF_SAMPLE_ADDR = 8, + PERF_SAMPLE_READ = 16, + PERF_SAMPLE_CALLCHAIN = 32, + PERF_SAMPLE_ID = 64, + PERF_SAMPLE_CPU = 128, + PERF_SAMPLE_PERIOD = 256, + PERF_SAMPLE_STREAM_ID = 512, + PERF_SAMPLE_RAW = 1024, + PERF_SAMPLE_BRANCH_STACK = 2048, + PERF_SAMPLE_REGS_USER = 4096, + PERF_SAMPLE_STACK_USER = 8192, + PERF_SAMPLE_WEIGHT = 16384, + PERF_SAMPLE_DATA_SRC = 32768, + PERF_SAMPLE_IDENTIFIER = 65536, + PERF_SAMPLE_TRANSACTION = 131072, + PERF_SAMPLE_REGS_INTR = 262144, + PERF_SAMPLE_PHYS_ADDR = 524288, + PERF_SAMPLE_AUX = 1048576, + PERF_SAMPLE_MAX = 2097152, + __PERF_SAMPLE_CALLCHAIN_EARLY = -1, +}; + +enum perf_branch_sample_type { + PERF_SAMPLE_BRANCH_USER = 1, + PERF_SAMPLE_BRANCH_KERNEL = 2, + PERF_SAMPLE_BRANCH_HV = 4, + PERF_SAMPLE_BRANCH_ANY = 8, + PERF_SAMPLE_BRANCH_ANY_CALL = 16, + PERF_SAMPLE_BRANCH_ANY_RETURN = 32, + PERF_SAMPLE_BRANCH_IND_CALL = 64, + PERF_SAMPLE_BRANCH_ABORT_TX = 128, + PERF_SAMPLE_BRANCH_IN_TX = 256, + PERF_SAMPLE_BRANCH_NO_TX = 512, + PERF_SAMPLE_BRANCH_COND = 1024, + PERF_SAMPLE_BRANCH_CALL_STACK = 2048, + PERF_SAMPLE_BRANCH_IND_JUMP = 4096, + PERF_SAMPLE_BRANCH_CALL = 8192, + PERF_SAMPLE_BRANCH_NO_FLAGS = 16384, + PERF_SAMPLE_BRANCH_NO_CYCLES = 32768, + PERF_SAMPLE_BRANCH_TYPE_SAVE = 65536, + PERF_SAMPLE_BRANCH_MAX = 131072, +}; + +struct perf_event_mmap_page { + __u32 version; + __u32 compat_version; + __u32 lock; + __u32 index; + __s64 offset; + __u64 time_enabled; + __u64 time_running; + union { + __u64 capabilities; + struct { + __u64 cap_bit0: 1; + __u64 cap_bit0_is_deprecated: 1; + __u64 cap_user_rdpmc: 1; + __u64 cap_user_time: 1; + __u64 cap_user_time_zero: 1; + __u64 cap_____res: 59; + }; + }; + __u16 pmc_width; + __u16 time_shift; + __u32 time_mult; + __u64 time_offset; + __u64 time_zero; + __u32 size; + __u8 __reserved[948]; + __u64 data_head; + __u64 data_tail; + __u64 data_offset; + __u64 data_size; + __u64 aux_head; + __u64 aux_tail; + __u64 aux_offset; + __u64 aux_size; +}; + +struct ldt_struct { + struct desc_struct *entries; + unsigned int nr_entries; + int slot; +}; + +typedef struct { + u16 __softirq_pending; + unsigned int __nmi_count; + unsigned int apic_timer_irqs; + unsigned int irq_spurious_count; + unsigned int icr_read_retry_count; + unsigned int kvm_posted_intr_ipis; + unsigned int kvm_posted_intr_wakeup_ipis; + unsigned int kvm_posted_intr_nested_ipis; + unsigned int x86_platform_ipis; + unsigned int apic_perf_irqs; + unsigned int apic_irq_work_irqs; + unsigned int irq_resched_count; + unsigned int irq_call_count; + unsigned int irq_tlb_count; + unsigned int irq_thermal_count; + unsigned int irq_threshold_count; + unsigned int irq_deferred_error_count; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +} irq_cpustat_t; + +struct x86_pmu_capability { + int version; + int num_counters_gp; + int num_counters_fixed; + int bit_width_gp; + int bit_width_fixed; + unsigned int events_mask; + int events_mask_len; +}; + +struct debug_store { + u64 bts_buffer_base; + u64 bts_index; + u64 bts_absolute_maximum; + u64 bts_interrupt_threshold; + u64 pebs_buffer_base; + u64 pebs_index; + u64 pebs_absolute_maximum; + u64 pebs_interrupt_threshold; + u64 pebs_event_reset[12]; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +enum stack_type { + STACK_TYPE_UNKNOWN = 0, + STACK_TYPE_TASK = 1, + STACK_TYPE_IRQ = 2, + STACK_TYPE_SOFTIRQ = 3, + STACK_TYPE_ENTRY = 4, + STACK_TYPE_EXCEPTION = 5, + STACK_TYPE_EXCEPTION_LAST = 10, +}; + +struct stack_info { + enum stack_type type; + long unsigned int *begin; + long unsigned int *end; + long unsigned int *next_sp; +}; + +struct stack_frame { + struct stack_frame *next_frame; + long unsigned int return_address; +}; + +struct stack_frame_ia32 { + u32 next_frame; + u32 return_address; +}; + +struct perf_guest_switch_msr { + unsigned int msr; + u64 host; + u64 guest; +}; + +struct perf_guest_info_callbacks { + int (*is_in_guest)(); + int (*is_user_mode)(); + long unsigned int (*get_guest_ip)(); + void (*handle_intel_pt_intr)(); +}; + +struct device_attribute { + struct attribute attr; + ssize_t (*show)(struct device *, struct device_attribute *, char *); + ssize_t (*store)(struct device *, struct device_attribute *, const char *, size_t); +}; + +enum perf_event_x86_regs { + PERF_REG_X86_AX = 0, + PERF_REG_X86_BX = 1, + PERF_REG_X86_CX = 2, + PERF_REG_X86_DX = 3, + PERF_REG_X86_SI = 4, + PERF_REG_X86_DI = 5, + PERF_REG_X86_BP = 6, + PERF_REG_X86_SP = 7, + PERF_REG_X86_IP = 8, + PERF_REG_X86_FLAGS = 9, + PERF_REG_X86_CS = 10, + PERF_REG_X86_SS = 11, + PERF_REG_X86_DS = 12, + PERF_REG_X86_ES = 13, + PERF_REG_X86_FS = 14, + PERF_REG_X86_GS = 15, + PERF_REG_X86_R8 = 16, + PERF_REG_X86_R9 = 17, + PERF_REG_X86_R10 = 18, + PERF_REG_X86_R11 = 19, + PERF_REG_X86_R12 = 20, + PERF_REG_X86_R13 = 21, + PERF_REG_X86_R14 = 22, + PERF_REG_X86_R15 = 23, + PERF_REG_X86_32_MAX = 16, + PERF_REG_X86_64_MAX = 24, + PERF_REG_X86_XMM0 = 32, + PERF_REG_X86_XMM1 = 34, + PERF_REG_X86_XMM2 = 36, + PERF_REG_X86_XMM3 = 38, + PERF_REG_X86_XMM4 = 40, + PERF_REG_X86_XMM5 = 42, + PERF_REG_X86_XMM6 = 44, + PERF_REG_X86_XMM7 = 46, + PERF_REG_X86_XMM8 = 48, + PERF_REG_X86_XMM9 = 50, + PERF_REG_X86_XMM10 = 52, + PERF_REG_X86_XMM11 = 54, + PERF_REG_X86_XMM12 = 56, + PERF_REG_X86_XMM13 = 58, + PERF_REG_X86_XMM14 = 60, + PERF_REG_X86_XMM15 = 62, + PERF_REG_X86_XMM_MAX = 64, +}; + +struct perf_callchain_entry_ctx { + struct perf_callchain_entry *entry; + u32 max_stack; + u32 nr; + short int contexts; + bool contexts_maxed; +}; + +struct perf_pmu_events_attr { + struct device_attribute attr; + u64 id; + const char *event_str; +}; + +struct perf_pmu_events_ht_attr { + struct device_attribute attr; + u64 id; + const char *event_str_ht; + const char *event_str_noht; +}; + +enum { + NMI_LOCAL = 0, + NMI_UNKNOWN = 1, + NMI_SERR = 2, + NMI_IO_CHECK = 3, + NMI_MAX = 4, +}; + +typedef int (*nmi_handler_t)(unsigned int, struct pt_regs *); + +struct nmiaction { + struct list_head list; + nmi_handler_t handler; + u64 max_duration; + struct irq_work irq_work; + long unsigned int flags; + const char *name; +}; + +struct cyc2ns_data { + u32 cyc2ns_mul; + u32 cyc2ns_shift; + u64 cyc2ns_offset; +}; + +struct unwind_state { + struct stack_info stack_info; + long unsigned int stack_mask; + struct task_struct *task; + int graph_idx; + bool error; + bool signal; + bool full_regs; + long unsigned int sp; + long unsigned int bp; + long unsigned int ip; + struct pt_regs *regs; +}; + +enum extra_reg_type { + EXTRA_REG_NONE = -1, + EXTRA_REG_RSP_0 = 0, + EXTRA_REG_RSP_1 = 1, + EXTRA_REG_LBR = 2, + EXTRA_REG_LDLAT = 3, + EXTRA_REG_FE = 4, + EXTRA_REG_MAX = 5, +}; + +struct event_constraint { + union { + long unsigned int idxmsk[1]; + u64 idxmsk64; + }; + u64 code; + u64 cmask; + int weight; + int overlap; + int flags; + unsigned int size; +}; + +struct amd_nb { + int nb_id; + int refcnt; + struct perf_event *owners[64]; + struct event_constraint event_constraints[64]; +}; + +struct er_account { + raw_spinlock_t lock; + u64 config; + u64 reg; + atomic_t ref; +}; + +struct intel_shared_regs { + struct er_account regs[5]; + int refcnt; + unsigned int core_id; +}; + +enum intel_excl_state_type { + INTEL_EXCL_UNUSED = 0, + INTEL_EXCL_SHARED = 1, + INTEL_EXCL_EXCLUSIVE = 2, +}; + +struct intel_excl_states { + enum intel_excl_state_type state[64]; + bool sched_started; +}; + +struct intel_excl_cntrs { + raw_spinlock_t lock; + struct intel_excl_states states[2]; + union { + u16 has_exclusive[2]; + u32 exclusive_present; + }; + int refcnt; + unsigned int core_id; +}; + +enum { + X86_PERF_KFREE_SHARED = 0, + X86_PERF_KFREE_EXCL = 1, + X86_PERF_KFREE_MAX = 2, +}; + +struct x86_perf_task_context; + +struct cpu_hw_events { + struct perf_event *events[64]; + long unsigned int active_mask[1]; + long unsigned int running[1]; + int enabled; + int n_events; + int n_added; + int n_txn; + int assign[64]; + u64 tags[64]; + struct perf_event *event_list[64]; + struct event_constraint *event_constraint[64]; + int n_excl; + unsigned int txn_flags; + int is_fake; + struct debug_store *ds; + void *ds_pebs_vaddr; + void *ds_bts_vaddr; + u64 pebs_enabled; + int n_pebs; + int n_large_pebs; + int n_pebs_via_pt; + int pebs_output; + u64 pebs_data_cfg; + u64 active_pebs_data_cfg; + int pebs_record_size; + int lbr_users; + int lbr_pebs_users; + struct perf_branch_stack lbr_stack; + struct perf_branch_entry lbr_entries[32]; + struct er_account *lbr_sel; + u64 br_sel; + struct x86_perf_task_context *last_task_ctx; + int last_log_id; + u64 intel_ctrl_guest_mask; + u64 intel_ctrl_host_mask; + struct perf_guest_switch_msr guest_switch_msrs[64]; + u64 intel_cp_status; + struct intel_shared_regs *shared_regs; + struct event_constraint *constraint_list; + struct intel_excl_cntrs *excl_cntrs; + int excl_thread_id; + u64 tfa_shadow; + struct amd_nb *amd_nb; + u64 perf_ctr_virt_mask; + void *kfree_on_online[2]; +}; + +struct x86_perf_task_context { + u64 lbr_from[32]; + u64 lbr_to[32]; + u64 lbr_info[32]; + int tos; + int valid_lbrs; + int lbr_callstack_users; + int lbr_stack_state; + int log_id; +}; + +struct extra_reg { + unsigned int event; + unsigned int msr; + u64 config_mask; + u64 valid_mask; + int idx; + bool extra_msr_access; +}; + +union perf_capabilities { + struct { + u64 lbr_format: 6; + u64 pebs_trap: 1; + u64 pebs_arch_reg: 1; + u64 pebs_format: 4; + u64 smm_freeze: 1; + u64 full_width_write: 1; + u64 pebs_baseline: 1; + u64 pebs_metrics_available: 1; + u64 pebs_output_pt_available: 1; + }; + u64 capabilities; +}; + +struct x86_pmu_quirk { + struct x86_pmu_quirk *next; + void (*func)(); +}; + +enum { + x86_lbr_exclusive_lbr = 0, + x86_lbr_exclusive_bts = 1, + x86_lbr_exclusive_pt = 2, + x86_lbr_exclusive_max = 3, +}; + +struct x86_pmu { + const char *name; + int version; + int (*handle_irq)(struct pt_regs *); + void (*disable_all)(); + void (*enable_all)(int); + void (*enable)(struct perf_event *); + void (*disable)(struct perf_event *); + void (*add)(struct perf_event *); + void (*del)(struct perf_event *); + void (*read)(struct perf_event *); + int (*hw_config)(struct perf_event *); + int (*schedule_events)(struct cpu_hw_events *, int, int *); + unsigned int eventsel; + unsigned int perfctr; + int (*addr_offset)(int, bool); + int (*rdpmc_index)(int); + u64 (*event_map)(int); + int max_events; + int num_counters; + int num_counters_fixed; + int cntval_bits; + u64 cntval_mask; + union { + long unsigned int events_maskl; + long unsigned int events_mask[1]; + }; + int events_mask_len; + int apic; + u64 max_period; + struct event_constraint * (*get_event_constraints)(struct cpu_hw_events *, int, struct perf_event *); + void (*put_event_constraints)(struct cpu_hw_events *, struct perf_event *); + void (*start_scheduling)(struct cpu_hw_events *); + void (*commit_scheduling)(struct cpu_hw_events *, int, int); + void (*stop_scheduling)(struct cpu_hw_events *); + struct event_constraint *event_constraints; + struct x86_pmu_quirk *quirks; + int perfctr_second_write; + u64 (*limit_period)(struct perf_event *, u64); + unsigned int late_ack: 1; + unsigned int counter_freezing: 1; + int attr_rdpmc_broken; + int attr_rdpmc; + struct attribute **format_attrs; + ssize_t (*events_sysfs_show)(char *, u64); + const struct attribute_group **attr_update; + long unsigned int attr_freeze_on_smi; + int (*cpu_prepare)(int); + void (*cpu_starting)(int); + void (*cpu_dying)(int); + void (*cpu_dead)(int); + void (*check_microcode)(); + void (*sched_task)(struct perf_event_context *, bool); + u64 intel_ctrl; + union perf_capabilities intel_cap; + unsigned int bts: 1; + unsigned int bts_active: 1; + unsigned int pebs: 1; + unsigned int pebs_active: 1; + unsigned int pebs_broken: 1; + unsigned int pebs_prec_dist: 1; + unsigned int pebs_no_tlb: 1; + unsigned int pebs_no_isolation: 1; + int pebs_record_size; + int pebs_buffer_size; + int max_pebs_events; + void (*drain_pebs)(struct pt_regs *); + struct event_constraint *pebs_constraints; + void (*pebs_aliases)(struct perf_event *); + long unsigned int large_pebs_flags; + u64 rtm_abort_event; + long unsigned int lbr_tos; + long unsigned int lbr_from; + long unsigned int lbr_to; + int lbr_nr; + u64 lbr_sel_mask; + const int *lbr_sel_map; + bool lbr_double_abort; + bool lbr_pt_coexist; + atomic_t lbr_exclusive[3]; + void (*swap_task_ctx)(struct perf_event_context *, struct perf_event_context *); + unsigned int amd_nb_constraints: 1; + struct extra_reg *extra_regs; + unsigned int flags; + struct perf_guest_switch_msr * (*guest_get_msrs)(int *); + int (*check_period)(struct perf_event *, u64); + int (*aux_output_match)(struct perf_event *); +}; + +struct sched_state { + int weight; + int event; + int counter; + int unassigned; + int nr_gp; + long unsigned int used[1]; +}; + +struct perf_sched { + int max_weight; + int max_events; + int max_gp; + int saved_states; + struct event_constraint **constraints; + struct sched_state state; + struct sched_state saved[2]; +}; + +typedef int pao_T__; + +enum migratetype { + MIGRATE_UNMOVABLE = 0, + MIGRATE_MOVABLE = 1, + MIGRATE_RECLAIMABLE = 2, + MIGRATE_PCPTYPES = 3, + MIGRATE_HIGHATOMIC = 3, + MIGRATE_TYPES = 4, +}; + +enum lru_list { + LRU_INACTIVE_ANON = 0, + LRU_ACTIVE_ANON = 1, + LRU_INACTIVE_FILE = 2, + LRU_ACTIVE_FILE = 3, + LRU_UNEVICTABLE = 4, + NR_LRU_LISTS = 5, +}; + +enum zone_watermarks { + WMARK_MIN = 0, + WMARK_LOW = 1, + WMARK_HIGH = 2, + NR_WMARK = 3, +}; + +enum { + ZONELIST_FALLBACK = 0, + ZONELIST_NOFALLBACK = 1, + MAX_ZONELISTS = 2, +}; + +struct perf_msr { + u64 msr; + struct attribute_group *grp; + bool (*test)(int, void *); + bool no_check; +}; + +typedef long unsigned int pto_T__; + +struct amd_uncore { + int id; + int refcnt; + int cpu; + int num_counters; + int rdpmc_base; + u32 msr_base; + cpumask_t *active_mask; + struct pmu *pmu; + struct perf_event *events[6]; + struct hlist_node node; +}; + +typedef int pci_power_t; + +typedef unsigned int pci_channel_state_t; + +typedef short unsigned int pci_dev_flags_t; + +struct pci_bus; + +struct pci_slot; + +struct aer_stats; + +struct pci_driver; + +struct pcie_link_state; + +struct pci_vpd; + +struct pci_sriov; + +struct pci_dev { + struct list_head bus_list; + struct pci_bus *bus; + struct pci_bus *subordinate; + void *sysdata; + struct proc_dir_entry *procent; + struct pci_slot *slot; + unsigned int devfn; + short unsigned int vendor; + short unsigned int device; + short unsigned int subsystem_vendor; + short unsigned int subsystem_device; + unsigned int class; + u8 revision; + u8 hdr_type; + u16 aer_cap; + struct aer_stats *aer_stats; + u8 pcie_cap; + u8 msi_cap; + u8 msix_cap; + u8 pcie_mpss: 3; + u8 rom_base_reg; + u8 pin; + u16 pcie_flags_reg; + long unsigned int *dma_alias_mask; + struct pci_driver *driver; + u64 dma_mask; + struct device_dma_parameters dma_parms; + pci_power_t current_state; + unsigned int imm_ready: 1; + u8 pm_cap; + unsigned int pme_support: 5; + unsigned int pme_poll: 1; + unsigned int d1_support: 1; + unsigned int d2_support: 1; + unsigned int no_d1d2: 1; + unsigned int no_d3cold: 1; + unsigned int bridge_d3: 1; + unsigned int d3cold_allowed: 1; + unsigned int mmio_always_on: 1; + unsigned int wakeup_prepared: 1; + unsigned int runtime_d3cold: 1; + unsigned int skip_bus_pm: 1; + unsigned int ignore_hotplug: 1; + unsigned int hotplug_user_indicators: 1; + unsigned int clear_retrain_link: 1; + unsigned int d3_delay; + unsigned int d3cold_delay; + struct pcie_link_state *link_state; + unsigned int ltr_path: 1; + unsigned int eetlp_prefix_path: 1; + pci_channel_state_t error_state; + struct device dev; + int cfg_size; + unsigned int irq; + struct resource resource[11]; + bool match_driver; + unsigned int transparent: 1; + unsigned int io_window: 1; + unsigned int pref_window: 1; + unsigned int pref_64_window: 1; + unsigned int multifunction: 1; + unsigned int is_busmaster: 1; + unsigned int no_msi: 1; + unsigned int no_64bit_msi: 1; + unsigned int block_cfg_access: 1; + unsigned int broken_parity_status: 1; + unsigned int irq_reroute_variant: 2; + unsigned int msi_enabled: 1; + unsigned int msix_enabled: 1; + unsigned int ari_enabled: 1; + unsigned int ats_enabled: 1; + unsigned int pasid_enabled: 1; + unsigned int pri_enabled: 1; + unsigned int is_managed: 1; + unsigned int needs_freset: 1; + unsigned int state_saved: 1; + unsigned int is_physfn: 1; + unsigned int is_virtfn: 1; + unsigned int reset_fn: 1; + unsigned int is_hotplug_bridge: 1; + unsigned int shpc_managed: 1; + unsigned int is_thunderbolt: 1; + unsigned int untrusted: 1; + unsigned int __aer_firmware_first_valid: 1; + unsigned int __aer_firmware_first: 1; + unsigned int broken_intx_masking: 1; + unsigned int io_window_1k: 1; + unsigned int irq_managed: 1; + unsigned int non_compliant_bars: 1; + unsigned int is_probed: 1; + unsigned int link_active_reporting: 1; + unsigned int no_vf_scan: 1; + pci_dev_flags_t dev_flags; + atomic_t enable_cnt; + u32 saved_config_space[16]; + struct hlist_head saved_cap_space; + struct bin_attribute *rom_attr; + int rom_attr_enabled; + struct bin_attribute *res_attr[11]; + struct bin_attribute *res_attr_wc[11]; + const struct attribute_group **msi_irq_groups; + struct pci_vpd *vpd; + union { + struct pci_sriov *sriov; + struct pci_dev *physfn; + }; + u16 ats_cap; + u8 ats_stu; + u16 pri_cap; + u32 pri_reqs_alloc; + unsigned int pasid_required: 1; + u16 pasid_cap; + u16 pasid_features; + phys_addr_t rom; + size_t romlen; + char *driver_override; + long unsigned int priv_flags; +}; + +struct pci_device_id { + __u32 vendor; + __u32 device; + __u32 subvendor; + __u32 subdevice; + __u32 class; + __u32 class_mask; + kernel_ulong_t driver_data; +}; + +struct hotplug_slot; + +struct pci_slot { + struct pci_bus *bus; + struct list_head list; + struct hotplug_slot *hotplug; + unsigned char number; + struct kobject kobj; +}; + +typedef short unsigned int pci_bus_flags_t; + +struct pci_ops; + +struct msi_controller; + +struct pci_bus { + struct list_head node; + struct pci_bus *parent; + struct list_head children; + struct list_head devices; + struct pci_dev *self; + struct list_head slots; + struct resource *resource[4]; + struct list_head resources; + struct resource busn_res; + struct pci_ops *ops; + struct msi_controller *msi; + void *sysdata; + struct proc_dir_entry *procdir; + unsigned char number; + unsigned char primary; + unsigned char max_bus_speed; + unsigned char cur_bus_speed; + char name[48]; + short unsigned int bridge_ctl; + pci_bus_flags_t bus_flags; + struct device *bridge; + struct device dev; + struct bin_attribute *legacy_io; + struct bin_attribute *legacy_mem; + unsigned int is_added: 1; +}; + +enum { + PCI_STD_RESOURCES = 0, + PCI_STD_RESOURCE_END = 5, + PCI_ROM_RESOURCE = 6, + PCI_BRIDGE_RESOURCES = 7, + PCI_BRIDGE_RESOURCE_END = 10, + PCI_NUM_RESOURCES = 11, + DEVICE_COUNT_RESOURCE = 11, +}; + +enum pci_channel_state { + pci_channel_io_normal = 1, + pci_channel_io_frozen = 2, + pci_channel_io_perm_failure = 3, +}; + +typedef unsigned int pcie_reset_state_t; + +struct pci_dynids { + spinlock_t lock; + struct list_head list; +}; + +struct pci_error_handlers; + +struct pci_driver { + struct list_head node; + const char *name; + const struct pci_device_id *id_table; + int (*probe)(struct pci_dev *, const struct pci_device_id *); + void (*remove)(struct pci_dev *); + int (*suspend)(struct pci_dev *, pm_message_t); + int (*resume)(struct pci_dev *); + void (*shutdown)(struct pci_dev *); + int (*sriov_configure)(struct pci_dev *, int); + const struct pci_error_handlers *err_handler; + const struct attribute_group **groups; + struct device_driver driver; + struct pci_dynids dynids; +}; + +struct pci_ops { + int (*add_bus)(struct pci_bus *); + void (*remove_bus)(struct pci_bus *); + void * (*map_bus)(struct pci_bus *, unsigned int, int); + int (*read)(struct pci_bus *, unsigned int, int, int, u32 *); + int (*write)(struct pci_bus *, unsigned int, int, int, u32); +}; + +typedef unsigned int pci_ers_result_t; + +struct pci_error_handlers { + pci_ers_result_t (*error_detected)(struct pci_dev *, enum pci_channel_state); + pci_ers_result_t (*mmio_enabled)(struct pci_dev *); + pci_ers_result_t (*slot_reset)(struct pci_dev *); + void (*reset_prepare)(struct pci_dev *); + void (*reset_done)(struct pci_dev *); + void (*resume)(struct pci_dev *); +}; + +struct syscore_ops { + struct list_head node; + int (*suspend)(); + void (*resume)(); + void (*shutdown)(); +}; + +enum ibs_states { + IBS_ENABLED = 0, + IBS_STARTED = 1, + IBS_STOPPING = 2, + IBS_STOPPED = 3, + IBS_MAX_STATES = 4, +}; + +struct cpu_perf_ibs { + struct perf_event *event; + long unsigned int state[1]; +}; + +struct perf_ibs { + struct pmu pmu; + unsigned int msr; + u64 config_mask; + u64 cnt_mask; + u64 enable_mask; + u64 valid_mask; + u64 max_period; + long unsigned int offset_mask[1]; + int offset_max; + struct cpu_perf_ibs *pcpu; + struct attribute **format_attrs; + struct attribute_group format_group; + const struct attribute_group *attr_groups[2]; + u64 (*get_count)(u64); +}; + +struct perf_ibs_data { + u32 size; + union { + u32 data[0]; + u32 caps; + }; + u64 regs[8]; +}; + +struct kobj_attribute { + struct attribute attr; + ssize_t (*show)(struct kobject *, struct kobj_attribute *, char *); + ssize_t (*store)(struct kobject *, struct kobj_attribute *, const char *, size_t); +}; + +struct amd_iommu; + +struct perf_amd_iommu { + struct list_head list; + struct pmu pmu; + struct amd_iommu *iommu; + char name[16]; + u8 max_banks; + u8 max_counters; + u64 cntr_assign_mask; + raw_spinlock_t lock; +}; + +struct amd_iommu_event_desc { + struct kobj_attribute attr; + const char *event; +}; + +enum perf_msr_id { + PERF_MSR_TSC = 0, + PERF_MSR_APERF = 1, + PERF_MSR_MPERF = 2, + PERF_MSR_PPERF = 3, + PERF_MSR_SMI = 4, + PERF_MSR_PTSC = 5, + PERF_MSR_IRPERF = 6, + PERF_MSR_THERM = 7, + PERF_MSR_EVENT_MAX = 8, +}; + +struct x86_cpu_desc { + u8 x86_family; + u8 x86_vendor; + u8 x86_model; + u8 x86_stepping; + u32 x86_microcode_rev; +}; + +union cpuid10_eax { + struct { + unsigned int version_id: 8; + unsigned int num_counters: 8; + unsigned int bit_width: 8; + unsigned int mask_length: 8; + } split; + unsigned int full; +}; + +union cpuid10_ebx { + struct { + unsigned int no_unhalted_core_cycles: 1; + unsigned int no_instructions_retired: 1; + unsigned int no_unhalted_reference_cycles: 1; + unsigned int no_llc_reference: 1; + unsigned int no_llc_misses: 1; + unsigned int no_branch_instruction_retired: 1; + unsigned int no_branch_misses_retired: 1; + } split; + unsigned int full; +}; + +union cpuid10_edx { + struct { + unsigned int num_counters_fixed: 5; + unsigned int bit_width_fixed: 8; + unsigned int reserved: 19; + } split; + unsigned int full; +}; + +union x86_pmu_config { + struct { + u64 event: 8; + u64 umask: 8; + u64 usr: 1; + u64 os: 1; + u64 edge: 1; + u64 pc: 1; + u64 interrupt: 1; + u64 __reserved1: 1; + u64 en: 1; + u64 inv: 1; + u64 cmask: 8; + u64 event2: 4; + u64 __reserved2: 4; + u64 go: 1; + u64 ho: 1; + } bits; + u64 value; +}; + +enum pageflags { + PG_locked = 0, + PG_referenced = 1, + PG_uptodate = 2, + PG_dirty = 3, + PG_lru = 4, + PG_active = 5, + PG_workingset = 6, + PG_waiters = 7, + PG_error = 8, + PG_slab = 9, + PG_owner_priv_1 = 10, + PG_arch_1 = 11, + PG_reserved = 12, + PG_private = 13, + PG_private_2 = 14, + PG_writeback = 15, + PG_head = 16, + PG_mappedtodisk = 17, + PG_reclaim = 18, + PG_swapbacked = 19, + PG_unevictable = 20, + PG_mlocked = 21, + PG_uncached = 22, + __NR_PAGEFLAGS = 23, + PG_checked = 10, + PG_swapcache = 10, + PG_fscache = 14, + PG_pinned = 10, + PG_savepinned = 3, + PG_foreign = 10, + PG_xen_remapped = 10, + PG_slob_free = 13, + PG_double_map = 14, + PG_isolated = 18, +}; + +struct bts_ctx { + struct perf_output_handle handle; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct debug_store ds_back; + int state; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +enum { + BTS_STATE_STOPPED = 0, + BTS_STATE_INACTIVE = 1, + BTS_STATE_ACTIVE = 2, +}; + +struct bts_phys { + struct page *page; + long unsigned int size; + long unsigned int offset; + long unsigned int displacement; +}; + +struct bts_buffer { + size_t real_size; + unsigned int nr_pages; + unsigned int nr_bufs; + unsigned int cur_buf; + bool snapshot; + local_t data_size; + local_t head; + long unsigned int end; + void **data_pages; + struct bts_phys buf[0]; +}; + +struct entry_stack { + long unsigned int words[64]; +}; + +struct entry_stack_page { + struct entry_stack stack; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct debug_store_buffers { + char bts_buffer[65536]; + char pebs_buffer[65536]; +}; + +struct cea_exception_stacks { + char DF_stack_guard[4096]; + char DF_stack[4096]; + char NMI_stack_guard[4096]; + char NMI_stack[4096]; + char DB2_stack_guard[4096]; + char DB2_stack[4096]; + char DB1_stack_guard[4096]; + char DB1_stack[4096]; + char DB_stack_guard[4096]; + char DB_stack[4096]; + char MCE_stack_guard[4096]; + char MCE_stack[4096]; + char IST_top_guard[4096]; +}; + +struct cpu_entry_area { + char gdt[4096]; + struct entry_stack_page entry_stack_page; + struct tss_struct tss; + struct cea_exception_stacks estacks; + struct debug_store cpu_debug_store; + struct debug_store_buffers cpu_debug_buffers; +}; + +struct pebs_basic { + u64 format_size; + u64 ip; + u64 applicable_counters; + u64 tsc; +}; + +struct pebs_meminfo { + u64 address; + u64 aux; + u64 latency; + u64 tsx_tuning; +}; + +struct pebs_gprs { + u64 flags; + u64 ip; + u64 ax; + u64 cx; + u64 dx; + u64 bx; + u64 sp; + u64 bp; + u64 si; + u64 di; + u64 r8; + u64 r9; + u64 r10; + u64 r11; + u64 r12; + u64 r13; + u64 r14; + u64 r15; +}; + +struct pebs_xmm { + u64 xmm[32]; +}; + +struct pebs_lbr_entry { + u64 from; + u64 to; + u64 info; +}; + +struct pebs_lbr { + struct pebs_lbr_entry lbr[0]; +}; + +struct x86_perf_regs { + struct pt_regs regs; + u64 *xmm_regs; +}; + +typedef unsigned int insn_attr_t; + +typedef unsigned char insn_byte_t; + +typedef int insn_value_t; + +struct insn_field { + union { + insn_value_t value; + insn_byte_t bytes[4]; + }; + unsigned char got; + unsigned char nbytes; +}; + +struct insn { + struct insn_field prefixes; + struct insn_field rex_prefix; + struct insn_field vex_prefix; + struct insn_field opcode; + struct insn_field modrm; + struct insn_field sib; + struct insn_field displacement; + union { + struct insn_field immediate; + struct insn_field moffset1; + struct insn_field immediate1; + }; + union { + struct insn_field moffset2; + struct insn_field immediate2; + }; + int emulate_prefix_size; + insn_attr_t attr; + unsigned char opnd_bytes; + unsigned char addr_bytes; + unsigned char length; + unsigned char x86_64; + const insn_byte_t *kaddr; + const insn_byte_t *end_kaddr; + const insn_byte_t *next_byte; +}; + +enum { + PERF_TXN_ELISION = 1, + PERF_TXN_TRANSACTION = 2, + PERF_TXN_SYNC = 4, + PERF_TXN_ASYNC = 8, + PERF_TXN_RETRY = 16, + PERF_TXN_CONFLICT = 32, + PERF_TXN_CAPACITY_WRITE = 64, + PERF_TXN_CAPACITY_READ = 128, + PERF_TXN_MAX = 256, + PERF_TXN_ABORT_MASK = 0, + PERF_TXN_ABORT_SHIFT = 32, +}; + +struct perf_event_header { + __u32 type; + __u16 misc; + __u16 size; +}; + +union intel_x86_pebs_dse { + u64 val; + struct { + unsigned int ld_dse: 4; + unsigned int ld_stlb_miss: 1; + unsigned int ld_locked: 1; + unsigned int ld_reserved: 26; + }; + struct { + unsigned int st_l1d_hit: 1; + unsigned int st_reserved1: 3; + unsigned int st_stlb_miss: 1; + unsigned int st_locked: 1; + unsigned int st_reserved2: 26; + }; +}; + +struct pebs_record_core { + u64 flags; + u64 ip; + u64 ax; + u64 bx; + u64 cx; + u64 dx; + u64 si; + u64 di; + u64 bp; + u64 sp; + u64 r8; + u64 r9; + u64 r10; + u64 r11; + u64 r12; + u64 r13; + u64 r14; + u64 r15; +}; + +struct pebs_record_nhm { + u64 flags; + u64 ip; + u64 ax; + u64 bx; + u64 cx; + u64 dx; + u64 si; + u64 di; + u64 bp; + u64 sp; + u64 r8; + u64 r9; + u64 r10; + u64 r11; + u64 r12; + u64 r13; + u64 r14; + u64 r15; + u64 status; + u64 dla; + u64 dse; + u64 lat; +}; + +union hsw_tsx_tuning { + struct { + u32 cycles_last_block: 32; + u32 hle_abort: 1; + u32 rtm_abort: 1; + u32 instruction_abort: 1; + u32 non_instruction_abort: 1; + u32 retry: 1; + u32 data_conflict: 1; + u32 capacity_writes: 1; + u32 capacity_reads: 1; + }; + u64 value; +}; + +struct pebs_record_skl { + u64 flags; + u64 ip; + u64 ax; + u64 bx; + u64 cx; + u64 dx; + u64 si; + u64 di; + u64 bp; + u64 sp; + u64 r8; + u64 r9; + u64 r10; + u64 r11; + u64 r12; + u64 r13; + u64 r14; + u64 r15; + u64 status; + u64 dla; + u64 dse; + u64 lat; + u64 real_ip; + u64 tsx_tuning; + u64 tsc; +}; + +struct bts_record { + u64 from; + u64 to; + u64 flags; +}; + +enum { + PERF_BR_UNKNOWN = 0, + PERF_BR_COND = 1, + PERF_BR_UNCOND = 2, + PERF_BR_IND = 3, + PERF_BR_CALL = 4, + PERF_BR_IND_CALL = 5, + PERF_BR_RET = 6, + PERF_BR_SYSCALL = 7, + PERF_BR_SYSRET = 8, + PERF_BR_COND_CALL = 9, + PERF_BR_COND_RET = 10, + PERF_BR_MAX = 11, +}; + +enum { + LBR_FORMAT_32 = 0, + LBR_FORMAT_LIP = 1, + LBR_FORMAT_EIP = 2, + LBR_FORMAT_EIP_FLAGS = 3, + LBR_FORMAT_EIP_FLAGS2 = 4, + LBR_FORMAT_INFO = 5, + LBR_FORMAT_TIME = 6, + LBR_FORMAT_MAX_KNOWN = 6, +}; + +enum { + X86_BR_NONE = 0, + X86_BR_USER = 1, + X86_BR_KERNEL = 2, + X86_BR_CALL = 4, + X86_BR_RET = 8, + X86_BR_SYSCALL = 16, + X86_BR_SYSRET = 32, + X86_BR_INT = 64, + X86_BR_IRET = 128, + X86_BR_JCC = 256, + X86_BR_JMP = 512, + X86_BR_IRQ = 1024, + X86_BR_IND_CALL = 2048, + X86_BR_ABORT = 4096, + X86_BR_IN_TX = 8192, + X86_BR_NO_TX = 16384, + X86_BR_ZERO_CALL = 32768, + X86_BR_CALL_STACK = 65536, + X86_BR_IND_JMP = 131072, + X86_BR_TYPE_SAVE = 262144, +}; + +enum { + LBR_NONE = 0, + LBR_VALID = 1, +}; + +enum P4_EVENTS { + P4_EVENT_TC_DELIVER_MODE = 0, + P4_EVENT_BPU_FETCH_REQUEST = 1, + P4_EVENT_ITLB_REFERENCE = 2, + P4_EVENT_MEMORY_CANCEL = 3, + P4_EVENT_MEMORY_COMPLETE = 4, + P4_EVENT_LOAD_PORT_REPLAY = 5, + P4_EVENT_STORE_PORT_REPLAY = 6, + P4_EVENT_MOB_LOAD_REPLAY = 7, + P4_EVENT_PAGE_WALK_TYPE = 8, + P4_EVENT_BSQ_CACHE_REFERENCE = 9, + P4_EVENT_IOQ_ALLOCATION = 10, + P4_EVENT_IOQ_ACTIVE_ENTRIES = 11, + P4_EVENT_FSB_DATA_ACTIVITY = 12, + P4_EVENT_BSQ_ALLOCATION = 13, + P4_EVENT_BSQ_ACTIVE_ENTRIES = 14, + P4_EVENT_SSE_INPUT_ASSIST = 15, + P4_EVENT_PACKED_SP_UOP = 16, + P4_EVENT_PACKED_DP_UOP = 17, + P4_EVENT_SCALAR_SP_UOP = 18, + P4_EVENT_SCALAR_DP_UOP = 19, + P4_EVENT_64BIT_MMX_UOP = 20, + P4_EVENT_128BIT_MMX_UOP = 21, + P4_EVENT_X87_FP_UOP = 22, + P4_EVENT_TC_MISC = 23, + P4_EVENT_GLOBAL_POWER_EVENTS = 24, + P4_EVENT_TC_MS_XFER = 25, + P4_EVENT_UOP_QUEUE_WRITES = 26, + P4_EVENT_RETIRED_MISPRED_BRANCH_TYPE = 27, + P4_EVENT_RETIRED_BRANCH_TYPE = 28, + P4_EVENT_RESOURCE_STALL = 29, + P4_EVENT_WC_BUFFER = 30, + P4_EVENT_B2B_CYCLES = 31, + P4_EVENT_BNR = 32, + P4_EVENT_SNOOP = 33, + P4_EVENT_RESPONSE = 34, + P4_EVENT_FRONT_END_EVENT = 35, + P4_EVENT_EXECUTION_EVENT = 36, + P4_EVENT_REPLAY_EVENT = 37, + P4_EVENT_INSTR_RETIRED = 38, + P4_EVENT_UOPS_RETIRED = 39, + P4_EVENT_UOP_TYPE = 40, + P4_EVENT_BRANCH_RETIRED = 41, + P4_EVENT_MISPRED_BRANCH_RETIRED = 42, + P4_EVENT_X87_ASSIST = 43, + P4_EVENT_MACHINE_CLEAR = 44, + P4_EVENT_INSTR_COMPLETED = 45, +}; + +enum P4_EVENT_OPCODES { + P4_EVENT_TC_DELIVER_MODE_OPCODE = 257, + P4_EVENT_BPU_FETCH_REQUEST_OPCODE = 768, + P4_EVENT_ITLB_REFERENCE_OPCODE = 6147, + P4_EVENT_MEMORY_CANCEL_OPCODE = 517, + P4_EVENT_MEMORY_COMPLETE_OPCODE = 2050, + P4_EVENT_LOAD_PORT_REPLAY_OPCODE = 1026, + P4_EVENT_STORE_PORT_REPLAY_OPCODE = 1282, + P4_EVENT_MOB_LOAD_REPLAY_OPCODE = 770, + P4_EVENT_PAGE_WALK_TYPE_OPCODE = 260, + P4_EVENT_BSQ_CACHE_REFERENCE_OPCODE = 3079, + P4_EVENT_IOQ_ALLOCATION_OPCODE = 774, + P4_EVENT_IOQ_ACTIVE_ENTRIES_OPCODE = 6662, + P4_EVENT_FSB_DATA_ACTIVITY_OPCODE = 5894, + P4_EVENT_BSQ_ALLOCATION_OPCODE = 1287, + P4_EVENT_BSQ_ACTIVE_ENTRIES_OPCODE = 1543, + P4_EVENT_SSE_INPUT_ASSIST_OPCODE = 13313, + P4_EVENT_PACKED_SP_UOP_OPCODE = 2049, + P4_EVENT_PACKED_DP_UOP_OPCODE = 3073, + P4_EVENT_SCALAR_SP_UOP_OPCODE = 2561, + P4_EVENT_SCALAR_DP_UOP_OPCODE = 3585, + P4_EVENT_64BIT_MMX_UOP_OPCODE = 513, + P4_EVENT_128BIT_MMX_UOP_OPCODE = 6657, + P4_EVENT_X87_FP_UOP_OPCODE = 1025, + P4_EVENT_TC_MISC_OPCODE = 1537, + P4_EVENT_GLOBAL_POWER_EVENTS_OPCODE = 4870, + P4_EVENT_TC_MS_XFER_OPCODE = 1280, + P4_EVENT_UOP_QUEUE_WRITES_OPCODE = 2304, + P4_EVENT_RETIRED_MISPRED_BRANCH_TYPE_OPCODE = 1282, + P4_EVENT_RETIRED_BRANCH_TYPE_OPCODE = 1026, + P4_EVENT_RESOURCE_STALL_OPCODE = 257, + P4_EVENT_WC_BUFFER_OPCODE = 1285, + P4_EVENT_B2B_CYCLES_OPCODE = 5635, + P4_EVENT_BNR_OPCODE = 2051, + P4_EVENT_SNOOP_OPCODE = 1539, + P4_EVENT_RESPONSE_OPCODE = 1027, + P4_EVENT_FRONT_END_EVENT_OPCODE = 2053, + P4_EVENT_EXECUTION_EVENT_OPCODE = 3077, + P4_EVENT_REPLAY_EVENT_OPCODE = 2309, + P4_EVENT_INSTR_RETIRED_OPCODE = 516, + P4_EVENT_UOPS_RETIRED_OPCODE = 260, + P4_EVENT_UOP_TYPE_OPCODE = 514, + P4_EVENT_BRANCH_RETIRED_OPCODE = 1541, + P4_EVENT_MISPRED_BRANCH_RETIRED_OPCODE = 772, + P4_EVENT_X87_ASSIST_OPCODE = 773, + P4_EVENT_MACHINE_CLEAR_OPCODE = 517, + P4_EVENT_INSTR_COMPLETED_OPCODE = 1796, +}; + +enum P4_ESCR_EMASKS { + P4_EVENT_TC_DELIVER_MODE__DD = 512, + P4_EVENT_TC_DELIVER_MODE__DB = 1024, + P4_EVENT_TC_DELIVER_MODE__DI = 2048, + P4_EVENT_TC_DELIVER_MODE__BD = 4096, + P4_EVENT_TC_DELIVER_MODE__BB = 8192, + P4_EVENT_TC_DELIVER_MODE__BI = 16384, + P4_EVENT_TC_DELIVER_MODE__ID = 32768, + P4_EVENT_BPU_FETCH_REQUEST__TCMISS = 512, + P4_EVENT_ITLB_REFERENCE__HIT = 512, + P4_EVENT_ITLB_REFERENCE__MISS = 1024, + P4_EVENT_ITLB_REFERENCE__HIT_UK = 2048, + P4_EVENT_MEMORY_CANCEL__ST_RB_FULL = 2048, + P4_EVENT_MEMORY_CANCEL__64K_CONF = 4096, + P4_EVENT_MEMORY_COMPLETE__LSC = 512, + P4_EVENT_MEMORY_COMPLETE__SSC = 1024, + P4_EVENT_LOAD_PORT_REPLAY__SPLIT_LD = 1024, + P4_EVENT_STORE_PORT_REPLAY__SPLIT_ST = 1024, + P4_EVENT_MOB_LOAD_REPLAY__NO_STA = 1024, + P4_EVENT_MOB_LOAD_REPLAY__NO_STD = 4096, + P4_EVENT_MOB_LOAD_REPLAY__PARTIAL_DATA = 8192, + P4_EVENT_MOB_LOAD_REPLAY__UNALGN_ADDR = 16384, + P4_EVENT_PAGE_WALK_TYPE__DTMISS = 512, + P4_EVENT_PAGE_WALK_TYPE__ITMISS = 1024, + P4_EVENT_BSQ_CACHE_REFERENCE__RD_2ndL_HITS = 512, + P4_EVENT_BSQ_CACHE_REFERENCE__RD_2ndL_HITE = 1024, + P4_EVENT_BSQ_CACHE_REFERENCE__RD_2ndL_HITM = 2048, + P4_EVENT_BSQ_CACHE_REFERENCE__RD_3rdL_HITS = 4096, + P4_EVENT_BSQ_CACHE_REFERENCE__RD_3rdL_HITE = 8192, + P4_EVENT_BSQ_CACHE_REFERENCE__RD_3rdL_HITM = 16384, + P4_EVENT_BSQ_CACHE_REFERENCE__RD_2ndL_MISS = 131072, + P4_EVENT_BSQ_CACHE_REFERENCE__RD_3rdL_MISS = 262144, + P4_EVENT_BSQ_CACHE_REFERENCE__WR_2ndL_MISS = 524288, + P4_EVENT_IOQ_ALLOCATION__DEFAULT = 512, + P4_EVENT_IOQ_ALLOCATION__ALL_READ = 16384, + P4_EVENT_IOQ_ALLOCATION__ALL_WRITE = 32768, + P4_EVENT_IOQ_ALLOCATION__MEM_UC = 65536, + P4_EVENT_IOQ_ALLOCATION__MEM_WC = 131072, + P4_EVENT_IOQ_ALLOCATION__MEM_WT = 262144, + P4_EVENT_IOQ_ALLOCATION__MEM_WP = 524288, + P4_EVENT_IOQ_ALLOCATION__MEM_WB = 1048576, + P4_EVENT_IOQ_ALLOCATION__OWN = 4194304, + P4_EVENT_IOQ_ALLOCATION__OTHER = 8388608, + P4_EVENT_IOQ_ALLOCATION__PREFETCH = 16777216, + P4_EVENT_IOQ_ACTIVE_ENTRIES__DEFAULT = 512, + P4_EVENT_IOQ_ACTIVE_ENTRIES__ALL_READ = 16384, + P4_EVENT_IOQ_ACTIVE_ENTRIES__ALL_WRITE = 32768, + P4_EVENT_IOQ_ACTIVE_ENTRIES__MEM_UC = 65536, + P4_EVENT_IOQ_ACTIVE_ENTRIES__MEM_WC = 131072, + P4_EVENT_IOQ_ACTIVE_ENTRIES__MEM_WT = 262144, + P4_EVENT_IOQ_ACTIVE_ENTRIES__MEM_WP = 524288, + P4_EVENT_IOQ_ACTIVE_ENTRIES__MEM_WB = 1048576, + P4_EVENT_IOQ_ACTIVE_ENTRIES__OWN = 4194304, + P4_EVENT_IOQ_ACTIVE_ENTRIES__OTHER = 8388608, + P4_EVENT_IOQ_ACTIVE_ENTRIES__PREFETCH = 16777216, + P4_EVENT_FSB_DATA_ACTIVITY__DRDY_DRV = 512, + P4_EVENT_FSB_DATA_ACTIVITY__DRDY_OWN = 1024, + P4_EVENT_FSB_DATA_ACTIVITY__DRDY_OTHER = 2048, + P4_EVENT_FSB_DATA_ACTIVITY__DBSY_DRV = 4096, + P4_EVENT_FSB_DATA_ACTIVITY__DBSY_OWN = 8192, + P4_EVENT_FSB_DATA_ACTIVITY__DBSY_OTHER = 16384, + P4_EVENT_BSQ_ALLOCATION__REQ_TYPE0 = 512, + P4_EVENT_BSQ_ALLOCATION__REQ_TYPE1 = 1024, + P4_EVENT_BSQ_ALLOCATION__REQ_LEN0 = 2048, + P4_EVENT_BSQ_ALLOCATION__REQ_LEN1 = 4096, + P4_EVENT_BSQ_ALLOCATION__REQ_IO_TYPE = 16384, + P4_EVENT_BSQ_ALLOCATION__REQ_LOCK_TYPE = 32768, + P4_EVENT_BSQ_ALLOCATION__REQ_CACHE_TYPE = 65536, + P4_EVENT_BSQ_ALLOCATION__REQ_SPLIT_TYPE = 131072, + P4_EVENT_BSQ_ALLOCATION__REQ_DEM_TYPE = 262144, + P4_EVENT_BSQ_ALLOCATION__REQ_ORD_TYPE = 524288, + P4_EVENT_BSQ_ALLOCATION__MEM_TYPE0 = 1048576, + P4_EVENT_BSQ_ALLOCATION__MEM_TYPE1 = 2097152, + P4_EVENT_BSQ_ALLOCATION__MEM_TYPE2 = 4194304, + P4_EVENT_BSQ_ACTIVE_ENTRIES__REQ_TYPE0 = 512, + P4_EVENT_BSQ_ACTIVE_ENTRIES__REQ_TYPE1 = 1024, + P4_EVENT_BSQ_ACTIVE_ENTRIES__REQ_LEN0 = 2048, + P4_EVENT_BSQ_ACTIVE_ENTRIES__REQ_LEN1 = 4096, + P4_EVENT_BSQ_ACTIVE_ENTRIES__REQ_IO_TYPE = 16384, + P4_EVENT_BSQ_ACTIVE_ENTRIES__REQ_LOCK_TYPE = 32768, + P4_EVENT_BSQ_ACTIVE_ENTRIES__REQ_CACHE_TYPE = 65536, + P4_EVENT_BSQ_ACTIVE_ENTRIES__REQ_SPLIT_TYPE = 131072, + P4_EVENT_BSQ_ACTIVE_ENTRIES__REQ_DEM_TYPE = 262144, + P4_EVENT_BSQ_ACTIVE_ENTRIES__REQ_ORD_TYPE = 524288, + P4_EVENT_BSQ_ACTIVE_ENTRIES__MEM_TYPE0 = 1048576, + P4_EVENT_BSQ_ACTIVE_ENTRIES__MEM_TYPE1 = 2097152, + P4_EVENT_BSQ_ACTIVE_ENTRIES__MEM_TYPE2 = 4194304, + P4_EVENT_SSE_INPUT_ASSIST__ALL = 16777216, + P4_EVENT_PACKED_SP_UOP__ALL = 16777216, + P4_EVENT_PACKED_DP_UOP__ALL = 16777216, + P4_EVENT_SCALAR_SP_UOP__ALL = 16777216, + P4_EVENT_SCALAR_DP_UOP__ALL = 16777216, + P4_EVENT_64BIT_MMX_UOP__ALL = 16777216, + P4_EVENT_128BIT_MMX_UOP__ALL = 16777216, + P4_EVENT_X87_FP_UOP__ALL = 16777216, + P4_EVENT_TC_MISC__FLUSH = 8192, + P4_EVENT_GLOBAL_POWER_EVENTS__RUNNING = 512, + P4_EVENT_TC_MS_XFER__CISC = 512, + P4_EVENT_UOP_QUEUE_WRITES__FROM_TC_BUILD = 512, + P4_EVENT_UOP_QUEUE_WRITES__FROM_TC_DELIVER = 1024, + P4_EVENT_UOP_QUEUE_WRITES__FROM_ROM = 2048, + P4_EVENT_RETIRED_MISPRED_BRANCH_TYPE__CONDITIONAL = 1024, + P4_EVENT_RETIRED_MISPRED_BRANCH_TYPE__CALL = 2048, + P4_EVENT_RETIRED_MISPRED_BRANCH_TYPE__RETURN = 4096, + P4_EVENT_RETIRED_MISPRED_BRANCH_TYPE__INDIRECT = 8192, + P4_EVENT_RETIRED_BRANCH_TYPE__CONDITIONAL = 1024, + P4_EVENT_RETIRED_BRANCH_TYPE__CALL = 2048, + P4_EVENT_RETIRED_BRANCH_TYPE__RETURN = 4096, + P4_EVENT_RETIRED_BRANCH_TYPE__INDIRECT = 8192, + P4_EVENT_RESOURCE_STALL__SBFULL = 16384, + P4_EVENT_WC_BUFFER__WCB_EVICTS = 512, + P4_EVENT_WC_BUFFER__WCB_FULL_EVICTS = 1024, + P4_EVENT_FRONT_END_EVENT__NBOGUS = 512, + P4_EVENT_FRONT_END_EVENT__BOGUS = 1024, + P4_EVENT_EXECUTION_EVENT__NBOGUS0 = 512, + P4_EVENT_EXECUTION_EVENT__NBOGUS1 = 1024, + P4_EVENT_EXECUTION_EVENT__NBOGUS2 = 2048, + P4_EVENT_EXECUTION_EVENT__NBOGUS3 = 4096, + P4_EVENT_EXECUTION_EVENT__BOGUS0 = 8192, + P4_EVENT_EXECUTION_EVENT__BOGUS1 = 16384, + P4_EVENT_EXECUTION_EVENT__BOGUS2 = 32768, + P4_EVENT_EXECUTION_EVENT__BOGUS3 = 65536, + P4_EVENT_REPLAY_EVENT__NBOGUS = 512, + P4_EVENT_REPLAY_EVENT__BOGUS = 1024, + P4_EVENT_INSTR_RETIRED__NBOGUSNTAG = 512, + P4_EVENT_INSTR_RETIRED__NBOGUSTAG = 1024, + P4_EVENT_INSTR_RETIRED__BOGUSNTAG = 2048, + P4_EVENT_INSTR_RETIRED__BOGUSTAG = 4096, + P4_EVENT_UOPS_RETIRED__NBOGUS = 512, + P4_EVENT_UOPS_RETIRED__BOGUS = 1024, + P4_EVENT_UOP_TYPE__TAGLOADS = 1024, + P4_EVENT_UOP_TYPE__TAGSTORES = 2048, + P4_EVENT_BRANCH_RETIRED__MMNP = 512, + P4_EVENT_BRANCH_RETIRED__MMNM = 1024, + P4_EVENT_BRANCH_RETIRED__MMTP = 2048, + P4_EVENT_BRANCH_RETIRED__MMTM = 4096, + P4_EVENT_MISPRED_BRANCH_RETIRED__NBOGUS = 512, + P4_EVENT_X87_ASSIST__FPSU = 512, + P4_EVENT_X87_ASSIST__FPSO = 1024, + P4_EVENT_X87_ASSIST__POAO = 2048, + P4_EVENT_X87_ASSIST__POAU = 4096, + P4_EVENT_X87_ASSIST__PREA = 8192, + P4_EVENT_MACHINE_CLEAR__CLEAR = 512, + P4_EVENT_MACHINE_CLEAR__MOCLEAR = 1024, + P4_EVENT_MACHINE_CLEAR__SMCLEAR = 2048, + P4_EVENT_INSTR_COMPLETED__NBOGUS = 512, + P4_EVENT_INSTR_COMPLETED__BOGUS = 1024, +}; + +enum P4_PEBS_METRIC { + P4_PEBS_METRIC__none = 0, + P4_PEBS_METRIC__1stl_cache_load_miss_retired = 1, + P4_PEBS_METRIC__2ndl_cache_load_miss_retired = 2, + P4_PEBS_METRIC__dtlb_load_miss_retired = 3, + P4_PEBS_METRIC__dtlb_store_miss_retired = 4, + P4_PEBS_METRIC__dtlb_all_miss_retired = 5, + P4_PEBS_METRIC__tagged_mispred_branch = 6, + P4_PEBS_METRIC__mob_load_replay_retired = 7, + P4_PEBS_METRIC__split_load_retired = 8, + P4_PEBS_METRIC__split_store_retired = 9, + P4_PEBS_METRIC__max = 10, +}; + +struct p4_event_bind { + unsigned int opcode; + unsigned int escr_msr[2]; + unsigned int escr_emask; + unsigned int shared; + char cntr[6]; +}; + +struct p4_pebs_bind { + unsigned int metric_pebs; + unsigned int metric_vert; +}; + +struct p4_event_alias { + u64 original; + u64 alternative; +}; + +enum cpuid_regs_idx { + CPUID_EAX = 0, + CPUID_EBX = 1, + CPUID_ECX = 2, + CPUID_EDX = 3, +}; + +struct dev_ext_attribute { + struct device_attribute attr; + void *var; +}; + +enum pt_capabilities { + PT_CAP_max_subleaf = 0, + PT_CAP_cr3_filtering = 1, + PT_CAP_psb_cyc = 2, + PT_CAP_ip_filtering = 3, + PT_CAP_mtc = 4, + PT_CAP_ptwrite = 5, + PT_CAP_power_event_trace = 6, + PT_CAP_topa_output = 7, + PT_CAP_topa_multiple_entries = 8, + PT_CAP_single_range_output = 9, + PT_CAP_output_subsys = 10, + PT_CAP_payloads_lip = 11, + PT_CAP_num_address_ranges = 12, + PT_CAP_mtc_periods = 13, + PT_CAP_cycle_thresholds = 14, + PT_CAP_psb_periods = 15, +}; + +enum perf_addr_filter_action_t { + PERF_ADDR_FILTER_ACTION_STOP = 0, + PERF_ADDR_FILTER_ACTION_START = 1, + PERF_ADDR_FILTER_ACTION_FILTER = 2, +}; + +struct perf_addr_filter { + struct list_head entry; + struct path path; + long unsigned int offset; + long unsigned int size; + enum perf_addr_filter_action_t action; +}; + +struct topa_entry { + u64 end: 1; + u64 rsvd0: 1; + u64 intr: 1; + u64 rsvd1: 1; + u64 stop: 1; + u64 rsvd2: 1; + u64 size: 4; + u64 rsvd3: 2; + u64 base: 36; + u64 rsvd4: 16; +}; + +struct pt_pmu { + struct pmu pmu; + u32 caps[8]; + bool vmx; + bool branch_en_always_on; + long unsigned int max_nonturbo_ratio; + unsigned int tsc_art_num; + unsigned int tsc_art_den; +}; + +struct topa; + +struct pt_buffer { + struct list_head tables; + struct topa *first; + struct topa *last; + struct topa *cur; + unsigned int cur_idx; + size_t output_off; + long unsigned int nr_pages; + local_t data_size; + local64_t head; + bool snapshot; + bool single; + long int stop_pos; + long int intr_pos; + struct topa_entry *stop_te; + struct topa_entry *intr_te; + void **data_pages; +}; + +struct topa { + struct list_head list; + u64 offset; + size_t size; + int last; + unsigned int z_count; +}; + +struct pt_filter { + long unsigned int msr_a; + long unsigned int msr_b; + long unsigned int config; +}; + +struct pt_filters { + struct pt_filter filter[4]; + unsigned int nr_filters; +}; + +struct pt { + struct perf_output_handle handle; + struct pt_filters filters; + int handle_nmi; + int vmx_on; + u64 output_base; + u64 output_mask; +}; + +struct pt_cap_desc { + const char *name; + u32 leaf; + u8 reg; + u32 mask; +}; + +struct pt_address_range { + long unsigned int msr_a; + long unsigned int msr_b; + unsigned int reg_off; +}; + +struct topa_page { + struct topa_entry table[507]; + struct topa topa; +}; + +typedef void (*exitcall_t)(); + +enum hrtimer_mode { + HRTIMER_MODE_ABS = 0, + HRTIMER_MODE_REL = 1, + HRTIMER_MODE_PINNED = 2, + HRTIMER_MODE_SOFT = 4, + HRTIMER_MODE_HARD = 8, + HRTIMER_MODE_ABS_PINNED = 2, + HRTIMER_MODE_REL_PINNED = 3, + HRTIMER_MODE_ABS_SOFT = 4, + HRTIMER_MODE_REL_SOFT = 5, + HRTIMER_MODE_ABS_PINNED_SOFT = 6, + HRTIMER_MODE_REL_PINNED_SOFT = 7, + HRTIMER_MODE_ABS_HARD = 8, + HRTIMER_MODE_REL_HARD = 9, + HRTIMER_MODE_ABS_PINNED_HARD = 10, + HRTIMER_MODE_REL_PINNED_HARD = 11, +}; + +struct x86_cpu_id { + __u16 vendor; + __u16 family; + __u16 model; + __u16 feature; + kernel_ulong_t driver_data; +}; + +enum perf_rapl_events { + PERF_RAPL_PP0 = 0, + PERF_RAPL_PKG = 1, + PERF_RAPL_RAM = 2, + PERF_RAPL_PP1 = 3, + PERF_RAPL_PSYS = 4, + PERF_RAPL_MAX = 5, + NR_RAPL_DOMAINS = 5, +}; + +struct rapl_pmu { + raw_spinlock_t lock; + int n_active; + int cpu; + struct list_head active_list; + struct pmu *pmu; + ktime_t timer_interval; + struct hrtimer hrtimer; +}; + +struct rapl_pmus { + struct pmu pmu; + unsigned int maxdie; + struct rapl_pmu *pmus[0]; +}; + +struct rapl_model { + long unsigned int events; + bool apply_quirk; +}; + +struct acpi_device; + +struct pci_sysdata { + int domain; + int node; + struct acpi_device *companion; + void *iommu; + void *fwnode; +}; + +struct pci_extra_dev { + struct pci_dev *dev[4]; +}; + +struct intel_uncore_pmu; + +struct intel_uncore_ops; + +struct uncore_event_desc; + +struct freerunning_counters; + +struct intel_uncore_type { + const char *name; + int num_counters; + int num_boxes; + int perf_ctr_bits; + int fixed_ctr_bits; + int num_freerunning_types; + unsigned int perf_ctr; + unsigned int event_ctl; + unsigned int event_mask; + unsigned int event_mask_ext; + unsigned int fixed_ctr; + unsigned int fixed_ctl; + unsigned int box_ctl; + union { + unsigned int msr_offset; + unsigned int mmio_offset; + }; + unsigned int num_shared_regs: 8; + unsigned int single_fixed: 1; + unsigned int pair_ctr_ctl: 1; + unsigned int *msr_offsets; + struct event_constraint unconstrainted; + struct event_constraint *constraints; + struct intel_uncore_pmu *pmus; + struct intel_uncore_ops *ops; + struct uncore_event_desc *event_descs; + struct freerunning_counters *freerunning; + const struct attribute_group *attr_groups[4]; + struct pmu *pmu; +}; + +struct intel_uncore_box; + +struct intel_uncore_pmu { + struct pmu pmu; + char name[32]; + int pmu_idx; + int func_id; + bool registered; + atomic_t activeboxes; + struct intel_uncore_type *type; + struct intel_uncore_box **boxes; +}; + +struct intel_uncore_ops { + void (*init_box)(struct intel_uncore_box *); + void (*exit_box)(struct intel_uncore_box *); + void (*disable_box)(struct intel_uncore_box *); + void (*enable_box)(struct intel_uncore_box *); + void (*disable_event)(struct intel_uncore_box *, struct perf_event *); + void (*enable_event)(struct intel_uncore_box *, struct perf_event *); + u64 (*read_counter)(struct intel_uncore_box *, struct perf_event *); + int (*hw_config)(struct intel_uncore_box *, struct perf_event *); + struct event_constraint * (*get_constraint)(struct intel_uncore_box *, struct perf_event *); + void (*put_constraint)(struct intel_uncore_box *, struct perf_event *); +}; + +struct uncore_event_desc { + struct kobj_attribute attr; + const char *config; +}; + +struct freerunning_counters { + unsigned int counter_base; + unsigned int counter_offset; + unsigned int box_offset; + unsigned int num_counters; + unsigned int bits; +}; + +struct intel_uncore_extra_reg { + raw_spinlock_t lock; + u64 config; + u64 config1; + u64 config2; + atomic_t ref; +}; + +struct intel_uncore_box { + int pci_phys_id; + int dieid; + int n_active; + int n_events; + int cpu; + long unsigned int flags; + atomic_t refcnt; + struct perf_event *events[10]; + struct perf_event *event_list[10]; + struct event_constraint *event_constraint[10]; + long unsigned int active_mask[1]; + u64 tags[10]; + struct pci_dev *pci_dev; + struct intel_uncore_pmu *pmu; + u64 hrtimer_duration; + struct hrtimer hrtimer; + struct list_head list; + struct list_head active_list; + void *io_addr; + struct intel_uncore_extra_reg shared_regs[0]; +}; + +struct pci2phy_map { + struct list_head list; + int segment; + int pbus_to_physid[256]; +}; + +struct intel_uncore_init_fun { + void (*cpu_init)(); + int (*pci_init)(); + void (*mmio_init)(); +}; + +enum { + EXTRA_REG_NHMEX_M_FILTER = 0, + EXTRA_REG_NHMEX_M_DSP = 1, + EXTRA_REG_NHMEX_M_ISS = 2, + EXTRA_REG_NHMEX_M_MAP = 3, + EXTRA_REG_NHMEX_M_MSC_THR = 4, + EXTRA_REG_NHMEX_M_PGT = 5, + EXTRA_REG_NHMEX_M_PLD = 6, + EXTRA_REG_NHMEX_M_ZDP_CTL_FVC = 7, +}; + +enum { + SNB_PCI_UNCORE_IMC = 0, +}; + +enum perf_snb_uncore_imc_freerunning_types { + SNB_PCI_UNCORE_IMC_DATA = 0, + SNB_PCI_UNCORE_IMC_FREERUNNING_TYPE_MAX = 1, +}; + +struct imc_uncore_pci_dev { + __u32 pci_id; + struct pci_driver *driver; +}; + +enum { + SNBEP_PCI_QPI_PORT0_FILTER = 0, + SNBEP_PCI_QPI_PORT1_FILTER = 1, + BDX_PCI_QPI_PORT2_FILTER = 2, + HSWEP_PCI_PCU_3 = 3, +}; + +enum { + SNBEP_PCI_UNCORE_HA = 0, + SNBEP_PCI_UNCORE_IMC = 1, + SNBEP_PCI_UNCORE_QPI = 2, + SNBEP_PCI_UNCORE_R2PCIE = 3, + SNBEP_PCI_UNCORE_R3QPI = 4, +}; + +enum { + IVBEP_PCI_UNCORE_HA = 0, + IVBEP_PCI_UNCORE_IMC = 1, + IVBEP_PCI_UNCORE_IRP = 2, + IVBEP_PCI_UNCORE_QPI = 3, + IVBEP_PCI_UNCORE_R2PCIE = 4, + IVBEP_PCI_UNCORE_R3QPI = 5, +}; + +enum { + KNL_PCI_UNCORE_MC_UCLK = 0, + KNL_PCI_UNCORE_MC_DCLK = 1, + KNL_PCI_UNCORE_EDC_UCLK = 2, + KNL_PCI_UNCORE_EDC_ECLK = 3, + KNL_PCI_UNCORE_M2PCIE = 4, + KNL_PCI_UNCORE_IRP = 5, +}; + +enum { + HSWEP_PCI_UNCORE_HA = 0, + HSWEP_PCI_UNCORE_IMC = 1, + HSWEP_PCI_UNCORE_IRP = 2, + HSWEP_PCI_UNCORE_QPI = 3, + HSWEP_PCI_UNCORE_R2PCIE = 4, + HSWEP_PCI_UNCORE_R3QPI = 5, +}; + +enum { + BDX_PCI_UNCORE_HA = 0, + BDX_PCI_UNCORE_IMC = 1, + BDX_PCI_UNCORE_IRP = 2, + BDX_PCI_UNCORE_QPI = 3, + BDX_PCI_UNCORE_R2PCIE = 4, + BDX_PCI_UNCORE_R3QPI = 5, +}; + +enum perf_uncore_iio_freerunning_type_id { + SKX_IIO_MSR_IOCLK = 0, + SKX_IIO_MSR_BW = 1, + SKX_IIO_MSR_UTIL = 2, + SKX_IIO_FREERUNNING_TYPE_MAX = 3, +}; + +enum { + SKX_PCI_UNCORE_IMC = 0, + SKX_PCI_UNCORE_M2M = 1, + SKX_PCI_UNCORE_UPI = 2, + SKX_PCI_UNCORE_M2PCIE = 3, + SKX_PCI_UNCORE_M3UPI = 4, +}; + +enum perf_uncore_snr_iio_freerunning_type_id { + SNR_IIO_MSR_IOCLK = 0, + SNR_IIO_MSR_BW_IN = 1, + SNR_IIO_FREERUNNING_TYPE_MAX = 2, +}; + +enum { + SNR_PCI_UNCORE_M2M = 0, +}; + +enum perf_uncore_snr_imc_freerunning_type_id { + SNR_IMC_DCLK = 0, + SNR_IMC_DDR = 1, + SNR_IMC_FREERUNNING_TYPE_MAX = 2, +}; + +struct cstate_model { + long unsigned int core_events; + long unsigned int pkg_events; + long unsigned int quirks; +}; + +enum perf_cstate_core_events { + PERF_CSTATE_CORE_C1_RES = 0, + PERF_CSTATE_CORE_C3_RES = 1, + PERF_CSTATE_CORE_C6_RES = 2, + PERF_CSTATE_CORE_C7_RES = 3, + PERF_CSTATE_CORE_EVENT_MAX = 4, +}; + +enum perf_cstate_pkg_events { + PERF_CSTATE_PKG_C2_RES = 0, + PERF_CSTATE_PKG_C3_RES = 1, + PERF_CSTATE_PKG_C6_RES = 2, + PERF_CSTATE_PKG_C7_RES = 3, + PERF_CSTATE_PKG_C8_RES = 4, + PERF_CSTATE_PKG_C9_RES = 5, + PERF_CSTATE_PKG_C10_RES = 6, + PERF_CSTATE_PKG_EVENT_MAX = 7, +}; + +struct trampoline_header { + u64 start; + u64 efer; + u32 cr4; + u32 flags; +}; + +enum xfeature { + XFEATURE_FP = 0, + XFEATURE_SSE = 1, + XFEATURE_YMM = 2, + XFEATURE_BNDREGS = 3, + XFEATURE_BNDCSR = 4, + XFEATURE_OPMASK = 5, + XFEATURE_ZMM_Hi256 = 6, + XFEATURE_Hi16_ZMM = 7, + XFEATURE_PT_UNIMPLEMENTED_SO_FAR = 8, + XFEATURE_PKRU = 9, + XFEATURE_MAX = 10, +}; + +struct pkru_state { + u32 pkru; + u32 pad; +}; + +enum show_regs_mode { + SHOW_REGS_SHORT = 0, + SHOW_REGS_USER = 1, + SHOW_REGS_ALL = 2, +}; + +enum which_selector { + FS = 0, + GS = 1, +}; + +struct sigcontext_64 { + __u64 r8; + __u64 r9; + __u64 r10; + __u64 r11; + __u64 r12; + __u64 r13; + __u64 r14; + __u64 r15; + __u64 di; + __u64 si; + __u64 bp; + __u64 bx; + __u64 dx; + __u64 ax; + __u64 cx; + __u64 sp; + __u64 ip; + __u64 flags; + __u16 cs; + __u16 gs; + __u16 fs; + __u16 ss; + __u64 err; + __u64 trapno; + __u64 oldmask; + __u64 cr2; + __u64 fpstate; + __u64 reserved1[8]; +}; + +struct sigaltstack { + void *ss_sp; + int ss_flags; + size_t ss_size; +}; + +typedef struct sigaltstack stack_t; + +struct siginfo { + union { + struct { + int si_signo; + int si_errno; + int si_code; + union __sifields _sifields; + }; + int _si_pad[32]; + }; +}; + +typedef struct siginfo siginfo_t; + +struct ucontext { + long unsigned int uc_flags; + struct ucontext *uc_link; + stack_t uc_stack; + struct sigcontext_64 uc_mcontext; + sigset_t uc_sigmask; +}; + +typedef u32 compat_sigset_word; + +typedef struct { + compat_sigset_word sig[2]; +} compat_sigset_t; + +struct kernel_vm86_regs { + struct pt_regs pt; + short unsigned int es; + short unsigned int __esh; + short unsigned int ds; + short unsigned int __dsh; + short unsigned int fs; + short unsigned int __fsh; + short unsigned int gs; + short unsigned int __gsh; +}; + +struct rt_sigframe { + char *pretcode; + struct ucontext uc; + struct siginfo info; +}; + +typedef s32 compat_clock_t; + +typedef s32 compat_pid_t; + +typedef s32 compat_timer_t; + +typedef s32 compat_int_t; + +typedef u32 __compat_uid32_t; + +union compat_sigval { + compat_int_t sival_int; + compat_uptr_t sival_ptr; +}; + +typedef union compat_sigval compat_sigval_t; + +struct compat_siginfo { + int si_signo; + int si_errno; + int si_code; + union { + int _pad[29]; + struct { + compat_pid_t _pid; + __compat_uid32_t _uid; + } _kill; + struct { + compat_timer_t _tid; + int _overrun; + compat_sigval_t _sigval; + } _timer; + struct { + compat_pid_t _pid; + __compat_uid32_t _uid; + compat_sigval_t _sigval; + } _rt; + struct { + compat_pid_t _pid; + __compat_uid32_t _uid; + int _status; + compat_clock_t _utime; + compat_clock_t _stime; + } _sigchld; + struct { + compat_uptr_t _addr; + union { + short int _addr_lsb; + struct { + char _dummy_bnd[4]; + compat_uptr_t _lower; + compat_uptr_t _upper; + } _addr_bnd; + struct { + char _dummy_pkey[4]; + u32 _pkey; + } _addr_pkey; + }; + } _sigfault; + struct { + compat_long_t _band; + int _fd; + } _sigpoll; + struct { + compat_uptr_t _call_addr; + int _syscall; + unsigned int _arch; + } _sigsys; + } _sifields; +}; + +typedef struct compat_siginfo compat_siginfo_t; + +enum bug_trap_type { + BUG_TRAP_TYPE_NONE = 0, + BUG_TRAP_TYPE_WARN = 1, + BUG_TRAP_TYPE_BUG = 2, +}; + +struct idt_bits { + u16 ist: 3; + u16 zero: 5; + u16 type: 5; + u16 dpl: 2; + u16 p: 1; +}; + +struct gate_struct { + u16 offset_low; + u16 segment; + struct idt_bits bits; + u16 offset_middle; + u32 offset_high; + u32 reserved; +}; + +typedef struct gate_struct gate_desc; + +struct mpx_bndcsr { + u64 bndcfgu; + u64 bndstatus; +}; + +enum die_val { + DIE_OOPS = 1, + DIE_INT3 = 2, + DIE_DEBUG = 3, + DIE_PANIC = 4, + DIE_NMI = 5, + DIE_DIE = 6, + DIE_KERNELDEBUG = 7, + DIE_TRAP = 8, + DIE_GPF = 9, + DIE_CALL = 10, + DIE_PAGE_FAULT = 11, + DIE_NMIUNKNOWN = 12, +}; + +struct bad_iret_stack { + void *error_entry_ret; + struct pt_regs regs; +}; + +enum { + GATE_INTERRUPT = 14, + GATE_TRAP = 15, + GATE_CALL = 12, + GATE_TASK = 5, +}; + +struct idt_data { + unsigned int vector; + unsigned int segment; + struct idt_bits bits; + const void *addr; +}; + +enum irqreturn { + IRQ_NONE = 0, + IRQ_HANDLED = 1, + IRQ_WAKE_THREAD = 2, +}; + +typedef enum irqreturn irqreturn_t; + +typedef irqreturn_t (*irq_handler_t)(int, void *); + +struct irqaction { + irq_handler_t handler; + void *dev_id; + void *percpu_dev_id; + struct irqaction *next; + irq_handler_t thread_fn; + struct task_struct *thread; + struct irqaction *secondary; + unsigned int irq; + unsigned int flags; + long unsigned int thread_flags; + long unsigned int thread_mask; + const char *name; + struct proc_dir_entry *dir; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct irq_affinity_notify { + unsigned int irq; + struct kref kref; + struct work_struct work; + void (*notify)(struct irq_affinity_notify *, const cpumask_t *); + void (*release)(struct kref *); +}; + +enum irqchip_irq_state { + IRQCHIP_STATE_PENDING = 0, + IRQCHIP_STATE_ACTIVE = 1, + IRQCHIP_STATE_MASKED = 2, + IRQCHIP_STATE_LINE_LEVEL = 3, +}; + +struct irq_desc; + +typedef void (*irq_flow_handler_t)(struct irq_desc *); + +struct msi_desc; + +struct irq_common_data { + unsigned int state_use_accessors; + unsigned int node; + void *handler_data; + struct msi_desc *msi_desc; + cpumask_var_t affinity; + cpumask_var_t effective_affinity; +}; + +struct irq_chip; + +struct irq_data { + u32 mask; + unsigned int irq; + long unsigned int hwirq; + struct irq_common_data *common; + struct irq_chip *chip; + struct irq_domain *domain; + struct irq_data *parent_data; + void *chip_data; +}; + +struct irq_desc { + struct irq_common_data irq_common_data; + struct irq_data irq_data; + unsigned int *kstat_irqs; + irq_flow_handler_t handle_irq; + struct irqaction *action; + unsigned int status_use_accessors; + unsigned int core_internal_state__do_not_mess_with_it; + unsigned int depth; + unsigned int wake_depth; + unsigned int tot_count; + unsigned int irq_count; + long unsigned int last_unhandled; + unsigned int irqs_unhandled; + atomic_t threads_handled; + int threads_handled_last; + raw_spinlock_t lock; + struct cpumask *percpu_enabled; + const struct cpumask *percpu_affinity; + const struct cpumask *affinity_hint; + struct irq_affinity_notify *affinity_notify; + cpumask_var_t pending_mask; + long unsigned int threads_oneshot; + atomic_t threads_active; + wait_queue_head_t wait_for_threads; + unsigned int nr_actions; + unsigned int no_suspend_depth; + unsigned int cond_suspend_depth; + unsigned int force_resume_depth; + struct proc_dir_entry *dir; + struct callback_head rcu; + struct kobject kobj; + struct mutex request_mutex; + int parent_irq; + struct module *owner; + const char *name; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct msi_msg; + +struct irq_chip { + struct device *parent_device; + const char *name; + unsigned int (*irq_startup)(struct irq_data *); + void (*irq_shutdown)(struct irq_data *); + void (*irq_enable)(struct irq_data *); + void (*irq_disable)(struct irq_data *); + void (*irq_ack)(struct irq_data *); + void (*irq_mask)(struct irq_data *); + void (*irq_mask_ack)(struct irq_data *); + void (*irq_unmask)(struct irq_data *); + void (*irq_eoi)(struct irq_data *); + int (*irq_set_affinity)(struct irq_data *, const struct cpumask *, bool); + int (*irq_retrigger)(struct irq_data *); + int (*irq_set_type)(struct irq_data *, unsigned int); + int (*irq_set_wake)(struct irq_data *, unsigned int); + void (*irq_bus_lock)(struct irq_data *); + void (*irq_bus_sync_unlock)(struct irq_data *); + void (*irq_cpu_online)(struct irq_data *); + void (*irq_cpu_offline)(struct irq_data *); + void (*irq_suspend)(struct irq_data *); + void (*irq_resume)(struct irq_data *); + void (*irq_pm_shutdown)(struct irq_data *); + void (*irq_calc_mask)(struct irq_data *); + void (*irq_print_chip)(struct irq_data *, struct seq_file *); + int (*irq_request_resources)(struct irq_data *); + void (*irq_release_resources)(struct irq_data *); + void (*irq_compose_msi_msg)(struct irq_data *, struct msi_msg *); + void (*irq_write_msi_msg)(struct irq_data *, struct msi_msg *); + int (*irq_get_irqchip_state)(struct irq_data *, enum irqchip_irq_state, bool *); + int (*irq_set_irqchip_state)(struct irq_data *, enum irqchip_irq_state, bool); + int (*irq_set_vcpu_affinity)(struct irq_data *, void *); + void (*ipi_send_single)(struct irq_data *, unsigned int); + void (*ipi_send_mask)(struct irq_data *, const struct cpumask *); + int (*irq_nmi_setup)(struct irq_data *); + void (*irq_nmi_teardown)(struct irq_data *); + long unsigned int flags; +}; + +typedef struct irq_desc *vector_irq_t[256]; + +struct trace_event_raw_x86_irq_vector { + struct trace_entry ent; + int vector; + char __data[0]; +}; + +struct trace_event_raw_vector_config { + struct trace_entry ent; + unsigned int irq; + unsigned int vector; + unsigned int cpu; + unsigned int apicdest; + char __data[0]; +}; + +struct trace_event_raw_vector_mod { + struct trace_entry ent; + unsigned int irq; + unsigned int vector; + unsigned int cpu; + unsigned int prev_vector; + unsigned int prev_cpu; + char __data[0]; +}; + +struct trace_event_raw_vector_reserve { + struct trace_entry ent; + unsigned int irq; + int ret; + char __data[0]; +}; + +struct trace_event_raw_vector_alloc { + struct trace_entry ent; + unsigned int irq; + unsigned int vector; + bool reserved; + int ret; + char __data[0]; +}; + +struct trace_event_raw_vector_alloc_managed { + struct trace_entry ent; + unsigned int irq; + unsigned int vector; + int ret; + char __data[0]; +}; + +struct trace_event_raw_vector_activate { + struct trace_entry ent; + unsigned int irq; + bool is_managed; + bool can_reserve; + bool reserve; + char __data[0]; +}; + +struct trace_event_raw_vector_teardown { + struct trace_entry ent; + unsigned int irq; + bool is_managed; + bool has_reserved; + char __data[0]; +}; + +struct trace_event_raw_vector_setup { + struct trace_entry ent; + unsigned int irq; + bool is_legacy; + int ret; + char __data[0]; +}; + +struct trace_event_raw_vector_free_moved { + struct trace_entry ent; + unsigned int irq; + unsigned int cpu; + unsigned int vector; + bool is_managed; + char __data[0]; +}; + +struct trace_event_data_offsets_x86_irq_vector {}; + +struct trace_event_data_offsets_vector_config {}; + +struct trace_event_data_offsets_vector_mod {}; + +struct trace_event_data_offsets_vector_reserve {}; + +struct trace_event_data_offsets_vector_alloc {}; + +struct trace_event_data_offsets_vector_alloc_managed {}; + +struct trace_event_data_offsets_vector_activate {}; + +struct trace_event_data_offsets_vector_teardown {}; + +struct trace_event_data_offsets_vector_setup {}; + +struct trace_event_data_offsets_vector_free_moved {}; + +struct irq_stack { + char stack[16384]; +}; + +struct estack_pages { + u32 offs; + u16 size; + u16 type; +}; + +struct arch_clocksource_data { + int vclock_mode; +}; + +struct clocksource { + u64 (*read)(struct clocksource *); + u64 mask; + u32 mult; + u32 shift; + u64 max_idle_ns; + u32 maxadj; + struct arch_clocksource_data archdata; + u64 max_cycles; + const char *name; + struct list_head list; + int rating; + int (*enable)(struct clocksource *); + void (*disable)(struct clocksource *); + long unsigned int flags; + void (*suspend)(struct clocksource *); + void (*resume)(struct clocksource *); + void (*mark_unstable)(struct clocksource *); + void (*tick_stable)(struct clocksource *); + struct list_head wd_list; + u64 cs_last; + u64 wd_last; + struct module *owner; +}; + +enum clock_event_state { + CLOCK_EVT_STATE_DETACHED = 0, + CLOCK_EVT_STATE_SHUTDOWN = 1, + CLOCK_EVT_STATE_PERIODIC = 2, + CLOCK_EVT_STATE_ONESHOT = 3, + CLOCK_EVT_STATE_ONESHOT_STOPPED = 4, +}; + +struct clock_event_device { + void (*event_handler)(struct clock_event_device *); + int (*set_next_event)(long unsigned int, struct clock_event_device *); + int (*set_next_ktime)(ktime_t, struct clock_event_device *); + ktime_t next_event; + u64 max_delta_ns; + u64 min_delta_ns; + u32 mult; + u32 shift; + enum clock_event_state state_use_accessors; + unsigned int features; + long unsigned int retries; + int (*set_state_periodic)(struct clock_event_device *); + int (*set_state_oneshot)(struct clock_event_device *); + int (*set_state_oneshot_stopped)(struct clock_event_device *); + int (*set_state_shutdown)(struct clock_event_device *); + int (*tick_resume)(struct clock_event_device *); + void (*broadcast)(const struct cpumask *); + void (*suspend)(struct clock_event_device *); + void (*resume)(struct clock_event_device *); + long unsigned int min_delta_ticks; + long unsigned int max_delta_ticks; + const char *name; + int rating; + int irq; + int bound_on; + const struct cpumask *cpumask; + struct list_head list; + struct module *owner; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct irq_affinity_desc { + struct cpumask mask; + unsigned int is_managed: 1; +}; + +struct msi_msg { + u32 address_lo; + u32 address_hi; + u32 data; +}; + +struct platform_msi_priv_data; + +struct platform_msi_desc { + struct platform_msi_priv_data *msi_priv_data; + u16 msi_index; +}; + +struct fsl_mc_msi_desc { + u16 msi_index; +}; + +struct ti_sci_inta_msi_desc { + u16 dev_index; +}; + +struct msi_desc { + struct list_head list; + unsigned int irq; + unsigned int nvec_used; + struct device *dev; + struct msi_msg msg; + struct irq_affinity_desc *affinity; + const void *iommu_cookie; + void (*write_msi_msg)(struct msi_desc *, void *); + void *write_msi_msg_data; + union { + struct { + u32 masked; + struct { + u8 is_msix: 1; + u8 multiple: 3; + u8 multi_cap: 3; + u8 maskbit: 1; + u8 is_64: 1; + u8 is_virtual: 1; + u16 entry_nr; + unsigned int default_irq; + } msi_attrib; + union { + u8 mask_pos; + void *mask_base; + }; + }; + struct platform_msi_desc platform; + struct fsl_mc_msi_desc fsl_mc; + struct ti_sci_inta_msi_desc inta; + }; +}; + +struct irq_chip_regs { + long unsigned int enable; + long unsigned int disable; + long unsigned int mask; + long unsigned int ack; + long unsigned int eoi; + long unsigned int type; + long unsigned int polarity; +}; + +struct irq_chip_type { + struct irq_chip chip; + struct irq_chip_regs regs; + irq_flow_handler_t handler; + u32 type; + u32 mask_cache_priv; + u32 *mask_cache; +}; + +struct irq_chip_generic { + raw_spinlock_t lock; + void *reg_base; + u32 (*reg_readl)(void *); + void (*reg_writel)(u32, void *); + void (*suspend)(struct irq_chip_generic *); + void (*resume)(struct irq_chip_generic *); + unsigned int irq_base; + unsigned int irq_cnt; + u32 mask_cache; + u32 type_cache; + u32 polarity_cache; + u32 wake_enabled; + u32 wake_active; + unsigned int num_ct; + void *private; + long unsigned int installed; + long unsigned int unused; + struct irq_domain *domain; + struct list_head list; + struct irq_chip_type chip_types[0]; +}; + +enum irq_gc_flags { + IRQ_GC_INIT_MASK_CACHE = 1, + IRQ_GC_INIT_NESTED_LOCK = 2, + IRQ_GC_MASK_CACHE_PER_TYPE = 4, + IRQ_GC_NO_MASK = 8, + IRQ_GC_BE_IO = 16, +}; + +struct irq_domain_chip_generic { + unsigned int irqs_per_chip; + unsigned int num_chips; + unsigned int irq_flags_to_clear; + unsigned int irq_flags_to_set; + enum irq_gc_flags gc_flags; + struct irq_chip_generic *gc[0]; +}; + +struct legacy_pic { + int nr_legacy_irqs; + struct irq_chip *chip; + void (*mask)(unsigned int); + void (*unmask)(unsigned int); + void (*mask_all)(); + void (*restore_mask)(); + void (*init)(int); + int (*probe)(); + int (*irq_pending)(unsigned int); + void (*make_irq)(unsigned int); +}; + +enum refcount_saturation_type { + REFCOUNT_ADD_NOT_ZERO_OVF = 0, + REFCOUNT_ADD_OVF = 1, + REFCOUNT_ADD_UAF = 2, + REFCOUNT_SUB_UAF = 3, + REFCOUNT_DEC_LEAK = 4, +}; + +enum lockdown_reason { + LOCKDOWN_NONE = 0, + LOCKDOWN_MODULE_SIGNATURE = 1, + LOCKDOWN_DEV_MEM = 2, + LOCKDOWN_EFI_TEST = 3, + LOCKDOWN_KEXEC = 4, + LOCKDOWN_HIBERNATION = 5, + LOCKDOWN_PCI_ACCESS = 6, + LOCKDOWN_IOPORT = 7, + LOCKDOWN_MSR = 8, + LOCKDOWN_ACPI_TABLES = 9, + LOCKDOWN_PCMCIA_CIS = 10, + LOCKDOWN_TIOCSSERIAL = 11, + LOCKDOWN_MODULE_PARAMETERS = 12, + LOCKDOWN_MMIOTRACE = 13, + LOCKDOWN_DEBUGFS = 14, + LOCKDOWN_XMON_WR = 15, + LOCKDOWN_INTEGRITY_MAX = 16, + LOCKDOWN_KCORE = 17, + LOCKDOWN_KPROBES = 18, + LOCKDOWN_BPF_READ = 19, + LOCKDOWN_PERF = 20, + LOCKDOWN_TRACEFS = 21, + LOCKDOWN_XMON_RW = 22, + LOCKDOWN_CONFIDENTIALITY_MAX = 23, +}; + +enum lockdep_ok { + LOCKDEP_STILL_OK = 0, + LOCKDEP_NOW_UNRELIABLE = 1, +}; + +typedef long unsigned int uintptr_t; + +typedef u64 uint64_t; + +struct trace_event_raw_nmi_handler { + struct trace_entry ent; + void *handler; + s64 delta_ns; + int handled; + char __data[0]; +}; + +struct trace_event_data_offsets_nmi_handler {}; + +struct nmi_desc { + raw_spinlock_t lock; + struct list_head head; +}; + +struct nmi_stats { + unsigned int normal; + unsigned int unknown; + unsigned int external; + unsigned int swallow; +}; + +enum nmi_states { + NMI_NOT_RUNNING = 0, + NMI_EXECUTING = 1, + NMI_LATCHED = 2, +}; + +typedef unsigned int pao_T_____2; + +typedef enum nmi_states pto_T_____2; + +typedef int pto_T_____3; + +enum { + DESC_TSS = 9, + DESC_LDT = 2, + DESCTYPE_S = 16, +}; + +struct ldttss_desc { + u16 limit0; + u16 base0; + u16 base1: 8; + u16 type: 5; + u16 dpl: 2; + u16 p: 1; + u16 limit1: 4; + u16 zero0: 3; + u16 g: 1; + u16 base2: 8; + u32 base3; + u32 zero1; +}; + +typedef struct ldttss_desc ldt_desc; + +struct user_desc { + unsigned int entry_number; + unsigned int base_addr; + unsigned int limit; + unsigned int seg_32bit: 1; + unsigned int contents: 2; + unsigned int read_exec_only: 1; + unsigned int limit_in_pages: 1; + unsigned int seg_not_present: 1; + unsigned int useable: 1; + unsigned int lm: 1; +}; + +struct mmu_gather_batch { + struct mmu_gather_batch *next; + unsigned int nr; + unsigned int max; + struct page *pages[0]; +}; + +struct mmu_gather { + struct mm_struct *mm; + long unsigned int start; + long unsigned int end; + unsigned int fullmm: 1; + unsigned int need_flush_all: 1; + unsigned int freed_tables: 1; + unsigned int cleared_ptes: 1; + unsigned int cleared_pmds: 1; + unsigned int cleared_puds: 1; + unsigned int cleared_p4ds: 1; + unsigned int vma_exec: 1; + unsigned int vma_huge: 1; + unsigned int batch_count; + struct mmu_gather_batch *active; + struct mmu_gather_batch local; + struct page *__pages[8]; +}; + +struct setup_data { + __u64 next; + __u32 type; + __u32 len; + __u8 data[0]; +}; + +struct setup_indirect { + __u32 type; + __u32 reserved; + __u64 len; + __u64 addr; +}; + +struct plist_head { + struct list_head node_list; +}; + +struct atomic_notifier_head { + spinlock_t lock; + struct notifier_block *head; +}; + +struct blocking_notifier_head { + struct rw_semaphore rwsem; + struct notifier_block *head; +}; + +enum pm_qos_type { + PM_QOS_UNITIALIZED = 0, + PM_QOS_MAX = 1, + PM_QOS_MIN = 2, + PM_QOS_SUM = 3, +}; + +struct pm_qos_constraints { + struct plist_head list; + s32 target_value; + s32 default_value; + s32 no_constraint_value; + enum pm_qos_type type; + struct blocking_notifier_head *notifiers; +}; + +struct freq_constraints { + struct pm_qos_constraints min_freq; + struct blocking_notifier_head min_freq_notifiers; + struct pm_qos_constraints max_freq; + struct blocking_notifier_head max_freq_notifiers; +}; + +struct pm_qos_flags { + struct list_head list; + s32 effective_flags; +}; + +struct dev_pm_qos_request; + +struct dev_pm_qos { + struct pm_qos_constraints resume_latency; + struct pm_qos_constraints latency_tolerance; + struct freq_constraints freq; + struct pm_qos_flags flags; + struct dev_pm_qos_request *resume_latency_req; + struct dev_pm_qos_request *latency_tolerance_req; + struct dev_pm_qos_request *flags_req; +}; + +enum con_scroll { + SM_UP = 0, + SM_DOWN = 1, +}; + +struct vc_data; + +struct console_font; + +struct consw { + struct module *owner; + const char * (*con_startup)(); + void (*con_init)(struct vc_data *, int); + void (*con_deinit)(struct vc_data *); + void (*con_clear)(struct vc_data *, int, int, int, int); + void (*con_putc)(struct vc_data *, int, int, int); + void (*con_putcs)(struct vc_data *, const short unsigned int *, int, int, int); + void (*con_cursor)(struct vc_data *, int); + bool (*con_scroll)(struct vc_data *, unsigned int, unsigned int, enum con_scroll, unsigned int); + int (*con_switch)(struct vc_data *); + int (*con_blank)(struct vc_data *, int, int); + int (*con_font_set)(struct vc_data *, struct console_font *, unsigned int); + int (*con_font_get)(struct vc_data *, struct console_font *); + int (*con_font_default)(struct vc_data *, struct console_font *, char *); + int (*con_font_copy)(struct vc_data *, int); + int (*con_resize)(struct vc_data *, unsigned int, unsigned int, unsigned int); + void (*con_set_palette)(struct vc_data *, const unsigned char *); + void (*con_scrolldelta)(struct vc_data *, int); + int (*con_set_origin)(struct vc_data *); + void (*con_save_screen)(struct vc_data *); + u8 (*con_build_attr)(struct vc_data *, u8, u8, u8, u8, u8, u8); + void (*con_invert_region)(struct vc_data *, u16 *, int); + u16 * (*con_screen_pos)(struct vc_data *, int); + long unsigned int (*con_getxy)(struct vc_data *, long unsigned int, int *, int *); + void (*con_flush_scrollback)(struct vc_data *); + int (*con_debug_enter)(struct vc_data *); + int (*con_debug_leave)(struct vc_data *); +}; + +enum efi_secureboot_mode { + efi_secureboot_mode_unset = 0, + efi_secureboot_mode_unknown = 1, + efi_secureboot_mode_disabled = 2, + efi_secureboot_mode_enabled = 3, +}; + +enum xen_domain_type { + XEN_NATIVE = 0, + XEN_PV_DOMAIN = 1, + XEN_HVM_DOMAIN = 2, +}; + +struct pm_qos_flags_request { + struct list_head node; + s32 flags; +}; + +enum freq_qos_req_type { + FREQ_QOS_MIN = 1, + FREQ_QOS_MAX = 2, +}; + +struct freq_qos_request { + enum freq_qos_req_type type; + struct plist_node pnode; + struct freq_constraints *qos; +}; + +enum dev_pm_qos_req_type { + DEV_PM_QOS_RESUME_LATENCY = 1, + DEV_PM_QOS_LATENCY_TOLERANCE = 2, + DEV_PM_QOS_MIN_FREQUENCY = 3, + DEV_PM_QOS_MAX_FREQUENCY = 4, + DEV_PM_QOS_FLAGS = 5, +}; + +struct dev_pm_qos_request { + enum dev_pm_qos_req_type type; + union { + struct plist_node pnode; + struct pm_qos_flags_request flr; + struct freq_qos_request freq; + } data; + struct device *dev; +}; + +enum e820_type { + E820_TYPE_RAM = 1, + E820_TYPE_RESERVED = 2, + E820_TYPE_ACPI = 3, + E820_TYPE_NVS = 4, + E820_TYPE_UNUSABLE = 5, + E820_TYPE_PMEM = 7, + E820_TYPE_PRAM = 12, + E820_TYPE_SOFT_RESERVED = -268435457, + E820_TYPE_RESERVED_KERN = 128, +}; + +struct e820_entry { + u64 addr; + u64 size; + enum e820_type type; +} __attribute__((packed)); + +struct e820_table { + __u32 nr_entries; + struct e820_entry entries[320]; +} __attribute__((packed)); + +struct x86_cpuinit_ops { + void (*setup_percpu_clockev)(); + void (*early_percpu_clock_init)(); + void (*fixup_cpu_id)(struct cpuinfo_x86 *, int); +}; + +struct x86_msi_ops { + int (*setup_msi_irqs)(struct pci_dev *, int, int); + void (*teardown_msi_irq)(unsigned int); + void (*teardown_msi_irqs)(struct pci_dev *); + void (*restore_msi_irqs)(struct pci_dev *); +}; + +struct msi_controller { + struct module *owner; + struct device *dev; + struct device_node *of_node; + struct list_head list; + int (*setup_irq)(struct msi_controller *, struct pci_dev *, struct msi_desc *); + int (*setup_irqs)(struct msi_controller *, struct pci_dev *, int, int); + void (*teardown_irq)(struct msi_controller *, unsigned int); +}; + +enum jump_label_type { + JUMP_LABEL_NOP = 0, + JUMP_LABEL_JMP = 1, +}; + +struct text_poke_loc { + void *addr; + int len; + s32 rel32; + u8 opcode; + u8 text[5]; +}; + +union jump_code_union { + char code[5]; + struct { + char jump; + int offset; + } __attribute__((packed)); +}; + +enum { + JL_STATE_START = 0, + JL_STATE_NO_UPDATE = 1, + JL_STATE_UPDATE = 2, +}; + +struct vm_unmapped_area_info { + long unsigned int flags; + long unsigned int length; + long unsigned int low_limit; + long unsigned int high_limit; + long unsigned int align_mask; + long unsigned int align_offset; +}; + +enum align_flags { + ALIGN_VA_32 = 1, + ALIGN_VA_64 = 2, +}; + +struct va_alignment { + int flags; + long unsigned int mask; + long unsigned int bits; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +enum { + MEMREMAP_WB = 1, + MEMREMAP_WT = 2, + MEMREMAP_WC = 4, + MEMREMAP_ENC = 8, + MEMREMAP_DEC = 16, +}; + +typedef void (*swap_func_t)(void *, void *, int); + +typedef int (*cmp_func_t)(const void *, const void *); + +enum { + IORES_DESC_NONE = 0, + IORES_DESC_CRASH_KERNEL = 1, + IORES_DESC_ACPI_TABLES = 2, + IORES_DESC_ACPI_NV_STORAGE = 3, + IORES_DESC_PERSISTENT_MEMORY = 4, + IORES_DESC_PERSISTENT_MEMORY_LEGACY = 5, + IORES_DESC_DEVICE_PRIVATE_MEMORY = 6, + IORES_DESC_RESERVED = 7, + IORES_DESC_SOFT_RESERVED = 8, +}; + +struct change_member { + struct e820_entry *entry; + long long unsigned int addr; +}; + +struct iommu_fwspec { + const struct iommu_ops *ops; + struct fwnode_handle *iommu_fwnode; + void *iommu_priv; + u32 flags; + unsigned int num_ids; + u32 ids[1]; +}; + +struct iommu_fault_param; + +struct iommu_param { + struct mutex lock; + struct iommu_fault_param *fault_param; +}; + +struct of_phandle_args { + struct device_node *np; + int args_count; + uint32_t args[16]; +}; + +struct iommu_fault_unrecoverable { + __u32 reason; + __u32 flags; + __u32 pasid; + __u32 perm; + __u64 addr; + __u64 fetch_addr; +}; + +struct iommu_fault_page_request { + __u32 flags; + __u32 pasid; + __u32 grpid; + __u32 perm; + __u64 addr; + __u64 private_data[2]; +}; + +struct iommu_fault { + __u32 type; + __u32 padding; + union { + struct iommu_fault_unrecoverable event; + struct iommu_fault_page_request prm; + __u8 padding2[56]; + }; +}; + +struct iommu_page_response { + __u32 version; + __u32 flags; + __u32 pasid; + __u32 grpid; + __u32 code; +}; + +struct iommu_inv_addr_info { + __u32 flags; + __u32 archid; + __u64 pasid; + __u64 addr; + __u64 granule_size; + __u64 nb_granules; +}; + +struct iommu_inv_pasid_info { + __u32 flags; + __u32 archid; + __u64 pasid; +}; + +struct iommu_cache_invalidate_info { + __u32 version; + __u8 cache; + __u8 granularity; + __u8 padding[2]; + union { + struct iommu_inv_pasid_info pasid_info; + struct iommu_inv_addr_info addr_info; + }; +}; + +struct iommu_gpasid_bind_data_vtd { + __u64 flags; + __u32 pat; + __u32 emt; +}; + +struct iommu_gpasid_bind_data { + __u32 version; + __u32 format; + __u64 flags; + __u64 gpgd; + __u64 hpasid; + __u64 gpasid; + __u32 addr_width; + __u8 padding[12]; + union { + struct iommu_gpasid_bind_data_vtd vtd; + }; +}; + +typedef int (*iommu_fault_handler_t)(struct iommu_domain *, struct device *, long unsigned int, int, void *); + +struct iommu_domain_geometry { + dma_addr_t aperture_start; + dma_addr_t aperture_end; + bool force_aperture; +}; + +struct iommu_domain { + unsigned int type; + const struct iommu_ops *ops; + long unsigned int pgsize_bitmap; + iommu_fault_handler_t handler; + void *handler_token; + struct iommu_domain_geometry geometry; + void *iova_cookie; +}; + +typedef int (*iommu_mm_exit_handler_t)(struct device *, struct iommu_sva *, void *); + +struct iommu_sva_ops; + +struct iommu_sva { + struct device *dev; + const struct iommu_sva_ops *ops; +}; + +typedef int (*iommu_dev_fault_handler_t)(struct iommu_fault *, void *); + +enum iommu_resv_type { + IOMMU_RESV_DIRECT = 0, + IOMMU_RESV_DIRECT_RELAXABLE = 1, + IOMMU_RESV_RESERVED = 2, + IOMMU_RESV_MSI = 3, + IOMMU_RESV_SW_MSI = 4, +}; + +struct iommu_resv_region { + struct list_head list; + phys_addr_t start; + size_t length; + int prot; + enum iommu_resv_type type; +}; + +struct iommu_sva_ops { + iommu_mm_exit_handler_t mm_exit; +}; + +struct iommu_iotlb_gather { + long unsigned int start; + long unsigned int end; + size_t pgsize; +}; + +struct iommu_fault_event { + struct iommu_fault fault; + struct list_head list; +}; + +struct iommu_fault_param { + iommu_dev_fault_handler_t handler; + void *data; + struct list_head faults; + struct mutex lock; +}; + +struct iommu_table_entry { + initcall_t detect; + initcall_t depend; + void (*early_init)(); + void (*late_init)(); + int flags; +}; + +enum dmi_field { + DMI_NONE = 0, + DMI_BIOS_VENDOR = 1, + DMI_BIOS_VERSION = 2, + DMI_BIOS_DATE = 3, + DMI_SYS_VENDOR = 4, + DMI_PRODUCT_NAME = 5, + DMI_PRODUCT_VERSION = 6, + DMI_PRODUCT_SERIAL = 7, + DMI_PRODUCT_UUID = 8, + DMI_PRODUCT_SKU = 9, + DMI_PRODUCT_FAMILY = 10, + DMI_BOARD_VENDOR = 11, + DMI_BOARD_NAME = 12, + DMI_BOARD_VERSION = 13, + DMI_BOARD_SERIAL = 14, + DMI_BOARD_ASSET_TAG = 15, + DMI_CHASSIS_VENDOR = 16, + DMI_CHASSIS_TYPE = 17, + DMI_CHASSIS_VERSION = 18, + DMI_CHASSIS_SERIAL = 19, + DMI_CHASSIS_ASSET_TAG = 20, + DMI_STRING_MAX = 21, + DMI_OEM_STRING = 22, +}; + +enum { + NONE_FORCE_HPET_RESUME = 0, + OLD_ICH_FORCE_HPET_RESUME = 1, + ICH_FORCE_HPET_RESUME = 2, + VT8237_FORCE_HPET_RESUME = 3, + NVIDIA_FORCE_HPET_RESUME = 4, + ATI_FORCE_HPET_RESUME = 5, +}; + +struct cpu { + int node_id; + int hotpluggable; + struct device dev; +}; + +struct x86_cpu { + struct cpu cpu; +}; + +struct debugfs_blob_wrapper { + void *data; + long unsigned int size; +}; + +struct setup_data_node { + u64 paddr; + u32 type; + u32 len; +}; + +struct die_args { + struct pt_regs *regs; + const char *str; + long int err; + int trapnr; + int signr; +}; + +typedef struct { + struct mm_struct *mm; +} temp_mm_state_t; + +struct smp_alt_module { + struct module *mod; + char *name; + const s32 *locks; + const s32 *locks_end; + u8 *text; + u8 *text_end; + struct list_head next; +}; + +struct bp_patching_desc { + struct text_poke_loc *vec; + int nr_entries; +}; + +struct paravirt_patch_site; + +struct user_i387_struct { + short unsigned int cwd; + short unsigned int swd; + short unsigned int twd; + short unsigned int fop; + __u64 rip; + __u64 rdp; + __u32 mxcsr; + __u32 mxcsr_mask; + __u32 st_space[32]; + __u32 xmm_space[64]; + __u32 padding[24]; +}; + +struct user_regs_struct { + long unsigned int r15; + long unsigned int r14; + long unsigned int r13; + long unsigned int r12; + long unsigned int bp; + long unsigned int bx; + long unsigned int r11; + long unsigned int r10; + long unsigned int r9; + long unsigned int r8; + long unsigned int ax; + long unsigned int cx; + long unsigned int dx; + long unsigned int si; + long unsigned int di; + long unsigned int orig_ax; + long unsigned int ip; + long unsigned int cs; + long unsigned int flags; + long unsigned int sp; + long unsigned int ss; + long unsigned int fs_base; + long unsigned int gs_base; + long unsigned int ds; + long unsigned int es; + long unsigned int fs; + long unsigned int gs; +}; + +struct user { + struct user_regs_struct regs; + int u_fpvalid; + int pad0; + struct user_i387_struct i387; + long unsigned int u_tsize; + long unsigned int u_dsize; + long unsigned int u_ssize; + long unsigned int start_code; + long unsigned int start_stack; + long int signal; + int reserved; + int pad1; + long unsigned int u_ar0; + struct user_i387_struct *u_fpstate; + long unsigned int magic; + char u_comm[32]; + long unsigned int u_debugreg[8]; + long unsigned int error_code; + long unsigned int fault_address; +}; + +enum { + HW_BREAKPOINT_LEN_1 = 1, + HW_BREAKPOINT_LEN_2 = 2, + HW_BREAKPOINT_LEN_3 = 3, + HW_BREAKPOINT_LEN_4 = 4, + HW_BREAKPOINT_LEN_5 = 5, + HW_BREAKPOINT_LEN_6 = 6, + HW_BREAKPOINT_LEN_7 = 7, + HW_BREAKPOINT_LEN_8 = 8, +}; + +enum { + HW_BREAKPOINT_EMPTY = 0, + HW_BREAKPOINT_R = 1, + HW_BREAKPOINT_W = 2, + HW_BREAKPOINT_RW = 3, + HW_BREAKPOINT_X = 4, + HW_BREAKPOINT_INVALID = 7, +}; + +typedef unsigned int u_int; + +typedef long long unsigned int cycles_t; + +struct system_counterval_t { + u64 cycles; + struct clocksource *cs; +}; + +enum { + WORK_STRUCT_PENDING_BIT = 0, + WORK_STRUCT_DELAYED_BIT = 1, + WORK_STRUCT_PWQ_BIT = 2, + WORK_STRUCT_LINKED_BIT = 3, + WORK_STRUCT_COLOR_SHIFT = 4, + WORK_STRUCT_COLOR_BITS = 4, + WORK_STRUCT_PENDING = 1, + WORK_STRUCT_DELAYED = 2, + WORK_STRUCT_PWQ = 4, + WORK_STRUCT_LINKED = 8, + WORK_STRUCT_STATIC = 0, + WORK_NR_COLORS = 15, + WORK_NO_COLOR = 15, + WORK_CPU_UNBOUND = 64, + WORK_STRUCT_FLAG_BITS = 8, + WORK_OFFQ_FLAG_BASE = 4, + __WORK_OFFQ_CANCELING = 4, + WORK_OFFQ_CANCELING = 16, + WORK_OFFQ_FLAG_BITS = 1, + WORK_OFFQ_POOL_SHIFT = 5, + WORK_OFFQ_LEFT = 59, + WORK_OFFQ_POOL_BITS = 31, + WORK_OFFQ_POOL_NONE = 2147483647, + WORK_STRUCT_FLAG_MASK = 255, + WORK_STRUCT_WQ_DATA_MASK = -256, + WORK_STRUCT_NO_POOL = -32, + WORK_BUSY_PENDING = 1, + WORK_BUSY_RUNNING = 2, + WORKER_DESC_LEN = 24, +}; + +enum cpufreq_table_sorting { + CPUFREQ_TABLE_UNSORTED = 0, + CPUFREQ_TABLE_SORTED_ASCENDING = 1, + CPUFREQ_TABLE_SORTED_DESCENDING = 2, +}; + +struct cpufreq_cpuinfo { + unsigned int max_freq; + unsigned int min_freq; + unsigned int transition_latency; +}; + +struct cpufreq_stats; + +struct clk; + +struct cpufreq_governor; + +struct cpufreq_frequency_table; + +struct thermal_cooling_device; + +struct cpufreq_policy { + cpumask_var_t cpus; + cpumask_var_t related_cpus; + cpumask_var_t real_cpus; + unsigned int shared_type; + unsigned int cpu; + struct clk *clk; + struct cpufreq_cpuinfo cpuinfo; + unsigned int min; + unsigned int max; + unsigned int cur; + unsigned int restore_freq; + unsigned int suspend_freq; + unsigned int policy; + unsigned int last_policy; + struct cpufreq_governor *governor; + void *governor_data; + char last_governor[16]; + struct work_struct update; + struct freq_constraints constraints; + struct freq_qos_request *min_freq_req; + struct freq_qos_request *max_freq_req; + struct cpufreq_frequency_table *freq_table; + enum cpufreq_table_sorting freq_table_sorted; + struct list_head policy_list; + struct kobject kobj; + struct completion kobj_unregister; + struct rw_semaphore rwsem; + bool fast_switch_possible; + bool fast_switch_enabled; + unsigned int transition_delay_us; + bool dvfs_possible_from_any_cpu; + unsigned int cached_target_freq; + int cached_resolved_idx; + bool transition_ongoing; + spinlock_t transition_lock; + wait_queue_head_t transition_wait; + struct task_struct *transition_task; + struct cpufreq_stats *stats; + void *driver_data; + struct thermal_cooling_device *cdev; + struct notifier_block nb_min; + struct notifier_block nb_max; +}; + +struct cpufreq_governor { + char name[16]; + int (*init)(struct cpufreq_policy *); + void (*exit)(struct cpufreq_policy *); + int (*start)(struct cpufreq_policy *); + void (*stop)(struct cpufreq_policy *); + void (*limits)(struct cpufreq_policy *); + ssize_t (*show_setspeed)(struct cpufreq_policy *, char *); + int (*store_setspeed)(struct cpufreq_policy *, unsigned int); + bool dynamic_switching; + struct list_head governor_list; + struct module *owner; +}; + +struct cpufreq_frequency_table { + unsigned int flags; + unsigned int driver_data; + unsigned int frequency; +}; + +struct cpufreq_freqs { + struct cpufreq_policy *policy; + unsigned int old; + unsigned int new; + u8 flags; +}; + +struct cyc2ns { + struct cyc2ns_data data[2]; + seqcount_t seq; +}; + +struct freq_desc { + u8 msr_plat; + u32 freqs[9]; +}; + +struct dmi_strmatch { + unsigned char slot: 7; + unsigned char exact_match: 1; + char substr[79]; +}; + +struct dmi_system_id { + int (*callback)(const struct dmi_system_id *); + const char *ident; + struct dmi_strmatch matches[4]; + void *driver_data; +}; + +struct pdev_archdata {}; + +struct mfd_cell; + +struct platform_device_id; + +struct platform_device { + const char *name; + int id; + bool id_auto; + struct device dev; + u64 dma_mask; + u32 num_resources; + struct resource *resource; + const struct platform_device_id *id_entry; + char *driver_override; + struct mfd_cell *mfd_cell; + struct pdev_archdata archdata; +}; + +struct platform_device_id { + char name[20]; + kernel_ulong_t driver_data; +}; + +struct rtc_time { + int tm_sec; + int tm_min; + int tm_hour; + int tm_mday; + int tm_mon; + int tm_year; + int tm_wday; + int tm_yday; + int tm_isdst; +}; + +struct pnp_device_id { + __u8 id[8]; + kernel_ulong_t driver_data; +}; + +struct pnp_card_device_id { + __u8 id[8]; + kernel_ulong_t driver_data; + struct { + __u8 id[8]; + } devs[8]; +}; + +struct pnp_protocol; + +struct pnp_id; + +struct pnp_card { + struct device dev; + unsigned char number; + struct list_head global_list; + struct list_head protocol_list; + struct list_head devices; + struct pnp_protocol *protocol; + struct pnp_id *id; + char name[50]; + unsigned char pnpver; + unsigned char productver; + unsigned int serial; + unsigned char checksum; + struct proc_dir_entry *procdir; +}; + +struct pnp_dev; + +struct pnp_protocol { + struct list_head protocol_list; + char *name; + int (*get)(struct pnp_dev *); + int (*set)(struct pnp_dev *); + int (*disable)(struct pnp_dev *); + bool (*can_wakeup)(struct pnp_dev *); + int (*suspend)(struct pnp_dev *, pm_message_t); + int (*resume)(struct pnp_dev *); + unsigned char number; + struct device dev; + struct list_head cards; + struct list_head devices; +}; + +struct pnp_id { + char id[8]; + struct pnp_id *next; +}; + +struct pnp_card_driver; + +struct pnp_card_link { + struct pnp_card *card; + struct pnp_card_driver *driver; + void *driver_data; + pm_message_t pm_state; +}; + +struct pnp_driver { + char *name; + const struct pnp_device_id *id_table; + unsigned int flags; + int (*probe)(struct pnp_dev *, const struct pnp_device_id *); + void (*remove)(struct pnp_dev *); + void (*shutdown)(struct pnp_dev *); + int (*suspend)(struct pnp_dev *, pm_message_t); + int (*resume)(struct pnp_dev *); + struct device_driver driver; +}; + +struct pnp_card_driver { + struct list_head global_list; + char *name; + const struct pnp_card_device_id *id_table; + unsigned int flags; + int (*probe)(struct pnp_card_link *, const struct pnp_card_device_id *); + void (*remove)(struct pnp_card_link *); + int (*suspend)(struct pnp_card_link *, pm_message_t); + int (*resume)(struct pnp_card_link *); + struct pnp_driver link; +}; + +struct pnp_dev { + struct device dev; + u64 dma_mask; + unsigned int number; + int status; + struct list_head global_list; + struct list_head protocol_list; + struct list_head card_list; + struct list_head rdev_list; + struct pnp_protocol *protocol; + struct pnp_card *card; + struct pnp_driver *driver; + struct pnp_card_link *card_link; + struct pnp_id *id; + int active; + int capabilities; + unsigned int num_dependent_sets; + struct list_head resources; + struct list_head options; + char name[50]; + int flags; + struct proc_dir_entry *procent; + void *data; +}; + +typedef struct ldttss_desc tss_desc; + +enum idle_boot_override { + IDLE_NO_OVERRIDE = 0, + IDLE_HALT = 1, + IDLE_NOMWAIT = 2, + IDLE_POLL = 3, +}; + +enum tick_broadcast_mode { + TICK_BROADCAST_OFF = 0, + TICK_BROADCAST_ON = 1, + TICK_BROADCAST_FORCE = 2, +}; + +enum tick_broadcast_state { + TICK_BROADCAST_EXIT = 0, + TICK_BROADCAST_ENTER = 1, +}; + +struct cpuidle_state_usage { + long long unsigned int disable; + long long unsigned int usage; + u64 time_ns; + long long unsigned int above; + long long unsigned int below; + long long unsigned int s2idle_usage; + long long unsigned int s2idle_time; +}; + +struct cpuidle_driver_kobj; + +struct cpuidle_state_kobj; + +struct cpuidle_device_kobj; + +struct cpuidle_device { + unsigned int registered: 1; + unsigned int enabled: 1; + unsigned int poll_time_limit: 1; + unsigned int cpu; + ktime_t next_hrtimer; + int last_state_idx; + u64 last_residency_ns; + u64 poll_limit_ns; + u64 forced_idle_latency_limit_ns; + struct cpuidle_state_usage states_usage[10]; + struct cpuidle_state_kobj *kobjs[10]; + struct cpuidle_driver_kobj *kobj_driver; + struct cpuidle_device_kobj *kobj_dev; + struct list_head device_list; +}; + +struct inactive_task_frame { + long unsigned int r15; + long unsigned int r14; + long unsigned int r13; + long unsigned int r12; + long unsigned int bx; + long unsigned int bp; + long unsigned int ret_addr; +}; + +struct fork_frame { + struct inactive_task_frame frame; + struct pt_regs regs; +}; + +struct ssb_state { + struct ssb_state *shared_state; + raw_spinlock_t lock; + unsigned int disable_state; + long unsigned int local_state; +}; + +struct trace_event_raw_x86_fpu { + struct trace_entry ent; + struct fpu *fpu; + bool load_fpu; + u64 xfeatures; + u64 xcomp_bv; + char __data[0]; +}; + +struct trace_event_data_offsets_x86_fpu {}; + +struct _fpreg { + __u16 significand[4]; + __u16 exponent; +}; + +struct _fpxreg { + __u16 significand[4]; + __u16 exponent; + __u16 padding[3]; +}; + +struct user_i387_ia32_struct { + u32 cwd; + u32 swd; + u32 twd; + u32 fip; + u32 fcs; + u32 foo; + u32 fos; + u32 st_space[20]; +}; + +struct user_regset; + +typedef int user_regset_active_fn(struct task_struct *, const struct user_regset *); + +typedef int user_regset_get_fn(struct task_struct *, const struct user_regset *, unsigned int, unsigned int, void *, void *); + +typedef int user_regset_set_fn(struct task_struct *, const struct user_regset *, unsigned int, unsigned int, const void *, const void *); + +typedef int user_regset_writeback_fn(struct task_struct *, const struct user_regset *, int); + +typedef unsigned int user_regset_get_size_fn(struct task_struct *, const struct user_regset *); + +struct user_regset { + user_regset_get_fn *get; + user_regset_set_fn *set; + user_regset_active_fn *active; + user_regset_writeback_fn *writeback; + user_regset_get_size_fn *get_size; + unsigned int n; + unsigned int size; + unsigned int align; + unsigned int bias; + unsigned int core_note_type; +}; + +struct _fpx_sw_bytes { + __u32 magic1; + __u32 extended_size; + __u64 xfeatures; + __u32 xstate_size; + __u32 padding[7]; +}; + +struct _xmmreg { + __u32 element[4]; +}; + +struct _fpstate_32 { + __u32 cw; + __u32 sw; + __u32 tag; + __u32 ipoff; + __u32 cssel; + __u32 dataoff; + __u32 datasel; + struct _fpreg _st[8]; + __u16 status; + __u16 magic; + __u32 _fxsr_env[6]; + __u32 mxcsr; + __u32 reserved; + struct _fpxreg _fxsr_st[8]; + struct _xmmreg _xmm[8]; + union { + __u32 padding1[44]; + __u32 padding[44]; + }; + union { + __u32 padding2[12]; + struct _fpx_sw_bytes sw_reserved; + }; +}; + +typedef u32 compat_ulong_t; + +struct user_regset_view { + const char *name; + const struct user_regset *regsets; + unsigned int n; + u32 e_flags; + u16 e_machine; + u8 ei_osabi; +}; + +enum x86_regset { + REGSET_GENERAL = 0, + REGSET_FP = 1, + REGSET_XFP = 2, + REGSET_IOPERM64 = 2, + REGSET_XSTATE = 3, + REGSET_TLS = 4, + REGSET_IOPERM32 = 5, +}; + +struct pt_regs_offset { + const char *name; + int offset; +}; + +typedef bool (*stack_trace_consume_fn)(void *, long unsigned int, bool); + +struct stack_frame_user { + const void *next_fp; + long unsigned int ret_addr; +}; + +enum cache_type { + CACHE_TYPE_NOCACHE = 0, + CACHE_TYPE_INST = 1, + CACHE_TYPE_DATA = 2, + CACHE_TYPE_SEPARATE = 3, + CACHE_TYPE_UNIFIED = 4, +}; + +struct cacheinfo { + unsigned int id; + enum cache_type type; + unsigned int level; + unsigned int coherency_line_size; + unsigned int number_of_sets; + unsigned int ways_of_associativity; + unsigned int physical_line_partition; + unsigned int size; + cpumask_t shared_cpu_map; + unsigned int attributes; + void *fw_token; + bool disable_sysfs; + void *priv; +}; + +struct cpu_cacheinfo { + struct cacheinfo *info_list; + unsigned int num_levels; + unsigned int num_leaves; + bool cpu_map_populated; +}; + +struct amd_l3_cache { + unsigned int indices; + u8 subcaches[4]; +}; + +struct threshold_block { + unsigned int block; + unsigned int bank; + unsigned int cpu; + u32 address; + u16 interrupt_enable; + bool interrupt_capable; + u16 threshold_limit; + struct kobject kobj; + struct list_head miscj; +}; + +struct threshold_bank { + struct kobject *kobj; + struct threshold_block *blocks; + refcount_t cpus; +}; + +struct amd_northbridge { + struct pci_dev *root; + struct pci_dev *misc; + struct pci_dev *link; + struct amd_l3_cache l3_cache; + struct threshold_bank *bank4; +}; + +struct _cache_table { + unsigned char descriptor; + char cache_type; + short int size; +}; + +enum _cache_type { + CTYPE_NULL = 0, + CTYPE_DATA = 1, + CTYPE_INST = 2, + CTYPE_UNIFIED = 3, +}; + +union _cpuid4_leaf_eax { + struct { + enum _cache_type type: 5; + unsigned int level: 3; + unsigned int is_self_initializing: 1; + unsigned int is_fully_associative: 1; + unsigned int reserved: 4; + unsigned int num_threads_sharing: 12; + unsigned int num_cores_on_die: 6; + } split; + u32 full; +}; + +union _cpuid4_leaf_ebx { + struct { + unsigned int coherency_line_size: 12; + unsigned int physical_line_partition: 10; + unsigned int ways_of_associativity: 10; + } split; + u32 full; +}; + +union _cpuid4_leaf_ecx { + struct { + unsigned int number_of_sets: 32; + } split; + u32 full; +}; + +struct _cpuid4_info_regs { + union _cpuid4_leaf_eax eax; + union _cpuid4_leaf_ebx ebx; + union _cpuid4_leaf_ecx ecx; + unsigned int id; + long unsigned int size; + struct amd_northbridge *nb; +}; + +union l1_cache { + struct { + unsigned int line_size: 8; + unsigned int lines_per_tag: 8; + unsigned int assoc: 8; + unsigned int size_in_kb: 8; + }; + unsigned int val; +}; + +union l2_cache { + struct { + unsigned int line_size: 8; + unsigned int lines_per_tag: 4; + unsigned int assoc: 4; + unsigned int size_in_kb: 16; + }; + unsigned int val; +}; + +union l3_cache { + struct { + unsigned int line_size: 8; + unsigned int lines_per_tag: 4; + unsigned int assoc: 4; + unsigned int res: 2; + unsigned int size_encoded: 14; + }; + unsigned int val; +}; + +struct cpuid_bit { + u16 feature; + u8 reg; + u8 bit; + u32 level; + u32 sub_leaf; +}; + +enum cpuid_leafs { + CPUID_1_EDX = 0, + CPUID_8000_0001_EDX = 1, + CPUID_8086_0001_EDX = 2, + CPUID_LNX_1 = 3, + CPUID_1_ECX = 4, + CPUID_C000_0001_EDX = 5, + CPUID_8000_0001_ECX = 6, + CPUID_LNX_2 = 7, + CPUID_LNX_3 = 8, + CPUID_7_0_EBX = 9, + CPUID_D_1_EAX = 10, + CPUID_LNX_4 = 11, + CPUID_7_1_EAX = 12, + CPUID_8000_0008_EBX = 13, + CPUID_6_EAX = 14, + CPUID_8000_000A_EDX = 15, + CPUID_7_ECX = 16, + CPUID_8000_0007_EBX = 17, + CPUID_7_EDX = 18, +}; + +struct cpu_dev { + const char *c_vendor; + const char *c_ident[2]; + void (*c_early_init)(struct cpuinfo_x86 *); + void (*c_bsp_init)(struct cpuinfo_x86 *); + void (*c_init)(struct cpuinfo_x86 *); + void (*c_identify)(struct cpuinfo_x86 *); + void (*c_detect_tlb)(struct cpuinfo_x86 *); + int c_x86_vendor; +}; + +struct cpuid_dependent_feature { + u32 feature; + u32 level; +}; + +enum spectre_v2_mitigation { + SPECTRE_V2_NONE = 0, + SPECTRE_V2_RETPOLINE_GENERIC = 1, + SPECTRE_V2_RETPOLINE_AMD = 2, + SPECTRE_V2_IBRS_ENHANCED = 3, +}; + +enum spectre_v2_user_mitigation { + SPECTRE_V2_USER_NONE = 0, + SPECTRE_V2_USER_STRICT = 1, + SPECTRE_V2_USER_STRICT_PREFERRED = 2, + SPECTRE_V2_USER_PRCTL = 3, + SPECTRE_V2_USER_SECCOMP = 4, +}; + +enum ssb_mitigation { + SPEC_STORE_BYPASS_NONE = 0, + SPEC_STORE_BYPASS_DISABLE = 1, + SPEC_STORE_BYPASS_PRCTL = 2, + SPEC_STORE_BYPASS_SECCOMP = 3, +}; + +enum l1tf_mitigations { + L1TF_MITIGATION_OFF = 0, + L1TF_MITIGATION_FLUSH_NOWARN = 1, + L1TF_MITIGATION_FLUSH = 2, + L1TF_MITIGATION_FLUSH_NOSMT = 3, + L1TF_MITIGATION_FULL = 4, + L1TF_MITIGATION_FULL_FORCE = 5, +}; + +enum mds_mitigations { + MDS_MITIGATION_OFF = 0, + MDS_MITIGATION_FULL = 1, + MDS_MITIGATION_VMWERV = 2, +}; + +enum taa_mitigations { + TAA_MITIGATION_OFF = 0, + TAA_MITIGATION_UCODE_NEEDED = 1, + TAA_MITIGATION_VERW = 2, + TAA_MITIGATION_TSX_DISABLED = 3, +}; + +enum cpuhp_smt_control { + CPU_SMT_ENABLED = 0, + CPU_SMT_DISABLED = 1, + CPU_SMT_FORCE_DISABLED = 2, + CPU_SMT_NOT_SUPPORTED = 3, + CPU_SMT_NOT_IMPLEMENTED = 4, +}; + +enum vmx_l1d_flush_state { + VMENTER_L1D_FLUSH_AUTO = 0, + VMENTER_L1D_FLUSH_NEVER = 1, + VMENTER_L1D_FLUSH_COND = 2, + VMENTER_L1D_FLUSH_ALWAYS = 3, + VMENTER_L1D_FLUSH_EPT_DISABLED = 4, + VMENTER_L1D_FLUSH_NOT_REQUIRED = 5, +}; + +enum x86_hypervisor_type { + X86_HYPER_NATIVE = 0, + X86_HYPER_VMWARE = 1, + X86_HYPER_MS_HYPERV = 2, + X86_HYPER_XEN_PV = 3, + X86_HYPER_XEN_HVM = 4, + X86_HYPER_KVM = 5, + X86_HYPER_JAILHOUSE = 6, + X86_HYPER_ACRN = 7, +}; + +enum spectre_v1_mitigation { + SPECTRE_V1_MITIGATION_NONE = 0, + SPECTRE_V1_MITIGATION_AUTO = 1, +}; + +enum spectre_v2_mitigation_cmd { + SPECTRE_V2_CMD_NONE = 0, + SPECTRE_V2_CMD_AUTO = 1, + SPECTRE_V2_CMD_FORCE = 2, + SPECTRE_V2_CMD_RETPOLINE = 3, + SPECTRE_V2_CMD_RETPOLINE_GENERIC = 4, + SPECTRE_V2_CMD_RETPOLINE_AMD = 5, +}; + +enum spectre_v2_user_cmd { + SPECTRE_V2_USER_CMD_NONE = 0, + SPECTRE_V2_USER_CMD_AUTO = 1, + SPECTRE_V2_USER_CMD_FORCE = 2, + SPECTRE_V2_USER_CMD_PRCTL = 3, + SPECTRE_V2_USER_CMD_PRCTL_IBPB = 4, + SPECTRE_V2_USER_CMD_SECCOMP = 5, + SPECTRE_V2_USER_CMD_SECCOMP_IBPB = 6, +}; + +enum ssb_mitigation_cmd { + SPEC_STORE_BYPASS_CMD_NONE = 0, + SPEC_STORE_BYPASS_CMD_AUTO = 1, + SPEC_STORE_BYPASS_CMD_ON = 2, + SPEC_STORE_BYPASS_CMD_PRCTL = 3, + SPEC_STORE_BYPASS_CMD_SECCOMP = 4, +}; + +enum hk_flags { + HK_FLAG_TIMER = 1, + HK_FLAG_RCU = 2, + HK_FLAG_MISC = 4, + HK_FLAG_SCHED = 8, + HK_FLAG_TICK = 16, + HK_FLAG_DOMAIN = 32, + HK_FLAG_WQ = 64, +}; + +struct aperfmperf_sample { + unsigned int khz; + ktime_t time; + u64 aperf; + u64 mperf; +}; + +struct cpuid_dep { + unsigned int feature; + unsigned int depends; +}; + +struct _tlb_table { + unsigned char descriptor; + char tlb_type; + unsigned int entries; + char info[128]; +}; + +enum tsx_ctrl_states { + TSX_CTRL_ENABLE = 0, + TSX_CTRL_DISABLE = 1, + TSX_CTRL_NOT_SUPPORTED = 2, +}; + +struct sku_microcode { + u8 model; + u8 stepping; + u32 microcode; +}; + +struct cpuid_regs { + u32 eax; + u32 ebx; + u32 ecx; + u32 edx; +}; + +enum pconfig_target { + INVALID_TARGET = 0, + MKTME_TARGET = 1, + PCONFIG_TARGET_NR = 2, +}; + +enum { + PCONFIG_CPUID_SUBLEAF_INVALID = 0, + PCONFIG_CPUID_SUBLEAF_TARGETID = 1, +}; + +typedef u8 pto_T_____4; + +enum mf_flags { + MF_COUNT_INCREASED = 1, + MF_ACTION_REQUIRED = 2, + MF_MUST_KILL = 4, + MF_SOFT_OFFLINE = 8, +}; + +struct mce { + __u64 status; + __u64 misc; + __u64 addr; + __u64 mcgstatus; + __u64 ip; + __u64 tsc; + __u64 time; + __u8 cpuvendor; + __u8 inject_flags; + __u8 severity; + __u8 pad; + __u32 cpuid; + __u8 cs; + __u8 bank; + __u8 cpu; + __u8 finished; + __u32 extcpu; + __u32 socketid; + __u32 apicid; + __u64 mcgcap; + __u64 synd; + __u64 ipid; + __u64 ppin; + __u32 microcode; +}; + +enum mce_notifier_prios { + MCE_PRIO_FIRST = 2147483647, + MCE_PRIO_SRAO = 2147483646, + MCE_PRIO_EXTLOG = 2147483645, + MCE_PRIO_NFIT = 2147483644, + MCE_PRIO_EDAC = 2147483643, + MCE_PRIO_MCELOG = 1, + MCE_PRIO_LOWEST = 0, +}; + +typedef long unsigned int mce_banks_t[1]; + +enum mcp_flags { + MCP_TIMESTAMP = 1, + MCP_UC = 2, + MCP_DONTLOG = 4, +}; + +enum severity_level { + MCE_NO_SEVERITY = 0, + MCE_DEFERRED_SEVERITY = 1, + MCE_UCNA_SEVERITY = 1, + MCE_KEEP_SEVERITY = 2, + MCE_SOME_SEVERITY = 3, + MCE_AO_SEVERITY = 4, + MCE_UC_SEVERITY = 5, + MCE_AR_SEVERITY = 6, + MCE_PANIC_SEVERITY = 7, +}; + +struct mce_evt_llist { + struct llist_node llnode; + struct mce mce; +}; + +struct mca_config { + bool dont_log_ce; + bool cmci_disabled; + bool ignore_ce; + __u64 lmce_disabled: 1; + __u64 disabled: 1; + __u64 ser: 1; + __u64 recovery: 1; + __u64 bios_cmci_threshold: 1; + long: 35; + __u64 __reserved: 59; + s8 bootlog; + int tolerant; + int monarch_timeout; + int panic_timeout; + u32 rip_msr; +}; + +struct mce_vendor_flags { + __u64 overflow_recov: 1; + __u64 succor: 1; + __u64 smca: 1; + __u64 __reserved_0: 61; +}; + +struct mca_msr_regs { + u32 (*ctl)(int); + u32 (*status)(int); + u32 (*addr)(int); + u32 (*misc)(int); +}; + +struct trace_event_raw_mce_record { + struct trace_entry ent; + u64 mcgcap; + u64 mcgstatus; + u64 status; + u64 addr; + u64 misc; + u64 synd; + u64 ipid; + u64 ip; + u64 tsc; + u64 walltime; + u32 cpu; + u32 cpuid; + u32 apicid; + u32 socketid; + u8 cs; + u8 bank; + u8 cpuvendor; + char __data[0]; +}; + +struct trace_event_data_offsets_mce_record {}; + +struct mce_bank { + u64 ctl; + bool init; +}; + +struct mce_bank_dev { + struct device_attribute attr; + char attrname[16]; + u8 bank; +}; + +enum context { + IN_KERNEL = 1, + IN_USER = 2, + IN_KERNEL_RECOV = 3, +}; + +enum ser { + SER_REQUIRED = 1, + NO_SER = 2, +}; + +enum exception { + EXCP_CONTEXT = 1, + NO_EXCP = 2, +}; + +struct severity { + u64 mask; + u64 result; + unsigned char sev; + unsigned char mcgmask; + unsigned char mcgres; + unsigned char ser; + unsigned char context; + unsigned char excp; + unsigned char covered; + char *msg; +}; + +struct gen_pool; + +typedef long unsigned int (*genpool_algo_t)(long unsigned int *, long unsigned int, long unsigned int, unsigned int, void *, struct gen_pool *, long unsigned int); + +struct gen_pool { + spinlock_t lock; + struct list_head chunks; + int min_alloc_order; + genpool_algo_t algo; + void *data; + const char *name; +}; + +enum { + CMCI_STORM_NONE = 0, + CMCI_STORM_ACTIVE = 1, + CMCI_STORM_SUBSIDED = 2, +}; + +enum kobject_action { + KOBJ_ADD = 0, + KOBJ_REMOVE = 1, + KOBJ_CHANGE = 2, + KOBJ_MOVE = 3, + KOBJ_ONLINE = 4, + KOBJ_OFFLINE = 5, + KOBJ_BIND = 6, + KOBJ_UNBIND = 7, + KOBJ_MAX = 8, +}; + +enum smca_bank_types { + SMCA_LS = 0, + SMCA_IF = 1, + SMCA_L2_CACHE = 2, + SMCA_DE = 3, + SMCA_RESERVED = 4, + SMCA_EX = 5, + SMCA_FP = 6, + SMCA_L3_CACHE = 7, + SMCA_CS = 8, + SMCA_CS_V2 = 9, + SMCA_PIE = 10, + SMCA_UMC = 11, + SMCA_PB = 12, + SMCA_PSP = 13, + SMCA_PSP_V2 = 14, + SMCA_SMU = 15, + SMCA_SMU_V2 = 16, + SMCA_MP5 = 17, + SMCA_NBIO = 18, + SMCA_PCIE = 19, + N_SMCA_BANK_TYPES = 20, +}; + +struct smca_hwid { + unsigned int bank_type; + u32 hwid_mcatype; + u32 xec_bitmap; + u8 count; +}; + +struct smca_bank { + struct smca_hwid *hwid; + u32 id; + u8 sysfs_id; +}; + +struct smca_bank_name { + const char *name; + const char *long_name; +}; + +struct thresh_restart { + struct threshold_block *b; + int reset; + int set_lvt_off; + int lvt_off; + u16 old_limit; +}; + +struct threshold_attr { + struct attribute attr; + ssize_t (*show)(struct threshold_block *, char *); + ssize_t (*store)(struct threshold_block *, const char *, size_t); +}; + +struct _thermal_state { + u64 next_check; + u64 last_interrupt_time; + struct delayed_work therm_work; + long unsigned int count; + long unsigned int last_count; + long unsigned int max_time_ms; + long unsigned int total_time_ms; + bool rate_control_active; + bool new_event; + u8 level; + u8 sample_index; + u8 sample_count; + u8 average; + u8 baseline_temp; + u8 temp_samples[3]; +}; + +struct thermal_state { + struct _thermal_state core_throttle; + struct _thermal_state core_power_limit; + struct _thermal_state package_throttle; + struct _thermal_state package_power_limit; + struct _thermal_state core_thresh0; + struct _thermal_state core_thresh1; + struct _thermal_state pkg_thresh0; + struct _thermal_state pkg_thresh1; +}; + +typedef int (*cpu_stop_fn_t)(void *); + +typedef __u8 mtrr_type; + +struct mtrr_ops { + u32 vendor; + u32 use_intel_if; + void (*set)(unsigned int, long unsigned int, long unsigned int, mtrr_type); + void (*set_all)(); + void (*get)(unsigned int, long unsigned int *, long unsigned int *, mtrr_type *); + int (*get_free_region)(long unsigned int, long unsigned int, int); + int (*validate_add_page)(long unsigned int, long unsigned int, unsigned int); + int (*have_wrcomb)(); +}; + +struct set_mtrr_data { + long unsigned int smp_base; + long unsigned int smp_size; + unsigned int smp_reg; + mtrr_type smp_type; +}; + +struct mtrr_value { + mtrr_type ltype; + long unsigned int lbase; + long unsigned int lsize; +}; + +struct mtrr_sentry { + __u64 base; + __u32 size; + __u32 type; +}; + +struct mtrr_gentry { + __u64 base; + __u32 size; + __u32 regnum; + __u32 type; + __u32 _pad; +}; + +typedef u32 compat_uint_t; + +struct mtrr_sentry32 { + compat_ulong_t base; + compat_uint_t size; + compat_uint_t type; +}; + +struct mtrr_gentry32 { + compat_ulong_t regnum; + compat_uint_t base; + compat_uint_t size; + compat_uint_t type; +}; + +struct mtrr_var_range { + __u32 base_lo; + __u32 base_hi; + __u32 mask_lo; + __u32 mask_hi; +}; + +struct mtrr_state_type { + struct mtrr_var_range var_ranges[256]; + mtrr_type fixed_ranges[88]; + unsigned char enabled; + unsigned char have_fixed; + mtrr_type def_type; +}; + +struct fixed_range_block { + int base_msr; + int ranges; +}; + +struct range { + u64 start; + u64 end; +}; + +struct var_mtrr_range_state { + long unsigned int base_pfn; + long unsigned int size_pfn; + mtrr_type type; +}; + +struct subsys_interface { + const char *name; + struct bus_type *subsys; + struct list_head node; + int (*add_dev)(struct device *, struct subsys_interface *); + void (*remove_dev)(struct device *, struct subsys_interface *); +}; + +struct property_entry; + +struct platform_device_info { + struct device *parent; + struct fwnode_handle *fwnode; + bool of_node_reused; + const char *name; + int id; + const struct resource *res; + unsigned int num_res; + const void *data; + size_t size_data; + u64 dma_mask; + struct property_entry *properties; +}; + +struct builtin_fw { + char *name; + void *data; + long unsigned int size; +}; + +struct cpio_data { + void *data; + size_t size; + char name[18]; +}; + +struct cpu_signature { + unsigned int sig; + unsigned int pf; + unsigned int rev; +}; + +enum ucode_state { + UCODE_OK = 0, + UCODE_NEW = 1, + UCODE_UPDATED = 2, + UCODE_NFOUND = 3, + UCODE_ERROR = 4, +}; + +struct microcode_ops { + enum ucode_state (*request_microcode_user)(int, const void *, size_t); + enum ucode_state (*request_microcode_fw)(int, struct device *, bool); + void (*microcode_fini_cpu)(int); + enum ucode_state (*apply_microcode)(int); + int (*collect_cpu_info)(int, struct cpu_signature *); +}; + +struct ucode_cpu_info { + struct cpu_signature cpu_sig; + int valid; + void *mc; +}; + +struct cpu_info_ctx { + struct cpu_signature *cpu_sig; + int err; +}; + +struct firmware { + size_t size; + const u8 *data; + struct page **pages; + void *priv; +}; + +struct ucode_patch { + struct list_head plist; + void *data; + u32 patch_id; + u16 equiv_cpu; +}; + +struct microcode_header_intel { + unsigned int hdrver; + unsigned int rev; + unsigned int date; + unsigned int sig; + unsigned int cksum; + unsigned int ldrver; + unsigned int pf; + unsigned int datasize; + unsigned int totalsize; + unsigned int reserved[3]; +}; + +struct microcode_intel { + struct microcode_header_intel hdr; + unsigned int bits[0]; +}; + +struct extended_signature { + unsigned int sig; + unsigned int pf; + unsigned int cksum; +}; + +struct extended_sigtable { + unsigned int count; + unsigned int cksum; + unsigned int reserved[3]; + struct extended_signature sigs[0]; +}; + +struct equiv_cpu_entry { + u32 installed_cpu; + u32 fixed_errata_mask; + u32 fixed_errata_compare; + u16 equiv_cpu; + u16 res; +}; + +struct microcode_header_amd { + u32 data_code; + u32 patch_id; + u16 mc_patch_data_id; + u8 mc_patch_data_len; + u8 init_flag; + u32 mc_patch_data_checksum; + u32 nb_dev_id; + u32 sb_dev_id; + u16 processor_rev_id; + u8 nb_rev_id; + u8 sb_rev_id; + u8 bios_api_rev; + u8 reserved1[3]; + u32 match_reg[8]; +}; + +struct microcode_amd { + struct microcode_header_amd hdr; + unsigned int mpb[0]; +}; + +struct equiv_cpu_table { + unsigned int num_entries; + struct equiv_cpu_entry *entry; +}; + +struct cont_desc { + struct microcode_amd *mc; + u32 cpuid_1_eax; + u32 psize; + u8 *data; + size_t size; +}; + +struct mpc_intsrc { + unsigned char type; + unsigned char irqtype; + short unsigned int irqflag; + unsigned char srcbus; + unsigned char srcbusirq; + unsigned char dstapic; + unsigned char dstirq; +}; + +enum mp_irq_source_types { + mp_INT = 0, + mp_NMI = 1, + mp_SMI = 2, + mp_ExtINT = 3, +}; + +struct IO_APIC_route_entry { + __u32 vector: 8; + __u32 delivery_mode: 3; + __u32 dest_mode: 1; + __u32 delivery_status: 1; + __u32 polarity: 1; + __u32 irr: 1; + __u32 trigger: 1; + __u32 mask: 1; + __u32 __reserved_2: 15; + __u32 __reserved_3: 24; + __u32 dest: 8; +}; + +typedef u64 acpi_io_address; + +typedef u64 acpi_physical_address; + +typedef u32 acpi_status; + +typedef char *acpi_string; + +typedef void *acpi_handle; + +typedef u32 acpi_object_type; + +typedef u8 acpi_adr_space_type; + +union acpi_object { + acpi_object_type type; + struct { + acpi_object_type type; + u64 value; + } integer; + struct { + acpi_object_type type; + u32 length; + char *pointer; + } string; + struct { + acpi_object_type type; + u32 length; + u8 *pointer; + } buffer; + struct { + acpi_object_type type; + u32 count; + union acpi_object *elements; + } package; + struct { + acpi_object_type type; + acpi_object_type actual_type; + acpi_handle handle; + } reference; + struct { + acpi_object_type type; + u32 proc_id; + acpi_io_address pblk_address; + u32 pblk_length; + } processor; + struct { + acpi_object_type type; + u32 system_level; + u32 resource_order; + } power_resource; +}; + +struct acpi_object_list { + u32 count; + union acpi_object *pointer; +}; + +struct acpi_subtable_header { + u8 type; + u8 length; +}; + +struct acpi_table_boot { + struct acpi_table_header header; + u8 cmos_index; + u8 reserved[3]; +}; + +struct acpi_hmat_structure { + u16 type; + u16 reserved; + u32 length; +}; + +struct acpi_table_hpet { + struct acpi_table_header header; + u32 id; + struct acpi_generic_address address; + u8 sequence; + u16 minimum_tick; + u8 flags; +} __attribute__((packed)); + +struct acpi_table_madt { + struct acpi_table_header header; + u32 address; + u32 flags; +}; + +enum acpi_madt_type { + ACPI_MADT_TYPE_LOCAL_APIC = 0, + ACPI_MADT_TYPE_IO_APIC = 1, + ACPI_MADT_TYPE_INTERRUPT_OVERRIDE = 2, + ACPI_MADT_TYPE_NMI_SOURCE = 3, + ACPI_MADT_TYPE_LOCAL_APIC_NMI = 4, + ACPI_MADT_TYPE_LOCAL_APIC_OVERRIDE = 5, + ACPI_MADT_TYPE_IO_SAPIC = 6, + ACPI_MADT_TYPE_LOCAL_SAPIC = 7, + ACPI_MADT_TYPE_INTERRUPT_SOURCE = 8, + ACPI_MADT_TYPE_LOCAL_X2APIC = 9, + ACPI_MADT_TYPE_LOCAL_X2APIC_NMI = 10, + ACPI_MADT_TYPE_GENERIC_INTERRUPT = 11, + ACPI_MADT_TYPE_GENERIC_DISTRIBUTOR = 12, + ACPI_MADT_TYPE_GENERIC_MSI_FRAME = 13, + ACPI_MADT_TYPE_GENERIC_REDISTRIBUTOR = 14, + ACPI_MADT_TYPE_GENERIC_TRANSLATOR = 15, + ACPI_MADT_TYPE_RESERVED = 16, +}; + +struct acpi_madt_local_apic { + struct acpi_subtable_header header; + u8 processor_id; + u8 id; + u32 lapic_flags; +}; + +struct acpi_madt_io_apic { + struct acpi_subtable_header header; + u8 id; + u8 reserved; + u32 address; + u32 global_irq_base; +}; + +struct acpi_madt_interrupt_override { + struct acpi_subtable_header header; + u8 bus; + u8 source_irq; + u32 global_irq; + u16 inti_flags; +} __attribute__((packed)); + +struct acpi_madt_nmi_source { + struct acpi_subtable_header header; + u16 inti_flags; + u32 global_irq; +}; + +struct acpi_madt_local_apic_nmi { + struct acpi_subtable_header header; + u8 processor_id; + u16 inti_flags; + u8 lint; +} __attribute__((packed)); + +struct acpi_madt_local_apic_override { + struct acpi_subtable_header header; + u16 reserved; + u64 address; +} __attribute__((packed)); + +struct acpi_madt_local_sapic { + struct acpi_subtable_header header; + u8 processor_id; + u8 id; + u8 eid; + u8 reserved[3]; + u32 lapic_flags; + u32 uid; + char uid_string[1]; +} __attribute__((packed)); + +struct acpi_madt_local_x2apic { + struct acpi_subtable_header header; + u16 reserved; + u32 local_apic_id; + u32 lapic_flags; + u32 uid; +}; + +struct acpi_madt_local_x2apic_nmi { + struct acpi_subtable_header header; + u16 inti_flags; + u32 uid; + u8 lint; + u8 reserved[3]; +}; + +enum acpi_irq_model_id { + ACPI_IRQ_MODEL_PIC = 0, + ACPI_IRQ_MODEL_IOAPIC = 1, + ACPI_IRQ_MODEL_IOSAPIC = 2, + ACPI_IRQ_MODEL_PLATFORM = 3, + ACPI_IRQ_MODEL_GIC = 4, + ACPI_IRQ_MODEL_COUNT = 5, +}; + +union acpi_subtable_headers { + struct acpi_subtable_header common; + struct acpi_hmat_structure hmat; +}; + +typedef int (*acpi_tbl_table_handler)(struct acpi_table_header *); + +typedef int (*acpi_tbl_entry_handler)(union acpi_subtable_headers *, const long unsigned int); + +struct acpi_subtable_proc { + int id; + acpi_tbl_entry_handler handler; + int count; +}; + +typedef u32 phys_cpuid_t; + +enum irq_alloc_type { + X86_IRQ_ALLOC_TYPE_IOAPIC = 1, + X86_IRQ_ALLOC_TYPE_HPET = 2, + X86_IRQ_ALLOC_TYPE_MSI = 3, + X86_IRQ_ALLOC_TYPE_MSIX = 4, + X86_IRQ_ALLOC_TYPE_DMAR = 5, + X86_IRQ_ALLOC_TYPE_UV = 6, +}; + +struct irq_alloc_info { + enum irq_alloc_type type; + u32 flags; + const struct cpumask *mask; + union { + int unused; + struct { + int hpet_id; + int hpet_index; + void *hpet_data; + }; + struct { + struct pci_dev *msi_dev; + irq_hw_number_t msi_hwirq; + }; + struct { + int ioapic_id; + int ioapic_pin; + int ioapic_node; + u32 ioapic_trigger: 1; + u32 ioapic_polarity: 1; + u32 ioapic_valid: 1; + struct IO_APIC_route_entry *ioapic_entry; + }; + struct { + int dmar_id; + void *dmar_data; + }; + }; +}; + +enum ioapic_domain_type { + IOAPIC_DOMAIN_INVALID = 0, + IOAPIC_DOMAIN_LEGACY = 1, + IOAPIC_DOMAIN_STRICT = 2, + IOAPIC_DOMAIN_DYNAMIC = 3, +}; + +struct ioapic_domain_cfg { + enum ioapic_domain_type type; + const struct irq_domain_ops *ops; + struct device_node *dev; +}; + +struct wakeup_header { + u16 video_mode; + u32 pmode_entry; + u16 pmode_cs; + u32 pmode_cr0; + u32 pmode_cr3; + u32 pmode_cr4; + u32 pmode_efer_low; + u32 pmode_efer_high; + u64 pmode_gdt; + u32 pmode_misc_en_low; + u32 pmode_misc_en_high; + u32 pmode_behavior; + u32 realmode_flags; + u32 real_magic; + u32 signature; +} __attribute__((packed)); + +struct cpc_reg { + u8 descriptor; + u16 length; + u8 space_id; + u8 bit_width; + u8 bit_offset; + u8 access_width; + u64 address; +} __attribute__((packed)); + +struct acpi_power_register { + u8 descriptor; + u16 length; + u8 space_id; + u8 bit_width; + u8 bit_offset; + u8 access_size; + u64 address; +} __attribute__((packed)); + +struct acpi_processor_cx { + u8 valid; + u8 type; + u32 address; + u8 entry_method; + u8 index; + u32 latency; + u8 bm_sts_skip; + char desc[32]; +}; + +struct acpi_processor_flags { + u8 power: 1; + u8 performance: 1; + u8 throttling: 1; + u8 limit: 1; + u8 bm_control: 1; + u8 bm_check: 1; + u8 has_cst: 1; + u8 has_lpi: 1; + u8 power_setup_done: 1; + u8 bm_rld_set: 1; + u8 need_hotplug_init: 1; +}; + +struct cstate_entry { + struct { + unsigned int eax; + unsigned int ecx; + } states[8]; +}; + +enum reboot_mode { + REBOOT_UNDEFINED = -1, + REBOOT_COLD = 0, + REBOOT_WARM = 1, + REBOOT_HARD = 2, + REBOOT_SOFT = 3, + REBOOT_GPIO = 4, +}; + +enum reboot_type { + BOOT_TRIPLE = 116, + BOOT_KBD = 107, + BOOT_BIOS = 98, + BOOT_ACPI = 97, + BOOT_EFI = 101, + BOOT_CF9_FORCE = 112, + BOOT_CF9_SAFE = 113, +}; + +struct machine_ops { + void (*restart)(char *); + void (*halt)(); + void (*power_off)(); + void (*shutdown)(); + void (*crash_shutdown)(struct pt_regs *); + void (*emergency_restart)(); +}; + +typedef void (*nmi_shootdown_cb)(int, struct pt_regs *); + +struct cpuid_regs_done { + struct cpuid_regs regs; + struct completion done; +}; + +struct intel_early_ops { + resource_size_t (*stolen_size)(int, int, int); + resource_size_t (*stolen_base)(int, int, int, resource_size_t); +}; + +struct chipset { + u32 vendor; + u32 device; + u32 class; + u32 class_mask; + u32 flags; + void (*f)(int, int, int); +}; + +enum apic_intr_mode_id { + APIC_PIC = 0, + APIC_VIRTUAL_WIRE = 1, + APIC_VIRTUAL_WIRE_NO_CONFIG = 2, + APIC_SYMMETRIC_IO = 3, + APIC_SYMMETRIC_IO_NO_ROUTING = 4, +}; + +struct sched_domain_shared { + atomic_t ref; + atomic_t nr_busy_cpus; + int has_idle_cores; +}; + +struct sched_group; + +struct sched_domain { + struct sched_domain *parent; + struct sched_domain *child; + struct sched_group *groups; + long unsigned int min_interval; + long unsigned int max_interval; + unsigned int busy_factor; + unsigned int imbalance_pct; + unsigned int cache_nice_tries; + int nohz_idle; + int flags; + int level; + long unsigned int last_balance; + unsigned int balance_interval; + unsigned int nr_balance_failed; + u64 max_newidle_lb_cost; + long unsigned int next_decay_max_lb_cost; + u64 avg_scan_cost; + unsigned int lb_count[3]; + unsigned int lb_failed[3]; + unsigned int lb_balanced[3]; + unsigned int lb_imbalance[3]; + unsigned int lb_gained[3]; + unsigned int lb_hot_gained[3]; + unsigned int lb_nobusyg[3]; + unsigned int lb_nobusyq[3]; + unsigned int alb_count; + unsigned int alb_failed; + unsigned int alb_pushed; + unsigned int sbe_count; + unsigned int sbe_balanced; + unsigned int sbe_pushed; + unsigned int sbf_count; + unsigned int sbf_balanced; + unsigned int sbf_pushed; + unsigned int ttwu_wake_remote; + unsigned int ttwu_move_affine; + unsigned int ttwu_move_balance; + union { + void *private; + struct callback_head rcu; + }; + struct sched_domain_shared *shared; + unsigned int span_weight; + long unsigned int span[0]; +}; + +typedef const struct cpumask * (*sched_domain_mask_f)(int); + +typedef int (*sched_domain_flags_f)(); + +struct sched_group_capacity; + +struct sd_data { + struct sched_domain **sd; + struct sched_domain_shared **sds; + struct sched_group **sg; + struct sched_group_capacity **sgc; +}; + +struct sched_domain_topology_level { + sched_domain_mask_f mask; + sched_domain_flags_f sd_flags; + int flags; + int numa_level; + struct sd_data data; +}; + +struct tsc_adjust { + s64 bootval; + s64 adjusted; + long unsigned int nextcheck; + bool warned; +}; + +typedef void * (*pcpu_fc_alloc_fn_t)(unsigned int, size_t, size_t); + +typedef void (*pcpu_fc_free_fn_t)(void *, size_t); + +typedef void (*pcpu_fc_populate_pte_fn_t)(long unsigned int); + +typedef int pcpu_fc_cpu_distance_fn_t(unsigned int, unsigned int); + +enum { + DUMP_PREFIX_NONE = 0, + DUMP_PREFIX_ADDRESS = 1, + DUMP_PREFIX_OFFSET = 2, +}; + +struct mpf_intel { + char signature[4]; + unsigned int physptr; + unsigned char length; + unsigned char specification; + unsigned char checksum; + unsigned char feature1; + unsigned char feature2; + unsigned char feature3; + unsigned char feature4; + unsigned char feature5; +}; + +struct mpc_ioapic { + unsigned char type; + unsigned char apicid; + unsigned char apicver; + unsigned char flags; + unsigned int apicaddr; +}; + +struct mpc_lintsrc { + unsigned char type; + unsigned char irqtype; + short unsigned int irqflag; + unsigned char srcbusid; + unsigned char srcbusirq; + unsigned char destapic; + unsigned char destapiclint; +}; + +union apic_ir { + long unsigned int map[4]; + u32 regs[8]; +}; + +enum ioapic_irq_destination_types { + dest_Fixed = 0, + dest_LowestPrio = 1, + dest_SMI = 2, + dest__reserved_1 = 3, + dest_NMI = 4, + dest_INIT = 5, + dest__reserved_2 = 6, + dest_ExtINT = 7, +}; + +enum { + IRQ_SET_MASK_OK = 0, + IRQ_SET_MASK_OK_NOCOPY = 1, + IRQ_SET_MASK_OK_DONE = 2, +}; + +enum { + IRQD_TRIGGER_MASK = 15, + IRQD_SETAFFINITY_PENDING = 256, + IRQD_ACTIVATED = 512, + IRQD_NO_BALANCING = 1024, + IRQD_PER_CPU = 2048, + IRQD_AFFINITY_SET = 4096, + IRQD_LEVEL = 8192, + IRQD_WAKEUP_STATE = 16384, + IRQD_MOVE_PCNTXT = 32768, + IRQD_IRQ_DISABLED = 65536, + IRQD_IRQ_MASKED = 131072, + IRQD_IRQ_INPROGRESS = 262144, + IRQD_WAKEUP_ARMED = 524288, + IRQD_FORWARDED_TO_VCPU = 1048576, + IRQD_AFFINITY_MANAGED = 2097152, + IRQD_IRQ_STARTED = 4194304, + IRQD_MANAGED_SHUTDOWN = 8388608, + IRQD_SINGLE_TARGET = 16777216, + IRQD_DEFAULT_TRIGGER_SET = 33554432, + IRQD_CAN_RESERVE = 67108864, +}; + +struct irq_cfg { + unsigned int dest_apicid; + unsigned int vector; +}; + +enum { + IRQCHIP_FWNODE_REAL = 0, + IRQCHIP_FWNODE_NAMED = 1, + IRQCHIP_FWNODE_NAMED_ID = 2, +}; + +enum { + X86_IRQ_ALLOC_CONTIGUOUS_VECTORS = 1, + X86_IRQ_ALLOC_LEGACY = 2, +}; + +struct apic_chip_data { + struct irq_cfg hw_irq_cfg; + unsigned int vector; + unsigned int prev_vector; + unsigned int cpu; + unsigned int prev_cpu; + unsigned int irq; + struct hlist_node clist; + unsigned int move_in_progress: 1; + unsigned int is_managed: 1; + unsigned int can_reserve: 1; + unsigned int has_reserved: 1; +}; + +struct irq_matrix; + +union IO_APIC_reg_00 { + u32 raw; + struct { + u32 __reserved_2: 14; + u32 LTS: 1; + u32 delivery_type: 1; + u32 __reserved_1: 8; + u32 ID: 8; + } bits; +}; + +union IO_APIC_reg_01 { + u32 raw; + struct { + u32 version: 8; + u32 __reserved_2: 7; + u32 PRQ: 1; + u32 entries: 8; + u32 __reserved_1: 8; + } bits; +}; + +union IO_APIC_reg_02 { + u32 raw; + struct { + u32 __reserved_2: 24; + u32 arbitration: 4; + u32 __reserved_1: 4; + } bits; +}; + +union IO_APIC_reg_03 { + u32 raw; + struct { + u32 boot_DT: 1; + u32 __reserved_1: 31; + } bits; +}; + +struct IR_IO_APIC_route_entry { + __u64 vector: 8; + __u64 zero: 3; + __u64 index2: 1; + __u64 delivery_status: 1; + __u64 polarity: 1; + __u64 irr: 1; + __u64 trigger: 1; + __u64 mask: 1; + __u64 reserved: 31; + __u64 format: 1; + __u64 index: 15; +}; + +enum { + IRQ_TYPE_NONE = 0, + IRQ_TYPE_EDGE_RISING = 1, + IRQ_TYPE_EDGE_FALLING = 2, + IRQ_TYPE_EDGE_BOTH = 3, + IRQ_TYPE_LEVEL_HIGH = 4, + IRQ_TYPE_LEVEL_LOW = 8, + IRQ_TYPE_LEVEL_MASK = 12, + IRQ_TYPE_SENSE_MASK = 15, + IRQ_TYPE_DEFAULT = 15, + IRQ_TYPE_PROBE = 16, + IRQ_LEVEL = 256, + IRQ_PER_CPU = 512, + IRQ_NOPROBE = 1024, + IRQ_NOREQUEST = 2048, + IRQ_NOAUTOEN = 4096, + IRQ_NO_BALANCING = 8192, + IRQ_MOVE_PCNTXT = 16384, + IRQ_NESTED_THREAD = 32768, + IRQ_NOTHREAD = 65536, + IRQ_PER_CPU_DEVID = 131072, + IRQ_IS_POLLED = 262144, + IRQ_DISABLE_UNLAZY = 524288, +}; + +enum { + IRQCHIP_SET_TYPE_MASKED = 1, + IRQCHIP_EOI_IF_HANDLED = 2, + IRQCHIP_MASK_ON_SUSPEND = 4, + IRQCHIP_ONOFFLINE_ENABLED = 8, + IRQCHIP_SKIP_SET_WAKE = 16, + IRQCHIP_ONESHOT_SAFE = 32, + IRQCHIP_EOI_THREADED = 64, + IRQCHIP_SUPPORTS_LEVEL_MSI = 128, + IRQCHIP_SUPPORTS_NMI = 256, +}; + +struct irq_pin_list { + struct list_head list; + int apic; + int pin; +}; + +struct mp_chip_data { + struct list_head irq_2_pin; + struct IO_APIC_route_entry entry; + int trigger; + int polarity; + u32 count; + bool isa_irq; +}; + +struct mp_ioapic_gsi { + u32 gsi_base; + u32 gsi_end; +}; + +struct ioapic { + int nr_registers; + struct IO_APIC_route_entry *saved_registers; + struct mpc_ioapic mp_config; + struct mp_ioapic_gsi gsi_config; + struct ioapic_domain_cfg irqdomain_cfg; + struct irq_domain *irqdomain; + struct resource *iomem_res; +}; + +struct io_apic { + unsigned int index; + unsigned int unused[3]; + unsigned int data; + unsigned int unused2[11]; + unsigned int eoi; +}; + +union entry_union { + struct { + u32 w1; + u32 w2; + }; + struct IO_APIC_route_entry entry; +}; + +struct clock_event_device___2; + +typedef struct irq_alloc_info msi_alloc_info_t; + +struct msi_domain_info; + +struct msi_domain_ops { + irq_hw_number_t (*get_hwirq)(struct msi_domain_info *, msi_alloc_info_t *); + int (*msi_init)(struct irq_domain *, struct msi_domain_info *, unsigned int, irq_hw_number_t, msi_alloc_info_t *); + void (*msi_free)(struct irq_domain *, struct msi_domain_info *, unsigned int); + int (*msi_check)(struct irq_domain *, struct msi_domain_info *, struct device *); + int (*msi_prepare)(struct irq_domain *, struct device *, int, msi_alloc_info_t *); + void (*msi_finish)(msi_alloc_info_t *, int); + void (*set_desc)(msi_alloc_info_t *, struct msi_desc *); + int (*handle_error)(struct irq_domain *, struct msi_desc *, int); +}; + +struct msi_domain_info { + u32 flags; + struct msi_domain_ops *ops; + struct irq_chip *chip; + void *chip_data; + irq_flow_handler_t handler; + void *handler_data; + const char *handler_name; + void *data; +}; + +enum { + MSI_FLAG_USE_DEF_DOM_OPS = 1, + MSI_FLAG_USE_DEF_CHIP_OPS = 2, + MSI_FLAG_MULTI_PCI_MSI = 4, + MSI_FLAG_PCI_MSIX = 8, + MSI_FLAG_ACTIVATE_EARLY = 16, + MSI_FLAG_MUST_REACTIVATE = 32, + MSI_FLAG_LEVEL_CAPABLE = 64, +}; + +struct hpet_channel; + +struct kimage_arch { + p4d_t *p4d; + pud_t *pud; + pmd_t *pmd; + pte_t *pte; + void *elf_headers; + long unsigned int elf_headers_sz; + long unsigned int elf_load_addr; +}; + +typedef long unsigned int kimage_entry_t; + +struct kexec_segment { + union { + void *buf; + void *kbuf; + }; + size_t bufsz; + long unsigned int mem; + size_t memsz; +}; + +struct kimage { + kimage_entry_t head; + kimage_entry_t *entry; + kimage_entry_t *last_entry; + long unsigned int start; + struct page *control_code_page; + struct page *swap_page; + void *vmcoreinfo_data_copy; + long unsigned int nr_segments; + struct kexec_segment segment[16]; + struct list_head control_pages; + struct list_head dest_pages; + struct list_head unusable_pages; + long unsigned int control_page; + unsigned int type: 1; + unsigned int preserve_context: 1; + unsigned int file_mode: 1; + struct kimage_arch arch; +}; + +struct x86_mapping_info { + void * (*alloc_pgt_page)(void *); + void *context; + long unsigned int page_flag; + long unsigned int offset; + bool direct_gbpages; + long unsigned int kernpg_flag; +}; + +struct init_pgtable_data { + struct x86_mapping_info *info; + pgd_t *level4p; +}; + +typedef void crash_vmclear_fn(); + +struct kretprobe_instance; + +typedef int (*kretprobe_handler_t)(struct kretprobe_instance *, struct pt_regs *); + +struct kretprobe; + +struct kretprobe_instance { + struct hlist_node hlist; + struct kretprobe *rp; + kprobe_opcode_t *ret_addr; + struct task_struct *task; + void *fp; + char data[0]; +}; + +struct kretprobe { + struct kprobe kp; + kretprobe_handler_t handler; + kretprobe_handler_t entry_handler; + int maxactive; + int nmissed; + size_t data_size; + struct hlist_head free_instances; + raw_spinlock_t lock; +}; + +struct kretprobe_blackpoint { + const char *name; + void *addr; +}; + +struct __arch_relative_insn { + u8 op; + s32 raddr; +} __attribute__((packed)); + +struct arch_optimized_insn { + kprobe_opcode_t copied_insn[4]; + kprobe_opcode_t *insn; + size_t size; +}; + +struct optimized_kprobe { + struct kprobe kp; + struct list_head list; + struct arch_optimized_insn optinsn; +}; + +typedef struct kprobe *pto_T_____5; + +typedef __u64 Elf64_Off; + +typedef __s64 Elf64_Sxword; + +struct elf64_rela { + Elf64_Addr r_offset; + Elf64_Xword r_info; + Elf64_Sxword r_addend; +}; + +typedef struct elf64_rela Elf64_Rela; + +struct elf64_hdr { + unsigned char e_ident[16]; + Elf64_Half e_type; + Elf64_Half e_machine; + Elf64_Word e_version; + Elf64_Addr e_entry; + Elf64_Off e_phoff; + Elf64_Off e_shoff; + Elf64_Word e_flags; + Elf64_Half e_ehsize; + Elf64_Half e_phentsize; + Elf64_Half e_phnum; + Elf64_Half e_shentsize; + Elf64_Half e_shnum; + Elf64_Half e_shstrndx; +}; + +typedef struct elf64_hdr Elf64_Ehdr; + +struct elf64_shdr { + Elf64_Word sh_name; + Elf64_Word sh_type; + Elf64_Xword sh_flags; + Elf64_Addr sh_addr; + Elf64_Off sh_offset; + Elf64_Xword sh_size; + Elf64_Word sh_link; + Elf64_Word sh_info; + Elf64_Xword sh_addralign; + Elf64_Xword sh_entsize; +}; + +typedef struct elf64_shdr Elf64_Shdr; + +struct console { + char name[16]; + void (*write)(struct console *, const char *, unsigned int); + int (*read)(struct console *, char *, unsigned int); + struct tty_driver * (*device)(struct console *, int *); + void (*unblank)(); + int (*setup)(struct console *, char *); + int (*match)(struct console *, char *, int, char *); + short int flags; + short int index; + int cflag; + void *data; + struct console *next; +}; + +struct hpet_data { + long unsigned int hd_phys_address; + void *hd_address; + short unsigned int hd_nirqs; + unsigned int hd_state; + unsigned int hd_irq[32]; +}; + +typedef irqreturn_t (*rtc_irq_handler)(int, void *); + +enum hpet_mode { + HPET_MODE_UNUSED = 0, + HPET_MODE_LEGACY = 1, + HPET_MODE_CLOCKEVT = 2, + HPET_MODE_DEVICE = 3, +}; + +struct hpet_channel___2 { + struct clock_event_device evt; + unsigned int num; + unsigned int cpu; + unsigned int irq; + unsigned int in_use; + enum hpet_mode mode; + unsigned int boot_cfg; + char name[10]; + long: 48; + long: 64; + long: 64; + long: 64; +}; + +struct hpet_base { + unsigned int nr_channels; + unsigned int nr_clockevents; + unsigned int boot_cfg; + struct hpet_channel___2 *channels; +}; + +union hpet_lock { + struct { + arch_spinlock_t lock; + u32 value; + }; + u64 lockval; +}; + +struct amd_nb_bus_dev_range { + u8 bus; + u8 dev_base; + u8 dev_limit; +}; + +struct amd_northbridge_info { + u16 num; + u64 flags; + struct amd_northbridge *nb; +}; + +struct scan_area { + u64 addr; + u64 size; +}; + +enum swiotlb_force { + SWIOTLB_NORMAL = 0, + SWIOTLB_FORCE = 1, + SWIOTLB_NO_FORCE = 2, +}; + +struct uprobe_xol_ops; + +struct arch_uprobe { + union { + u8 insn[16]; + u8 ixol[16]; + }; + const struct uprobe_xol_ops *ops; + union { + struct { + s32 offs; + u8 ilen; + u8 opc1; + } branch; + struct { + u8 fixups; + u8 ilen; + } defparam; + struct { + u8 reg_offset; + u8 ilen; + } push; + }; +}; + +struct uprobe_xol_ops { + bool (*emulate)(struct arch_uprobe *, struct pt_regs *); + int (*pre_xol)(struct arch_uprobe *, struct pt_regs *); + int (*post_xol)(struct arch_uprobe *, struct pt_regs *); + void (*abort)(struct arch_uprobe *, struct pt_regs *); +}; + +enum rp_check { + RP_CHECK_CALL = 0, + RP_CHECK_CHAIN_CALL = 1, + RP_CHECK_RET = 2, +}; + +enum dev_prop_type { + DEV_PROP_U8 = 0, + DEV_PROP_U16 = 1, + DEV_PROP_U32 = 2, + DEV_PROP_U64 = 3, + DEV_PROP_STRING = 4, +}; + +struct property_entry { + const char *name; + size_t length; + bool is_array; + enum dev_prop_type type; + union { + const void *pointer; + union { + u8 u8_data; + u16 u16_data; + u32 u32_data; + u64 u64_data; + const char *str; + } value; + }; +}; + +struct simplefb_platform_data { + u32 width; + u32 height; + u32 stride; + const char *format; +}; + +enum { + M_I17 = 0, + M_I20 = 1, + M_I20_SR = 2, + M_I24 = 3, + M_I24_8_1 = 4, + M_I24_10_1 = 5, + M_I27_11_1 = 6, + M_MINI = 7, + M_MINI_3_1 = 8, + M_MINI_4_1 = 9, + M_MB = 10, + M_MB_2 = 11, + M_MB_3 = 12, + M_MB_5_1 = 13, + M_MB_6_1 = 14, + M_MB_7_1 = 15, + M_MB_SR = 16, + M_MBA = 17, + M_MBA_3 = 18, + M_MBP = 19, + M_MBP_2 = 20, + M_MBP_2_2 = 21, + M_MBP_SR = 22, + M_MBP_4 = 23, + M_MBP_5_1 = 24, + M_MBP_5_2 = 25, + M_MBP_5_3 = 26, + M_MBP_6_1 = 27, + M_MBP_6_2 = 28, + M_MBP_7_1 = 29, + M_MBP_8_2 = 30, + M_UNKNOWN = 31, +}; + +struct efifb_dmi_info { + char *optname; + long unsigned int base; + int stride; + int width; + int height; + int flags; +}; + +enum { + OVERRIDE_NONE = 0, + OVERRIDE_BASE = 1, + OVERRIDE_STRIDE = 2, + OVERRIDE_HEIGHT = 4, + OVERRIDE_WIDTH = 8, +}; + +enum perf_sample_regs_abi { + PERF_SAMPLE_REGS_ABI_NONE = 0, + PERF_SAMPLE_REGS_ABI_32 = 1, + PERF_SAMPLE_REGS_ABI_64 = 2, +}; + +struct __va_list_tag { + unsigned int gp_offset; + unsigned int fp_offset; + void *overflow_arg_area; + void *reg_save_area; +}; + +typedef struct __va_list_tag __gnuc_va_list[1]; + +typedef __gnuc_va_list va_list; + +struct va_format { + const char *fmt; + va_list *va; +}; + +struct pci_hostbridge_probe { + u32 bus; + u32 slot; + u32 vendor; + u32 device; +}; + +enum pg_level { + PG_LEVEL_NONE = 0, + PG_LEVEL_4K = 1, + PG_LEVEL_2M = 2, + PG_LEVEL_1G = 3, + PG_LEVEL_512G = 4, + PG_LEVEL_NUM = 5, +}; + +struct trace_print_flags { + long unsigned int mask; + const char *name; +}; + +enum tlb_flush_reason { + TLB_FLUSH_ON_TASK_SWITCH = 0, + TLB_REMOTE_SHOOTDOWN = 1, + TLB_LOCAL_SHOOTDOWN = 2, + TLB_LOCAL_MM_SHOOTDOWN = 3, + TLB_REMOTE_SEND_IPI = 4, + NR_TLB_FLUSH_REASONS = 5, +}; + +enum { + REGION_INTERSECTS = 0, + REGION_DISJOINT = 1, + REGION_MIXED = 2, +}; + +struct trace_event_raw_tlb_flush { + struct trace_entry ent; + int reason; + long unsigned int pages; + char __data[0]; +}; + +struct trace_event_data_offsets_tlb_flush {}; + +struct map_range { + long unsigned int start; + long unsigned int end; + unsigned int page_size_mask; +}; + +enum kcore_type { + KCORE_TEXT = 0, + KCORE_VMALLOC = 1, + KCORE_RAM = 2, + KCORE_VMEMMAP = 3, + KCORE_USER = 4, + KCORE_OTHER = 5, + KCORE_REMAP = 6, +}; + +struct kcore_list { + struct list_head list; + long unsigned int addr; + long unsigned int vaddr; + size_t size; + int type; +}; + +struct hstate { + int next_nid_to_alloc; + int next_nid_to_free; + unsigned int order; + long unsigned int mask; + long unsigned int max_huge_pages; + long unsigned int nr_huge_pages; + long unsigned int free_huge_pages; + long unsigned int resv_huge_pages; + long unsigned int surplus_huge_pages; + long unsigned int nr_overcommit_huge_pages; + struct list_head hugepage_activelist; + struct list_head hugepage_freelists[64]; + unsigned int nr_huge_pages_node[64]; + unsigned int free_huge_pages_node[64]; + unsigned int surplus_huge_pages_node[64]; + char name[32]; +}; + +struct trace_event_raw_x86_exceptions { + struct trace_entry ent; + long unsigned int address; + long unsigned int ip; + long unsigned int error_code; + char __data[0]; +}; + +struct trace_event_data_offsets_x86_exceptions {}; + +enum { + IORES_MAP_SYSTEM_RAM = 1, + IORES_MAP_ENCRYPTED = 2, +}; + +struct ioremap_desc { + unsigned int flags; +}; + +typedef bool (*ex_handler_t)(const struct exception_table_entry *, struct pt_regs *, int, long unsigned int, long unsigned int); + +struct cpa_data { + long unsigned int *vaddr; + pgd_t *pgd; + pgprot_t mask_set; + pgprot_t mask_clr; + long unsigned int numpages; + long unsigned int curpage; + long unsigned int pfn; + unsigned int flags; + unsigned int force_split: 1; + unsigned int force_static_prot: 1; + struct page **pages; +}; + +enum cpa_warn { + CPA_CONFLICT = 0, + CPA_PROTECT = 1, + CPA_DETECT = 2, +}; + +typedef struct { + u64 val; +} pfn_t; + +struct memtype { + u64 start; + u64 end; + u64 subtree_max_end; + enum page_cache_mode type; + struct rb_node rb; +}; + +enum { + PAT_UC = 0, + PAT_WC = 1, + PAT_WT = 4, + PAT_WP = 5, + PAT_WB = 6, + PAT_UC_MINUS = 7, +}; + +struct pagerange_state { + long unsigned int cur_pfn; + int ram; + int not_ram; +}; + +struct flush_tlb_info { + struct mm_struct *mm; + long unsigned int start; + long unsigned int end; + u64 new_tlb_gen; + unsigned int stride_shift; + bool freed_tables; +}; + +struct exception_stacks { + char DF_stack_guard[0]; + char DF_stack[4096]; + char NMI_stack_guard[0]; + char NMI_stack[4096]; + char DB2_stack_guard[0]; + char DB2_stack[0]; + char DB1_stack_guard[0]; + char DB1_stack[4096]; + char DB_stack_guard[0]; + char DB_stack[4096]; + char MCE_stack_guard[0]; + char MCE_stack[4096]; + char IST_top_guard[0]; +}; + +struct rb_augment_callbacks { + void (*propagate)(struct rb_node *, struct rb_node *); + void (*copy)(struct rb_node *, struct rb_node *); + void (*rotate)(struct rb_node *, struct rb_node *); +}; + +enum { + MEMTYPE_EXACT_MATCH = 0, + MEMTYPE_END_MATCH = 1, +}; + +struct hugepage_subpool { + spinlock_t lock; + long int count; + long int max_hpages; + long int used_hpages; + struct hstate *hstate; + long int min_hpages; + long int rsv_hpages; +}; + +struct hugetlbfs_sb_info { + long int max_inodes; + long int free_inodes; + spinlock_t stat_lock; + struct hstate *hstate; + struct hugepage_subpool *spool; + kuid_t uid; + kgid_t gid; + umode_t mode; +}; + +struct numa_memblk { + u64 start; + u64 end; + int nid; +}; + +struct numa_meminfo { + int nr_blks; + struct numa_memblk blk[128]; +}; + +struct acpi_srat_cpu_affinity { + struct acpi_subtable_header header; + u8 proximity_domain_lo; + u8 apic_id; + u32 flags; + u8 local_sapic_eid; + u8 proximity_domain_hi[3]; + u32 clock_domain; +}; + +struct acpi_srat_x2apic_cpu_affinity { + struct acpi_subtable_header header; + u16 reserved; + u32 proximity_domain; + u32 apic_id; + u32 flags; + u32 clock_domain; + u32 reserved2; +}; + +enum uv_system_type { + UV_NONE = 0, + UV_LEGACY_APIC = 1, + UV_X2APIC = 2, + UV_NON_UNIQUE_APIC = 3, +}; + +struct rnd_state { + __u32 s1; + __u32 s2; + __u32 s3; + __u32 s4; +}; + +struct kaslr_memory_region { + long unsigned int *base; + long unsigned int size_tb; +}; + +enum pti_mode { + PTI_AUTO = 0, + PTI_FORCE_OFF = 1, + PTI_FORCE_ON = 2, +}; + +enum pti_clone_level { + PTI_CLONE_PMD = 0, + PTI_CLONE_PTE = 1, +}; + +typedef short unsigned int __kernel_old_uid_t; + +typedef short unsigned int __kernel_old_gid_t; + +typedef struct { + int val[2]; +} __kernel_fsid_t; + +typedef __kernel_old_uid_t old_uid_t; + +typedef __kernel_old_gid_t old_gid_t; + +struct kstatfs { + long int f_type; + long int f_bsize; + u64 f_blocks; + u64 f_bfree; + u64 f_bavail; + u64 f_files; + u64 f_ffree; + __kernel_fsid_t f_fsid; + long int f_namelen; + long int f_frsize; + long int f_flags; + long int f_spare[4]; +}; + +struct kernel_clone_args { + u64 flags; + int *pidfd; + int *child_tid; + int *parent_tid; + int exit_signal; + long unsigned int stack; + long unsigned int stack_size; + long unsigned int tls; + pid_t *set_tid; + size_t set_tid_size; +}; + +struct stat64 { + long long unsigned int st_dev; + unsigned char __pad0[4]; + unsigned int __st_ino; + unsigned int st_mode; + unsigned int st_nlink; + unsigned int st_uid; + unsigned int st_gid; + long long unsigned int st_rdev; + unsigned char __pad3[4]; + long long int st_size; + unsigned int st_blksize; + long long int st_blocks; + unsigned int st_atime; + unsigned int st_atime_nsec; + unsigned int st_mtime; + unsigned int st_mtime_nsec; + unsigned int st_ctime; + unsigned int st_ctime_nsec; + long long unsigned int st_ino; +} __attribute__((packed)); + +struct mmap_arg_struct32 { + unsigned int addr; + unsigned int len; + unsigned int prot; + unsigned int flags; + unsigned int fd; + unsigned int offset; +}; + +struct sigcontext_32 { + __u16 gs; + __u16 __gsh; + __u16 fs; + __u16 __fsh; + __u16 es; + __u16 __esh; + __u16 ds; + __u16 __dsh; + __u32 di; + __u32 si; + __u32 bp; + __u32 sp; + __u32 bx; + __u32 dx; + __u32 cx; + __u32 ax; + __u32 trapno; + __u32 err; + __u32 ip; + __u16 cs; + __u16 __csh; + __u32 flags; + __u32 sp_at_signal; + __u16 ss; + __u16 __ssh; + __u32 fpstate; + __u32 oldmask; + __u32 cr2; +}; + +typedef u32 compat_size_t; + +struct compat_sigaltstack { + compat_uptr_t ss_sp; + int ss_flags; + compat_size_t ss_size; +}; + +typedef struct compat_sigaltstack compat_stack_t; + +struct ucontext_ia32 { + unsigned int uc_flags; + unsigned int uc_link; + compat_stack_t uc_stack; + struct sigcontext_32 uc_mcontext; + compat_sigset_t uc_sigmask; +}; + +struct sigframe_ia32 { + u32 pretcode; + int sig; + struct sigcontext_32 sc; + struct _fpstate_32 fpstate_unused; + unsigned int extramask[1]; + char retcode[8]; +}; + +struct rt_sigframe_ia32 { + u32 pretcode; + int sig; + u32 pinfo; + u32 puc; + compat_siginfo_t info; + struct ucontext_ia32 uc; + char retcode[8]; +}; + +typedef struct { + efi_guid_t guid; + u64 table; +} efi_config_table_64_t; + +struct efi_mem_range { + struct range range; + u64 attribute; +}; + +enum efi_rts_ids { + EFI_NONE = 0, + EFI_GET_TIME = 1, + EFI_SET_TIME = 2, + EFI_GET_WAKEUP_TIME = 3, + EFI_SET_WAKEUP_TIME = 4, + EFI_GET_VARIABLE = 5, + EFI_GET_NEXT_VARIABLE = 6, + EFI_SET_VARIABLE = 7, + EFI_QUERY_VARIABLE_INFO = 8, + EFI_GET_NEXT_HIGH_MONO_COUNT = 9, + EFI_RESET_SYSTEM = 10, + EFI_UPDATE_CAPSULE = 11, + EFI_QUERY_CAPSULE_CAPS = 12, +}; + +struct efi_runtime_work { + void *arg1; + void *arg2; + void *arg3; + void *arg4; + void *arg5; + efi_status_t status; + struct work_struct work; + enum efi_rts_ids efi_rts_id; + struct completion efi_rts_comp; +}; + +struct efi_scratch { + u64 phys_stack; + struct mm_struct *prev_mm; +}; + +struct efi_setup_data { + u64 fw_vendor; + u64 runtime; + u64 tables; + u64 smbios; + u64 reserved[8]; +}; + +typedef struct { + efi_table_hdr_t hdr; + u32 get_time; + u32 set_time; + u32 get_wakeup_time; + u32 set_wakeup_time; + u32 set_virtual_address_map; + u32 convert_pointer; + u32 get_variable; + u32 get_next_variable; + u32 set_variable; + u32 get_next_high_mono_count; + u32 reset_system; + u32 update_capsule; + u32 query_capsule_caps; + u32 query_variable_info; +} efi_runtime_services_32_t; + +typedef struct { + efi_table_hdr_t hdr; + u64 get_time; + u64 set_time; + u64 get_wakeup_time; + u64 set_wakeup_time; + u64 set_virtual_address_map; + u64 convert_pointer; + u64 get_variable; + u64 get_next_variable; + u64 set_variable; + u64 get_next_high_mono_count; + u64 reset_system; + u64 update_capsule; + u64 query_capsule_caps; + u64 query_variable_info; +} efi_runtime_services_64_t; + +typedef struct { + efi_guid_t guid; + const char *name; + long unsigned int *ptr; +} efi_config_table_type_t; + +typedef struct { + efi_table_hdr_t hdr; + u64 fw_vendor; + u32 fw_revision; + u32 __pad1; + u64 con_in_handle; + u64 con_in; + u64 con_out_handle; + u64 con_out; + u64 stderr_handle; + u64 stderr; + u64 runtime; + u64 boottime; + u32 nr_tables; + u32 __pad2; + u64 tables; +} efi_system_table_64_t; + +typedef struct { + efi_table_hdr_t hdr; + u32 fw_vendor; + u32 fw_revision; + u32 con_in_handle; + u32 con_in; + u32 con_out_handle; + u32 con_out; + u32 stderr_handle; + u32 stderr; + u32 runtime; + u32 boottime; + u32 nr_tables; + u32 tables; +} efi_system_table_32_t; + +struct efi_memory_map_data { + phys_addr_t phys_map; + long unsigned int size; + long unsigned int desc_version; + long unsigned int desc_size; +}; + +typedef int (*efi_memattr_perm_setter)(struct mm_struct *, efi_memory_desc_t *); + +typedef u16 ucs2_char_t; + +struct wait_queue_entry; + +typedef int (*wait_queue_func_t)(struct wait_queue_entry *, unsigned int, int, void *); + +struct wait_queue_entry { + unsigned int flags; + void *private; + wait_queue_func_t func; + struct list_head entry; +}; + +enum { + PM_QOS_RESERVED = 0, + PM_QOS_CPU_DMA_LATENCY = 1, + PM_QOS_NUM_CLASSES = 2, +}; + +struct pm_qos_request { + struct plist_node node; + int pm_qos_class; + struct delayed_work work; +}; + +enum tk_offsets { + TK_OFFS_REAL = 0, + TK_OFFS_BOOT = 1, + TK_OFFS_TAI = 2, + TK_OFFS_MAX = 3, +}; + +typedef long unsigned int vm_flags_t; + +struct clone_args { + __u64 flags; + __u64 pidfd; + __u64 child_tid; + __u64 parent_tid; + __u64 exit_signal; + __u64 stack; + __u64 stack_size; + __u64 tls; + __u64 set_tid; + __u64 set_tid_size; +}; + +struct fdtable { + unsigned int max_fds; + struct file **fd; + long unsigned int *close_on_exec; + long unsigned int *open_fds; + long unsigned int *full_fds_bits; + struct callback_head rcu; +}; + +struct files_struct { + atomic_t count; + bool resize_in_progress; + wait_queue_head_t resize_wait; + struct fdtable *fdt; + struct fdtable fdtab; + long: 64; + long: 64; + long: 64; + long: 64; + spinlock_t file_lock; + unsigned int next_fd; + long unsigned int close_on_exec_init[1]; + long unsigned int open_fds_init[1]; + long unsigned int full_fds_bits_init[1]; + struct file *fd_array[64]; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct robust_list { + struct robust_list *next; +}; + +struct robust_list_head { + struct robust_list list; + long int futex_offset; + struct robust_list *list_op_pending; +}; + +struct multiprocess_signals { + sigset_t signal; + struct hlist_node node; +}; + +typedef int (*proc_visitor)(struct task_struct *, void *); + +enum { + IOPRIO_CLASS_NONE = 0, + IOPRIO_CLASS_RT = 1, + IOPRIO_CLASS_BE = 2, + IOPRIO_CLASS_IDLE = 3, +}; + +enum memcg_stat_item { + MEMCG_CACHE = 32, + MEMCG_RSS = 33, + MEMCG_RSS_HUGE = 34, + MEMCG_SWAP = 35, + MEMCG_SOCK = 36, + MEMCG_KERNEL_STACK_KB = 37, + MEMCG_NR_STAT = 38, +}; + +typedef struct poll_table_struct poll_table; + +enum { + FUTEX_STATE_OK = 0, + FUTEX_STATE_EXITING = 1, + FUTEX_STATE_DEAD = 2, +}; + +struct trace_event_raw_task_newtask { + struct trace_entry ent; + pid_t pid; + char comm[16]; + long unsigned int clone_flags; + short int oom_score_adj; + char __data[0]; +}; + +struct trace_event_raw_task_rename { + struct trace_entry ent; + pid_t pid; + char oldcomm[16]; + char newcomm[16]; + short int oom_score_adj; + char __data[0]; +}; + +struct trace_event_data_offsets_task_newtask {}; + +struct trace_event_data_offsets_task_rename {}; + +struct taint_flag { + char c_true; + char c_false; + bool module; +}; + +enum ftrace_dump_mode { + DUMP_NONE = 0, + DUMP_ALL = 1, + DUMP_ORIG = 2, +}; + +enum kmsg_dump_reason { + KMSG_DUMP_UNDEF = 0, + KMSG_DUMP_PANIC = 1, + KMSG_DUMP_OOPS = 2, + KMSG_DUMP_EMERG = 3, + KMSG_DUMP_RESTART = 4, + KMSG_DUMP_HALT = 5, + KMSG_DUMP_POWEROFF = 6, +}; + +enum con_flush_mode { + CONSOLE_FLUSH_PENDING = 0, + CONSOLE_REPLAY_ALL = 1, +}; + +struct warn_args { + const char *fmt; + va_list args; +}; + +struct smp_hotplug_thread { + struct task_struct **store; + struct list_head list; + int (*thread_should_run)(unsigned int); + void (*thread_fn)(unsigned int); + void (*create)(unsigned int); + void (*setup)(unsigned int); + void (*cleanup)(unsigned int, bool); + void (*park)(unsigned int); + void (*unpark)(unsigned int); + bool selfparking; + const char *thread_comm; +}; + +struct trace_event_raw_cpuhp_enter { + struct trace_entry ent; + unsigned int cpu; + int target; + int idx; + void *fun; + char __data[0]; +}; + +struct trace_event_raw_cpuhp_multi_enter { + struct trace_entry ent; + unsigned int cpu; + int target; + int idx; + void *fun; + char __data[0]; +}; + +struct trace_event_raw_cpuhp_exit { + struct trace_entry ent; + unsigned int cpu; + int state; + int idx; + int ret; + char __data[0]; +}; + +struct trace_event_data_offsets_cpuhp_enter {}; + +struct trace_event_data_offsets_cpuhp_multi_enter {}; + +struct trace_event_data_offsets_cpuhp_exit {}; + +struct cpuhp_cpu_state { + enum cpuhp_state state; + enum cpuhp_state target; + enum cpuhp_state fail; + struct task_struct *thread; + bool should_run; + bool rollback; + bool single; + bool bringup; + struct hlist_node *node; + struct hlist_node *last; + enum cpuhp_state cb_state; + int result; + struct completion done_up; + struct completion done_down; +}; + +struct cpuhp_step { + const char *name; + union { + int (*single)(unsigned int); + int (*multi)(unsigned int, struct hlist_node *); + } startup; + union { + int (*single)(unsigned int); + int (*multi)(unsigned int, struct hlist_node *); + } teardown; + struct hlist_head list; + bool cant_stop; + bool multi_instance; +}; + +enum cpu_mitigations { + CPU_MITIGATIONS_OFF = 0, + CPU_MITIGATIONS_AUTO = 1, + CPU_MITIGATIONS_AUTO_NOSMT = 2, +}; + +typedef void (*rcu_callback_t)(struct callback_head *); + +struct __kernel_old_timeval { + __kernel_long_t tv_sec; + __kernel_long_t tv_usec; +}; + +typedef struct wait_queue_entry wait_queue_entry_t; + +struct old_timeval32 { + old_time32_t tv_sec; + s32 tv_usec; +}; + +struct rusage { + struct __kernel_old_timeval ru_utime; + struct __kernel_old_timeval ru_stime; + __kernel_long_t ru_maxrss; + __kernel_long_t ru_ixrss; + __kernel_long_t ru_idrss; + __kernel_long_t ru_isrss; + __kernel_long_t ru_minflt; + __kernel_long_t ru_majflt; + __kernel_long_t ru_nswap; + __kernel_long_t ru_inblock; + __kernel_long_t ru_oublock; + __kernel_long_t ru_msgsnd; + __kernel_long_t ru_msgrcv; + __kernel_long_t ru_nsignals; + __kernel_long_t ru_nvcsw; + __kernel_long_t ru_nivcsw; +}; + +struct fd { + struct file *file; + unsigned int flags; +}; + +struct compat_rusage { + struct old_timeval32 ru_utime; + struct old_timeval32 ru_stime; + compat_long_t ru_maxrss; + compat_long_t ru_ixrss; + compat_long_t ru_idrss; + compat_long_t ru_isrss; + compat_long_t ru_minflt; + compat_long_t ru_majflt; + compat_long_t ru_nswap; + compat_long_t ru_inblock; + compat_long_t ru_oublock; + compat_long_t ru_msgsnd; + compat_long_t ru_msgrcv; + compat_long_t ru_nsignals; + compat_long_t ru_nvcsw; + compat_long_t ru_nivcsw; +}; + +struct waitid_info { + pid_t pid; + uid_t uid; + int status; + int cause; +}; + +struct wait_opts { + enum pid_type wo_type; + int wo_flags; + struct pid *wo_pid; + struct waitid_info *wo_info; + int wo_stat; + struct rusage *wo_rusage; + wait_queue_entry_t child_wait; + int notask_error; +}; + +struct softirq_action { + void (*action)(struct softirq_action *); +}; + +struct tasklet_struct { + struct tasklet_struct *next; + long unsigned int state; + atomic_t count; + void (*func)(long unsigned int); + long unsigned int data; +}; + +enum { + TASKLET_STATE_SCHED = 0, + TASKLET_STATE_RUN = 1, +}; + +struct trace_event_raw_irq_handler_entry { + struct trace_entry ent; + int irq; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_irq_handler_exit { + struct trace_entry ent; + int irq; + int ret; + char __data[0]; +}; + +struct trace_event_raw_softirq { + struct trace_entry ent; + unsigned int vec; + char __data[0]; +}; + +struct trace_event_data_offsets_irq_handler_entry { + u32 name; +}; + +struct trace_event_data_offsets_irq_handler_exit {}; + +struct trace_event_data_offsets_softirq {}; + +struct tasklet_head { + struct tasklet_struct *head; + struct tasklet_struct **tail; +}; + +typedef u16 pto_T_____6; + +typedef void (*dr_release_t)(struct device *, void *); + +typedef int (*dr_match_t)(struct device *, void *, void *); + +struct resource_entry { + struct list_head node; + struct resource *res; + resource_size_t offset; + struct resource __res; +}; + +struct resource_constraint { + resource_size_t min; + resource_size_t max; + resource_size_t align; + resource_size_t (*alignf)(void *, const struct resource *, resource_size_t, resource_size_t); + void *alignf_data; +}; + +enum { + MAX_IORES_LEVEL = 5, +}; + +struct region_devres { + struct resource *parent; + resource_size_t start; + resource_size_t n; +}; + +typedef __kernel_clock_t clock_t; + +struct dentry_stat_t { + long int nr_dentry; + long int nr_unused; + long int age_limit; + long int want_pages; + long int nr_negative; + long int dummy; +}; + +struct files_stat_struct { + long unsigned int nr_files; + long unsigned int nr_free_files; + long unsigned int max_files; +}; + +struct inodes_stat_t { + long int nr_inodes; + long int nr_unused; + long int dummy[5]; +}; + +enum sysctl_writes_mode { + SYSCTL_WRITES_LEGACY = -1, + SYSCTL_WRITES_WARN = 0, + SYSCTL_WRITES_STRICT = 1, +}; + +struct do_proc_dointvec_minmax_conv_param { + int *min; + int *max; +}; + +struct do_proc_douintvec_minmax_conv_param { + unsigned int *min; + unsigned int *max; +}; + +struct __sysctl_args { + int *name; + int nlen; + void *oldval; + size_t *oldlenp; + void *newval; + size_t newlen; + long unsigned int __unused[4]; +}; + +enum { + CTL_KERN = 1, + CTL_VM = 2, + CTL_NET = 3, + CTL_PROC = 4, + CTL_FS = 5, + CTL_DEBUG = 6, + CTL_DEV = 7, + CTL_BUS = 8, + CTL_ABI = 9, + CTL_CPU = 10, + CTL_ARLAN = 254, + CTL_S390DBF = 5677, + CTL_SUNRPC = 7249, + CTL_PM = 9899, + CTL_FRV = 9898, +}; + +enum { + KERN_OSTYPE = 1, + KERN_OSRELEASE = 2, + KERN_OSREV = 3, + KERN_VERSION = 4, + KERN_SECUREMASK = 5, + KERN_PROF = 6, + KERN_NODENAME = 7, + KERN_DOMAINNAME = 8, + KERN_PANIC = 15, + KERN_REALROOTDEV = 16, + KERN_SPARC_REBOOT = 21, + KERN_CTLALTDEL = 22, + KERN_PRINTK = 23, + KERN_NAMETRANS = 24, + KERN_PPC_HTABRECLAIM = 25, + KERN_PPC_ZEROPAGED = 26, + KERN_PPC_POWERSAVE_NAP = 27, + KERN_MODPROBE = 28, + KERN_SG_BIG_BUFF = 29, + KERN_ACCT = 30, + KERN_PPC_L2CR = 31, + KERN_RTSIGNR = 32, + KERN_RTSIGMAX = 33, + KERN_SHMMAX = 34, + KERN_MSGMAX = 35, + KERN_MSGMNB = 36, + KERN_MSGPOOL = 37, + KERN_SYSRQ = 38, + KERN_MAX_THREADS = 39, + KERN_RANDOM = 40, + KERN_SHMALL = 41, + KERN_MSGMNI = 42, + KERN_SEM = 43, + KERN_SPARC_STOP_A = 44, + KERN_SHMMNI = 45, + KERN_OVERFLOWUID = 46, + KERN_OVERFLOWGID = 47, + KERN_SHMPATH = 48, + KERN_HOTPLUG = 49, + KERN_IEEE_EMULATION_WARNINGS = 50, + KERN_S390_USER_DEBUG_LOGGING = 51, + KERN_CORE_USES_PID = 52, + KERN_TAINTED = 53, + KERN_CADPID = 54, + KERN_PIDMAX = 55, + KERN_CORE_PATTERN = 56, + KERN_PANIC_ON_OOPS = 57, + KERN_HPPA_PWRSW = 58, + KERN_HPPA_UNALIGNED = 59, + KERN_PRINTK_RATELIMIT = 60, + KERN_PRINTK_RATELIMIT_BURST = 61, + KERN_PTY = 62, + KERN_NGROUPS_MAX = 63, + KERN_SPARC_SCONS_PWROFF = 64, + KERN_HZ_TIMER = 65, + KERN_UNKNOWN_NMI_PANIC = 66, + KERN_BOOTLOADER_TYPE = 67, + KERN_RANDOMIZE = 68, + KERN_SETUID_DUMPABLE = 69, + KERN_SPIN_RETRY = 70, + KERN_ACPI_VIDEO_FLAGS = 71, + KERN_IA64_UNALIGNED = 72, + KERN_COMPAT_LOG = 73, + KERN_MAX_LOCK_DEPTH = 74, + KERN_NMI_WATCHDOG = 75, + KERN_PANIC_ON_NMI = 76, + KERN_PANIC_ON_WARN = 77, + KERN_PANIC_PRINT = 78, +}; + +enum ethtool_link_mode_bit_indices { + ETHTOOL_LINK_MODE_10baseT_Half_BIT = 0, + ETHTOOL_LINK_MODE_10baseT_Full_BIT = 1, + ETHTOOL_LINK_MODE_100baseT_Half_BIT = 2, + ETHTOOL_LINK_MODE_100baseT_Full_BIT = 3, + ETHTOOL_LINK_MODE_1000baseT_Half_BIT = 4, + ETHTOOL_LINK_MODE_1000baseT_Full_BIT = 5, + ETHTOOL_LINK_MODE_Autoneg_BIT = 6, + ETHTOOL_LINK_MODE_TP_BIT = 7, + ETHTOOL_LINK_MODE_AUI_BIT = 8, + ETHTOOL_LINK_MODE_MII_BIT = 9, + ETHTOOL_LINK_MODE_FIBRE_BIT = 10, + ETHTOOL_LINK_MODE_BNC_BIT = 11, + ETHTOOL_LINK_MODE_10000baseT_Full_BIT = 12, + ETHTOOL_LINK_MODE_Pause_BIT = 13, + ETHTOOL_LINK_MODE_Asym_Pause_BIT = 14, + ETHTOOL_LINK_MODE_2500baseX_Full_BIT = 15, + ETHTOOL_LINK_MODE_Backplane_BIT = 16, + ETHTOOL_LINK_MODE_1000baseKX_Full_BIT = 17, + ETHTOOL_LINK_MODE_10000baseKX4_Full_BIT = 18, + ETHTOOL_LINK_MODE_10000baseKR_Full_BIT = 19, + ETHTOOL_LINK_MODE_10000baseR_FEC_BIT = 20, + ETHTOOL_LINK_MODE_20000baseMLD2_Full_BIT = 21, + ETHTOOL_LINK_MODE_20000baseKR2_Full_BIT = 22, + ETHTOOL_LINK_MODE_40000baseKR4_Full_BIT = 23, + ETHTOOL_LINK_MODE_40000baseCR4_Full_BIT = 24, + ETHTOOL_LINK_MODE_40000baseSR4_Full_BIT = 25, + ETHTOOL_LINK_MODE_40000baseLR4_Full_BIT = 26, + ETHTOOL_LINK_MODE_56000baseKR4_Full_BIT = 27, + ETHTOOL_LINK_MODE_56000baseCR4_Full_BIT = 28, + ETHTOOL_LINK_MODE_56000baseSR4_Full_BIT = 29, + ETHTOOL_LINK_MODE_56000baseLR4_Full_BIT = 30, + ETHTOOL_LINK_MODE_25000baseCR_Full_BIT = 31, + ETHTOOL_LINK_MODE_25000baseKR_Full_BIT = 32, + ETHTOOL_LINK_MODE_25000baseSR_Full_BIT = 33, + ETHTOOL_LINK_MODE_50000baseCR2_Full_BIT = 34, + ETHTOOL_LINK_MODE_50000baseKR2_Full_BIT = 35, + ETHTOOL_LINK_MODE_100000baseKR4_Full_BIT = 36, + ETHTOOL_LINK_MODE_100000baseSR4_Full_BIT = 37, + ETHTOOL_LINK_MODE_100000baseCR4_Full_BIT = 38, + ETHTOOL_LINK_MODE_100000baseLR4_ER4_Full_BIT = 39, + ETHTOOL_LINK_MODE_50000baseSR2_Full_BIT = 40, + ETHTOOL_LINK_MODE_1000baseX_Full_BIT = 41, + ETHTOOL_LINK_MODE_10000baseCR_Full_BIT = 42, + ETHTOOL_LINK_MODE_10000baseSR_Full_BIT = 43, + ETHTOOL_LINK_MODE_10000baseLR_Full_BIT = 44, + ETHTOOL_LINK_MODE_10000baseLRM_Full_BIT = 45, + ETHTOOL_LINK_MODE_10000baseER_Full_BIT = 46, + ETHTOOL_LINK_MODE_2500baseT_Full_BIT = 47, + ETHTOOL_LINK_MODE_5000baseT_Full_BIT = 48, + ETHTOOL_LINK_MODE_FEC_NONE_BIT = 49, + ETHTOOL_LINK_MODE_FEC_RS_BIT = 50, + ETHTOOL_LINK_MODE_FEC_BASER_BIT = 51, + ETHTOOL_LINK_MODE_50000baseKR_Full_BIT = 52, + ETHTOOL_LINK_MODE_50000baseSR_Full_BIT = 53, + ETHTOOL_LINK_MODE_50000baseCR_Full_BIT = 54, + ETHTOOL_LINK_MODE_50000baseLR_ER_FR_Full_BIT = 55, + ETHTOOL_LINK_MODE_50000baseDR_Full_BIT = 56, + ETHTOOL_LINK_MODE_100000baseKR2_Full_BIT = 57, + ETHTOOL_LINK_MODE_100000baseSR2_Full_BIT = 58, + ETHTOOL_LINK_MODE_100000baseCR2_Full_BIT = 59, + ETHTOOL_LINK_MODE_100000baseLR2_ER2_FR2_Full_BIT = 60, + ETHTOOL_LINK_MODE_100000baseDR2_Full_BIT = 61, + ETHTOOL_LINK_MODE_200000baseKR4_Full_BIT = 62, + ETHTOOL_LINK_MODE_200000baseSR4_Full_BIT = 63, + ETHTOOL_LINK_MODE_200000baseLR4_ER4_FR4_Full_BIT = 64, + ETHTOOL_LINK_MODE_200000baseDR4_Full_BIT = 65, + ETHTOOL_LINK_MODE_200000baseCR4_Full_BIT = 66, + ETHTOOL_LINK_MODE_100baseT1_Full_BIT = 67, + ETHTOOL_LINK_MODE_1000baseT1_Full_BIT = 68, + ETHTOOL_LINK_MODE_400000baseKR8_Full_BIT = 69, + ETHTOOL_LINK_MODE_400000baseSR8_Full_BIT = 70, + ETHTOOL_LINK_MODE_400000baseLR8_ER8_FR8_Full_BIT = 71, + ETHTOOL_LINK_MODE_400000baseDR8_Full_BIT = 72, + ETHTOOL_LINK_MODE_400000baseCR8_Full_BIT = 73, + __ETHTOOL_LINK_MODE_MASK_NBITS = 74, +}; + +enum { + NAPI_STATE_SCHED = 0, + NAPI_STATE_MISSED = 1, + NAPI_STATE_DISABLE = 2, + NAPI_STATE_NPSVC = 3, + NAPI_STATE_HASHED = 4, + NAPI_STATE_NO_BUSY_POLL = 5, + NAPI_STATE_IN_BUSY_POLL = 6, +}; + +struct compat_sysctl_args { + compat_uptr_t name; + int nlen; + compat_uptr_t oldval; + compat_uptr_t oldlenp; + compat_uptr_t newval; + compat_size_t newlen; + compat_ulong_t __unused[4]; +}; + +struct __user_cap_header_struct { + __u32 version; + int pid; +}; + +typedef struct __user_cap_header_struct *cap_user_header_t; + +struct __user_cap_data_struct { + __u32 effective; + __u32 permitted; + __u32 inheritable; +}; + +typedef struct __user_cap_data_struct *cap_user_data_t; + +struct sigqueue { + struct list_head list; + int flags; + kernel_siginfo_t info; + struct user_struct *user; +}; + +struct wait_bit_key { + void *flags; + int bit_nr; + long unsigned int timeout; +}; + +typedef int wait_bit_action_f(struct wait_bit_key *, int); + +struct ptrace_peeksiginfo_args { + __u64 off; + __u32 flags; + __s32 nr; +}; + +struct ptrace_syscall_info { + __u8 op; + __u32 arch; + __u64 instruction_pointer; + __u64 stack_pointer; + union { + struct { + __u64 nr; + __u64 args[6]; + } entry; + struct { + __s64 rval; + __u8 is_error; + } exit; + struct { + __u64 nr; + __u64 args[6]; + __u32 ret_data; + } seccomp; + }; +}; + +struct compat_iovec { + compat_uptr_t iov_base; + compat_size_t iov_len; +}; + +typedef long unsigned int old_sigset_t; + +enum siginfo_layout { + SIL_KILL = 0, + SIL_TIMER = 1, + SIL_POLL = 2, + SIL_FAULT = 3, + SIL_FAULT_MCEERR = 4, + SIL_FAULT_BNDERR = 5, + SIL_FAULT_PKUERR = 6, + SIL_CHLD = 7, + SIL_RT = 8, + SIL_SYS = 9, +}; + +typedef u32 compat_old_sigset_t; + +struct compat_sigaction { + compat_uptr_t sa_handler; + compat_ulong_t sa_flags; + compat_uptr_t sa_restorer; + compat_sigset_t sa_mask; +}; + +struct compat_old_sigaction { + compat_uptr_t sa_handler; + compat_old_sigset_t sa_mask; + compat_ulong_t sa_flags; + compat_uptr_t sa_restorer; +}; + +enum { + TRACE_SIGNAL_DELIVERED = 0, + TRACE_SIGNAL_IGNORED = 1, + TRACE_SIGNAL_ALREADY_PENDING = 2, + TRACE_SIGNAL_OVERFLOW_FAIL = 3, + TRACE_SIGNAL_LOSE_INFO = 4, +}; + +struct trace_event_raw_signal_generate { + struct trace_entry ent; + int sig; + int errno; + int code; + char comm[16]; + pid_t pid; + int group; + int result; + char __data[0]; +}; + +struct trace_event_raw_signal_deliver { + struct trace_entry ent; + int sig; + int errno; + int code; + long unsigned int sa_handler; + long unsigned int sa_flags; + char __data[0]; +}; + +struct trace_event_data_offsets_signal_generate {}; + +struct trace_event_data_offsets_signal_deliver {}; + +struct sysinfo { + __kernel_long_t uptime; + __kernel_ulong_t loads[3]; + __kernel_ulong_t totalram; + __kernel_ulong_t freeram; + __kernel_ulong_t sharedram; + __kernel_ulong_t bufferram; + __kernel_ulong_t totalswap; + __kernel_ulong_t freeswap; + __u16 procs; + __u16 pad; + __kernel_ulong_t totalhigh; + __kernel_ulong_t freehigh; + __u32 mem_unit; + char _f[0]; +}; + +enum { + PER_LINUX = 0, + PER_LINUX_32BIT = 8388608, + PER_LINUX_FDPIC = 524288, + PER_SVR4 = 68157441, + PER_SVR3 = 83886082, + PER_SCOSVR3 = 117440515, + PER_OSR5 = 100663299, + PER_WYSEV386 = 83886084, + PER_ISCR4 = 67108869, + PER_BSD = 6, + PER_SUNOS = 67108870, + PER_XENIX = 83886087, + PER_LINUX32 = 8, + PER_LINUX32_3GB = 134217736, + PER_IRIX32 = 67108873, + PER_IRIXN32 = 67108874, + PER_IRIX64 = 67108875, + PER_RISCOS = 12, + PER_SOLARIS = 67108877, + PER_UW7 = 68157454, + PER_OSF4 = 15, + PER_HPUX = 16, + PER_MASK = 255, +}; + +struct rlimit64 { + __u64 rlim_cur; + __u64 rlim_max; +}; + +struct oldold_utsname { + char sysname[9]; + char nodename[9]; + char release[9]; + char version[9]; + char machine[9]; +}; + +struct old_utsname { + char sysname[65]; + char nodename[65]; + char release[65]; + char version[65]; + char machine[65]; +}; + +enum uts_proc { + UTS_PROC_OSTYPE = 0, + UTS_PROC_OSRELEASE = 1, + UTS_PROC_VERSION = 2, + UTS_PROC_HOSTNAME = 3, + UTS_PROC_DOMAINNAME = 4, +}; + +struct prctl_mm_map { + __u64 start_code; + __u64 end_code; + __u64 start_data; + __u64 end_data; + __u64 start_brk; + __u64 brk; + __u64 start_stack; + __u64 arg_start; + __u64 arg_end; + __u64 env_start; + __u64 env_end; + __u64 *auxv; + __u32 auxv_size; + __u32 exe_fd; +}; + +struct tms { + __kernel_clock_t tms_utime; + __kernel_clock_t tms_stime; + __kernel_clock_t tms_cutime; + __kernel_clock_t tms_cstime; +}; + +struct getcpu_cache { + long unsigned int blob[16]; +}; + +struct compat_tms { + compat_clock_t tms_utime; + compat_clock_t tms_stime; + compat_clock_t tms_cutime; + compat_clock_t tms_cstime; +}; + +struct compat_rlimit { + compat_ulong_t rlim_cur; + compat_ulong_t rlim_max; +}; + +struct compat_sysinfo { + s32 uptime; + u32 loads[3]; + u32 totalram; + u32 freeram; + u32 sharedram; + u32 bufferram; + u32 totalswap; + u32 freeswap; + u16 procs; + u16 pad; + u32 totalhigh; + u32 freehigh; + u32 mem_unit; + char _f[8]; +}; + +struct subprocess_info { + struct work_struct work; + struct completion *complete; + const char *path; + char **argv; + char **envp; + struct file *file; + int wait; + int retval; + pid_t pid; + int (*init)(struct subprocess_info *, struct cred *); + void (*cleanup)(struct subprocess_info *); + void *data; +}; + +struct umh_info { + const char *cmdline; + struct file *pipe_to_umh; + struct file *pipe_from_umh; + struct list_head list; + void (*cleanup)(struct umh_info *); + pid_t pid; +}; + +struct wq_flusher; + +struct worker; + +struct workqueue_attrs; + +struct pool_workqueue; + +struct wq_device; + +struct workqueue_struct { + struct list_head pwqs; + struct list_head list; + struct mutex mutex; + int work_color; + int flush_color; + atomic_t nr_pwqs_to_flush; + struct wq_flusher *first_flusher; + struct list_head flusher_queue; + struct list_head flusher_overflow; + struct list_head maydays; + struct worker *rescuer; + int nr_drainers; + int saved_max_active; + struct workqueue_attrs *unbound_attrs; + struct pool_workqueue *dfl_pwq; + struct wq_device *wq_dev; + char name[24]; + struct callback_head rcu; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + unsigned int flags; + struct pool_workqueue *cpu_pwqs; + struct pool_workqueue *numa_pwq_tbl[0]; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct workqueue_attrs { + int nice; + cpumask_var_t cpumask; + bool no_numa; +}; + +struct execute_work { + struct work_struct work; +}; + +enum { + WQ_UNBOUND = 2, + WQ_FREEZABLE = 4, + WQ_MEM_RECLAIM = 8, + WQ_HIGHPRI = 16, + WQ_CPU_INTENSIVE = 32, + WQ_SYSFS = 64, + WQ_POWER_EFFICIENT = 128, + __WQ_DRAINING = 65536, + __WQ_ORDERED = 131072, + __WQ_LEGACY = 262144, + __WQ_ORDERED_EXPLICIT = 524288, + WQ_MAX_ACTIVE = 512, + WQ_MAX_UNBOUND_PER_CPU = 4, + WQ_DFL_ACTIVE = 256, +}; + +typedef unsigned int xa_mark_t; + +enum xa_lock_type { + XA_LOCK_IRQ = 1, + XA_LOCK_BH = 2, +}; + +struct ida { + struct xarray xa; +}; + +struct __una_u32 { + u32 x; +}; + +struct worker_pool; + +struct worker { + union { + struct list_head entry; + struct hlist_node hentry; + }; + struct work_struct *current_work; + work_func_t current_func; + struct pool_workqueue *current_pwq; + struct list_head scheduled; + struct task_struct *task; + struct worker_pool *pool; + struct list_head node; + long unsigned int last_active; + unsigned int flags; + int id; + int sleeping; + char desc[24]; + struct workqueue_struct *rescue_wq; + work_func_t last_func; +}; + +struct pool_workqueue { + struct worker_pool *pool; + struct workqueue_struct *wq; + int work_color; + int flush_color; + int refcnt; + int nr_in_flight[15]; + int nr_active; + int max_active; + struct list_head delayed_works; + struct list_head pwqs_node; + struct list_head mayday_node; + struct work_struct unbound_release_work; + struct callback_head rcu; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct worker_pool { + spinlock_t lock; + int cpu; + int node; + int id; + unsigned int flags; + long unsigned int watchdog_ts; + struct list_head worklist; + int nr_workers; + int nr_idle; + struct list_head idle_list; + struct timer_list idle_timer; + struct timer_list mayday_timer; + struct hlist_head busy_hash[64]; + struct worker *manager; + struct list_head workers; + struct completion *detach_completion; + struct ida worker_ida; + struct workqueue_attrs *attrs; + struct hlist_node hash_node; + int refcnt; + long: 32; + long: 64; + long: 64; + long: 64; + atomic_t nr_running; + struct callback_head rcu; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +enum { + POOL_MANAGER_ACTIVE = 1, + POOL_DISASSOCIATED = 4, + WORKER_DIE = 2, + WORKER_IDLE = 4, + WORKER_PREP = 8, + WORKER_CPU_INTENSIVE = 64, + WORKER_UNBOUND = 128, + WORKER_REBOUND = 256, + WORKER_NOT_RUNNING = 456, + NR_STD_WORKER_POOLS = 2, + UNBOUND_POOL_HASH_ORDER = 6, + BUSY_WORKER_HASH_ORDER = 6, + MAX_IDLE_WORKERS_RATIO = 4, + IDLE_WORKER_TIMEOUT = 300000, + MAYDAY_INITIAL_TIMEOUT = 10, + MAYDAY_INTERVAL = 100, + CREATE_COOLDOWN = 1000, + RESCUER_NICE_LEVEL = -20, + HIGHPRI_NICE_LEVEL = -20, + WQ_NAME_LEN = 24, +}; + +struct wq_flusher { + struct list_head list; + int flush_color; + struct completion done; +}; + +struct wq_device { + struct workqueue_struct *wq; + struct device dev; +}; + +struct trace_event_raw_workqueue_work { + struct trace_entry ent; + void *work; + char __data[0]; +}; + +struct trace_event_raw_workqueue_queue_work { + struct trace_entry ent; + void *work; + void *function; + void *workqueue; + unsigned int req_cpu; + unsigned int cpu; + char __data[0]; +}; + +struct trace_event_raw_workqueue_execute_start { + struct trace_entry ent; + void *work; + void *function; + char __data[0]; +}; + +struct trace_event_data_offsets_workqueue_work {}; + +struct trace_event_data_offsets_workqueue_queue_work {}; + +struct trace_event_data_offsets_workqueue_execute_start {}; + +struct wq_barrier { + struct work_struct work; + struct completion done; + struct task_struct *task; +}; + +struct cwt_wait { + wait_queue_entry_t wait; + struct work_struct *work; +}; + +struct apply_wqattrs_ctx { + struct workqueue_struct *wq; + struct workqueue_attrs *attrs; + struct list_head list; + struct pool_workqueue *dfl_pwq; + struct pool_workqueue *pwq_tbl[0]; +}; + +struct work_for_cpu { + struct work_struct work; + long int (*fn)(void *); + void *arg; + long int ret; +}; + +typedef void (*task_work_func_t)(struct callback_head *); + +enum { + KERNEL_PARAM_OPS_FL_NOARG = 1, +}; + +enum { + KERNEL_PARAM_FL_UNSAFE = 1, + KERNEL_PARAM_FL_HWPARAM = 2, +}; + +struct param_attribute { + struct module_attribute mattr; + const struct kernel_param *param; +}; + +struct module_param_attrs { + unsigned int num; + struct attribute_group grp; + struct param_attribute attrs[0]; +}; + +struct module_version_attribute { + struct module_attribute mattr; + const char *module_name; + const char *version; +}; + +struct kmalloced_param { + struct list_head list; + char val[0]; +}; + +struct sched_param { + int sched_priority; +}; + +struct kthread_work; + +typedef void (*kthread_work_func_t)(struct kthread_work *); + +struct kthread_worker; + +struct kthread_work { + struct list_head node; + kthread_work_func_t func; + struct kthread_worker *worker; + int canceling; +}; + +enum { + KTW_FREEZABLE = 1, +}; + +struct kthread_worker { + unsigned int flags; + raw_spinlock_t lock; + struct list_head work_list; + struct list_head delayed_work_list; + struct task_struct *task; + struct kthread_work *current_work; +}; + +struct kthread_delayed_work { + struct kthread_work work; + struct timer_list timer; +}; + +struct kthread_create_info { + int (*threadfn)(void *); + void *data; + int node; + struct task_struct *result; + struct completion *done; + struct list_head list; +}; + +struct kthread { + long unsigned int flags; + unsigned int cpu; + void *data; + struct completion parked; + struct completion exited; +}; + +enum KTHREAD_BITS { + KTHREAD_IS_PER_CPU = 0, + KTHREAD_SHOULD_STOP = 1, + KTHREAD_SHOULD_PARK = 2, +}; + +struct kthread_flush_work { + struct kthread_work work; + struct completion done; +}; + +struct pt_regs___2; + +struct ipc_ids { + int in_use; + short unsigned int seq; + struct rw_semaphore rwsem; + struct idr ipcs_idr; + int max_idx; + int last_idx; + struct rhashtable key_ht; +}; + +struct ipc_namespace { + refcount_t count; + struct ipc_ids ids[3]; + int sem_ctls[4]; + int used_sems; + unsigned int msg_ctlmax; + unsigned int msg_ctlmnb; + unsigned int msg_ctlmni; + atomic_t msg_bytes; + atomic_t msg_hdrs; + size_t shm_ctlmax; + size_t shm_ctlall; + long unsigned int shm_tot; + int shm_ctlmni; + int shm_rmid_forced; + struct notifier_block ipcns_nb; + struct vfsmount *mq_mnt; + unsigned int mq_queues_count; + unsigned int mq_queues_max; + unsigned int mq_msg_max; + unsigned int mq_msgsize_max; + unsigned int mq_msg_default; + unsigned int mq_msgsize_default; + struct user_namespace *user_ns; + struct ucounts *ucounts; + struct ns_common ns; +}; + +struct srcu_notifier_head { + struct mutex mutex; + struct srcu_struct srcu; + struct notifier_block *head; +}; + +enum what { + PROC_EVENT_NONE = 0, + PROC_EVENT_FORK = 1, + PROC_EVENT_EXEC = 2, + PROC_EVENT_UID = 4, + PROC_EVENT_GID = 64, + PROC_EVENT_SID = 128, + PROC_EVENT_PTRACE = 256, + PROC_EVENT_COMM = 512, + PROC_EVENT_COREDUMP = 1073741824, + PROC_EVENT_EXIT = -2147483648, +}; + +typedef u64 async_cookie_t; + +typedef void (*async_func_t)(void *, async_cookie_t); + +struct async_domain { + struct list_head pending; + unsigned int registered: 1; +}; + +struct async_entry { + struct list_head domain_list; + struct list_head global_list; + struct work_struct work; + async_cookie_t cookie; + async_func_t func; + void *data; + struct async_domain *domain; +}; + +struct smpboot_thread_data { + unsigned int cpu; + unsigned int status; + struct smp_hotplug_thread *ht; +}; + +enum { + HP_THREAD_NONE = 0, + HP_THREAD_ACTIVE = 1, + HP_THREAD_PARKED = 2, +}; + +struct pin_cookie {}; + +struct cfs_rq { + struct load_weight load; + long unsigned int runnable_weight; + unsigned int nr_running; + unsigned int h_nr_running; + unsigned int idle_h_nr_running; + u64 exec_clock; + u64 min_vruntime; + struct rb_root_cached tasks_timeline; + struct sched_entity *curr; + struct sched_entity *next; + struct sched_entity *last; + struct sched_entity *skip; + long: 64; + long: 64; + long: 64; + struct sched_avg avg; + struct { + raw_spinlock_t lock; + int nr; + long unsigned int load_avg; + long unsigned int util_avg; + long unsigned int runnable_sum; + long: 64; + long: 64; + long: 64; + long: 64; + } removed; + long unsigned int tg_load_avg_contrib; + long int propagate; + long int prop_runnable_sum; + long unsigned int h_load; + u64 last_h_load_update; + struct sched_entity *h_load_next; + struct rq *rq; + int on_list; + struct list_head leaf_cfs_rq_list; + struct task_group *tg; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct cfs_bandwidth {}; + +struct task_group { + struct cgroup_subsys_state css; + struct sched_entity **se; + struct cfs_rq **cfs_rq; + long unsigned int shares; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + atomic_long_t load_avg; + struct callback_head rcu; + struct list_head list; + struct task_group *parent; + struct list_head siblings; + struct list_head children; + struct cfs_bandwidth cfs_bandwidth; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct update_util_data { + void (*func)(struct update_util_data *, u64, unsigned int); +}; + +enum { + MEMBARRIER_STATE_PRIVATE_EXPEDITED_READY = 1, + MEMBARRIER_STATE_PRIVATE_EXPEDITED = 2, + MEMBARRIER_STATE_GLOBAL_EXPEDITED_READY = 4, + MEMBARRIER_STATE_GLOBAL_EXPEDITED = 8, + MEMBARRIER_STATE_PRIVATE_EXPEDITED_SYNC_CORE_READY = 16, + MEMBARRIER_STATE_PRIVATE_EXPEDITED_SYNC_CORE = 32, +}; + +struct sched_domain_attr { + int relax_domain_level; +}; + +struct sched_group { + struct sched_group *next; + atomic_t ref; + unsigned int group_weight; + struct sched_group_capacity *sgc; + int asym_prefer_cpu; + long unsigned int cpumask[0]; +}; + +struct sched_group_capacity { + atomic_t ref; + long unsigned int capacity; + long unsigned int min_capacity; + long unsigned int max_capacity; + long unsigned int next_update; + int imbalance; + long unsigned int cpumask[0]; +}; + +struct wake_q_head { + struct wake_q_node *first; + struct wake_q_node **lastp; +}; + +struct sched_attr { + __u32 size; + __u32 sched_policy; + __u64 sched_flags; + __s32 sched_nice; + __u32 sched_priority; + __u64 sched_runtime; + __u64 sched_deadline; + __u64 sched_period; + __u32 sched_util_min; + __u32 sched_util_max; +}; + +struct cpuidle_driver; + +struct cpuidle_state { + char name[16]; + char desc[32]; + u64 exit_latency_ns; + u64 target_residency_ns; + unsigned int flags; + unsigned int exit_latency; + int power_usage; + unsigned int target_residency; + int (*enter)(struct cpuidle_device *, struct cpuidle_driver *, int); + int (*enter_dead)(struct cpuidle_device *, int); + void (*enter_s2idle)(struct cpuidle_device *, struct cpuidle_driver *, int); +}; + +struct cpuidle_driver { + const char *name; + struct module *owner; + int refcnt; + unsigned int bctimer: 1; + struct cpuidle_state states[10]; + int state_count; + int safe_state_index; + struct cpumask *cpumask; + const char *governor; +}; + +struct em_cap_state { + long unsigned int frequency; + long unsigned int power; + long unsigned int cost; +}; + +struct em_perf_domain { + struct em_cap_state *table; + int nr_cap_states; + long unsigned int cpus[0]; +}; + +enum { + CFTYPE_ONLY_ON_ROOT = 1, + CFTYPE_NOT_ON_ROOT = 2, + CFTYPE_NS_DELEGATABLE = 4, + CFTYPE_NO_PREFIX = 8, + CFTYPE_WORLD_WRITABLE = 16, + CFTYPE_DEBUG = 32, + __CFTYPE_ONLY_ON_DFL = 65536, + __CFTYPE_NOT_ON_DFL = 131072, +}; + +struct cpu_stop_done; + +struct cpu_stop_work { + struct list_head list; + cpu_stop_fn_t fn; + void *arg; + struct cpu_stop_done *done; +}; + +struct cpupri_vec { + atomic_t count; + cpumask_var_t mask; +}; + +struct cpupri { + struct cpupri_vec pri_to_cpu[102]; + int *cpu_to_pri; +}; + +struct cpudl_item { + u64 dl; + int cpu; + int idx; +}; + +struct cpudl { + raw_spinlock_t lock; + int size; + cpumask_var_t free_cpus; + struct cpudl_item *elements; +}; + +struct rt_prio_array { + long unsigned int bitmap[2]; + struct list_head queue[100]; +}; + +struct rt_bandwidth { + raw_spinlock_t rt_runtime_lock; + ktime_t rt_period; + u64 rt_runtime; + struct hrtimer rt_period_timer; + unsigned int rt_period_active; +}; + +struct dl_bandwidth { + raw_spinlock_t dl_runtime_lock; + u64 dl_runtime; + u64 dl_period; +}; + +struct dl_bw { + raw_spinlock_t lock; + u64 bw; + u64 total_bw; +}; + +typedef int (*tg_visitor)(struct task_group *, void *); + +struct rt_rq { + struct rt_prio_array active; + unsigned int rt_nr_running; + unsigned int rr_nr_running; + struct { + int curr; + int next; + } highest_prio; + long unsigned int rt_nr_migratory; + long unsigned int rt_nr_total; + int overloaded; + struct plist_head pushable_tasks; + int rt_queued; + int rt_throttled; + u64 rt_time; + u64 rt_runtime; + raw_spinlock_t rt_runtime_lock; +}; + +struct dl_rq { + struct rb_root_cached root; + long unsigned int dl_nr_running; + struct { + u64 curr; + u64 next; + } earliest_dl; + long unsigned int dl_nr_migratory; + int overloaded; + struct rb_root_cached pushable_dl_tasks_root; + u64 running_bw; + u64 this_bw; + u64 extra_bw; + u64 bw_ratio; +}; + +struct root_domain; + +struct rq { + raw_spinlock_t lock; + unsigned int nr_running; + long unsigned int last_load_update_tick; + long unsigned int last_blocked_load_update_tick; + unsigned int has_blocked_load; + unsigned int nohz_tick_stopped; + atomic_t nohz_flags; + long unsigned int nr_load_updates; + u64 nr_switches; + long: 64; + struct cfs_rq cfs; + struct rt_rq rt; + struct dl_rq dl; + struct list_head leaf_cfs_rq_list; + struct list_head *tmp_alone_branch; + long unsigned int nr_uninterruptible; + struct task_struct *curr; + struct task_struct *idle; + struct task_struct *stop; + long unsigned int next_balance; + struct mm_struct *prev_mm; + unsigned int clock_update_flags; + u64 clock; + long: 64; + long: 64; + long: 64; + u64 clock_task; + u64 clock_pelt; + long unsigned int lost_idle_time; + atomic_t nr_iowait; + int membarrier_state; + struct root_domain *rd; + struct sched_domain *sd; + long unsigned int cpu_capacity; + long unsigned int cpu_capacity_orig; + struct callback_head *balance_callback; + unsigned char idle_balance; + long unsigned int misfit_task_load; + int active_balance; + int push_cpu; + struct cpu_stop_work active_balance_work; + int cpu; + int online; + struct list_head cfs_tasks; + long: 64; + long: 64; + long: 64; + long: 64; + struct sched_avg avg_rt; + struct sched_avg avg_dl; + u64 idle_stamp; + u64 avg_idle; + u64 max_idle_balance_cost; + long unsigned int calc_load_update; + long int calc_load_active; + int hrtick_csd_pending; + long: 32; + long: 64; + long: 64; + call_single_data_t hrtick_csd; + struct hrtimer hrtick_timer; + struct sched_info rq_sched_info; + long long unsigned int rq_cpu_time; + unsigned int yld_count; + unsigned int sched_count; + unsigned int sched_goidle; + unsigned int ttwu_count; + unsigned int ttwu_local; + struct llist_head wake_list; + struct cpuidle_state *idle_state; + long: 64; + long: 64; +}; + +struct perf_domain { + struct em_perf_domain *em_pd; + struct perf_domain *next; + struct callback_head rcu; +}; + +struct root_domain { + atomic_t refcount; + atomic_t rto_count; + struct callback_head rcu; + cpumask_var_t span; + cpumask_var_t online; + int overload; + int overutilized; + cpumask_var_t dlo_mask; + atomic_t dlo_count; + struct dl_bw dl_bw; + struct cpudl cpudl; + struct irq_work rto_push_work; + raw_spinlock_t rto_lock; + int rto_loop; + int rto_cpu; + atomic_t rto_loop_next; + atomic_t rto_loop_start; + cpumask_var_t rto_mask; + struct cpupri cpupri; + long unsigned int max_cpu_capacity; + struct perf_domain *pd; +}; + +struct rq_flags { + long unsigned int flags; + struct pin_cookie cookie; +}; + +enum { + __SCHED_FEAT_GENTLE_FAIR_SLEEPERS = 0, + __SCHED_FEAT_START_DEBIT = 1, + __SCHED_FEAT_NEXT_BUDDY = 2, + __SCHED_FEAT_LAST_BUDDY = 3, + __SCHED_FEAT_CACHE_HOT_BUDDY = 4, + __SCHED_FEAT_WAKEUP_PREEMPTION = 5, + __SCHED_FEAT_HRTICK = 6, + __SCHED_FEAT_DOUBLE_TICK = 7, + __SCHED_FEAT_NONTASK_CAPACITY = 8, + __SCHED_FEAT_TTWU_QUEUE = 9, + __SCHED_FEAT_SIS_AVG_CPU = 10, + __SCHED_FEAT_SIS_PROP = 11, + __SCHED_FEAT_WARN_DOUBLE_CLOCK = 12, + __SCHED_FEAT_RT_PUSH_IPI = 13, + __SCHED_FEAT_RT_RUNTIME_SHARE = 14, + __SCHED_FEAT_LB_MIN = 15, + __SCHED_FEAT_ATTACH_AGE_LOAD = 16, + __SCHED_FEAT_WA_IDLE = 17, + __SCHED_FEAT_WA_WEIGHT = 18, + __SCHED_FEAT_WA_BIAS = 19, + __SCHED_FEAT_UTIL_EST = 20, + __SCHED_FEAT_UTIL_EST_FASTUP = 21, + __SCHED_FEAT_NR = 22, +}; + +struct trace_event_raw_sched_kthread_stop { + struct trace_entry ent; + char comm[16]; + pid_t pid; + char __data[0]; +}; + +struct trace_event_raw_sched_kthread_stop_ret { + struct trace_entry ent; + int ret; + char __data[0]; +}; + +struct trace_event_raw_sched_wakeup_template { + struct trace_entry ent; + char comm[16]; + pid_t pid; + int prio; + int success; + int target_cpu; + char __data[0]; +}; + +struct trace_event_raw_sched_switch { + struct trace_entry ent; + char prev_comm[16]; + pid_t prev_pid; + int prev_prio; + long int prev_state; + char next_comm[16]; + pid_t next_pid; + int next_prio; + char __data[0]; +}; + +struct trace_event_raw_sched_migrate_task { + struct trace_entry ent; + char comm[16]; + pid_t pid; + int prio; + int orig_cpu; + int dest_cpu; + char __data[0]; +}; + +struct trace_event_raw_sched_process_template { + struct trace_entry ent; + char comm[16]; + pid_t pid; + int prio; + char __data[0]; +}; + +struct trace_event_raw_sched_process_wait { + struct trace_entry ent; + char comm[16]; + pid_t pid; + int prio; + char __data[0]; +}; + +struct trace_event_raw_sched_process_fork { + struct trace_entry ent; + char parent_comm[16]; + pid_t parent_pid; + char child_comm[16]; + pid_t child_pid; + char __data[0]; +}; + +struct trace_event_raw_sched_process_exec { + struct trace_entry ent; + u32 __data_loc_filename; + pid_t pid; + pid_t old_pid; + char __data[0]; +}; + +struct trace_event_raw_sched_stat_template { + struct trace_entry ent; + char comm[16]; + pid_t pid; + u64 delay; + char __data[0]; +}; + +struct trace_event_raw_sched_stat_runtime { + struct trace_entry ent; + char comm[16]; + pid_t pid; + u64 runtime; + u64 vruntime; + char __data[0]; +}; + +struct trace_event_raw_sched_pi_setprio { + struct trace_entry ent; + char comm[16]; + pid_t pid; + int oldprio; + int newprio; + char __data[0]; +}; + +struct trace_event_raw_sched_move_task_template { + struct trace_entry ent; + pid_t pid; + pid_t tgid; + pid_t ngid; + int src_cpu; + int src_nid; + int dst_cpu; + int dst_nid; + char __data[0]; +}; + +struct trace_event_raw_sched_swap_numa { + struct trace_entry ent; + pid_t src_pid; + pid_t src_tgid; + pid_t src_ngid; + int src_cpu; + int src_nid; + pid_t dst_pid; + pid_t dst_tgid; + pid_t dst_ngid; + int dst_cpu; + int dst_nid; + char __data[0]; +}; + +struct trace_event_raw_sched_wake_idle_without_ipi { + struct trace_entry ent; + int cpu; + char __data[0]; +}; + +struct trace_event_data_offsets_sched_kthread_stop {}; + +struct trace_event_data_offsets_sched_kthread_stop_ret {}; + +struct trace_event_data_offsets_sched_wakeup_template {}; + +struct trace_event_data_offsets_sched_switch {}; + +struct trace_event_data_offsets_sched_migrate_task {}; + +struct trace_event_data_offsets_sched_process_template {}; + +struct trace_event_data_offsets_sched_process_wait {}; + +struct trace_event_data_offsets_sched_process_fork {}; + +struct trace_event_data_offsets_sched_process_exec { + u32 filename; +}; + +struct trace_event_data_offsets_sched_stat_template {}; + +struct trace_event_data_offsets_sched_stat_runtime {}; + +struct trace_event_data_offsets_sched_pi_setprio {}; + +struct trace_event_data_offsets_sched_move_task_template {}; + +struct trace_event_data_offsets_sched_swap_numa {}; + +struct trace_event_data_offsets_sched_wake_idle_without_ipi {}; + +struct migration_arg { + struct task_struct *task; + int dest_cpu; +}; + +enum { + cpuset = 0, + possible = 1, + fail = 2, +}; + +enum tick_dep_bits { + TICK_DEP_BIT_POSIX_TIMER = 0, + TICK_DEP_BIT_PERF_EVENTS = 1, + TICK_DEP_BIT_SCHED = 2, + TICK_DEP_BIT_CLOCK_UNSTABLE = 3, + TICK_DEP_BIT_RCU = 4, +}; + +struct sched_clock_data { + u64 tick_raw; + u64 tick_gtod; + u64 clock; +}; + +struct idle_timer { + struct hrtimer timer; + int done; +}; + +enum sched_tunable_scaling { + SCHED_TUNABLESCALING_NONE = 0, + SCHED_TUNABLESCALING_LOG = 1, + SCHED_TUNABLESCALING_LINEAR = 2, + SCHED_TUNABLESCALING_END = 3, +}; + +enum schedutil_type { + FREQUENCY_UTIL = 0, + ENERGY_UTIL = 1, +}; + +enum fbq_type { + regular = 0, + remote = 1, + all = 2, +}; + +enum group_type { + group_has_spare = 0, + group_fully_busy = 1, + group_misfit_task = 2, + group_asym_packing = 3, + group_imbalanced = 4, + group_overloaded = 5, +}; + +enum migration_type { + migrate_load = 0, + migrate_util = 1, + migrate_task = 2, + migrate_misfit = 3, +}; + +struct lb_env { + struct sched_domain *sd; + struct rq *src_rq; + int src_cpu; + int dst_cpu; + struct rq *dst_rq; + struct cpumask *dst_grpmask; + int new_dst_cpu; + enum cpu_idle_type idle; + long int imbalance; + struct cpumask *cpus; + unsigned int flags; + unsigned int loop; + unsigned int loop_break; + unsigned int loop_max; + enum fbq_type fbq_type; + enum migration_type migration_type; + struct list_head tasks; +}; + +struct sg_lb_stats { + long unsigned int avg_load; + long unsigned int group_load; + long unsigned int group_capacity; + long unsigned int group_util; + unsigned int sum_nr_running; + unsigned int sum_h_nr_running; + unsigned int idle_cpus; + unsigned int group_weight; + enum group_type group_type; + unsigned int group_asym_packing; + long unsigned int group_misfit_task_load; +}; + +struct sd_lb_stats { + struct sched_group *busiest; + struct sched_group *local; + long unsigned int total_load; + long unsigned int total_capacity; + long unsigned int avg_load; + unsigned int prefer_sibling; + struct sg_lb_stats busiest_stat; + struct sg_lb_stats local_stat; +}; + +typedef struct rt_rq *rt_rq_iter_t; + +struct wait_bit_queue_entry { + struct wait_bit_key key; + struct wait_queue_entry wq_entry; +}; + +struct swait_queue_head { + raw_spinlock_t lock; + struct list_head task_list; +}; + +struct swait_queue { + struct task_struct *task; + struct list_head task_list; +}; + +enum numa_topology_type { + NUMA_DIRECT = 0, + NUMA_GLUELESS_MESH = 1, + NUMA_BACKPLANE = 2, +}; + +struct s_data { + struct sched_domain **sd; + struct root_domain *rd; +}; + +enum s_alloc { + sa_rootdomain = 0, + sa_sd = 1, + sa_sd_storage = 2, + sa_none = 3, +}; + +enum cpuacct_stat_index { + CPUACCT_STAT_USER = 0, + CPUACCT_STAT_SYSTEM = 1, + CPUACCT_STAT_NSTATS = 2, +}; + +struct cpuacct_usage { + u64 usages[2]; +}; + +struct cpuacct { + struct cgroup_subsys_state css; + struct cpuacct_usage *cpuusage; + struct kernel_cpustat *cpustat; +}; + +enum { + MEMBARRIER_FLAG_SYNC_CORE = 1, +}; + +enum membarrier_cmd { + MEMBARRIER_CMD_QUERY = 0, + MEMBARRIER_CMD_GLOBAL = 1, + MEMBARRIER_CMD_GLOBAL_EXPEDITED = 2, + MEMBARRIER_CMD_REGISTER_GLOBAL_EXPEDITED = 4, + MEMBARRIER_CMD_PRIVATE_EXPEDITED = 8, + MEMBARRIER_CMD_REGISTER_PRIVATE_EXPEDITED = 16, + MEMBARRIER_CMD_PRIVATE_EXPEDITED_SYNC_CORE = 32, + MEMBARRIER_CMD_REGISTER_PRIVATE_EXPEDITED_SYNC_CORE = 64, + MEMBARRIER_CMD_SHARED = 1, +}; + +struct ww_acquire_ctx; + +struct mutex_waiter { + struct list_head list; + struct task_struct *task; + struct ww_acquire_ctx *ww_ctx; +}; + +struct ww_acquire_ctx { + struct task_struct *task; + long unsigned int stamp; + unsigned int acquired; + short unsigned int wounded; + short unsigned int is_wait_die; +}; + +enum mutex_trylock_recursive_enum { + MUTEX_TRYLOCK_FAILED = 0, + MUTEX_TRYLOCK_SUCCESS = 1, + MUTEX_TRYLOCK_RECURSIVE = 2, +}; + +struct ww_mutex { + struct mutex base; + struct ww_acquire_ctx *ctx; +}; + +struct semaphore { + raw_spinlock_t lock; + unsigned int count; + struct list_head wait_list; +}; + +struct semaphore_waiter { + struct list_head list; + struct task_struct *task; + bool up; +}; + +enum rwsem_waiter_type { + RWSEM_WAITING_FOR_WRITE = 0, + RWSEM_WAITING_FOR_READ = 1, +}; + +struct rwsem_waiter { + struct list_head list; + struct task_struct *task; + enum rwsem_waiter_type type; + long unsigned int timeout; + long unsigned int last_rowner; +}; + +enum rwsem_wake_type { + RWSEM_WAKE_ANY = 0, + RWSEM_WAKE_READERS = 1, + RWSEM_WAKE_READ_OWNED = 2, +}; + +enum writer_wait_state { + WRITER_NOT_FIRST = 0, + WRITER_FIRST = 1, + WRITER_HANDOFF = 2, +}; + +enum owner_state { + OWNER_NULL = 1, + OWNER_WRITER = 2, + OWNER_READER = 4, + OWNER_NONSPINNABLE = 8, +}; + +struct optimistic_spin_node { + struct optimistic_spin_node *next; + struct optimistic_spin_node *prev; + int locked; + int cpu; +}; + +struct mcs_spinlock { + struct mcs_spinlock *next; + int locked; + int count; +}; + +struct qnode { + struct mcs_spinlock mcs; +}; + +struct hrtimer_sleeper { + struct hrtimer timer; + struct task_struct *task; +}; + +struct rt_mutex; + +struct rt_mutex_waiter { + struct rb_node tree_entry; + struct rb_node pi_tree_entry; + struct task_struct *task; + struct rt_mutex *lock; + int prio; + u64 deadline; +}; + +struct rt_mutex { + raw_spinlock_t wait_lock; + struct rb_root_cached waiters; + struct task_struct *owner; +}; + +enum rtmutex_chainwalk { + RT_MUTEX_MIN_CHAINWALK = 0, + RT_MUTEX_FULL_CHAINWALK = 1, +}; + +enum pm_qos_req_action { + PM_QOS_ADD_REQ = 0, + PM_QOS_UPDATE_REQ = 1, + PM_QOS_REMOVE_REQ = 2, +}; + +struct miscdevice { + int minor; + const char *name; + const struct file_operations *fops; + struct list_head list; + struct device *parent; + struct device *this_device; + const struct attribute_group **groups; + const char *nodename; + umode_t mode; +}; + +struct pm_qos_object { + struct pm_qos_constraints *constraints; + struct miscdevice pm_qos_power_miscdev; + char *name; +}; + +typedef int suspend_state_t; + +enum { + TEST_NONE = 0, + TEST_CORE = 1, + TEST_CPUS = 2, + TEST_PLATFORM = 3, + TEST_DEVICES = 4, + TEST_FREEZER = 5, + __TEST_AFTER_LAST = 6, +}; + +struct pm_vt_switch { + struct list_head head; + struct device *dev; + bool required; +}; + +struct platform_suspend_ops { + int (*valid)(suspend_state_t); + int (*begin)(suspend_state_t); + int (*prepare)(); + int (*prepare_late)(); + int (*enter)(suspend_state_t); + void (*wake)(); + void (*finish)(); + bool (*suspend_again)(); + void (*end)(); + void (*recover)(); +}; + +struct platform_s2idle_ops { + int (*begin)(); + int (*prepare)(); + int (*prepare_late)(); + void (*wake)(); + void (*restore_early)(); + void (*restore)(); + void (*end)(); +}; + +struct platform_hibernation_ops { + int (*begin)(pm_message_t); + void (*end)(); + int (*pre_snapshot)(); + void (*finish)(); + int (*prepare)(); + int (*enter)(); + void (*leave)(); + int (*pre_restore)(); + void (*restore_cleanup)(); + void (*recover)(); +}; + +enum { + HIBERNATION_INVALID = 0, + HIBERNATION_PLATFORM = 1, + HIBERNATION_SHUTDOWN = 2, + HIBERNATION_REBOOT = 3, + HIBERNATION_SUSPEND = 4, + HIBERNATION_TEST_RESUME = 5, + __HIBERNATION_AFTER_LAST = 6, +}; + +struct pbe { + void *address; + void *orig_address; + struct pbe *next; +}; + +struct swsusp_info { + struct new_utsname uts; + u32 version_code; + long unsigned int num_physpages; + int cpus; + long unsigned int image_pages; + long unsigned int pages; + long unsigned int size; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct snapshot_handle { + unsigned int cur; + void *buffer; + int sync_read; +}; + +struct linked_page { + struct linked_page *next; + char data[4088]; +}; + +struct chain_allocator { + struct linked_page *chain; + unsigned int used_space; + gfp_t gfp_mask; + int safe_needed; +}; + +struct rtree_node { + struct list_head list; + long unsigned int *data; +}; + +struct mem_zone_bm_rtree { + struct list_head list; + struct list_head nodes; + struct list_head leaves; + long unsigned int start_pfn; + long unsigned int end_pfn; + struct rtree_node *rtree; + int levels; + unsigned int blocks; +}; + +struct bm_position { + struct mem_zone_bm_rtree *zone; + struct rtree_node *node; + long unsigned int node_pfn; + int node_bit; +}; + +struct memory_bitmap { + struct list_head zones; + struct linked_page *p_list; + struct bm_position cur; +}; + +struct mem_extent { + struct list_head hook; + long unsigned int start; + long unsigned int end; +}; + +struct nosave_region { + struct list_head list; + long unsigned int start_pfn; + long unsigned int end_pfn; +}; + +typedef struct { + long unsigned int val; +} swp_entry_t; + +enum { + BIO_NO_PAGE_REF = 0, + BIO_CLONED = 1, + BIO_BOUNCED = 2, + BIO_USER_MAPPED = 3, + BIO_NULL_MAPPED = 4, + BIO_WORKINGSET = 5, + BIO_QUIET = 6, + BIO_CHAIN = 7, + BIO_REFFED = 8, + BIO_THROTTLED = 9, + BIO_TRACE_COMPLETION = 10, + BIO_QUEUE_ENTERED = 11, + BIO_TRACKED = 12, + BIO_FLAG_LAST = 13, +}; + +enum req_opf { + REQ_OP_READ = 0, + REQ_OP_WRITE = 1, + REQ_OP_FLUSH = 2, + REQ_OP_DISCARD = 3, + REQ_OP_SECURE_ERASE = 5, + REQ_OP_ZONE_RESET = 6, + REQ_OP_WRITE_SAME = 7, + REQ_OP_ZONE_RESET_ALL = 8, + REQ_OP_WRITE_ZEROES = 9, + REQ_OP_ZONE_OPEN = 10, + REQ_OP_ZONE_CLOSE = 11, + REQ_OP_ZONE_FINISH = 12, + REQ_OP_SCSI_IN = 32, + REQ_OP_SCSI_OUT = 33, + REQ_OP_DRV_IN = 34, + REQ_OP_DRV_OUT = 35, + REQ_OP_LAST = 36, +}; + +enum req_flag_bits { + __REQ_FAILFAST_DEV = 8, + __REQ_FAILFAST_TRANSPORT = 9, + __REQ_FAILFAST_DRIVER = 10, + __REQ_SYNC = 11, + __REQ_META = 12, + __REQ_PRIO = 13, + __REQ_NOMERGE = 14, + __REQ_IDLE = 15, + __REQ_INTEGRITY = 16, + __REQ_FUA = 17, + __REQ_PREFLUSH = 18, + __REQ_RAHEAD = 19, + __REQ_BACKGROUND = 20, + __REQ_NOWAIT = 21, + __REQ_NOWAIT_INLINE = 22, + __REQ_CGROUP_PUNT = 23, + __REQ_NOUNMAP = 24, + __REQ_HIPRI = 25, + __REQ_DRV = 26, + __REQ_SWAP = 27, + __REQ_NR_BITS = 28, +}; + +struct swap_map_page { + sector_t entries[511]; + sector_t next_swap; +}; + +struct swap_map_page_list { + struct swap_map_page *map; + struct swap_map_page_list *next; +}; + +struct swap_map_handle { + struct swap_map_page *cur; + struct swap_map_page_list *maps; + sector_t cur_swap; + sector_t first_sector; + unsigned int k; + long unsigned int reqd_free_pages; + u32 crc32; +}; + +struct swsusp_header { + char reserved[4060]; + u32 crc32; + sector_t image; + unsigned int flags; + char orig_sig[10]; + char sig[10]; +}; + +struct swsusp_extent { + struct rb_node node; + long unsigned int start; + long unsigned int end; +}; + +struct hib_bio_batch { + atomic_t count; + wait_queue_head_t wait; + blk_status_t error; +}; + +struct crc_data { + struct task_struct *thr; + atomic_t ready; + atomic_t stop; + unsigned int run_threads; + wait_queue_head_t go; + wait_queue_head_t done; + u32 *crc32; + size_t *unc_len[3]; + unsigned char *unc[3]; +}; + +struct cmp_data { + struct task_struct *thr; + atomic_t ready; + atomic_t stop; + int ret; + wait_queue_head_t go; + wait_queue_head_t done; + size_t unc_len; + size_t cmp_len; + unsigned char unc[131072]; + unsigned char cmp[143360]; + unsigned char wrk[16384]; +}; + +struct dec_data { + struct task_struct *thr; + atomic_t ready; + atomic_t stop; + int ret; + wait_queue_head_t go; + wait_queue_head_t done; + size_t unc_len; + size_t cmp_len; + unsigned char unc[131072]; + unsigned char cmp[143360]; +}; + +typedef s64 compat_loff_t; + +struct resume_swap_area { + __kernel_loff_t offset; + __u32 dev; +} __attribute__((packed)); + +struct snapshot_data { + struct snapshot_handle handle; + int swap; + int mode; + bool frozen; + bool ready; + bool platform_support; + bool free_bitmaps; +}; + +struct compat_resume_swap_area { + compat_loff_t offset; + u32 dev; +} __attribute__((packed)); + +struct sysrq_key_op { + void (*handler)(int); + char *help_msg; + char *action_msg; + int enable_mask; +}; + +struct kmsg_dumper { + struct list_head list; + void (*dump)(struct kmsg_dumper *, enum kmsg_dump_reason); + enum kmsg_dump_reason max_reason; + bool active; + bool registered; + u32 cur_idx; + u32 next_idx; + u64 cur_seq; + u64 next_seq; +}; + +struct trace_event_raw_console { + struct trace_entry ent; + u32 __data_loc_msg; + char __data[0]; +}; + +struct trace_event_data_offsets_console { + u32 msg; +}; + +struct console_cmdline { + char name[16]; + int index; + char *options; +}; + +enum devkmsg_log_bits { + __DEVKMSG_LOG_BIT_ON = 0, + __DEVKMSG_LOG_BIT_OFF = 1, + __DEVKMSG_LOG_BIT_LOCK = 2, +}; + +enum devkmsg_log_masks { + DEVKMSG_LOG_MASK_ON = 1, + DEVKMSG_LOG_MASK_OFF = 2, + DEVKMSG_LOG_MASK_LOCK = 4, +}; + +enum con_msg_format_flags { + MSG_FORMAT_DEFAULT = 0, + MSG_FORMAT_SYSLOG = 1, +}; + +enum log_flags { + LOG_NEWLINE = 2, + LOG_CONT = 8, +}; + +struct printk_log { + u64 ts_nsec; + u16 len; + u16 text_len; + u16 dict_len; + u8 facility; + u8 flags: 5; + u8 level: 3; +}; + +struct devkmsg_user { + u64 seq; + u32 idx; + struct ratelimit_state rs; + struct mutex lock; + char buf[8192]; +}; + +struct cont { + char buf[992]; + size_t len; + u32 caller_id; + u64 ts_nsec; + u8 level; + u8 facility; + enum log_flags flags; +}; + +struct printk_safe_seq_buf { + atomic_t len; + atomic_t message_lost; + struct irq_work work; + unsigned char buffer[8160]; +}; + +enum { + IRQS_AUTODETECT = 1, + IRQS_SPURIOUS_DISABLED = 2, + IRQS_POLL_INPROGRESS = 8, + IRQS_ONESHOT = 32, + IRQS_REPLAY = 64, + IRQS_WAITING = 128, + IRQS_PENDING = 512, + IRQS_SUSPENDED = 2048, + IRQS_TIMINGS = 4096, + IRQS_NMI = 8192, +}; + +enum { + _IRQ_DEFAULT_INIT_FLAGS = 0, + _IRQ_PER_CPU = 512, + _IRQ_LEVEL = 256, + _IRQ_NOPROBE = 1024, + _IRQ_NOREQUEST = 2048, + _IRQ_NOTHREAD = 65536, + _IRQ_NOAUTOEN = 4096, + _IRQ_MOVE_PCNTXT = 16384, + _IRQ_NO_BALANCING = 8192, + _IRQ_NESTED_THREAD = 32768, + _IRQ_PER_CPU_DEVID = 131072, + _IRQ_IS_POLLED = 262144, + _IRQ_DISABLE_UNLAZY = 524288, + _IRQF_MODIFY_MASK = 1048335, +}; + +enum { + IRQTF_RUNTHREAD = 0, + IRQTF_WARNED = 1, + IRQTF_AFFINITY = 2, + IRQTF_FORCED_THREAD = 3, +}; + +enum { + IRQC_IS_HARDIRQ = 0, + IRQC_IS_NESTED = 1, +}; + +enum { + IRQ_STARTUP_NORMAL = 0, + IRQ_STARTUP_MANAGED = 1, + IRQ_STARTUP_ABORT = 2, +}; + +struct irq_devres { + unsigned int irq; + void *dev_id; +}; + +struct irq_desc_devres { + unsigned int from; + unsigned int cnt; +}; + +enum { + IRQ_DOMAIN_FLAG_HIERARCHY = 1, + IRQ_DOMAIN_NAME_ALLOCATED = 64, + IRQ_DOMAIN_FLAG_IPI_PER_CPU = 4, + IRQ_DOMAIN_FLAG_IPI_SINGLE = 8, + IRQ_DOMAIN_FLAG_MSI = 16, + IRQ_DOMAIN_FLAG_MSI_REMAP = 32, + IRQ_DOMAIN_FLAG_NONCORE = 65536, +}; + +typedef u64 acpi_size; + +struct acpi_buffer { + acpi_size length; + void *pointer; +}; + +struct acpi_hotplug_profile { + struct kobject kobj; + int (*scan_dependent)(struct acpi_device *); + void (*notify_online)(struct acpi_device *); + bool enabled: 1; + bool demand_offline: 1; +}; + +struct acpi_device_status { + u32 present: 1; + u32 enabled: 1; + u32 show_in_ui: 1; + u32 functional: 1; + u32 battery_present: 1; + u32 reserved: 27; +}; + +struct acpi_device_flags { + u32 dynamic_status: 1; + u32 removable: 1; + u32 ejectable: 1; + u32 power_manageable: 1; + u32 match_driver: 1; + u32 initialized: 1; + u32 visited: 1; + u32 hotplug_notify: 1; + u32 is_dock_station: 1; + u32 of_compatible_ok: 1; + u32 coherent_dma: 1; + u32 cca_seen: 1; + u32 enumeration_by_parent: 1; + u32 reserved: 19; +}; + +typedef char acpi_bus_id[8]; + +struct acpi_pnp_type { + u32 hardware_id: 1; + u32 bus_address: 1; + u32 platform_id: 1; + u32 reserved: 29; +}; + +typedef u64 acpi_bus_address; + +typedef char acpi_device_name[40]; + +typedef char acpi_device_class[20]; + +struct acpi_device_pnp { + acpi_bus_id bus_id; + struct acpi_pnp_type type; + acpi_bus_address bus_address; + char *unique_id; + struct list_head ids; + acpi_device_name device_name; + acpi_device_class device_class; + union acpi_object *str_obj; +}; + +struct acpi_device_power_flags { + u32 explicit_get: 1; + u32 power_resources: 1; + u32 inrush_current: 1; + u32 power_removed: 1; + u32 ignore_parent: 1; + u32 dsw_present: 1; + u32 reserved: 26; +}; + +struct acpi_device_power_state { + struct { + u8 valid: 1; + u8 explicit_set: 1; + u8 reserved: 6; + } flags; + int power; + int latency; + struct list_head resources; +}; + +struct acpi_device_power { + int state; + struct acpi_device_power_flags flags; + struct acpi_device_power_state states[5]; +}; + +struct acpi_device_wakeup_flags { + u8 valid: 1; + u8 notifier_present: 1; +}; + +struct acpi_device_wakeup_context { + void (*func)(struct acpi_device_wakeup_context *); + struct device *dev; +}; + +struct acpi_device_wakeup { + acpi_handle gpe_device; + u64 gpe_number; + u64 sleep_state; + struct list_head resources; + struct acpi_device_wakeup_flags flags; + struct acpi_device_wakeup_context context; + struct wakeup_source *ws; + int prepare_count; + int enable_count; +}; + +struct acpi_device_perf_flags { + u8 reserved: 8; +}; + +struct acpi_device_perf_state; + +struct acpi_device_perf { + int state; + struct acpi_device_perf_flags flags; + int state_count; + struct acpi_device_perf_state *states; +}; + +struct acpi_device_dir { + struct proc_dir_entry *entry; +}; + +struct acpi_device_data { + const union acpi_object *pointer; + struct list_head properties; + const union acpi_object *of_compatible; + struct list_head subnodes; +}; + +struct acpi_scan_handler; + +struct acpi_hotplug_context; + +struct acpi_driver; + +struct acpi_gpio_mapping; + +struct acpi_device { + int device_type; + acpi_handle handle; + struct fwnode_handle fwnode; + struct acpi_device *parent; + struct list_head children; + struct list_head node; + struct list_head wakeup_list; + struct list_head del_list; + struct acpi_device_status status; + struct acpi_device_flags flags; + struct acpi_device_pnp pnp; + struct acpi_device_power power; + struct acpi_device_wakeup wakeup; + struct acpi_device_perf performance; + struct acpi_device_dir dir; + struct acpi_device_data data; + struct acpi_scan_handler *handler; + struct acpi_hotplug_context *hp; + struct acpi_driver *driver; + const struct acpi_gpio_mapping *driver_gpios; + void *driver_data; + struct device dev; + unsigned int physical_node_count; + unsigned int dep_unmet; + struct list_head physical_node_list; + struct mutex physical_node_lock; + void (*remove)(struct acpi_device *); +}; + +struct acpi_scan_handler { + const struct acpi_device_id *ids; + struct list_head list_node; + bool (*match)(const char *, const struct acpi_device_id **); + int (*attach)(struct acpi_device *, const struct acpi_device_id *); + void (*detach)(struct acpi_device *); + void (*bind)(struct device *); + void (*unbind)(struct device *); + struct acpi_hotplug_profile hotplug; +}; + +struct acpi_hotplug_context { + struct acpi_device *self; + int (*notify)(struct acpi_device *, u32); + void (*uevent)(struct acpi_device *, u32); + void (*fixup)(struct acpi_device *); +}; + +typedef int (*acpi_op_add)(struct acpi_device *); + +typedef int (*acpi_op_remove)(struct acpi_device *); + +typedef void (*acpi_op_notify)(struct acpi_device *, u32); + +struct acpi_device_ops { + acpi_op_add add; + acpi_op_remove remove; + acpi_op_notify notify; +}; + +struct acpi_driver { + char name[80]; + char class[80]; + const struct acpi_device_id *ids; + unsigned int flags; + struct acpi_device_ops ops; + struct device_driver drv; + struct module *owner; +}; + +struct acpi_device_perf_state { + struct { + u8 valid: 1; + u8 reserved: 7; + } flags; + u8 power; + u8 performance; + int latency; +}; + +struct acpi_gpio_params; + +struct acpi_gpio_mapping { + const char *name; + const struct acpi_gpio_params *data; + unsigned int size; + unsigned int quirks; +}; + +struct irqchip_fwid { + struct fwnode_handle fwnode; + unsigned int type; + char *name; + phys_addr_t *pa; +}; + +enum { + AFFINITY = 0, + AFFINITY_LIST = 1, + EFFECTIVE = 2, + EFFECTIVE_LIST = 3, +}; + +struct irq_affinity { + unsigned int pre_vectors; + unsigned int post_vectors; + unsigned int nr_sets; + unsigned int set_size[4]; + void (*calc_sets)(struct irq_affinity *, unsigned int); + void *priv; +}; + +struct node_vectors { + unsigned int id; + union { + unsigned int nvectors; + unsigned int ncpus; + }; +}; + +struct cpumap { + unsigned int available; + unsigned int allocated; + unsigned int managed; + unsigned int managed_allocated; + bool initialized; + bool online; + long unsigned int alloc_map[4]; + long unsigned int managed_map[4]; +}; + +struct irq_matrix___2 { + unsigned int matrix_bits; + unsigned int alloc_start; + unsigned int alloc_end; + unsigned int alloc_size; + unsigned int global_available; + unsigned int global_reserved; + unsigned int systembits_inalloc; + unsigned int total_allocated; + unsigned int online_maps; + struct cpumap *maps; + long unsigned int scratch_map[4]; + long unsigned int system_map[4]; +}; + +struct trace_event_raw_irq_matrix_global { + struct trace_entry ent; + unsigned int online_maps; + unsigned int global_available; + unsigned int global_reserved; + unsigned int total_allocated; + char __data[0]; +}; + +struct trace_event_raw_irq_matrix_global_update { + struct trace_entry ent; + int bit; + unsigned int online_maps; + unsigned int global_available; + unsigned int global_reserved; + unsigned int total_allocated; + char __data[0]; +}; + +struct trace_event_raw_irq_matrix_cpu { + struct trace_entry ent; + int bit; + unsigned int cpu; + bool online; + unsigned int available; + unsigned int allocated; + unsigned int managed; + unsigned int online_maps; + unsigned int global_available; + unsigned int global_reserved; + unsigned int total_allocated; + char __data[0]; +}; + +struct trace_event_data_offsets_irq_matrix_global {}; + +struct trace_event_data_offsets_irq_matrix_global_update {}; + +struct trace_event_data_offsets_irq_matrix_cpu {}; + +typedef void (*call_rcu_func_t)(struct callback_head *, rcu_callback_t); + +struct rcu_synchronize { + struct callback_head head; + struct completion completion; +}; + +struct trace_event_raw_rcu_utilization { + struct trace_entry ent; + const char *s; + char __data[0]; +}; + +struct trace_event_raw_rcu_grace_period { + struct trace_entry ent; + const char *rcuname; + long unsigned int gp_seq; + const char *gpevent; + char __data[0]; +}; + +struct trace_event_raw_rcu_future_grace_period { + struct trace_entry ent; + const char *rcuname; + long unsigned int gp_seq; + long unsigned int gp_seq_req; + u8 level; + int grplo; + int grphi; + const char *gpevent; + char __data[0]; +}; + +struct trace_event_raw_rcu_grace_period_init { + struct trace_entry ent; + const char *rcuname; + long unsigned int gp_seq; + u8 level; + int grplo; + int grphi; + long unsigned int qsmask; + char __data[0]; +}; + +struct trace_event_raw_rcu_exp_grace_period { + struct trace_entry ent; + const char *rcuname; + long unsigned int gpseq; + const char *gpevent; + char __data[0]; +}; + +struct trace_event_raw_rcu_exp_funnel_lock { + struct trace_entry ent; + const char *rcuname; + u8 level; + int grplo; + int grphi; + const char *gpevent; + char __data[0]; +}; + +struct trace_event_raw_rcu_preempt_task { + struct trace_entry ent; + const char *rcuname; + long unsigned int gp_seq; + int pid; + char __data[0]; +}; + +struct trace_event_raw_rcu_unlock_preempted_task { + struct trace_entry ent; + const char *rcuname; + long unsigned int gp_seq; + int pid; + char __data[0]; +}; + +struct trace_event_raw_rcu_quiescent_state_report { + struct trace_entry ent; + const char *rcuname; + long unsigned int gp_seq; + long unsigned int mask; + long unsigned int qsmask; + u8 level; + int grplo; + int grphi; + u8 gp_tasks; + char __data[0]; +}; + +struct trace_event_raw_rcu_fqs { + struct trace_entry ent; + const char *rcuname; + long unsigned int gp_seq; + int cpu; + const char *qsevent; + char __data[0]; +}; + +struct trace_event_raw_rcu_dyntick { + struct trace_entry ent; + const char *polarity; + long int oldnesting; + long int newnesting; + int dynticks; + char __data[0]; +}; + +struct trace_event_raw_rcu_callback { + struct trace_entry ent; + const char *rcuname; + void *rhp; + void *func; + long int qlen_lazy; + long int qlen; + char __data[0]; +}; + +struct trace_event_raw_rcu_kfree_callback { + struct trace_entry ent; + const char *rcuname; + void *rhp; + long unsigned int offset; + long int qlen_lazy; + long int qlen; + char __data[0]; +}; + +struct trace_event_raw_rcu_batch_start { + struct trace_entry ent; + const char *rcuname; + long int qlen_lazy; + long int qlen; + long int blimit; + char __data[0]; +}; + +struct trace_event_raw_rcu_invoke_callback { + struct trace_entry ent; + const char *rcuname; + void *rhp; + void *func; + char __data[0]; +}; + +struct trace_event_raw_rcu_invoke_kfree_callback { + struct trace_entry ent; + const char *rcuname; + void *rhp; + long unsigned int offset; + char __data[0]; +}; + +struct trace_event_raw_rcu_batch_end { + struct trace_entry ent; + const char *rcuname; + int callbacks_invoked; + char cb; + char nr; + char iit; + char risk; + char __data[0]; +}; + +struct trace_event_raw_rcu_torture_read { + struct trace_entry ent; + char rcutorturename[8]; + struct callback_head *rhp; + long unsigned int secs; + long unsigned int c_old; + long unsigned int c; + char __data[0]; +}; + +struct trace_event_raw_rcu_barrier { + struct trace_entry ent; + const char *rcuname; + const char *s; + int cpu; + int cnt; + long unsigned int done; + char __data[0]; +}; + +struct trace_event_data_offsets_rcu_utilization {}; + +struct trace_event_data_offsets_rcu_grace_period {}; + +struct trace_event_data_offsets_rcu_future_grace_period {}; + +struct trace_event_data_offsets_rcu_grace_period_init {}; + +struct trace_event_data_offsets_rcu_exp_grace_period {}; + +struct trace_event_data_offsets_rcu_exp_funnel_lock {}; + +struct trace_event_data_offsets_rcu_preempt_task {}; + +struct trace_event_data_offsets_rcu_unlock_preempted_task {}; + +struct trace_event_data_offsets_rcu_quiescent_state_report {}; + +struct trace_event_data_offsets_rcu_fqs {}; + +struct trace_event_data_offsets_rcu_dyntick {}; + +struct trace_event_data_offsets_rcu_callback {}; + +struct trace_event_data_offsets_rcu_kfree_callback {}; + +struct trace_event_data_offsets_rcu_batch_start {}; + +struct trace_event_data_offsets_rcu_invoke_callback {}; + +struct trace_event_data_offsets_rcu_invoke_kfree_callback {}; + +struct trace_event_data_offsets_rcu_batch_end {}; + +struct trace_event_data_offsets_rcu_torture_read {}; + +struct trace_event_data_offsets_rcu_barrier {}; + +enum { + GP_IDLE = 0, + GP_ENTER = 1, + GP_PASSED = 2, + GP_EXIT = 3, + GP_REPLAY = 4, +}; + +typedef long unsigned int ulong; + +struct rcu_cblist { + struct callback_head *head; + struct callback_head **tail; + long int len; + long int len_lazy; +}; + +enum rcutorture_type { + RCU_FLAVOR = 0, + RCU_TASKS_FLAVOR = 1, + RCU_TRIVIAL_FLAVOR = 2, + SRCU_FLAVOR = 3, + INVALID_RCU_FLAVOR = 4, +}; + +typedef long unsigned int pao_T_____3; + +struct rcu_exp_work { + long unsigned int rew_s; + struct work_struct rew_work; +}; + +struct rcu_node { + raw_spinlock_t lock; + long unsigned int gp_seq; + long unsigned int gp_seq_needed; + long unsigned int completedqs; + long unsigned int qsmask; + long unsigned int rcu_gp_init_mask; + long unsigned int qsmaskinit; + long unsigned int qsmaskinitnext; + long unsigned int expmask; + long unsigned int expmaskinit; + long unsigned int expmaskinitnext; + long unsigned int ffmask; + long unsigned int grpmask; + int grplo; + int grphi; + u8 grpnum; + u8 level; + bool wait_blkd_tasks; + struct rcu_node *parent; + struct list_head blkd_tasks; + struct list_head *gp_tasks; + struct list_head *exp_tasks; + struct list_head *boost_tasks; + struct rt_mutex boost_mtx; + long unsigned int boost_time; + struct task_struct *boost_kthread_task; + unsigned int boost_kthread_status; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + raw_spinlock_t fqslock; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + spinlock_t exp_lock; + long unsigned int exp_seq_rq; + wait_queue_head_t exp_wq[4]; + struct rcu_exp_work rew; + bool exp_need_flush; + long: 56; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +union rcu_noqs { + struct { + u8 norm; + u8 exp; + } b; + u16 s; +}; + +struct rcu_data { + long unsigned int gp_seq; + long unsigned int gp_seq_needed; + union rcu_noqs cpu_no_qs; + bool core_needs_qs; + bool beenonline; + bool gpwrap; + bool exp_deferred_qs; + struct rcu_node *mynode; + long unsigned int grpmask; + long unsigned int ticks_this_gp; + struct irq_work defer_qs_iw; + bool defer_qs_iw_pending; + struct rcu_segcblist cblist; + long int qlen_last_fqs_check; + long unsigned int n_force_qs_snap; + long int blimit; + int dynticks_snap; + long int dynticks_nesting; + long int dynticks_nmi_nesting; + atomic_t dynticks; + bool rcu_need_heavy_qs; + bool rcu_urgent_qs; + bool rcu_forced_tick; + struct callback_head barrier_head; + int exp_dynticks_snap; + struct task_struct *rcu_cpu_kthread_task; + unsigned int rcu_cpu_kthread_status; + char rcu_cpu_has_work; + unsigned int softirq_snap; + struct irq_work rcu_iw; + bool rcu_iw_pending; + long unsigned int rcu_iw_gp_seq; + long unsigned int rcu_ofl_gp_seq; + short int rcu_ofl_gp_flags; + long unsigned int rcu_onl_gp_seq; + short int rcu_onl_gp_flags; + long unsigned int last_fqs_resched; + int cpu; +}; + +struct rcu_state { + struct rcu_node node[5]; + struct rcu_node *level[3]; + int ncpus; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + u8 boost; + long unsigned int gp_seq; + struct task_struct *gp_kthread; + struct swait_queue_head gp_wq; + short int gp_flags; + short int gp_state; + long unsigned int gp_wake_time; + long unsigned int gp_wake_seq; + struct mutex barrier_mutex; + atomic_t barrier_cpu_count; + struct completion barrier_completion; + long unsigned int barrier_sequence; + struct mutex exp_mutex; + struct mutex exp_wake_mutex; + long unsigned int expedited_sequence; + atomic_t expedited_need_qs; + struct swait_queue_head expedited_wq; + int ncpus_snap; + long unsigned int jiffies_force_qs; + long unsigned int jiffies_kick_kthreads; + long unsigned int n_force_qs; + long unsigned int gp_start; + long unsigned int gp_end; + long unsigned int gp_activity; + long unsigned int gp_req_activity; + long unsigned int jiffies_stall; + long unsigned int jiffies_resched; + long unsigned int n_force_qs_gpstart; + long unsigned int gp_max; + const char *name; + char abbr; + long: 56; + long: 64; + long: 64; + raw_spinlock_t ofl_lock; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +typedef bool pto_T_____7; + +struct dma_devres { + size_t size; + void *vaddr; + dma_addr_t dma_handle; + long unsigned int attrs; +}; + +enum dma_sync_target { + SYNC_FOR_CPU = 0, + SYNC_FOR_DEVICE = 1, +}; + +struct trace_event_raw_swiotlb_bounced { + struct trace_entry ent; + u32 __data_loc_dev_name; + u64 dma_mask; + dma_addr_t dev_addr; + size_t size; + enum swiotlb_force swiotlb_force; + char __data[0]; +}; + +struct trace_event_data_offsets_swiotlb_bounced { + u32 dev_name; +}; + +enum profile_type { + PROFILE_TASK_EXIT = 0, + PROFILE_MUNMAP = 1, +}; + +struct profile_hit { + u32 pc; + u32 hits; +}; + +struct stacktrace_cookie { + long unsigned int *store; + unsigned int size; + unsigned int skip; + unsigned int len; +}; + +typedef __kernel_long_t __kernel_suseconds_t; + +typedef __kernel_long_t __kernel_old_time_t; + +typedef __kernel_suseconds_t suseconds_t; + +typedef __u64 timeu64_t; + +struct __kernel_itimerspec { + struct __kernel_timespec it_interval; + struct __kernel_timespec it_value; +}; + +struct timespec { + __kernel_old_time_t tv_sec; + long int tv_nsec; +}; + +struct timeval { + __kernel_old_time_t tv_sec; + __kernel_suseconds_t tv_usec; +}; + +struct timezone { + int tz_minuteswest; + int tz_dsttime; +}; + +struct itimerspec64 { + struct timespec64 it_interval; + struct timespec64 it_value; +}; + +struct old_itimerspec32 { + struct old_timespec32 it_interval; + struct old_timespec32 it_value; +}; + +struct old_timex32 { + u32 modes; + s32 offset; + s32 freq; + s32 maxerror; + s32 esterror; + s32 status; + s32 constant; + s32 precision; + s32 tolerance; + struct old_timeval32 time; + s32 tick; + s32 ppsfreq; + s32 jitter; + s32 shift; + s32 stabil; + s32 jitcnt; + s32 calcnt; + s32 errcnt; + s32 stbcnt; + s32 tai; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct __kernel_timex_timeval { + __kernel_time64_t tv_sec; + long long int tv_usec; +}; + +struct __kernel_timex { + unsigned int modes; + long long int offset; + long long int freq; + long long int maxerror; + long long int esterror; + int status; + long long int constant; + long long int precision; + long long int tolerance; + struct __kernel_timex_timeval time; + long long int tick; + long long int ppsfreq; + long long int jitter; + int shift; + long long int stabil; + long long int jitcnt; + long long int calcnt; + long long int errcnt; + long long int stbcnt; + int tai; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct trace_event_raw_timer_class { + struct trace_entry ent; + void *timer; + char __data[0]; +}; + +struct trace_event_raw_timer_start { + struct trace_entry ent; + void *timer; + void *function; + long unsigned int expires; + long unsigned int now; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_timer_expire_entry { + struct trace_entry ent; + void *timer; + long unsigned int now; + void *function; + long unsigned int baseclk; + char __data[0]; +}; + +struct trace_event_raw_hrtimer_init { + struct trace_entry ent; + void *hrtimer; + clockid_t clockid; + enum hrtimer_mode mode; + char __data[0]; +}; + +struct trace_event_raw_hrtimer_start { + struct trace_entry ent; + void *hrtimer; + void *function; + s64 expires; + s64 softexpires; + enum hrtimer_mode mode; + char __data[0]; +}; + +struct trace_event_raw_hrtimer_expire_entry { + struct trace_entry ent; + void *hrtimer; + s64 now; + void *function; + char __data[0]; +}; + +struct trace_event_raw_hrtimer_class { + struct trace_entry ent; + void *hrtimer; + char __data[0]; +}; + +struct trace_event_raw_itimer_state { + struct trace_entry ent; + int which; + long long unsigned int expires; + long int value_sec; + long int value_nsec; + long int interval_sec; + long int interval_nsec; + char __data[0]; +}; + +struct trace_event_raw_itimer_expire { + struct trace_entry ent; + int which; + pid_t pid; + long long unsigned int now; + char __data[0]; +}; + +struct trace_event_raw_tick_stop { + struct trace_entry ent; + int success; + int dependency; + char __data[0]; +}; + +struct trace_event_data_offsets_timer_class {}; + +struct trace_event_data_offsets_timer_start {}; + +struct trace_event_data_offsets_timer_expire_entry {}; + +struct trace_event_data_offsets_hrtimer_init {}; + +struct trace_event_data_offsets_hrtimer_start {}; + +struct trace_event_data_offsets_hrtimer_expire_entry {}; + +struct trace_event_data_offsets_hrtimer_class {}; + +struct trace_event_data_offsets_itimer_state {}; + +struct trace_event_data_offsets_itimer_expire {}; + +struct trace_event_data_offsets_tick_stop {}; + +struct timer_base { + raw_spinlock_t lock; + struct timer_list *running_timer; + long unsigned int clk; + long unsigned int next_expiry; + unsigned int cpu; + bool is_idle; + bool must_forward_clk; + long unsigned int pending_map[9]; + struct hlist_head vectors[576]; + long: 64; + long: 64; +}; + +struct process_timer { + struct timer_list timer; + struct task_struct *task; +}; + +enum tick_device_mode { + TICKDEV_MODE_PERIODIC = 0, + TICKDEV_MODE_ONESHOT = 1, +}; + +struct tick_device { + struct clock_event_device *evtdev; + enum tick_device_mode mode; +}; + +struct system_time_snapshot { + u64 cycles; + ktime_t real; + ktime_t raw; + unsigned int clock_was_set_seq; + u8 cs_was_changed_seq; +}; + +struct system_device_crosststamp { + ktime_t device; + ktime_t sys_realtime; + ktime_t sys_monoraw; +}; + +struct tk_read_base { + struct clocksource *clock; + u64 mask; + u64 cycle_last; + u32 mult; + u32 shift; + u64 xtime_nsec; + ktime_t base; + u64 base_real; +}; + +struct timekeeper { + struct tk_read_base tkr_mono; + struct tk_read_base tkr_raw; + u64 xtime_sec; + long unsigned int ktime_sec; + struct timespec64 wall_to_monotonic; + ktime_t offs_real; + ktime_t offs_boot; + ktime_t offs_tai; + s32 tai_offset; + unsigned int clock_was_set_seq; + u8 cs_was_changed_seq; + ktime_t next_leap_ktime; + u64 raw_sec; + struct timespec64 monotonic_to_boot; + u64 cycle_interval; + u64 xtime_interval; + s64 xtime_remainder; + u64 raw_interval; + u64 ntp_tick; + s64 ntp_error; + u32 ntp_error_shift; + u32 ntp_err_mult; + u32 skip_second_overflow; +}; + +struct audit_ntp_val { + long long int oldval; + long long int newval; +}; + +struct audit_ntp_data { + struct audit_ntp_val vals[6]; +}; + +enum timekeeping_adv_mode { + TK_ADV_TICK = 0, + TK_ADV_FREQ = 1, +}; + +struct tk_fast { + seqcount_t seq; + struct tk_read_base base[2]; +}; + +typedef s64 int64_t; + +enum tick_nohz_mode { + NOHZ_MODE_INACTIVE = 0, + NOHZ_MODE_LOWRES = 1, + NOHZ_MODE_HIGHRES = 2, +}; + +struct tick_sched { + struct hrtimer sched_timer; + long unsigned int check_clocks; + enum tick_nohz_mode nohz_mode; + unsigned int inidle: 1; + unsigned int tick_stopped: 1; + unsigned int idle_active: 1; + unsigned int do_timer_last: 1; + unsigned int got_idle_tick: 1; + ktime_t last_tick; + ktime_t next_tick; + long unsigned int idle_jiffies; + long unsigned int idle_calls; + long unsigned int idle_sleeps; + ktime_t idle_entrytime; + ktime_t idle_waketime; + ktime_t idle_exittime; + ktime_t idle_sleeptime; + ktime_t iowait_sleeptime; + long unsigned int last_jiffies; + u64 timer_expires; + u64 timer_expires_base; + u64 next_timer; + ktime_t idle_expires; + atomic_t tick_dep_mask; +}; + +struct timer_list_iter { + int cpu; + bool second_pass; + u64 now; +}; + +struct tm { + int tm_sec; + int tm_min; + int tm_hour; + int tm_mday; + int tm_mon; + long int tm_year; + int tm_wday; + int tm_yday; +}; + +struct cyclecounter { + u64 (*read)(const struct cyclecounter *); + u64 mask; + u32 mult; + u32 shift; +}; + +struct timecounter { + const struct cyclecounter *cc; + u64 cycle_last; + u64 nsec; + u64 mask; + u64 frac; +}; + +typedef __kernel_timer_t timer_t; + +struct rtc_wkalrm { + unsigned char enabled; + unsigned char pending; + struct rtc_time time; +}; + +enum alarmtimer_type { + ALARM_REALTIME = 0, + ALARM_BOOTTIME = 1, + ALARM_NUMTYPE = 2, + ALARM_REALTIME_FREEZER = 3, + ALARM_BOOTTIME_FREEZER = 4, +}; + +enum alarmtimer_restart { + ALARMTIMER_NORESTART = 0, + ALARMTIMER_RESTART = 1, +}; + +struct alarm { + struct timerqueue_node node; + struct hrtimer timer; + enum alarmtimer_restart (*function)(struct alarm *, ktime_t); + enum alarmtimer_type type; + int state; + void *data; +}; + +struct cpu_timer { + struct timerqueue_node node; + struct timerqueue_head *head; + struct task_struct *task; + struct list_head elist; + int firing; +}; + +struct k_clock; + +struct k_itimer { + struct list_head list; + struct hlist_node t_hash; + spinlock_t it_lock; + const struct k_clock *kclock; + clockid_t it_clock; + timer_t it_id; + int it_active; + s64 it_overrun; + s64 it_overrun_last; + int it_requeue_pending; + int it_sigev_notify; + ktime_t it_interval; + struct signal_struct *it_signal; + union { + struct pid *it_pid; + struct task_struct *it_process; + }; + struct sigqueue *sigq; + union { + struct { + struct hrtimer timer; + } real; + struct cpu_timer cpu; + struct { + struct alarm alarmtimer; + } alarm; + } it; + struct callback_head rcu; +}; + +struct k_clock { + int (*clock_getres)(const clockid_t, struct timespec64 *); + int (*clock_set)(const clockid_t, const struct timespec64 *); + int (*clock_get)(const clockid_t, struct timespec64 *); + int (*clock_adj)(const clockid_t, struct __kernel_timex *); + int (*timer_create)(struct k_itimer *); + int (*nsleep)(const clockid_t, int, const struct timespec64 *); + int (*timer_set)(struct k_itimer *, int, struct itimerspec64 *, struct itimerspec64 *); + int (*timer_del)(struct k_itimer *); + void (*timer_get)(struct k_itimer *, struct itimerspec64 *); + void (*timer_rearm)(struct k_itimer *); + s64 (*timer_forward)(struct k_itimer *, ktime_t); + ktime_t (*timer_remaining)(struct k_itimer *, ktime_t); + int (*timer_try_to_cancel)(struct k_itimer *); + void (*timer_arm)(struct k_itimer *, ktime_t, bool, bool); + void (*timer_wait_running)(struct k_itimer *); +}; + +struct class_interface { + struct list_head node; + struct class *class; + int (*add_dev)(struct device *, struct class_interface *); + void (*remove_dev)(struct device *, struct class_interface *); +}; + +struct rtc_class_ops { + int (*ioctl)(struct device *, unsigned int, long unsigned int); + int (*read_time)(struct device *, struct rtc_time *); + int (*set_time)(struct device *, struct rtc_time *); + int (*read_alarm)(struct device *, struct rtc_wkalrm *); + int (*set_alarm)(struct device *, struct rtc_wkalrm *); + int (*proc)(struct device *, struct seq_file *); + int (*alarm_irq_enable)(struct device *, unsigned int); + int (*read_offset)(struct device *, long int *); + int (*set_offset)(struct device *, long int); +}; + +struct rtc_device; + +struct rtc_timer { + struct timerqueue_node node; + ktime_t period; + void (*func)(struct rtc_device *); + struct rtc_device *rtc; + int enabled; +}; + +struct rtc_device { + struct device dev; + struct module *owner; + int id; + const struct rtc_class_ops *ops; + struct mutex ops_lock; + struct cdev char_dev; + long unsigned int flags; + long unsigned int irq_data; + spinlock_t irq_lock; + wait_queue_head_t irq_queue; + struct fasync_struct *async_queue; + int irq_freq; + int max_user_freq; + struct timerqueue_head timerqueue; + struct rtc_timer aie_timer; + struct rtc_timer uie_rtctimer; + struct hrtimer pie_timer; + int pie_enabled; + struct work_struct irqwork; + int uie_unsupported; + long int set_offset_nsec; + bool registered; + bool nvram_old_abi; + struct bin_attribute *nvram; + time64_t range_min; + timeu64_t range_max; + time64_t start_secs; + time64_t offset_secs; + bool set_start_time; +}; + +struct platform_driver { + int (*probe)(struct platform_device *); + int (*remove)(struct platform_device *); + void (*shutdown)(struct platform_device *); + int (*suspend)(struct platform_device *, pm_message_t); + int (*resume)(struct platform_device *); + struct device_driver driver; + const struct platform_device_id *id_table; + bool prevent_deferred_probe; +}; + +struct trace_event_raw_alarmtimer_suspend { + struct trace_entry ent; + s64 expires; + unsigned char alarm_type; + char __data[0]; +}; + +struct trace_event_raw_alarm_class { + struct trace_entry ent; + void *alarm; + unsigned char alarm_type; + s64 expires; + s64 now; + char __data[0]; +}; + +struct trace_event_data_offsets_alarmtimer_suspend {}; + +struct trace_event_data_offsets_alarm_class {}; + +struct alarm_base { + spinlock_t lock; + struct timerqueue_head timerqueue; + ktime_t (*gettime)(); + clockid_t base_clockid; +}; + +struct sigevent { + sigval_t sigev_value; + int sigev_signo; + int sigev_notify; + union { + int _pad[12]; + int _tid; + struct { + void (*_function)(sigval_t); + void *_attribute; + } _sigev_thread; + } _sigev_un; +}; + +typedef struct sigevent sigevent_t; + +struct compat_sigevent { + compat_sigval_t sigev_value; + compat_int_t sigev_signo; + compat_int_t sigev_notify; + union { + compat_int_t _pad[13]; + compat_int_t _tid; + struct { + compat_uptr_t _function; + compat_uptr_t _attribute; + } _sigev_thread; + } _sigev_un; +}; + +typedef unsigned int uint; + +struct posix_clock; + +struct posix_clock_operations { + struct module *owner; + int (*clock_adjtime)(struct posix_clock *, struct __kernel_timex *); + int (*clock_gettime)(struct posix_clock *, struct timespec64 *); + int (*clock_getres)(struct posix_clock *, struct timespec64 *); + int (*clock_settime)(struct posix_clock *, const struct timespec64 *); + long int (*ioctl)(struct posix_clock *, unsigned int, long unsigned int); + int (*open)(struct posix_clock *, fmode_t); + __poll_t (*poll)(struct posix_clock *, struct file *, poll_table *); + int (*release)(struct posix_clock *); + ssize_t (*read)(struct posix_clock *, uint, char *, size_t); +}; + +struct posix_clock { + struct posix_clock_operations ops; + struct cdev cdev; + struct device *dev; + struct rw_semaphore rwsem; + bool zombie; +}; + +struct posix_clock_desc { + struct file *fp; + struct posix_clock *clk; +}; + +struct itimerval { + struct timeval it_interval; + struct timeval it_value; +}; + +struct old_itimerval32 { + struct old_timeval32 it_interval; + struct old_timeval32 it_value; +}; + +struct ce_unbind { + struct clock_event_device *ce; + int res; +}; + +struct vdso_timestamp { + u64 sec; + u64 nsec; +}; + +struct vdso_data { + u32 seq; + s32 clock_mode; + u64 cycle_last; + u64 mask; + u32 mult; + u32 shift; + struct vdso_timestamp basetime[12]; + s32 tz_minuteswest; + s32 tz_dsttime; + u32 hrtimer_res; + u32 __unused; +}; + +union futex_key { + struct { + long unsigned int pgoff; + struct inode *inode; + int offset; + } shared; + struct { + long unsigned int address; + struct mm_struct *mm; + int offset; + } private; + struct { + long unsigned int word; + void *ptr; + int offset; + } both; +}; + +struct futex_pi_state { + struct list_head list; + struct rt_mutex pi_mutex; + struct task_struct *owner; + refcount_t refcount; + union futex_key key; +}; + +struct futex_q { + struct plist_node list; + struct task_struct *task; + spinlock_t *lock_ptr; + union futex_key key; + struct futex_pi_state *pi_state; + struct rt_mutex_waiter *rt_waiter; + union futex_key *requeue_pi_key; + u32 bitset; +}; + +struct futex_hash_bucket { + atomic_t waiters; + spinlock_t lock; + struct plist_head chain; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +enum futex_access { + FUTEX_READ = 0, + FUTEX_WRITE = 1, +}; + +struct dma_chan { + int lock; + const char *device_id; +}; + +enum { + CSD_FLAG_LOCK = 1, + CSD_FLAG_SYNCHRONOUS = 2, +}; + +struct call_function_data { + call_single_data_t *csd; + cpumask_var_t cpumask; + cpumask_var_t cpumask_ipi; +}; + +struct smp_call_on_cpu_struct { + struct work_struct work; + struct completion done; + int (*func)(void *); + void *data; + int ret; + int cpu; +}; + +struct static_key_true { + struct static_key key; +}; + +struct latch_tree_root { + seqcount_t seq; + struct rb_root tree[2]; +}; + +struct latch_tree_ops { + bool (*less)(struct latch_tree_node *, struct latch_tree_node *); + int (*comp)(void *, struct latch_tree_node *); +}; + +struct module_use { + struct list_head source_list; + struct list_head target_list; + struct module *source; + struct module *target; +}; + +struct module_sect_attr { + struct module_attribute mattr; + char *name; + long unsigned int address; +}; + +struct module_sect_attrs { + struct attribute_group grp; + unsigned int nsections; + struct module_sect_attr attrs[0]; +}; + +struct module_notes_attrs { + struct kobject *dir; + unsigned int notes; + struct bin_attribute attrs[0]; +}; + +struct symsearch { + const struct kernel_symbol *start; + const struct kernel_symbol *stop; + const s32 *crcs; + enum { + NOT_GPL_ONLY = 0, + GPL_ONLY = 1, + WILL_BE_GPL_ONLY = 2, + } licence; + bool unused; +}; + +enum kernel_read_file_id { + READING_UNKNOWN = 0, + READING_FIRMWARE = 1, + READING_FIRMWARE_PREALLOC_BUFFER = 2, + READING_MODULE = 3, + READING_KEXEC_IMAGE = 4, + READING_KEXEC_INITRAMFS = 5, + READING_POLICY = 6, + READING_X509_CERTIFICATE = 7, + READING_MAX_ID = 8, +}; + +enum kernel_load_data_id { + LOADING_UNKNOWN = 0, + LOADING_FIRMWARE = 1, + LOADING_FIRMWARE_PREALLOC_BUFFER = 2, + LOADING_MODULE = 3, + LOADING_KEXEC_IMAGE = 4, + LOADING_KEXEC_INITRAMFS = 5, + LOADING_POLICY = 6, + LOADING_X509_CERTIFICATE = 7, + LOADING_MAX_ID = 8, +}; + +struct _ddebug { + const char *modname; + const char *function; + const char *filename; + const char *format; + unsigned int lineno: 18; + unsigned int flags: 8; + union { + struct static_key_true dd_key_true; + struct static_key_false dd_key_false; + } key; +}; + +struct load_info { + const char *name; + struct module *mod; + Elf64_Ehdr *hdr; + long unsigned int len; + Elf64_Shdr *sechdrs; + char *secstrings; + char *strtab; + long unsigned int symoffs; + long unsigned int stroffs; + long unsigned int init_typeoffs; + long unsigned int core_typeoffs; + struct _ddebug *debug; + unsigned int num_debug; + bool sig_ok; + long unsigned int mod_kallsyms_init_off; + struct { + unsigned int sym; + unsigned int str; + unsigned int mod; + unsigned int vers; + unsigned int info; + unsigned int pcpu; + } index; +}; + +struct trace_event_raw_module_load { + struct trace_entry ent; + unsigned int taints; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_module_free { + struct trace_entry ent; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_module_refcnt { + struct trace_entry ent; + long unsigned int ip; + int refcnt; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_module_request { + struct trace_entry ent; + long unsigned int ip; + bool wait; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_data_offsets_module_load { + u32 name; +}; + +struct trace_event_data_offsets_module_free { + u32 name; +}; + +struct trace_event_data_offsets_module_refcnt { + u32 name; +}; + +struct trace_event_data_offsets_module_request { + u32 name; +}; + +struct mod_tree_root { + struct latch_tree_root root; + long unsigned int addr_min; + long unsigned int addr_max; +}; + +struct find_symbol_arg { + const char *name; + bool gplok; + bool warn; + struct module *owner; + const s32 *crc; + const struct kernel_symbol *sym; +}; + +struct mod_initfree { + struct llist_node node; + void *module_init; +}; + +struct kallsym_iter { + loff_t pos; + loff_t pos_arch_end; + loff_t pos_mod_end; + loff_t pos_ftrace_mod_end; + long unsigned int value; + unsigned int nameoff; + char type; + char name[128]; + char module_name[56]; + int exported; + int show_value; +}; + +enum { + SB_UNFROZEN = 0, + SB_FREEZE_WRITE = 1, + SB_FREEZE_PAGEFAULT = 2, + SB_FREEZE_FS = 3, + SB_FREEZE_COMPLETE = 4, +}; + +typedef __u16 comp_t; + +typedef __u32 comp2_t; + +struct acct { + char ac_flag; + char ac_version; + __u16 ac_uid16; + __u16 ac_gid16; + __u16 ac_tty; + __u32 ac_btime; + comp_t ac_utime; + comp_t ac_stime; + comp_t ac_etime; + comp_t ac_mem; + comp_t ac_io; + comp_t ac_rw; + comp_t ac_minflt; + comp_t ac_majflt; + comp_t ac_swaps; + __u16 ac_ahz; + __u32 ac_exitcode; + char ac_comm[17]; + __u8 ac_etime_hi; + __u16 ac_etime_lo; + __u32 ac_uid; + __u32 ac_gid; +}; + +typedef struct acct acct_t; + +struct fs_pin { + wait_queue_head_t wait; + int done; + struct hlist_node s_list; + struct hlist_node m_list; + void (*kill)(struct fs_pin *); +}; + +struct bsd_acct_struct { + struct fs_pin pin; + atomic_long_t count; + struct callback_head rcu; + struct mutex lock; + int active; + long unsigned int needcheck; + struct file *file; + struct pid_namespace *ns; + struct work_struct work; + struct completion done; +}; + +enum compound_dtor_id { + NULL_COMPOUND_DTOR = 0, + COMPOUND_PAGE_DTOR = 1, + HUGETLB_PAGE_DTOR = 2, + NR_COMPOUND_DTORS = 3, +}; + +struct elf64_note { + Elf64_Word n_namesz; + Elf64_Word n_descsz; + Elf64_Word n_type; +}; + +typedef long unsigned int elf_greg_t; + +typedef elf_greg_t elf_gregset_t[27]; + +struct elf_siginfo { + int si_signo; + int si_code; + int si_errno; +}; + +struct elf_prstatus { + struct elf_siginfo pr_info; + short int pr_cursig; + long unsigned int pr_sigpend; + long unsigned int pr_sighold; + pid_t pr_pid; + pid_t pr_ppid; + pid_t pr_pgrp; + pid_t pr_sid; + struct __kernel_old_timeval pr_utime; + struct __kernel_old_timeval pr_stime; + struct __kernel_old_timeval pr_cutime; + struct __kernel_old_timeval pr_cstime; + elf_gregset_t pr_reg; + int pr_fpvalid; +}; + +typedef u32 note_buf_t[92]; + +struct compat_kexec_segment { + compat_uptr_t buf; + compat_size_t bufsz; + compat_ulong_t mem; + compat_size_t memsz; +}; + +enum migrate_reason { + MR_COMPACTION = 0, + MR_MEMORY_FAILURE = 1, + MR_MEMORY_HOTPLUG = 2, + MR_SYSCALL = 3, + MR_MEMPOLICY_MBIND = 4, + MR_NUMA_MISPLACED = 5, + MR_CONTIG_RANGE = 6, + MR_TYPES = 7, +}; + +typedef __kernel_ulong_t __kernel_ino_t; + +typedef __kernel_ino_t ino_t; + +enum fs_context_purpose { + FS_CONTEXT_FOR_MOUNT = 0, + FS_CONTEXT_FOR_SUBMOUNT = 1, + FS_CONTEXT_FOR_RECONFIGURE = 2, +}; + +enum fs_context_phase { + FS_CONTEXT_CREATE_PARAMS = 0, + FS_CONTEXT_CREATING = 1, + FS_CONTEXT_AWAITING_MOUNT = 2, + FS_CONTEXT_AWAITING_RECONF = 3, + FS_CONTEXT_RECONF_PARAMS = 4, + FS_CONTEXT_RECONFIGURING = 5, + FS_CONTEXT_FAILED = 6, +}; + +struct fs_context_operations; + +struct fc_log; + +struct fs_context { + const struct fs_context_operations *ops; + struct mutex uapi_mutex; + struct file_system_type *fs_type; + void *fs_private; + void *sget_key; + struct dentry *root; + struct user_namespace *user_ns; + struct net *net_ns; + const struct cred *cred; + struct fc_log *log; + const char *source; + void *security; + void *s_fs_info; + unsigned int sb_flags; + unsigned int sb_flags_mask; + unsigned int s_iflags; + unsigned int lsm_flags; + enum fs_context_purpose purpose: 8; + enum fs_context_phase phase: 8; + bool need_free: 1; + bool global: 1; +}; + +enum kernfs_node_type { + KERNFS_DIR = 1, + KERNFS_FILE = 2, + KERNFS_LINK = 4, +}; + +enum kernfs_root_flag { + KERNFS_ROOT_CREATE_DEACTIVATED = 1, + KERNFS_ROOT_EXTRA_OPEN_PERM_CHECK = 2, + KERNFS_ROOT_SUPPORT_EXPORTOP = 4, +}; + +struct kernfs_fs_context { + struct kernfs_root *root; + void *ns_tag; + long unsigned int magic; + bool new_sb_created; +}; + +enum { + __PERCPU_REF_ATOMIC = 1, + __PERCPU_REF_DEAD = 2, + __PERCPU_REF_ATOMIC_DEAD = 3, + __PERCPU_REF_FLAG_BITS = 2, +}; + +enum { + CSS_NO_REF = 1, + CSS_ONLINE = 2, + CSS_RELEASED = 4, + CSS_VISIBLE = 8, + CSS_DYING = 16, +}; + +enum { + CGRP_NOTIFY_ON_RELEASE = 0, + CGRP_CPUSET_CLONE_CHILDREN = 1, + CGRP_FREEZE = 2, + CGRP_FROZEN = 3, +}; + +enum { + CGRP_ROOT_NOPREFIX = 2, + CGRP_ROOT_XATTR = 4, + CGRP_ROOT_NS_DELEGATE = 8, + CGRP_ROOT_CPUSET_V2_MODE = 16, + CGRP_ROOT_MEMORY_LOCAL_EVENTS = 32, +}; + +struct cgroup_taskset { + struct list_head src_csets; + struct list_head dst_csets; + int nr_tasks; + int ssid; + struct list_head *csets; + struct css_set *cur_cset; + struct task_struct *cur_task; +}; + +struct css_task_iter { + struct cgroup_subsys *ss; + unsigned int flags; + struct list_head *cset_pos; + struct list_head *cset_head; + struct list_head *tcset_pos; + struct list_head *tcset_head; + struct list_head *task_pos; + struct list_head *tasks_head; + struct list_head *mg_tasks_head; + struct list_head *dying_tasks_head; + struct css_set *cur_cset; + struct css_set *cur_dcset; + struct task_struct *cur_task; + struct list_head iters_node; +}; + +enum fs_value_type { + fs_value_is_undefined = 0, + fs_value_is_flag = 1, + fs_value_is_string = 2, + fs_value_is_blob = 3, + fs_value_is_filename = 4, + fs_value_is_filename_empty = 5, + fs_value_is_file = 6, +}; + +struct fs_parameter { + const char *key; + enum fs_value_type type: 8; + union { + char *string; + void *blob; + struct filename *name; + struct file *file; + }; + size_t size; + int dirfd; +}; + +struct fs_context_operations { + void (*free)(struct fs_context *); + int (*dup)(struct fs_context *, struct fs_context *); + int (*parse_param)(struct fs_context *, struct fs_parameter *); + int (*parse_monolithic)(struct fs_context *, void *); + int (*get_tree)(struct fs_context *); + int (*reconfigure)(struct fs_context *); +}; + +struct fc_log { + refcount_t usage; + u8 head; + u8 tail; + u8 need_free; + struct module *owner; + char *buffer[8]; +}; + +struct cgroup_fs_context { + struct kernfs_fs_context kfc; + struct cgroup_root *root; + struct cgroup_namespace *ns; + unsigned int flags; + bool cpuset_clone_children; + bool none; + bool all_ss; + u16 subsys_mask; + char *name; + char *release_agent; +}; + +struct cgrp_cset_link { + struct cgroup *cgrp; + struct css_set *cset; + struct list_head cset_link; + struct list_head cgrp_link; +}; + +struct cgroup_mgctx { + struct list_head preloaded_src_csets; + struct list_head preloaded_dst_csets; + struct cgroup_taskset tset; + u16 ss_mask; +}; + +enum fs_parameter_type { + __fs_param_wasnt_defined = 0, + fs_param_is_flag = 1, + fs_param_is_bool = 2, + fs_param_is_u32 = 3, + fs_param_is_u32_octal = 4, + fs_param_is_u32_hex = 5, + fs_param_is_s32 = 6, + fs_param_is_u64 = 7, + fs_param_is_enum = 8, + fs_param_is_string = 9, + fs_param_is_blob = 10, + fs_param_is_blockdev = 11, + fs_param_is_path = 12, + fs_param_is_fd = 13, + nr__fs_parameter_type = 14, +}; + +struct fs_parameter_spec { + const char *name; + u8 opt; + enum fs_parameter_type type: 8; + short unsigned int flags; +}; + +struct fs_parameter_enum { + u8 opt; + char name[14]; + u8 value; +}; + +struct fs_parse_result { + bool negated; + bool has_value; + union { + bool boolean; + int int_32; + unsigned int uint_32; + u64 uint_64; + }; +}; + +struct trace_event_raw_cgroup_root { + struct trace_entry ent; + int root; + u16 ss_mask; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_cgroup { + struct trace_entry ent; + int root; + int id; + int level; + u32 __data_loc_path; + char __data[0]; +}; + +struct trace_event_raw_cgroup_migrate { + struct trace_entry ent; + int dst_root; + int dst_id; + int dst_level; + int pid; + u32 __data_loc_dst_path; + u32 __data_loc_comm; + char __data[0]; +}; + +struct trace_event_raw_cgroup_event { + struct trace_entry ent; + int root; + int id; + int level; + u32 __data_loc_path; + int val; + char __data[0]; +}; + +struct trace_event_data_offsets_cgroup_root { + u32 name; +}; + +struct trace_event_data_offsets_cgroup { + u32 path; +}; + +struct trace_event_data_offsets_cgroup_migrate { + u32 dst_path; + u32 comm; +}; + +struct trace_event_data_offsets_cgroup_event { + u32 path; +}; + +enum cgroup2_param { + Opt_nsdelegate = 0, + Opt_memory_localevents = 1, + nr__cgroup2_params = 2, +}; + +struct cgroupstats { + __u64 nr_sleeping; + __u64 nr_running; + __u64 nr_stopped; + __u64 nr_uninterruptible; + __u64 nr_io_wait; +}; + +enum cgroup_filetype { + CGROUP_FILE_PROCS = 0, + CGROUP_FILE_TASKS = 1, +}; + +struct cgroup_pidlist { + struct { + enum cgroup_filetype type; + struct pid_namespace *ns; + } key; + pid_t *list; + int length; + struct list_head links; + struct cgroup *owner; + struct delayed_work destroy_dwork; +}; + +enum cgroup1_param { + Opt_all = 0, + Opt_clone_children = 1, + Opt_cpuset_v2_mode = 2, + Opt_name = 3, + Opt_none = 4, + Opt_noprefix = 5, + Opt_release_agent = 6, + Opt_xattr = 7, +}; + +enum freezer_state_flags { + CGROUP_FREEZER_ONLINE = 1, + CGROUP_FREEZING_SELF = 2, + CGROUP_FREEZING_PARENT = 4, + CGROUP_FROZEN = 8, + CGROUP_FREEZING = 6, +}; + +struct freezer { + struct cgroup_subsys_state css; + unsigned int state; +}; + +struct fmeter { + int cnt; + int val; + time64_t time; + spinlock_t lock; +}; + +struct cpuset { + struct cgroup_subsys_state css; + long unsigned int flags; + cpumask_var_t cpus_allowed; + nodemask_t mems_allowed; + cpumask_var_t effective_cpus; + nodemask_t effective_mems; + cpumask_var_t subparts_cpus; + nodemask_t old_mems_allowed; + struct fmeter fmeter; + int attach_in_progress; + int pn; + int relax_domain_level; + int nr_subparts_cpus; + int partition_root_state; + int use_parent_ecpus; + int child_ecpus_count; +}; + +struct tmpmasks { + cpumask_var_t addmask; + cpumask_var_t delmask; + cpumask_var_t new_cpus; +}; + +typedef enum { + CS_ONLINE = 0, + CS_CPU_EXCLUSIVE = 1, + CS_MEM_EXCLUSIVE = 2, + CS_MEM_HARDWALL = 3, + CS_MEMORY_MIGRATE = 4, + CS_SCHED_LOAD_BALANCE = 5, + CS_SPREAD_PAGE = 6, + CS_SPREAD_SLAB = 7, +} cpuset_flagbits_t; + +enum subparts_cmd { + partcmd_enable = 0, + partcmd_disable = 1, + partcmd_update = 2, +}; + +struct cpuset_migrate_mm_work { + struct work_struct work; + struct mm_struct *mm; + nodemask_t from; + nodemask_t to; +}; + +typedef enum { + FILE_MEMORY_MIGRATE = 0, + FILE_CPULIST = 1, + FILE_MEMLIST = 2, + FILE_EFFECTIVE_CPULIST = 3, + FILE_EFFECTIVE_MEMLIST = 4, + FILE_SUBPARTS_CPULIST = 5, + FILE_CPU_EXCLUSIVE = 6, + FILE_MEM_EXCLUSIVE = 7, + FILE_MEM_HARDWALL = 8, + FILE_SCHED_LOAD_BALANCE = 9, + FILE_PARTITION_ROOT = 10, + FILE_SCHED_RELAX_DOMAIN_LEVEL = 11, + FILE_MEMORY_PRESSURE_ENABLED = 12, + FILE_MEMORY_PRESSURE = 13, + FILE_SPREAD_PAGE = 14, + FILE_SPREAD_SLAB = 15, +} cpuset_filetype_t; + +struct root_domain___2; + +struct cpu_stop_done { + atomic_t nr_todo; + int ret; + struct completion completion; +}; + +struct cpu_stopper { + struct task_struct *thread; + raw_spinlock_t lock; + bool enabled; + struct list_head works; + struct cpu_stop_work stop_work; +}; + +enum multi_stop_state { + MULTI_STOP_NONE = 0, + MULTI_STOP_PREPARE = 1, + MULTI_STOP_DISABLE_IRQ = 2, + MULTI_STOP_RUN = 3, + MULTI_STOP_EXIT = 4, +}; + +struct multi_stop_data { + cpu_stop_fn_t fn; + void *data; + unsigned int num_threads; + const struct cpumask *active_cpus; + enum multi_stop_state state; + atomic_t thread_ack; +}; + +typedef int __kernel_mqd_t; + +typedef __kernel_mqd_t mqd_t; + +enum audit_state { + AUDIT_DISABLED = 0, + AUDIT_BUILD_CONTEXT = 1, + AUDIT_RECORD_CONTEXT = 2, +}; + +struct audit_cap_data { + kernel_cap_t permitted; + kernel_cap_t inheritable; + union { + unsigned int fE; + kernel_cap_t effective; + }; + kernel_cap_t ambient; + kuid_t rootid; +}; + +struct audit_names { + struct list_head list; + struct filename *name; + int name_len; + bool hidden; + long unsigned int ino; + dev_t dev; + umode_t mode; + kuid_t uid; + kgid_t gid; + dev_t rdev; + u32 osid; + struct audit_cap_data fcap; + unsigned int fcap_ver; + unsigned char type; + bool should_free; +}; + +struct mq_attr { + __kernel_long_t mq_flags; + __kernel_long_t mq_maxmsg; + __kernel_long_t mq_msgsize; + __kernel_long_t mq_curmsgs; + __kernel_long_t __reserved[4]; +}; + +struct audit_proctitle { + int len; + char *value; +}; + +struct audit_aux_data; + +struct __kernel_sockaddr_storage; + +struct audit_tree_refs; + +struct audit_context { + int dummy; + int in_syscall; + enum audit_state state; + enum audit_state current_state; + unsigned int serial; + int major; + struct timespec64 ctime; + long unsigned int argv[4]; + long int return_code; + u64 prio; + int return_valid; + struct audit_names preallocated_names[5]; + int name_count; + struct list_head names_list; + char *filterkey; + struct path pwd; + struct audit_aux_data *aux; + struct audit_aux_data *aux_pids; + struct __kernel_sockaddr_storage *sockaddr; + size_t sockaddr_len; + pid_t pid; + pid_t ppid; + kuid_t uid; + kuid_t euid; + kuid_t suid; + kuid_t fsuid; + kgid_t gid; + kgid_t egid; + kgid_t sgid; + kgid_t fsgid; + long unsigned int personality; + int arch; + pid_t target_pid; + kuid_t target_auid; + kuid_t target_uid; + unsigned int target_sessionid; + u32 target_sid; + char target_comm[16]; + struct audit_tree_refs *trees; + struct audit_tree_refs *first_trees; + struct list_head killed_trees; + int tree_count; + int type; + union { + struct { + int nargs; + long int args[6]; + } socketcall; + struct { + kuid_t uid; + kgid_t gid; + umode_t mode; + u32 osid; + int has_perm; + uid_t perm_uid; + gid_t perm_gid; + umode_t perm_mode; + long unsigned int qbytes; + } ipc; + struct { + mqd_t mqdes; + struct mq_attr mqstat; + } mq_getsetattr; + struct { + mqd_t mqdes; + int sigev_signo; + } mq_notify; + struct { + mqd_t mqdes; + size_t msg_len; + unsigned int msg_prio; + struct timespec64 abs_timeout; + } mq_sendrecv; + struct { + int oflag; + umode_t mode; + struct mq_attr attr; + } mq_open; + struct { + pid_t pid; + struct audit_cap_data cap; + } capset; + struct { + int fd; + int flags; + } mmap; + struct { + int argc; + } execve; + struct { + char *name; + } module; + }; + int fds[2]; + struct audit_proctitle proctitle; +}; + +enum audit_nlgrps { + AUDIT_NLGRP_NONE = 0, + AUDIT_NLGRP_READLOG = 1, + __AUDIT_NLGRP_MAX = 2, +}; + +struct audit_status { + __u32 mask; + __u32 enabled; + __u32 failure; + __u32 pid; + __u32 rate_limit; + __u32 backlog_limit; + __u32 lost; + __u32 backlog; + union { + __u32 version; + __u32 feature_bitmap; + }; + __u32 backlog_wait_time; +}; + +struct audit_features { + __u32 vers; + __u32 mask; + __u32 features; + __u32 lock; +}; + +struct audit_tty_status { + __u32 enabled; + __u32 log_passwd; +}; + +struct audit_sig_info { + uid_t uid; + pid_t pid; + char ctx[0]; +}; + +struct __kernel_sockaddr_storage { + union { + struct { + __kernel_sa_family_t ss_family; + char __data[126]; + }; + void *__align; + }; +}; + +struct net_generic { + union { + struct { + unsigned int len; + struct callback_head rcu; + } s; + void *ptr[0]; + }; +}; + +struct pernet_operations { + struct list_head list; + int (*init)(struct net *); + void (*pre_exit)(struct net *); + void (*exit)(struct net *); + void (*exit_batch)(struct list_head *); + unsigned int *id; + size_t size; +}; + +struct scm_creds { + u32 pid; + kuid_t uid; + kgid_t gid; +}; + +struct netlink_skb_parms { + struct scm_creds creds; + __u32 portid; + __u32 dst_group; + __u32 flags; + struct sock *sk; + bool nsid_is_set; + int nsid; +}; + +struct netlink_kernel_cfg { + unsigned int groups; + unsigned int flags; + void (*input)(struct sk_buff *); + struct mutex *cb_mutex; + int (*bind)(struct net *, int); + void (*unbind)(struct net *, int); + bool (*compare)(struct net *, struct sock *); +}; + +struct audit_netlink_list { + __u32 portid; + struct net *net; + struct sk_buff_head q; +}; + +struct audit_net { + struct sock *sk; +}; + +struct auditd_connection { + struct pid *pid; + u32 portid; + struct net *net; + struct callback_head rcu; +}; + +struct audit_ctl_mutex { + struct mutex lock; + void *owner; +}; + +struct audit_buffer { + struct sk_buff *skb; + struct audit_context *ctx; + gfp_t gfp_mask; +}; + +struct audit_reply { + __u32 portid; + struct net *net; + struct sk_buff *skb; +}; + +enum { + Audit_equal = 0, + Audit_not_equal = 1, + Audit_bitmask = 2, + Audit_bittest = 3, + Audit_lt = 4, + Audit_gt = 5, + Audit_le = 6, + Audit_ge = 7, + Audit_bad = 8, +}; + +struct audit_rule_data { + __u32 flags; + __u32 action; + __u32 field_count; + __u32 mask[64]; + __u32 fields[64]; + __u32 values[64]; + __u32 fieldflags[64]; + __u32 buflen; + char buf[0]; +}; + +struct audit_field; + +struct audit_watch; + +struct audit_tree; + +struct audit_fsnotify_mark; + +struct audit_krule { + u32 pflags; + u32 flags; + u32 listnr; + u32 action; + u32 mask[64]; + u32 buflen; + u32 field_count; + char *filterkey; + struct audit_field *fields; + struct audit_field *arch_f; + struct audit_field *inode_f; + struct audit_watch *watch; + struct audit_tree *tree; + struct audit_fsnotify_mark *exe; + struct list_head rlist; + struct list_head list; + u64 prio; +}; + +struct audit_field { + u32 type; + union { + u32 val; + kuid_t uid; + kgid_t gid; + struct { + char *lsm_str; + void *lsm_rule; + }; + }; + u32 op; +}; + +struct audit_entry { + struct list_head list; + struct callback_head rcu; + struct audit_krule rule; +}; + +struct audit_buffer___2; + +typedef int __kernel_key_t; + +typedef __kernel_key_t key_t; + +struct cpu_vfs_cap_data { + __u32 magic_etc; + kernel_cap_t permitted; + kernel_cap_t inheritable; + kuid_t rootid; +}; + +struct kern_ipc_perm { + spinlock_t lock; + bool deleted; + int id; + key_t key; + kuid_t uid; + kgid_t gid; + kuid_t cuid; + kgid_t cgid; + umode_t mode; + long unsigned int seq; + void *security; + struct rhash_head khtnode; + struct callback_head rcu; + refcount_t refcount; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +typedef struct fsnotify_mark_connector *fsnotify_connp_t; + +struct fsnotify_mark_connector { + spinlock_t lock; + short unsigned int type; + short unsigned int flags; + __kernel_fsid_t fsid; + union { + fsnotify_connp_t *obj; + struct fsnotify_mark_connector *destroy_next; + }; + struct hlist_head list; +}; + +enum fsnotify_obj_type { + FSNOTIFY_OBJ_TYPE_INODE = 0, + FSNOTIFY_OBJ_TYPE_VFSMOUNT = 1, + FSNOTIFY_OBJ_TYPE_SB = 2, + FSNOTIFY_OBJ_TYPE_COUNT = 3, + FSNOTIFY_OBJ_TYPE_DETACHED = 3, +}; + +struct audit_aux_data { + struct audit_aux_data *next; + int type; +}; + +struct audit_chunk; + +struct audit_tree_refs { + struct audit_tree_refs *next; + struct audit_chunk *c[31]; +}; + +struct audit_aux_data_pids { + struct audit_aux_data d; + pid_t target_pid[16]; + kuid_t target_auid[16]; + kuid_t target_uid[16]; + unsigned int target_sessionid[16]; + u32 target_sid[16]; + char target_comm[256]; + int pid_count; +}; + +struct audit_aux_data_bprm_fcaps { + struct audit_aux_data d; + struct audit_cap_data fcap; + unsigned int fcap_ver; + struct audit_cap_data old_pcap; + struct audit_cap_data new_pcap; +}; + +struct audit_parent; + +struct audit_watch { + refcount_t count; + dev_t dev; + char *path; + long unsigned int ino; + struct audit_parent *parent; + struct list_head wlist; + struct list_head rules; +}; + +struct fsnotify_group; + +struct fsnotify_iter_info; + +struct fsnotify_mark; + +struct fsnotify_event; + +struct fsnotify_ops { + int (*handle_event)(struct fsnotify_group *, struct inode *, u32, const void *, int, const struct qstr *, u32, struct fsnotify_iter_info *); + void (*free_group_priv)(struct fsnotify_group *); + void (*freeing_mark)(struct fsnotify_mark *, struct fsnotify_group *); + void (*free_event)(struct fsnotify_event *); + void (*free_mark)(struct fsnotify_mark *); +}; + +struct inotify_group_private_data { + spinlock_t idr_lock; + struct idr idr; + struct ucounts *ucounts; +}; + +struct fsnotify_group { + const struct fsnotify_ops *ops; + refcount_t refcnt; + spinlock_t notification_lock; + struct list_head notification_list; + wait_queue_head_t notification_waitq; + unsigned int q_len; + unsigned int max_events; + unsigned int priority; + bool shutdown; + struct mutex mark_mutex; + atomic_t num_marks; + atomic_t user_waits; + struct list_head marks_list; + struct fasync_struct *fsn_fa; + struct fsnotify_event *overflow_event; + struct mem_cgroup *memcg; + union { + void *private; + struct inotify_group_private_data inotify_data; + }; +}; + +struct fsnotify_iter_info { + struct fsnotify_mark *marks[3]; + unsigned int report_mask; + int srcu_idx; +}; + +struct fsnotify_mark { + __u32 mask; + refcount_t refcnt; + struct fsnotify_group *group; + struct list_head g_list; + spinlock_t lock; + struct hlist_node obj_list; + struct fsnotify_mark_connector *connector; + __u32 ignored_mask; + unsigned int flags; +}; + +struct fsnotify_event { + struct list_head list; + struct inode *inode; +}; + +struct audit_parent { + struct list_head watches; + struct fsnotify_mark mark; +}; + +struct audit_fsnotify_mark { + dev_t dev; + long unsigned int ino; + char *path; + struct fsnotify_mark mark; + struct audit_krule *rule; +}; + +struct audit_chunk___2; + +struct audit_tree { + refcount_t count; + int goner; + struct audit_chunk___2 *root; + struct list_head chunks; + struct list_head rules; + struct list_head list; + struct list_head same_root; + struct callback_head head; + char pathname[0]; +}; + +struct node { + struct list_head list; + struct audit_tree *owner; + unsigned int index; +}; + +struct audit_chunk___2 { + struct list_head hash; + long unsigned int key; + struct fsnotify_mark *mark; + struct list_head trees; + int count; + atomic_long_t refs; + struct callback_head head; + struct node owners[0]; +}; + +struct audit_tree_mark { + struct fsnotify_mark mark; + struct audit_chunk___2 *chunk; +}; + +enum { + HASH_SIZE = 128, +}; + +struct kprobe_blacklist_entry { + struct list_head list; + long unsigned int start_addr; + long unsigned int end_addr; +}; + +struct kprobe_insn_page { + struct list_head list; + kprobe_opcode_t *insns; + struct kprobe_insn_cache *cache; + int nused; + int ngarbage; + char slot_used[0]; +}; + +enum kprobe_slot_state { + SLOT_CLEAN = 0, + SLOT_DIRTY = 1, + SLOT_USED = 2, +}; + +struct seccomp_notif_sizes { + __u16 seccomp_notif; + __u16 seccomp_notif_resp; + __u16 seccomp_data; +}; + +struct seccomp_notif { + __u64 id; + __u32 pid; + __u32 flags; + struct seccomp_data data; +}; + +struct seccomp_notif_resp { + __u64 id; + __s64 val; + __s32 error; + __u32 flags; +}; + +struct notification; + +struct seccomp_filter { + refcount_t usage; + bool log; + struct seccomp_filter *prev; + struct bpf_prog *prog; + struct notification *notif; + struct mutex notify_lock; +}; + +struct ctl_path { + const char *procname; +}; + +struct sock_fprog { + short unsigned int len; + struct sock_filter *filter; +}; + +struct compat_sock_fprog { + u16 len; + compat_uptr_t filter; +}; + +typedef int (*bpf_aux_classic_check_t)(struct sock_filter *, unsigned int); + +enum notify_state { + SECCOMP_NOTIFY_INIT = 0, + SECCOMP_NOTIFY_SENT = 1, + SECCOMP_NOTIFY_REPLIED = 2, +}; + +struct seccomp_knotif { + struct task_struct *task; + u64 id; + const struct seccomp_data *data; + enum notify_state state; + int error; + long int val; + u32 flags; + struct completion ready; + struct list_head list; +}; + +struct notification { + struct semaphore request; + u64 next_id; + struct list_head notifications; + wait_queue_head_t wqh; +}; + +struct seccomp_log_name { + u32 log; + const char *name; +}; + +struct rchan; + +struct rchan_buf { + void *start; + void *data; + size_t offset; + size_t subbufs_produced; + size_t subbufs_consumed; + struct rchan *chan; + wait_queue_head_t read_wait; + struct irq_work wakeup_work; + struct dentry *dentry; + struct kref kref; + struct page **page_array; + unsigned int page_count; + unsigned int finalized; + size_t *padding; + size_t prev_padding; + size_t bytes_consumed; + size_t early_bytes; + unsigned int cpu; + long: 32; + long: 64; + long: 64; + long: 64; +}; + +struct rchan_callbacks; + +struct rchan { + u32 version; + size_t subbuf_size; + size_t n_subbufs; + size_t alloc_size; + struct rchan_callbacks *cb; + struct kref kref; + void *private_data; + size_t last_toobig; + struct rchan_buf **buf; + int is_global; + struct list_head list; + struct dentry *parent; + int has_base_filename; + char base_filename[255]; +}; + +struct rchan_callbacks { + int (*subbuf_start)(struct rchan_buf *, void *, void *, size_t); + void (*buf_mapped)(struct rchan_buf *, struct file *); + void (*buf_unmapped)(struct rchan_buf *, struct file *); + struct dentry * (*create_buf_file)(const char *, struct dentry *, umode_t, struct rchan_buf *, int *); + int (*remove_buf_file)(struct dentry *); +}; + +struct partial_page { + unsigned int offset; + unsigned int len; + long unsigned int private; +}; + +struct splice_pipe_desc { + struct page **pages; + struct partial_page *partial; + int nr_pages; + unsigned int nr_pages_max; + const struct pipe_buf_operations *ops; + void (*spd_release)(struct splice_pipe_desc *, unsigned int); +}; + +struct rchan_percpu_buf_dispatcher { + struct rchan_buf *buf; + struct dentry *dentry; +}; + +enum { + TASKSTATS_TYPE_UNSPEC = 0, + TASKSTATS_TYPE_PID = 1, + TASKSTATS_TYPE_TGID = 2, + TASKSTATS_TYPE_STATS = 3, + TASKSTATS_TYPE_AGGR_PID = 4, + TASKSTATS_TYPE_AGGR_TGID = 5, + TASKSTATS_TYPE_NULL = 6, + __TASKSTATS_TYPE_MAX = 7, +}; + +enum { + TASKSTATS_CMD_ATTR_UNSPEC = 0, + TASKSTATS_CMD_ATTR_PID = 1, + TASKSTATS_CMD_ATTR_TGID = 2, + TASKSTATS_CMD_ATTR_REGISTER_CPUMASK = 3, + TASKSTATS_CMD_ATTR_DEREGISTER_CPUMASK = 4, + __TASKSTATS_CMD_ATTR_MAX = 5, +}; + +enum { + CGROUPSTATS_CMD_UNSPEC = 3, + CGROUPSTATS_CMD_GET = 4, + CGROUPSTATS_CMD_NEW = 5, + __CGROUPSTATS_CMD_MAX = 6, +}; + +enum { + CGROUPSTATS_TYPE_UNSPEC = 0, + CGROUPSTATS_TYPE_CGROUP_STATS = 1, + __CGROUPSTATS_TYPE_MAX = 2, +}; + +enum { + CGROUPSTATS_CMD_ATTR_UNSPEC = 0, + CGROUPSTATS_CMD_ATTR_FD = 1, + __CGROUPSTATS_CMD_ATTR_MAX = 2, +}; + +struct genlmsghdr { + __u8 cmd; + __u8 version; + __u16 reserved; +}; + +enum { + NLA_UNSPEC = 0, + NLA_U8 = 1, + NLA_U16 = 2, + NLA_U32 = 3, + NLA_U64 = 4, + NLA_STRING = 5, + NLA_FLAG = 6, + NLA_MSECS = 7, + NLA_NESTED = 8, + NLA_NESTED_ARRAY = 9, + NLA_NUL_STRING = 10, + NLA_BINARY = 11, + NLA_S8 = 12, + NLA_S16 = 13, + NLA_S32 = 14, + NLA_S64 = 15, + NLA_BITFIELD32 = 16, + NLA_REJECT = 17, + NLA_EXACT_LEN = 18, + NLA_EXACT_LEN_WARN = 19, + NLA_MIN_LEN = 20, + __NLA_TYPE_MAX = 21, +}; + +enum netlink_validation { + NL_VALIDATE_LIBERAL = 0, + NL_VALIDATE_TRAILING = 1, + NL_VALIDATE_MAXTYPE = 2, + NL_VALIDATE_UNSPEC = 4, + NL_VALIDATE_STRICT_ATTRS = 8, + NL_VALIDATE_NESTED = 16, +}; + +struct genl_multicast_group { + char name[16]; +}; + +struct genl_ops; + +struct genl_info; + +struct genl_family { + int id; + unsigned int hdrsize; + char name[16]; + unsigned int version; + unsigned int maxattr; + bool netnsok; + bool parallel_ops; + const struct nla_policy *policy; + int (*pre_doit)(const struct genl_ops *, struct sk_buff *, struct genl_info *); + void (*post_doit)(const struct genl_ops *, struct sk_buff *, struct genl_info *); + int (*mcast_bind)(struct net *, int); + void (*mcast_unbind)(struct net *, int); + struct nlattr **attrbuf; + const struct genl_ops *ops; + const struct genl_multicast_group *mcgrps; + unsigned int n_ops; + unsigned int n_mcgrps; + unsigned int mcgrp_offset; + struct module *module; +}; + +struct genl_ops { + int (*doit)(struct sk_buff *, struct genl_info *); + int (*start)(struct netlink_callback *); + int (*dumpit)(struct sk_buff *, struct netlink_callback *); + int (*done)(struct netlink_callback *); + u8 cmd; + u8 internal_flags; + u8 flags; + u8 validate; +}; + +struct genl_info { + u32 snd_seq; + u32 snd_portid; + struct nlmsghdr *nlhdr; + struct genlmsghdr *genlhdr; + void *userhdr; + struct nlattr **attrs; + possible_net_t _net; + void *user_ptr[2]; + struct netlink_ext_ack *extack; +}; + +enum genl_validate_flags { + GENL_DONT_VALIDATE_STRICT = 1, + GENL_DONT_VALIDATE_DUMP = 2, + GENL_DONT_VALIDATE_DUMP_STRICT = 4, +}; + +struct listener { + struct list_head list; + pid_t pid; + char valid; +}; + +struct listener_list { + struct rw_semaphore sem; + struct list_head list; +}; + +enum actions { + REGISTER = 0, + DEREGISTER = 1, + CPU_DONT_CARE = 2, +}; + +struct tp_module { + struct list_head list; + struct module *mod; +}; + +struct tp_probes { + struct callback_head rcu; + struct tracepoint_func probes[0]; +}; + +enum ring_buffer_type { + RINGBUF_TYPE_DATA_TYPE_LEN_MAX = 28, + RINGBUF_TYPE_PADDING = 29, + RINGBUF_TYPE_TIME_EXTEND = 30, + RINGBUF_TYPE_TIME_STAMP = 31, +}; + +enum ring_buffer_flags { + RB_FL_OVERWRITE = 1, +}; + +struct rb_irq_work { + struct irq_work work; + wait_queue_head_t waiters; + wait_queue_head_t full_waiters; + bool waiters_pending; + bool full_waiters_pending; + bool wakeup_full; +}; + +struct ring_buffer_per_cpu; + +struct ring_buffer { + unsigned int flags; + int cpus; + atomic_t record_disabled; + atomic_t resize_disabled; + cpumask_var_t cpumask; + struct lock_class_key *reader_lock_key; + struct mutex mutex; + struct ring_buffer_per_cpu **buffers; + struct hlist_node node; + u64 (*clock)(); + struct rb_irq_work irq_work; + bool time_stamp_abs; +}; + +struct buffer_page; + +struct ring_buffer_iter { + struct ring_buffer_per_cpu *cpu_buffer; + long unsigned int head; + struct buffer_page *head_page; + struct buffer_page *cache_reader_page; + long unsigned int cache_read; + u64 read_stamp; +}; + +enum { + RB_LEN_TIME_EXTEND = 8, + RB_LEN_TIME_STAMP = 8, +}; + +struct buffer_data_page { + u64 time_stamp; + local_t commit; + unsigned char data[0]; +}; + +struct buffer_page { + struct list_head list; + local_t write; + unsigned int read; + local_t entries; + long unsigned int real_end; + struct buffer_data_page *page; +}; + +struct rb_event_info { + u64 ts; + u64 delta; + long unsigned int length; + struct buffer_page *tail_page; + int add_timestamp; +}; + +enum { + RB_CTX_NMI = 0, + RB_CTX_IRQ = 1, + RB_CTX_SOFTIRQ = 2, + RB_CTX_NORMAL = 3, + RB_CTX_MAX = 4, +}; + +struct ring_buffer_per_cpu { + int cpu; + atomic_t record_disabled; + struct ring_buffer *buffer; + raw_spinlock_t reader_lock; + arch_spinlock_t lock; + struct lock_class_key lock_key; + struct buffer_data_page *free_page; + long unsigned int nr_pages; + unsigned int current_context; + struct list_head *pages; + struct buffer_page *head_page; + struct buffer_page *tail_page; + struct buffer_page *commit_page; + struct buffer_page *reader_page; + long unsigned int lost_events; + long unsigned int last_overrun; + long unsigned int nest; + local_t entries_bytes; + local_t entries; + local_t overrun; + local_t commit_overrun; + local_t dropped_events; + local_t committing; + local_t commits; + local_t pages_touched; + local_t pages_read; + long int last_pages_touch; + size_t shortest_full; + long unsigned int read; + long unsigned int read_bytes; + u64 write_stamp; + u64 read_stamp; + long int nr_pages_to_update; + struct list_head new_pages; + struct work_struct update_pages_work; + struct completion update_done; + struct rb_irq_work irq_work; +}; + +typedef struct vfsmount * (*debugfs_automount_t)(struct dentry *, void *); + +struct trace_export { + struct trace_export *next; + void (*write)(struct trace_export *, const void *, unsigned int); +}; + +struct prog_entry; + +struct event_filter { + struct prog_entry *prog; + char *filter_string; +}; + +struct trace_array_cpu; + +struct trace_buffer { + struct trace_array *tr; + struct ring_buffer *buffer; + struct trace_array_cpu *data; + u64 time_start; + int cpu; +}; + +struct trace_pid_list; + +struct trace_options; + +struct trace_array { + struct list_head list; + char *name; + struct trace_buffer trace_buffer; + struct trace_pid_list *filtered_pids; + arch_spinlock_t max_lock; + int buffer_disabled; + int stop_count; + int clock_id; + int nr_topts; + bool clear_trace; + int buffer_percent; + unsigned int n_err_log_entries; + struct tracer *current_trace; + unsigned int trace_flags; + unsigned char trace_flags_index[32]; + unsigned int flags; + raw_spinlock_t start_lock; + struct list_head err_log; + struct dentry *dir; + struct dentry *options; + struct dentry *percpu_dir; + struct dentry *event_dir; + struct trace_options *topts; + struct list_head systems; + struct list_head events; + struct trace_event_file *trace_marker_file; + cpumask_var_t tracing_cpumask; + int ref; + int time_stamp_abs_ref; + struct list_head hist_vars; +}; + +struct tracer_flags; + +struct tracer { + const char *name; + int (*init)(struct trace_array *); + void (*reset)(struct trace_array *); + void (*start)(struct trace_array *); + void (*stop)(struct trace_array *); + int (*update_thresh)(struct trace_array *); + void (*open)(struct trace_iterator *); + void (*pipe_open)(struct trace_iterator *); + void (*close)(struct trace_iterator *); + void (*pipe_close)(struct trace_iterator *); + ssize_t (*read)(struct trace_iterator *, struct file *, char *, size_t, loff_t *); + ssize_t (*splice_read)(struct trace_iterator *, struct file *, loff_t *, struct pipe_inode_info *, size_t, unsigned int); + void (*print_header)(struct seq_file *); + enum print_line_t (*print_line)(struct trace_iterator *); + int (*set_flag)(struct trace_array *, u32, u32, int); + int (*flag_changed)(struct trace_array *, u32, int); + struct tracer *next; + struct tracer_flags *flags; + int enabled; + int ref; + bool print_max; + bool allow_instances; + bool noboot; +}; + +enum trace_iter_flags { + TRACE_FILE_LAT_FMT = 1, + TRACE_FILE_ANNOTATE = 2, + TRACE_FILE_TIME_IN_NS = 4, +}; + +struct event_subsystem; + +struct trace_subsystem_dir { + struct list_head list; + struct event_subsystem *subsystem; + struct trace_array *tr; + struct dentry *entry; + int ref_count; + int nr_events; +}; + +enum trace_type { + __TRACE_FIRST_TYPE = 0, + TRACE_FN = 1, + TRACE_CTX = 2, + TRACE_WAKE = 3, + TRACE_STACK = 4, + TRACE_PRINT = 5, + TRACE_BPRINT = 6, + TRACE_MMIO_RW = 7, + TRACE_MMIO_MAP = 8, + TRACE_BRANCH = 9, + TRACE_GRAPH_RET = 10, + TRACE_GRAPH_ENT = 11, + TRACE_USER_STACK = 12, + TRACE_BLK = 13, + TRACE_BPUTS = 14, + TRACE_HWLAT = 15, + TRACE_RAW_DATA = 16, + __TRACE_LAST_TYPE = 17, +}; + +struct ftrace_entry { + struct trace_entry ent; + long unsigned int ip; + long unsigned int parent_ip; +}; + +struct stack_entry { + struct trace_entry ent; + int size; + long unsigned int caller[0]; +}; + +struct userstack_entry { + struct trace_entry ent; + unsigned int tgid; + long unsigned int caller[8]; +}; + +struct bprint_entry { + struct trace_entry ent; + long unsigned int ip; + const char *fmt; + u32 buf[0]; +}; + +struct print_entry { + struct trace_entry ent; + long unsigned int ip; + char buf[0]; +}; + +struct raw_data_entry { + struct trace_entry ent; + unsigned int id; + char buf[0]; +}; + +struct bputs_entry { + struct trace_entry ent; + long unsigned int ip; + const char *str; +}; + +enum trace_flag_type { + TRACE_FLAG_IRQS_OFF = 1, + TRACE_FLAG_IRQS_NOSUPPORT = 2, + TRACE_FLAG_NEED_RESCHED = 4, + TRACE_FLAG_HARDIRQ = 8, + TRACE_FLAG_SOFTIRQ = 16, + TRACE_FLAG_PREEMPT_RESCHED = 32, + TRACE_FLAG_NMI = 64, +}; + +struct trace_array_cpu { + atomic_t disabled; + void *buffer_page; + long unsigned int entries; + long unsigned int saved_latency; + long unsigned int critical_start; + long unsigned int critical_end; + long unsigned int critical_sequence; + long unsigned int nice; + long unsigned int policy; + long unsigned int rt_priority; + long unsigned int skipped_entries; + u64 preempt_timestamp; + pid_t pid; + kuid_t uid; + char comm[16]; + bool ignore_pid; +}; + +struct trace_option_dentry; + +struct trace_options { + struct tracer *tracer; + struct trace_option_dentry *topts; +}; + +struct tracer_opt; + +struct trace_option_dentry { + struct tracer_opt *opt; + struct tracer_flags *flags; + struct trace_array *tr; + struct dentry *entry; +}; + +struct trace_pid_list { + int pid_max; + long unsigned int *pids; +}; + +typedef bool (*cond_update_fn_t)(struct trace_array *, void *); + +enum { + TRACE_ARRAY_FL_GLOBAL = 1, +}; + +struct tracer_opt { + const char *name; + u32 bit; +}; + +struct tracer_flags { + u32 val; + struct tracer_opt *opts; + struct tracer *trace; +}; + +struct trace_parser { + bool cont; + char *buffer; + unsigned int idx; + unsigned int size; +}; + +enum trace_iterator_bits { + TRACE_ITER_PRINT_PARENT_BIT = 0, + TRACE_ITER_SYM_OFFSET_BIT = 1, + TRACE_ITER_SYM_ADDR_BIT = 2, + TRACE_ITER_VERBOSE_BIT = 3, + TRACE_ITER_RAW_BIT = 4, + TRACE_ITER_HEX_BIT = 5, + TRACE_ITER_BIN_BIT = 6, + TRACE_ITER_BLOCK_BIT = 7, + TRACE_ITER_PRINTK_BIT = 8, + TRACE_ITER_ANNOTATE_BIT = 9, + TRACE_ITER_USERSTACKTRACE_BIT = 10, + TRACE_ITER_SYM_USEROBJ_BIT = 11, + TRACE_ITER_PRINTK_MSGONLY_BIT = 12, + TRACE_ITER_CONTEXT_INFO_BIT = 13, + TRACE_ITER_LATENCY_FMT_BIT = 14, + TRACE_ITER_RECORD_CMD_BIT = 15, + TRACE_ITER_RECORD_TGID_BIT = 16, + TRACE_ITER_OVERWRITE_BIT = 17, + TRACE_ITER_STOP_ON_FREE_BIT = 18, + TRACE_ITER_IRQ_INFO_BIT = 19, + TRACE_ITER_MARKERS_BIT = 20, + TRACE_ITER_EVENT_FORK_BIT = 21, + TRACE_ITER_STACKTRACE_BIT = 22, + TRACE_ITER_LAST_BIT = 23, +}; + +enum trace_iterator_flags { + TRACE_ITER_PRINT_PARENT = 1, + TRACE_ITER_SYM_OFFSET = 2, + TRACE_ITER_SYM_ADDR = 4, + TRACE_ITER_VERBOSE = 8, + TRACE_ITER_RAW = 16, + TRACE_ITER_HEX = 32, + TRACE_ITER_BIN = 64, + TRACE_ITER_BLOCK = 128, + TRACE_ITER_PRINTK = 256, + TRACE_ITER_ANNOTATE = 512, + TRACE_ITER_USERSTACKTRACE = 1024, + TRACE_ITER_SYM_USEROBJ = 2048, + TRACE_ITER_PRINTK_MSGONLY = 4096, + TRACE_ITER_CONTEXT_INFO = 8192, + TRACE_ITER_LATENCY_FMT = 16384, + TRACE_ITER_RECORD_CMD = 32768, + TRACE_ITER_RECORD_TGID = 65536, + TRACE_ITER_OVERWRITE = 131072, + TRACE_ITER_STOP_ON_FREE = 262144, + TRACE_ITER_IRQ_INFO = 524288, + TRACE_ITER_MARKERS = 1048576, + TRACE_ITER_EVENT_FORK = 2097152, + TRACE_ITER_STACKTRACE = 4194304, +}; + +struct event_subsystem { + struct list_head list; + const char *name; + struct event_filter *filter; + int ref_count; +}; + +struct saved_cmdlines_buffer { + unsigned int map_pid_to_cmdline[32769]; + unsigned int *map_cmdline_to_pid; + unsigned int cmdline_num; + int cmdline_idx; + char *saved_cmdlines; +}; + +struct ftrace_stack { + long unsigned int calls[1024]; +}; + +struct ftrace_stacks { + struct ftrace_stack stacks[4]; +}; + +struct trace_buffer_struct { + int nesting; + char buffer[4096]; +}; + +struct ftrace_buffer_info { + struct trace_iterator iter; + void *spare; + unsigned int spare_cpu; + unsigned int read; +}; + +struct err_info { + const char **errs; + u8 type; + u8 pos; + u64 ts; +}; + +struct tracing_log_err { + struct list_head list; + struct err_info info; + char loc[128]; + char cmd[256]; +}; + +struct buffer_ref { + struct ring_buffer *buffer; + void *page; + int cpu; + refcount_t refcount; +}; + +struct ctx_switch_entry { + struct trace_entry ent; + unsigned int prev_pid; + unsigned int next_pid; + unsigned int next_cpu; + unsigned char prev_prio; + unsigned char prev_state; + unsigned char next_prio; + unsigned char next_state; +}; + +struct hwlat_entry { + struct trace_entry ent; + u64 duration; + u64 outer_duration; + u64 nmi_total_ts; + struct timespec64 timestamp; + unsigned int nmi_count; + unsigned int seqnum; +}; + +struct trace_mark { + long long unsigned int val; + char sym; +}; + +struct tracer_stat { + const char *name; + void * (*stat_start)(struct tracer_stat *); + void * (*stat_next)(void *, int); + cmp_func_t stat_cmp; + int (*stat_show)(struct seq_file *, void *); + void (*stat_release)(void *); + int (*stat_headers)(struct seq_file *); +}; + +struct stat_node { + struct rb_node node; + void *stat; +}; + +struct stat_session { + struct list_head session_list; + struct tracer_stat *ts; + struct rb_root stat_root; + struct mutex stat_mutex; + struct dentry *file; +}; + +struct trace_bprintk_fmt { + struct list_head list; + const char *fmt; +}; + +enum { + TRACE_NOP_OPT_ACCEPT = 1, + TRACE_NOP_OPT_REFUSE = 2, +}; + +typedef __u32 blk_mq_req_flags_t; + +struct blk_mq_ctxs; + +struct blk_mq_ctx { + struct { + spinlock_t lock; + struct list_head rq_lists[3]; + long: 64; + }; + unsigned int cpu; + short unsigned int index_hw[3]; + struct blk_mq_hw_ctx *hctxs[3]; + long unsigned int rq_dispatched[2]; + long unsigned int rq_merged; + long unsigned int rq_completed[2]; + struct request_queue *queue; + struct blk_mq_ctxs *ctxs; + struct kobject kobj; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct sbitmap_word; + +struct sbitmap { + unsigned int depth; + unsigned int shift; + unsigned int map_nr; + struct sbitmap_word *map; +}; + +struct blk_mq_tags; + +struct blk_mq_hw_ctx { + struct { + spinlock_t lock; + struct list_head dispatch; + long unsigned int state; + long: 64; + long: 64; + long: 64; + long: 64; + }; + struct delayed_work run_work; + cpumask_var_t cpumask; + int next_cpu; + int next_cpu_batch; + long unsigned int flags; + void *sched_data; + struct request_queue *queue; + struct blk_flush_queue *fq; + void *driver_data; + struct sbitmap ctx_map; + struct blk_mq_ctx *dispatch_from; + unsigned int dispatch_busy; + short unsigned int type; + short unsigned int nr_ctx; + struct blk_mq_ctx **ctxs; + spinlock_t dispatch_wait_lock; + wait_queue_entry_t dispatch_wait; + atomic_t wait_index; + struct blk_mq_tags *tags; + struct blk_mq_tags *sched_tags; + long unsigned int queued; + long unsigned int run; + long unsigned int dispatched[7]; + unsigned int numa_node; + unsigned int queue_num; + atomic_t nr_active; + struct hlist_node cpuhp_dead; + struct kobject kobj; + long unsigned int poll_considered; + long unsigned int poll_invoked; + long unsigned int poll_success; + struct dentry *debugfs_dir; + struct dentry *sched_debugfs_dir; + struct list_head hctx_list; + struct srcu_struct srcu[0]; + long: 64; + long: 64; + long: 64; +}; + +struct blk_mq_alloc_data { + struct request_queue *q; + blk_mq_req_flags_t flags; + unsigned int shallow_depth; + unsigned int cmd_flags; + struct blk_mq_ctx *ctx; + struct blk_mq_hw_ctx *hctx; +}; + +struct blk_stat_callback { + struct list_head list; + struct timer_list timer; + struct blk_rq_stat *cpu_stat; + int (*bucket_fn)(const struct request *); + unsigned int buckets; + struct blk_rq_stat *stat; + void (*timer_fn)(struct blk_stat_callback *); + void *data; + struct callback_head rcu; +}; + +struct blk_trace { + int trace_state; + struct rchan *rchan; + long unsigned int *sequence; + unsigned char *msg_data; + u16 act_mask; + u64 start_lba; + u64 end_lba; + u32 pid; + u32 dev; + struct dentry *dir; + struct dentry *dropped_file; + struct dentry *msg_file; + struct list_head running_list; + atomic_t dropped; +}; + +struct blk_flush_queue { + unsigned int flush_queue_delayed: 1; + unsigned int flush_pending_idx: 1; + unsigned int flush_running_idx: 1; + blk_status_t rq_status; + long unsigned int flush_pending_since; + struct list_head flush_queue[2]; + struct list_head flush_data_in_flight; + struct request *flush_rq; + struct request *orig_rq; + struct lock_class_key key; + spinlock_t mq_flush_lock; +}; + +struct blk_mq_queue_map { + unsigned int *mq_map; + unsigned int nr_queues; + unsigned int queue_offset; +}; + +struct blk_mq_tag_set { + struct blk_mq_queue_map map[3]; + unsigned int nr_maps; + const struct blk_mq_ops *ops; + unsigned int nr_hw_queues; + unsigned int queue_depth; + unsigned int reserved_tags; + unsigned int cmd_size; + int numa_node; + unsigned int timeout; + unsigned int flags; + void *driver_data; + struct blk_mq_tags **tags; + struct mutex tag_list_lock; + struct list_head tag_list; +}; + +typedef u64 compat_u64; + +enum blktrace_cat { + BLK_TC_READ = 1, + BLK_TC_WRITE = 2, + BLK_TC_FLUSH = 4, + BLK_TC_SYNC = 8, + BLK_TC_SYNCIO = 8, + BLK_TC_QUEUE = 16, + BLK_TC_REQUEUE = 32, + BLK_TC_ISSUE = 64, + BLK_TC_COMPLETE = 128, + BLK_TC_FS = 256, + BLK_TC_PC = 512, + BLK_TC_NOTIFY = 1024, + BLK_TC_AHEAD = 2048, + BLK_TC_META = 4096, + BLK_TC_DISCARD = 8192, + BLK_TC_DRV_DATA = 16384, + BLK_TC_FUA = 32768, + BLK_TC_END = 32768, +}; + +enum blktrace_act { + __BLK_TA_QUEUE = 1, + __BLK_TA_BACKMERGE = 2, + __BLK_TA_FRONTMERGE = 3, + __BLK_TA_GETRQ = 4, + __BLK_TA_SLEEPRQ = 5, + __BLK_TA_REQUEUE = 6, + __BLK_TA_ISSUE = 7, + __BLK_TA_COMPLETE = 8, + __BLK_TA_PLUG = 9, + __BLK_TA_UNPLUG_IO = 10, + __BLK_TA_UNPLUG_TIMER = 11, + __BLK_TA_INSERT = 12, + __BLK_TA_SPLIT = 13, + __BLK_TA_BOUNCE = 14, + __BLK_TA_REMAP = 15, + __BLK_TA_ABORT = 16, + __BLK_TA_DRV_DATA = 17, + __BLK_TA_CGROUP = 256, +}; + +enum blktrace_notify { + __BLK_TN_PROCESS = 0, + __BLK_TN_TIMESTAMP = 1, + __BLK_TN_MESSAGE = 2, + __BLK_TN_CGROUP = 256, +}; + +struct blk_io_trace { + __u32 magic; + __u32 sequence; + __u64 time; + __u64 sector; + __u32 bytes; + __u32 action; + __u32 pid; + __u32 device; + __u32 cpu; + __u16 error; + __u16 pdu_len; +}; + +struct blk_io_trace_remap { + __be32 device_from; + __be32 device_to; + __be64 sector_from; +}; + +enum { + Blktrace_setup = 1, + Blktrace_running = 2, + Blktrace_stopped = 3, +}; + +struct blk_user_trace_setup { + char name[32]; + __u16 act_mask; + __u32 buf_size; + __u32 buf_nr; + __u64 start_lba; + __u64 end_lba; + __u32 pid; +}; + +struct compat_blk_user_trace_setup { + char name[32]; + u16 act_mask; + short: 16; + u32 buf_size; + u32 buf_nr; + compat_u64 start_lba; + compat_u64 end_lba; + u32 pid; +} __attribute__((packed)); + +struct blkcg {}; + +struct sbitmap_word { + long unsigned int depth; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long unsigned int word; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long unsigned int cleared; + spinlock_t swap_lock; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct sbq_wait_state { + atomic_t wait_cnt; + wait_queue_head_t wait; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct sbitmap_queue { + struct sbitmap sb; + unsigned int *alloc_hint; + unsigned int wake_batch; + atomic_t wake_index; + struct sbq_wait_state *ws; + atomic_t ws_active; + bool round_robin; + unsigned int min_shallow_depth; +}; + +struct blk_mq_tags { + unsigned int nr_tags; + unsigned int nr_reserved_tags; + atomic_t active_queues; + struct sbitmap_queue bitmap_tags; + struct sbitmap_queue breserved_tags; + struct request **rqs; + struct request **static_rqs; + struct list_head page_list; +}; + +struct blk_mq_queue_data { + struct request *rq; + bool last; +}; + +struct blk_mq_ctxs { + struct kobject kobj; + struct blk_mq_ctx *queue_ctx; +}; + +typedef void blk_log_action_t(struct trace_iterator *, const char *, bool); + +struct ftrace_event_field { + struct list_head link; + const char *name; + const char *type; + int filter_type; + int offset; + int size; + int is_signed; +}; + +enum { + FORMAT_HEADER = 1, + FORMAT_FIELD_SEPERATOR = 2, + FORMAT_PRINTFMT = 3, +}; + +struct ftrace_graph_ent { + long unsigned int func; + int depth; +} __attribute__((packed)); + +struct ftrace_graph_ret { + long unsigned int func; + long unsigned int overrun; + long long unsigned int calltime; + long long unsigned int rettime; + int depth; +} __attribute__((packed)); + +struct mmiotrace_rw { + resource_size_t phys; + long unsigned int value; + long unsigned int pc; + int map_id; + unsigned char opcode; + unsigned char width; +}; + +struct mmiotrace_map { + resource_size_t phys; + long unsigned int virt; + long unsigned int len; + int map_id; + unsigned char opcode; +}; + +struct ftrace_graph_ent_entry { + struct trace_entry ent; + struct ftrace_graph_ent graph_ent; +} __attribute__((packed)); + +struct ftrace_graph_ret_entry { + struct trace_entry ent; + struct ftrace_graph_ret ret; +} __attribute__((packed)); + +struct trace_mmiotrace_rw { + struct trace_entry ent; + struct mmiotrace_rw rw; +}; + +struct trace_mmiotrace_map { + struct trace_entry ent; + struct mmiotrace_map map; +}; + +struct trace_branch { + struct trace_entry ent; + unsigned int line; + char func[31]; + char file[21]; + char correct; + char constant; +}; + +typedef long unsigned int perf_trace_t[256]; + +struct filter_pred; + +struct prog_entry { + int target; + int when_to_branch; + struct filter_pred *pred; +}; + +typedef int (*filter_pred_fn_t)(struct filter_pred *, void *); + +struct regex; + +typedef int (*regex_match_func)(char *, struct regex *, int); + +struct regex { + char pattern[256]; + int len; + int field_len; + regex_match_func match; +}; + +struct filter_pred { + filter_pred_fn_t fn; + u64 val; + struct regex regex; + short unsigned int *ops; + struct ftrace_event_field *field; + int offset; + int not; + int op; +}; + +enum regex_type { + MATCH_FULL = 0, + MATCH_FRONT_ONLY = 1, + MATCH_MIDDLE_ONLY = 2, + MATCH_END_ONLY = 3, + MATCH_GLOB = 4, + MATCH_INDEX = 5, +}; + +enum filter_op_ids { + OP_GLOB = 0, + OP_NE = 1, + OP_EQ = 2, + OP_LE = 3, + OP_LT = 4, + OP_GE = 5, + OP_GT = 6, + OP_BAND = 7, + OP_MAX = 8, +}; + +enum { + FILT_ERR_NONE = 0, + FILT_ERR_INVALID_OP = 1, + FILT_ERR_TOO_MANY_OPEN = 2, + FILT_ERR_TOO_MANY_CLOSE = 3, + FILT_ERR_MISSING_QUOTE = 4, + FILT_ERR_OPERAND_TOO_LONG = 5, + FILT_ERR_EXPECT_STRING = 6, + FILT_ERR_EXPECT_DIGIT = 7, + FILT_ERR_ILLEGAL_FIELD_OP = 8, + FILT_ERR_FIELD_NOT_FOUND = 9, + FILT_ERR_ILLEGAL_INTVAL = 10, + FILT_ERR_BAD_SUBSYS_FILTER = 11, + FILT_ERR_TOO_MANY_PREDS = 12, + FILT_ERR_INVALID_FILTER = 13, + FILT_ERR_IP_FIELD_ONLY = 14, + FILT_ERR_INVALID_VALUE = 15, + FILT_ERR_ERRNO = 16, + FILT_ERR_NO_FILTER = 17, +}; + +struct filter_parse_error { + int lasterr; + int lasterr_pos; +}; + +typedef int (*parse_pred_fn)(const char *, void *, int, struct filter_parse_error *, struct filter_pred **); + +enum { + INVERT = 1, + PROCESS_AND = 2, + PROCESS_OR = 4, +}; + +enum { + TOO_MANY_CLOSE = -1, + TOO_MANY_OPEN = -2, + MISSING_QUOTE = -3, +}; + +struct filter_list { + struct list_head list; + struct event_filter *filter; +}; + +struct event_trigger_ops; + +struct event_command; + +struct event_trigger_data { + long unsigned int count; + int ref; + struct event_trigger_ops *ops; + struct event_command *cmd_ops; + struct event_filter *filter; + char *filter_str; + void *private_data; + bool paused; + bool paused_tmp; + struct list_head list; + char *name; + struct list_head named_list; + struct event_trigger_data *named_data; +}; + +struct event_trigger_ops { + void (*func)(struct event_trigger_data *, void *, struct ring_buffer_event *); + int (*init)(struct event_trigger_ops *, struct event_trigger_data *); + void (*free)(struct event_trigger_ops *, struct event_trigger_data *); + int (*print)(struct seq_file *, struct event_trigger_ops *, struct event_trigger_data *); +}; + +struct event_command { + struct list_head list; + char *name; + enum event_trigger_type trigger_type; + int flags; + int (*func)(struct event_command *, struct trace_event_file *, char *, char *, char *); + int (*reg)(char *, struct event_trigger_ops *, struct event_trigger_data *, struct trace_event_file *); + void (*unreg)(char *, struct event_trigger_ops *, struct event_trigger_data *, struct trace_event_file *); + void (*unreg_all)(struct trace_event_file *); + int (*set_filter)(char *, struct event_trigger_data *, struct trace_event_file *); + struct event_trigger_ops * (*get_trigger_ops)(char *, char *); +}; + +struct enable_trigger_data { + struct trace_event_file *file; + bool enable; + bool hist; +}; + +enum event_command_flags { + EVENT_CMD_FL_POST_TRIGGER = 1, + EVENT_CMD_FL_NEEDS_REC = 2, +}; + +enum bpf_task_fd_type { + BPF_FD_TYPE_RAW_TRACEPOINT = 0, + BPF_FD_TYPE_TRACEPOINT = 1, + BPF_FD_TYPE_KPROBE = 2, + BPF_FD_TYPE_KRETPROBE = 3, + BPF_FD_TYPE_UPROBE = 4, + BPF_FD_TYPE_URETPROBE = 5, +}; + +struct kprobe_trace_entry_head { + struct trace_entry ent; + long unsigned int ip; +}; + +struct kretprobe_trace_entry_head { + struct trace_entry ent; + long unsigned int func; + long unsigned int ret_ip; +}; + +struct dyn_event; + +struct dyn_event_operations { + struct list_head list; + int (*create)(int, const char **); + int (*show)(struct seq_file *, struct dyn_event *); + bool (*is_busy)(struct dyn_event *); + int (*free)(struct dyn_event *); + bool (*match)(const char *, const char *, int, const char **, struct dyn_event *); +}; + +struct dyn_event { + struct list_head list; + struct dyn_event_operations *ops; +}; + +typedef int (*print_type_func_t)(struct trace_seq *, void *, void *); + +enum fetch_op { + FETCH_OP_NOP = 0, + FETCH_OP_REG = 1, + FETCH_OP_STACK = 2, + FETCH_OP_STACKP = 3, + FETCH_OP_RETVAL = 4, + FETCH_OP_IMM = 5, + FETCH_OP_COMM = 6, + FETCH_OP_ARG = 7, + FETCH_OP_FOFFS = 8, + FETCH_OP_DATA = 9, + FETCH_OP_DEREF = 10, + FETCH_OP_UDEREF = 11, + FETCH_OP_ST_RAW = 12, + FETCH_OP_ST_MEM = 13, + FETCH_OP_ST_UMEM = 14, + FETCH_OP_ST_STRING = 15, + FETCH_OP_ST_USTRING = 16, + FETCH_OP_MOD_BF = 17, + FETCH_OP_LP_ARRAY = 18, + FETCH_OP_END = 19, + FETCH_NOP_SYMBOL = 20, +}; + +struct fetch_insn { + enum fetch_op op; + union { + unsigned int param; + struct { + unsigned int size; + int offset; + }; + struct { + unsigned char basesize; + unsigned char lshift; + unsigned char rshift; + }; + long unsigned int immediate; + void *data; + }; +}; + +struct fetch_type { + const char *name; + size_t size; + int is_signed; + print_type_func_t print; + const char *fmt; + const char *fmttype; +}; + +struct probe_arg { + struct fetch_insn *code; + bool dynamic; + unsigned int offset; + unsigned int count; + const char *name; + const char *comm; + char *fmt; + const struct fetch_type *type; +}; + +struct trace_uprobe_filter { + rwlock_t rwlock; + int nr_systemwide; + struct list_head perf_events; +}; + +struct trace_probe_event { + unsigned int flags; + struct trace_event_class class; + struct trace_event_call call; + struct list_head files; + struct list_head probes; + struct trace_uprobe_filter filter[0]; +}; + +struct trace_probe { + struct list_head list; + struct trace_probe_event *event; + ssize_t size; + unsigned int nr_args; + struct probe_arg args[0]; +}; + +struct event_file_link { + struct trace_event_file *file; + struct list_head list; +}; + +enum { + TP_ERR_FILE_NOT_FOUND = 0, + TP_ERR_NO_REGULAR_FILE = 1, + TP_ERR_BAD_REFCNT = 2, + TP_ERR_REFCNT_OPEN_BRACE = 3, + TP_ERR_BAD_REFCNT_SUFFIX = 4, + TP_ERR_BAD_UPROBE_OFFS = 5, + TP_ERR_MAXACT_NO_KPROBE = 6, + TP_ERR_BAD_MAXACT = 7, + TP_ERR_MAXACT_TOO_BIG = 8, + TP_ERR_BAD_PROBE_ADDR = 9, + TP_ERR_BAD_RETPROBE = 10, + TP_ERR_NO_GROUP_NAME = 11, + TP_ERR_GROUP_TOO_LONG = 12, + TP_ERR_BAD_GROUP_NAME = 13, + TP_ERR_NO_EVENT_NAME = 14, + TP_ERR_EVENT_TOO_LONG = 15, + TP_ERR_BAD_EVENT_NAME = 16, + TP_ERR_RETVAL_ON_PROBE = 17, + TP_ERR_BAD_STACK_NUM = 18, + TP_ERR_BAD_ARG_NUM = 19, + TP_ERR_BAD_VAR = 20, + TP_ERR_BAD_REG_NAME = 21, + TP_ERR_BAD_MEM_ADDR = 22, + TP_ERR_BAD_IMM = 23, + TP_ERR_IMMSTR_NO_CLOSE = 24, + TP_ERR_FILE_ON_KPROBE = 25, + TP_ERR_BAD_FILE_OFFS = 26, + TP_ERR_SYM_ON_UPROBE = 27, + TP_ERR_TOO_MANY_OPS = 28, + TP_ERR_DEREF_NEED_BRACE = 29, + TP_ERR_BAD_DEREF_OFFS = 30, + TP_ERR_DEREF_OPEN_BRACE = 31, + TP_ERR_COMM_CANT_DEREF = 32, + TP_ERR_BAD_FETCH_ARG = 33, + TP_ERR_ARRAY_NO_CLOSE = 34, + TP_ERR_BAD_ARRAY_SUFFIX = 35, + TP_ERR_BAD_ARRAY_NUM = 36, + TP_ERR_ARRAY_TOO_BIG = 37, + TP_ERR_BAD_TYPE = 38, + TP_ERR_BAD_STRING = 39, + TP_ERR_BAD_BITFIELD = 40, + TP_ERR_ARG_NAME_TOO_LONG = 41, + TP_ERR_NO_ARG_NAME = 42, + TP_ERR_BAD_ARG_NAME = 43, + TP_ERR_USED_ARG_NAME = 44, + TP_ERR_ARG_TOO_LONG = 45, + TP_ERR_NO_ARG_BODY = 46, + TP_ERR_BAD_INSN_BNDRY = 47, + TP_ERR_FAIL_REG_PROBE = 48, + TP_ERR_DIFF_PROBE_TYPE = 49, + TP_ERR_DIFF_ARG_TYPE = 50, + TP_ERR_SAME_PROBE = 51, +}; + +struct trace_kprobe { + struct dyn_event devent; + struct kretprobe rp; + long unsigned int *nhit; + const char *symbol; + struct trace_probe tp; +}; + +struct trace_event_raw_cpu { + struct trace_entry ent; + u32 state; + u32 cpu_id; + char __data[0]; +}; + +struct trace_event_raw_powernv_throttle { + struct trace_entry ent; + int chip_id; + u32 __data_loc_reason; + int pmax; + char __data[0]; +}; + +struct trace_event_raw_pstate_sample { + struct trace_entry ent; + u32 core_busy; + u32 scaled_busy; + u32 from; + u32 to; + u64 mperf; + u64 aperf; + u64 tsc; + u32 freq; + u32 io_boost; + char __data[0]; +}; + +struct trace_event_raw_cpu_frequency_limits { + struct trace_entry ent; + u32 min_freq; + u32 max_freq; + u32 cpu_id; + char __data[0]; +}; + +struct trace_event_raw_device_pm_callback_start { + struct trace_entry ent; + u32 __data_loc_device; + u32 __data_loc_driver; + u32 __data_loc_parent; + u32 __data_loc_pm_ops; + int event; + char __data[0]; +}; + +struct trace_event_raw_device_pm_callback_end { + struct trace_entry ent; + u32 __data_loc_device; + u32 __data_loc_driver; + int error; + char __data[0]; +}; + +struct trace_event_raw_suspend_resume { + struct trace_entry ent; + const char *action; + int val; + bool start; + char __data[0]; +}; + +struct trace_event_raw_wakeup_source { + struct trace_entry ent; + u32 __data_loc_name; + u64 state; + char __data[0]; +}; + +struct trace_event_raw_clock { + struct trace_entry ent; + u32 __data_loc_name; + u64 state; + u64 cpu_id; + char __data[0]; +}; + +struct trace_event_raw_power_domain { + struct trace_entry ent; + u32 __data_loc_name; + u64 state; + u64 cpu_id; + char __data[0]; +}; + +struct trace_event_raw_pm_qos_request { + struct trace_entry ent; + int pm_qos_class; + s32 value; + char __data[0]; +}; + +struct trace_event_raw_pm_qos_update_request_timeout { + struct trace_entry ent; + int pm_qos_class; + s32 value; + long unsigned int timeout_us; + char __data[0]; +}; + +struct trace_event_raw_pm_qos_update { + struct trace_entry ent; + enum pm_qos_req_action action; + int prev_value; + int curr_value; + char __data[0]; +}; + +struct trace_event_raw_dev_pm_qos_request { + struct trace_entry ent; + u32 __data_loc_name; + enum dev_pm_qos_req_type type; + s32 new_value; + char __data[0]; +}; + +struct trace_event_data_offsets_cpu {}; + +struct trace_event_data_offsets_powernv_throttle { + u32 reason; +}; + +struct trace_event_data_offsets_pstate_sample {}; + +struct trace_event_data_offsets_cpu_frequency_limits {}; + +struct trace_event_data_offsets_device_pm_callback_start { + u32 device; + u32 driver; + u32 parent; + u32 pm_ops; +}; + +struct trace_event_data_offsets_device_pm_callback_end { + u32 device; + u32 driver; +}; + +struct trace_event_data_offsets_suspend_resume {}; + +struct trace_event_data_offsets_wakeup_source { + u32 name; +}; + +struct trace_event_data_offsets_clock { + u32 name; +}; + +struct trace_event_data_offsets_power_domain { + u32 name; +}; + +struct trace_event_data_offsets_pm_qos_request {}; + +struct trace_event_data_offsets_pm_qos_update_request_timeout {}; + +struct trace_event_data_offsets_pm_qos_update {}; + +struct trace_event_data_offsets_dev_pm_qos_request { + u32 name; +}; + +struct trace_event_raw_rpm_internal { + struct trace_entry ent; + u32 __data_loc_name; + int flags; + int usage_count; + int disable_depth; + int runtime_auto; + int request_pending; + int irq_safe; + int child_count; + char __data[0]; +}; + +struct trace_event_raw_rpm_return_int { + struct trace_entry ent; + u32 __data_loc_name; + long unsigned int ip; + int ret; + char __data[0]; +}; + +struct trace_event_data_offsets_rpm_internal { + u32 name; +}; + +struct trace_event_data_offsets_rpm_return_int { + u32 name; +}; + +struct trace_probe_log { + const char *subsystem; + const char **argv; + int argc; + int index; +}; + +enum uprobe_filter_ctx { + UPROBE_FILTER_REGISTER = 0, + UPROBE_FILTER_UNREGISTER = 1, + UPROBE_FILTER_MMAP = 2, +}; + +struct uprobe_consumer { + int (*handler)(struct uprobe_consumer *, struct pt_regs *); + int (*ret_handler)(struct uprobe_consumer *, long unsigned int, struct pt_regs *); + bool (*filter)(struct uprobe_consumer *, enum uprobe_filter_ctx, struct mm_struct *); + struct uprobe_consumer *next; +}; + +struct uprobe_trace_entry_head { + struct trace_entry ent; + long unsigned int vaddr[0]; +}; + +struct trace_uprobe { + struct dyn_event devent; + struct uprobe_consumer consumer; + struct path path; + struct inode *inode; + char *filename; + long unsigned int offset; + long unsigned int ref_ctr_offset; + long unsigned int nhit; + struct trace_probe tp; +}; + +struct uprobe_dispatch_data { + struct trace_uprobe *tu; + long unsigned int bp_addr; +}; + +struct uprobe_cpu_buffer { + struct mutex mutex; + void *buf; +}; + +typedef bool (*filter_func_t)(struct uprobe_consumer *, enum uprobe_filter_ctx, struct mm_struct *); + +typedef __u32 __le32; + +typedef __u64 __le64; + +enum { + BPF_REG_0 = 0, + BPF_REG_1 = 1, + BPF_REG_2 = 2, + BPF_REG_3 = 3, + BPF_REG_4 = 4, + BPF_REG_5 = 5, + BPF_REG_6 = 6, + BPF_REG_7 = 7, + BPF_REG_8 = 8, + BPF_REG_9 = 9, + BPF_REG_10 = 10, + __MAX_BPF_REG = 11, +}; + +enum xdp_action { + XDP_ABORTED = 0, + XDP_DROP = 1, + XDP_PASS = 2, + XDP_TX = 3, + XDP_REDIRECT = 4, +}; + +enum bpf_arg_type { + ARG_DONTCARE = 0, + ARG_CONST_MAP_PTR = 1, + ARG_PTR_TO_MAP_KEY = 2, + ARG_PTR_TO_MAP_VALUE = 3, + ARG_PTR_TO_UNINIT_MAP_VALUE = 4, + ARG_PTR_TO_MAP_VALUE_OR_NULL = 5, + ARG_PTR_TO_MEM = 6, + ARG_PTR_TO_MEM_OR_NULL = 7, + ARG_PTR_TO_UNINIT_MEM = 8, + ARG_CONST_SIZE = 9, + ARG_CONST_SIZE_OR_ZERO = 10, + ARG_PTR_TO_CTX = 11, + ARG_ANYTHING = 12, + ARG_PTR_TO_SPIN_LOCK = 13, + ARG_PTR_TO_SOCK_COMMON = 14, + ARG_PTR_TO_INT = 15, + ARG_PTR_TO_LONG = 16, + ARG_PTR_TO_SOCKET = 17, + ARG_PTR_TO_BTF_ID = 18, +}; + +enum bpf_return_type { + RET_INTEGER = 0, + RET_VOID = 1, + RET_PTR_TO_MAP_VALUE = 2, + RET_PTR_TO_MAP_VALUE_OR_NULL = 3, + RET_PTR_TO_SOCKET_OR_NULL = 4, + RET_PTR_TO_TCP_SOCK_OR_NULL = 5, + RET_PTR_TO_SOCK_COMMON_OR_NULL = 6, +}; + +struct bpf_func_proto { + u64 (*func)(u64, u64, u64, u64, u64); + bool gpl_only; + bool pkt_access; + enum bpf_return_type ret_type; + union { + struct { + enum bpf_arg_type arg1_type; + enum bpf_arg_type arg2_type; + enum bpf_arg_type arg3_type; + enum bpf_arg_type arg4_type; + enum bpf_arg_type arg5_type; + }; + enum bpf_arg_type arg_type[5]; + }; + int *btf_id; +}; + +struct bpf_array_aux { + enum bpf_prog_type type; + bool jited; + struct list_head poke_progs; + struct bpf_map *map; + struct mutex poke_mutex; + struct work_struct work; +}; + +struct bpf_array { + struct bpf_map map; + u32 elem_size; + u32 index_mask; + struct bpf_array_aux *aux; + union { + char value[0]; + void *ptrs[0]; + void *pptrs[0]; + }; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +typedef long unsigned int (*bpf_ctx_copy_t)(void *, const void *, long unsigned int, long unsigned int); + +enum bpf_text_poke_type { + BPF_MOD_CALL = 0, + BPF_MOD_JUMP = 1, +}; + +enum xdp_mem_type { + MEM_TYPE_PAGE_SHARED = 0, + MEM_TYPE_PAGE_ORDER0 = 1, + MEM_TYPE_PAGE_POOL = 2, + MEM_TYPE_ZERO_COPY = 3, + MEM_TYPE_MAX = 4, +}; + +struct zero_copy_allocator { + void (*free)(struct zero_copy_allocator *, long unsigned int); +}; + +struct bpf_prog_dummy { + struct bpf_prog prog; +}; + +typedef u64 (*btf_bpf_user_rnd_u32)(); + +struct page_pool; + +struct xdp_mem_allocator { + struct xdp_mem_info mem; + union { + void *allocator; + struct page_pool *page_pool; + struct zero_copy_allocator *zc_alloc; + }; + struct rhash_head node; + struct callback_head rcu; +}; + +struct trace_event_raw_xdp_exception { + struct trace_entry ent; + int prog_id; + u32 act; + int ifindex; + char __data[0]; +}; + +struct trace_event_raw_xdp_bulk_tx { + struct trace_entry ent; + int ifindex; + u32 act; + int drops; + int sent; + int err; + char __data[0]; +}; + +struct trace_event_raw_xdp_redirect_template { + struct trace_entry ent; + int prog_id; + u32 act; + int ifindex; + int err; + int to_ifindex; + u32 map_id; + int map_index; + char __data[0]; +}; + +struct trace_event_raw_xdp_cpumap_kthread { + struct trace_entry ent; + int map_id; + u32 act; + int cpu; + unsigned int drops; + unsigned int processed; + int sched; + char __data[0]; +}; + +struct trace_event_raw_xdp_cpumap_enqueue { + struct trace_entry ent; + int map_id; + u32 act; + int cpu; + unsigned int drops; + unsigned int processed; + int to_cpu; + char __data[0]; +}; + +struct trace_event_raw_xdp_devmap_xmit { + struct trace_entry ent; + int map_id; + u32 act; + u32 map_index; + int drops; + int sent; + int from_ifindex; + int to_ifindex; + int err; + char __data[0]; +}; + +struct trace_event_raw_mem_disconnect { + struct trace_entry ent; + const struct xdp_mem_allocator *xa; + u32 mem_id; + u32 mem_type; + const void *allocator; + char __data[0]; +}; + +struct trace_event_raw_mem_connect { + struct trace_entry ent; + const struct xdp_mem_allocator *xa; + u32 mem_id; + u32 mem_type; + const void *allocator; + const struct xdp_rxq_info *rxq; + int ifindex; + char __data[0]; +}; + +struct trace_event_raw_mem_return_failed { + struct trace_entry ent; + const struct page *page; + u32 mem_id; + u32 mem_type; + char __data[0]; +}; + +struct trace_event_data_offsets_xdp_exception {}; + +struct trace_event_data_offsets_xdp_bulk_tx {}; + +struct trace_event_data_offsets_xdp_redirect_template {}; + +struct trace_event_data_offsets_xdp_cpumap_kthread {}; + +struct trace_event_data_offsets_xdp_cpumap_enqueue {}; + +struct trace_event_data_offsets_xdp_devmap_xmit {}; + +struct trace_event_data_offsets_mem_disconnect {}; + +struct trace_event_data_offsets_mem_connect {}; + +struct trace_event_data_offsets_mem_return_failed {}; + +struct page___2; + +typedef struct page___2 *pgtable_t___2; + +struct address_space___2; + +struct mm_struct___2; + +struct dev_pagemap___2; + +struct page___2 { + long unsigned int flags; + union { + struct { + struct list_head lru; + struct address_space___2 *mapping; + long unsigned int index; + long unsigned int private; + }; + struct { + dma_addr_t dma_addr; + }; + struct { + union { + struct list_head slab_list; + struct { + struct page___2 *next; + int pages; + int pobjects; + }; + }; + struct kmem_cache *slab_cache; + void *freelist; + union { + void *s_mem; + long unsigned int counters; + struct { + unsigned int inuse: 16; + unsigned int objects: 15; + unsigned int frozen: 1; + }; + }; + }; + struct { + long unsigned int compound_head; + unsigned char compound_dtor; + unsigned char compound_order; + atomic_t compound_mapcount; + }; + struct { + long unsigned int _compound_pad_1; + long unsigned int _compound_pad_2; + struct list_head deferred_list; + }; + struct { + long unsigned int _pt_pad_1; + pgtable_t___2 pmd_huge_pte; + long unsigned int _pt_pad_2; + union { + struct mm_struct___2 *pt_mm; + atomic_t pt_frag_refcount; + }; + spinlock_t ptl; + }; + struct { + struct dev_pagemap___2 *pgmap; + void *zone_device_data; + }; + struct callback_head callback_head; + }; + union { + atomic_t _mapcount; + unsigned int page_type; + unsigned int active; + int units; + }; + atomic_t _refcount; + long: 64; +}; + +struct perf_event___2; + +struct thread_struct___2 { + struct desc_struct tls_array[3]; + long unsigned int sp; + short unsigned int es; + short unsigned int ds; + short unsigned int fsindex; + short unsigned int gsindex; + long unsigned int fsbase; + long unsigned int gsbase; + struct perf_event___2 *ptrace_bps[4]; + long unsigned int debugreg6; + long unsigned int ptrace_dr7; + long unsigned int cr2; + long unsigned int trap_nr; + long unsigned int error_code; + struct io_bitmap *io_bitmap; + long unsigned int iopl_emul; + mm_segment_t addr_limit; + unsigned int sig_on_uaccess_err: 1; + unsigned int uaccess_err: 1; + long: 62; + long: 64; + long: 64; + long: 64; + long: 64; + struct fpu fpu; +}; + +struct task_struct___2; + +struct hw_perf_event___2 { + union { + struct { + u64 config; + u64 last_tag; + long unsigned int config_base; + long unsigned int event_base; + int event_base_rdpmc; + int idx; + int last_cpu; + int flags; + struct hw_perf_event_extra extra_reg; + struct hw_perf_event_extra branch_reg; + }; + struct { + struct hrtimer hrtimer; + }; + struct { + struct list_head tp_list; + }; + struct { + u64 pwr_acc; + u64 ptsc; + }; + struct { + struct arch_hw_breakpoint info; + struct list_head bp_list; + }; + struct { + u8 iommu_bank; + u8 iommu_cntr; + u16 padding; + u64 conf; + u64 conf1; + }; + }; + struct task_struct___2 *target; + void *addr_filters; + long unsigned int addr_filters_gen; + int state; + local64_t prev_count; + u64 sample_period; + u64 last_period; + local64_t period_left; + u64 interrupts_seq; + u64 interrupts; + u64 freq_time_stamp; + u64 freq_count_stamp; +}; + +typedef void (*perf_overflow_handler_t___2)(struct perf_event___2 *, struct perf_sample_data *, struct pt_regs *); + +struct pmu___2; + +struct perf_event_context___2; + +struct ring_buffer___2; + +struct fasync_struct___2; + +struct pid_namespace___2; + +struct trace_event_call___2; + +struct perf_event___2 { + struct list_head event_entry; + struct list_head sibling_list; + struct list_head active_list; + struct rb_node group_node; + u64 group_index; + struct list_head migrate_entry; + struct hlist_node hlist_entry; + struct list_head active_entry; + int nr_siblings; + int event_caps; + int group_caps; + struct perf_event___2 *group_leader; + struct pmu___2 *pmu; + void *pmu_private; + enum perf_event_state state; + unsigned int attach_state; + local64_t count; + atomic64_t child_count; + u64 total_time_enabled; + u64 total_time_running; + u64 tstamp; + u64 shadow_ctx_time; + struct perf_event_attr attr; + u16 header_size; + u16 id_header_size; + u16 read_size; + struct hw_perf_event___2 hw; + struct perf_event_context___2 *ctx; + atomic_long_t refcount; + atomic64_t child_total_time_enabled; + atomic64_t child_total_time_running; + struct mutex child_mutex; + struct list_head child_list; + struct perf_event___2 *parent; + int oncpu; + int cpu; + struct list_head owner_entry; + struct task_struct___2 *owner; + struct mutex mmap_mutex; + atomic_t mmap_count; + struct ring_buffer___2 *rb; + struct list_head rb_entry; + long unsigned int rcu_batches; + int rcu_pending; + wait_queue_head_t waitq; + struct fasync_struct___2 *fasync; + int pending_wakeup; + int pending_kill; + int pending_disable; + struct irq_work pending; + atomic_t event_limit; + struct perf_addr_filters_head addr_filters; + struct perf_addr_filter_range *addr_filter_ranges; + long unsigned int addr_filters_gen; + struct perf_event___2 *aux_event; + void (*destroy)(struct perf_event___2 *); + struct callback_head callback_head; + struct pid_namespace___2 *ns; + u64 id; + u64 (*clock)(); + perf_overflow_handler_t___2 overflow_handler; + void *overflow_handler_context; + struct trace_event_call___2 *tp_event; + struct event_filter *filter; + void *security; + struct list_head sb_list; +}; + +struct dentry_operations___2; + +struct dentry___2 { + unsigned int d_flags; + seqcount_t d_seq; + struct hlist_bl_node d_hash; + struct dentry___2 *d_parent; + struct qstr d_name; + struct inode___2 *d_inode; + unsigned char d_iname[32]; + struct lockref d_lockref; + const struct dentry_operations___2 *d_op; + struct super_block___2 *d_sb; + long unsigned int d_time; + void *d_fsdata; + union { + struct list_head d_lru; + wait_queue_head_t *d_wait; + }; + struct list_head d_child; + struct list_head d_subdirs; + union { + struct hlist_node d_alias; + struct hlist_bl_node d_in_lookup_hash; + struct callback_head d_rcu; + } d_u; +}; + +struct address_space_operations___2; + +struct address_space___2 { + struct inode___2 *host; + struct xarray i_pages; + gfp_t gfp_mask; + atomic_t i_mmap_writable; + struct rb_root_cached i_mmap; + struct rw_semaphore i_mmap_rwsem; + long unsigned int nrpages; + long unsigned int nrexceptional; + long unsigned int writeback_index; + const struct address_space_operations___2 *a_ops; + long unsigned int flags; + errseq_t wb_err; + spinlock_t private_lock; + struct list_head private_list; + void *private_data; +}; + +struct inode_operations___2; + +struct file_operations___2; + +struct pipe_inode_info___2; + +struct block_device___2; + +struct inode___2 { + umode_t i_mode; + short unsigned int i_opflags; + kuid_t i_uid; + kgid_t i_gid; + unsigned int i_flags; + struct posix_acl *i_acl; + struct posix_acl *i_default_acl; + const struct inode_operations___2 *i_op; + struct super_block___2 *i_sb; + struct address_space___2 *i_mapping; + void *i_security; + long unsigned int i_ino; + union { + const unsigned int i_nlink; + unsigned int __i_nlink; + }; + dev_t i_rdev; + loff_t i_size; + struct timespec64 i_atime; + struct timespec64 i_mtime; + struct timespec64 i_ctime; + spinlock_t i_lock; + short unsigned int i_bytes; + u8 i_blkbits; + u8 i_write_hint; + blkcnt_t i_blocks; + long unsigned int i_state; + struct rw_semaphore i_rwsem; + long unsigned int dirtied_when; + long unsigned int dirtied_time_when; + struct hlist_node i_hash; + struct list_head i_io_list; + struct list_head i_lru; + struct list_head i_sb_list; + struct list_head i_wb_list; + union { + struct hlist_head i_dentry; + struct callback_head i_rcu; + }; + atomic64_t i_version; + atomic_t i_count; + atomic_t i_dio_count; + atomic_t i_writecount; + atomic_t i_readcount; + union { + const struct file_operations___2 *i_fop; + void (*free_inode)(struct inode___2 *); + }; + struct file_lock_context *i_flctx; + struct address_space___2 i_data; + struct list_head i_devices; + union { + struct pipe_inode_info___2 *i_pipe; + struct block_device___2 *i_bdev; + struct cdev *i_cdev; + char *i_link; + unsigned int i_dir_seq; + }; + __u32 i_generation; + __u32 i_fsnotify_mask; + struct fsnotify_mark_connector *i_fsnotify_marks; + void *i_private; +}; + +struct vfsmount___2; + +struct path___2; + +struct dentry_operations___2 { + int (*d_revalidate)(struct dentry___2 *, unsigned int); + int (*d_weak_revalidate)(struct dentry___2 *, unsigned int); + int (*d_hash)(const struct dentry___2 *, struct qstr *); + int (*d_compare)(const struct dentry___2 *, unsigned int, const char *, const struct qstr *); + int (*d_delete)(const struct dentry___2 *); + int (*d_init)(struct dentry___2 *); + void (*d_release)(struct dentry___2 *); + void (*d_prune)(struct dentry___2 *); + void (*d_iput)(struct dentry___2 *, struct inode___2 *); + char * (*d_dname)(struct dentry___2 *, char *, int); + struct vfsmount___2 * (*d_automount)(struct path___2 *); + int (*d_manage)(const struct path___2 *, bool); + struct dentry___2 * (*d_real)(struct dentry___2 *, const struct inode___2 *); + long: 64; + long: 64; + long: 64; +}; + +struct quota_format_type___2; + +struct mem_dqinfo___2 { + struct quota_format_type___2 *dqi_format; + int dqi_fmt_id; + struct list_head dqi_dirty_list; + long unsigned int dqi_flags; + unsigned int dqi_bgrace; + unsigned int dqi_igrace; + qsize_t dqi_max_spc_limit; + qsize_t dqi_max_ino_limit; + void *dqi_priv; +}; + +struct quota_format_ops___2; + +struct quota_info___2 { + unsigned int flags; + struct rw_semaphore dqio_sem; + struct inode___2 *files[3]; + struct mem_dqinfo___2 info[3]; + const struct quota_format_ops___2 *ops[3]; +}; + +struct rcuwait___2 { + struct task_struct___2 *task; +}; + +struct percpu_rw_semaphore___2 { + struct rcu_sync rss; + unsigned int *read_count; + struct rw_semaphore rw_sem; + struct rcuwait___2 writer; + int readers_block; +}; + +struct sb_writers___2 { + int frozen; + wait_queue_head_t wait_unfrozen; + struct percpu_rw_semaphore___2 rw_sem[3]; +}; + +struct file_system_type___2; + +struct super_operations___2; + +struct dquot_operations___2; + +struct quotactl_ops___2; + +struct user_namespace___2; + +struct super_block___2 { + struct list_head s_list; + dev_t s_dev; + unsigned char s_blocksize_bits; + long unsigned int s_blocksize; + loff_t s_maxbytes; + struct file_system_type___2 *s_type; + const struct super_operations___2 *s_op; + const struct dquot_operations___2 *dq_op; + const struct quotactl_ops___2 *s_qcop; + const struct export_operations *s_export_op; + long unsigned int s_flags; + long unsigned int s_iflags; + long unsigned int s_magic; + struct dentry___2 *s_root; + struct rw_semaphore s_umount; + int s_count; + atomic_t s_active; + void *s_security; + const struct xattr_handler **s_xattr; + struct hlist_bl_head s_roots; + struct list_head s_mounts; + struct block_device___2 *s_bdev; + struct backing_dev_info *s_bdi; + struct mtd_info *s_mtd; + struct hlist_node s_instances; + unsigned int s_quota_types; + struct quota_info___2 s_dquot; + struct sb_writers___2 s_writers; + void *s_fs_info; + u32 s_time_gran; + time64_t s_time_min; + time64_t s_time_max; + __u32 s_fsnotify_mask; + struct fsnotify_mark_connector *s_fsnotify_marks; + char s_id[32]; + uuid_t s_uuid; + unsigned int s_max_links; + fmode_t s_mode; + struct mutex s_vfs_rename_mutex; + const char *s_subtype; + const struct dentry_operations___2 *s_d_op; + int cleancache_poolid; + struct shrinker s_shrink; + atomic_long_t s_remove_count; + atomic_long_t s_fsnotify_inode_refs; + int s_readonly_remount; + struct workqueue_struct *s_dio_done_wq; + struct hlist_head s_pins; + struct user_namespace___2 *s_user_ns; + struct list_lru s_dentry_lru; + struct list_lru s_inode_lru; + struct callback_head rcu; + struct work_struct destroy_work; + struct mutex s_sync_lock; + int s_stack_depth; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + spinlock_t s_inode_list_lock; + struct list_head s_inodes; + spinlock_t s_inode_wblist_lock; + struct list_head s_inodes_wb; + long: 64; + long: 64; +}; + +struct vfsmount___2 { + struct dentry___2 *mnt_root; + struct super_block___2 *mnt_sb; + int mnt_flags; +}; + +struct path___2 { + struct vfsmount___2 *mnt; + struct dentry___2 *dentry; +}; + +struct vm_area_struct___2; + +struct vmacache___2 { + u64 seqnum; + struct vm_area_struct___2 *vmas[4]; +}; + +struct vm_operations_struct___2; + +struct file___2; + +struct vm_area_struct___2 { + long unsigned int vm_start; + long unsigned int vm_end; + struct vm_area_struct___2 *vm_next; + struct vm_area_struct___2 *vm_prev; + struct rb_node vm_rb; + long unsigned int rb_subtree_gap; + struct mm_struct___2 *vm_mm; + pgprot_t vm_page_prot; + long unsigned int vm_flags; + struct { + struct rb_node rb; + long unsigned int rb_subtree_last; + } shared; + struct list_head anon_vma_chain; + struct anon_vma *anon_vma; + const struct vm_operations_struct___2 *vm_ops; + long unsigned int vm_pgoff; + struct file___2 *vm_file; + void *vm_private_data; + atomic_long_t swap_readahead_info; + struct mempolicy *vm_policy; + struct vm_userfaultfd_ctx vm_userfaultfd_ctx; +}; + +struct page_frag___2 { + struct page___2 *page; + __u32 offset; + __u32 size; +}; + +struct core_state___2; + +struct mm_struct___2 { + struct { + struct vm_area_struct___2 *mmap; + struct rb_root mm_rb; + u64 vmacache_seqnum; + long unsigned int (*get_unmapped_area)(struct file___2 *, long unsigned int, long unsigned int, long unsigned int, long unsigned int); + long unsigned int mmap_base; + long unsigned int mmap_legacy_base; + long unsigned int mmap_compat_base; + long unsigned int mmap_compat_legacy_base; + long unsigned int task_size; + long unsigned int highest_vm_end; + pgd_t *pgd; + atomic_t membarrier_state; + atomic_t mm_users; + atomic_t mm_count; + atomic_long_t pgtables_bytes; + int map_count; + spinlock_t page_table_lock; + struct rw_semaphore mmap_sem; + struct list_head mmlist; + long unsigned int hiwater_rss; + long unsigned int hiwater_vm; + long unsigned int total_vm; + long unsigned int locked_vm; + atomic64_t pinned_vm; + long unsigned int data_vm; + long unsigned int exec_vm; + long unsigned int stack_vm; + long unsigned int def_flags; + spinlock_t arg_lock; + long unsigned int start_code; + long unsigned int end_code; + long unsigned int start_data; + long unsigned int end_data; + long unsigned int start_brk; + long unsigned int brk; + long unsigned int start_stack; + long unsigned int arg_start; + long unsigned int arg_end; + long unsigned int env_start; + long unsigned int env_end; + long unsigned int saved_auxv[46]; + struct mm_rss_stat rss_stat; + struct linux_binfmt *binfmt; + mm_context_t context; + long unsigned int flags; + struct core_state___2 *core_state; + spinlock_t ioctx_lock; + struct kioctx_table *ioctx_table; + struct user_namespace___2 *user_ns; + struct file___2 *exe_file; + struct mmu_notifier_mm *mmu_notifier_mm; + atomic_t tlb_flush_pending; + bool tlb_flush_batched; + struct uprobes_state uprobes_state; + atomic_long_t hugetlb_usage; + struct work_struct async_put_work; + }; + long unsigned int cpu_bitmap[0]; +}; + +struct pid___2; + +struct cred___2; + +struct nsproxy___2; + +struct signal_struct___2; + +struct css_set___2; + +struct vm_struct___2; + +struct task_struct___2 { + struct thread_info thread_info; + volatile long int state; + void *stack; + refcount_t usage; + unsigned int flags; + unsigned int ptrace; + struct llist_node wake_entry; + int on_cpu; + unsigned int cpu; + unsigned int wakee_flips; + long unsigned int wakee_flip_decay_ts; + struct task_struct___2 *last_wakee; + int recent_used_cpu; + int wake_cpu; + int on_rq; + int prio; + int static_prio; + int normal_prio; + unsigned int rt_priority; + const struct sched_class *sched_class; + struct sched_entity se; + struct sched_rt_entity rt; + struct task_group *sched_task_group; + struct sched_dl_entity dl; + unsigned int btrace_seq; + unsigned int policy; + int nr_cpus_allowed; + const cpumask_t *cpus_ptr; + cpumask_t cpus_mask; + struct sched_info sched_info; + struct list_head tasks; + struct plist_node pushable_tasks; + struct rb_node pushable_dl_tasks; + struct mm_struct___2 *mm; + struct mm_struct___2 *active_mm; + struct vmacache___2 vmacache; + struct task_rss_stat rss_stat; + int exit_state; + int exit_code; + int exit_signal; + int pdeath_signal; + long unsigned int jobctl; + unsigned int personality; + unsigned int sched_reset_on_fork: 1; + unsigned int sched_contributes_to_load: 1; + unsigned int sched_migrated: 1; + unsigned int sched_remote_wakeup: 1; + int: 28; + unsigned int in_execve: 1; + unsigned int in_iowait: 1; + unsigned int restore_sigmask: 1; + unsigned int no_cgroup_migration: 1; + unsigned int frozen: 1; + long unsigned int atomic_flags; + struct restart_block restart_block; + pid_t pid; + pid_t tgid; + long unsigned int stack_canary; + struct task_struct___2 *real_parent; + struct task_struct___2 *parent; + struct list_head children; + struct list_head sibling; + struct task_struct___2 *group_leader; + struct list_head ptraced; + struct list_head ptrace_entry; + struct pid___2 *thread_pid; + struct hlist_node pid_links[4]; + struct list_head thread_group; + struct list_head thread_node; + struct completion *vfork_done; + int *set_child_tid; + int *clear_child_tid; + u64 utime; + u64 stime; + u64 gtime; + struct prev_cputime prev_cputime; + long unsigned int nvcsw; + long unsigned int nivcsw; + u64 start_time; + u64 start_boottime; + long unsigned int min_flt; + long unsigned int maj_flt; + struct posix_cputimers posix_cputimers; + const struct cred___2 *ptracer_cred; + const struct cred___2 *real_cred; + const struct cred___2 *cred; + struct key *cached_requested_key; + char comm[16]; + struct nameidata *nameidata; + struct sysv_sem sysvsem; + struct sysv_shm sysvshm; + struct fs_struct *fs; + struct files_struct *files; + struct nsproxy___2 *nsproxy; + struct signal_struct___2 *signal; + struct sighand_struct *sighand; + sigset_t blocked; + sigset_t real_blocked; + sigset_t saved_sigmask; + struct sigpending pending; + long unsigned int sas_ss_sp; + size_t sas_ss_size; + unsigned int sas_ss_flags; + struct callback_head *task_works; + struct audit_context *audit_context; + kuid_t loginuid; + unsigned int sessionid; + struct seccomp seccomp; + u32 parent_exec_id; + u32 self_exec_id; + spinlock_t alloc_lock; + raw_spinlock_t pi_lock; + struct wake_q_node wake_q; + struct rb_root_cached pi_waiters; + struct task_struct___2 *pi_top_task; + struct rt_mutex_waiter *pi_blocked_on; + void *journal_info; + struct bio_list *bio_list; + struct blk_plug *plug; + struct reclaim_state *reclaim_state; + struct backing_dev_info *backing_dev_info; + struct io_context *io_context; + struct capture_control *capture_control; + long unsigned int ptrace_message; + kernel_siginfo_t *last_siginfo; + struct task_io_accounting ioac; + u64 acct_rss_mem1; + u64 acct_vm_mem1; + u64 acct_timexpd; + nodemask_t mems_allowed; + seqcount_t mems_allowed_seq; + int cpuset_mem_spread_rotor; + int cpuset_slab_spread_rotor; + struct css_set___2 *cgroups; + struct list_head cg_list; + struct robust_list_head *robust_list; + struct compat_robust_list_head *compat_robust_list; + struct list_head pi_state_list; + struct futex_pi_state *pi_state_cache; + struct mutex futex_exit_mutex; + unsigned int futex_state; + struct perf_event_context___2 *perf_event_ctxp[2]; + struct mutex perf_event_mutex; + struct list_head perf_event_list; + struct mempolicy *mempolicy; + short int il_prev; + short int pref_node_fork; + struct rseq *rseq; + u32 rseq_sig; + long unsigned int rseq_event_mask; + struct tlbflush_unmap_batch tlb_ubc; + union { + refcount_t rcu_users; + struct callback_head rcu; + }; + struct pipe_inode_info___2 *splice_pipe; + struct page_frag___2 task_frag; + struct task_delay_info *delays; + int nr_dirtied; + int nr_dirtied_pause; + long unsigned int dirty_paused_when; + u64 timer_slack_ns; + u64 default_timer_slack_ns; + long unsigned int trace; + long unsigned int trace_recursion; + struct uprobe_task *utask; + int pagefault_disabled; + struct task_struct___2 *oom_reaper_list; + struct vm_struct___2 *stack_vm_area; + refcount_t stack_refcount; + void *security; + long: 64; + long: 64; + long: 64; + struct thread_struct___2 thread; +}; + +struct dev_pagemap_ops___2; + +struct dev_pagemap___2 { + struct vmem_altmap altmap; + struct resource res; + struct percpu_ref *ref; + struct percpu_ref internal_ref; + struct completion done; + enum memory_type type; + unsigned int flags; + const struct dev_pagemap_ops___2 *ops; +}; + +struct fown_struct___2 { + rwlock_t lock; + struct pid___2 *pid; + enum pid_type pid_type; + kuid_t uid; + kuid_t euid; + int signum; +}; + +struct file___2 { + union { + struct llist_node fu_llist; + struct callback_head fu_rcuhead; + } f_u; + struct path___2 f_path; + struct inode___2 *f_inode; + const struct file_operations___2 *f_op; + spinlock_t f_lock; + enum rw_hint f_write_hint; + atomic_long_t f_count; + unsigned int f_flags; + fmode_t f_mode; + struct mutex f_pos_lock; + loff_t f_pos; + struct fown_struct___2 f_owner; + const struct cred___2 *f_cred; + struct file_ra_state f_ra; + u64 f_version; + void *f_security; + void *private_data; + struct list_head f_ep_links; + struct list_head f_tfile_llink; + struct address_space___2 *f_mapping; + errseq_t f_wb_err; +}; + +struct vm_fault___2; + +struct vm_operations_struct___2 { + void (*open)(struct vm_area_struct___2 *); + void (*close)(struct vm_area_struct___2 *); + int (*split)(struct vm_area_struct___2 *, long unsigned int); + int (*mremap)(struct vm_area_struct___2 *); + vm_fault_t (*fault)(struct vm_fault___2 *); + vm_fault_t (*huge_fault)(struct vm_fault___2 *, enum page_entry_size); + void (*map_pages)(struct vm_fault___2 *, long unsigned int, long unsigned int); + long unsigned int (*pagesize)(struct vm_area_struct___2 *); + vm_fault_t (*page_mkwrite)(struct vm_fault___2 *); + vm_fault_t (*pfn_mkwrite)(struct vm_fault___2 *); + int (*access)(struct vm_area_struct___2 *, long unsigned int, void *, int, int); + const char * (*name)(struct vm_area_struct___2 *); + int (*set_policy)(struct vm_area_struct___2 *, struct mempolicy *); + struct mempolicy * (*get_policy)(struct vm_area_struct___2 *, long unsigned int); + struct page___2 * (*find_special_page)(struct vm_area_struct___2 *, long unsigned int); +}; + +struct core_thread___2 { + struct task_struct___2 *task; + struct core_thread___2 *next; +}; + +struct core_state___2 { + atomic_t nr_threads; + struct core_thread___2 dumper; + struct completion startup; +}; + +struct proc_ns_operations___2; + +struct ns_common___2 { + atomic_long_t stashed; + const struct proc_ns_operations___2 *ops; + unsigned int inum; +}; + +struct ucounts___2; + +struct user_namespace___2 { + struct uid_gid_map uid_map; + struct uid_gid_map gid_map; + struct uid_gid_map projid_map; + atomic_t count; + struct user_namespace___2 *parent; + int level; + kuid_t owner; + kgid_t group; + struct ns_common___2 ns; + long unsigned int flags; + struct list_head keyring_name_list; + struct key *user_keyring_register; + struct rw_semaphore keyring_sem; + struct work_struct work; + struct ctl_table_set set; + struct ctl_table_header *sysctls; + struct ucounts___2 *ucounts; + int ucount_max[9]; +}; + +struct vm_fault___2 { + struct vm_area_struct___2 *vma; + unsigned int flags; + gfp_t gfp_mask; + long unsigned int pgoff; + long unsigned int address; + pmd_t *pmd; + pud_t *pud; + pte_t orig_pte; + struct page___2 *cow_page; + struct mem_cgroup *memcg; + struct page___2 *page; + pte_t *pte; + spinlock_t *ptl; + pgtable_t___2 prealloc_pte; +}; + +struct pglist_data___2; + +struct zone___2 { + long unsigned int _watermark[3]; + long unsigned int watermark_boost; + long unsigned int nr_reserved_highatomic; + long int lowmem_reserve[4]; + int node; + struct pglist_data___2 *zone_pgdat; + struct per_cpu_pageset *pageset; + long unsigned int zone_start_pfn; + atomic_long_t managed_pages; + long unsigned int spanned_pages; + long unsigned int present_pages; + const char *name; + int initialized; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct zone_padding _pad1_; + struct free_area free_area[11]; + long unsigned int flags; + spinlock_t lock; + long: 32; + long: 64; + long: 64; + long: 64; + struct zone_padding _pad2_; + long unsigned int percpu_drift_mark; + long unsigned int compact_cached_free_pfn; + long unsigned int compact_cached_migrate_pfn[2]; + long unsigned int compact_init_migrate_pfn; + long unsigned int compact_init_free_pfn; + unsigned int compact_considered; + unsigned int compact_defer_shift; + int compact_order_failed; + bool compact_blockskip_flush; + bool contiguous; + short: 16; + struct zone_padding _pad3_; + atomic_long_t vm_stat[12]; + atomic_long_t vm_numa_stat[6]; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct zoneref___2 { + struct zone___2 *zone; + int zone_idx; +}; + +struct zonelist___2 { + struct zoneref___2 _zonerefs[257]; +}; + +struct pglist_data___2 { + struct zone___2 node_zones[4]; + struct zonelist___2 node_zonelists[2]; + int nr_zones; + long unsigned int node_start_pfn; + long unsigned int node_present_pages; + long unsigned int node_spanned_pages; + int node_id; + wait_queue_head_t kswapd_wait; + wait_queue_head_t pfmemalloc_wait; + struct task_struct___2 *kswapd; + int kswapd_order; + enum zone_type kswapd_classzone_idx; + int kswapd_failures; + int kcompactd_max_order; + enum zone_type kcompactd_classzone_idx; + wait_queue_head_t kcompactd_wait; + struct task_struct___2 *kcompactd; + long unsigned int totalreserve_pages; + long unsigned int min_unmapped_pages; + long unsigned int min_slab_pages; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct zone_padding _pad1_; + spinlock_t lru_lock; + struct lruvec __lruvec; + long unsigned int flags; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct zone_padding _pad2_; + struct per_cpu_nodestat *per_cpu_nodestats; + atomic_long_t vm_stat[32]; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct fwnode_operations___2; + +struct device___2; + +struct fwnode_handle___2 { + struct fwnode_handle___2 *secondary; + const struct fwnode_operations___2 *ops; + struct device___2 *dev; +}; + +struct fwnode_reference_args___2; + +struct fwnode_endpoint___2; + +struct fwnode_operations___2 { + struct fwnode_handle___2 * (*get)(struct fwnode_handle___2 *); + void (*put)(struct fwnode_handle___2 *); + bool (*device_is_available)(const struct fwnode_handle___2 *); + const void * (*device_get_match_data)(const struct fwnode_handle___2 *, const struct device___2 *); + bool (*property_present)(const struct fwnode_handle___2 *, const char *); + int (*property_read_int_array)(const struct fwnode_handle___2 *, const char *, unsigned int, void *, size_t); + int (*property_read_string_array)(const struct fwnode_handle___2 *, const char *, const char **, size_t); + const char * (*get_name)(const struct fwnode_handle___2 *); + const char * (*get_name_prefix)(const struct fwnode_handle___2 *); + struct fwnode_handle___2 * (*get_parent)(const struct fwnode_handle___2 *); + struct fwnode_handle___2 * (*get_next_child_node)(const struct fwnode_handle___2 *, struct fwnode_handle___2 *); + struct fwnode_handle___2 * (*get_named_child_node)(const struct fwnode_handle___2 *, const char *); + int (*get_reference_args)(const struct fwnode_handle___2 *, const char *, const char *, unsigned int, unsigned int, struct fwnode_reference_args___2 *); + struct fwnode_handle___2 * (*graph_get_next_endpoint)(const struct fwnode_handle___2 *, struct fwnode_handle___2 *); + struct fwnode_handle___2 * (*graph_get_remote_endpoint)(const struct fwnode_handle___2 *); + struct fwnode_handle___2 * (*graph_get_port_parent)(struct fwnode_handle___2 *); + int (*graph_parse_endpoint)(const struct fwnode_handle___2 *, struct fwnode_endpoint___2 *); + int (*add_links)(const struct fwnode_handle___2 *, struct device___2 *); +}; + +struct kset___2; + +struct kobj_type___2; + +struct kernfs_node___2; + +struct kobject___2 { + const char *name; + struct list_head entry; + struct kobject___2 *parent; + struct kset___2 *kset; + struct kobj_type___2 *ktype; + struct kernfs_node___2 *sd; + struct kref kref; + unsigned int state_initialized: 1; + unsigned int state_in_sysfs: 1; + unsigned int state_add_uevent_sent: 1; + unsigned int state_remove_uevent_sent: 1; + unsigned int uevent_suppress: 1; +}; + +struct wakeup_source___2; + +struct dev_pm_info___2 { + pm_message_t power_state; + unsigned int can_wakeup: 1; + unsigned int async_suspend: 1; + bool in_dpm_list: 1; + bool is_prepared: 1; + bool is_suspended: 1; + bool is_noirq_suspended: 1; + bool is_late_suspended: 1; + bool no_pm: 1; + bool early_init: 1; + bool direct_complete: 1; + u32 driver_flags; + spinlock_t lock; + struct list_head entry; + struct completion completion; + struct wakeup_source___2 *wakeup; + bool wakeup_path: 1; + bool syscore: 1; + bool no_pm_callbacks: 1; + unsigned int must_resume: 1; + unsigned int may_skip_resume: 1; + struct hrtimer suspend_timer; + long unsigned int timer_expires; + struct work_struct work; + wait_queue_head_t wait_queue; + struct wake_irq *wakeirq; + atomic_t usage_count; + atomic_t child_count; + unsigned int disable_depth: 3; + unsigned int idle_notification: 1; + unsigned int request_pending: 1; + unsigned int deferred_resume: 1; + unsigned int runtime_auto: 1; + bool ignore_children: 1; + unsigned int no_callbacks: 1; + unsigned int irq_safe: 1; + unsigned int use_autosuspend: 1; + unsigned int timer_autosuspends: 1; + unsigned int memalloc_noio: 1; + unsigned int links_count; + enum rpm_request request; + enum rpm_status runtime_status; + int runtime_error; + int autosuspend_delay; + u64 last_busy; + u64 active_time; + u64 suspended_time; + u64 accounting_timestamp; + struct pm_subsys_data *subsys_data; + void (*set_latency_tolerance)(struct device___2 *, s32); + struct dev_pm_qos *qos; +}; + +struct device_type___2; + +struct bus_type___2; + +struct device_driver___2; + +struct dev_pm_domain___2; + +struct dma_map_ops___2; + +struct device_node___2; + +struct class___2; + +struct attribute_group___2; + +struct device___2 { + struct kobject___2 kobj; + struct device___2 *parent; + struct device_private *p; + const char *init_name; + const struct device_type___2 *type; + struct bus_type___2 *bus; + struct device_driver___2 *driver; + void *platform_data; + void *driver_data; + struct mutex mutex; + struct dev_links_info links; + struct dev_pm_info___2 power; + struct dev_pm_domain___2 *pm_domain; + struct irq_domain *msi_domain; + struct list_head msi_list; + const struct dma_map_ops___2 *dma_ops; + u64 *dma_mask; + u64 coherent_dma_mask; + u64 bus_dma_limit; + long unsigned int dma_pfn_offset; + struct device_dma_parameters *dma_parms; + struct list_head dma_pools; + struct dev_archdata archdata; + struct device_node___2 *of_node; + struct fwnode_handle___2 *fwnode; + int numa_node; + dev_t devt; + u32 id; + spinlock_t devres_lock; + struct list_head devres_head; + struct class___2 *class; + const struct attribute_group___2 **groups; + void (*release)(struct device___2 *); + struct iommu_group *iommu_group; + struct iommu_fwspec *iommu_fwspec; + struct iommu_param *iommu_param; + bool offline_disabled: 1; + bool offline: 1; + bool of_node_reused: 1; + bool state_synced: 1; +}; + +struct fwnode_endpoint___2 { + unsigned int port; + unsigned int id; + const struct fwnode_handle___2 *local_fwnode; +}; + +struct fwnode_reference_args___2 { + struct fwnode_handle___2 *fwnode; + unsigned int nargs; + u64 args[8]; +}; + +struct vm_struct___2 { + struct vm_struct___2 *next; + void *addr; + long unsigned int size; + long unsigned int flags; + struct page___2 **pages; + unsigned int nr_pages; + phys_addr_t phys_addr; + const void *caller; +}; + +struct smp_ops___2 { + void (*smp_prepare_boot_cpu)(); + void (*smp_prepare_cpus)(unsigned int); + void (*smp_cpus_done)(unsigned int); + void (*stop_other_cpus)(int); + void (*crash_stop_other_cpus)(); + void (*smp_send_reschedule)(int); + int (*cpu_up)(unsigned int, struct task_struct___2 *); + int (*cpu_disable)(); + void (*cpu_die)(unsigned int); + void (*play_dead)(); + void (*send_call_func_ipi)(const struct cpumask *); + void (*send_call_func_single_ipi)(int); +}; + +struct upid___2 { + int nr; + struct pid_namespace___2 *ns; +}; + +struct pid_namespace___2 { + struct kref kref; + struct idr idr; + struct callback_head rcu; + unsigned int pid_allocated; + struct task_struct___2 *child_reaper; + struct kmem_cache *pid_cachep; + unsigned int level; + struct pid_namespace___2 *parent; + struct vfsmount___2 *proc_mnt; + struct dentry___2 *proc_self; + struct dentry___2 *proc_thread_self; + struct fs_pin *bacct; + struct user_namespace___2 *user_ns; + struct ucounts___2 *ucounts; + struct work_struct proc_work; + kgid_t pid_gid; + int hide_pid; + int reboot; + struct ns_common___2 ns; +}; + +struct pid___2 { + refcount_t count; + unsigned int level; + struct hlist_head tasks[4]; + wait_queue_head_t wait_pidfd; + struct callback_head rcu; + struct upid___2 numbers[1]; +}; + +struct signal_struct___2 { + refcount_t sigcnt; + atomic_t live; + int nr_threads; + struct list_head thread_head; + wait_queue_head_t wait_chldexit; + struct task_struct___2 *curr_target; + struct sigpending shared_pending; + struct hlist_head multiprocess; + int group_exit_code; + int notify_count; + struct task_struct___2 *group_exit_task; + int group_stop_count; + unsigned int flags; + unsigned int is_child_subreaper: 1; + unsigned int has_child_subreaper: 1; + int posix_timer_id; + struct list_head posix_timers; + struct hrtimer real_timer; + ktime_t it_real_incr; + struct cpu_itimer it[2]; + struct thread_group_cputimer cputimer; + struct posix_cputimers posix_cputimers; + struct pid___2 *pids[4]; + struct pid___2 *tty_old_pgrp; + int leader; + struct tty_struct *tty; + seqlock_t stats_lock; + u64 utime; + u64 stime; + u64 cutime; + u64 cstime; + u64 gtime; + u64 cgtime; + struct prev_cputime prev_cputime; + long unsigned int nvcsw; + long unsigned int nivcsw; + long unsigned int cnvcsw; + long unsigned int cnivcsw; + long unsigned int min_flt; + long unsigned int maj_flt; + long unsigned int cmin_flt; + long unsigned int cmaj_flt; + long unsigned int inblock; + long unsigned int oublock; + long unsigned int cinblock; + long unsigned int coublock; + long unsigned int maxrss; + long unsigned int cmaxrss; + struct task_io_accounting ioac; + long long unsigned int sum_sched_runtime; + struct rlimit rlim[16]; + struct pacct_struct pacct; + struct taskstats *stats; + unsigned int audit_tty; + struct tty_audit_buf *tty_audit_buf; + bool oom_flag_origin; + short int oom_score_adj; + short int oom_score_adj_min; + struct mm_struct___2 *oom_mm; + struct mutex cred_guard_mutex; +}; + +struct cred___2 { + atomic_t usage; + kuid_t uid; + kgid_t gid; + kuid_t suid; + kgid_t sgid; + kuid_t euid; + kgid_t egid; + kuid_t fsuid; + kgid_t fsgid; + unsigned int securebits; + kernel_cap_t cap_inheritable; + kernel_cap_t cap_permitted; + kernel_cap_t cap_effective; + kernel_cap_t cap_bset; + kernel_cap_t cap_ambient; + unsigned char jit_keyring; + struct key *session_keyring; + struct key *process_keyring; + struct key *thread_keyring; + struct key *request_key_auth; + void *security; + struct user_struct *user; + struct user_namespace___2 *user_ns; + struct group_info *group_info; + union { + int non_rcu; + struct callback_head rcu; + }; +}; + +struct net___2; + +struct cgroup_namespace___2; + +struct nsproxy___2 { + atomic_t count; + struct uts_namespace *uts_ns; + struct ipc_namespace *ipc_ns; + struct mnt_namespace *mnt_ns; + struct pid_namespace___2 *pid_ns_for_children; + struct net___2 *net_ns; + struct cgroup_namespace___2 *cgroup_ns; +}; + +struct cgroup_subsys_state___2; + +struct cgroup___2; + +struct css_set___2 { + struct cgroup_subsys_state___2 *subsys[4]; + refcount_t refcount; + struct css_set___2 *dom_cset; + struct cgroup___2 *dfl_cgrp; + int nr_tasks; + struct list_head tasks; + struct list_head mg_tasks; + struct list_head dying_tasks; + struct list_head task_iters; + struct list_head e_cset_node[4]; + struct list_head threaded_csets; + struct list_head threaded_csets_node; + struct hlist_node hlist; + struct list_head cgrp_links; + struct list_head mg_preload_node; + struct list_head mg_node; + struct cgroup___2 *mg_src_cgrp; + struct cgroup___2 *mg_dst_cgrp; + struct css_set___2 *mg_dst_cset; + bool dead; + struct callback_head callback_head; +}; + +struct perf_event_context___2 { + struct pmu___2 *pmu; + raw_spinlock_t lock; + struct mutex mutex; + struct list_head active_ctx_list; + struct perf_event_groups pinned_groups; + struct perf_event_groups flexible_groups; + struct list_head event_list; + struct list_head pinned_active; + struct list_head flexible_active; + int nr_events; + int nr_active; + int is_active; + int nr_stat; + int nr_freq; + int rotate_disable; + int rotate_necessary; + refcount_t refcount; + struct task_struct___2 *task; + u64 time; + u64 timestamp; + struct perf_event_context___2 *parent_ctx; + u64 parent_gen; + u64 generation; + int pin_count; + void *task_ctx_data; + struct callback_head callback_head; +}; + +struct pipe_buffer___2; + +struct pipe_inode_info___2 { + struct mutex mutex; + wait_queue_head_t wait; + unsigned int head; + unsigned int tail; + unsigned int max_usage; + unsigned int ring_size; + unsigned int readers; + unsigned int writers; + unsigned int files; + unsigned int r_counter; + unsigned int w_counter; + struct page___2 *tmp_page; + struct fasync_struct___2 *fasync_readers; + struct fasync_struct___2 *fasync_writers; + struct pipe_buffer___2 *bufs; + struct user_struct *user; +}; + +struct kiocb___2 { + struct file___2 *ki_filp; + loff_t ki_pos; + void (*ki_complete)(struct kiocb___2 *, long int, long int); + void *private; + int ki_flags; + u16 ki_hint; + u16 ki_ioprio; + unsigned int ki_cookie; +}; + +struct iattr___2 { + unsigned int ia_valid; + umode_t ia_mode; + kuid_t ia_uid; + kgid_t ia_gid; + loff_t ia_size; + struct timespec64 ia_atime; + struct timespec64 ia_mtime; + struct timespec64 ia_ctime; + struct file___2 *ia_file; +}; + +struct dquot___2 { + struct hlist_node dq_hash; + struct list_head dq_inuse; + struct list_head dq_free; + struct list_head dq_dirty; + struct mutex dq_lock; + spinlock_t dq_dqb_lock; + atomic_t dq_count; + struct super_block___2 *dq_sb; + struct kqid dq_id; + loff_t dq_off; + long unsigned int dq_flags; + struct mem_dqblk dq_dqb; +}; + +struct module___2; + +struct quota_format_type___2 { + int qf_fmt_id; + const struct quota_format_ops___2 *qf_ops; + struct module___2 *qf_owner; + struct quota_format_type___2 *qf_next; +}; + +struct quota_format_ops___2 { + int (*check_quota_file)(struct super_block___2 *, int); + int (*read_file_info)(struct super_block___2 *, int); + int (*write_file_info)(struct super_block___2 *, int); + int (*free_file_info)(struct super_block___2 *, int); + int (*read_dqblk)(struct dquot___2 *); + int (*commit_dqblk)(struct dquot___2 *); + int (*release_dqblk)(struct dquot___2 *); + int (*get_next_id)(struct super_block___2 *, struct kqid *); +}; + +struct dquot_operations___2 { + int (*write_dquot)(struct dquot___2 *); + struct dquot___2 * (*alloc_dquot)(struct super_block___2 *, int); + void (*destroy_dquot)(struct dquot___2 *); + int (*acquire_dquot)(struct dquot___2 *); + int (*release_dquot)(struct dquot___2 *); + int (*mark_dirty)(struct dquot___2 *); + int (*write_info)(struct super_block___2 *, int); + qsize_t * (*get_reserved_space)(struct inode___2 *); + int (*get_projid)(struct inode___2 *, kprojid_t *); + int (*get_inode_usage)(struct inode___2 *, qsize_t *); + int (*get_next_id)(struct super_block___2 *, struct kqid *); +}; + +struct quotactl_ops___2 { + int (*quota_on)(struct super_block___2 *, int, int, const struct path___2 *); + int (*quota_off)(struct super_block___2 *, int); + int (*quota_enable)(struct super_block___2 *, unsigned int); + int (*quota_disable)(struct super_block___2 *, unsigned int); + int (*quota_sync)(struct super_block___2 *, int); + int (*set_info)(struct super_block___2 *, int, struct qc_info *); + int (*get_dqblk)(struct super_block___2 *, struct kqid, struct qc_dqblk *); + int (*get_nextdqblk)(struct super_block___2 *, struct kqid *, struct qc_dqblk *); + int (*set_dqblk)(struct super_block___2 *, struct kqid, struct qc_dqblk *); + int (*get_state)(struct super_block___2 *, struct qc_state *); + int (*rm_xquota)(struct super_block___2 *, unsigned int); +}; + +struct module_kobject___2 { + struct kobject___2 kobj; + struct module___2 *mod; + struct kobject___2 *drivers_dir; + struct module_param_attrs *mp; + struct completion *kobj_completion; +}; + +struct mod_tree_node___2 { + struct module___2 *mod; + struct latch_tree_node node; +}; + +struct module_layout___2 { + void *base; + unsigned int size; + unsigned int text_size; + unsigned int ro_size; + unsigned int ro_after_init_size; + struct mod_tree_node___2 mtn; +}; + +struct module_attribute___2; + +struct kernel_param___2; + +struct module___2 { + enum module_state state; + struct list_head list; + char name[56]; + struct module_kobject___2 mkobj; + struct module_attribute___2 *modinfo_attrs; + const char *version; + const char *srcversion; + struct kobject___2 *holders_dir; + const struct kernel_symbol *syms; + const s32 *crcs; + unsigned int num_syms; + struct mutex param_lock; + struct kernel_param___2 *kp; + unsigned int num_kp; + unsigned int num_gpl_syms; + const struct kernel_symbol *gpl_syms; + const s32 *gpl_crcs; + bool async_probe_requested; + const struct kernel_symbol *gpl_future_syms; + const s32 *gpl_future_crcs; + unsigned int num_gpl_future_syms; + unsigned int num_exentries; + struct exception_table_entry *extable; + int (*init)(); + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct module_layout___2 core_layout; + struct module_layout___2 init_layout; + struct mod_arch_specific arch; + long unsigned int taints; + unsigned int num_bugs; + struct list_head bug_list; + struct bug_entry *bug_table; + struct mod_kallsyms *kallsyms; + struct mod_kallsyms core_kallsyms; + struct module_sect_attrs *sect_attrs; + struct module_notes_attrs *notes_attrs; + char *args; + void *percpu; + unsigned int percpu_size; + unsigned int num_tracepoints; + tracepoint_ptr_t *tracepoints_ptrs; + unsigned int num_srcu_structs; + struct srcu_struct **srcu_struct_ptrs; + struct jump_entry *jump_entries; + unsigned int num_jump_entries; + unsigned int num_trace_bprintk_fmt; + const char **trace_bprintk_fmt_start; + struct trace_event_call___2 **trace_events; + unsigned int num_trace_events; + struct trace_eval_map **trace_evals; + unsigned int num_trace_evals; + struct list_head source_list; + struct list_head target_list; + void (*exit)(); + atomic_t refcnt; + struct error_injection_entry *ei_funcs; + unsigned int num_ei_funcs; +}; + +struct iov_iter___2; + +struct address_space_operations___2 { + int (*writepage)(struct page___2 *, struct writeback_control *); + int (*readpage)(struct file___2 *, struct page___2 *); + int (*writepages)(struct address_space___2 *, struct writeback_control *); + int (*set_page_dirty)(struct page___2 *); + int (*readpages)(struct file___2 *, struct address_space___2 *, struct list_head *, unsigned int); + int (*write_begin)(struct file___2 *, struct address_space___2 *, loff_t, unsigned int, unsigned int, struct page___2 **, void **); + int (*write_end)(struct file___2 *, struct address_space___2 *, loff_t, unsigned int, unsigned int, struct page___2 *, void *); + sector_t (*bmap)(struct address_space___2 *, sector_t); + void (*invalidatepage)(struct page___2 *, unsigned int, unsigned int); + int (*releasepage)(struct page___2 *, gfp_t); + void (*freepage)(struct page___2 *); + ssize_t (*direct_IO)(struct kiocb___2 *, struct iov_iter___2 *); + int (*migratepage)(struct address_space___2 *, struct page___2 *, struct page___2 *, enum migrate_mode); + bool (*isolate_page)(struct page___2 *, isolate_mode_t); + void (*putback_page)(struct page___2 *); + int (*launder_page)(struct page___2 *); + int (*is_partially_uptodate)(struct page___2 *, long unsigned int, long unsigned int); + void (*is_dirty_writeback)(struct page___2 *, bool *, bool *); + int (*error_remove_page)(struct address_space___2 *, struct page___2 *); + int (*swap_activate)(struct swap_info_struct *, struct file___2 *, sector_t *); + void (*swap_deactivate)(struct file___2 *); +}; + +struct bio_vec___2; + +struct iov_iter___2 { + unsigned int type; + size_t iov_offset; + size_t count; + union { + const struct iovec *iov; + const struct kvec *kvec; + const struct bio_vec___2 *bvec; + struct pipe_inode_info___2 *pipe; + }; + union { + long unsigned int nr_segs; + struct { + unsigned int head; + unsigned int start_head; + }; + }; +}; + +struct block_device___2 { + dev_t bd_dev; + int bd_openers; + struct inode___2 *bd_inode; + struct super_block___2 *bd_super; + struct mutex bd_mutex; + void *bd_claiming; + void *bd_holder; + int bd_holders; + bool bd_write_holder; + struct list_head bd_holder_disks; + struct block_device___2 *bd_contains; + unsigned int bd_block_size; + u8 bd_partno; + struct hd_struct *bd_part; + unsigned int bd_part_count; + int bd_invalidated; + struct gendisk *bd_disk; + struct request_queue *bd_queue; + struct backing_dev_info *bd_bdi; + struct list_head bd_list; + long unsigned int bd_private; + int bd_fsfreeze_count; + struct mutex bd_fsfreeze_mutex; +}; + +struct poll_table_struct___2; + +struct file_lock___2; + +struct seq_file___2; + +struct file_operations___2 { + struct module___2 *owner; + loff_t (*llseek)(struct file___2 *, loff_t, int); + ssize_t (*read)(struct file___2 *, char *, size_t, loff_t *); + ssize_t (*write)(struct file___2 *, const char *, size_t, loff_t *); + ssize_t (*read_iter)(struct kiocb___2 *, struct iov_iter___2 *); + ssize_t (*write_iter)(struct kiocb___2 *, struct iov_iter___2 *); + int (*iopoll)(struct kiocb___2 *, bool); + int (*iterate)(struct file___2 *, struct dir_context *); + int (*iterate_shared)(struct file___2 *, struct dir_context *); + __poll_t (*poll)(struct file___2 *, struct poll_table_struct___2 *); + long int (*unlocked_ioctl)(struct file___2 *, unsigned int, long unsigned int); + long int (*compat_ioctl)(struct file___2 *, unsigned int, long unsigned int); + int (*mmap)(struct file___2 *, struct vm_area_struct___2 *); + long unsigned int mmap_supported_flags; + int (*open)(struct inode___2 *, struct file___2 *); + int (*flush)(struct file___2 *, fl_owner_t); + int (*release)(struct inode___2 *, struct file___2 *); + int (*fsync)(struct file___2 *, loff_t, loff_t, int); + int (*fasync)(int, struct file___2 *, int); + int (*lock)(struct file___2 *, int, struct file_lock___2 *); + ssize_t (*sendpage)(struct file___2 *, struct page___2 *, int, size_t, loff_t *, int); + long unsigned int (*get_unmapped_area)(struct file___2 *, long unsigned int, long unsigned int, long unsigned int, long unsigned int); + int (*check_flags)(int); + int (*flock)(struct file___2 *, int, struct file_lock___2 *); + ssize_t (*splice_write)(struct pipe_inode_info___2 *, struct file___2 *, loff_t *, size_t, unsigned int); + ssize_t (*splice_read)(struct file___2 *, loff_t *, struct pipe_inode_info___2 *, size_t, unsigned int); + int (*setlease)(struct file___2 *, long int, struct file_lock___2 **, void **); + long int (*fallocate)(struct file___2 *, int, loff_t, loff_t); + void (*show_fdinfo)(struct seq_file___2 *, struct file___2 *); + ssize_t (*copy_file_range)(struct file___2 *, loff_t, struct file___2 *, loff_t, size_t, unsigned int); + loff_t (*remap_file_range)(struct file___2 *, loff_t, struct file___2 *, loff_t, loff_t, unsigned int); + int (*fadvise)(struct file___2 *, loff_t, loff_t, int); +}; + +struct inode_operations___2 { + struct dentry___2 * (*lookup)(struct inode___2 *, struct dentry___2 *, unsigned int); + const char * (*get_link)(struct dentry___2 *, struct inode___2 *, struct delayed_call *); + int (*permission)(struct inode___2 *, int); + struct posix_acl * (*get_acl)(struct inode___2 *, int); + int (*readlink)(struct dentry___2 *, char *, int); + int (*create)(struct inode___2 *, struct dentry___2 *, umode_t, bool); + int (*link)(struct dentry___2 *, struct inode___2 *, struct dentry___2 *); + int (*unlink)(struct inode___2 *, struct dentry___2 *); + int (*symlink)(struct inode___2 *, struct dentry___2 *, const char *); + int (*mkdir)(struct inode___2 *, struct dentry___2 *, umode_t); + int (*rmdir)(struct inode___2 *, struct dentry___2 *); + int (*mknod)(struct inode___2 *, struct dentry___2 *, umode_t, dev_t); + int (*rename)(struct inode___2 *, struct dentry___2 *, struct inode___2 *, struct dentry___2 *, unsigned int); + int (*setattr)(struct dentry___2 *, struct iattr___2 *); + int (*getattr)(const struct path___2 *, struct kstat *, u32, unsigned int); + ssize_t (*listxattr)(struct dentry___2 *, char *, size_t); + int (*fiemap)(struct inode___2 *, struct fiemap_extent_info *, u64, u64); + int (*update_time)(struct inode___2 *, struct timespec64 *, int); + int (*atomic_open)(struct inode___2 *, struct dentry___2 *, struct file___2 *, unsigned int, umode_t); + int (*tmpfile)(struct inode___2 *, struct dentry___2 *, umode_t); + int (*set_acl)(struct inode___2 *, struct posix_acl *, int); + long: 64; + long: 64; + long: 64; +}; + +struct file_lock_operations___2 { + void (*fl_copy_lock)(struct file_lock___2 *, struct file_lock___2 *); + void (*fl_release_private)(struct file_lock___2 *); +}; + +struct lock_manager_operations___2; + +struct file_lock___2 { + struct file_lock___2 *fl_blocker; + struct list_head fl_list; + struct hlist_node fl_link; + struct list_head fl_blocked_requests; + struct list_head fl_blocked_member; + fl_owner_t fl_owner; + unsigned int fl_flags; + unsigned char fl_type; + unsigned int fl_pid; + int fl_link_cpu; + wait_queue_head_t fl_wait; + struct file___2 *fl_file; + loff_t fl_start; + loff_t fl_end; + struct fasync_struct___2 *fl_fasync; + long unsigned int fl_break_time; + long unsigned int fl_downgrade_time; + const struct file_lock_operations___2 *fl_ops; + const struct lock_manager_operations___2 *fl_lmops; + union { + struct nfs_lock_info nfs_fl; + struct nfs4_lock_info nfs4_fl; + struct { + struct list_head link; + int state; + unsigned int debug_id; + } afs; + } fl_u; +}; + +struct lock_manager_operations___2 { + fl_owner_t (*lm_get_owner)(fl_owner_t); + void (*lm_put_owner)(fl_owner_t); + void (*lm_notify)(struct file_lock___2 *); + int (*lm_grant)(struct file_lock___2 *, int); + bool (*lm_break)(struct file_lock___2 *); + int (*lm_change)(struct file_lock___2 *, int, struct list_head *); + void (*lm_setup)(struct file_lock___2 *, void **); +}; + +struct fasync_struct___2 { + rwlock_t fa_lock; + int magic; + int fa_fd; + struct fasync_struct___2 *fa_next; + struct file___2 *fa_file; + struct callback_head fa_rcu; +}; + +struct file_system_type___2 { + const char *name; + int fs_flags; + int (*init_fs_context)(struct fs_context *); + const struct fs_parameter_description *parameters; + struct dentry___2 * (*mount)(struct file_system_type___2 *, int, const char *, void *); + void (*kill_sb)(struct super_block___2 *); + struct module___2 *owner; + struct file_system_type___2 *next; + struct hlist_head fs_supers; + struct lock_class_key s_lock_key; + struct lock_class_key s_umount_key; + struct lock_class_key s_vfs_rename_key; + struct lock_class_key s_writers_key[3]; + struct lock_class_key i_lock_key; + struct lock_class_key i_mutex_key; + struct lock_class_key i_mutex_dir_key; +}; + +struct super_operations___2 { + struct inode___2 * (*alloc_inode)(struct super_block___2 *); + void (*destroy_inode)(struct inode___2 *); + void (*free_inode)(struct inode___2 *); + void (*dirty_inode)(struct inode___2 *, int); + int (*write_inode)(struct inode___2 *, struct writeback_control *); + int (*drop_inode)(struct inode___2 *); + void (*evict_inode)(struct inode___2 *); + void (*put_super)(struct super_block___2 *); + int (*sync_fs)(struct super_block___2 *, int); + int (*freeze_super)(struct super_block___2 *); + int (*freeze_fs)(struct super_block___2 *); + int (*thaw_super)(struct super_block___2 *); + int (*unfreeze_fs)(struct super_block___2 *); + int (*statfs)(struct dentry___2 *, struct kstatfs *); + int (*remount_fs)(struct super_block___2 *, int *, char *); + void (*umount_begin)(struct super_block___2 *); + int (*show_options)(struct seq_file___2 *, struct dentry___2 *); + int (*show_devname)(struct seq_file___2 *, struct dentry___2 *); + int (*show_path)(struct seq_file___2 *, struct dentry___2 *); + int (*show_stats)(struct seq_file___2 *, struct dentry___2 *); + ssize_t (*quota_read)(struct super_block___2 *, int, char *, size_t, loff_t); + ssize_t (*quota_write)(struct super_block___2 *, int, const char *, size_t, loff_t); + struct dquot___2 ** (*get_dquots)(struct inode___2 *); + int (*bdev_try_to_free_page)(struct super_block___2 *, struct page___2 *, gfp_t); + long int (*nr_cached_objects)(struct super_block___2 *, struct shrink_control *); + long int (*free_cached_objects)(struct super_block___2 *, struct shrink_control *); +}; + +typedef void (*poll_queue_proc___2)(struct file___2 *, wait_queue_head_t *, struct poll_table_struct___2 *); + +struct poll_table_struct___2 { + poll_queue_proc___2 _qproc; + __poll_t _key; +}; + +struct seq_operations___2; + +struct seq_file___2 { + char *buf; + size_t size; + size_t from; + size_t count; + size_t pad_until; + loff_t index; + loff_t read_pos; + u64 version; + struct mutex lock; + const struct seq_operations___2 *op; + int poll_event; + const struct file___2 *file; + void *private; +}; + +struct dev_pagemap_ops___2 { + void (*page_free)(struct page___2 *); + void (*kill)(struct dev_pagemap___2 *); + void (*cleanup)(struct dev_pagemap___2 *); + vm_fault_t (*migrate_to_ram)(struct vm_fault___2 *); +}; + +typedef void compound_page_dtor___2(struct page___2 *); + +struct kernfs_root___2; + +struct kernfs_elem_dir___2 { + long unsigned int subdirs; + struct rb_root children; + struct kernfs_root___2 *root; +}; + +struct kernfs_syscall_ops___2; + +struct kernfs_root___2 { + struct kernfs_node___2 *kn; + unsigned int flags; + struct idr ino_idr; + u32 last_id_lowbits; + u32 id_highbits; + struct kernfs_syscall_ops___2 *syscall_ops; + struct list_head supers; + wait_queue_head_t deactivate_waitq; +}; + +struct kernfs_elem_symlink___2 { + struct kernfs_node___2 *target_kn; +}; + +struct kernfs_ops___2; + +struct kernfs_elem_attr___2 { + const struct kernfs_ops___2 *ops; + struct kernfs_open_node *open; + loff_t size; + struct kernfs_node___2 *notify_next; +}; + +struct kernfs_node___2 { + atomic_t count; + atomic_t active; + struct kernfs_node___2 *parent; + const char *name; + struct rb_node rb; + const void *ns; + unsigned int hash; + union { + struct kernfs_elem_dir___2 dir; + struct kernfs_elem_symlink___2 symlink; + struct kernfs_elem_attr___2 attr; + }; + void *priv; + u64 id; + short unsigned int flags; + umode_t mode; + struct kernfs_iattrs *iattr; +}; + +struct kernfs_open_file___2; + +struct kernfs_ops___2 { + int (*open)(struct kernfs_open_file___2 *); + void (*release)(struct kernfs_open_file___2 *); + int (*seq_show)(struct seq_file___2 *, void *); + void * (*seq_start)(struct seq_file___2 *, loff_t *); + void * (*seq_next)(struct seq_file___2 *, void *, loff_t *); + void (*seq_stop)(struct seq_file___2 *, void *); + ssize_t (*read)(struct kernfs_open_file___2 *, char *, size_t, loff_t); + size_t atomic_write_len; + bool prealloc; + ssize_t (*write)(struct kernfs_open_file___2 *, char *, size_t, loff_t); + __poll_t (*poll)(struct kernfs_open_file___2 *, struct poll_table_struct___2 *); + int (*mmap)(struct kernfs_open_file___2 *, struct vm_area_struct___2 *); +}; + +struct kernfs_syscall_ops___2 { + int (*show_options)(struct seq_file___2 *, struct kernfs_root___2 *); + int (*mkdir)(struct kernfs_node___2 *, const char *, umode_t); + int (*rmdir)(struct kernfs_node___2 *); + int (*rename)(struct kernfs_node___2 *, struct kernfs_node___2 *, const char *); + int (*show_path)(struct seq_file___2 *, struct kernfs_node___2 *, struct kernfs_root___2 *); +}; + +struct kernfs_open_file___2 { + struct kernfs_node___2 *kn; + struct file___2 *file; + struct seq_file___2 *seq_file; + void *priv; + struct mutex mutex; + struct mutex prealloc_mutex; + int event; + struct list_head list; + char *prealloc_buf; + size_t atomic_write_len; + bool mmapped: 1; + bool released: 1; + const struct vm_operations_struct___2 *vm_ops; +}; + +struct bin_attribute___2; + +struct attribute_group___2 { + const char *name; + umode_t (*is_visible)(struct kobject___2 *, struct attribute *, int); + umode_t (*is_bin_visible)(struct kobject___2 *, struct bin_attribute___2 *, int); + struct attribute **attrs; + struct bin_attribute___2 **bin_attrs; +}; + +struct bin_attribute___2 { + struct attribute attr; + size_t size; + void *private; + ssize_t (*read)(struct file___2 *, struct kobject___2 *, struct bin_attribute___2 *, char *, loff_t, size_t); + ssize_t (*write)(struct file___2 *, struct kobject___2 *, struct bin_attribute___2 *, char *, loff_t, size_t); + int (*mmap)(struct file___2 *, struct kobject___2 *, struct bin_attribute___2 *, struct vm_area_struct___2 *); +}; + +struct sysfs_ops___2 { + ssize_t (*show)(struct kobject___2 *, struct attribute *, char *); + ssize_t (*store)(struct kobject___2 *, struct attribute *, const char *, size_t); +}; + +struct kset_uevent_ops___2; + +struct kset___2 { + struct list_head list; + spinlock_t list_lock; + struct kobject___2 kobj; + const struct kset_uevent_ops___2 *uevent_ops; +}; + +struct kobj_type___2 { + void (*release)(struct kobject___2 *); + const struct sysfs_ops___2 *sysfs_ops; + struct attribute **default_attrs; + const struct attribute_group___2 **default_groups; + const struct kobj_ns_type_operations * (*child_ns_type)(struct kobject___2 *); + const void * (*namespace)(struct kobject___2 *); + void (*get_ownership)(struct kobject___2 *, kuid_t *, kgid_t *); +}; + +struct kset_uevent_ops___2 { + int (* const filter)(struct kset___2 *, struct kobject___2 *); + const char * (* const name)(struct kset___2 *, struct kobject___2 *); + int (* const uevent)(struct kset___2 *, struct kobject___2 *, struct kobj_uevent_env *); +}; + +struct dev_pm_ops___2 { + int (*prepare)(struct device___2 *); + void (*complete)(struct device___2 *); + int (*suspend)(struct device___2 *); + int (*resume)(struct device___2 *); + int (*freeze)(struct device___2 *); + int (*thaw)(struct device___2 *); + int (*poweroff)(struct device___2 *); + int (*restore)(struct device___2 *); + int (*suspend_late)(struct device___2 *); + int (*resume_early)(struct device___2 *); + int (*freeze_late)(struct device___2 *); + int (*thaw_early)(struct device___2 *); + int (*poweroff_late)(struct device___2 *); + int (*restore_early)(struct device___2 *); + int (*suspend_noirq)(struct device___2 *); + int (*resume_noirq)(struct device___2 *); + int (*freeze_noirq)(struct device___2 *); + int (*thaw_noirq)(struct device___2 *); + int (*poweroff_noirq)(struct device___2 *); + int (*restore_noirq)(struct device___2 *); + int (*runtime_suspend)(struct device___2 *); + int (*runtime_resume)(struct device___2 *); + int (*runtime_idle)(struct device___2 *); +}; + +struct wakeup_source___2 { + const char *name; + int id; + struct list_head entry; + spinlock_t lock; + struct wake_irq *wakeirq; + struct timer_list timer; + long unsigned int timer_expires; + ktime_t total_time; + ktime_t max_time; + ktime_t last_time; + ktime_t start_prevent_time; + ktime_t prevent_sleep_time; + long unsigned int event_count; + long unsigned int active_count; + long unsigned int relax_count; + long unsigned int expire_count; + long unsigned int wakeup_count; + struct device___2 *dev; + bool active: 1; + bool autosleep_enabled: 1; +}; + +struct dev_pm_domain___2 { + struct dev_pm_ops___2 ops; + int (*start)(struct device___2 *); + void (*detach)(struct device___2 *, bool); + int (*activate)(struct device___2 *); + void (*sync)(struct device___2 *); + void (*dismiss)(struct device___2 *); +}; + +struct bus_type___2 { + const char *name; + const char *dev_name; + struct device___2 *dev_root; + const struct attribute_group___2 **bus_groups; + const struct attribute_group___2 **dev_groups; + const struct attribute_group___2 **drv_groups; + int (*match)(struct device___2 *, struct device_driver___2 *); + int (*uevent)(struct device___2 *, struct kobj_uevent_env *); + int (*probe)(struct device___2 *); + void (*sync_state)(struct device___2 *); + int (*remove)(struct device___2 *); + void (*shutdown)(struct device___2 *); + int (*online)(struct device___2 *); + int (*offline)(struct device___2 *); + int (*suspend)(struct device___2 *, pm_message_t); + int (*resume)(struct device___2 *); + int (*num_vf)(struct device___2 *); + int (*dma_configure)(struct device___2 *); + const struct dev_pm_ops___2 *pm; + const struct iommu_ops *iommu_ops; + struct subsys_private *p; + struct lock_class_key lock_key; + bool need_parent_lock; +}; + +struct device_driver___2 { + const char *name; + struct bus_type___2 *bus; + struct module___2 *owner; + const char *mod_name; + bool suppress_bind_attrs; + enum probe_type probe_type; + const struct of_device_id *of_match_table; + const struct acpi_device_id *acpi_match_table; + int (*probe)(struct device___2 *); + void (*sync_state)(struct device___2 *); + int (*remove)(struct device___2 *); + void (*shutdown)(struct device___2 *); + int (*suspend)(struct device___2 *, pm_message_t); + int (*resume)(struct device___2 *); + const struct attribute_group___2 **groups; + const struct attribute_group___2 **dev_groups; + const struct dev_pm_ops___2 *pm; + void (*coredump)(struct device___2 *); + struct driver_private *p; +}; + +struct device_type___2 { + const char *name; + const struct attribute_group___2 **groups; + int (*uevent)(struct device___2 *, struct kobj_uevent_env *); + char * (*devnode)(struct device___2 *, umode_t *, kuid_t *, kgid_t *); + void (*release)(struct device___2 *); + const struct dev_pm_ops___2 *pm; +}; + +struct class___2 { + const char *name; + struct module___2 *owner; + const struct attribute_group___2 **class_groups; + const struct attribute_group___2 **dev_groups; + struct kobject___2 *dev_kobj; + int (*dev_uevent)(struct device___2 *, struct kobj_uevent_env *); + char * (*devnode)(struct device___2 *, umode_t *); + void (*class_release)(struct class___2 *); + void (*dev_release)(struct device___2 *); + int (*shutdown_pre)(struct device___2 *); + const struct kobj_ns_type_operations *ns_type; + const void * (*namespace)(struct device___2 *); + void (*get_ownership)(struct device___2 *, kuid_t *, kgid_t *); + const struct dev_pm_ops___2 *pm; + struct subsys_private *p; +}; + +struct device_attribute___2 { + struct attribute attr; + ssize_t (*show)(struct device___2 *, struct device_attribute___2 *, char *); + ssize_t (*store)(struct device___2 *, struct device_attribute___2 *, const char *, size_t); +}; + +struct dma_map_ops___2 { + void * (*alloc)(struct device___2 *, size_t, dma_addr_t *, gfp_t, long unsigned int); + void (*free)(struct device___2 *, size_t, void *, dma_addr_t, long unsigned int); + int (*mmap)(struct device___2 *, struct vm_area_struct___2 *, void *, dma_addr_t, size_t, long unsigned int); + int (*get_sgtable)(struct device___2 *, struct sg_table *, void *, dma_addr_t, size_t, long unsigned int); + dma_addr_t (*map_page)(struct device___2 *, struct page___2 *, long unsigned int, size_t, enum dma_data_direction, long unsigned int); + void (*unmap_page)(struct device___2 *, dma_addr_t, size_t, enum dma_data_direction, long unsigned int); + int (*map_sg)(struct device___2 *, struct scatterlist *, int, enum dma_data_direction, long unsigned int); + void (*unmap_sg)(struct device___2 *, struct scatterlist *, int, enum dma_data_direction, long unsigned int); + dma_addr_t (*map_resource)(struct device___2 *, phys_addr_t, size_t, enum dma_data_direction, long unsigned int); + void (*unmap_resource)(struct device___2 *, dma_addr_t, size_t, enum dma_data_direction, long unsigned int); + void (*sync_single_for_cpu)(struct device___2 *, dma_addr_t, size_t, enum dma_data_direction); + void (*sync_single_for_device)(struct device___2 *, dma_addr_t, size_t, enum dma_data_direction); + void (*sync_sg_for_cpu)(struct device___2 *, struct scatterlist *, int, enum dma_data_direction); + void (*sync_sg_for_device)(struct device___2 *, struct scatterlist *, int, enum dma_data_direction); + void (*cache_sync)(struct device___2 *, void *, size_t, enum dma_data_direction); + int (*dma_supported)(struct device___2 *, u64); + u64 (*get_required_mask)(struct device___2 *); + size_t (*max_mapping_size)(struct device___2 *); + long unsigned int (*get_merge_boundary)(struct device___2 *); +}; + +struct device_node___2 { + const char *name; + phandle phandle; + const char *full_name; + struct fwnode_handle___2 fwnode; + struct property *properties; + struct property *deadprops; + struct device_node___2 *parent; + struct device_node___2 *child; + struct device_node___2 *sibling; + long unsigned int _flags; + void *data; +}; + +struct fd___2 { + struct file___2 *file; + unsigned int flags; +}; + +typedef struct poll_table_struct___2 poll_table___2; + +struct fqdir___2; + +struct netns_ipv4___2 { + struct ctl_table_header *forw_hdr; + struct ctl_table_header *frags_hdr; + struct ctl_table_header *ipv4_hdr; + struct ctl_table_header *route_hdr; + struct ctl_table_header *xfrm4_hdr; + struct ipv4_devconf *devconf_all; + struct ipv4_devconf *devconf_dflt; + struct ip_ra_chain *ra_chain; + struct mutex ra_mutex; + struct fib_rules_ops *rules_ops; + bool fib_has_custom_rules; + unsigned int fib_rules_require_fldissect; + struct fib_table *fib_main; + struct fib_table *fib_default; + bool fib_has_custom_local_routes; + struct hlist_head *fib_table_hash; + bool fib_offload_disabled; + struct sock *fibnl; + struct sock **icmp_sk; + struct sock *mc_autojoin_sk; + struct inet_peer_base *peers; + struct sock **tcp_sk; + struct fqdir___2 *fqdir; + struct xt_table *iptable_filter; + struct xt_table *iptable_mangle; + struct xt_table *iptable_raw; + struct xt_table *arptable_filter; + struct xt_table *iptable_security; + struct xt_table *nat_table; + int sysctl_icmp_echo_ignore_all; + int sysctl_icmp_echo_ignore_broadcasts; + int sysctl_icmp_ignore_bogus_error_responses; + int sysctl_icmp_ratelimit; + int sysctl_icmp_ratemask; + int sysctl_icmp_errors_use_inbound_ifaddr; + struct local_ports ip_local_ports; + int sysctl_tcp_ecn; + int sysctl_tcp_ecn_fallback; + int sysctl_ip_default_ttl; + int sysctl_ip_no_pmtu_disc; + int sysctl_ip_fwd_use_pmtu; + int sysctl_ip_fwd_update_priority; + int sysctl_ip_nonlocal_bind; + int sysctl_ip_dynaddr; + int sysctl_ip_early_demux; + int sysctl_tcp_early_demux; + int sysctl_udp_early_demux; + int sysctl_fwmark_reflect; + int sysctl_tcp_fwmark_accept; + int sysctl_tcp_mtu_probing; + int sysctl_tcp_mtu_probe_floor; + int sysctl_tcp_base_mss; + int sysctl_tcp_min_snd_mss; + int sysctl_tcp_probe_threshold; + u32 sysctl_tcp_probe_interval; + int sysctl_tcp_keepalive_time; + int sysctl_tcp_keepalive_probes; + int sysctl_tcp_keepalive_intvl; + int sysctl_tcp_syn_retries; + int sysctl_tcp_synack_retries; + int sysctl_tcp_syncookies; + int sysctl_tcp_reordering; + int sysctl_tcp_retries1; + int sysctl_tcp_retries2; + int sysctl_tcp_orphan_retries; + int sysctl_tcp_fin_timeout; + unsigned int sysctl_tcp_notsent_lowat; + int sysctl_tcp_tw_reuse; + int sysctl_tcp_sack; + int sysctl_tcp_window_scaling; + int sysctl_tcp_timestamps; + int sysctl_tcp_early_retrans; + int sysctl_tcp_recovery; + int sysctl_tcp_thin_linear_timeouts; + int sysctl_tcp_slow_start_after_idle; + int sysctl_tcp_retrans_collapse; + int sysctl_tcp_stdurg; + int sysctl_tcp_rfc1337; + int sysctl_tcp_abort_on_overflow; + int sysctl_tcp_fack; + int sysctl_tcp_max_reordering; + int sysctl_tcp_dsack; + int sysctl_tcp_app_win; + int sysctl_tcp_adv_win_scale; + int sysctl_tcp_frto; + int sysctl_tcp_nometrics_save; + int sysctl_tcp_moderate_rcvbuf; + int sysctl_tcp_tso_win_divisor; + int sysctl_tcp_workaround_signed_windows; + int sysctl_tcp_limit_output_bytes; + int sysctl_tcp_challenge_ack_limit; + int sysctl_tcp_min_tso_segs; + int sysctl_tcp_min_rtt_wlen; + int sysctl_tcp_autocorking; + int sysctl_tcp_invalid_ratelimit; + int sysctl_tcp_pacing_ss_ratio; + int sysctl_tcp_pacing_ca_ratio; + int sysctl_tcp_wmem[3]; + int sysctl_tcp_rmem[3]; + int sysctl_tcp_comp_sack_nr; + long unsigned int sysctl_tcp_comp_sack_delay_ns; + struct inet_timewait_death_row tcp_death_row; + int sysctl_max_syn_backlog; + int sysctl_tcp_fastopen; + const struct tcp_congestion_ops *tcp_congestion_control; + struct tcp_fastopen_context *tcp_fastopen_ctx; + spinlock_t tcp_fastopen_ctx_lock; + unsigned int sysctl_tcp_fastopen_blackhole_timeout; + atomic_t tfo_active_disable_times; + long unsigned int tfo_active_disable_stamp; + int sysctl_udp_wmem_min; + int sysctl_udp_rmem_min; + int sysctl_igmp_max_memberships; + int sysctl_igmp_max_msf; + int sysctl_igmp_llm_reports; + int sysctl_igmp_qrv; + struct ping_group_range ping_group_range; + atomic_t dev_addr_genid; + long unsigned int *sysctl_local_reserved_ports; + int sysctl_ip_prot_sock; + struct mr_table *mrt; + int sysctl_fib_multipath_use_neigh; + int sysctl_fib_multipath_hash_policy; + struct fib_notifier_ops *notifier_ops; + unsigned int fib_seq; + struct fib_notifier_ops *ipmr_notifier_ops; + unsigned int ipmr_seq; + atomic_t rt_genid; + siphash_key_t ip_id_key; + long: 64; + long: 64; +}; + +struct net_device___2; + +struct sk_buff___2; + +struct dst_ops___2 { + short unsigned int family; + unsigned int gc_thresh; + int (*gc)(struct dst_ops___2 *); + struct dst_entry * (*check)(struct dst_entry *, __u32); + unsigned int (*default_advmss)(const struct dst_entry *); + unsigned int (*mtu)(const struct dst_entry *); + u32 * (*cow_metrics)(struct dst_entry *, long unsigned int); + void (*destroy)(struct dst_entry *); + void (*ifdown)(struct dst_entry *, struct net_device___2 *, int); + struct dst_entry * (*negative_advice)(struct dst_entry *); + void (*link_failure)(struct sk_buff___2 *); + void (*update_pmtu)(struct dst_entry *, struct sock *, struct sk_buff___2 *, u32, bool); + void (*redirect)(struct dst_entry *, struct sock *, struct sk_buff___2 *); + int (*local_out)(struct net___2 *, struct sock *, struct sk_buff___2 *); + struct neighbour * (*neigh_lookup)(const struct dst_entry *, struct sk_buff___2 *, const void *); + void (*confirm_neigh)(const struct dst_entry *, const void *); + struct kmem_cache *kmem_cachep; + struct percpu_counter pcpuc_entries; + long: 64; + long: 64; + long: 64; +}; + +struct netns_ipv6___2 { + struct netns_sysctl_ipv6 sysctl; + struct ipv6_devconf *devconf_all; + struct ipv6_devconf *devconf_dflt; + struct inet_peer_base *peers; + struct fqdir___2 *fqdir; + struct xt_table *ip6table_filter; + struct xt_table *ip6table_mangle; + struct xt_table *ip6table_raw; + struct xt_table *ip6table_security; + struct xt_table *ip6table_nat; + struct fib6_info *fib6_null_entry; + struct rt6_info *ip6_null_entry; + struct rt6_statistics *rt6_stats; + struct timer_list ip6_fib_timer; + struct hlist_head *fib_table_hash; + struct fib6_table *fib6_main_tbl; + struct list_head fib6_walkers; + long: 64; + long: 64; + struct dst_ops___2 ip6_dst_ops; + rwlock_t fib6_walker_lock; + spinlock_t fib6_gc_lock; + unsigned int ip6_rt_gc_expire; + long unsigned int ip6_rt_last_gc; + struct sock **icmp_sk; + struct sock *ndisc_sk; + struct sock *tcp_sk; + struct sock *igmp_sk; + struct sock *mc_autojoin_sk; + atomic_t dev_addr_genid; + atomic_t fib6_sernum; + struct seg6_pernet_data *seg6_data; + struct fib_notifier_ops *notifier_ops; + struct fib_notifier_ops *ip6mr_notifier_ops; + unsigned int ipmr_seq; + struct { + struct hlist_head head; + spinlock_t lock; + u32 seq; + } ip6addrlbl_table; + long: 64; +}; + +struct netns_nf_frag___2 { + struct fqdir___2 *fqdir; +}; + +struct netns_xfrm___2 { + struct list_head state_all; + struct hlist_head *state_bydst; + struct hlist_head *state_bysrc; + struct hlist_head *state_byspi; + unsigned int state_hmask; + unsigned int state_num; + struct work_struct state_hash_work; + struct list_head policy_all; + struct hlist_head *policy_byidx; + unsigned int policy_idx_hmask; + struct hlist_head policy_inexact[3]; + struct xfrm_policy_hash policy_bydst[3]; + unsigned int policy_count[6]; + struct work_struct policy_hash_work; + struct xfrm_policy_hthresh policy_hthresh; + struct list_head inexact_bins; + struct sock *nlsk; + struct sock *nlsk_stash; + u32 sysctl_aevent_etime; + u32 sysctl_aevent_rseqth; + int sysctl_larval_drop; + u32 sysctl_acq_expires; + struct ctl_table_header *sysctl_hdr; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct dst_ops___2 xfrm4_dst_ops; + struct dst_ops___2 xfrm6_dst_ops; + spinlock_t xfrm_state_lock; + spinlock_t xfrm_policy_lock; + struct mutex xfrm_cfg_mutex; + long: 64; + long: 64; + long: 64; +}; + +struct bpf_prog___2; + +struct net___2 { + refcount_t passive; + refcount_t count; + spinlock_t rules_mod_lock; + unsigned int dev_unreg_count; + unsigned int dev_base_seq; + int ifindex; + spinlock_t nsid_lock; + atomic_t fnhe_genid; + struct list_head list; + struct list_head exit_list; + struct llist_node cleanup_list; + struct key_tag *key_domain; + struct user_namespace___2 *user_ns; + struct ucounts___2 *ucounts; + struct idr netns_ids; + struct ns_common___2 ns; + struct list_head dev_base_head; + struct proc_dir_entry *proc_net; + struct proc_dir_entry *proc_net_stat; + struct ctl_table_set sysctls; + struct sock *rtnl; + struct sock *genl_sock; + struct uevent_sock *uevent_sock; + struct hlist_head *dev_name_head; + struct hlist_head *dev_index_head; + struct raw_notifier_head netdev_chain; + u32 hash_mix; + struct net_device___2 *loopback_dev; + struct list_head rules_ops; + struct netns_core core; + struct netns_mib mib; + struct netns_packet packet; + struct netns_unix unx; + struct netns_nexthop nexthop; + long: 64; + struct netns_ipv4___2 ipv4; + struct netns_ipv6___2 ipv6; + struct netns_nf nf; + struct netns_xt xt; + struct netns_ct ct; + struct netns_nf_frag___2 nf_frag; + struct ctl_table_header *nf_frag_frags_hdr; + struct sock *nfnl; + struct sock *nfnl_stash; + struct net_generic *gen; + struct bpf_prog___2 *flow_dissector_prog; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct netns_xfrm___2 xfrm; + struct sock *diag_nlsk; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct cgroup_namespace___2 { + refcount_t count; + struct ns_common___2 ns; + struct user_namespace___2 *user_ns; + struct ucounts___2 *ucounts; + struct css_set___2 *root_cset; +}; + +struct proc_ns_operations___2 { + const char *name; + const char *real_ns_name; + int type; + struct ns_common___2 * (*get)(struct task_struct___2 *); + void (*put)(struct ns_common___2 *); + int (*install)(struct nsproxy___2 *, struct ns_common___2 *); + struct user_namespace___2 * (*owner)(struct ns_common___2 *); + struct ns_common___2 * (*get_parent)(struct ns_common___2 *); +}; + +struct ucounts___2 { + struct hlist_node node; + struct user_namespace___2 *ns; + kuid_t uid; + int count; + atomic_t ucount[9]; +}; + +struct seq_operations___2 { + void * (*start)(struct seq_file___2 *, loff_t *); + void (*stop)(struct seq_file___2 *, void *); + void * (*next)(struct seq_file___2 *, void *, loff_t *); + int (*show)(struct seq_file___2 *, void *); +}; + +enum perf_event_read_format { + PERF_FORMAT_TOTAL_TIME_ENABLED = 1, + PERF_FORMAT_TOTAL_TIME_RUNNING = 2, + PERF_FORMAT_ID = 4, + PERF_FORMAT_GROUP = 8, + PERF_FORMAT_MAX = 16, +}; + +enum perf_event_ioc_flags { + PERF_IOC_FLAG_GROUP = 1, +}; + +struct perf_ns_link_info { + __u64 dev; + __u64 ino; +}; + +enum { + NET_NS_INDEX = 0, + UTS_NS_INDEX = 1, + IPC_NS_INDEX = 2, + PID_NS_INDEX = 3, + USER_NS_INDEX = 4, + MNT_NS_INDEX = 5, + CGROUP_NS_INDEX = 6, + NR_NAMESPACES = 7, +}; + +enum perf_event_type { + PERF_RECORD_MMAP = 1, + PERF_RECORD_LOST = 2, + PERF_RECORD_COMM = 3, + PERF_RECORD_EXIT = 4, + PERF_RECORD_THROTTLE = 5, + PERF_RECORD_UNTHROTTLE = 6, + PERF_RECORD_FORK = 7, + PERF_RECORD_READ = 8, + PERF_RECORD_SAMPLE = 9, + PERF_RECORD_MMAP2 = 10, + PERF_RECORD_AUX = 11, + PERF_RECORD_ITRACE_START = 12, + PERF_RECORD_LOST_SAMPLES = 13, + PERF_RECORD_SWITCH = 14, + PERF_RECORD_SWITCH_CPU_WIDE = 15, + PERF_RECORD_NAMESPACES = 16, + PERF_RECORD_KSYMBOL = 17, + PERF_RECORD_BPF_EVENT = 18, + PERF_RECORD_MAX = 19, +}; + +enum perf_record_ksymbol_type { + PERF_RECORD_KSYMBOL_TYPE_UNKNOWN = 0, + PERF_RECORD_KSYMBOL_TYPE_BPF = 1, + PERF_RECORD_KSYMBOL_TYPE_MAX = 2, +}; + +enum perf_bpf_event_type { + PERF_BPF_EVENT_UNKNOWN = 0, + PERF_BPF_EVENT_PROG_LOAD = 1, + PERF_BPF_EVENT_PROG_UNLOAD = 2, + PERF_BPF_EVENT_MAX = 3, +}; + +struct kernel_param_ops___2 { + unsigned int flags; + int (*set)(const char *, const struct kernel_param___2 *); + int (*get)(char *, const struct kernel_param___2 *); + void (*free)(void *); +}; + +struct kparam_array___2; + +struct kernel_param___2 { + const char *name; + struct module___2 *mod; + const struct kernel_param_ops___2 *ops; + const u16 perm; + s8 level; + u8 flags; + union { + void *arg; + const struct kparam_string *str; + const struct kparam_array___2 *arr; + }; +}; + +struct kparam_array___2 { + unsigned int max; + unsigned int elemsize; + unsigned int *num; + const struct kernel_param_ops___2 *ops; + void *elem; +}; + +struct module_attribute___2 { + struct attribute attr; + ssize_t (*show)(struct module_attribute___2 *, struct module_kobject___2 *, char *); + ssize_t (*store)(struct module_attribute___2 *, struct module_kobject___2 *, const char *, size_t); + void (*setup)(struct module___2 *, const char *); + int (*test)(struct module___2 *); + void (*free)(struct module___2 *); +}; + +struct trace_event_class___2; + +struct bpf_prog_array___2; + +struct trace_event_call___2 { + struct list_head list; + struct trace_event_class___2 *class; + union { + char *name; + struct tracepoint *tp; + }; + struct trace_event event; + char *print_fmt; + struct event_filter *filter; + void *mod; + void *data; + int flags; + int perf_refcount; + struct hlist_head *perf_events; + struct bpf_prog_array___2 *prog_array; + int (*perf_perm)(struct trace_event_call___2 *, struct perf_event___2 *); +}; + +struct bpf_map___2; + +struct bpf_prog_aux___2; + +struct bpf_map_ops___2 { + int (*map_alloc_check)(union bpf_attr *); + struct bpf_map___2 * (*map_alloc)(union bpf_attr *); + void (*map_release)(struct bpf_map___2 *, struct file___2 *); + void (*map_free)(struct bpf_map___2 *); + int (*map_get_next_key)(struct bpf_map___2 *, void *, void *); + void (*map_release_uref)(struct bpf_map___2 *); + void * (*map_lookup_elem_sys_only)(struct bpf_map___2 *, void *); + void * (*map_lookup_elem)(struct bpf_map___2 *, void *); + int (*map_update_elem)(struct bpf_map___2 *, void *, void *, u64); + int (*map_delete_elem)(struct bpf_map___2 *, void *); + int (*map_push_elem)(struct bpf_map___2 *, void *, u64); + int (*map_pop_elem)(struct bpf_map___2 *, void *); + int (*map_peek_elem)(struct bpf_map___2 *, void *); + void * (*map_fd_get_ptr)(struct bpf_map___2 *, struct file___2 *, int); + void (*map_fd_put_ptr)(void *); + u32 (*map_gen_lookup)(struct bpf_map___2 *, struct bpf_insn *); + u32 (*map_fd_sys_lookup_elem)(void *); + void (*map_seq_show_elem)(struct bpf_map___2 *, void *, struct seq_file___2 *); + int (*map_check_btf)(const struct bpf_map___2 *, const struct btf *, const struct btf_type *, const struct btf_type *); + int (*map_poke_track)(struct bpf_map___2 *, struct bpf_prog_aux___2 *); + void (*map_poke_untrack)(struct bpf_map___2 *, struct bpf_prog_aux___2 *); + void (*map_poke_run)(struct bpf_map___2 *, u32, struct bpf_prog___2 *, struct bpf_prog___2 *); + int (*map_direct_value_addr)(const struct bpf_map___2 *, u64 *, u32); + int (*map_direct_value_meta)(const struct bpf_map___2 *, u64, u32 *); + int (*map_mmap)(struct bpf_map___2 *, struct vm_area_struct___2 *); +}; + +struct bpf_map___2 { + const struct bpf_map_ops___2 *ops; + struct bpf_map___2 *inner_map_meta; + void *security; + enum bpf_map_type map_type; + u32 key_size; + u32 value_size; + u32 max_entries; + u32 map_flags; + int spin_lock_off; + u32 id; + int numa_node; + u32 btf_key_type_id; + u32 btf_value_type_id; + struct btf *btf; + struct bpf_map_memory memory; + char name[16]; + bool unpriv_array; + bool frozen; + long: 48; + long: 64; + long: 64; + atomic64_t refcnt; + atomic64_t usercnt; + struct work_struct work; + struct mutex freeze_mutex; + u64 writecnt; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct bpf_jit_poke_descriptor___2; + +struct bpf_prog_ops___2; + +struct bpf_prog_offload___2; + +struct bpf_prog_aux___2 { + atomic64_t refcnt; + u32 used_map_cnt; + u32 max_ctx_offset; + u32 max_pkt_offset; + u32 max_tp_access; + u32 stack_depth; + u32 id; + u32 func_cnt; + u32 func_idx; + u32 attach_btf_id; + struct bpf_prog___2 *linked_prog; + bool verifier_zext; + bool offload_requested; + bool attach_btf_trace; + bool func_proto_unreliable; + enum bpf_tramp_prog_type trampoline_prog_type; + struct bpf_trampoline *trampoline; + struct hlist_node tramp_hlist; + const struct btf_type *attach_func_proto; + const char *attach_func_name; + struct bpf_prog___2 **func; + void *jit_data; + struct bpf_jit_poke_descriptor___2 *poke_tab; + u32 size_poke_tab; + struct latch_tree_node ksym_tnode; + struct list_head ksym_lnode; + const struct bpf_prog_ops___2 *ops; + struct bpf_map___2 **used_maps; + struct bpf_prog___2 *prog; + struct user_struct *user; + u64 load_time; + struct bpf_map___2 *cgroup_storage[2]; + char name[16]; + void *security; + struct bpf_prog_offload___2 *offload; + struct btf *btf; + struct bpf_func_info *func_info; + struct bpf_func_info_aux *func_info_aux; + struct bpf_line_info *linfo; + void **jited_linfo; + u32 func_info_cnt; + u32 nr_linfo; + u32 linfo_idx; + u32 num_exentries; + struct exception_table_entry *extable; + struct bpf_prog_stats *stats; + union { + struct work_struct work; + struct callback_head rcu; + }; +}; + +struct bpf_prog___2 { + u16 pages; + u16 jited: 1; + u16 jit_requested: 1; + u16 gpl_compatible: 1; + u16 cb_access: 1; + u16 dst_needed: 1; + u16 blinded: 1; + u16 is_func: 1; + u16 kprobe_override: 1; + u16 has_callchain_buf: 1; + u16 enforce_expected_attach_type: 1; + enum bpf_prog_type type; + enum bpf_attach_type expected_attach_type; + u32 len; + u32 jited_len; + u8 tag[8]; + struct bpf_prog_aux___2 *aux; + struct sock_fprog_kern *orig_prog; + unsigned int (*bpf_func)(const void *, const struct bpf_insn *); + union { + struct sock_filter insns[0]; + struct bpf_insn insnsi[0]; + }; +}; + +struct bpf_offloaded_map___2; + +struct bpf_map_dev_ops___2 { + int (*map_get_next_key)(struct bpf_offloaded_map___2 *, void *, void *); + int (*map_lookup_elem)(struct bpf_offloaded_map___2 *, void *, void *); + int (*map_update_elem)(struct bpf_offloaded_map___2 *, void *, void *, u64); + int (*map_delete_elem)(struct bpf_offloaded_map___2 *, void *); +}; + +struct bpf_offloaded_map___2 { + struct bpf_map___2 map; + struct net_device___2 *netdev; + const struct bpf_map_dev_ops___2 *dev_ops; + void *dev_priv; + struct list_head offloads; + long: 64; + long: 64; + long: 64; +}; + +typedef rx_handler_result_t rx_handler_func_t___2(struct sk_buff___2 **); + +typedef struct { + struct net___2 *net; +} possible_net_t___2; + +struct netdev_name_node___2; + +struct net_device_ops___2; + +struct ethtool_ops___2; + +struct header_ops___2; + +struct netdev_rx_queue___2; + +struct mini_Qdisc___2; + +struct netdev_queue___2; + +struct Qdisc___2; + +struct rtnl_link_ops___2; + +struct net_device___2 { + char name[16]; + struct netdev_name_node___2 *name_node; + struct dev_ifalias *ifalias; + long unsigned int mem_end; + long unsigned int mem_start; + long unsigned int base_addr; + int irq; + long unsigned int state; + struct list_head dev_list; + struct list_head napi_list; + struct list_head unreg_list; + struct list_head close_list; + struct list_head ptype_all; + struct list_head ptype_specific; + struct { + struct list_head upper; + struct list_head lower; + } adj_list; + netdev_features_t features; + netdev_features_t hw_features; + netdev_features_t wanted_features; + netdev_features_t vlan_features; + netdev_features_t hw_enc_features; + netdev_features_t mpls_features; + netdev_features_t gso_partial_features; + int ifindex; + int group; + struct net_device_stats stats; + atomic_long_t rx_dropped; + atomic_long_t tx_dropped; + atomic_long_t rx_nohandler; + atomic_t carrier_up_count; + atomic_t carrier_down_count; + const struct net_device_ops___2 *netdev_ops; + const struct ethtool_ops___2 *ethtool_ops; + const struct ndisc_ops *ndisc_ops; + const struct header_ops___2 *header_ops; + unsigned int flags; + unsigned int priv_flags; + short unsigned int gflags; + short unsigned int padded; + unsigned char operstate; + unsigned char link_mode; + unsigned char if_port; + unsigned char dma; + unsigned int mtu; + unsigned int min_mtu; + unsigned int max_mtu; + short unsigned int type; + short unsigned int hard_header_len; + unsigned char min_header_len; + short unsigned int needed_headroom; + short unsigned int needed_tailroom; + unsigned char perm_addr[32]; + unsigned char addr_assign_type; + unsigned char addr_len; + unsigned char upper_level; + unsigned char lower_level; + short unsigned int neigh_priv_len; + short unsigned int dev_id; + short unsigned int dev_port; + spinlock_t addr_list_lock; + unsigned char name_assign_type; + bool uc_promisc; + struct netdev_hw_addr_list uc; + struct netdev_hw_addr_list mc; + struct netdev_hw_addr_list dev_addrs; + struct kset___2 *queues_kset; + unsigned int promiscuity; + unsigned int allmulti; + struct in_device *ip_ptr; + struct inet6_dev *ip6_ptr; + struct wireless_dev *ieee80211_ptr; + struct wpan_dev *ieee802154_ptr; + unsigned char *dev_addr; + struct netdev_rx_queue___2 *_rx; + unsigned int num_rx_queues; + unsigned int real_num_rx_queues; + struct bpf_prog___2 *xdp_prog; + long unsigned int gro_flush_timeout; + rx_handler_func_t___2 *rx_handler; + void *rx_handler_data; + struct mini_Qdisc___2 *miniq_ingress; + struct netdev_queue___2 *ingress_queue; + struct nf_hook_entries *nf_hooks_ingress; + unsigned char broadcast[32]; + struct cpu_rmap *rx_cpu_rmap; + struct hlist_node index_hlist; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct netdev_queue___2 *_tx; + unsigned int num_tx_queues; + unsigned int real_num_tx_queues; + struct Qdisc___2 *qdisc; + struct hlist_head qdisc_hash[16]; + unsigned int tx_queue_len; + spinlock_t tx_global_lock; + int watchdog_timeo; + struct xps_dev_maps *xps_cpus_map; + struct xps_dev_maps *xps_rxqs_map; + struct mini_Qdisc___2 *miniq_egress; + struct timer_list watchdog_timer; + int *pcpu_refcnt; + struct list_head todo_list; + struct list_head link_watch_list; + enum { + NETREG_UNINITIALIZED___2 = 0, + NETREG_REGISTERED___2 = 1, + NETREG_UNREGISTERING___2 = 2, + NETREG_UNREGISTERED___2 = 3, + NETREG_RELEASED___2 = 4, + NETREG_DUMMY___2 = 5, + } reg_state: 8; + bool dismantle; + enum { + RTNL_LINK_INITIALIZED___2 = 0, + RTNL_LINK_INITIALIZING___2 = 1, + } rtnl_link_state: 16; + bool needs_free_netdev; + void (*priv_destructor)(struct net_device___2 *); + struct netpoll_info *npinfo; + possible_net_t___2 nd_net; + union { + void *ml_priv; + struct pcpu_lstats *lstats; + struct pcpu_sw_netstats *tstats; + struct pcpu_dstats *dstats; + }; + struct device___2 dev; + const struct attribute_group___2 *sysfs_groups[4]; + const struct attribute_group___2 *sysfs_rx_queue_group; + const struct rtnl_link_ops___2 *rtnl_link_ops; + unsigned int gso_max_size; + u16 gso_max_segs; + s16 num_tc; + struct netdev_tc_txq tc_to_txq[16]; + u8 prio_tc_map[16]; + struct phy_device *phydev; + struct sfp_bus *sfp_bus; + struct lock_class_key qdisc_tx_busylock_key; + struct lock_class_key qdisc_running_key; + struct lock_class_key qdisc_xmit_lock_key; + struct lock_class_key addr_list_lock_key; + bool proto_down; + unsigned int wol_enabled: 1; +}; + +struct bpf_prog_ops___2 { + int (*test_run)(struct bpf_prog___2 *, const union bpf_attr *, union bpf_attr *); +}; + +struct bpf_prog_offload___2 { + struct bpf_prog___2 *prog; + struct net_device___2 *netdev; + struct bpf_offload_dev *offdev; + void *dev_priv; + struct list_head offloads; + bool dev_state; + bool opt_failed; + void *jited_image; + u32 jited_len; +}; + +struct bpf_jit_poke_descriptor___2 { + void *ip; + union { + struct { + struct bpf_map___2 *map; + u32 key; + } tail_call; + }; + bool ip_stable; + u8 adj_off; + u16 reason; +}; + +struct bpf_prog_array_item___2 { + struct bpf_prog___2 *prog; + struct bpf_cgroup_storage *cgroup_storage[2]; +}; + +struct bpf_prog_array___2 { + struct callback_head rcu; + struct bpf_prog_array_item___2 items[0]; +}; + +struct sk_buff___2 { + union { + struct { + struct sk_buff___2 *next; + struct sk_buff___2 *prev; + union { + struct net_device___2 *dev; + long unsigned int dev_scratch; + }; + }; + struct rb_node rbnode; + struct list_head list; + }; + union { + struct sock *sk; + int ip_defrag_offset; + }; + union { + ktime_t tstamp; + u64 skb_mstamp_ns; + }; + char cb[48]; + union { + struct { + long unsigned int _skb_refdst; + void (*destructor)(struct sk_buff___2 *); + }; + struct list_head tcp_tsorted_anchor; + }; + long unsigned int _nfct; + unsigned int len; + unsigned int data_len; + __u16 mac_len; + __u16 hdr_len; + __u16 queue_mapping; + __u8 __cloned_offset[0]; + __u8 cloned: 1; + __u8 nohdr: 1; + __u8 fclone: 2; + __u8 peeked: 1; + __u8 head_frag: 1; + __u8 pfmemalloc: 1; + __u8 active_extensions; + __u32 headers_start[0]; + __u8 __pkt_type_offset[0]; + __u8 pkt_type: 3; + __u8 ignore_df: 1; + __u8 nf_trace: 1; + __u8 ip_summed: 2; + __u8 ooo_okay: 1; + __u8 l4_hash: 1; + __u8 sw_hash: 1; + __u8 wifi_acked_valid: 1; + __u8 wifi_acked: 1; + __u8 no_fcs: 1; + __u8 encapsulation: 1; + __u8 encap_hdr_csum: 1; + __u8 csum_valid: 1; + __u8 __pkt_vlan_present_offset[0]; + __u8 vlan_present: 1; + __u8 csum_complete_sw: 1; + __u8 csum_level: 2; + __u8 csum_not_inet: 1; + __u8 dst_pending_confirm: 1; + __u8 ndisc_nodetype: 2; + __u8 ipvs_property: 1; + __u8 inner_protocol_type: 1; + __u8 remcsum_offload: 1; + __u8 tc_skip_classify: 1; + __u8 tc_at_ingress: 1; + __u8 tc_redirected: 1; + __u8 tc_from_ingress: 1; + __u16 tc_index; + union { + __wsum csum; + struct { + __u16 csum_start; + __u16 csum_offset; + }; + }; + __u32 priority; + int skb_iif; + __u32 hash; + __be16 vlan_proto; + __u16 vlan_tci; + union { + unsigned int napi_id; + unsigned int sender_cpu; + }; + __u32 secmark; + union { + __u32 mark; + __u32 reserved_tailroom; + }; + union { + __be16 inner_protocol; + __u8 inner_ipproto; + }; + __u16 inner_transport_header; + __u16 inner_network_header; + __u16 inner_mac_header; + __be16 protocol; + __u16 transport_header; + __u16 network_header; + __u16 mac_header; + __u32 headers_end[0]; + sk_buff_data_t tail; + sk_buff_data_t end; + unsigned char *head; + unsigned char *data; + unsigned int truesize; + refcount_t users; + struct skb_ext *extensions; +}; + +struct cgroup_file___2 { + struct kernfs_node___2 *kn; + long unsigned int notified_at; + struct timer_list notify_timer; +}; + +struct cgroup_subsys___2; + +struct cgroup_subsys_state___2 { + struct cgroup___2 *cgroup; + struct cgroup_subsys___2 *ss; + struct percpu_ref refcnt; + struct list_head sibling; + struct list_head children; + struct list_head rstat_css_node; + int id; + unsigned int flags; + u64 serial_nr; + atomic_t online_cnt; + struct work_struct destroy_work; + struct rcu_work destroy_rwork; + struct cgroup_subsys_state___2 *parent; +}; + +struct cgroup_root___2; + +struct cgroup_rstat_cpu___2; + +struct cgroup___2 { + struct cgroup_subsys_state___2 self; + long unsigned int flags; + int level; + int max_depth; + int nr_descendants; + int nr_dying_descendants; + int max_descendants; + int nr_populated_csets; + int nr_populated_domain_children; + int nr_populated_threaded_children; + int nr_threaded_children; + struct kernfs_node___2 *kn; + struct cgroup_file___2 procs_file; + struct cgroup_file___2 events_file; + u16 subtree_control; + u16 subtree_ss_mask; + u16 old_subtree_control; + u16 old_subtree_ss_mask; + struct cgroup_subsys_state___2 *subsys[4]; + struct cgroup_root___2 *root; + struct list_head cset_links; + struct list_head e_csets[4]; + struct cgroup___2 *dom_cgrp; + struct cgroup___2 *old_dom_cgrp; + struct cgroup_rstat_cpu___2 *rstat_cpu; + struct list_head rstat_css_list; + struct cgroup_base_stat last_bstat; + struct cgroup_base_stat bstat; + struct prev_cputime prev_cputime; + struct list_head pidlists; + struct mutex pidlist_mutex; + wait_queue_head_t offline_waitq; + struct work_struct release_agent_work; + struct psi_group psi; + struct cgroup_bpf bpf; + atomic_t congestion_count; + struct cgroup_freezer_state freezer; + u64 ancestor_ids[0]; +}; + +struct cftype___2; + +struct cgroup_subsys___2 { + struct cgroup_subsys_state___2 * (*css_alloc)(struct cgroup_subsys_state___2 *); + int (*css_online)(struct cgroup_subsys_state___2 *); + void (*css_offline)(struct cgroup_subsys_state___2 *); + void (*css_released)(struct cgroup_subsys_state___2 *); + void (*css_free)(struct cgroup_subsys_state___2 *); + void (*css_reset)(struct cgroup_subsys_state___2 *); + void (*css_rstat_flush)(struct cgroup_subsys_state___2 *, int); + int (*css_extra_stat_show)(struct seq_file___2 *, struct cgroup_subsys_state___2 *); + int (*can_attach)(struct cgroup_taskset *); + void (*cancel_attach)(struct cgroup_taskset *); + void (*attach)(struct cgroup_taskset *); + void (*post_attach)(); + int (*can_fork)(struct task_struct___2 *); + void (*cancel_fork)(struct task_struct___2 *); + void (*fork)(struct task_struct___2 *); + void (*exit)(struct task_struct___2 *); + void (*release)(struct task_struct___2 *); + void (*bind)(struct cgroup_subsys_state___2 *); + bool early_init: 1; + bool implicit_on_dfl: 1; + bool threaded: 1; + bool broken_hierarchy: 1; + bool warned_broken_hierarchy: 1; + int id; + const char *name; + const char *legacy_name; + struct cgroup_root___2 *root; + struct idr css_idr; + struct list_head cfts; + struct cftype___2 *dfl_cftypes; + struct cftype___2 *legacy_cftypes; + unsigned int depends_on; +}; + +struct cgroup_rstat_cpu___2 { + struct u64_stats_sync bsync; + struct cgroup_base_stat bstat; + struct cgroup_base_stat last_bstat; + struct cgroup___2 *updated_children; + struct cgroup___2 *updated_next; +}; + +struct cgroup_root___2 { + struct kernfs_root___2 *kf_root; + unsigned int subsys_mask; + int hierarchy_id; + struct cgroup___2 cgrp; + u64 cgrp_ancestor_id_storage; + atomic_t nr_cgrps; + struct list_head root_list; + unsigned int flags; + char release_agent_path[4096]; + char name[64]; +}; + +struct cftype___2 { + char name[64]; + long unsigned int private; + size_t max_write_len; + unsigned int flags; + unsigned int file_offset; + struct cgroup_subsys___2 *ss; + struct list_head node; + struct kernfs_ops___2 *kf_ops; + int (*open)(struct kernfs_open_file___2 *); + void (*release)(struct kernfs_open_file___2 *); + u64 (*read_u64)(struct cgroup_subsys_state___2 *, struct cftype___2 *); + s64 (*read_s64)(struct cgroup_subsys_state___2 *, struct cftype___2 *); + int (*seq_show)(struct seq_file___2 *, void *); + void * (*seq_start)(struct seq_file___2 *, loff_t *); + void * (*seq_next)(struct seq_file___2 *, void *, loff_t *); + void (*seq_stop)(struct seq_file___2 *, void *); + int (*write_u64)(struct cgroup_subsys_state___2 *, struct cftype___2 *, u64); + int (*write_s64)(struct cgroup_subsys_state___2 *, struct cftype___2 *, s64); + ssize_t (*write)(struct kernfs_open_file___2 *, char *, size_t, loff_t); + __poll_t (*poll)(struct kernfs_open_file___2 *, struct poll_table_struct___2 *); +}; + +struct perf_cpu_context___2; + +struct perf_output_handle___2; + +struct pmu___2 { + struct list_head entry; + struct module___2 *module; + struct device___2 *dev; + const struct attribute_group___2 **attr_groups; + const struct attribute_group___2 **attr_update; + const char *name; + int type; + int capabilities; + int *pmu_disable_count; + struct perf_cpu_context___2 *pmu_cpu_context; + atomic_t exclusive_cnt; + int task_ctx_nr; + int hrtimer_interval_ms; + unsigned int nr_addr_filters; + void (*pmu_enable)(struct pmu___2 *); + void (*pmu_disable)(struct pmu___2 *); + int (*event_init)(struct perf_event___2 *); + void (*event_mapped)(struct perf_event___2 *, struct mm_struct___2 *); + void (*event_unmapped)(struct perf_event___2 *, struct mm_struct___2 *); + int (*add)(struct perf_event___2 *, int); + void (*del)(struct perf_event___2 *, int); + void (*start)(struct perf_event___2 *, int); + void (*stop)(struct perf_event___2 *, int); + void (*read)(struct perf_event___2 *); + void (*start_txn)(struct pmu___2 *, unsigned int); + int (*commit_txn)(struct pmu___2 *); + void (*cancel_txn)(struct pmu___2 *); + int (*event_idx)(struct perf_event___2 *); + void (*sched_task)(struct perf_event_context___2 *, bool); + size_t task_ctx_size; + void (*swap_task_ctx)(struct perf_event_context___2 *, struct perf_event_context___2 *); + void * (*setup_aux)(struct perf_event___2 *, void **, int, bool); + void (*free_aux)(void *); + long int (*snapshot_aux)(struct perf_event___2 *, struct perf_output_handle___2 *, long unsigned int); + int (*addr_filters_validate)(struct list_head *); + void (*addr_filters_sync)(struct perf_event___2 *); + int (*aux_output_match)(struct perf_event___2 *); + int (*filter_match)(struct perf_event___2 *); + int (*check_period)(struct perf_event___2 *, u64); +}; + +struct perf_cpu_context___2 { + struct perf_event_context___2 ctx; + struct perf_event_context___2 *task_ctx; + int active_oncpu; + int exclusive; + raw_spinlock_t hrtimer_lock; + struct hrtimer hrtimer; + ktime_t hrtimer_interval; + unsigned int hrtimer_active; + struct list_head sched_cb_entry; + int sched_cb_usage; + int online; +}; + +struct perf_output_handle___2 { + struct perf_event___2 *event; + struct ring_buffer___2 *rb; + long unsigned int wakeup; + long unsigned int size; + u64 aux_flags; + union { + void *addr; + long unsigned int head; + }; + int page; +}; + +struct perf_addr_filter___2 { + struct list_head entry; + struct path___2 path; + long unsigned int offset; + long unsigned int size; + enum perf_addr_filter_action_t action; +}; + +struct swevent_hlist { + struct hlist_head heads[256]; + struct callback_head callback_head; +}; + +struct pmu_event_list { + raw_spinlock_t lock; + struct list_head list; +}; + +struct ring_buffer___2 { + refcount_t refcount; + struct callback_head callback_head; + int nr_pages; + int overwrite; + int paused; + atomic_t poll; + local_t head; + unsigned int nest; + local_t events; + local_t wakeup; + local_t lost; + long int watermark; + long int aux_watermark; + spinlock_t event_lock; + struct list_head event_list; + atomic_t mmap_count; + long unsigned int mmap_locked; + struct user_struct *mmap_user; + long int aux_head; + unsigned int aux_nest; + long int aux_wakeup; + long unsigned int aux_pgoff; + int aux_nr_pages; + int aux_overwrite; + atomic_t aux_mmap_count; + long unsigned int aux_mmap_locked; + void (*free_aux)(void *); + refcount_t aux_refcount; + int aux_in_sampling; + void **aux_pages; + void *aux_priv; + struct perf_event_mmap_page *user_page; + void *data_pages[0]; +}; + +struct perf_pmu_events_attr___2 { + struct device_attribute___2 attr; + u64 id; + const char *event_str; +}; + +struct trace_event_class___2 { + const char *system; + void *probe; + void *perf_probe; + int (*reg)(struct trace_event_call___2 *, enum trace_reg, void *); + int (*define_fields)(struct trace_event_call___2 *); + struct list_head * (*get_fields)(struct trace_event_call___2 *); + struct list_head fields; + int (*raw_init)(struct trace_event_call___2 *); +}; + +struct bio_vec___2 { + struct page___2 *bv_page; + unsigned int bv_len; + unsigned int bv_offset; +}; + +struct pipe_buf_operations___2; + +struct pipe_buffer___2 { + struct page___2 *page; + unsigned int offset; + unsigned int len; + const struct pipe_buf_operations___2 *ops; + unsigned int flags; + long unsigned int private; +}; + +struct pipe_buf_operations___2 { + int (*confirm)(struct pipe_inode_info___2 *, struct pipe_buffer___2 *); + void (*release)(struct pipe_inode_info___2 *, struct pipe_buffer___2 *); + int (*steal)(struct pipe_inode_info___2 *, struct pipe_buffer___2 *); + bool (*get)(struct pipe_inode_info___2 *, struct pipe_buffer___2 *); +}; + +struct sk_buff_head___2 { + struct sk_buff___2 *next; + struct sk_buff___2 *prev; + __u32 qlen; + spinlock_t lock; +}; + +struct ethtool_ops___2 { + void (*get_drvinfo)(struct net_device___2 *, struct ethtool_drvinfo *); + int (*get_regs_len)(struct net_device___2 *); + void (*get_regs)(struct net_device___2 *, struct ethtool_regs *, void *); + void (*get_wol)(struct net_device___2 *, struct ethtool_wolinfo *); + int (*set_wol)(struct net_device___2 *, struct ethtool_wolinfo *); + u32 (*get_msglevel)(struct net_device___2 *); + void (*set_msglevel)(struct net_device___2 *, u32); + int (*nway_reset)(struct net_device___2 *); + u32 (*get_link)(struct net_device___2 *); + int (*get_eeprom_len)(struct net_device___2 *); + int (*get_eeprom)(struct net_device___2 *, struct ethtool_eeprom *, u8 *); + int (*set_eeprom)(struct net_device___2 *, struct ethtool_eeprom *, u8 *); + int (*get_coalesce)(struct net_device___2 *, struct ethtool_coalesce *); + int (*set_coalesce)(struct net_device___2 *, struct ethtool_coalesce *); + void (*get_ringparam)(struct net_device___2 *, struct ethtool_ringparam *); + int (*set_ringparam)(struct net_device___2 *, struct ethtool_ringparam *); + void (*get_pauseparam)(struct net_device___2 *, struct ethtool_pauseparam *); + int (*set_pauseparam)(struct net_device___2 *, struct ethtool_pauseparam *); + void (*self_test)(struct net_device___2 *, struct ethtool_test *, u64 *); + void (*get_strings)(struct net_device___2 *, u32, u8 *); + int (*set_phys_id)(struct net_device___2 *, enum ethtool_phys_id_state); + void (*get_ethtool_stats)(struct net_device___2 *, struct ethtool_stats *, u64 *); + int (*begin)(struct net_device___2 *); + void (*complete)(struct net_device___2 *); + u32 (*get_priv_flags)(struct net_device___2 *); + int (*set_priv_flags)(struct net_device___2 *, u32); + int (*get_sset_count)(struct net_device___2 *, int); + int (*get_rxnfc)(struct net_device___2 *, struct ethtool_rxnfc *, u32 *); + int (*set_rxnfc)(struct net_device___2 *, struct ethtool_rxnfc *); + int (*flash_device)(struct net_device___2 *, struct ethtool_flash *); + int (*reset)(struct net_device___2 *, u32 *); + u32 (*get_rxfh_key_size)(struct net_device___2 *); + u32 (*get_rxfh_indir_size)(struct net_device___2 *); + int (*get_rxfh)(struct net_device___2 *, u32 *, u8 *, u8 *); + int (*set_rxfh)(struct net_device___2 *, const u32 *, const u8 *, const u8); + int (*get_rxfh_context)(struct net_device___2 *, u32 *, u8 *, u8 *, u32); + int (*set_rxfh_context)(struct net_device___2 *, const u32 *, const u8 *, const u8, u32 *, bool); + void (*get_channels)(struct net_device___2 *, struct ethtool_channels *); + int (*set_channels)(struct net_device___2 *, struct ethtool_channels *); + int (*get_dump_flag)(struct net_device___2 *, struct ethtool_dump *); + int (*get_dump_data)(struct net_device___2 *, struct ethtool_dump *, void *); + int (*set_dump)(struct net_device___2 *, struct ethtool_dump *); + int (*get_ts_info)(struct net_device___2 *, struct ethtool_ts_info *); + int (*get_module_info)(struct net_device___2 *, struct ethtool_modinfo *); + int (*get_module_eeprom)(struct net_device___2 *, struct ethtool_eeprom *, u8 *); + int (*get_eee)(struct net_device___2 *, struct ethtool_eee *); + int (*set_eee)(struct net_device___2 *, struct ethtool_eee *); + int (*get_tunable)(struct net_device___2 *, const struct ethtool_tunable *, void *); + int (*set_tunable)(struct net_device___2 *, const struct ethtool_tunable *, const void *); + int (*get_per_queue_coalesce)(struct net_device___2 *, u32, struct ethtool_coalesce *); + int (*set_per_queue_coalesce)(struct net_device___2 *, u32, struct ethtool_coalesce *); + int (*get_link_ksettings)(struct net_device___2 *, struct ethtool_link_ksettings *); + int (*set_link_ksettings)(struct net_device___2 *, const struct ethtool_link_ksettings *); + int (*get_fecparam)(struct net_device___2 *, struct ethtool_fecparam *); + int (*set_fecparam)(struct net_device___2 *, struct ethtool_fecparam *); + void (*get_ethtool_phy_stats)(struct net_device___2 *, struct ethtool_stats *, u64 *); +}; + +struct inet_frags___2; + +struct fqdir___2 { + long int high_thresh; + long int low_thresh; + int timeout; + int max_dist; + struct inet_frags___2 *f; + struct net___2 *net; + bool dead; + long: 56; + long: 64; + long: 64; + struct rhashtable rhashtable; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + atomic_long_t mem; + struct work_struct destroy_work; + long: 64; + long: 64; + long: 64; +}; + +struct inet_frag_queue___2; + +struct inet_frags___2 { + unsigned int qsize; + void (*constructor)(struct inet_frag_queue___2 *, const void *); + void (*destructor)(struct inet_frag_queue___2 *); + void (*frag_expire)(struct timer_list *); + struct kmem_cache *frags_cachep; + const char *frags_cache_name; + struct rhashtable_params rhash_params; + refcount_t refcnt; + struct completion completion; +}; + +struct inet_frag_queue___2 { + struct rhash_head node; + union { + struct frag_v4_compare_key v4; + struct frag_v6_compare_key v6; + } key; + struct timer_list timer; + spinlock_t lock; + refcount_t refcnt; + struct rb_root rb_fragments; + struct sk_buff___2 *fragments_tail; + struct sk_buff___2 *last_run_head; + ktime_t stamp; + int len; + int meat; + __u8 flags; + u16 max_size; + struct fqdir___2 *fqdir; + struct callback_head rcu; +}; + +struct xdp_rxq_info___2 { + struct net_device___2 *dev; + u32 queue_index; + u32 reg_state; + struct xdp_mem_info mem; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct xdp_frame___2 { + void *data; + u16 len; + u16 headroom; + u16 metasize; + struct xdp_mem_info mem; + struct net_device___2 *dev_rx; +}; + +struct netlink_callback___2 { + struct sk_buff___2 *skb; + const struct nlmsghdr *nlh; + int (*dump)(struct sk_buff___2 *, struct netlink_callback___2 *); + int (*done)(struct netlink_callback___2 *); + void *data; + struct module___2 *module; + struct netlink_ext_ack *extack; + u16 family; + u16 min_dump_alloc; + bool strict_check; + u16 answer_flags; + unsigned int prev_seq; + unsigned int seq; + union { + u8 ctx[48]; + long int args[6]; + }; +}; + +struct header_ops___2 { + int (*create)(struct sk_buff___2 *, struct net_device___2 *, short unsigned int, const void *, const void *, unsigned int); + int (*parse)(const struct sk_buff___2 *, unsigned char *); + int (*cache)(const struct neighbour *, struct hh_cache *, __be16); + void (*cache_update)(struct hh_cache *, const struct net_device___2 *, const unsigned char *); + bool (*validate)(const char *, unsigned int); + __be16 (*parse_protocol)(const struct sk_buff___2 *); +}; + +struct napi_struct___2 { + struct list_head poll_list; + long unsigned int state; + int weight; + long unsigned int gro_bitmask; + int (*poll)(struct napi_struct___2 *, int); + int poll_owner; + struct net_device___2 *dev; + struct gro_list gro_hash[8]; + struct sk_buff___2 *skb; + struct list_head rx_list; + int rx_count; + struct hrtimer timer; + struct list_head dev_list; + struct hlist_node napi_hash_node; + unsigned int napi_id; +}; + +struct netdev_queue___2 { + struct net_device___2 *dev; + struct Qdisc___2 *qdisc; + struct Qdisc___2 *qdisc_sleeping; + struct kobject___2 kobj; + int numa_node; + long unsigned int tx_maxrate; + long unsigned int trans_timeout; + struct net_device___2 *sb_dev; + long: 64; + spinlock_t _xmit_lock; + int xmit_lock_owner; + long unsigned int trans_start; + long unsigned int state; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct dql dql; +}; + +struct qdisc_skb_head___2 { + struct sk_buff___2 *head; + struct sk_buff___2 *tail; + __u32 qlen; + spinlock_t lock; +}; + +struct Qdisc_ops___2; + +struct Qdisc___2 { + int (*enqueue)(struct sk_buff___2 *, struct Qdisc___2 *, struct sk_buff___2 **); + struct sk_buff___2 * (*dequeue)(struct Qdisc___2 *); + unsigned int flags; + u32 limit; + const struct Qdisc_ops___2 *ops; + struct qdisc_size_table *stab; + struct hlist_node hash; + u32 handle; + u32 parent; + struct netdev_queue___2 *dev_queue; + struct net_rate_estimator *rate_est; + struct gnet_stats_basic_cpu *cpu_bstats; + struct gnet_stats_queue *cpu_qstats; + int padded; + refcount_t refcnt; + long: 64; + long: 64; + long: 64; + struct sk_buff_head___2 gso_skb; + struct qdisc_skb_head___2 q; + struct gnet_stats_basic_packed bstats; + seqcount_t running; + struct gnet_stats_queue qstats; + long unsigned int state; + struct Qdisc___2 *next_sched; + struct sk_buff_head___2 skb_bad_txq; + spinlock_t busylock; + spinlock_t seqlock; + bool empty; + struct callback_head rcu; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct netdev_rx_queue___2 { + struct rps_map *rps_map; + struct rps_dev_flow_table *rps_flow_table; + struct kobject___2 kobj; + struct net_device___2 *dev; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct xdp_rxq_info___2 xdp_rxq; +}; + +struct netdev_bpf___2 { + enum bpf_netdev_command command; + union { + struct { + u32 flags; + struct bpf_prog___2 *prog; + struct netlink_ext_ack *extack; + }; + struct { + u32 prog_id; + u32 prog_flags; + }; + struct { + struct bpf_offloaded_map___2 *offmap; + }; + struct { + struct xdp_umem *umem; + u16 queue_id; + } xsk; + }; +}; + +struct netdev_name_node___2 { + struct hlist_node hlist; + struct list_head list; + struct net_device___2 *dev; + const char *name; +}; + +struct net_device_ops___2 { + int (*ndo_init)(struct net_device___2 *); + void (*ndo_uninit)(struct net_device___2 *); + int (*ndo_open)(struct net_device___2 *); + int (*ndo_stop)(struct net_device___2 *); + netdev_tx_t (*ndo_start_xmit)(struct sk_buff___2 *, struct net_device___2 *); + netdev_features_t (*ndo_features_check)(struct sk_buff___2 *, struct net_device___2 *, netdev_features_t); + u16 (*ndo_select_queue)(struct net_device___2 *, struct sk_buff___2 *, struct net_device___2 *); + void (*ndo_change_rx_flags)(struct net_device___2 *, int); + void (*ndo_set_rx_mode)(struct net_device___2 *); + int (*ndo_set_mac_address)(struct net_device___2 *, void *); + int (*ndo_validate_addr)(struct net_device___2 *); + int (*ndo_do_ioctl)(struct net_device___2 *, struct ifreq *, int); + int (*ndo_set_config)(struct net_device___2 *, struct ifmap *); + int (*ndo_change_mtu)(struct net_device___2 *, int); + int (*ndo_neigh_setup)(struct net_device___2 *, struct neigh_parms *); + void (*ndo_tx_timeout)(struct net_device___2 *); + void (*ndo_get_stats64)(struct net_device___2 *, struct rtnl_link_stats64 *); + bool (*ndo_has_offload_stats)(const struct net_device___2 *, int); + int (*ndo_get_offload_stats)(int, const struct net_device___2 *, void *); + struct net_device_stats * (*ndo_get_stats)(struct net_device___2 *); + int (*ndo_vlan_rx_add_vid)(struct net_device___2 *, __be16, u16); + int (*ndo_vlan_rx_kill_vid)(struct net_device___2 *, __be16, u16); + void (*ndo_poll_controller)(struct net_device___2 *); + int (*ndo_netpoll_setup)(struct net_device___2 *, struct netpoll_info *); + void (*ndo_netpoll_cleanup)(struct net_device___2 *); + int (*ndo_set_vf_mac)(struct net_device___2 *, int, u8 *); + int (*ndo_set_vf_vlan)(struct net_device___2 *, int, u16, u8, __be16); + int (*ndo_set_vf_rate)(struct net_device___2 *, int, int, int); + int (*ndo_set_vf_spoofchk)(struct net_device___2 *, int, bool); + int (*ndo_set_vf_trust)(struct net_device___2 *, int, bool); + int (*ndo_get_vf_config)(struct net_device___2 *, int, struct ifla_vf_info *); + int (*ndo_set_vf_link_state)(struct net_device___2 *, int, int); + int (*ndo_get_vf_stats)(struct net_device___2 *, int, struct ifla_vf_stats *); + int (*ndo_set_vf_port)(struct net_device___2 *, int, struct nlattr **); + int (*ndo_get_vf_port)(struct net_device___2 *, int, struct sk_buff___2 *); + int (*ndo_get_vf_guid)(struct net_device___2 *, int, struct ifla_vf_guid *, struct ifla_vf_guid *); + int (*ndo_set_vf_guid)(struct net_device___2 *, int, u64, int); + int (*ndo_set_vf_rss_query_en)(struct net_device___2 *, int, bool); + int (*ndo_setup_tc)(struct net_device___2 *, enum tc_setup_type, void *); + int (*ndo_rx_flow_steer)(struct net_device___2 *, const struct sk_buff___2 *, u16, u32); + int (*ndo_add_slave)(struct net_device___2 *, struct net_device___2 *, struct netlink_ext_ack *); + int (*ndo_del_slave)(struct net_device___2 *, struct net_device___2 *); + netdev_features_t (*ndo_fix_features)(struct net_device___2 *, netdev_features_t); + int (*ndo_set_features)(struct net_device___2 *, netdev_features_t); + int (*ndo_neigh_construct)(struct net_device___2 *, struct neighbour *); + void (*ndo_neigh_destroy)(struct net_device___2 *, struct neighbour *); + int (*ndo_fdb_add)(struct ndmsg *, struct nlattr **, struct net_device___2 *, const unsigned char *, u16, u16, struct netlink_ext_ack *); + int (*ndo_fdb_del)(struct ndmsg *, struct nlattr **, struct net_device___2 *, const unsigned char *, u16); + int (*ndo_fdb_dump)(struct sk_buff___2 *, struct netlink_callback___2 *, struct net_device___2 *, struct net_device___2 *, int *); + int (*ndo_fdb_get)(struct sk_buff___2 *, struct nlattr **, struct net_device___2 *, const unsigned char *, u16, u32, u32, struct netlink_ext_ack *); + int (*ndo_bridge_setlink)(struct net_device___2 *, struct nlmsghdr *, u16, struct netlink_ext_ack *); + int (*ndo_bridge_getlink)(struct sk_buff___2 *, u32, u32, struct net_device___2 *, u32, int); + int (*ndo_bridge_dellink)(struct net_device___2 *, struct nlmsghdr *, u16); + int (*ndo_change_carrier)(struct net_device___2 *, bool); + int (*ndo_get_phys_port_id)(struct net_device___2 *, struct netdev_phys_item_id *); + int (*ndo_get_port_parent_id)(struct net_device___2 *, struct netdev_phys_item_id *); + int (*ndo_get_phys_port_name)(struct net_device___2 *, char *, size_t); + void (*ndo_udp_tunnel_add)(struct net_device___2 *, struct udp_tunnel_info *); + void (*ndo_udp_tunnel_del)(struct net_device___2 *, struct udp_tunnel_info *); + void * (*ndo_dfwd_add_station)(struct net_device___2 *, struct net_device___2 *); + void (*ndo_dfwd_del_station)(struct net_device___2 *, void *); + int (*ndo_set_tx_maxrate)(struct net_device___2 *, int, u32); + int (*ndo_get_iflink)(const struct net_device___2 *); + int (*ndo_change_proto_down)(struct net_device___2 *, bool); + int (*ndo_fill_metadata_dst)(struct net_device___2 *, struct sk_buff___2 *); + void (*ndo_set_rx_headroom)(struct net_device___2 *, int); + int (*ndo_bpf)(struct net_device___2 *, struct netdev_bpf___2 *); + int (*ndo_xdp_xmit)(struct net_device___2 *, int, struct xdp_frame___2 **, u32); + int (*ndo_xsk_wakeup)(struct net_device___2 *, u32, u32); + struct devlink_port * (*ndo_get_devlink_port)(struct net_device___2 *); +}; + +struct tcf_proto___2; + +struct mini_Qdisc___2 { + struct tcf_proto___2 *filter_list; + struct gnet_stats_basic_cpu *cpu_bstats; + struct gnet_stats_queue *cpu_qstats; + struct callback_head rcu; +}; + +struct rtnl_link_ops___2 { + struct list_head list; + const char *kind; + size_t priv_size; + void (*setup)(struct net_device___2 *); + unsigned int maxtype; + const struct nla_policy *policy; + int (*validate)(struct nlattr **, struct nlattr **, struct netlink_ext_ack *); + int (*newlink)(struct net___2 *, struct net_device___2 *, struct nlattr **, struct nlattr **, struct netlink_ext_ack *); + int (*changelink)(struct net_device___2 *, struct nlattr **, struct nlattr **, struct netlink_ext_ack *); + void (*dellink)(struct net_device___2 *, struct list_head *); + size_t (*get_size)(const struct net_device___2 *); + int (*fill_info)(struct sk_buff___2 *, const struct net_device___2 *); + size_t (*get_xstats_size)(const struct net_device___2 *); + int (*fill_xstats)(struct sk_buff___2 *, const struct net_device___2 *); + unsigned int (*get_num_tx_queues)(); + unsigned int (*get_num_rx_queues)(); + unsigned int slave_maxtype; + const struct nla_policy *slave_policy; + int (*slave_changelink)(struct net_device___2 *, struct net_device___2 *, struct nlattr **, struct nlattr **, struct netlink_ext_ack *); + size_t (*get_slave_size)(const struct net_device___2 *, const struct net_device___2 *); + int (*fill_slave_info)(struct sk_buff___2 *, const struct net_device___2 *, const struct net_device___2 *); + struct net___2 * (*get_link_net)(const struct net_device___2 *); + size_t (*get_linkxstats_size)(const struct net_device___2 *, int); + int (*fill_linkxstats)(struct sk_buff___2 *, const struct net_device___2 *, int *, int); +}; + +struct softnet_data___2 { + struct list_head poll_list; + struct sk_buff_head___2 process_queue; + unsigned int processed; + unsigned int time_squeeze; + unsigned int received_rps; + struct softnet_data___2 *rps_ipi_list; + struct sd_flow_limit *flow_limit; + struct Qdisc___2 *output_queue; + struct Qdisc___2 **output_queue_tailp; + struct sk_buff___2 *completion_queue; + struct { + u16 recursion; + u8 more; + } xmit; + long: 32; + long: 64; + long: 64; + long: 64; + unsigned int input_queue_head; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + call_single_data_t csd; + struct softnet_data___2 *rps_ipi_next; + unsigned int cpu; + unsigned int input_queue_tail; + unsigned int dropped; + struct sk_buff_head___2 input_pkt_queue; + struct napi_struct___2 backlog; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct gnet_dump___2 { + spinlock_t *lock; + struct sk_buff___2 *skb; + struct nlattr *tail; + int compat_tc_stats; + int compat_xstats; + int padattr; + void *xstats; + int xstats_len; + struct tc_stats tc_stats; +}; + +struct Qdisc_class_ops___2; + +struct Qdisc_ops___2 { + struct Qdisc_ops___2 *next; + const struct Qdisc_class_ops___2 *cl_ops; + char id[16]; + int priv_size; + unsigned int static_flags; + int (*enqueue)(struct sk_buff___2 *, struct Qdisc___2 *, struct sk_buff___2 **); + struct sk_buff___2 * (*dequeue)(struct Qdisc___2 *); + struct sk_buff___2 * (*peek)(struct Qdisc___2 *); + int (*init)(struct Qdisc___2 *, struct nlattr *, struct netlink_ext_ack *); + void (*reset)(struct Qdisc___2 *); + void (*destroy)(struct Qdisc___2 *); + int (*change)(struct Qdisc___2 *, struct nlattr *, struct netlink_ext_ack *); + void (*attach)(struct Qdisc___2 *); + int (*change_tx_queue_len)(struct Qdisc___2 *, unsigned int); + int (*dump)(struct Qdisc___2 *, struct sk_buff___2 *); + int (*dump_stats)(struct Qdisc___2 *, struct gnet_dump___2 *); + void (*ingress_block_set)(struct Qdisc___2 *, u32); + void (*egress_block_set)(struct Qdisc___2 *, u32); + u32 (*ingress_block_get)(struct Qdisc___2 *); + u32 (*egress_block_get)(struct Qdisc___2 *); + struct module___2 *owner; +}; + +struct tcf_block___2; + +struct Qdisc_class_ops___2 { + unsigned int flags; + struct netdev_queue___2 * (*select_queue)(struct Qdisc___2 *, struct tcmsg *); + int (*graft)(struct Qdisc___2 *, long unsigned int, struct Qdisc___2 *, struct Qdisc___2 **, struct netlink_ext_ack *); + struct Qdisc___2 * (*leaf)(struct Qdisc___2 *, long unsigned int); + void (*qlen_notify)(struct Qdisc___2 *, long unsigned int); + long unsigned int (*find)(struct Qdisc___2 *, u32); + int (*change)(struct Qdisc___2 *, u32, u32, struct nlattr **, long unsigned int *, struct netlink_ext_ack *); + int (*delete)(struct Qdisc___2 *, long unsigned int); + void (*walk)(struct Qdisc___2 *, struct qdisc_walker *); + struct tcf_block___2 * (*tcf_block)(struct Qdisc___2 *, long unsigned int, struct netlink_ext_ack *); + long unsigned int (*bind_tcf)(struct Qdisc___2 *, long unsigned int, u32); + void (*unbind_tcf)(struct Qdisc___2 *, long unsigned int); + int (*dump)(struct Qdisc___2 *, long unsigned int, struct sk_buff___2 *, struct tcmsg *); + int (*dump_stats)(struct Qdisc___2 *, long unsigned int, struct gnet_dump___2 *); +}; + +struct tcf_chain___2; + +struct tcf_block___2 { + struct mutex lock; + struct list_head chain_list; + u32 index; + refcount_t refcnt; + struct net___2 *net; + struct Qdisc___2 *q; + struct rw_semaphore cb_lock; + struct flow_block flow_block; + struct list_head owner_list; + bool keep_dst; + atomic_t offloadcnt; + unsigned int nooffloaddevcnt; + unsigned int lockeddevcnt; + struct { + struct tcf_chain___2 *chain; + struct list_head filter_chain_list; + } chain0; + struct callback_head rcu; + struct hlist_head proto_destroy_ht[128]; + struct mutex proto_destroy_lock; +}; + +struct tcf_result___2; + +struct tcf_proto_ops___2; + +struct tcf_proto___2 { + struct tcf_proto___2 *next; + void *root; + int (*classify)(struct sk_buff___2 *, const struct tcf_proto___2 *, struct tcf_result___2 *); + __be16 protocol; + u32 prio; + void *data; + const struct tcf_proto_ops___2 *ops; + struct tcf_chain___2 *chain; + spinlock_t lock; + bool deleting; + refcount_t refcnt; + struct callback_head rcu; + struct hlist_node destroy_ht_node; +}; + +struct tcf_result___2 { + union { + struct { + long unsigned int class; + u32 classid; + }; + const struct tcf_proto___2 *goto_tp; + struct { + bool ingress; + struct gnet_stats_queue *qstats; + }; + }; +}; + +struct tcf_proto_ops___2 { + struct list_head head; + char kind[16]; + int (*classify)(struct sk_buff___2 *, const struct tcf_proto___2 *, struct tcf_result___2 *); + int (*init)(struct tcf_proto___2 *); + void (*destroy)(struct tcf_proto___2 *, bool, struct netlink_ext_ack *); + void * (*get)(struct tcf_proto___2 *, u32); + void (*put)(struct tcf_proto___2 *, void *); + int (*change)(struct net___2 *, struct sk_buff___2 *, struct tcf_proto___2 *, long unsigned int, u32, struct nlattr **, void **, bool, bool, struct netlink_ext_ack *); + int (*delete)(struct tcf_proto___2 *, void *, bool *, bool, struct netlink_ext_ack *); + bool (*delete_empty)(struct tcf_proto___2 *); + void (*walk)(struct tcf_proto___2 *, struct tcf_walker *, bool); + int (*reoffload)(struct tcf_proto___2 *, bool, flow_setup_cb_t *, void *, struct netlink_ext_ack *); + void (*hw_add)(struct tcf_proto___2 *, void *); + void (*hw_del)(struct tcf_proto___2 *, void *); + void (*bind_class)(void *, u32, long unsigned int); + void * (*tmplt_create)(struct net___2 *, struct tcf_chain___2 *, struct nlattr **, struct netlink_ext_ack *); + void (*tmplt_destroy)(void *); + int (*dump)(struct net___2 *, struct tcf_proto___2 *, void *, struct sk_buff___2 *, struct tcmsg *, bool); + int (*tmplt_dump)(struct sk_buff___2 *, struct net___2 *, void *); + struct module___2 *owner; + int flags; +}; + +struct tcf_chain___2 { + struct mutex filter_chain_lock; + struct tcf_proto___2 *filter_chain; + struct list_head list; + struct tcf_block___2 *block; + u32 index; + unsigned int refcnt; + unsigned int action_refcnt; + bool explicitly_created; + bool flushing; + const struct tcf_proto_ops___2 *tmplt_ops; + void *tmplt_priv; + struct callback_head rcu; +}; + +struct bpf_redirect_info___2 { + u32 flags; + u32 tgt_index; + void *tgt_value; + struct bpf_map___2 *map; + struct bpf_map___2 *map_to_flush; + u32 kern_flags; +}; + +struct match_token { + int token; + const char *pattern; +}; + +enum { + MAX_OPT_ARGS = 3, +}; + +typedef struct { + char *from; + char *to; +} substring_t; + +typedef int (*remote_function_f)(void *); + +struct remote_function_call { + struct task_struct___2 *p; + remote_function_f func; + void *info; + int ret; +}; + +typedef void (*event_f)(struct perf_event___2 *, struct perf_cpu_context___2 *, struct perf_event_context___2 *, void *); + +struct event_function_struct { + struct perf_event___2 *event; + event_f func; + void *data; +}; + +enum event_type_t { + EVENT_FLEXIBLE = 1, + EVENT_PINNED = 2, + EVENT_TIME = 4, + EVENT_CPU = 8, + EVENT_ALL = 3, +}; + +struct stop_event_data { + struct perf_event___2 *event; + unsigned int restart; +}; + +struct sched_in_data { + struct perf_event_context___2 *ctx; + struct perf_cpu_context___2 *cpuctx; + int can_add_hw; +}; + +struct perf_read_data { + struct perf_event___2 *event; + bool group; + int ret; +}; + +struct perf_read_event { + struct perf_event_header header; + u32 pid; + u32 tid; +}; + +typedef void perf_iterate_f(struct perf_event___2 *, void *); + +struct remote_output { + struct ring_buffer___2 *rb; + int err; +}; + +struct perf_task_event { + struct task_struct___2 *task; + struct perf_event_context___2 *task_ctx; + struct { + struct perf_event_header header; + u32 pid; + u32 ppid; + u32 tid; + u32 ptid; + u64 time; + } event_id; +}; + +struct perf_comm_event { + struct task_struct___2 *task; + char *comm; + int comm_size; + struct { + struct perf_event_header header; + u32 pid; + u32 tid; + } event_id; +}; + +struct perf_namespaces_event { + struct task_struct___2 *task; + struct { + struct perf_event_header header; + u32 pid; + u32 tid; + u64 nr_namespaces; + struct perf_ns_link_info link_info[7]; + } event_id; +}; + +struct perf_mmap_event { + struct vm_area_struct___2 *vma; + const char *file_name; + int file_size; + int maj; + int min; + u64 ino; + u64 ino_generation; + u32 prot; + u32 flags; + struct { + struct perf_event_header header; + u32 pid; + u32 tid; + u64 start; + u64 len; + u64 pgoff; + } event_id; +}; + +struct perf_switch_event { + struct task_struct___2 *task; + struct task_struct___2 *next_prev; + struct { + struct perf_event_header header; + u32 next_prev_pid; + u32 next_prev_tid; + } event_id; +}; + +struct perf_ksymbol_event { + const char *name; + int name_len; + struct { + struct perf_event_header header; + u64 addr; + u32 len; + u16 ksym_type; + u16 flags; + } event_id; +}; + +struct perf_bpf_event { + struct bpf_prog___2 *prog; + struct { + struct perf_event_header header; + u16 type; + u16 flags; + u32 id; + u8 tag[8]; + } event_id; +}; + +struct swevent_htable { + struct swevent_hlist *swevent_hlist; + struct mutex hlist_mutex; + int hlist_refcount; + int recursion[4]; +}; + +enum perf_probe_config { + PERF_PROBE_CONFIG_IS_RETPROBE = 1, + PERF_UPROBE_REF_CTR_OFFSET_BITS = 32, + PERF_UPROBE_REF_CTR_OFFSET_SHIFT = 32, +}; + +enum { + IF_ACT_NONE = -1, + IF_ACT_FILTER = 0, + IF_ACT_START = 1, + IF_ACT_STOP = 2, + IF_SRC_FILE = 3, + IF_SRC_KERNEL = 4, + IF_SRC_FILEADDR = 5, + IF_SRC_KERNELADDR = 6, +}; + +enum { + IF_STATE_ACTION = 0, + IF_STATE_SOURCE = 1, + IF_STATE_END = 2, +}; + +struct perf_aux_event { + struct perf_event_header header; + u32 pid; + u32 tid; +}; + +struct perf_aux_event___2 { + struct perf_event_header header; + u64 offset; + u64 size; + u64 flags; +}; + +enum perf_callchain_context { + PERF_CONTEXT_HV = -32, + PERF_CONTEXT_KERNEL = -128, + PERF_CONTEXT_USER = -512, + PERF_CONTEXT_GUEST = -2048, + PERF_CONTEXT_GUEST_KERNEL = -2176, + PERF_CONTEXT_GUEST_USER = -2560, + PERF_CONTEXT_MAX = -4095, +}; + +struct callchain_cpus_entries { + struct callback_head callback_head; + struct perf_callchain_entry *cpu_entries[0]; +}; + +enum bp_type_idx { + TYPE_INST = 0, + TYPE_DATA = 0, + TYPE_MAX = 1, +}; + +struct bp_cpuinfo { + unsigned int cpu_pinned; + unsigned int *tsk_pinned; + unsigned int flexible; +}; + +struct bp_busy_slots { + unsigned int pinned; + unsigned int flexible; +}; + +typedef u8 uprobe_opcode_t; + +struct uprobe { + struct rb_node rb_node; + refcount_t ref; + struct rw_semaphore register_rwsem; + struct rw_semaphore consumer_rwsem; + struct list_head pending_list; + struct uprobe_consumer *consumers; + struct inode___2 *inode; + loff_t offset; + loff_t ref_ctr_offset; + long unsigned int flags; + struct arch_uprobe arch; +}; + +struct xol_area { + wait_queue_head_t wq; + atomic_t slot_count; + long unsigned int *bitmap; + struct vm_special_mapping xol_mapping; + struct page___2 *pages[2]; + long unsigned int vaddr; +}; + +struct compact_control; + +struct capture_control { + struct compact_control *cc; + struct page___2 *page; +}; + +typedef int filler_t(void *, struct page___2 *); + +struct page_vma_mapped_walk { + struct page___2 *page; + struct vm_area_struct___2 *vma; + long unsigned int address; + pmd_t *pmd; + pte_t *pte; + spinlock_t *ptl; + unsigned int flags; +}; + +enum mmu_notifier_event { + MMU_NOTIFY_UNMAP = 0, + MMU_NOTIFY_CLEAR = 1, + MMU_NOTIFY_PROTECTION_VMA = 2, + MMU_NOTIFY_PROTECTION_PAGE = 3, + MMU_NOTIFY_SOFT_DIRTY = 4, + MMU_NOTIFY_RELEASE = 5, +}; + +struct mmu_notifier_range { + struct vm_area_struct___2 *vma; + struct mm_struct___2 *mm; + long unsigned int start; + long unsigned int end; + unsigned int flags; + enum mmu_notifier_event event; +}; + +struct compact_control { + struct list_head freepages; + struct list_head migratepages; + unsigned int nr_freepages; + unsigned int nr_migratepages; + long unsigned int free_pfn; + long unsigned int migrate_pfn; + long unsigned int fast_start_pfn; + struct zone___2 *zone; + long unsigned int total_migrate_scanned; + long unsigned int total_free_scanned; + short unsigned int fast_search_fail; + short int search_order; + const gfp_t gfp_mask; + int order; + int migratetype; + const unsigned int alloc_flags; + const int classzone_idx; + enum migrate_mode mode; + bool ignore_skip_hint; + bool no_set_skip_hint; + bool ignore_block_suitable; + bool direct_compaction; + bool whole_zone; + bool contended; + bool rescan; +}; + +struct delayed_uprobe { + struct list_head list; + struct uprobe *uprobe; + struct mm_struct___2 *mm; +}; + +struct map_info { + struct map_info *next; + struct mm_struct___2 *mm; + long unsigned int vaddr; +}; + +struct static_key_mod { + struct static_key_mod *next; + struct jump_entry *entries; + struct module___2 *mod; +}; + +struct static_key_deferred { + struct static_key key; + long unsigned int timeout; + struct delayed_work work; +}; + +typedef void (*dr_release_t___2)(struct device___2 *, void *); + +typedef int (*dr_match_t___2)(struct device___2 *, void *, void *); + +enum rseq_cpu_id_state { + RSEQ_CPU_ID_UNINITIALIZED = -1, + RSEQ_CPU_ID_REGISTRATION_FAILED = -2, +}; + +enum rseq_flags { + RSEQ_FLAG_UNREGISTER = 1, +}; + +enum rseq_cs_flags { + RSEQ_CS_FLAG_NO_RESTART_ON_PREEMPT = 1, + RSEQ_CS_FLAG_NO_RESTART_ON_SIGNAL = 2, + RSEQ_CS_FLAG_NO_RESTART_ON_MIGRATE = 4, +}; + +struct rseq_cs { + __u32 version; + __u32 flags; + __u64 start_ip; + __u64 post_commit_offset; + __u64 abort_ip; +}; + +struct trace_event_raw_rseq_update { + struct trace_entry ent; + s32 cpu_id; + char __data[0]; +}; + +struct trace_event_raw_rseq_ip_fixup { + struct trace_entry ent; + long unsigned int regs_ip; + long unsigned int start_ip; + long unsigned int post_commit_offset; + long unsigned int abort_ip; + char __data[0]; +}; + +struct trace_event_data_offsets_rseq_update {}; + +struct trace_event_data_offsets_rseq_ip_fixup {}; + +struct __key_reference_with_attributes; + +typedef struct __key_reference_with_attributes *key_ref_t; + +enum key_being_used_for { + VERIFYING_MODULE_SIGNATURE = 0, + VERIFYING_FIRMWARE_SIGNATURE = 1, + VERIFYING_KEXEC_PE_SIGNATURE = 2, + VERIFYING_KEY_SIGNATURE = 3, + VERIFYING_KEY_SELF_SIGNATURE = 4, + VERIFYING_UNSPECIFIED_SIGNATURE = 5, + NR__KEY_BEING_USED_FOR = 6, +}; + +struct key_preparsed_payload { + char *description; + union key_payload payload; + const void *data; + size_t datalen; + size_t quotalen; + time64_t expiry; +}; + +struct key_match_data { + bool (*cmp)(const struct key *, const struct key_match_data *); + const void *raw_data; + void *preparsed; + unsigned int lookup_type; +}; + +enum kernel_pkey_operation { + kernel_pkey_encrypt = 0, + kernel_pkey_decrypt = 1, + kernel_pkey_sign = 2, + kernel_pkey_verify = 3, +}; + +struct kernel_pkey_params { + struct key *key; + const char *encoding; + const char *hash_algo; + char *info; + __u32 in_len; + union { + __u32 out_len; + __u32 in2_len; + }; + enum kernel_pkey_operation op: 8; +}; + +struct kernel_pkey_query { + __u32 supported_ops; + __u32 key_size; + __u16 max_data_size; + __u16 max_sig_size; + __u16 max_enc_size; + __u16 max_dec_size; +}; + +struct pkcs7_message; + +typedef struct pglist_data___2 pg_data_t___2; + +struct xa_node { + unsigned char shift; + unsigned char offset; + unsigned char count; + unsigned char nr_values; + struct xa_node *parent; + struct xarray *array; + union { + struct list_head private_list; + struct callback_head callback_head; + }; + void *slots[64]; + union { + long unsigned int tags[3]; + long unsigned int marks[3]; + }; +}; + +typedef void (*xa_update_node_t)(struct xa_node *); + +struct xa_state { + struct xarray *xa; + long unsigned int xa_index; + unsigned char xa_shift; + unsigned char xa_sibs; + unsigned char xa_offset; + unsigned char xa_pad; + struct xa_node *xa_node; + struct xa_node *xa_alloc; + xa_update_node_t xa_update; +}; + +enum positive_aop_returns { + AOP_WRITEPAGE_ACTIVATE = 524288, + AOP_TRUNCATED_PAGE = 524289, +}; + +enum mapping_flags { + AS_EIO = 0, + AS_ENOSPC = 1, + AS_MM_ALL_LOCKS = 2, + AS_UNEVICTABLE = 3, + AS_EXITING = 4, + AS_NO_WRITEBACK_TAGS = 5, +}; + +enum iter_type { + ITER_IOVEC = 4, + ITER_KVEC = 8, + ITER_BVEC = 16, + ITER_PIPE = 32, + ITER_DISCARD = 64, +}; + +struct pagevec { + unsigned char nr; + bool percpu_pvec_drained; + struct page___2 *pages[15]; +}; + +struct fid { + union { + struct { + u32 ino; + u32 gen; + u32 parent_ino; + u32 parent_gen; + } i32; + struct { + u32 block; + u16 partref; + u16 parent_partref; + u32 generation; + u32 parent_block; + u32 parent_generation; + } udf; + __u32 raw[0]; + }; +}; + +struct trace_event_raw_mm_filemap_op_page_cache { + struct trace_entry ent; + long unsigned int pfn; + long unsigned int i_ino; + long unsigned int index; + dev_t s_dev; + char __data[0]; +}; + +struct trace_event_raw_filemap_set_wb_err { + struct trace_entry ent; + long unsigned int i_ino; + dev_t s_dev; + errseq_t errseq; + char __data[0]; +}; + +struct trace_event_raw_file_check_and_advance_wb_err { + struct trace_entry ent; + struct file___2 *file; + long unsigned int i_ino; + dev_t s_dev; + errseq_t old; + errseq_t new; + char __data[0]; +}; + +struct trace_event_data_offsets_mm_filemap_op_page_cache {}; + +struct trace_event_data_offsets_filemap_set_wb_err {}; + +struct trace_event_data_offsets_file_check_and_advance_wb_err {}; + +struct wait_page_key { + struct page___2 *page; + int bit_nr; + int page_match; +}; + +struct wait_page_queue { + struct page___2 *page; + int bit_nr; + wait_queue_entry_t wait; +}; + +enum behavior { + EXCLUSIVE = 0, + SHARED = 1, + DROP = 2, +}; + +struct kmem_cache_order_objects { + unsigned int x; +}; + +struct kmem_cache_cpu; + +struct kmem_cache_node; + +struct kmem_cache { + struct kmem_cache_cpu *cpu_slab; + slab_flags_t flags; + long unsigned int min_partial; + unsigned int size; + unsigned int object_size; + unsigned int offset; + unsigned int cpu_partial; + struct kmem_cache_order_objects oo; + struct kmem_cache_order_objects max; + struct kmem_cache_order_objects min; + gfp_t allocflags; + int refcount; + void (*ctor)(void *); + unsigned int inuse; + unsigned int align; + unsigned int red_left_pad; + const char *name; + struct list_head list; + struct kobject kobj; + struct work_struct kobj_remove_work; + unsigned int remote_node_defrag_ratio; + unsigned int useroffset; + unsigned int usersize; + struct kmem_cache_node *node[64]; +}; + +struct kmem_cache_cpu { + void **freelist; + long unsigned int tid; + struct page___2 *page; + struct page___2 *partial; +}; + +struct kmem_cache_node { + spinlock_t list_lock; + long unsigned int nr_partial; + struct list_head partial; + atomic_long_t nr_slabs; + atomic_long_t total_objects; + struct list_head full; +}; + +struct zap_details { + struct address_space___2 *check_mapping; + long unsigned int first_index; + long unsigned int last_index; +}; + +enum oom_constraint { + CONSTRAINT_NONE = 0, + CONSTRAINT_CPUSET = 1, + CONSTRAINT_MEMORY_POLICY = 2, + CONSTRAINT_MEMCG = 3, +}; + +struct oom_control { + struct zonelist___2 *zonelist; + nodemask_t *nodemask; + struct mem_cgroup *memcg; + const gfp_t gfp_mask; + const int order; + long unsigned int totalpages; + struct task_struct___2 *chosen; + long unsigned int chosen_points; + enum oom_constraint constraint; +}; + +enum memcg_memory_event { + MEMCG_LOW = 0, + MEMCG_HIGH = 1, + MEMCG_MAX = 2, + MEMCG_OOM = 3, + MEMCG_OOM_KILL = 4, + MEMCG_SWAP_MAX = 5, + MEMCG_SWAP_FAIL = 6, + MEMCG_NR_MEMORY_EVENTS = 7, +}; + +enum compact_priority { + COMPACT_PRIO_SYNC_FULL = 0, + MIN_COMPACT_PRIORITY = 0, + COMPACT_PRIO_SYNC_LIGHT = 1, + MIN_COMPACT_COSTLY_PRIORITY = 1, + DEF_COMPACT_PRIORITY = 1, + COMPACT_PRIO_ASYNC = 2, + INIT_COMPACT_PRIORITY = 2, +}; + +enum compact_result { + COMPACT_NOT_SUITABLE_ZONE = 0, + COMPACT_SKIPPED = 1, + COMPACT_DEFERRED = 2, + COMPACT_INACTIVE = 2, + COMPACT_NO_SUITABLE_PAGE = 3, + COMPACT_CONTINUE = 4, + COMPACT_COMPLETE = 5, + COMPACT_PARTIAL_SKIPPED = 6, + COMPACT_CONTENDED = 7, + COMPACT_SUCCESS = 8, +}; + +struct trace_event_raw_oom_score_adj_update { + struct trace_entry ent; + pid_t pid; + char comm[16]; + short int oom_score_adj; + char __data[0]; +}; + +struct trace_event_raw_reclaim_retry_zone { + struct trace_entry ent; + int node; + int zone_idx; + int order; + long unsigned int reclaimable; + long unsigned int available; + long unsigned int min_wmark; + int no_progress_loops; + bool wmark_check; + char __data[0]; +}; + +struct trace_event_raw_mark_victim { + struct trace_entry ent; + int pid; + char __data[0]; +}; + +struct trace_event_raw_wake_reaper { + struct trace_entry ent; + int pid; + char __data[0]; +}; + +struct trace_event_raw_start_task_reaping { + struct trace_entry ent; + int pid; + char __data[0]; +}; + +struct trace_event_raw_finish_task_reaping { + struct trace_entry ent; + int pid; + char __data[0]; +}; + +struct trace_event_raw_skip_task_reaping { + struct trace_entry ent; + int pid; + char __data[0]; +}; + +struct trace_event_raw_compact_retry { + struct trace_entry ent; + int order; + int priority; + int result; + int retries; + int max_retries; + bool ret; + char __data[0]; +}; + +struct trace_event_data_offsets_oom_score_adj_update {}; + +struct trace_event_data_offsets_reclaim_retry_zone {}; + +struct trace_event_data_offsets_mark_victim {}; + +struct trace_event_data_offsets_wake_reaper {}; + +struct trace_event_data_offsets_start_task_reaping {}; + +struct trace_event_data_offsets_finish_task_reaping {}; + +struct trace_event_data_offsets_skip_task_reaping {}; + +struct trace_event_data_offsets_compact_retry {}; + +enum wb_congested_state { + WB_async_congested = 0, + WB_sync_congested = 1, +}; + +typedef void (*poll_queue_proc___3)(struct file___2 *, wait_queue_head_t *, struct poll_table_struct *); + +enum { + XA_CHECK_SCHED = 4096, +}; + +struct fprop_global { + struct percpu_counter events; + unsigned int period; + seqcount_t sequence; +}; + +enum wb_state { + WB_registered = 0, + WB_writeback_running = 1, + WB_has_dirty_io = 2, + WB_start_all = 3, +}; + +enum { + BLK_RW_ASYNC = 0, + BLK_RW_SYNC = 1, +}; + +struct wb_lock_cookie { + bool locked; + long unsigned int flags; +}; + +struct wb_domain { + spinlock_t lock; + struct fprop_global completions; + struct timer_list period_timer; + long unsigned int period_time; + long unsigned int dirty_limit_tstamp; + long unsigned int dirty_limit; +}; + +typedef int (*writepage_t)(struct page___2 *, struct writeback_control *, void *); + +struct dirty_throttle_control { + struct bdi_writeback *wb; + struct fprop_local_percpu *wb_completions; + long unsigned int avail; + long unsigned int dirty; + long unsigned int thresh; + long unsigned int bg_thresh; + long unsigned int wb_dirty; + long unsigned int wb_thresh; + long unsigned int wb_bg_thresh; + long unsigned int pos_ratio; +}; + +struct trace_event_raw_mm_lru_insertion { + struct trace_entry ent; + struct page___2 *page; + long unsigned int pfn; + int lru; + long unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_mm_lru_activate { + struct trace_entry ent; + struct page___2 *page; + long unsigned int pfn; + char __data[0]; +}; + +struct trace_event_data_offsets_mm_lru_insertion {}; + +struct trace_event_data_offsets_mm_lru_activate {}; + +enum lruvec_flags { + LRUVEC_CONGESTED = 0, +}; + +enum pgdat_flags { + PGDAT_DIRTY = 0, + PGDAT_WRITEBACK = 1, + PGDAT_RECLAIM_LOCKED = 2, +}; + +struct reclaim_stat { + unsigned int nr_dirty; + unsigned int nr_unqueued_dirty; + unsigned int nr_congested; + unsigned int nr_writeback; + unsigned int nr_immediate; + unsigned int nr_activate[2]; + unsigned int nr_ref_keep; + unsigned int nr_unmap_fail; +}; + +enum mem_cgroup_protection { + MEMCG_PROT_NONE = 0, + MEMCG_PROT_LOW = 1, + MEMCG_PROT_MIN = 2, +}; + +struct mem_cgroup_reclaim_cookie { + pg_data_t___2 *pgdat; + unsigned int generation; +}; + +enum ttu_flags { + TTU_MIGRATION = 1, + TTU_MUNLOCK = 2, + TTU_SPLIT_HUGE_PMD = 4, + TTU_IGNORE_MLOCK = 8, + TTU_IGNORE_ACCESS = 16, + TTU_IGNORE_HWPOISON = 32, + TTU_BATCH_FLUSH = 64, + TTU_RMAP_LOCKED = 128, + TTU_SPLIT_FREEZE = 256, +}; + +struct trace_event_raw_mm_vmscan_kswapd_sleep { + struct trace_entry ent; + int nid; + char __data[0]; +}; + +struct trace_event_raw_mm_vmscan_kswapd_wake { + struct trace_entry ent; + int nid; + int zid; + int order; + char __data[0]; +}; + +struct trace_event_raw_mm_vmscan_wakeup_kswapd { + struct trace_entry ent; + int nid; + int zid; + int order; + gfp_t gfp_flags; + char __data[0]; +}; + +struct trace_event_raw_mm_vmscan_direct_reclaim_begin_template { + struct trace_entry ent; + int order; + gfp_t gfp_flags; + char __data[0]; +}; + +struct trace_event_raw_mm_vmscan_direct_reclaim_end_template { + struct trace_entry ent; + long unsigned int nr_reclaimed; + char __data[0]; +}; + +struct trace_event_raw_mm_shrink_slab_start { + struct trace_entry ent; + struct shrinker *shr; + void *shrink; + int nid; + long int nr_objects_to_shrink; + gfp_t gfp_flags; + long unsigned int cache_items; + long long unsigned int delta; + long unsigned int total_scan; + int priority; + char __data[0]; +}; + +struct trace_event_raw_mm_shrink_slab_end { + struct trace_entry ent; + struct shrinker *shr; + int nid; + void *shrink; + long int unused_scan; + long int new_scan; + int retval; + long int total_scan; + char __data[0]; +}; + +struct trace_event_raw_mm_vmscan_lru_isolate { + struct trace_entry ent; + int classzone_idx; + int order; + long unsigned int nr_requested; + long unsigned int nr_scanned; + long unsigned int nr_skipped; + long unsigned int nr_taken; + isolate_mode_t isolate_mode; + int lru; + char __data[0]; +}; + +struct trace_event_raw_mm_vmscan_writepage { + struct trace_entry ent; + long unsigned int pfn; + int reclaim_flags; + char __data[0]; +}; + +struct trace_event_raw_mm_vmscan_lru_shrink_inactive { + struct trace_entry ent; + int nid; + long unsigned int nr_scanned; + long unsigned int nr_reclaimed; + long unsigned int nr_dirty; + long unsigned int nr_writeback; + long unsigned int nr_congested; + long unsigned int nr_immediate; + unsigned int nr_activate0; + unsigned int nr_activate1; + long unsigned int nr_ref_keep; + long unsigned int nr_unmap_fail; + int priority; + int reclaim_flags; + char __data[0]; +}; + +struct trace_event_raw_mm_vmscan_lru_shrink_active { + struct trace_entry ent; + int nid; + long unsigned int nr_taken; + long unsigned int nr_active; + long unsigned int nr_deactivated; + long unsigned int nr_referenced; + int priority; + int reclaim_flags; + char __data[0]; +}; + +struct trace_event_raw_mm_vmscan_inactive_list_is_low { + struct trace_entry ent; + int nid; + int reclaim_idx; + long unsigned int total_inactive; + long unsigned int inactive; + long unsigned int total_active; + long unsigned int active; + long unsigned int ratio; + int reclaim_flags; + char __data[0]; +}; + +struct trace_event_raw_mm_vmscan_node_reclaim_begin { + struct trace_entry ent; + int nid; + int order; + gfp_t gfp_flags; + char __data[0]; +}; + +struct trace_event_data_offsets_mm_vmscan_kswapd_sleep {}; + +struct trace_event_data_offsets_mm_vmscan_kswapd_wake {}; + +struct trace_event_data_offsets_mm_vmscan_wakeup_kswapd {}; + +struct trace_event_data_offsets_mm_vmscan_direct_reclaim_begin_template {}; + +struct trace_event_data_offsets_mm_vmscan_direct_reclaim_end_template {}; + +struct trace_event_data_offsets_mm_shrink_slab_start {}; + +struct trace_event_data_offsets_mm_shrink_slab_end {}; + +struct trace_event_data_offsets_mm_vmscan_lru_isolate {}; + +struct trace_event_data_offsets_mm_vmscan_writepage {}; + +struct trace_event_data_offsets_mm_vmscan_lru_shrink_inactive {}; + +struct trace_event_data_offsets_mm_vmscan_lru_shrink_active {}; + +struct trace_event_data_offsets_mm_vmscan_inactive_list_is_low {}; + +struct trace_event_data_offsets_mm_vmscan_node_reclaim_begin {}; + +struct scan_control { + long unsigned int nr_to_reclaim; + nodemask_t *nodemask; + struct mem_cgroup *target_mem_cgroup; + unsigned int may_deactivate: 2; + unsigned int force_deactivate: 1; + unsigned int skipped_deactivate: 1; + unsigned int may_writepage: 1; + unsigned int may_unmap: 1; + unsigned int may_swap: 1; + unsigned int memcg_low_reclaim: 1; + unsigned int memcg_low_skipped: 1; + unsigned int hibernation_mode: 1; + unsigned int compaction_ready: 1; + unsigned int cache_trim_mode: 1; + unsigned int file_is_tiny: 1; + s8 order; + s8 priority; + s8 reclaim_idx; + gfp_t gfp_mask; + long unsigned int nr_scanned; + long unsigned int nr_reclaimed; + struct { + unsigned int dirty; + unsigned int unqueued_dirty; + unsigned int congested; + unsigned int writeback; + unsigned int immediate; + unsigned int file_taken; + unsigned int taken; + } nr; + struct reclaim_state reclaim_state; +}; + +typedef enum { + PAGE_KEEP = 0, + PAGE_ACTIVATE = 1, + PAGE_SUCCESS = 2, + PAGE_CLEAN = 3, +} pageout_t; + +enum page_references { + PAGEREF_RECLAIM = 0, + PAGEREF_RECLAIM_CLEAN = 1, + PAGEREF_KEEP = 2, + PAGEREF_ACTIVATE = 3, +}; + +enum scan_balance { + SCAN_EQUAL = 0, + SCAN_FRACT = 1, + SCAN_ANON = 2, + SCAN_FILE = 3, +}; + +enum { + MPOL_DEFAULT = 0, + MPOL_PREFERRED = 1, + MPOL_BIND = 2, + MPOL_INTERLEAVE = 3, + MPOL_LOCAL = 4, + MPOL_MAX = 5, +}; + +struct shared_policy { + struct rb_root root; + rwlock_t lock; +}; + +struct xattr; + +typedef int (*initxattrs)(struct inode___2 *, const struct xattr *, void *); + +struct xattr { + const char *name; + void *value; + size_t value_len; +}; + +struct simple_xattrs { + struct list_head head; + spinlock_t lock; +}; + +struct simple_xattr { + struct list_head list; + char *name; + size_t size; + char value[0]; +}; + +enum fid_type { + FILEID_ROOT = 0, + FILEID_INO32_GEN = 1, + FILEID_INO32_GEN_PARENT = 2, + FILEID_BTRFS_WITHOUT_PARENT = 77, + FILEID_BTRFS_WITH_PARENT = 78, + FILEID_BTRFS_WITH_PARENT_ROOT = 79, + FILEID_UDF_WITHOUT_PARENT = 81, + FILEID_UDF_WITH_PARENT = 82, + FILEID_NILFS_WITHOUT_PARENT = 97, + FILEID_NILFS_WITH_PARENT = 98, + FILEID_FAT_WITHOUT_PARENT = 113, + FILEID_FAT_WITH_PARENT = 114, + FILEID_LUSTRE = 151, + FILEID_KERNFS = 254, + FILEID_INVALID = 255, +}; + +struct shmem_inode_info { + spinlock_t lock; + unsigned int seals; + long unsigned int flags; + long unsigned int alloced; + long unsigned int swapped; + struct list_head shrinklist; + struct list_head swaplist; + struct shared_policy policy; + struct simple_xattrs xattrs; + atomic_t stop_eviction; + struct inode___2 vfs_inode; +}; + +struct shmem_sb_info { + long unsigned int max_blocks; + struct percpu_counter used_blocks; + long unsigned int max_inodes; + long unsigned int free_inodes; + spinlock_t stat_lock; + umode_t mode; + unsigned char huge; + kuid_t uid; + kgid_t gid; + struct mempolicy *mpol; + spinlock_t shrinklist_lock; + struct list_head shrinklist; + long unsigned int shrinklist_len; +}; + +enum sgp_type { + SGP_READ = 0, + SGP_CACHE = 1, + SGP_NOHUGE = 2, + SGP_HUGE = 3, + SGP_WRITE = 4, + SGP_FALLOC = 5, +}; + +typedef void (*poll_queue_proc___4)(struct file *, wait_queue_head_t *, struct poll_table_struct___2 *); + +struct shmem_falloc { + wait_queue_head_t *waitq; + long unsigned int start; + long unsigned int next; + long unsigned int nr_falloced; + long unsigned int nr_unswapped; +}; + +struct shmem_options { + long long unsigned int blocks; + long long unsigned int inodes; + struct mempolicy *mpol; + kuid_t uid; + kgid_t gid; + umode_t mode; + int huge; + int seen; +}; + +enum shmem_param { + Opt_gid = 0, + Opt_huge = 1, + Opt_mode = 2, + Opt_mpol = 3, + Opt_nr_blocks = 4, + Opt_nr_inodes = 5, + Opt_size = 6, + Opt_uid = 7, +}; + +enum pageblock_bits { + PB_migrate = 0, + PB_migrate_end = 2, + PB_migrate_skip = 3, + NR_PAGEBLOCK_BITS = 4, +}; + +enum writeback_stat_item { + NR_DIRTY_THRESHOLD = 0, + NR_DIRTY_BG_THRESHOLD = 1, + NR_VM_WRITEBACK_STAT_ITEMS = 2, +}; + +struct contig_page_info { + long unsigned int free_pages; + long unsigned int free_blocks_total; + long unsigned int free_blocks_suitable; +}; + +enum mminit_level { + MMINIT_WARNING = 0, + MMINIT_VERIFY = 1, + MMINIT_TRACE = 2, +}; + +struct pcpu_group_info { + int nr_units; + long unsigned int base_offset; + unsigned int *cpu_map; +}; + +struct pcpu_alloc_info { + size_t static_size; + size_t reserved_size; + size_t dyn_size; + size_t unit_size; + size_t atom_size; + size_t alloc_size; + size_t __ai_size; + int nr_groups; + struct pcpu_group_info groups[0]; +}; + +struct trace_event_raw_percpu_alloc_percpu { + struct trace_entry ent; + bool reserved; + bool is_atomic; + size_t size; + size_t align; + void *base_addr; + int off; + void *ptr; + char __data[0]; +}; + +struct trace_event_raw_percpu_free_percpu { + struct trace_entry ent; + void *base_addr; + int off; + void *ptr; + char __data[0]; +}; + +struct trace_event_raw_percpu_alloc_percpu_fail { + struct trace_entry ent; + bool reserved; + bool is_atomic; + size_t size; + size_t align; + char __data[0]; +}; + +struct trace_event_raw_percpu_create_chunk { + struct trace_entry ent; + void *base_addr; + char __data[0]; +}; + +struct trace_event_raw_percpu_destroy_chunk { + struct trace_entry ent; + void *base_addr; + char __data[0]; +}; + +struct trace_event_data_offsets_percpu_alloc_percpu {}; + +struct trace_event_data_offsets_percpu_free_percpu {}; + +struct trace_event_data_offsets_percpu_alloc_percpu_fail {}; + +struct trace_event_data_offsets_percpu_create_chunk {}; + +struct trace_event_data_offsets_percpu_destroy_chunk {}; + +struct pcpu_block_md { + int scan_hint; + int scan_hint_start; + int contig_hint; + int contig_hint_start; + int left_free; + int right_free; + int first_free; + int nr_bits; +}; + +struct pcpu_chunk { + struct list_head list; + int free_bytes; + struct pcpu_block_md chunk_md; + void *base_addr; + long unsigned int *alloc_map; + long unsigned int *bound_map; + struct pcpu_block_md *md_blocks; + void *data; + bool immutable; + int start_offset; + int end_offset; + int nr_pages; + int nr_populated; + int nr_empty_pop_pages; + long unsigned int populated[0]; +}; + +struct trace_event_raw_kmem_alloc { + struct trace_entry ent; + long unsigned int call_site; + const void *ptr; + size_t bytes_req; + size_t bytes_alloc; + gfp_t gfp_flags; + char __data[0]; +}; + +struct trace_event_raw_kmem_alloc_node { + struct trace_entry ent; + long unsigned int call_site; + const void *ptr; + size_t bytes_req; + size_t bytes_alloc; + gfp_t gfp_flags; + int node; + char __data[0]; +}; + +struct trace_event_raw_kmem_free { + struct trace_entry ent; + long unsigned int call_site; + const void *ptr; + char __data[0]; +}; + +struct trace_event_raw_mm_page_free { + struct trace_entry ent; + long unsigned int pfn; + unsigned int order; + char __data[0]; +}; + +struct trace_event_raw_mm_page_free_batched { + struct trace_entry ent; + long unsigned int pfn; + char __data[0]; +}; + +struct trace_event_raw_mm_page_alloc { + struct trace_entry ent; + long unsigned int pfn; + unsigned int order; + gfp_t gfp_flags; + int migratetype; + char __data[0]; +}; + +struct trace_event_raw_mm_page { + struct trace_entry ent; + long unsigned int pfn; + unsigned int order; + int migratetype; + char __data[0]; +}; + +struct trace_event_raw_mm_page_pcpu_drain { + struct trace_entry ent; + long unsigned int pfn; + unsigned int order; + int migratetype; + char __data[0]; +}; + +struct trace_event_raw_mm_page_alloc_extfrag { + struct trace_entry ent; + long unsigned int pfn; + int alloc_order; + int fallback_order; + int alloc_migratetype; + int fallback_migratetype; + int change_ownership; + char __data[0]; +}; + +struct trace_event_raw_rss_stat { + struct trace_entry ent; + unsigned int mm_id; + unsigned int curr; + int member; + long int size; + char __data[0]; +}; + +struct trace_event_data_offsets_kmem_alloc {}; + +struct trace_event_data_offsets_kmem_alloc_node {}; + +struct trace_event_data_offsets_kmem_free {}; + +struct trace_event_data_offsets_mm_page_free {}; + +struct trace_event_data_offsets_mm_page_free_batched {}; + +struct trace_event_data_offsets_mm_page_alloc {}; + +struct trace_event_data_offsets_mm_page {}; + +struct trace_event_data_offsets_mm_page_pcpu_drain {}; + +struct trace_event_data_offsets_mm_page_alloc_extfrag {}; + +struct trace_event_data_offsets_rss_stat {}; + +enum slab_state { + DOWN = 0, + PARTIAL = 1, + PARTIAL_NODE = 2, + UP = 3, + FULL = 4, +}; + +struct kmalloc_info_struct { + const char *name[3]; + unsigned int size; +}; + +struct slabinfo { + long unsigned int active_objs; + long unsigned int num_objs; + long unsigned int active_slabs; + long unsigned int num_slabs; + long unsigned int shared_avail; + unsigned int limit; + unsigned int batchcount; + unsigned int shared; + unsigned int objects_per_slab; + unsigned int cache_order; +}; + +struct node___2 { + struct device dev; + struct list_head access_list; +}; + +typedef struct page___2 *new_page_t(struct page___2 *, long unsigned int); + +typedef void free_page_t(struct page___2 *, long unsigned int); + +struct alloc_context { + struct zonelist___2 *zonelist; + nodemask_t *nodemask; + struct zoneref___2 *preferred_zoneref; + int migratetype; + enum zone_type high_zoneidx; + bool spread_dirty_pages; +}; + +struct trace_event_raw_mm_compaction_isolate_template { + struct trace_entry ent; + long unsigned int start_pfn; + long unsigned int end_pfn; + long unsigned int nr_scanned; + long unsigned int nr_taken; + char __data[0]; +}; + +struct trace_event_raw_mm_compaction_migratepages { + struct trace_entry ent; + long unsigned int nr_migrated; + long unsigned int nr_failed; + char __data[0]; +}; + +struct trace_event_raw_mm_compaction_begin { + struct trace_entry ent; + long unsigned int zone_start; + long unsigned int migrate_pfn; + long unsigned int free_pfn; + long unsigned int zone_end; + bool sync; + char __data[0]; +}; + +struct trace_event_raw_mm_compaction_end { + struct trace_entry ent; + long unsigned int zone_start; + long unsigned int migrate_pfn; + long unsigned int free_pfn; + long unsigned int zone_end; + bool sync; + int status; + char __data[0]; +}; + +struct trace_event_raw_mm_compaction_try_to_compact_pages { + struct trace_entry ent; + int order; + gfp_t gfp_mask; + int prio; + char __data[0]; +}; + +struct trace_event_raw_mm_compaction_suitable_template { + struct trace_entry ent; + int nid; + enum zone_type idx; + int order; + int ret; + char __data[0]; +}; + +struct trace_event_raw_mm_compaction_defer_template { + struct trace_entry ent; + int nid; + enum zone_type idx; + int order; + unsigned int considered; + unsigned int defer_shift; + int order_failed; + char __data[0]; +}; + +struct trace_event_raw_mm_compaction_kcompactd_sleep { + struct trace_entry ent; + int nid; + char __data[0]; +}; + +struct trace_event_raw_kcompactd_wake_template { + struct trace_entry ent; + int nid; + int order; + enum zone_type classzone_idx; + char __data[0]; +}; + +struct trace_event_data_offsets_mm_compaction_isolate_template {}; + +struct trace_event_data_offsets_mm_compaction_migratepages {}; + +struct trace_event_data_offsets_mm_compaction_begin {}; + +struct trace_event_data_offsets_mm_compaction_end {}; + +struct trace_event_data_offsets_mm_compaction_try_to_compact_pages {}; + +struct trace_event_data_offsets_mm_compaction_suitable_template {}; + +struct trace_event_data_offsets_mm_compaction_defer_template {}; + +struct trace_event_data_offsets_mm_compaction_kcompactd_sleep {}; + +struct trace_event_data_offsets_kcompactd_wake_template {}; + +typedef enum { + ISOLATE_ABORT = 0, + ISOLATE_NONE = 1, + ISOLATE_SUCCESS = 2, +} isolate_migrate_t; + +struct anon_vma_chain { + struct vm_area_struct___2 *vma; + struct anon_vma *anon_vma; + struct list_head same_vma; + struct rb_node rb; + long unsigned int rb_subtree_last; +}; + +enum lru_status { + LRU_REMOVED = 0, + LRU_REMOVED_RETRY = 1, + LRU_ROTATE = 2, + LRU_SKIP = 3, + LRU_RETRY = 4, +}; + +typedef enum lru_status (*list_lru_walk_cb)(struct list_head *, struct list_lru_one *, spinlock_t *, void *); + +typedef struct { + long unsigned int pd; +} hugepd_t; + +struct follow_page_context { + struct dev_pagemap *pgmap; + unsigned int page_mask; +}; + +typedef int (*pte_fn_t)(pte_t *, long unsigned int, void *); + +enum { + SWP_USED = 1, + SWP_WRITEOK = 2, + SWP_DISCARDABLE = 4, + SWP_DISCARDING = 8, + SWP_SOLIDSTATE = 16, + SWP_CONTINUED = 32, + SWP_BLKDEV = 64, + SWP_ACTIVATED = 128, + SWP_FS = 256, + SWP_AREA_DISCARD = 512, + SWP_PAGE_DISCARD = 1024, + SWP_STABLE_WRITES = 2048, + SWP_SYNCHRONOUS_IO = 4096, + SWP_VALID = 8192, + SWP_SCANNING = 16384, +}; + +struct copy_subpage_arg { + struct page___2 *dst; + struct page___2 *src; + struct vm_area_struct___2 *vma; +}; + +struct mm_walk; + +struct mm_walk_ops { + int (*pud_entry)(pud_t *, long unsigned int, long unsigned int, struct mm_walk *); + int (*pmd_entry)(pmd_t *, long unsigned int, long unsigned int, struct mm_walk *); + int (*pte_entry)(pte_t *, long unsigned int, long unsigned int, struct mm_walk *); + int (*pte_hole)(long unsigned int, long unsigned int, struct mm_walk *); + int (*hugetlb_entry)(pte_t *, long unsigned int, long unsigned int, long unsigned int, struct mm_walk *); + int (*test_walk)(long unsigned int, long unsigned int, struct mm_walk *); + int (*pre_vma)(long unsigned int, long unsigned int, struct mm_walk *); + void (*post_vma)(struct mm_walk *); +}; + +struct mm_walk { + const struct mm_walk_ops *ops; + struct mm_struct___2 *mm; + struct vm_area_struct___2 *vma; + void *private; +}; + +enum { + HUGETLB_SHMFS_INODE = 1, + HUGETLB_ANONHUGE_INODE = 2, +}; + +struct rmap_walk_control { + void *arg; + bool (*rmap_one)(struct page___2 *, struct vm_area_struct___2 *, long unsigned int, void *); + int (*done)(struct page___2 *); + struct anon_vma * (*anon_lock)(struct page___2 *); + bool (*invalid_vma)(struct vm_area_struct___2 *, void *); +}; + +struct page_referenced_arg { + int mapcount; + int referenced; + long unsigned int vm_flags; + struct mem_cgroup *memcg; +}; + +struct vmap_area { + long unsigned int va_start; + long unsigned int va_end; + struct rb_node rb_node; + struct list_head list; + union { + long unsigned int subtree_max_size; + struct vm_struct *vm; + struct llist_node purge_list; + }; +}; + +struct vfree_deferred { + struct llist_head list; + struct work_struct wq; +}; + +enum fit_type { + NOTHING_FIT = 0, + FL_FIT_TYPE = 1, + LE_FIT_TYPE = 2, + RE_FIT_TYPE = 3, + NE_FIT_TYPE = 4, +}; + +struct vmap_block_queue { + spinlock_t lock; + struct list_head free; +}; + +struct vmap_block { + spinlock_t lock; + struct vmap_area *va; + long unsigned int free; + long unsigned int dirty; + long unsigned int dirty_min; + long unsigned int dirty_max; + struct list_head free_list; + struct callback_head callback_head; + struct list_head purge; +}; + +struct page_frag_cache { + void *va; + __u16 offset; + __u16 size; + unsigned int pagecnt_bias; + bool pfmemalloc; +}; + +enum zone_flags { + ZONE_BOOSTED_WATERMARK = 0, +}; + +enum memmap_context { + MEMMAP_EARLY = 0, + MEMMAP_HOTPLUG = 1, +}; + +struct mminit_pfnnid_cache { + long unsigned int last_start; + long unsigned int last_end; + int last_nid; +}; + +struct pcpu_drain { + struct zone___2 *zone; + struct work_struct work; +}; + +struct madvise_walk_private { + struct mmu_gather *tlb; + bool pageout; +}; + +struct vma_swap_readahead { + short unsigned int win; + short unsigned int offset; + short unsigned int nr_pte; + pte_t *ptes; +}; + +union swap_header { + struct { + char reserved[4086]; + char magic[10]; + } magic; + struct { + char bootbits[1024]; + __u32 version; + __u32 last_page; + __u32 nr_badpages; + unsigned char sws_uuid[16]; + unsigned char sws_volume[16]; + __u32 padding[117]; + __u32 badpages[1]; + } info; +}; + +struct swap_extent { + struct rb_node rb_node; + long unsigned int start_page; + long unsigned int nr_pages; + sector_t start_block; +}; + +struct swap_slots_cache { + bool lock_initialized; + struct mutex alloc_lock; + swp_entry_t *slots; + int nr; + int cur; + spinlock_t free_lock; + swp_entry_t *slots_ret; + int n_ret; +}; + +struct dma_pool { + struct list_head page_list; + spinlock_t lock; + size_t size; + struct device___2 *dev; + size_t allocation; + size_t boundary; + char name[32]; + struct list_head pools; +}; + +struct dma_page { + struct list_head page_list; + void *vaddr; + dma_addr_t dma; + unsigned int in_use; + unsigned int offset; +}; + +enum string_size_units { + STRING_UNITS_10 = 0, + STRING_UNITS_2 = 1, +}; + +typedef void (*node_registration_func_t)(struct node___2 *); + +struct resv_map { + struct kref refs; + spinlock_t lock; + struct list_head regions; + long int adds_in_progress; + struct list_head region_cache; + long int region_cache_count; +}; + +struct huge_bootmem_page { + struct list_head list; + struct hstate *hstate; +}; + +struct file_region { + struct list_head link; + long int from; + long int to; +}; + +enum vma_resv_mode { + VMA_NEEDS_RESV = 0, + VMA_COMMIT_RESV = 1, + VMA_END_RESV = 2, + VMA_ADD_RESV = 3, +}; + +struct node_hstate { + struct kobject *hugepages_kobj; + struct kobject *hstate_kobjs[2]; +}; + +struct hugetlb_cgroup; + +struct nodemask_scratch { + nodemask_t mask1; + nodemask_t mask2; +}; + +struct sp_node { + struct rb_node nd; + long unsigned int start; + long unsigned int end; + struct mempolicy *policy; +}; + +struct mempolicy_operations { + int (*create)(struct mempolicy *, const nodemask_t *); + void (*rebind)(struct mempolicy *, const nodemask_t *); +}; + +struct queue_pages { + struct list_head *pagelist; + long unsigned int flags; + nodemask_t *nmask; + long unsigned int start; + long unsigned int end; + struct vm_area_struct___2 *first; +}; + +struct mmu_notifier_mm { + struct hlist_head list; + bool has_itree; + spinlock_t lock; + long unsigned int invalidate_seq; + long unsigned int active_invalidate_ranges; + struct rb_root_cached itree; + wait_queue_head_t wq; + struct hlist_head deferred_list; +}; + +struct interval_tree_node { + struct rb_node rb; + long unsigned int start; + long unsigned int last; + long unsigned int __subtree_last; +}; + +struct mmu_notifier; + +struct mmu_notifier_ops { + void (*release)(struct mmu_notifier *, struct mm_struct___2 *); + int (*clear_flush_young)(struct mmu_notifier *, struct mm_struct___2 *, long unsigned int, long unsigned int); + int (*clear_young)(struct mmu_notifier *, struct mm_struct___2 *, long unsigned int, long unsigned int); + int (*test_young)(struct mmu_notifier *, struct mm_struct___2 *, long unsigned int); + void (*change_pte)(struct mmu_notifier *, struct mm_struct___2 *, long unsigned int, pte_t); + int (*invalidate_range_start)(struct mmu_notifier *, const struct mmu_notifier_range *); + void (*invalidate_range_end)(struct mmu_notifier *, const struct mmu_notifier_range *); + void (*invalidate_range)(struct mmu_notifier *, struct mm_struct___2 *, long unsigned int, long unsigned int); + struct mmu_notifier * (*alloc_notifier)(struct mm_struct___2 *); + void (*free_notifier)(struct mmu_notifier *); +}; + +struct mmu_notifier { + struct hlist_node hlist; + const struct mmu_notifier_ops *ops; + struct mm_struct___2 *mm; + struct callback_head rcu; + unsigned int users; +}; + +struct mmu_interval_notifier; + +struct mmu_interval_notifier_ops { + bool (*invalidate)(struct mmu_interval_notifier *, const struct mmu_notifier_range *, long unsigned int); +}; + +struct mmu_interval_notifier { + struct interval_tree_node interval_tree; + const struct mmu_interval_notifier_ops *ops; + struct mm_struct___2 *mm; + struct hlist_node deferred_item; + long unsigned int invalidate_seq; +}; + +enum stat_item { + ALLOC_FASTPATH = 0, + ALLOC_SLOWPATH = 1, + FREE_FASTPATH = 2, + FREE_SLOWPATH = 3, + FREE_FROZEN = 4, + FREE_ADD_PARTIAL = 5, + FREE_REMOVE_PARTIAL = 6, + ALLOC_FROM_PARTIAL = 7, + ALLOC_SLAB = 8, + ALLOC_REFILL = 9, + ALLOC_NODE_MISMATCH = 10, + FREE_SLAB = 11, + CPUSLAB_FLUSH = 12, + DEACTIVATE_FULL = 13, + DEACTIVATE_EMPTY = 14, + DEACTIVATE_TO_HEAD = 15, + DEACTIVATE_TO_TAIL = 16, + DEACTIVATE_REMOTE_FREES = 17, + DEACTIVATE_BYPASS = 18, + ORDER_FALLBACK = 19, + CMPXCHG_DOUBLE_CPU_FAIL = 20, + CMPXCHG_DOUBLE_FAIL = 21, + CPU_PARTIAL_ALLOC = 22, + CPU_PARTIAL_FREE = 23, + CPU_PARTIAL_NODE = 24, + CPU_PARTIAL_DRAIN = 25, + NR_SLUB_STAT_ITEMS = 26, +}; + +struct track { + long unsigned int addr; + long unsigned int addrs[16]; + int cpu; + int pid; + long unsigned int when; +}; + +enum track_item { + TRACK_ALLOC = 0, + TRACK_FREE = 1, +}; + +struct detached_freelist { + struct page___2 *page; + void *tail; + void *freelist; + int cnt; + struct kmem_cache *s; +}; + +struct location { + long unsigned int count; + long unsigned int addr; + long long int sum_time; + long int min_time; + long int max_time; + long int min_pid; + long int max_pid; + long unsigned int cpus[1]; + nodemask_t nodes; +}; + +struct loc_track { + long unsigned int max; + long unsigned int count; + struct location *loc; +}; + +enum slab_stat_type { + SL_ALL = 0, + SL_PARTIAL = 1, + SL_CPU = 2, + SL_OBJECTS = 3, + SL_TOTAL = 4, +}; + +struct slab_attribute { + struct attribute attr; + ssize_t (*show)(struct kmem_cache *, char *); + ssize_t (*store)(struct kmem_cache *, const char *, size_t); +}; + +struct saved_alias { + struct kmem_cache *s; + const char *name; + struct saved_alias *next; +}; + +enum slab_modes { + M_NONE = 0, + M_PARTIAL = 1, + M_FULL = 2, + M_FREE = 3, +}; + +struct buffer_head; + +typedef void bh_end_io_t(struct buffer_head *, int); + +struct buffer_head { + long unsigned int b_state; + struct buffer_head *b_this_page; + struct page___2 *b_page; + sector_t b_blocknr; + size_t b_size; + char *b_data; + struct block_device *b_bdev; + bh_end_io_t *b_end_io; + void *b_private; + struct list_head b_assoc_buffers; + struct address_space___2 *b_assoc_map; + atomic_t b_count; +}; + +enum bh_state_bits { + BH_Uptodate = 0, + BH_Dirty = 1, + BH_Lock = 2, + BH_Req = 3, + BH_Uptodate_Lock = 4, + BH_Mapped = 5, + BH_New = 6, + BH_Async_Read = 7, + BH_Async_Write = 8, + BH_Delay = 9, + BH_Boundary = 10, + BH_Write_EIO = 11, + BH_Unwritten = 12, + BH_Quiet = 13, + BH_Meta = 14, + BH_Prio = 15, + BH_Defer_Completion = 16, + BH_PrivateStart = 17, +}; + +struct trace_event_raw_mm_migrate_pages { + struct trace_entry ent; + long unsigned int succeeded; + long unsigned int failed; + enum migrate_mode mode; + int reason; + char __data[0]; +}; + +struct trace_event_data_offsets_mm_migrate_pages {}; + +struct hugetlbfs_inode_info { + struct shared_policy policy; + struct inode___2 vfs_inode; + unsigned int seals; +}; + +typedef s32 compat_off_t; + +struct open_flags { + int open_flag; + umode_t mode; + int acc_mode; + int intent; + int lookup_flags; +}; + +typedef __kernel_long_t __kernel_off_t; + +typedef __kernel_off_t off_t; + +struct file_dedupe_range_info { + __s64 dest_fd; + __u64 dest_offset; + __u64 bytes_deduped; + __s32 status; + __u32 reserved; +}; + +struct file_dedupe_range { + __u64 src_offset; + __u64 src_length; + __u16 dest_count; + __u16 reserved1; + __u32 reserved2; + struct file_dedupe_range_info info[0]; +}; + +typedef int __kernel_rwf_t; + +typedef __kernel_rwf_t rwf_t; + +typedef s32 compat_ssize_t; + +enum vfs_get_super_keying { + vfs_get_single_super = 0, + vfs_get_single_reconf_super = 1, + vfs_get_keyed_super = 2, + vfs_get_independent_super = 3, +}; + +typedef struct kobject___2 *kobj_probe_t(dev_t, int *, void *); + +struct char_device_struct { + struct char_device_struct *next; + unsigned int major; + unsigned int baseminor; + int minorct; + char name[64]; + struct cdev *cdev; +}; + +struct kobj_map; + +struct stat { + __kernel_ulong_t st_dev; + __kernel_ulong_t st_ino; + __kernel_ulong_t st_nlink; + unsigned int st_mode; + unsigned int st_uid; + unsigned int st_gid; + unsigned int __pad0; + __kernel_ulong_t st_rdev; + __kernel_long_t st_size; + __kernel_long_t st_blksize; + __kernel_long_t st_blocks; + __kernel_ulong_t st_atime; + __kernel_ulong_t st_atime_nsec; + __kernel_ulong_t st_mtime; + __kernel_ulong_t st_mtime_nsec; + __kernel_ulong_t st_ctime; + __kernel_ulong_t st_ctime_nsec; + __kernel_long_t __unused[3]; +}; + +struct __old_kernel_stat { + short unsigned int st_dev; + short unsigned int st_ino; + short unsigned int st_mode; + short unsigned int st_nlink; + short unsigned int st_uid; + short unsigned int st_gid; + short unsigned int st_rdev; + unsigned int st_size; + unsigned int st_atime; + unsigned int st_mtime; + unsigned int st_ctime; +}; + +struct statx_timestamp { + __s64 tv_sec; + __u32 tv_nsec; + __s32 __reserved; +}; + +struct statx { + __u32 stx_mask; + __u32 stx_blksize; + __u64 stx_attributes; + __u32 stx_nlink; + __u32 stx_uid; + __u32 stx_gid; + __u16 stx_mode; + __u16 __spare0[1]; + __u64 stx_ino; + __u64 stx_size; + __u64 stx_blocks; + __u64 stx_attributes_mask; + struct statx_timestamp stx_atime; + struct statx_timestamp stx_btime; + struct statx_timestamp stx_ctime; + struct statx_timestamp stx_mtime; + __u32 stx_rdev_major; + __u32 stx_rdev_minor; + __u32 stx_dev_major; + __u32 stx_dev_minor; + __u64 __spare2[14]; +}; + +typedef u32 compat_ino_t; + +typedef u16 __compat_uid_t; + +typedef u16 __compat_gid_t; + +typedef u16 compat_mode_t; + +typedef u16 compat_dev_t; + +typedef u16 compat_nlink_t; + +struct compat_stat { + compat_dev_t st_dev; + u16 __pad1; + compat_ino_t st_ino; + compat_mode_t st_mode; + compat_nlink_t st_nlink; + __compat_uid_t st_uid; + __compat_gid_t st_gid; + compat_dev_t st_rdev; + u16 __pad2; + u32 st_size; + u32 st_blksize; + u32 st_blocks; + u32 st_atime; + u32 st_atime_nsec; + u32 st_mtime; + u32 st_mtime_nsec; + u32 st_ctime; + u32 st_ctime_nsec; + u32 __unused4; + u32 __unused5; +}; + +typedef short unsigned int ushort; + +struct user_arg_ptr { + bool is_compat; + union { + const char * const *native; + const compat_uptr_t *compat; + } ptr; +}; + +enum inode_i_mutex_lock_class { + I_MUTEX_NORMAL = 0, + I_MUTEX_PARENT = 1, + I_MUTEX_CHILD = 2, + I_MUTEX_XATTR = 3, + I_MUTEX_NONDIR2 = 4, + I_MUTEX_PARENT2 = 5, +}; + +struct pseudo_fs_context { + const struct super_operations *ops; + const struct xattr_handler **xattr; + const struct dentry_operations___2 *dops; + long unsigned int magic; +}; + +struct name_snapshot { + struct qstr name; + unsigned char inline_name[32]; +}; + +struct saved { + struct path___2 link; + struct delayed_call done; + const char *name; + unsigned int seq; +}; + +struct nameidata { + struct path___2 path; + struct qstr last; + struct path___2 root; + struct inode___2 *inode; + unsigned int flags; + unsigned int seq; + unsigned int m_seq; + int last_type; + unsigned int depth; + int total_link_count; + struct saved *stack; + struct saved internal[2]; + struct filename *name; + struct nameidata *saved; + struct inode___2 *link_inode; + unsigned int root_seq; + int dfd; +}; + +enum { + LAST_NORM = 0, + LAST_ROOT = 1, + LAST_DOT = 2, + LAST_DOTDOT = 3, + LAST_BIND = 4, +}; + +struct mount; + +struct mnt_namespace { + atomic_t count; + struct ns_common___2 ns; + struct mount *root; + struct list_head list; + struct user_namespace___2 *user_ns; + struct ucounts___2 *ucounts; + u64 seq; + wait_queue_head_t poll; + u64 event; + unsigned int mounts; + unsigned int pending_mounts; +}; + +struct mnt_pcp; + +struct mountpoint; + +struct mount { + struct hlist_node mnt_hash; + struct mount *mnt_parent; + struct dentry___2 *mnt_mountpoint; + struct vfsmount___2 mnt; + union { + struct callback_head mnt_rcu; + struct llist_node mnt_llist; + }; + struct mnt_pcp *mnt_pcp; + struct list_head mnt_mounts; + struct list_head mnt_child; + struct list_head mnt_instance; + const char *mnt_devname; + struct list_head mnt_list; + struct list_head mnt_expire; + struct list_head mnt_share; + struct list_head mnt_slave_list; + struct list_head mnt_slave; + struct mount *mnt_master; + struct mnt_namespace *mnt_ns; + struct mountpoint *mnt_mp; + union { + struct hlist_node mnt_mp_list; + struct hlist_node mnt_umount; + }; + struct list_head mnt_umounting; + struct fsnotify_mark_connector *mnt_fsnotify_marks; + __u32 mnt_fsnotify_mask; + int mnt_id; + int mnt_group_id; + int mnt_expiry_mark; + struct hlist_head mnt_pins; + struct hlist_head mnt_stuck_children; +}; + +struct mnt_pcp { + int mnt_count; + int mnt_writers; +}; + +struct mountpoint { + struct hlist_node m_hash; + struct dentry___2 *m_dentry; + struct hlist_head m_list; + int m_count; +}; + +enum { + WALK_FOLLOW = 1, + WALK_MORE = 2, +}; + +struct word_at_a_time { + const long unsigned int one_bits; + const long unsigned int high_bits; +}; + +struct f_owner_ex { + int type; + __kernel_pid_t pid; +}; + +struct flock { + short int l_type; + short int l_whence; + __kernel_off_t l_start; + __kernel_off_t l_len; + __kernel_pid_t l_pid; +}; + +struct compat_flock { + short int l_type; + short int l_whence; + compat_off_t l_start; + compat_off_t l_len; + compat_pid_t l_pid; +}; + +struct compat_flock64 { + short int l_type; + short int l_whence; + compat_loff_t l_start; + compat_loff_t l_len; + compat_pid_t l_pid; +} __attribute__((packed)); + +struct fiemap { + __u64 fm_start; + __u64 fm_length; + __u32 fm_flags; + __u32 fm_mapped_extents; + __u32 fm_extent_count; + __u32 fm_reserved; + struct fiemap_extent fm_extents[0]; +}; + +struct file_clone_range { + __s64 src_fd; + __u64 src_offset; + __u64 src_length; + __u64 dest_offset; +}; + +typedef int get_block_t(struct inode___2 *, sector_t, struct buffer_head *, int); + +struct space_resv { + __s16 l_type; + __s16 l_whence; + __s64 l_start; + __s64 l_len; + __s32 l_sysid; + __u32 l_pid; + __s32 l_pad[4]; +}; + +struct space_resv_32 { + __s16 l_type; + __s16 l_whence; + __s64 l_start; + __s64 l_len; + __s32 l_sysid; + __u32 l_pid; + __s32 l_pad[4]; +} __attribute__((packed)); + +struct linux_dirent64 { + u64 d_ino; + s64 d_off; + short unsigned int d_reclen; + unsigned char d_type; + char d_name[0]; +}; + +struct old_linux_dirent { + long unsigned int d_ino; + long unsigned int d_offset; + short unsigned int d_namlen; + char d_name[1]; +}; + +struct readdir_callback { + struct dir_context ctx; + struct old_linux_dirent *dirent; + int result; +}; + +struct linux_dirent { + long unsigned int d_ino; + long unsigned int d_off; + short unsigned int d_reclen; + char d_name[1]; +}; + +struct getdents_callback { + struct dir_context ctx; + struct linux_dirent *current_dir; + int prev_reclen; + int count; + int error; +}; + +struct getdents_callback64 { + struct dir_context ctx; + struct linux_dirent64 *current_dir; + int prev_reclen; + int count; + int error; +}; + +struct compat_old_linux_dirent { + compat_ulong_t d_ino; + compat_ulong_t d_offset; + short unsigned int d_namlen; + char d_name[1]; +}; + +struct compat_readdir_callback { + struct dir_context ctx; + struct compat_old_linux_dirent *dirent; + int result; +}; + +struct compat_linux_dirent { + compat_ulong_t d_ino; + compat_ulong_t d_off; + short unsigned int d_reclen; + char d_name[1]; +}; + +struct compat_getdents_callback { + struct dir_context ctx; + struct compat_linux_dirent *current_dir; + struct compat_linux_dirent *previous; + int count; + int error; +}; + +typedef struct { + long unsigned int fds_bits[16]; +} __kernel_fd_set; + +typedef __kernel_fd_set fd_set; + +struct poll_table_entry { + struct file___2 *filp; + __poll_t key; + wait_queue_entry_t wait; + wait_queue_head_t *wait_address; +}; + +struct poll_table_page; + +struct poll_wqueues { + poll_table___2 pt; + struct poll_table_page *table; + struct task_struct___2 *polling_task; + int triggered; + int error; + int inline_index; + struct poll_table_entry inline_entries[9]; +}; + +struct poll_table_page { + struct poll_table_page *next; + struct poll_table_entry *entry; + struct poll_table_entry entries[0]; +}; + +struct ip_ra_chain { + struct ip_ra_chain *next; + struct sock *sk; + union { + void (*destructor)(struct sock *); + struct sock *saved_sk; + }; + struct callback_head rcu; +}; + +struct fib_table { + struct hlist_node tb_hlist; + u32 tb_id; + int tb_num_default; + struct callback_head rcu; + long unsigned int *tb_data; + long unsigned int __data[0]; +}; + +struct inet_peer_base { + struct rb_root rb_root; + seqlock_t lock; + int total; +}; + +struct dst_metrics { + u32 metrics[17]; + refcount_t refcnt; +}; + +enum poll_time_type { + PT_TIMEVAL = 0, + PT_OLD_TIMEVAL = 1, + PT_TIMESPEC = 2, + PT_OLD_TIMESPEC = 3, +}; + +typedef struct { + long unsigned int *in; + long unsigned int *out; + long unsigned int *ex; + long unsigned int *res_in; + long unsigned int *res_out; + long unsigned int *res_ex; +} fd_set_bits; + +struct poll_list { + struct poll_list *next; + int len; + struct pollfd entries[0]; +}; + +struct compat_sel_arg_struct { + compat_ulong_t n; + compat_uptr_t inp; + compat_uptr_t outp; + compat_uptr_t exp; + compat_uptr_t tvp; +}; + +enum dentry_d_lock_class { + DENTRY_D_LOCK_NORMAL = 0, + DENTRY_D_LOCK_NESTED = 1, +}; + +struct external_name { + union { + atomic_t count; + struct callback_head head; + } u; + unsigned char name[0]; +}; + +enum d_walk_ret { + D_WALK_CONTINUE = 0, + D_WALK_QUIT = 1, + D_WALK_NORETRY = 2, + D_WALK_SKIP = 3, +}; + +struct check_mount { + struct vfsmount___2 *mnt; + unsigned int mounted; +}; + +struct select_data { + struct dentry___2 *start; + union { + long int found; + struct dentry___2 *victim; + }; + struct list_head dispose; +}; + +typedef long int pao_T_____4; + +struct fsxattr { + __u32 fsx_xflags; + __u32 fsx_extsize; + __u32 fsx_nextents; + __u32 fsx_projid; + __u32 fsx_cowextsize; + unsigned char fsx_pad[8]; +}; + +enum file_time_flags { + S_ATIME = 1, + S_MTIME = 2, + S_CTIME = 4, + S_VERSION = 8, +}; + +struct proc_mounts { + struct mnt_namespace *ns; + struct path root; + int (*show)(struct seq_file *, struct vfsmount___2 *); + void *cached_mount; + u64 cached_event; + loff_t cached_index; +}; + +enum umount_tree_flags { + UMOUNT_SYNC = 1, + UMOUNT_PROPAGATE = 2, + UMOUNT_CONNECTED = 4, +}; + +struct tree_descr { + const char *name; + const struct file_operations *ops; + int mode; +}; + +struct simple_transaction_argresp { + ssize_t size; + char data[0]; +}; + +struct simple_attr { + int (*get)(void *, u64 *); + int (*set)(void *, u64); + char get_buf[24]; + char set_buf[24]; + void *data; + const char *fmt; + struct mutex mutex; +}; + +struct wb_completion { + atomic_t cnt; + wait_queue_head_t *waitq; +}; + +struct wb_writeback_work { + long int nr_pages; + struct super_block___2 *sb; + long unsigned int *older_than_this; + enum writeback_sync_modes sync_mode; + unsigned int tagged_writepages: 1; + unsigned int for_kupdate: 1; + unsigned int range_cyclic: 1; + unsigned int for_background: 1; + unsigned int for_sync: 1; + unsigned int auto_free: 1; + enum wb_reason reason; + struct list_head list; + struct wb_completion *done; +}; + +struct trace_event_raw_writeback_page_template { + struct trace_entry ent; + char name[32]; + ino_t ino; + long unsigned int index; + char __data[0]; +}; + +struct trace_event_raw_writeback_dirty_inode_template { + struct trace_entry ent; + char name[32]; + ino_t ino; + long unsigned int state; + long unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_writeback_write_inode_template { + struct trace_entry ent; + char name[32]; + ino_t ino; + int sync_mode; + ino_t cgroup_ino; + char __data[0]; +}; + +struct trace_event_raw_writeback_work_class { + struct trace_entry ent; + char name[32]; + long int nr_pages; + dev_t sb_dev; + int sync_mode; + int for_kupdate; + int range_cyclic; + int for_background; + int reason; + ino_t cgroup_ino; + char __data[0]; +}; + +struct trace_event_raw_writeback_pages_written { + struct trace_entry ent; + long int pages; + char __data[0]; +}; + +struct trace_event_raw_writeback_class { + struct trace_entry ent; + char name[32]; + ino_t cgroup_ino; + char __data[0]; +}; + +struct trace_event_raw_writeback_bdi_register { + struct trace_entry ent; + char name[32]; + char __data[0]; +}; + +struct trace_event_raw_wbc_class { + struct trace_entry ent; + char name[32]; + long int nr_to_write; + long int pages_skipped; + int sync_mode; + int for_kupdate; + int for_background; + int for_reclaim; + int range_cyclic; + long int range_start; + long int range_end; + ino_t cgroup_ino; + char __data[0]; +}; + +struct trace_event_raw_writeback_queue_io { + struct trace_entry ent; + char name[32]; + long unsigned int older; + long int age; + int moved; + int reason; + ino_t cgroup_ino; + char __data[0]; +}; + +struct trace_event_raw_global_dirty_state { + struct trace_entry ent; + long unsigned int nr_dirty; + long unsigned int nr_writeback; + long unsigned int nr_unstable; + long unsigned int background_thresh; + long unsigned int dirty_thresh; + long unsigned int dirty_limit; + long unsigned int nr_dirtied; + long unsigned int nr_written; + char __data[0]; +}; + +struct trace_event_raw_bdi_dirty_ratelimit { + struct trace_entry ent; + char bdi[32]; + long unsigned int write_bw; + long unsigned int avg_write_bw; + long unsigned int dirty_rate; + long unsigned int dirty_ratelimit; + long unsigned int task_ratelimit; + long unsigned int balanced_dirty_ratelimit; + ino_t cgroup_ino; + char __data[0]; +}; + +struct trace_event_raw_balance_dirty_pages { + struct trace_entry ent; + char bdi[32]; + long unsigned int limit; + long unsigned int setpoint; + long unsigned int dirty; + long unsigned int bdi_setpoint; + long unsigned int bdi_dirty; + long unsigned int dirty_ratelimit; + long unsigned int task_ratelimit; + unsigned int dirtied; + unsigned int dirtied_pause; + long unsigned int paused; + long int pause; + long unsigned int period; + long int think; + ino_t cgroup_ino; + char __data[0]; +}; + +struct trace_event_raw_writeback_sb_inodes_requeue { + struct trace_entry ent; + char name[32]; + ino_t ino; + long unsigned int state; + long unsigned int dirtied_when; + ino_t cgroup_ino; + char __data[0]; +}; + +struct trace_event_raw_writeback_congest_waited_template { + struct trace_entry ent; + unsigned int usec_timeout; + unsigned int usec_delayed; + char __data[0]; +}; + +struct trace_event_raw_writeback_single_inode_template { + struct trace_entry ent; + char name[32]; + ino_t ino; + long unsigned int state; + long unsigned int dirtied_when; + long unsigned int writeback_index; + long int nr_to_write; + long unsigned int wrote; + ino_t cgroup_ino; + char __data[0]; +}; + +struct trace_event_raw_writeback_inode_template { + struct trace_entry ent; + dev_t dev; + ino_t ino; + long unsigned int state; + __u16 mode; + long unsigned int dirtied_when; + char __data[0]; +}; + +struct trace_event_data_offsets_writeback_page_template {}; + +struct trace_event_data_offsets_writeback_dirty_inode_template {}; + +struct trace_event_data_offsets_writeback_write_inode_template {}; + +struct trace_event_data_offsets_writeback_work_class {}; + +struct trace_event_data_offsets_writeback_pages_written {}; + +struct trace_event_data_offsets_writeback_class {}; + +struct trace_event_data_offsets_writeback_bdi_register {}; + +struct trace_event_data_offsets_wbc_class {}; + +struct trace_event_data_offsets_writeback_queue_io {}; + +struct trace_event_data_offsets_global_dirty_state {}; + +struct trace_event_data_offsets_bdi_dirty_ratelimit {}; + +struct trace_event_data_offsets_balance_dirty_pages {}; + +struct trace_event_data_offsets_writeback_sb_inodes_requeue {}; + +struct trace_event_data_offsets_writeback_congest_waited_template {}; + +struct trace_event_data_offsets_writeback_single_inode_template {}; + +struct trace_event_data_offsets_writeback_inode_template {}; + +struct splice_desc { + size_t total_len; + unsigned int len; + unsigned int flags; + union { + void *userptr; + struct file___2 *file; + void *data; + } u; + loff_t pos; + loff_t *opos; + size_t num_spliced; + bool need_wakeup; +}; + +typedef int splice_actor(struct pipe_inode_info___2 *, struct pipe_buffer___2 *, struct splice_desc *); + +typedef int splice_direct_actor(struct pipe_inode_info___2 *, struct splice_desc *); + +struct utimbuf { + __kernel_old_time_t actime; + __kernel_old_time_t modtime; +}; + +struct old_utimbuf32 { + old_time32_t actime; + old_time32_t modtime; +}; + +typedef int __kernel_daddr_t; + +struct ustat { + __kernel_daddr_t f_tfree; + __kernel_ino_t f_tinode; + char f_fname[6]; + char f_fpack[6]; +}; + +struct statfs { + __kernel_long_t f_type; + __kernel_long_t f_bsize; + __kernel_long_t f_blocks; + __kernel_long_t f_bfree; + __kernel_long_t f_bavail; + __kernel_long_t f_files; + __kernel_long_t f_ffree; + __kernel_fsid_t f_fsid; + __kernel_long_t f_namelen; + __kernel_long_t f_frsize; + __kernel_long_t f_flags; + __kernel_long_t f_spare[4]; +}; + +struct statfs64 { + __kernel_long_t f_type; + __kernel_long_t f_bsize; + __u64 f_blocks; + __u64 f_bfree; + __u64 f_bavail; + __u64 f_files; + __u64 f_ffree; + __kernel_fsid_t f_fsid; + __kernel_long_t f_namelen; + __kernel_long_t f_frsize; + __kernel_long_t f_flags; + __kernel_long_t f_spare[4]; +}; + +struct compat_statfs64 { + __u32 f_type; + __u32 f_bsize; + __u64 f_blocks; + __u64 f_bfree; + __u64 f_bavail; + __u64 f_files; + __u64 f_ffree; + __kernel_fsid_t f_fsid; + __u32 f_namelen; + __u32 f_frsize; + __u32 f_flags; + __u32 f_spare[4]; +} __attribute__((packed)); + +typedef s32 compat_daddr_t; + +typedef __kernel_fsid_t compat_fsid_t; + +struct compat_statfs { + int f_type; + int f_bsize; + int f_blocks; + int f_bfree; + int f_bavail; + int f_files; + int f_ffree; + compat_fsid_t f_fsid; + int f_namelen; + int f_frsize; + int f_flags; + int f_spare[4]; +}; + +struct compat_ustat { + compat_daddr_t f_tfree; + compat_ino_t f_tinode; + char f_fname[6]; + char f_fpack[6]; +}; + +typedef struct ns_common *ns_get_path_helper_t(void *); + +struct ns_get_path_task_args { + const struct proc_ns_operations *ns_ops; + struct task_struct *task; +}; + +struct constant_table { + const char *name; + int value; +}; + +enum legacy_fs_param { + LEGACY_FS_UNSET_PARAMS = 0, + LEGACY_FS_MONOLITHIC_PARAMS = 1, + LEGACY_FS_INDIVIDUAL_PARAMS = 2, +}; + +struct legacy_fs_context { + char *legacy_data; + size_t data_size; + enum legacy_fs_param param_type; +}; + +enum fsconfig_command { + FSCONFIG_SET_FLAG = 0, + FSCONFIG_SET_STRING = 1, + FSCONFIG_SET_BINARY = 2, + FSCONFIG_SET_PATH = 3, + FSCONFIG_SET_PATH_EMPTY = 4, + FSCONFIG_SET_FD = 5, + FSCONFIG_CMD_CREATE = 6, + FSCONFIG_CMD_RECONFIGURE = 7, +}; + +struct dax_device; + +struct iomap_page_ops; + +struct iomap___2 { + u64 addr; + loff_t offset; + u64 length; + u16 type; + u16 flags; + struct block_device *bdev; + struct dax_device *dax_dev; + void *inline_data; + void *private; + const struct iomap_page_ops *page_ops; +}; + +struct iomap_page_ops { + int (*page_prepare)(struct inode___2 *, loff_t, unsigned int, struct iomap___2 *); + void (*page_done)(struct inode___2 *, loff_t, unsigned int, struct page___2 *, struct iomap___2 *); +}; + +struct bh_lru { + struct buffer_head *bhs[16]; +}; + +struct bh_accounting { + int nr; + int ratelimit; +}; + +enum { + DISK_EVENT_MEDIA_CHANGE = 1, + DISK_EVENT_EJECT_REQUEST = 2, +}; + +enum { + BIOSET_NEED_BVECS = 1, + BIOSET_NEED_RESCUER = 2, +}; + +struct bdev_inode { + struct block_device bdev; + struct inode___2 vfs_inode; +}; + +struct blkdev_dio { + union { + struct kiocb *iocb; + struct task_struct *waiter; + }; + size_t size; + atomic_t ref; + bool multi_bio: 1; + bool should_dirty: 1; + bool is_sync: 1; + struct bio bio; +}; + +struct bd_holder_disk { + struct list_head list; + struct gendisk *disk; + int refcnt; +}; + +struct blk_integrity; + +typedef int dio_iodone_t(struct kiocb___2 *, loff_t, ssize_t, void *); + +typedef void dio_submit_t(struct bio *, struct inode___2 *, loff_t); + +enum { + DIO_LOCKING = 1, + DIO_SKIP_HOLES = 2, +}; + +struct dio_submit { + struct bio *bio; + unsigned int blkbits; + unsigned int blkfactor; + unsigned int start_zero_done; + int pages_in_io; + sector_t block_in_file; + unsigned int blocks_available; + int reap_counter; + sector_t final_block_in_request; + int boundary; + get_block_t *get_block; + dio_submit_t *submit_io; + loff_t logical_offset_in_bio; + sector_t final_block_in_bio; + sector_t next_block_for_io; + struct page___2 *cur_page; + unsigned int cur_page_offset; + unsigned int cur_page_len; + sector_t cur_page_block; + loff_t cur_page_fs_offset; + struct iov_iter___2 *iter; + unsigned int head; + unsigned int tail; + size_t from; + size_t to; +}; + +struct dio { + int flags; + int op; + int op_flags; + blk_qc_t bio_cookie; + struct gendisk *bio_disk; + struct inode___2 *inode; + loff_t i_size; + dio_iodone_t *end_io; + void *private; + spinlock_t bio_lock; + int page_errors; + int is_async; + bool defer_completion; + bool should_dirty; + int io_error; + long unsigned int refcount; + struct bio *bio_list; + struct task_struct___2 *waiter; + struct kiocb___2 *iocb; + ssize_t result; + union { + struct page___2 *pages[64]; + struct work_struct complete_work; + }; + long: 64; +}; + +struct bvec_iter_all { + struct bio_vec bv; + int idx; + unsigned int done; +}; + +struct mpage_readpage_args { + struct bio *bio; + struct page___2 *page; + unsigned int nr_pages; + bool is_readahead; + sector_t last_block_in_bio; + struct buffer_head map_bh; + long unsigned int first_logical_block; + get_block_t *get_block; +}; + +struct mpage_data { + struct bio *bio; + sector_t last_block_in_bio; + get_block_t *get_block; + unsigned int use_writepage; +}; + +typedef u32 nlink_t; + +typedef int (*proc_write_t)(struct file___2 *, char *, size_t); + +struct proc_dir_entry { + atomic_t in_use; + refcount_t refcnt; + struct list_head pde_openers; + spinlock_t pde_unload_lock; + struct completion *pde_unload_completion; + const struct inode_operations___2 *proc_iops; + const struct file_operations___2 *proc_fops; + const struct dentry_operations___2 *proc_dops; + union { + const struct seq_operations___2 *seq_ops; + int (*single_show)(struct seq_file___2 *, void *); + }; + proc_write_t write; + void *data; + unsigned int state_size; + unsigned int low_ino; + nlink_t nlink; + kuid_t uid; + kgid_t gid; + loff_t size; + struct proc_dir_entry *parent; + struct rb_root subdir; + struct rb_node subdir_node; + char *name; + umode_t mode; + u8 namelen; + char inline_name[0]; +}; + +union proc_op { + int (*proc_get_link)(struct dentry___2 *, struct path___2 *); + int (*proc_show)(struct seq_file___2 *, struct pid_namespace *, struct pid *, struct task_struct *); + const char *lsm; +}; + +struct proc_inode { + struct pid *pid; + unsigned int fd; + union proc_op op; + struct proc_dir_entry *pde; + struct ctl_table_header *sysctl; + struct ctl_table *sysctl_entry; + struct hlist_node sysctl_inodes; + const struct proc_ns_operations *ns_ops; + struct inode___2 vfs_inode; +}; + +struct proc_fs_info { + int flag; + const char *str; +}; + +struct file_handle { + __u32 handle_bytes; + int handle_type; + unsigned char f_handle[0]; +}; + +struct inotify_inode_mark { + struct fsnotify_mark fsn_mark; + int wd; +}; + +struct dnotify_struct { + struct dnotify_struct *dn_next; + __u32 dn_mask; + int dn_fd; + struct file___2 *dn_filp; + fl_owner_t dn_owner; +}; + +struct dnotify_mark { + struct fsnotify_mark fsn_mark; + struct dnotify_struct *dn; +}; + +struct inotify_event_info { + struct fsnotify_event fse; + u32 mask; + int wd; + u32 sync_cookie; + int name_len; + char name[0]; +}; + +struct inotify_event { + __s32 wd; + __u32 mask; + __u32 cookie; + __u32 len; + char name[0]; +}; + +struct epoll_event { + __poll_t events; + __u64 data; +} __attribute__((packed)); + +struct epoll_filefd { + struct file___2 *file; + int fd; +} __attribute__((packed)); + +struct nested_call_node { + struct list_head llink; + void *cookie; + void *ctx; +}; + +struct nested_calls { + struct list_head tasks_call_list; + spinlock_t lock; +}; + +struct eventpoll; + +struct epitem { + union { + struct rb_node rbn; + struct callback_head rcu; + }; + struct list_head rdllink; + struct epitem *next; + struct epoll_filefd ffd; + int nwait; + struct list_head pwqlist; + struct eventpoll *ep; + struct list_head fllink; + struct wakeup_source *ws; + struct epoll_event event; +}; + +struct eventpoll { + struct mutex mtx; + wait_queue_head_t wq; + wait_queue_head_t poll_wait; + struct list_head rdllist; + rwlock_t lock; + struct rb_root_cached rbr; + struct epitem *ovflist; + struct wakeup_source *ws; + struct user_struct *user; + struct file___2 *file; + int visited; + struct list_head visited_list_link; + unsigned int napi_id; +}; + +struct eppoll_entry { + struct list_head llink; + struct epitem *base; + wait_queue_entry_t wait; + wait_queue_head_t *whead; +}; + +struct ep_pqueue { + poll_table___2 pt; + struct epitem *epi; +}; + +struct ep_send_events_data { + int maxevents; + struct epoll_event *events; + int res; +}; + +struct signalfd_siginfo { + __u32 ssi_signo; + __s32 ssi_errno; + __s32 ssi_code; + __u32 ssi_pid; + __u32 ssi_uid; + __s32 ssi_fd; + __u32 ssi_tid; + __u32 ssi_band; + __u32 ssi_overrun; + __u32 ssi_trapno; + __s32 ssi_status; + __s32 ssi_int; + __u64 ssi_ptr; + __u64 ssi_utime; + __u64 ssi_stime; + __u64 ssi_addr; + __u16 ssi_addr_lsb; + __u16 __pad2; + __s32 ssi_syscall; + __u64 ssi_call_addr; + __u32 ssi_arch; + __u8 __pad[28]; +}; + +struct signalfd_ctx { + sigset_t sigmask; +}; + +struct timerfd_ctx { + union { + struct hrtimer tmr; + struct alarm alarm; + } t; + ktime_t tintv; + ktime_t moffs; + wait_queue_head_t wqh; + u64 ticks; + int clockid; + short unsigned int expired; + short unsigned int settime_flags; + struct callback_head rcu; + struct list_head clist; + spinlock_t cancel_lock; + bool might_cancel; +}; + +struct eventfd_ctx { + struct kref kref; + wait_queue_head_t wqh; + __u64 count; + unsigned int flags; + int id; +}; + +struct kioctx; + +struct kioctx_table { + struct callback_head rcu; + unsigned int nr; + struct kioctx *table[0]; +}; + +typedef __kernel_ulong_t aio_context_t; + +enum { + IOCB_CMD_PREAD = 0, + IOCB_CMD_PWRITE = 1, + IOCB_CMD_FSYNC = 2, + IOCB_CMD_FDSYNC = 3, + IOCB_CMD_POLL = 5, + IOCB_CMD_NOOP = 6, + IOCB_CMD_PREADV = 7, + IOCB_CMD_PWRITEV = 8, +}; + +struct io_event { + __u64 data; + __u64 obj; + __s64 res; + __s64 res2; +}; + +struct iocb { + __u64 aio_data; + __u32 aio_key; + __kernel_rwf_t aio_rw_flags; + __u16 aio_lio_opcode; + __s16 aio_reqprio; + __u32 aio_fildes; + __u64 aio_buf; + __u64 aio_nbytes; + __s64 aio_offset; + __u64 aio_reserved2; + __u32 aio_flags; + __u32 aio_resfd; +}; + +typedef int kiocb_cancel_fn(struct kiocb *); + +typedef u32 compat_aio_context_t; + +struct aio_ring { + unsigned int id; + unsigned int nr; + unsigned int head; + unsigned int tail; + unsigned int magic; + unsigned int compat_features; + unsigned int incompat_features; + unsigned int header_length; + struct io_event io_events[0]; +}; + +struct kioctx_cpu; + +struct ctx_rq_wait; + +struct kioctx { + struct percpu_ref users; + atomic_t dead; + struct percpu_ref reqs; + long unsigned int user_id; + struct kioctx_cpu *cpu; + unsigned int req_batch; + unsigned int max_reqs; + unsigned int nr_events; + long unsigned int mmap_base; + long unsigned int mmap_size; + struct page___2 **ring_pages; + long int nr_pages; + struct rcu_work free_rwork; + struct ctx_rq_wait *rq_wait; + long: 64; + struct { + atomic_t reqs_available; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + }; + struct { + spinlock_t ctx_lock; + struct list_head active_reqs; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + }; + struct { + struct mutex ring_lock; + wait_queue_head_t wait; + long: 64; + }; + struct { + unsigned int tail; + unsigned int completed_events; + spinlock_t completion_lock; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + }; + struct page___2 *internal_pages[8]; + struct file *aio_ring_file; + unsigned int id; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct kioctx_cpu { + unsigned int reqs_available; +}; + +struct ctx_rq_wait { + struct completion comp; + atomic_t count; +}; + +struct fsync_iocb { + struct file *file; + struct work_struct work; + bool datasync; +}; + +struct poll_iocb { + struct file *file; + struct wait_queue_head *head; + __poll_t events; + bool done; + bool cancelled; + struct wait_queue_entry wait; + struct work_struct work; +}; + +struct eventfd_ctx___2; + +struct aio_kiocb { + union { + struct file *ki_filp; + struct kiocb rw; + struct fsync_iocb fsync; + struct poll_iocb poll; + }; + struct kioctx *ki_ctx; + kiocb_cancel_fn *ki_cancel; + struct io_event ki_res; + struct list_head ki_list; + refcount_t ki_refcnt; + struct eventfd_ctx___2 *ki_eventfd; +}; + +struct aio_poll_table { + struct poll_table_struct pt; + struct aio_kiocb *iocb; + int error; +}; + +struct __aio_sigset { + const sigset_t *sigmask; + size_t sigsetsize; +}; + +struct __compat_aio_sigset { + compat_uptr_t sigmask; + compat_size_t sigsetsize; +}; + +enum { + PERCPU_REF_INIT_ATOMIC = 1, + PERCPU_REF_INIT_DEAD = 2, + PERCPU_REF_ALLOW_REINIT = 4, +}; + +struct user_msghdr { + void *msg_name; + int msg_namelen; + struct iovec *msg_iov; + __kernel_size_t msg_iovlen; + void *msg_control; + __kernel_size_t msg_controllen; + unsigned int msg_flags; +}; + +enum sock_type { + SOCK_STREAM = 1, + SOCK_DGRAM = 2, + SOCK_RAW = 3, + SOCK_RDM = 4, + SOCK_SEQPACKET = 5, + SOCK_DCCP = 6, + SOCK_PACKET = 10, +}; + +enum { + IPPROTO_IP = 0, + IPPROTO_ICMP = 1, + IPPROTO_IGMP = 2, + IPPROTO_IPIP = 4, + IPPROTO_TCP = 6, + IPPROTO_EGP = 8, + IPPROTO_PUP = 12, + IPPROTO_UDP = 17, + IPPROTO_IDP = 22, + IPPROTO_TP = 29, + IPPROTO_DCCP = 33, + IPPROTO_IPV6 = 41, + IPPROTO_RSVP = 46, + IPPROTO_GRE = 47, + IPPROTO_ESP = 50, + IPPROTO_AH = 51, + IPPROTO_MTP = 92, + IPPROTO_BEETPH = 94, + IPPROTO_ENCAP = 98, + IPPROTO_PIM = 103, + IPPROTO_COMP = 108, + IPPROTO_SCTP = 132, + IPPROTO_UDPLITE = 136, + IPPROTO_MPLS = 137, + IPPROTO_RAW = 255, + IPPROTO_MAX = 256, +}; + +struct scm_fp_list { + short int count; + short int max; + struct user_struct *user; + struct file___2 *fp[253]; +}; + +struct unix_skb_parms { + struct pid___2 *pid; + kuid_t uid; + kgid_t gid; + struct scm_fp_list *fp; + u32 secid; + u32 consumed; +}; + +struct trace_event_raw_io_uring_create { + struct trace_entry ent; + int fd; + void *ctx; + u32 sq_entries; + u32 cq_entries; + u32 flags; + char __data[0]; +}; + +struct trace_event_raw_io_uring_register { + struct trace_entry ent; + void *ctx; + unsigned int opcode; + unsigned int nr_files; + unsigned int nr_bufs; + bool eventfd; + long int ret; + char __data[0]; +}; + +struct trace_event_raw_io_uring_file_get { + struct trace_entry ent; + void *ctx; + int fd; + char __data[0]; +}; + +struct io_wq_work; + +struct trace_event_raw_io_uring_queue_async_work { + struct trace_entry ent; + void *ctx; + int rw; + void *req; + struct io_wq_work *work; + unsigned int flags; + char __data[0]; +}; + +struct io_wq_work_node { + struct io_wq_work_node *next; +}; + +struct io_wq_work { + union { + struct io_wq_work_node list; + void *data; + }; + void (*func)(struct io_wq_work **); + struct files_struct *files; + unsigned int flags; +}; + +struct trace_event_raw_io_uring_defer { + struct trace_entry ent; + void *ctx; + void *req; + long long unsigned int data; + char __data[0]; +}; + +struct trace_event_raw_io_uring_link { + struct trace_entry ent; + void *ctx; + void *req; + void *target_req; + char __data[0]; +}; + +struct trace_event_raw_io_uring_cqring_wait { + struct trace_entry ent; + void *ctx; + int min_events; + char __data[0]; +}; + +struct trace_event_raw_io_uring_fail_link { + struct trace_entry ent; + void *req; + void *link; + char __data[0]; +}; + +struct trace_event_raw_io_uring_complete { + struct trace_entry ent; + void *ctx; + u64 user_data; + long int res; + char __data[0]; +}; + +struct trace_event_raw_io_uring_submit_sqe { + struct trace_entry ent; + void *ctx; + u64 user_data; + bool force_nonblock; + bool sq_thread; + char __data[0]; +}; + +struct trace_event_data_offsets_io_uring_create {}; + +struct trace_event_data_offsets_io_uring_register {}; + +struct trace_event_data_offsets_io_uring_file_get {}; + +struct trace_event_data_offsets_io_uring_queue_async_work {}; + +struct trace_event_data_offsets_io_uring_defer {}; + +struct trace_event_data_offsets_io_uring_link {}; + +struct trace_event_data_offsets_io_uring_cqring_wait {}; + +struct trace_event_data_offsets_io_uring_fail_link {}; + +struct trace_event_data_offsets_io_uring_complete {}; + +struct trace_event_data_offsets_io_uring_submit_sqe {}; + +struct io_uring_sqe { + __u8 opcode; + __u8 flags; + __u16 ioprio; + __s32 fd; + union { + __u64 off; + __u64 addr2; + }; + __u64 addr; + __u32 len; + union { + __kernel_rwf_t rw_flags; + __u32 fsync_flags; + __u16 poll_events; + __u32 sync_range_flags; + __u32 msg_flags; + __u32 timeout_flags; + __u32 accept_flags; + __u32 cancel_flags; + }; + __u64 user_data; + union { + __u16 buf_index; + __u64 __pad2[3]; + }; +}; + +enum { + IORING_OP_NOP = 0, + IORING_OP_READV = 1, + IORING_OP_WRITEV = 2, + IORING_OP_FSYNC = 3, + IORING_OP_READ_FIXED = 4, + IORING_OP_WRITE_FIXED = 5, + IORING_OP_POLL_ADD = 6, + IORING_OP_POLL_REMOVE = 7, + IORING_OP_SYNC_FILE_RANGE = 8, + IORING_OP_SENDMSG = 9, + IORING_OP_RECVMSG = 10, + IORING_OP_TIMEOUT = 11, + IORING_OP_TIMEOUT_REMOVE = 12, + IORING_OP_ACCEPT = 13, + IORING_OP_ASYNC_CANCEL = 14, + IORING_OP_LINK_TIMEOUT = 15, + IORING_OP_CONNECT = 16, + IORING_OP_LAST = 17, +}; + +struct io_uring_cqe { + __u64 user_data; + __s32 res; + __u32 flags; +}; + +struct io_sqring_offsets { + __u32 head; + __u32 tail; + __u32 ring_mask; + __u32 ring_entries; + __u32 flags; + __u32 dropped; + __u32 array; + __u32 resv1; + __u64 resv2; +}; + +struct io_cqring_offsets { + __u32 head; + __u32 tail; + __u32 ring_mask; + __u32 ring_entries; + __u32 overflow; + __u32 cqes; + __u64 resv[2]; +}; + +struct io_uring_params { + __u32 sq_entries; + __u32 cq_entries; + __u32 flags; + __u32 sq_thread_cpu; + __u32 sq_thread_idle; + __u32 features; + __u32 resv[4]; + struct io_sqring_offsets sq_off; + struct io_cqring_offsets cq_off; +}; + +struct io_uring_files_update { + __u32 offset; + __u32 resv; + __u64 fds; +}; + +enum { + IO_WQ_WORK_CANCEL = 1, + IO_WQ_WORK_HAS_MM = 2, + IO_WQ_WORK_HASHED = 4, + IO_WQ_WORK_NEEDS_USER = 8, + IO_WQ_WORK_NEEDS_FILES = 16, + IO_WQ_WORK_UNBOUND = 32, + IO_WQ_WORK_INTERNAL = 64, + IO_WQ_WORK_CB = 128, + IO_WQ_HASH_SHIFT = 24, +}; + +enum io_wq_cancel { + IO_WQ_CANCEL_OK = 0, + IO_WQ_CANCEL_RUNNING = 1, + IO_WQ_CANCEL_NOTFOUND = 2, +}; + +typedef void get_work_fn(struct io_wq_work *); + +typedef void put_work_fn(struct io_wq_work *); + +struct io_wq_data { + struct mm_struct___2 *mm; + struct user_struct *user; + const struct cred___2 *creds; + get_work_fn *get_work; + put_work_fn *put_work; +}; + +typedef bool work_cancel_fn(struct io_wq_work *, void *); + +struct io_uring { + u32 head; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + u32 tail; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct io_rings { + struct io_uring sq; + struct io_uring cq; + u32 sq_ring_mask; + u32 cq_ring_mask; + u32 sq_ring_entries; + u32 cq_ring_entries; + u32 sq_dropped; + u32 sq_flags; + u32 cq_overflow; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + struct io_uring_cqe cqes[0]; +}; + +struct io_mapped_ubuf { + u64 ubuf; + size_t len; + struct bio_vec___2 *bvec; + unsigned int nr_bvecs; +}; + +struct fixed_file_table { + struct file___2 **files; +}; + +struct io_wq; + +struct io_kiocb; + +struct io_ring_ctx { + struct { + struct percpu_ref refs; + long: 64; + }; + struct { + unsigned int flags; + bool compat; + bool account_mem; + bool cq_overflow_flushed; + bool drain_next; + u32 *sq_array; + unsigned int cached_sq_head; + unsigned int sq_entries; + unsigned int sq_mask; + unsigned int sq_thread_idle; + unsigned int cached_sq_dropped; + atomic_t cached_cq_overflow; + struct io_uring_sqe *sq_sqes; + struct list_head defer_list; + struct list_head timeout_list; + struct list_head cq_overflow_list; + wait_queue_head_t inflight_wait; + long: 64; + }; + struct io_rings *rings; + struct io_wq *io_wq; + struct task_struct___2 *sqo_thread; + struct mm_struct___2 *sqo_mm; + wait_queue_head_t sqo_wait; + struct fixed_file_table *file_table; + unsigned int nr_user_files; + unsigned int nr_user_bufs; + struct io_mapped_ubuf *user_bufs; + struct user_struct *user; + const struct cred___2 *creds; + struct completion *completions; + struct io_kiocb *fallback_req; + struct socket *ring_sock; + long: 64; + struct { + unsigned int cached_cq_tail; + unsigned int cq_entries; + unsigned int cq_mask; + atomic_t cq_timeouts; + struct wait_queue_head cq_wait; + struct fasync_struct___2 *cq_fasync; + struct eventfd_ctx___2 *cq_ev_fd; + long: 64; + }; + struct { + struct mutex uring_lock; + wait_queue_head_t wait; + long: 64; + }; + struct { + spinlock_t completion_lock; + bool poll_multi_file; + struct list_head poll_list; + struct hlist_head *cancel_hash; + unsigned int cancel_hash_bits; + spinlock_t inflight_lock; + struct list_head inflight_list; + long: 64; + }; +}; + +struct io_rw { + struct kiocb___2 kiocb; + u64 addr; + u64 len; +}; + +struct io_poll_iocb { + struct file___2 *file; + union { + struct wait_queue_head *head; + u64 addr; + }; + __poll_t events; + bool done; + bool canceled; + struct wait_queue_entry wait; +}; + +struct io_accept { + struct file___2 *file; + struct sockaddr *addr; + int *addr_len; + int flags; +}; + +struct io_sync { + struct file___2 *file; + loff_t len; + loff_t off; + int flags; +}; + +struct io_cancel { + struct file___2 *file; + u64 addr; +}; + +struct io_timeout { + struct file___2 *file; + u64 addr; + int flags; + unsigned int count; +}; + +struct io_connect { + struct file___2 *file; + struct sockaddr *addr; + int addr_len; +}; + +struct io_sr_msg { + struct file___2 *file; + struct user_msghdr *msg; + int msg_flags; +}; + +struct io_async_ctx; + +struct io_kiocb { + union { + struct file___2 *file; + struct io_rw rw; + struct io_poll_iocb poll; + struct io_accept accept; + struct io_sync sync; + struct io_cancel cancel; + struct io_timeout timeout; + struct io_connect connect; + struct io_sr_msg sr_msg; + }; + struct io_async_ctx *io; + struct file___2 *ring_file; + int ring_fd; + bool has_user; + bool in_async; + bool needs_fixed_file; + u8 opcode; + struct io_ring_ctx *ctx; + union { + struct list_head list; + struct hlist_node hash_node; + }; + struct list_head link_list; + unsigned int flags; + refcount_t refs; + u64 user_data; + u32 result; + u32 sequence; + struct list_head inflight_entry; + struct io_wq_work work; +}; + +struct io_timeout_data { + struct io_kiocb *req; + struct hrtimer timer; + struct timespec64 ts; + enum hrtimer_mode mode; + u32 seq_offset; +}; + +struct io_async_connect { + struct __kernel_sockaddr_storage address; +}; + +struct io_async_msghdr { + struct iovec fast_iov[8]; + struct iovec *iov; + struct sockaddr *uaddr; + struct msghdr msg; +}; + +struct io_async_rw { + struct iovec fast_iov[8]; + struct iovec *iov; + ssize_t nr_segs; + ssize_t size; +}; + +struct io_async_ctx { + union { + struct io_async_rw rw; + struct io_async_msghdr msg; + struct io_async_connect connect; + struct io_timeout_data timeout; + }; +}; + +struct io_submit_state { + struct blk_plug plug; + void *reqs[8]; + unsigned int free_reqs; + unsigned int cur_req; + struct file___2 *file; + unsigned int fd; + unsigned int has_refs; + unsigned int used_refs; + unsigned int ios_left; +}; + +struct io_poll_table { + struct poll_table_struct___2 pt; + struct io_kiocb *req; + int error; +}; + +struct io_wait_queue { + struct wait_queue_entry wq; + struct io_ring_ctx *ctx; + unsigned int to_wait; + unsigned int nr_timeouts; +}; + +struct io_wq_work_list { + struct io_wq_work_node *first; + struct io_wq_work_node *last; +}; + +enum { + IO_WORKER_F_UP = 1, + IO_WORKER_F_RUNNING = 2, + IO_WORKER_F_FREE = 4, + IO_WORKER_F_EXITING = 8, + IO_WORKER_F_FIXED = 16, + IO_WORKER_F_BOUND = 32, +}; + +enum { + IO_WQ_BIT_EXIT = 0, + IO_WQ_BIT_CANCEL = 1, + IO_WQ_BIT_ERROR = 2, +}; + +enum { + IO_WQE_FLAG_STALLED = 1, +}; + +struct io_wqe; + +struct io_worker { + refcount_t ref; + unsigned int flags; + struct hlist_nulls_node nulls_node; + struct list_head all_list; + struct task_struct___2 *task; + struct io_wqe *wqe; + struct io_wq_work *cur_work; + spinlock_t lock; + struct callback_head rcu; + struct mm_struct___2 *mm; + const struct cred___2 *creds; + struct files_struct *restore_files; +}; + +struct io_wqe_acct { + unsigned int nr_workers; + unsigned int max_workers; + atomic_t nr_running; +}; + +struct io_wq___2; + +struct io_wqe { + struct { + spinlock_t lock; + struct io_wq_work_list work_list; + long unsigned int hash_map; + unsigned int flags; + long: 32; + long: 64; + long: 64; + long: 64; + }; + int node; + struct io_wqe_acct acct[2]; + struct hlist_nulls_head free_list; + struct list_head all_list; + struct io_wq___2 *wq; +}; + +enum { + IO_WQ_ACCT_BOUND = 0, + IO_WQ_ACCT_UNBOUND = 1, +}; + +struct io_wq___2 { + struct io_wqe **wqes; + long unsigned int state; + get_work_fn *get_work; + put_work_fn *put_work; + struct task_struct___2 *manager; + struct user_struct *user; + const struct cred___2 *creds; + struct mm_struct___2 *mm; + refcount_t refs; + struct completion done; +}; + +struct io_cb_cancel_data { + struct io_wqe *wqe; + work_cancel_fn *cancel; + void *caller_data; +}; + +struct io_wq_flush_data { + struct io_wq_work work; + struct completion done; +}; + +struct flock64 { + short int l_type; + short int l_whence; + __kernel_loff_t l_start; + __kernel_loff_t l_len; + __kernel_pid_t l_pid; +}; + +struct trace_event_raw_locks_get_lock_context { + struct trace_entry ent; + long unsigned int i_ino; + dev_t s_dev; + unsigned char type; + struct file_lock_context *ctx; + char __data[0]; +}; + +struct trace_event_raw_filelock_lock { + struct trace_entry ent; + struct file_lock *fl; + long unsigned int i_ino; + dev_t s_dev; + struct file_lock *fl_blocker; + fl_owner_t fl_owner; + unsigned int fl_pid; + unsigned int fl_flags; + unsigned char fl_type; + loff_t fl_start; + loff_t fl_end; + int ret; + char __data[0]; +}; + +struct trace_event_raw_filelock_lease { + struct trace_entry ent; + struct file_lock *fl; + long unsigned int i_ino; + dev_t s_dev; + struct file_lock *fl_blocker; + fl_owner_t fl_owner; + unsigned int fl_flags; + unsigned char fl_type; + long unsigned int fl_break_time; + long unsigned int fl_downgrade_time; + char __data[0]; +}; + +struct trace_event_raw_generic_add_lease { + struct trace_entry ent; + long unsigned int i_ino; + int wcount; + int rcount; + int icount; + dev_t s_dev; + fl_owner_t fl_owner; + unsigned int fl_flags; + unsigned char fl_type; + char __data[0]; +}; + +struct trace_event_raw_leases_conflict { + struct trace_entry ent; + void *lease; + void *breaker; + unsigned int l_fl_flags; + unsigned int b_fl_flags; + unsigned char l_fl_type; + unsigned char b_fl_type; + bool conflict; + char __data[0]; +}; + +struct trace_event_data_offsets_locks_get_lock_context {}; + +struct trace_event_data_offsets_filelock_lock {}; + +struct trace_event_data_offsets_filelock_lease {}; + +struct trace_event_data_offsets_generic_add_lease {}; + +struct trace_event_data_offsets_leases_conflict {}; + +struct file_lock_list_struct { + spinlock_t lock; + struct hlist_head hlist; +}; + +struct locks_iterator { + int li_cpu; + loff_t li_pos; +}; + +struct nfs_string { + unsigned int len; + const char *data; +}; + +struct nfs4_mount_data { + int version; + int flags; + int rsize; + int wsize; + int timeo; + int retrans; + int acregmin; + int acregmax; + int acdirmin; + int acdirmax; + struct nfs_string client_addr; + struct nfs_string mnt_path; + struct nfs_string hostname; + unsigned int host_addrlen; + struct sockaddr *host_addr; + int proto; + int auth_flavourlen; + int *auth_flavours; +}; + +struct compat_nfs_string { + compat_uint_t len; + compat_uptr_t data; +}; + +struct compat_nfs4_mount_data_v1 { + compat_int_t version; + compat_int_t flags; + compat_int_t rsize; + compat_int_t wsize; + compat_int_t timeo; + compat_int_t retrans; + compat_int_t acregmin; + compat_int_t acregmax; + compat_int_t acdirmin; + compat_int_t acdirmax; + struct compat_nfs_string client_addr; + struct compat_nfs_string mnt_path; + struct compat_nfs_string hostname; + compat_uint_t host_addrlen; + compat_uptr_t host_addr; + compat_int_t proto; + compat_int_t auth_flavourlen; + compat_uptr_t auth_flavours; +}; + +struct serial_icounter_struct { + int cts; + int dsr; + int rng; + int dcd; + int rx; + int tx; + int frame; + int overrun; + int parity; + int brk; + int buf_overrun; + int reserved[9]; +}; + +struct serial_struct { + int type; + int line; + unsigned int port; + int irq; + int flags; + int xmit_fifo_size; + int custom_divisor; + int baud_base; + short unsigned int close_delay; + char io_type; + char reserved_char[1]; + int hub6; + short unsigned int closing_wait; + short unsigned int closing_wait2; + unsigned char *iomem_base; + short unsigned int iomem_reg_shift; + unsigned int port_high; + long unsigned int iomap_base; +}; + +enum { + VERBOSE_STATUS = 1, +}; + +enum { + Enabled = 0, + Magic = 1, +}; + +typedef struct { + struct list_head list; + long unsigned int flags; + int offset; + int size; + char *magic; + char *mask; + const char *interpreter; + char *name; + struct dentry___2 *dentry; + struct file *interp_file; +} Node; + +typedef unsigned int __kernel_uid_t; + +typedef unsigned int __kernel_gid_t; + +struct elf64_phdr { + Elf64_Word p_type; + Elf64_Word p_flags; + Elf64_Off p_offset; + Elf64_Addr p_vaddr; + Elf64_Addr p_paddr; + Elf64_Xword p_filesz; + Elf64_Xword p_memsz; + Elf64_Xword p_align; +}; + +struct elf_prpsinfo { + char pr_state; + char pr_sname; + char pr_zomb; + char pr_nice; + long unsigned int pr_flag; + __kernel_uid_t pr_uid; + __kernel_gid_t pr_gid; + pid_t pr_pid; + pid_t pr_ppid; + pid_t pr_pgrp; + pid_t pr_sid; + char pr_fname[16]; + char pr_psargs[80]; +}; + +struct arch_elf_state {}; + +struct memelfnote { + const char *name; + int type; + unsigned int datasz; + void *data; +}; + +struct elf_thread_core_info { + struct elf_thread_core_info *next; + struct task_struct *task; + struct elf_prstatus prstatus; + struct memelfnote notes[0]; +}; + +struct elf_note_info { + struct elf_thread_core_info *thread; + struct memelfnote psinfo; + struct memelfnote signote; + struct memelfnote auxv; + struct memelfnote files; + siginfo_t csigdata; + size_t size; + int thread_notes; +}; + +typedef __u32 Elf32_Addr; + +typedef __u16 Elf32_Half; + +typedef __u32 Elf32_Off; + +struct elf32_hdr { + unsigned char e_ident[16]; + Elf32_Half e_type; + Elf32_Half e_machine; + Elf32_Word e_version; + Elf32_Addr e_entry; + Elf32_Off e_phoff; + Elf32_Off e_shoff; + Elf32_Word e_flags; + Elf32_Half e_ehsize; + Elf32_Half e_phentsize; + Elf32_Half e_phnum; + Elf32_Half e_shentsize; + Elf32_Half e_shnum; + Elf32_Half e_shstrndx; +}; + +struct elf32_phdr { + Elf32_Word p_type; + Elf32_Off p_offset; + Elf32_Addr p_vaddr; + Elf32_Addr p_paddr; + Elf32_Word p_filesz; + Elf32_Word p_memsz; + Elf32_Word p_flags; + Elf32_Word p_align; +}; + +struct elf32_shdr { + Elf32_Word sh_name; + Elf32_Word sh_type; + Elf32_Word sh_flags; + Elf32_Addr sh_addr; + Elf32_Off sh_offset; + Elf32_Word sh_size; + Elf32_Word sh_link; + Elf32_Word sh_info; + Elf32_Word sh_addralign; + Elf32_Word sh_entsize; +}; + +typedef struct user_regs_struct compat_elf_gregset_t; + +struct compat_elf_siginfo { + compat_int_t si_signo; + compat_int_t si_code; + compat_int_t si_errno; +}; + +struct compat_elf_prstatus { + struct compat_elf_siginfo pr_info; + short int pr_cursig; + compat_ulong_t pr_sigpend; + compat_ulong_t pr_sighold; + compat_pid_t pr_pid; + compat_pid_t pr_ppid; + compat_pid_t pr_pgrp; + compat_pid_t pr_sid; + struct old_timeval32 pr_utime; + struct old_timeval32 pr_stime; + struct old_timeval32 pr_cutime; + struct old_timeval32 pr_cstime; + compat_elf_gregset_t pr_reg; + compat_int_t pr_fpvalid; +}; + +struct compat_elf_prpsinfo { + char pr_state; + char pr_sname; + char pr_zomb; + char pr_nice; + compat_ulong_t pr_flag; + __compat_uid_t pr_uid; + __compat_gid_t pr_gid; + compat_pid_t pr_pid; + compat_pid_t pr_ppid; + compat_pid_t pr_pgrp; + compat_pid_t pr_sid; + char pr_fname[16]; + char pr_psargs[80]; +}; + +struct elf_thread_core_info___2 { + struct elf_thread_core_info___2 *next; + struct task_struct *task; + struct compat_elf_prstatus prstatus; + struct memelfnote notes[0]; +}; + +struct elf_note_info___2 { + struct elf_thread_core_info___2 *thread; + struct memelfnote psinfo; + struct memelfnote signote; + struct memelfnote auxv; + struct memelfnote files; + compat_siginfo_t csigdata; + size_t size; + int thread_notes; +}; + +struct mb_cache_entry { + struct list_head e_list; + struct hlist_bl_node e_hash_list; + atomic_t e_refcnt; + u32 e_key; + u32 e_referenced: 1; + u32 e_reusable: 1; + u64 e_value; +}; + +struct mb_cache { + struct hlist_bl_head *c_hash; + int c_bucket_bits; + long unsigned int c_max_entries; + spinlock_t c_list_lock; + struct list_head c_list; + long unsigned int c_entry_count; + struct shrinker c_shrink; + struct work_struct c_shrink_work; +}; + +struct posix_acl_xattr_entry { + __le16 e_tag; + __le16 e_perm; + __le32 e_id; +}; + +struct posix_acl_xattr_header { + __le32 a_version; +}; + +struct xdr_buf { + struct kvec head[1]; + struct kvec tail[1]; + struct bio_vec *bvec; + struct page___2 **pages; + unsigned int page_base; + unsigned int page_len; + unsigned int flags; + unsigned int buflen; + unsigned int len; +}; + +struct xdr_array2_desc; + +typedef int (*xdr_xcode_elem_t)(struct xdr_array2_desc *, void *); + +struct xdr_array2_desc { + unsigned int elem_size; + unsigned int array_len; + unsigned int array_maxlen; + xdr_xcode_elem_t xcode; +}; + +struct nfsacl_encode_desc { + struct xdr_array2_desc desc; + unsigned int count; + struct posix_acl *acl; + int typeflag; + kuid_t uid; + kgid_t gid; +}; + +struct nfsacl_simple_acl { + struct posix_acl acl; + struct posix_acl_entry ace[4]; +}; + +struct nfsacl_decode_desc { + struct xdr_array2_desc desc; + unsigned int count; + struct posix_acl *acl; +}; + +struct lock_manager { + struct list_head list; + bool block_opens; +}; + +struct core_name { + char *corename; + int used; + int size; +}; + +struct trace_event_raw_iomap_readpage_class { + struct trace_entry ent; + dev_t dev; + u64 ino; + int nr_pages; + char __data[0]; +}; + +struct trace_event_raw_iomap_page_class { + struct trace_entry ent; + dev_t dev; + u64 ino; + long unsigned int pgoff; + loff_t size; + long unsigned int offset; + unsigned int length; + char __data[0]; +}; + +struct trace_event_raw_iomap_class { + struct trace_entry ent; + dev_t dev; + u64 ino; + u64 addr; + loff_t offset; + u64 length; + u16 type; + u16 flags; + dev_t bdev; + char __data[0]; +}; + +struct trace_event_raw_iomap_apply { + struct trace_entry ent; + dev_t dev; + u64 ino; + loff_t pos; + loff_t length; + unsigned int flags; + const void *ops; + void *actor; + long unsigned int caller; + char __data[0]; +}; + +struct trace_event_data_offsets_iomap_readpage_class {}; + +struct trace_event_data_offsets_iomap_page_class {}; + +struct trace_event_data_offsets_iomap_class {}; + +struct trace_event_data_offsets_iomap_apply {}; + +struct iomap_ops { + int (*iomap_begin)(struct inode___2 *, loff_t, loff_t, unsigned int, struct iomap___2 *, struct iomap___2 *); + int (*iomap_end)(struct inode___2 *, loff_t, loff_t, ssize_t, unsigned int, struct iomap___2 *); +}; + +typedef loff_t (*iomap_actor_t)(struct inode___2 *, loff_t, loff_t, void *, struct iomap___2 *, struct iomap___2 *); + +struct iomap_ioend { + struct list_head io_list; + u16 io_type; + u16 io_flags; + struct inode___2 *io_inode; + size_t io_size; + loff_t io_offset; + void *io_private; + struct bio *io_bio; + struct bio io_inline_bio; +}; + +struct iomap_writepage_ctx; + +struct iomap_writeback_ops { + int (*map_blocks)(struct iomap_writepage_ctx *, struct inode___2 *, loff_t); + int (*prepare_ioend)(struct iomap_ioend *, int); + void (*discard_page)(struct page___2 *); +}; + +struct iomap_writepage_ctx { + struct iomap___2 iomap; + struct iomap_ioend *ioend; + const struct iomap_writeback_ops *ops; +}; + +struct iomap_page { + atomic_t read_count; + atomic_t write_count; + spinlock_t uptodate_lock; + long unsigned int uptodate[1]; +}; + +struct iomap_readpage_ctx { + struct page___2 *cur_page; + bool cur_page_in_bio; + bool is_readahead; + struct bio *bio; + struct list_head *pages; +}; + +enum { + IOMAP_WRITE_F_UNSHARE = 1, +}; + +struct iomap_dio_ops { + int (*end_io)(struct kiocb___2 *, ssize_t, int, unsigned int); +}; + +struct iomap_dio { + struct kiocb___2 *iocb; + const struct iomap_dio_ops *dops; + loff_t i_size; + loff_t size; + atomic_t ref; + unsigned int flags; + int error; + bool wait_for_completion; + union { + struct { + struct iov_iter___2 *iter; + struct task_struct___2 *waiter; + struct request_queue *last_queue; + blk_qc_t cookie; + } submit; + struct { + struct work_struct work; + } aio; + }; +}; + +struct fiemap_ctx { + struct fiemap_extent_info *fi; + struct iomap___2 prev; +}; + +struct iomap_swapfile_info { + struct iomap___2 iomap; + struct swap_info_struct *sis; + uint64_t lowest_ppage; + uint64_t highest_ppage; + long unsigned int nr_pages; + int nr_extents; +}; + +enum { + QIF_BLIMITS_B = 0, + QIF_SPACE_B = 1, + QIF_ILIMITS_B = 2, + QIF_INODES_B = 3, + QIF_BTIME_B = 4, + QIF_ITIME_B = 5, +}; + +enum { + DQF_ROOT_SQUASH_B = 0, + DQF_SYS_FILE_B = 16, + DQF_PRIVATE = 17, +}; + +typedef __kernel_uid32_t qid_t; + +enum { + DQF_INFO_DIRTY_B = 17, +}; + +enum { + DQST_LOOKUPS = 0, + DQST_DROPS = 1, + DQST_READS = 2, + DQST_WRITES = 3, + DQST_CACHE_HITS = 4, + DQST_ALLOC_DQUOTS = 5, + DQST_FREE_DQUOTS = 6, + DQST_SYNCS = 7, + _DQST_DQSTAT_LAST = 8, +}; + +enum { + _DQUOT_USAGE_ENABLED = 0, + _DQUOT_LIMITS_ENABLED = 1, + _DQUOT_SUSPENDED = 2, + _DQUOT_STATE_FLAGS = 3, +}; + +struct quota_module_name { + int qm_fmt_id; + char *qm_mod_name; +}; + +struct dquot_warn { + struct super_block___2 *w_sb; + struct kqid w_dq_id; + short int w_type; +}; + +struct qtree_fmt_operations { + void (*mem2disk_dqblk)(void *, struct dquot___2 *); + void (*disk2mem_dqblk)(struct dquot___2 *, void *); + int (*is_id)(void *, struct dquot___2 *); +}; + +struct qtree_mem_dqinfo { + struct super_block___2 *dqi_sb; + int dqi_type; + unsigned int dqi_blocks; + unsigned int dqi_free_blk; + unsigned int dqi_free_entry; + unsigned int dqi_blocksize_bits; + unsigned int dqi_entry_size; + unsigned int dqi_usable_bs; + unsigned int dqi_qtree_depth; + const struct qtree_fmt_operations *dqi_ops; +}; + +struct v2_disk_dqheader { + __le32 dqh_magic; + __le32 dqh_version; +}; + +struct v2r0_disk_dqblk { + __le32 dqb_id; + __le32 dqb_ihardlimit; + __le32 dqb_isoftlimit; + __le32 dqb_curinodes; + __le32 dqb_bhardlimit; + __le32 dqb_bsoftlimit; + __le64 dqb_curspace; + __le64 dqb_btime; + __le64 dqb_itime; +}; + +struct v2r1_disk_dqblk { + __le32 dqb_id; + __le32 dqb_pad; + __le64 dqb_ihardlimit; + __le64 dqb_isoftlimit; + __le64 dqb_curinodes; + __le64 dqb_bhardlimit; + __le64 dqb_bsoftlimit; + __le64 dqb_curspace; + __le64 dqb_btime; + __le64 dqb_itime; +}; + +struct v2_disk_dqinfo { + __le32 dqi_bgrace; + __le32 dqi_igrace; + __le32 dqi_flags; + __le32 dqi_blocks; + __le32 dqi_free_blk; + __le32 dqi_free_entry; +}; + +struct qt_disk_dqdbheader { + __le32 dqdh_next_free; + __le32 dqdh_prev_free; + __le16 dqdh_entries; + __le16 dqdh_pad1; + __le32 dqdh_pad2; +}; + +struct fs_disk_quota { + __s8 d_version; + __s8 d_flags; + __u16 d_fieldmask; + __u32 d_id; + __u64 d_blk_hardlimit; + __u64 d_blk_softlimit; + __u64 d_ino_hardlimit; + __u64 d_ino_softlimit; + __u64 d_bcount; + __u64 d_icount; + __s32 d_itimer; + __s32 d_btimer; + __u16 d_iwarns; + __u16 d_bwarns; + __s32 d_padding2; + __u64 d_rtb_hardlimit; + __u64 d_rtb_softlimit; + __u64 d_rtbcount; + __s32 d_rtbtimer; + __u16 d_rtbwarns; + __s16 d_padding3; + char d_padding4[8]; +}; + +struct fs_qfilestat { + __u64 qfs_ino; + __u64 qfs_nblks; + __u32 qfs_nextents; +}; + +typedef struct fs_qfilestat fs_qfilestat_t; + +struct fs_quota_stat { + __s8 qs_version; + __u16 qs_flags; + __s8 qs_pad; + fs_qfilestat_t qs_uquota; + fs_qfilestat_t qs_gquota; + __u32 qs_incoredqs; + __s32 qs_btimelimit; + __s32 qs_itimelimit; + __s32 qs_rtbtimelimit; + __u16 qs_bwarnlimit; + __u16 qs_iwarnlimit; +}; + +struct fs_qfilestatv { + __u64 qfs_ino; + __u64 qfs_nblks; + __u32 qfs_nextents; + __u32 qfs_pad; +}; + +struct fs_quota_statv { + __s8 qs_version; + __u8 qs_pad1; + __u16 qs_flags; + __u32 qs_incoredqs; + struct fs_qfilestatv qs_uquota; + struct fs_qfilestatv qs_gquota; + struct fs_qfilestatv qs_pquota; + __s32 qs_btimelimit; + __s32 qs_itimelimit; + __s32 qs_rtbtimelimit; + __u16 qs_bwarnlimit; + __u16 qs_iwarnlimit; + __u64 qs_pad2[8]; +}; + +struct if_dqblk { + __u64 dqb_bhardlimit; + __u64 dqb_bsoftlimit; + __u64 dqb_curspace; + __u64 dqb_ihardlimit; + __u64 dqb_isoftlimit; + __u64 dqb_curinodes; + __u64 dqb_btime; + __u64 dqb_itime; + __u32 dqb_valid; +}; + +struct if_nextdqblk { + __u64 dqb_bhardlimit; + __u64 dqb_bsoftlimit; + __u64 dqb_curspace; + __u64 dqb_ihardlimit; + __u64 dqb_isoftlimit; + __u64 dqb_curinodes; + __u64 dqb_btime; + __u64 dqb_itime; + __u32 dqb_valid; + __u32 dqb_id; +}; + +struct if_dqinfo { + __u64 dqi_bgrace; + __u64 dqi_igrace; + __u32 dqi_flags; + __u32 dqi_valid; +}; + +struct compat_if_dqblk { + compat_u64 dqb_bhardlimit; + compat_u64 dqb_bsoftlimit; + compat_u64 dqb_curspace; + compat_u64 dqb_ihardlimit; + compat_u64 dqb_isoftlimit; + compat_u64 dqb_curinodes; + compat_u64 dqb_btime; + compat_u64 dqb_itime; + compat_uint_t dqb_valid; +} __attribute__((packed)); + +struct compat_fs_qfilestat { + compat_u64 dqb_bhardlimit; + compat_u64 qfs_nblks; + compat_uint_t qfs_nextents; +} __attribute__((packed)); + +struct compat_fs_quota_stat { + __s8 qs_version; + char: 8; + __u16 qs_flags; + __s8 qs_pad; + int: 24; + struct compat_fs_qfilestat qs_uquota; + struct compat_fs_qfilestat qs_gquota; + compat_uint_t qs_incoredqs; + compat_int_t qs_btimelimit; + compat_int_t qs_itimelimit; + compat_int_t qs_rtbtimelimit; + __u16 qs_bwarnlimit; + __u16 qs_iwarnlimit; +} __attribute__((packed)); + +enum { + QUOTA_NL_C_UNSPEC = 0, + QUOTA_NL_C_WARNING = 1, + __QUOTA_NL_C_MAX = 2, +}; + +enum { + QUOTA_NL_A_UNSPEC = 0, + QUOTA_NL_A_QTYPE = 1, + QUOTA_NL_A_EXCESS_ID = 2, + QUOTA_NL_A_WARNING = 3, + QUOTA_NL_A_DEV_MAJOR = 4, + QUOTA_NL_A_DEV_MINOR = 5, + QUOTA_NL_A_CAUSED_ID = 6, + QUOTA_NL_A_PAD = 7, + __QUOTA_NL_A_MAX = 8, +}; + +struct proc_maps_private { + struct inode___2 *inode; + struct task_struct *task; + struct mm_struct___2 *mm; + struct vm_area_struct___2 *tail_vma; + struct mempolicy *task_mempolicy; +}; + +struct mem_size_stats { + long unsigned int resident; + long unsigned int shared_clean; + long unsigned int shared_dirty; + long unsigned int private_clean; + long unsigned int private_dirty; + long unsigned int referenced; + long unsigned int anonymous; + long unsigned int lazyfree; + long unsigned int anonymous_thp; + long unsigned int shmem_thp; + long unsigned int file_thp; + long unsigned int swap; + long unsigned int shared_hugetlb; + long unsigned int private_hugetlb; + u64 pss; + u64 pss_anon; + u64 pss_file; + u64 pss_shmem; + u64 pss_locked; + u64 swap_pss; + bool check_shmem_swap; +}; + +enum clear_refs_types { + CLEAR_REFS_ALL = 1, + CLEAR_REFS_ANON = 2, + CLEAR_REFS_MAPPED = 3, + CLEAR_REFS_SOFT_DIRTY = 4, + CLEAR_REFS_MM_HIWATER_RSS = 5, + CLEAR_REFS_LAST = 6, +}; + +struct clear_refs_private { + enum clear_refs_types type; +}; + +typedef struct { + u64 pme; +} pagemap_entry_t; + +struct pagemapread { + int pos; + int len; + pagemap_entry_t *buffer; + bool show_pfn; +}; + +struct numa_maps { + long unsigned int pages; + long unsigned int anon; + long unsigned int active; + long unsigned int writeback; + long unsigned int mapcount_max; + long unsigned int dirty; + long unsigned int swapcache; + long unsigned int node[64]; +}; + +struct numa_maps_private { + struct proc_maps_private proc_maps; + struct numa_maps md; +}; + +enum { + HIDEPID_OFF = 0, + HIDEPID_NO_ACCESS = 1, + HIDEPID_INVISIBLE = 2, +}; + +struct pde_opener { + struct list_head lh; + struct file___2 *file; + bool closing; + struct completion *c; +}; + +enum { + BIAS = -2147483648, +}; + +typedef int (*proc_write_t___2)(struct file *, char *, size_t); + +struct proc_fs_context { + struct pid_namespace *pid_ns; + unsigned int mask; + int hidepid; + int gid; +}; + +enum proc_param { + Opt_gid___2 = 0, + Opt_hidepid = 1, +}; + +struct genradix_root; + +struct __genradix { + struct genradix_root *root; +}; + +struct syscall_info { + __u64 sp; + struct seccomp_data data; +}; + +typedef struct dentry___2 *instantiate_t(struct dentry___2 *, struct task_struct *, const void *); + +struct pid_entry { + const char *name; + unsigned int len; + umode_t mode; + const struct inode_operations___2 *iop; + const struct file_operations___2 *fop; + union proc_op op; +}; + +struct limit_names { + const char *name; + const char *unit; +}; + +struct map_files_info { + long unsigned int start; + long unsigned int end; + fmode_t mode; +}; + +struct tgid_iter { + unsigned int tgid; + struct task_struct *task; +}; + +struct fd_data { + fmode_t mode; + unsigned int fd; +}; + +struct seq_net_private { + struct net *net; +}; + +struct vmcore { + struct list_head list; + long long unsigned int paddr; + long long unsigned int size; + loff_t offset; +}; + +typedef struct elf32_hdr Elf32_Ehdr; + +typedef struct elf32_phdr Elf32_Phdr; + +typedef struct elf64_phdr Elf64_Phdr; + +typedef struct elf32_note Elf32_Nhdr; + +typedef struct elf64_note Elf64_Nhdr; + +struct kernfs_iattrs { + kuid_t ia_uid; + kgid_t ia_gid; + struct timespec64 ia_atime; + struct timespec64 ia_mtime; + struct timespec64 ia_ctime; + struct simple_xattrs xattrs; +}; + +struct kernfs_super_info { + struct super_block___2 *sb; + struct kernfs_root___2 *root; + const void *ns; + struct list_head node; +}; + +enum kernfs_node_flag { + KERNFS_ACTIVATED = 16, + KERNFS_NS = 32, + KERNFS_HAS_SEQ_SHOW = 64, + KERNFS_HAS_MMAP = 128, + KERNFS_LOCKDEP = 256, + KERNFS_SUICIDAL = 1024, + KERNFS_SUICIDED = 2048, + KERNFS_EMPTY_DIR = 4096, + KERNFS_HAS_RELEASE = 8192, +}; + +struct kernfs_open_node { + atomic_t refcnt; + atomic_t event; + wait_queue_head_t poll; + struct list_head files; +}; + +struct pts_mount_opts { + int setuid; + int setgid; + kuid_t uid; + kgid_t gid; + umode_t mode; + umode_t ptmxmode; + int reserve; + int max; +}; + +enum { + Opt_uid___2 = 0, + Opt_gid___3 = 1, + Opt_mode___2 = 2, + Opt_ptmxmode = 3, + Opt_newinstance = 4, + Opt_max = 5, + Opt_err = 6, +}; + +struct pts_fs_info { + struct ida allocated_ptys; + struct pts_mount_opts mount_opts; + struct super_block___2 *sb; + struct dentry___2 *ptmx_dentry; +}; + +struct dcookie_struct { + struct path___2 path; + struct list_head hash_list; +}; + +struct dcookie_user { + struct list_head next; +}; + +typedef unsigned int tid_t; + +struct transaction_chp_stats_s { + long unsigned int cs_chp_time; + __u32 cs_forced_to_close; + __u32 cs_written; + __u32 cs_dropped; +}; + +struct journal_s; + +typedef struct journal_s journal_t; + +struct journal_head; + +struct transaction_s; + +typedef struct transaction_s transaction_t; + +struct transaction_s { + journal_t *t_journal; + tid_t t_tid; + enum { + T_RUNNING = 0, + T_LOCKED = 1, + T_SWITCH = 2, + T_FLUSH = 3, + T_COMMIT = 4, + T_COMMIT_DFLUSH = 5, + T_COMMIT_JFLUSH = 6, + T_COMMIT_CALLBACK = 7, + T_FINISHED = 8, + } t_state; + long unsigned int t_log_start; + int t_nr_buffers; + struct journal_head *t_reserved_list; + struct journal_head *t_buffers; + struct journal_head *t_forget; + struct journal_head *t_checkpoint_list; + struct journal_head *t_checkpoint_io_list; + struct journal_head *t_shadow_list; + struct list_head t_inode_list; + spinlock_t t_handle_lock; + long unsigned int t_max_wait; + long unsigned int t_start; + long unsigned int t_requested; + struct transaction_chp_stats_s t_chp_stats; + atomic_t t_updates; + atomic_t t_outstanding_credits; + atomic_t t_outstanding_revokes; + atomic_t t_handle_count; + transaction_t *t_cpnext; + transaction_t *t_cpprev; + long unsigned int t_expires; + ktime_t t_start_time; + unsigned int t_synchronous_commit: 1; + int t_need_data_flush; + struct list_head t_private_list; +}; + +struct jbd2_buffer_trigger_type; + +struct journal_head { + struct buffer_head *b_bh; + spinlock_t b_state_lock; + int b_jcount; + unsigned int b_jlist; + unsigned int b_modified; + char *b_frozen_data; + char *b_committed_data; + transaction_t *b_transaction; + transaction_t *b_next_transaction; + struct journal_head *b_tnext; + struct journal_head *b_tprev; + transaction_t *b_cp_transaction; + struct journal_head *b_cpnext; + struct journal_head *b_cpprev; + struct jbd2_buffer_trigger_type *b_triggers; + struct jbd2_buffer_trigger_type *b_frozen_triggers; +}; + +struct jbd2_buffer_trigger_type { + void (*t_frozen)(struct jbd2_buffer_trigger_type *, struct buffer_head *, void *, size_t); + void (*t_abort)(struct jbd2_buffer_trigger_type *, struct buffer_head *); +}; + +struct crypto_tfm; + +struct cipher_tfm { + int (*cit_setkey)(struct crypto_tfm *, const u8 *, unsigned int); + void (*cit_encrypt_one)(struct crypto_tfm *, u8 *, const u8 *); + void (*cit_decrypt_one)(struct crypto_tfm *, u8 *, const u8 *); +}; + +struct compress_tfm { + int (*cot_compress)(struct crypto_tfm *, const u8 *, unsigned int, u8 *, unsigned int *); + int (*cot_decompress)(struct crypto_tfm *, const u8 *, unsigned int, u8 *, unsigned int *); +}; + +struct crypto_alg; + +struct crypto_tfm { + u32 crt_flags; + union { + struct cipher_tfm cipher; + struct compress_tfm compress; + } crt_u; + void (*exit)(struct crypto_tfm *); + struct crypto_alg *__crt_alg; + void *__crt_ctx[0]; +}; + +struct cipher_alg { + unsigned int cia_min_keysize; + unsigned int cia_max_keysize; + int (*cia_setkey)(struct crypto_tfm *, const u8 *, unsigned int); + void (*cia_encrypt)(struct crypto_tfm *, u8 *, const u8 *); + void (*cia_decrypt)(struct crypto_tfm *, u8 *, const u8 *); +}; + +struct compress_alg { + int (*coa_compress)(struct crypto_tfm *, const u8 *, unsigned int, u8 *, unsigned int *); + int (*coa_decompress)(struct crypto_tfm *, const u8 *, unsigned int, u8 *, unsigned int *); +}; + +struct crypto_type; + +struct crypto_alg { + struct list_head cra_list; + struct list_head cra_users; + u32 cra_flags; + unsigned int cra_blocksize; + unsigned int cra_ctxsize; + unsigned int cra_alignmask; + int cra_priority; + refcount_t cra_refcnt; + char cra_name[128]; + char cra_driver_name[128]; + const struct crypto_type *cra_type; + union { + struct cipher_alg cipher; + struct compress_alg compress; + } cra_u; + int (*cra_init)(struct crypto_tfm *); + void (*cra_exit)(struct crypto_tfm *); + void (*cra_destroy)(struct crypto_alg *); + struct module___2 *cra_module; +}; + +struct crypto_instance; + +struct crypto_type { + unsigned int (*ctxsize)(struct crypto_alg *, u32, u32); + unsigned int (*extsize)(struct crypto_alg *); + int (*init)(struct crypto_tfm *, u32, u32); + int (*init_tfm)(struct crypto_tfm *); + void (*show)(struct seq_file *, struct crypto_alg *); + int (*report)(struct sk_buff *, struct crypto_alg *); + void (*free)(struct crypto_instance *); + unsigned int type; + unsigned int maskclear; + unsigned int maskset; + unsigned int tfmsize; +}; + +struct crypto_shash { + unsigned int descsize; + struct crypto_tfm base; +}; + +struct jbd2_journal_handle; + +typedef struct jbd2_journal_handle handle_t; + +struct jbd2_journal_handle { + union { + transaction_t *h_transaction; + journal_t *h_journal; + }; + handle_t *h_rsv_handle; + int h_total_credits; + int h_revoke_credits; + int h_revoke_credits_requested; + int h_ref; + int h_err; + unsigned int h_sync: 1; + unsigned int h_jdata: 1; + unsigned int h_reserved: 1; + unsigned int h_aborted: 1; + unsigned int h_type: 8; + unsigned int h_line_no: 16; + long unsigned int h_start_jiffies; + unsigned int h_requested_credits; + unsigned int saved_alloc_context; +}; + +struct transaction_run_stats_s { + long unsigned int rs_wait; + long unsigned int rs_request_delay; + long unsigned int rs_running; + long unsigned int rs_locked; + long unsigned int rs_flushing; + long unsigned int rs_logging; + __u32 rs_handle_count; + __u32 rs_blocks; + __u32 rs_blocks_logged; +}; + +struct transaction_stats_s { + long unsigned int ts_tid; + long unsigned int ts_requested; + struct transaction_run_stats_s run; +}; + +struct journal_superblock_s; + +typedef struct journal_superblock_s journal_superblock_t; + +struct jbd2_revoke_table_s; + +struct journal_s { + long unsigned int j_flags; + int j_errno; + struct buffer_head *j_sb_buffer; + journal_superblock_t *j_superblock; + int j_format_version; + rwlock_t j_state_lock; + int j_barrier_count; + struct mutex j_barrier; + transaction_t *j_running_transaction; + transaction_t *j_committing_transaction; + transaction_t *j_checkpoint_transactions; + wait_queue_head_t j_wait_transaction_locked; + wait_queue_head_t j_wait_done_commit; + wait_queue_head_t j_wait_commit; + wait_queue_head_t j_wait_updates; + wait_queue_head_t j_wait_reserved; + struct mutex j_checkpoint_mutex; + struct buffer_head *j_chkpt_bhs[64]; + long unsigned int j_head; + long unsigned int j_tail; + long unsigned int j_free; + long unsigned int j_first; + long unsigned int j_last; + struct block_device *j_dev; + int j_blocksize; + long long unsigned int j_blk_offset; + char j_devname[56]; + struct block_device *j_fs_dev; + unsigned int j_maxlen; + atomic_t j_reserved_credits; + spinlock_t j_list_lock; + struct inode___2 *j_inode; + tid_t j_tail_sequence; + tid_t j_transaction_sequence; + tid_t j_commit_sequence; + tid_t j_commit_request; + __u8 j_uuid[16]; + struct task_struct___2 *j_task; + int j_max_transaction_buffers; + int j_revoke_records_per_block; + long unsigned int j_commit_interval; + struct timer_list j_commit_timer; + spinlock_t j_revoke_lock; + struct jbd2_revoke_table_s *j_revoke; + struct jbd2_revoke_table_s *j_revoke_table[2]; + struct buffer_head **j_wbuf; + int j_wbufsize; + pid_t j_last_sync_writer; + u64 j_average_commit_time; + u32 j_min_batch_time; + u32 j_max_batch_time; + void (*j_commit_callback)(journal_t *, transaction_t *); + spinlock_t j_history_lock; + struct proc_dir_entry *j_proc_entry; + struct transaction_stats_s j_stats; + unsigned int j_failed_commit; + void *j_private; + struct crypto_shash *j_chksum_driver; + __u32 j_csum_seed; +}; + +struct journal_header_s { + __be32 h_magic; + __be32 h_blocktype; + __be32 h_sequence; +}; + +typedef struct journal_header_s journal_header_t; + +struct journal_superblock_s { + journal_header_t s_header; + __be32 s_blocksize; + __be32 s_maxlen; + __be32 s_first; + __be32 s_sequence; + __be32 s_start; + __be32 s_errno; + __be32 s_feature_compat; + __be32 s_feature_incompat; + __be32 s_feature_ro_compat; + __u8 s_uuid[16]; + __be32 s_nr_users; + __be32 s_dynsuper; + __be32 s_max_transaction; + __be32 s_max_trans_data; + __u8 s_checksum_type; + __u8 s_padding2[3]; + __u32 s_padding[42]; + __be32 s_checksum; + __u8 s_users[768]; +}; + +enum jbd_state_bits { + BH_JBD = 17, + BH_JWrite = 18, + BH_Freed = 19, + BH_Revoked = 20, + BH_RevokeValid = 21, + BH_JBDDirty = 22, + BH_JournalHead = 23, + BH_Shadow = 24, + BH_Verified = 25, + BH_JBDPrivateStart = 26, +}; + +struct jbd2_inode { + transaction_t *i_transaction; + transaction_t *i_next_transaction; + struct list_head i_list; + struct inode___2 *i_vfs_inode; + long unsigned int i_flags; + loff_t i_dirty_start; + loff_t i_dirty_end; +}; + +struct bgl_lock { + spinlock_t lock; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct blockgroup_lock { + struct bgl_lock locks[128]; +}; + +typedef int ext4_grpblk_t; + +typedef long long unsigned int ext4_fsblk_t; + +typedef __u32 ext4_lblk_t; + +typedef unsigned int ext4_group_t; + +struct ext4_allocation_request { + struct inode___2 *inode; + unsigned int len; + ext4_lblk_t logical; + ext4_lblk_t lleft; + ext4_lblk_t lright; + ext4_fsblk_t goal; + ext4_fsblk_t pleft; + ext4_fsblk_t pright; + unsigned int flags; +}; + +struct ext4_system_blocks { + struct rb_root root; + struct callback_head rcu; +}; + +struct ext4_group_desc { + __le32 bg_block_bitmap_lo; + __le32 bg_inode_bitmap_lo; + __le32 bg_inode_table_lo; + __le16 bg_free_blocks_count_lo; + __le16 bg_free_inodes_count_lo; + __le16 bg_used_dirs_count_lo; + __le16 bg_flags; + __le32 bg_exclude_bitmap_lo; + __le16 bg_block_bitmap_csum_lo; + __le16 bg_inode_bitmap_csum_lo; + __le16 bg_itable_unused_lo; + __le16 bg_checksum; + __le32 bg_block_bitmap_hi; + __le32 bg_inode_bitmap_hi; + __le32 bg_inode_table_hi; + __le16 bg_free_blocks_count_hi; + __le16 bg_free_inodes_count_hi; + __le16 bg_used_dirs_count_hi; + __le16 bg_itable_unused_hi; + __le32 bg_exclude_bitmap_hi; + __le16 bg_block_bitmap_csum_hi; + __le16 bg_inode_bitmap_csum_hi; + __u32 bg_reserved; +}; + +struct flex_groups { + atomic64_t free_clusters; + atomic_t free_inodes; + atomic_t used_dirs; +}; + +struct extent_status { + struct rb_node rb_node; + ext4_lblk_t es_lblk; + ext4_lblk_t es_len; + ext4_fsblk_t es_pblk; +}; + +struct ext4_es_tree { + struct rb_root root; + struct extent_status *cache_es; +}; + +struct ext4_es_stats { + long unsigned int es_stats_shrunk; + struct percpu_counter es_stats_cache_hits; + struct percpu_counter es_stats_cache_misses; + u64 es_stats_scan_time; + u64 es_stats_max_scan_time; + struct percpu_counter es_stats_all_cnt; + struct percpu_counter es_stats_shk_cnt; +}; + +struct ext4_pending_tree { + struct rb_root root; +}; + +struct ext4_inode_info { + __le32 i_data[15]; + __u32 i_dtime; + ext4_fsblk_t i_file_acl; + ext4_group_t i_block_group; + ext4_lblk_t i_dir_start_lookup; + long unsigned int i_flags; + struct rw_semaphore xattr_sem; + struct list_head i_orphan; + loff_t i_disksize; + struct rw_semaphore i_data_sem; + struct rw_semaphore i_mmap_sem; + struct inode___2 vfs_inode; + struct jbd2_inode *jinode; + spinlock_t i_raw_lock; + struct timespec64 i_crtime; + struct list_head i_prealloc_list; + spinlock_t i_prealloc_lock; + struct ext4_es_tree i_es_tree; + rwlock_t i_es_lock; + struct list_head i_es_list; + unsigned int i_es_all_nr; + unsigned int i_es_shk_nr; + ext4_lblk_t i_es_shrink_lblk; + ext4_group_t i_last_alloc_group; + unsigned int i_reserved_data_blocks; + ext4_lblk_t i_da_metadata_calc_last_lblock; + int i_da_metadata_calc_len; + struct ext4_pending_tree i_pending_tree; + __u16 i_extra_isize; + u16 i_inline_off; + u16 i_inline_size; + qsize_t i_reserved_quota; + spinlock_t i_completed_io_lock; + struct list_head i_rsv_conversion_list; + struct work_struct i_rsv_conversion_work; + atomic_t i_unwritten; + spinlock_t i_block_reservation_lock; + tid_t i_sync_tid; + tid_t i_datasync_tid; + struct dquot *i_dquot[3]; + __u32 i_csum_seed; + kprojid_t i_projid; +}; + +struct ext4_super_block { + __le32 s_inodes_count; + __le32 s_blocks_count_lo; + __le32 s_r_blocks_count_lo; + __le32 s_free_blocks_count_lo; + __le32 s_free_inodes_count; + __le32 s_first_data_block; + __le32 s_log_block_size; + __le32 s_log_cluster_size; + __le32 s_blocks_per_group; + __le32 s_clusters_per_group; + __le32 s_inodes_per_group; + __le32 s_mtime; + __le32 s_wtime; + __le16 s_mnt_count; + __le16 s_max_mnt_count; + __le16 s_magic; + __le16 s_state; + __le16 s_errors; + __le16 s_minor_rev_level; + __le32 s_lastcheck; + __le32 s_checkinterval; + __le32 s_creator_os; + __le32 s_rev_level; + __le16 s_def_resuid; + __le16 s_def_resgid; + __le32 s_first_ino; + __le16 s_inode_size; + __le16 s_block_group_nr; + __le32 s_feature_compat; + __le32 s_feature_incompat; + __le32 s_feature_ro_compat; + __u8 s_uuid[16]; + char s_volume_name[16]; + char s_last_mounted[64]; + __le32 s_algorithm_usage_bitmap; + __u8 s_prealloc_blocks; + __u8 s_prealloc_dir_blocks; + __le16 s_reserved_gdt_blocks; + __u8 s_journal_uuid[16]; + __le32 s_journal_inum; + __le32 s_journal_dev; + __le32 s_last_orphan; + __le32 s_hash_seed[4]; + __u8 s_def_hash_version; + __u8 s_jnl_backup_type; + __le16 s_desc_size; + __le32 s_default_mount_opts; + __le32 s_first_meta_bg; + __le32 s_mkfs_time; + __le32 s_jnl_blocks[17]; + __le32 s_blocks_count_hi; + __le32 s_r_blocks_count_hi; + __le32 s_free_blocks_count_hi; + __le16 s_min_extra_isize; + __le16 s_want_extra_isize; + __le32 s_flags; + __le16 s_raid_stride; + __le16 s_mmp_update_interval; + __le64 s_mmp_block; + __le32 s_raid_stripe_width; + __u8 s_log_groups_per_flex; + __u8 s_checksum_type; + __u8 s_encryption_level; + __u8 s_reserved_pad; + __le64 s_kbytes_written; + __le32 s_snapshot_inum; + __le32 s_snapshot_id; + __le64 s_snapshot_r_blocks_count; + __le32 s_snapshot_list; + __le32 s_error_count; + __le32 s_first_error_time; + __le32 s_first_error_ino; + __le64 s_first_error_block; + __u8 s_first_error_func[32]; + __le32 s_first_error_line; + __le32 s_last_error_time; + __le32 s_last_error_ino; + __le32 s_last_error_line; + __le64 s_last_error_block; + __u8 s_last_error_func[32]; + __u8 s_mount_opts[64]; + __le32 s_usr_quota_inum; + __le32 s_grp_quota_inum; + __le32 s_overhead_clusters; + __le32 s_backup_bgs[2]; + __u8 s_encrypt_algos[4]; + __u8 s_encrypt_pw_salt[16]; + __le32 s_lpf_ino; + __le32 s_prj_quota_inum; + __le32 s_checksum_seed; + __u8 s_wtime_hi; + __u8 s_mtime_hi; + __u8 s_mkfs_time_hi; + __u8 s_lastcheck_hi; + __u8 s_first_error_time_hi; + __u8 s_last_error_time_hi; + __u8 s_pad[2]; + __le16 s_encoding; + __le16 s_encoding_flags; + __le32 s_reserved[95]; + __le32 s_checksum; +}; + +struct mb_cache___2; + +struct ext4_group_info; + +struct ext4_locality_group; + +struct ext4_li_request; + +struct ext4_sb_info { + long unsigned int s_desc_size; + long unsigned int s_inodes_per_block; + long unsigned int s_blocks_per_group; + long unsigned int s_clusters_per_group; + long unsigned int s_inodes_per_group; + long unsigned int s_itb_per_group; + long unsigned int s_gdb_count; + long unsigned int s_desc_per_block; + ext4_group_t s_groups_count; + ext4_group_t s_blockfile_groups; + long unsigned int s_overhead; + unsigned int s_cluster_ratio; + unsigned int s_cluster_bits; + loff_t s_bitmap_maxbytes; + struct buffer_head *s_sbh; + struct ext4_super_block *s_es; + struct buffer_head **s_group_desc; + unsigned int s_mount_opt; + unsigned int s_mount_opt2; + unsigned int s_mount_flags; + unsigned int s_def_mount_opt; + ext4_fsblk_t s_sb_block; + atomic64_t s_resv_clusters; + kuid_t s_resuid; + kgid_t s_resgid; + short unsigned int s_mount_state; + short unsigned int s_pad; + int s_addr_per_block_bits; + int s_desc_per_block_bits; + int s_inode_size; + int s_first_ino; + unsigned int s_inode_readahead_blks; + unsigned int s_inode_goal; + u32 s_hash_seed[4]; + int s_def_hash_version; + int s_hash_unsigned; + struct percpu_counter s_freeclusters_counter; + struct percpu_counter s_freeinodes_counter; + struct percpu_counter s_dirs_counter; + struct percpu_counter s_dirtyclusters_counter; + struct blockgroup_lock *s_blockgroup_lock; + struct proc_dir_entry *s_proc; + struct kobject___2 s_kobj; + struct completion s_kobj_unregister; + struct super_block___2 *s_sb; + struct journal_s *s_journal; + struct list_head s_orphan; + struct mutex s_orphan_lock; + long unsigned int s_ext4_flags; + long unsigned int s_commit_interval; + u32 s_max_batch_time; + u32 s_min_batch_time; + struct block_device *journal_bdev; + char *s_qf_names[3]; + int s_jquota_fmt; + unsigned int s_want_extra_isize; + struct ext4_system_blocks *system_blks; + struct ext4_group_info ***s_group_info; + struct inode___2 *s_buddy_cache; + spinlock_t s_md_lock; + short unsigned int *s_mb_offsets; + unsigned int *s_mb_maxs; + unsigned int s_group_info_size; + unsigned int s_mb_free_pending; + struct list_head s_freed_data_list; + long unsigned int s_stripe; + unsigned int s_mb_stream_request; + unsigned int s_mb_max_to_scan; + unsigned int s_mb_min_to_scan; + unsigned int s_mb_stats; + unsigned int s_mb_order2_reqs; + unsigned int s_mb_group_prealloc; + unsigned int s_max_dir_size_kb; + long unsigned int s_mb_last_group; + long unsigned int s_mb_last_start; + atomic_t s_bal_reqs; + atomic_t s_bal_success; + atomic_t s_bal_allocated; + atomic_t s_bal_ex_scanned; + atomic_t s_bal_goals; + atomic_t s_bal_breaks; + atomic_t s_bal_2orders; + spinlock_t s_bal_lock; + long unsigned int s_mb_buddies_generated; + long long unsigned int s_mb_generation_time; + atomic_t s_mb_lost_chunks; + atomic_t s_mb_preallocated; + atomic_t s_mb_discarded; + atomic_t s_lock_busy; + struct ext4_locality_group *s_locality_groups; + long unsigned int s_sectors_written_start; + u64 s_kbytes_written; + unsigned int s_extent_max_zeroout_kb; + unsigned int s_log_groups_per_flex; + struct flex_groups *s_flex_groups; + ext4_group_t s_flex_groups_allocated; + struct workqueue_struct *rsv_conversion_wq; + struct timer_list s_err_report; + struct ext4_li_request *s_li_request; + unsigned int s_li_wait_mult; + struct task_struct___2 *s_mmp_tsk; + atomic_t s_last_trim_minblks; + struct crypto_shash *s_chksum_driver; + __u32 s_csum_seed; + struct shrinker s_es_shrinker; + struct list_head s_es_list; + long int s_es_nr_inode; + struct ext4_es_stats s_es_stats; + struct mb_cache___2 *s_ea_block_cache; + struct mb_cache___2 *s_ea_inode_cache; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + spinlock_t s_es_lock; + struct ratelimit_state s_err_ratelimit_state; + struct ratelimit_state s_warning_ratelimit_state; + struct ratelimit_state s_msg_ratelimit_state; + struct percpu_rw_semaphore s_journal_flag_rwsem; + struct dax_device *s_daxdev; + long: 64; +}; + +struct ext4_group_info { + long unsigned int bb_state; + struct rb_root bb_free_root; + ext4_grpblk_t bb_first_free; + ext4_grpblk_t bb_free; + ext4_grpblk_t bb_fragments; + ext4_grpblk_t bb_largest_free_order; + struct list_head bb_prealloc_list; + struct rw_semaphore alloc_sem; + ext4_grpblk_t bb_counters[0]; +}; + +struct ext4_locality_group { + struct mutex lg_mutex; + struct list_head lg_prealloc_list[10]; + spinlock_t lg_prealloc_lock; +}; + +struct ext4_li_request { + struct super_block___2 *lr_super; + struct ext4_sb_info *lr_sbi; + ext4_group_t lr_next_group; + struct list_head lr_request; + long unsigned int lr_next_sched; + long unsigned int lr_timeout; +}; + +struct shash_desc { + struct crypto_shash *tfm; + void *__ctx[0]; +}; + +struct ext4_map_blocks { + ext4_fsblk_t m_pblk; + ext4_lblk_t m_lblk; + unsigned int m_len; + unsigned int m_flags; +}; + +typedef enum { + EXT4_IGET_NORMAL = 0, + EXT4_IGET_SPECIAL = 1, + EXT4_IGET_HANDLE = 2, +} ext4_iget_flags; + +struct ext4_system_zone { + struct rb_node node; + ext4_fsblk_t start_blk; + unsigned int count; +}; + +struct fscrypt_str { + unsigned char *name; + u32 len; +}; + +enum { + EXT4_INODE_SECRM = 0, + EXT4_INODE_UNRM = 1, + EXT4_INODE_COMPR = 2, + EXT4_INODE_SYNC = 3, + EXT4_INODE_IMMUTABLE = 4, + EXT4_INODE_APPEND = 5, + EXT4_INODE_NODUMP = 6, + EXT4_INODE_NOATIME = 7, + EXT4_INODE_DIRTY = 8, + EXT4_INODE_COMPRBLK = 9, + EXT4_INODE_NOCOMPR = 10, + EXT4_INODE_ENCRYPT = 11, + EXT4_INODE_INDEX = 12, + EXT4_INODE_IMAGIC = 13, + EXT4_INODE_JOURNAL_DATA = 14, + EXT4_INODE_NOTAIL = 15, + EXT4_INODE_DIRSYNC = 16, + EXT4_INODE_TOPDIR = 17, + EXT4_INODE_HUGE_FILE = 18, + EXT4_INODE_EXTENTS = 19, + EXT4_INODE_VERITY = 20, + EXT4_INODE_EA_INODE = 21, + EXT4_INODE_EOFBLOCKS = 22, + EXT4_INODE_INLINE_DATA = 28, + EXT4_INODE_PROJINHERIT = 29, + EXT4_INODE_RESERVED = 31, +}; + +struct ext4_dir_entry_2 { + __le32 inode; + __le16 rec_len; + __u8 name_len; + __u8 file_type; + char name[255]; +}; + +struct fname; + +struct dir_private_info { + struct rb_root root; + struct rb_node *curr_node; + struct fname *extra_fname; + loff_t last_pos; + __u32 curr_hash; + __u32 curr_minor_hash; + __u32 next_hash; +}; + +struct fname { + __u32 hash; + __u32 minor_hash; + struct rb_node rb_hash; + struct fname *next; + __u32 inode; + __u8 name_len; + __u8 file_type; + char name[0]; +}; + +enum SHIFT_DIRECTION { + SHIFT_LEFT = 0, + SHIFT_RIGHT = 1, +}; + +struct ext4_io_end_vec { + struct list_head list; + loff_t offset; + ssize_t size; +}; + +struct ext4_io_end { + struct list_head list; + handle_t *handle; + struct inode___2 *inode; + struct bio *bio; + unsigned int flag; + atomic_t count; + struct list_head list_vec; +}; + +typedef struct ext4_io_end ext4_io_end_t; + +enum { + ES_WRITTEN_B = 0, + ES_UNWRITTEN_B = 1, + ES_DELAYED_B = 2, + ES_HOLE_B = 3, + ES_REFERENCED_B = 4, + ES_FLAGS = 5, +}; + +enum { + EXT4_STATE_JDATA = 0, + EXT4_STATE_NEW = 1, + EXT4_STATE_XATTR = 2, + EXT4_STATE_NO_EXPAND = 3, + EXT4_STATE_DA_ALLOC_CLOSE = 4, + EXT4_STATE_EXT_MIGRATE = 5, + EXT4_STATE_NEWENTRY = 6, + EXT4_STATE_MAY_INLINE_DATA = 7, + EXT4_STATE_EXT_PRECACHED = 8, + EXT4_STATE_LUSTRE_EA_INODE = 9, + EXT4_STATE_VERITY_IN_PROGRESS = 10, +}; + +struct ext4_iloc { + struct buffer_head *bh; + long unsigned int offset; + ext4_group_t block_group; +}; + +struct ext4_extent_tail { + __le32 et_checksum; +}; + +struct ext4_extent { + __le32 ee_block; + __le16 ee_len; + __le16 ee_start_hi; + __le32 ee_start_lo; +}; + +struct ext4_extent_idx { + __le32 ei_block; + __le32 ei_leaf_lo; + __le16 ei_leaf_hi; + __u16 ei_unused; +}; + +struct ext4_extent_header { + __le16 eh_magic; + __le16 eh_entries; + __le16 eh_max; + __le16 eh_depth; + __le32 eh_generation; +}; + +struct ext4_ext_path { + ext4_fsblk_t p_block; + __u16 p_depth; + __u16 p_maxdepth; + struct ext4_extent *p_ext; + struct ext4_extent_idx *p_idx; + struct ext4_extent_header *p_hdr; + struct buffer_head *p_bh; +}; + +struct partial_cluster { + ext4_fsblk_t pclu; + ext4_lblk_t lblk; + enum { + initial = 0, + tofree = 1, + nofree = 2, + } state; +}; + +struct pending_reservation { + struct rb_node rb_node; + ext4_lblk_t lclu; +}; + +struct rsvd_count { + int ndelonly; + bool first_do_lblk_found; + ext4_lblk_t first_do_lblk; + ext4_lblk_t last_do_lblk; + struct extent_status *left_es; + bool partial; + ext4_lblk_t lclu; +}; + +struct fsverity_info; + +struct fsmap { + __u32 fmr_device; + __u32 fmr_flags; + __u64 fmr_physical; + __u64 fmr_owner; + __u64 fmr_offset; + __u64 fmr_length; + __u64 fmr_reserved[3]; +}; + +struct ext4_fsmap { + struct list_head fmr_list; + dev_t fmr_device; + uint32_t fmr_flags; + uint64_t fmr_physical; + uint64_t fmr_owner; + uint64_t fmr_length; +}; + +struct ext4_fsmap_head { + uint32_t fmh_iflags; + uint32_t fmh_oflags; + unsigned int fmh_count; + unsigned int fmh_entries; + struct ext4_fsmap fmh_keys[2]; +}; + +typedef int (*ext4_fsmap_format_t)(struct ext4_fsmap *, void *); + +typedef int (*ext4_mballoc_query_range_fn)(struct super_block___2 *, ext4_group_t, ext4_grpblk_t, ext4_grpblk_t, void *); + +struct ext4_getfsmap_info { + struct ext4_fsmap_head *gfi_head; + ext4_fsmap_format_t gfi_formatter; + void *gfi_format_arg; + ext4_fsblk_t gfi_next_fsblk; + u32 gfi_dev; + ext4_group_t gfi_agno; + struct ext4_fsmap gfi_low; + struct ext4_fsmap gfi_high; + struct ext4_fsmap gfi_lastfree; + struct list_head gfi_meta_list; + bool gfi_last; +}; + +struct ext4_getfsmap_dev { + int (*gfd_fn)(struct super_block___2 *, struct ext4_fsmap *, struct ext4_getfsmap_info *); + u32 gfd_dev; +}; + +struct dx_hash_info { + u32 hash; + u32 minor_hash; + int hash_version; + u32 *seed; +}; + +struct ext4_inode { + __le16 i_mode; + __le16 i_uid; + __le32 i_size_lo; + __le32 i_atime; + __le32 i_ctime; + __le32 i_mtime; + __le32 i_dtime; + __le16 i_gid; + __le16 i_links_count; + __le32 i_blocks_lo; + __le32 i_flags; + union { + struct { + __le32 l_i_version; + } linux1; + struct { + __u32 h_i_translator; + } hurd1; + struct { + __u32 m_i_reserved1; + } masix1; + } osd1; + __le32 i_block[15]; + __le32 i_generation; + __le32 i_file_acl_lo; + __le32 i_size_high; + __le32 i_obso_faddr; + union { + struct { + __le16 l_i_blocks_high; + __le16 l_i_file_acl_high; + __le16 l_i_uid_high; + __le16 l_i_gid_high; + __le16 l_i_checksum_lo; + __le16 l_i_reserved; + } linux2; + struct { + __le16 h_i_reserved1; + __u16 h_i_mode_high; + __u16 h_i_uid_high; + __u16 h_i_gid_high; + __u32 h_i_author; + } hurd2; + struct { + __le16 h_i_reserved1; + __le16 m_i_file_acl_high; + __u32 m_i_reserved2[2]; + } masix2; + } osd2; + __le16 i_extra_isize; + __le16 i_checksum_hi; + __le32 i_ctime_extra; + __le32 i_mtime_extra; + __le32 i_atime_extra; + __le32 i_crtime; + __le32 i_crtime_extra; + __le32 i_version_hi; + __le32 i_projid; +}; + +struct orlov_stats { + __u64 free_clusters; + __u32 free_inodes; + __u32 used_dirs; +}; + +typedef struct { + __le32 *p; + __le32 key; + struct buffer_head *bh; +} Indirect; + +struct ext4_filename { + const struct qstr *usr_fname; + struct fscrypt_str disk_name; + struct dx_hash_info hinfo; +}; + +struct ext4_xattr_ibody_header { + __le32 h_magic; +}; + +struct ext4_xattr_entry { + __u8 e_name_len; + __u8 e_name_index; + __le16 e_value_offs; + __le32 e_value_inum; + __le32 e_value_size; + __le32 e_hash; + char e_name[0]; +}; + +struct ext4_xattr_info { + const char *name; + const void *value; + size_t value_len; + int name_index; + int in_inode; +}; + +struct ext4_xattr_search { + struct ext4_xattr_entry *first; + void *base; + void *end; + struct ext4_xattr_entry *here; + int not_found; +}; + +struct ext4_xattr_ibody_find { + struct ext4_xattr_search s; + struct ext4_iloc iloc; +}; + +typedef short unsigned int __kernel_uid16_t; + +typedef short unsigned int __kernel_gid16_t; + +typedef __kernel_uid16_t uid16_t; + +typedef __kernel_gid16_t gid16_t; + +struct ext4_io_submit { + struct writeback_control *io_wbc; + struct bio *io_bio; + ext4_io_end_t *io_end; + sector_t io_next_block; +}; + +struct ext4_xattr_inode_array { + unsigned int count; + struct inode___2 *inodes[0]; +}; + +struct mpage_da_data { + struct inode___2 *inode; + struct writeback_control *wbc; + long unsigned int first_page; + long unsigned int next_page; + long unsigned int last_page; + struct ext4_map_blocks map; + struct ext4_io_submit io_submit; + unsigned int do_map: 1; +}; + +struct other_inode { + long unsigned int orig_ino; + struct ext4_inode *raw_inode; +}; + +struct fstrim_range { + __u64 start; + __u64 len; + __u64 minlen; +}; + +struct ext4_new_group_input { + __u32 group; + __u64 block_bitmap; + __u64 inode_bitmap; + __u64 inode_table; + __u32 blocks_count; + __u16 reserved_blocks; + __u16 unused; +}; + +struct compat_ext4_new_group_input { + u32 group; + compat_u64 block_bitmap; + compat_u64 inode_bitmap; + compat_u64 inode_table; + u32 blocks_count; + u16 reserved_blocks; + u16 unused; +} __attribute__((packed)); + +struct ext4_new_group_data { + __u32 group; + __u64 block_bitmap; + __u64 inode_bitmap; + __u64 inode_table; + __u32 blocks_count; + __u16 reserved_blocks; + __u16 mdata_blocks; + __u32 free_clusters_count; +}; + +struct move_extent { + __u32 reserved; + __u32 donor_fd; + __u64 orig_start; + __u64 donor_start; + __u64 len; + __u64 moved_len; +}; + +struct fsmap_head { + __u32 fmh_iflags; + __u32 fmh_oflags; + __u32 fmh_count; + __u32 fmh_entries; + __u64 fmh_reserved[6]; + struct fsmap fmh_keys[2]; + struct fsmap fmh_recs[0]; +}; + +struct getfsmap_info { + struct super_block___2 *gi_sb; + struct fsmap_head *gi_data; + unsigned int gi_idx; + __u32 gi_last_flags; +}; + +struct ext4_free_data { + struct list_head efd_list; + struct rb_node efd_node; + ext4_group_t efd_group; + ext4_grpblk_t efd_start_cluster; + ext4_grpblk_t efd_count; + tid_t efd_tid; +}; + +struct ext4_prealloc_space { + struct list_head pa_inode_list; + struct list_head pa_group_list; + union { + struct list_head pa_tmp_list; + struct callback_head pa_rcu; + } u; + spinlock_t pa_lock; + atomic_t pa_count; + unsigned int pa_deleted; + ext4_fsblk_t pa_pstart; + ext4_lblk_t pa_lstart; + ext4_grpblk_t pa_len; + ext4_grpblk_t pa_free; + short unsigned int pa_type; + spinlock_t *pa_obj_lock; + struct inode___2 *pa_inode; +}; + +enum { + MB_INODE_PA = 0, + MB_GROUP_PA = 1, +}; + +struct ext4_free_extent { + ext4_lblk_t fe_logical; + ext4_grpblk_t fe_start; + ext4_group_t fe_group; + ext4_grpblk_t fe_len; +}; + +struct ext4_allocation_context { + struct inode___2 *ac_inode; + struct super_block___2 *ac_sb; + struct ext4_free_extent ac_o_ex; + struct ext4_free_extent ac_g_ex; + struct ext4_free_extent ac_b_ex; + struct ext4_free_extent ac_f_ex; + __u16 ac_groups_scanned; + __u16 ac_found; + __u16 ac_tail; + __u16 ac_buddy; + __u16 ac_flags; + __u8 ac_status; + __u8 ac_criteria; + __u8 ac_2order; + __u8 ac_op; + struct page___2 *ac_bitmap_page; + struct page___2 *ac_buddy_page; + struct ext4_prealloc_space *ac_pa; + struct ext4_locality_group *ac_lg; +}; + +struct ext4_buddy { + struct page___2 *bd_buddy_page; + void *bd_buddy; + struct page___2 *bd_bitmap_page; + void *bd_bitmap; + struct ext4_group_info *bd_info; + struct super_block___2 *bd_sb; + __u16 bd_blkbits; + ext4_group_t bd_group; +}; + +struct sg { + struct ext4_group_info info; + ext4_grpblk_t counters[18]; +}; + +struct migrate_struct { + ext4_lblk_t first_block; + ext4_lblk_t last_block; + ext4_lblk_t curr_block; + ext4_fsblk_t first_pblock; + ext4_fsblk_t last_pblock; +}; + +struct mmp_struct { + __le32 mmp_magic; + __le32 mmp_seq; + __le64 mmp_time; + char mmp_nodename[64]; + char mmp_bdevname[32]; + __le16 mmp_check_interval; + __le16 mmp_pad1; + __le32 mmp_pad2[226]; + __le32 mmp_checksum; +}; + +struct mmpd_data { + struct buffer_head *bh; + struct super_block___2 *sb; +}; + +struct fscrypt_name { + const struct qstr *usr_fname; + struct fscrypt_str disk_name; + u32 hash; + u32 minor_hash; + struct fscrypt_str crypto_buf; + bool is_ciphertext_name; +}; + +struct ext4_dir_entry { + __le32 inode; + __le16 rec_len; + __le16 name_len; + char name[255]; +}; + +struct ext4_dir_entry_tail { + __le32 det_reserved_zero1; + __le16 det_rec_len; + __u8 det_reserved_zero2; + __u8 det_reserved_ft; + __le32 det_checksum; +}; + +typedef enum { + EITHER = 0, + INDEX = 1, + DIRENT = 2, + DIRENT_HTREE = 3, +} dirblock_type_t; + +struct fake_dirent { + __le32 inode; + __le16 rec_len; + u8 name_len; + u8 file_type; +}; + +struct dx_countlimit { + __le16 limit; + __le16 count; +}; + +struct dx_entry { + __le32 hash; + __le32 block; +}; + +struct dx_root_info { + __le32 reserved_zero; + u8 hash_version; + u8 info_length; + u8 indirect_levels; + u8 unused_flags; +}; + +struct dx_root { + struct fake_dirent dot; + char dot_name[4]; + struct fake_dirent dotdot; + char dotdot_name[4]; + struct dx_root_info info; + struct dx_entry entries[0]; +}; + +struct dx_node { + struct fake_dirent fake; + struct dx_entry entries[0]; +}; + +struct dx_frame { + struct buffer_head *bh; + struct dx_entry *entries; + struct dx_entry *at; +}; + +struct dx_map_entry { + u32 hash; + u16 offs; + u16 size; +}; + +struct dx_tail { + u32 dt_reserved; + __le32 dt_checksum; +}; + +struct ext4_renament { + struct inode___2 *dir; + struct dentry___2 *dentry; + struct inode___2 *inode; + bool is_dir; + int dir_nlink_delta; + struct buffer_head *bh; + struct ext4_dir_entry_2 *de; + int inlined; + struct buffer_head *dir_bh; + struct ext4_dir_entry_2 *parent_de; + int dir_inlined; +}; + +enum bio_post_read_step { + STEP_INITIAL = 0, + STEP_DECRYPT = 1, + STEP_VERITY = 2, +}; + +struct bio_post_read_ctx { + struct bio *bio; + struct work_struct work; + unsigned int cur_step; + unsigned int enabled_steps; +}; + +enum { + BLOCK_BITMAP = 0, + INODE_BITMAP = 1, + INODE_TABLE = 2, + GROUP_TABLE_COUNT = 3, +}; + +struct ext4_new_flex_group_data { + struct ext4_new_group_data *groups; + __u16 *bg_flags; + ext4_group_t count; +}; + +enum { + I_DATA_SEM_NORMAL = 0, + I_DATA_SEM_OTHER = 1, + I_DATA_SEM_QUOTA = 2, +}; + +struct ext4_lazy_init { + long unsigned int li_state; + struct list_head li_request_list; + struct mutex li_list_mtx; +}; + +struct ext4_journal_cb_entry { + struct list_head jce_list; + void (*jce_func)(struct super_block___2 *, struct ext4_journal_cb_entry *, int); +}; + +struct trace_event_raw_ext4_other_inode_update_time { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ino_t orig_ino; + uid_t uid; + gid_t gid; + __u16 mode; + char __data[0]; +}; + +struct trace_event_raw_ext4_free_inode { + struct trace_entry ent; + dev_t dev; + ino_t ino; + uid_t uid; + gid_t gid; + __u64 blocks; + __u16 mode; + char __data[0]; +}; + +struct trace_event_raw_ext4_request_inode { + struct trace_entry ent; + dev_t dev; + ino_t dir; + __u16 mode; + char __data[0]; +}; + +struct trace_event_raw_ext4_allocate_inode { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ino_t dir; + __u16 mode; + char __data[0]; +}; + +struct trace_event_raw_ext4_evict_inode { + struct trace_entry ent; + dev_t dev; + ino_t ino; + int nlink; + char __data[0]; +}; + +struct trace_event_raw_ext4_drop_inode { + struct trace_entry ent; + dev_t dev; + ino_t ino; + int drop; + char __data[0]; +}; + +struct trace_event_raw_ext4_nfs_commit_metadata { + struct trace_entry ent; + dev_t dev; + ino_t ino; + char __data[0]; +}; + +struct trace_event_raw_ext4_mark_inode_dirty { + struct trace_entry ent; + dev_t dev; + ino_t ino; + long unsigned int ip; + char __data[0]; +}; + +struct trace_event_raw_ext4_begin_ordered_truncate { + struct trace_entry ent; + dev_t dev; + ino_t ino; + loff_t new_size; + char __data[0]; +}; + +struct trace_event_raw_ext4__write_begin { + struct trace_entry ent; + dev_t dev; + ino_t ino; + loff_t pos; + unsigned int len; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_ext4__write_end { + struct trace_entry ent; + dev_t dev; + ino_t ino; + loff_t pos; + unsigned int len; + unsigned int copied; + char __data[0]; +}; + +struct trace_event_raw_ext4_writepages { + struct trace_entry ent; + dev_t dev; + ino_t ino; + long int nr_to_write; + long int pages_skipped; + loff_t range_start; + loff_t range_end; + long unsigned int writeback_index; + int sync_mode; + char for_kupdate; + char range_cyclic; + char __data[0]; +}; + +struct trace_event_raw_ext4_da_write_pages { + struct trace_entry ent; + dev_t dev; + ino_t ino; + long unsigned int first_page; + long int nr_to_write; + int sync_mode; + char __data[0]; +}; + +struct trace_event_raw_ext4_da_write_pages_extent { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u64 lblk; + __u32 len; + __u32 flags; + char __data[0]; +}; + +struct trace_event_raw_ext4_writepages_result { + struct trace_entry ent; + dev_t dev; + ino_t ino; + int ret; + int pages_written; + long int pages_skipped; + long unsigned int writeback_index; + int sync_mode; + char __data[0]; +}; + +struct trace_event_raw_ext4__page_op { + struct trace_entry ent; + dev_t dev; + ino_t ino; + long unsigned int index; + char __data[0]; +}; + +struct trace_event_raw_ext4_invalidatepage_op { + struct trace_entry ent; + dev_t dev; + ino_t ino; + long unsigned int index; + unsigned int offset; + unsigned int length; + char __data[0]; +}; + +struct trace_event_raw_ext4_discard_blocks { + struct trace_entry ent; + dev_t dev; + __u64 blk; + __u64 count; + char __data[0]; +}; + +struct trace_event_raw_ext4__mb_new_pa { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u64 pa_pstart; + __u64 pa_lstart; + __u32 pa_len; + char __data[0]; +}; + +struct trace_event_raw_ext4_mb_release_inode_pa { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u64 block; + __u32 count; + char __data[0]; +}; + +struct trace_event_raw_ext4_mb_release_group_pa { + struct trace_entry ent; + dev_t dev; + __u64 pa_pstart; + __u32 pa_len; + char __data[0]; +}; + +struct trace_event_raw_ext4_discard_preallocations { + struct trace_entry ent; + dev_t dev; + ino_t ino; + char __data[0]; +}; + +struct trace_event_raw_ext4_mb_discard_preallocations { + struct trace_entry ent; + dev_t dev; + int needed; + char __data[0]; +}; + +struct trace_event_raw_ext4_request_blocks { + struct trace_entry ent; + dev_t dev; + ino_t ino; + unsigned int len; + __u32 logical; + __u32 lleft; + __u32 lright; + __u64 goal; + __u64 pleft; + __u64 pright; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_ext4_allocate_blocks { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u64 block; + unsigned int len; + __u32 logical; + __u32 lleft; + __u32 lright; + __u64 goal; + __u64 pleft; + __u64 pright; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_ext4_free_blocks { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u64 block; + long unsigned int count; + int flags; + __u16 mode; + char __data[0]; +}; + +struct trace_event_raw_ext4_sync_file_enter { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ino_t parent; + int datasync; + char __data[0]; +}; + +struct trace_event_raw_ext4_sync_file_exit { + struct trace_entry ent; + dev_t dev; + ino_t ino; + int ret; + char __data[0]; +}; + +struct trace_event_raw_ext4_sync_fs { + struct trace_entry ent; + dev_t dev; + int wait; + char __data[0]; +}; + +struct trace_event_raw_ext4_alloc_da_blocks { + struct trace_entry ent; + dev_t dev; + ino_t ino; + unsigned int data_blocks; + char __data[0]; +}; + +struct trace_event_raw_ext4_mballoc_alloc { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u32 orig_logical; + int orig_start; + __u32 orig_group; + int orig_len; + __u32 goal_logical; + int goal_start; + __u32 goal_group; + int goal_len; + __u32 result_logical; + int result_start; + __u32 result_group; + int result_len; + __u16 found; + __u16 groups; + __u16 buddy; + __u16 flags; + __u16 tail; + __u8 cr; + char __data[0]; +}; + +struct trace_event_raw_ext4_mballoc_prealloc { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u32 orig_logical; + int orig_start; + __u32 orig_group; + int orig_len; + __u32 result_logical; + int result_start; + __u32 result_group; + int result_len; + char __data[0]; +}; + +struct trace_event_raw_ext4__mballoc { + struct trace_entry ent; + dev_t dev; + ino_t ino; + int result_start; + __u32 result_group; + int result_len; + char __data[0]; +}; + +struct trace_event_raw_ext4_forget { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u64 block; + int is_metadata; + __u16 mode; + char __data[0]; +}; + +struct trace_event_raw_ext4_da_update_reserve_space { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u64 i_blocks; + int used_blocks; + int reserved_data_blocks; + int quota_claim; + __u16 mode; + char __data[0]; +}; + +struct trace_event_raw_ext4_da_reserve_space { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u64 i_blocks; + int reserved_data_blocks; + __u16 mode; + char __data[0]; +}; + +struct trace_event_raw_ext4_da_release_space { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u64 i_blocks; + int freed_blocks; + int reserved_data_blocks; + __u16 mode; + char __data[0]; +}; + +struct trace_event_raw_ext4__bitmap_load { + struct trace_entry ent; + dev_t dev; + __u32 group; + char __data[0]; +}; + +struct trace_event_raw_ext4_direct_IO_enter { + struct trace_entry ent; + dev_t dev; + ino_t ino; + loff_t pos; + long unsigned int len; + int rw; + char __data[0]; +}; + +struct trace_event_raw_ext4_direct_IO_exit { + struct trace_entry ent; + dev_t dev; + ino_t ino; + loff_t pos; + long unsigned int len; + int rw; + int ret; + char __data[0]; +}; + +struct trace_event_raw_ext4__fallocate_mode { + struct trace_entry ent; + dev_t dev; + ino_t ino; + loff_t offset; + loff_t len; + int mode; + char __data[0]; +}; + +struct trace_event_raw_ext4_fallocate_exit { + struct trace_entry ent; + dev_t dev; + ino_t ino; + loff_t pos; + unsigned int blocks; + int ret; + char __data[0]; +}; + +struct trace_event_raw_ext4_unlink_enter { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ino_t parent; + loff_t size; + char __data[0]; +}; + +struct trace_event_raw_ext4_unlink_exit { + struct trace_entry ent; + dev_t dev; + ino_t ino; + int ret; + char __data[0]; +}; + +struct trace_event_raw_ext4__truncate { + struct trace_entry ent; + dev_t dev; + ino_t ino; + __u64 blocks; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_convert_to_initialized_enter { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t m_lblk; + unsigned int m_len; + ext4_lblk_t u_lblk; + unsigned int u_len; + ext4_fsblk_t u_pblk; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_convert_to_initialized_fastpath { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t m_lblk; + unsigned int m_len; + ext4_lblk_t u_lblk; + unsigned int u_len; + ext4_fsblk_t u_pblk; + ext4_lblk_t i_lblk; + unsigned int i_len; + ext4_fsblk_t i_pblk; + char __data[0]; +}; + +struct trace_event_raw_ext4__map_blocks_enter { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t lblk; + unsigned int len; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_ext4__map_blocks_exit { + struct trace_entry ent; + dev_t dev; + ino_t ino; + unsigned int flags; + ext4_fsblk_t pblk; + ext4_lblk_t lblk; + unsigned int len; + unsigned int mflags; + int ret; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_load_extent { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_fsblk_t pblk; + ext4_lblk_t lblk; + char __data[0]; +}; + +struct trace_event_raw_ext4_load_inode { + struct trace_entry ent; + dev_t dev; + ino_t ino; + char __data[0]; +}; + +struct trace_event_raw_ext4_journal_start { + struct trace_entry ent; + dev_t dev; + long unsigned int ip; + int blocks; + int rsv_blocks; + int revoke_creds; + char __data[0]; +}; + +struct trace_event_raw_ext4_journal_start_reserved { + struct trace_entry ent; + dev_t dev; + long unsigned int ip; + int blocks; + char __data[0]; +}; + +struct trace_event_raw_ext4__trim { + struct trace_entry ent; + int dev_major; + int dev_minor; + __u32 group; + int start; + int len; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_handle_unwritten_extents { + struct trace_entry ent; + dev_t dev; + ino_t ino; + int flags; + ext4_lblk_t lblk; + ext4_fsblk_t pblk; + unsigned int len; + unsigned int allocated; + ext4_fsblk_t newblk; + char __data[0]; +}; + +struct trace_event_raw_ext4_get_implied_cluster_alloc_exit { + struct trace_entry ent; + dev_t dev; + unsigned int flags; + ext4_lblk_t lblk; + ext4_fsblk_t pblk; + unsigned int len; + int ret; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_put_in_cache { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t lblk; + unsigned int len; + ext4_fsblk_t start; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_in_cache { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t lblk; + int ret; + char __data[0]; +}; + +struct trace_event_raw_ext4_find_delalloc_range { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t from; + ext4_lblk_t to; + int reverse; + int found; + ext4_lblk_t found_blk; + char __data[0]; +}; + +struct trace_event_raw_ext4_get_reserved_cluster_alloc { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t lblk; + unsigned int len; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_show_extent { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_fsblk_t pblk; + ext4_lblk_t lblk; + short unsigned int len; + char __data[0]; +}; + +struct trace_event_raw_ext4_remove_blocks { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t from; + ext4_lblk_t to; + ext4_fsblk_t ee_pblk; + ext4_lblk_t ee_lblk; + short unsigned int ee_len; + ext4_fsblk_t pc_pclu; + ext4_lblk_t pc_lblk; + int pc_state; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_rm_leaf { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t start; + ext4_lblk_t ee_lblk; + ext4_fsblk_t ee_pblk; + short int ee_len; + ext4_fsblk_t pc_pclu; + ext4_lblk_t pc_lblk; + int pc_state; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_rm_idx { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_fsblk_t pblk; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_remove_space { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t start; + ext4_lblk_t end; + int depth; + char __data[0]; +}; + +struct trace_event_raw_ext4_ext_remove_space_done { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t start; + ext4_lblk_t end; + int depth; + ext4_fsblk_t pc_pclu; + ext4_lblk_t pc_lblk; + int pc_state; + short unsigned int eh_entries; + char __data[0]; +}; + +struct trace_event_raw_ext4__es_extent { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t lblk; + ext4_lblk_t len; + ext4_fsblk_t pblk; + char status; + char __data[0]; +}; + +struct trace_event_raw_ext4_es_remove_extent { + struct trace_entry ent; + dev_t dev; + ino_t ino; + loff_t lblk; + loff_t len; + char __data[0]; +}; + +struct trace_event_raw_ext4_es_find_extent_range_enter { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t lblk; + char __data[0]; +}; + +struct trace_event_raw_ext4_es_find_extent_range_exit { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t lblk; + ext4_lblk_t len; + ext4_fsblk_t pblk; + char status; + char __data[0]; +}; + +struct trace_event_raw_ext4_es_lookup_extent_enter { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t lblk; + char __data[0]; +}; + +struct trace_event_raw_ext4_es_lookup_extent_exit { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t lblk; + ext4_lblk_t len; + ext4_fsblk_t pblk; + char status; + int found; + char __data[0]; +}; + +struct trace_event_raw_ext4__es_shrink_enter { + struct trace_entry ent; + dev_t dev; + int nr_to_scan; + int cache_cnt; + char __data[0]; +}; + +struct trace_event_raw_ext4_es_shrink_scan_exit { + struct trace_entry ent; + dev_t dev; + int nr_shrunk; + int cache_cnt; + char __data[0]; +}; + +struct trace_event_raw_ext4_collapse_range { + struct trace_entry ent; + dev_t dev; + ino_t ino; + loff_t offset; + loff_t len; + char __data[0]; +}; + +struct trace_event_raw_ext4_insert_range { + struct trace_entry ent; + dev_t dev; + ino_t ino; + loff_t offset; + loff_t len; + char __data[0]; +}; + +struct trace_event_raw_ext4_es_shrink { + struct trace_entry ent; + dev_t dev; + int nr_shrunk; + long long unsigned int scan_time; + int nr_skipped; + int retried; + char __data[0]; +}; + +struct trace_event_raw_ext4_es_insert_delayed_block { + struct trace_entry ent; + dev_t dev; + ino_t ino; + ext4_lblk_t lblk; + ext4_lblk_t len; + ext4_fsblk_t pblk; + char status; + bool allocated; + char __data[0]; +}; + +struct trace_event_raw_ext4_fsmap_class { + struct trace_entry ent; + dev_t dev; + dev_t keydev; + u32 agno; + u64 bno; + u64 len; + u64 owner; + char __data[0]; +}; + +struct trace_event_raw_ext4_getfsmap_class { + struct trace_entry ent; + dev_t dev; + dev_t keydev; + u64 block; + u64 len; + u64 owner; + u64 flags; + char __data[0]; +}; + +struct trace_event_raw_ext4_shutdown { + struct trace_entry ent; + dev_t dev; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_ext4_error { + struct trace_entry ent; + dev_t dev; + const char *function; + unsigned int line; + char __data[0]; +}; + +struct trace_event_data_offsets_ext4_other_inode_update_time {}; + +struct trace_event_data_offsets_ext4_free_inode {}; + +struct trace_event_data_offsets_ext4_request_inode {}; + +struct trace_event_data_offsets_ext4_allocate_inode {}; + +struct trace_event_data_offsets_ext4_evict_inode {}; + +struct trace_event_data_offsets_ext4_drop_inode {}; + +struct trace_event_data_offsets_ext4_nfs_commit_metadata {}; + +struct trace_event_data_offsets_ext4_mark_inode_dirty {}; + +struct trace_event_data_offsets_ext4_begin_ordered_truncate {}; + +struct trace_event_data_offsets_ext4__write_begin {}; + +struct trace_event_data_offsets_ext4__write_end {}; + +struct trace_event_data_offsets_ext4_writepages {}; + +struct trace_event_data_offsets_ext4_da_write_pages {}; + +struct trace_event_data_offsets_ext4_da_write_pages_extent {}; + +struct trace_event_data_offsets_ext4_writepages_result {}; + +struct trace_event_data_offsets_ext4__page_op {}; + +struct trace_event_data_offsets_ext4_invalidatepage_op {}; + +struct trace_event_data_offsets_ext4_discard_blocks {}; + +struct trace_event_data_offsets_ext4__mb_new_pa {}; + +struct trace_event_data_offsets_ext4_mb_release_inode_pa {}; + +struct trace_event_data_offsets_ext4_mb_release_group_pa {}; + +struct trace_event_data_offsets_ext4_discard_preallocations {}; + +struct trace_event_data_offsets_ext4_mb_discard_preallocations {}; + +struct trace_event_data_offsets_ext4_request_blocks {}; + +struct trace_event_data_offsets_ext4_allocate_blocks {}; + +struct trace_event_data_offsets_ext4_free_blocks {}; + +struct trace_event_data_offsets_ext4_sync_file_enter {}; + +struct trace_event_data_offsets_ext4_sync_file_exit {}; + +struct trace_event_data_offsets_ext4_sync_fs {}; + +struct trace_event_data_offsets_ext4_alloc_da_blocks {}; + +struct trace_event_data_offsets_ext4_mballoc_alloc {}; + +struct trace_event_data_offsets_ext4_mballoc_prealloc {}; + +struct trace_event_data_offsets_ext4__mballoc {}; + +struct trace_event_data_offsets_ext4_forget {}; + +struct trace_event_data_offsets_ext4_da_update_reserve_space {}; + +struct trace_event_data_offsets_ext4_da_reserve_space {}; + +struct trace_event_data_offsets_ext4_da_release_space {}; + +struct trace_event_data_offsets_ext4__bitmap_load {}; + +struct trace_event_data_offsets_ext4_direct_IO_enter {}; + +struct trace_event_data_offsets_ext4_direct_IO_exit {}; + +struct trace_event_data_offsets_ext4__fallocate_mode {}; + +struct trace_event_data_offsets_ext4_fallocate_exit {}; + +struct trace_event_data_offsets_ext4_unlink_enter {}; + +struct trace_event_data_offsets_ext4_unlink_exit {}; + +struct trace_event_data_offsets_ext4__truncate {}; + +struct trace_event_data_offsets_ext4_ext_convert_to_initialized_enter {}; + +struct trace_event_data_offsets_ext4_ext_convert_to_initialized_fastpath {}; + +struct trace_event_data_offsets_ext4__map_blocks_enter {}; + +struct trace_event_data_offsets_ext4__map_blocks_exit {}; + +struct trace_event_data_offsets_ext4_ext_load_extent {}; + +struct trace_event_data_offsets_ext4_load_inode {}; + +struct trace_event_data_offsets_ext4_journal_start {}; + +struct trace_event_data_offsets_ext4_journal_start_reserved {}; + +struct trace_event_data_offsets_ext4__trim {}; + +struct trace_event_data_offsets_ext4_ext_handle_unwritten_extents {}; + +struct trace_event_data_offsets_ext4_get_implied_cluster_alloc_exit {}; + +struct trace_event_data_offsets_ext4_ext_put_in_cache {}; + +struct trace_event_data_offsets_ext4_ext_in_cache {}; + +struct trace_event_data_offsets_ext4_find_delalloc_range {}; + +struct trace_event_data_offsets_ext4_get_reserved_cluster_alloc {}; + +struct trace_event_data_offsets_ext4_ext_show_extent {}; + +struct trace_event_data_offsets_ext4_remove_blocks {}; + +struct trace_event_data_offsets_ext4_ext_rm_leaf {}; + +struct trace_event_data_offsets_ext4_ext_rm_idx {}; + +struct trace_event_data_offsets_ext4_ext_remove_space {}; + +struct trace_event_data_offsets_ext4_ext_remove_space_done {}; + +struct trace_event_data_offsets_ext4__es_extent {}; + +struct trace_event_data_offsets_ext4_es_remove_extent {}; + +struct trace_event_data_offsets_ext4_es_find_extent_range_enter {}; + +struct trace_event_data_offsets_ext4_es_find_extent_range_exit {}; + +struct trace_event_data_offsets_ext4_es_lookup_extent_enter {}; + +struct trace_event_data_offsets_ext4_es_lookup_extent_exit {}; + +struct trace_event_data_offsets_ext4__es_shrink_enter {}; + +struct trace_event_data_offsets_ext4_es_shrink_scan_exit {}; + +struct trace_event_data_offsets_ext4_collapse_range {}; + +struct trace_event_data_offsets_ext4_insert_range {}; + +struct trace_event_data_offsets_ext4_es_shrink {}; + +struct trace_event_data_offsets_ext4_es_insert_delayed_block {}; + +struct trace_event_data_offsets_ext4_fsmap_class {}; + +struct trace_event_data_offsets_ext4_getfsmap_class {}; + +struct trace_event_data_offsets_ext4_shutdown {}; + +struct trace_event_data_offsets_ext4_error {}; + +enum { + Opt_bsd_df = 0, + Opt_minix_df = 1, + Opt_grpid = 2, + Opt_nogrpid = 3, + Opt_resgid = 4, + Opt_resuid = 5, + Opt_sb = 6, + Opt_err_cont = 7, + Opt_err_panic = 8, + Opt_err_ro = 9, + Opt_nouid32 = 10, + Opt_debug = 11, + Opt_removed = 12, + Opt_user_xattr = 13, + Opt_nouser_xattr = 14, + Opt_acl = 15, + Opt_noacl = 16, + Opt_auto_da_alloc = 17, + Opt_noauto_da_alloc = 18, + Opt_noload = 19, + Opt_commit = 20, + Opt_min_batch_time = 21, + Opt_max_batch_time = 22, + Opt_journal_dev = 23, + Opt_journal_path = 24, + Opt_journal_checksum = 25, + Opt_journal_async_commit = 26, + Opt_abort = 27, + Opt_data_journal = 28, + Opt_data_ordered = 29, + Opt_data_writeback = 30, + Opt_data_err_abort = 31, + Opt_data_err_ignore = 32, + Opt_test_dummy_encryption = 33, + Opt_usrjquota = 34, + Opt_grpjquota = 35, + Opt_offusrjquota = 36, + Opt_offgrpjquota = 37, + Opt_jqfmt_vfsold = 38, + Opt_jqfmt_vfsv0 = 39, + Opt_jqfmt_vfsv1 = 40, + Opt_quota = 41, + Opt_noquota = 42, + Opt_barrier = 43, + Opt_nobarrier = 44, + Opt_err___2 = 45, + Opt_usrquota = 46, + Opt_grpquota = 47, + Opt_prjquota = 48, + Opt_i_version = 49, + Opt_dax = 50, + Opt_stripe = 51, + Opt_delalloc = 52, + Opt_nodelalloc = 53, + Opt_warn_on_error = 54, + Opt_nowarn_on_error = 55, + Opt_mblk_io_submit = 56, + Opt_lazytime = 57, + Opt_nolazytime = 58, + Opt_debug_want_extra_isize = 59, + Opt_nomblk_io_submit = 60, + Opt_block_validity = 61, + Opt_noblock_validity = 62, + Opt_inode_readahead_blks = 63, + Opt_journal_ioprio = 64, + Opt_dioread_nolock = 65, + Opt_dioread_lock = 66, + Opt_discard = 67, + Opt_nodiscard = 68, + Opt_init_itable = 69, + Opt_noinit_itable = 70, + Opt_max_dir_size_kb = 71, + Opt_nojournal_checksum = 72, + Opt_nombcache = 73, +}; + +struct mount_opts { + int token; + int mount_opt; + int flags; +}; + +struct ext4_mount_options { + long unsigned int s_mount_opt; + long unsigned int s_mount_opt2; + kuid_t s_resuid; + kgid_t s_resgid; + long unsigned int s_commit_interval; + u32 s_min_batch_time; + u32 s_max_batch_time; + int s_jquota_fmt; + char *s_qf_names[3]; +}; + +enum { + attr_noop = 0, + attr_delayed_allocation_blocks = 1, + attr_session_write_kbytes = 2, + attr_lifetime_write_kbytes = 3, + attr_reserved_clusters = 4, + attr_inode_readahead = 5, + attr_trigger_test_error = 6, + attr_first_error_time = 7, + attr_last_error_time = 8, + attr_feature = 9, + attr_pointer_ui = 10, + attr_pointer_atomic = 11, + attr_journal_task = 12, +}; + +enum { + ptr_explicit = 0, + ptr_ext4_sb_info_offset = 1, + ptr_ext4_super_block_offset = 2, +}; + +struct ext4_attr { + struct attribute attr; + short int attr_id; + short int attr_ptr; + union { + int offset; + void *explicit_ptr; + } u; +}; + +struct ext4_xattr_header { + __le32 h_magic; + __le32 h_refcount; + __le32 h_blocks; + __le32 h_hash; + __le32 h_checksum; + __u32 h_reserved[3]; +}; + +struct ext4_xattr_block_find { + struct ext4_xattr_search s; + struct buffer_head *bh; +}; + +typedef struct { + __le16 e_tag; + __le16 e_perm; + __le32 e_id; +} ext4_acl_entry; + +typedef struct { + __le32 a_version; +} ext4_acl_header; + +struct commit_header { + __be32 h_magic; + __be32 h_blocktype; + __be32 h_sequence; + unsigned char h_chksum_type; + unsigned char h_chksum_size; + unsigned char h_padding[2]; + __be32 h_chksum[8]; + __be64 h_commit_sec; + __be32 h_commit_nsec; +}; + +struct journal_block_tag3_s { + __be32 t_blocknr; + __be32 t_flags; + __be32 t_blocknr_high; + __be32 t_checksum; +}; + +typedef struct journal_block_tag3_s journal_block_tag3_t; + +struct journal_block_tag_s { + __be32 t_blocknr; + __be16 t_checksum; + __be16 t_flags; + __be32 t_blocknr_high; +}; + +typedef struct journal_block_tag_s journal_block_tag_t; + +struct jbd2_journal_block_tail { + __be32 t_checksum; +}; + +struct jbd2_journal_revoke_header_s { + journal_header_t r_header; + __be32 r_count; +}; + +typedef struct jbd2_journal_revoke_header_s jbd2_journal_revoke_header_t; + +struct recovery_info { + tid_t start_transaction; + tid_t end_transaction; + int nr_replays; + int nr_revokes; + int nr_revoke_hits; +}; + +enum passtype { + PASS_SCAN = 0, + PASS_REVOKE = 1, + PASS_REPLAY = 2, +}; + +struct jbd2_revoke_table_s { + int hash_size; + int hash_shift; + struct list_head *hash_table; +}; + +struct jbd2_revoke_record_s { + struct list_head hash; + tid_t sequence; + long long unsigned int blocknr; +}; + +struct trace_event_raw_jbd2_checkpoint { + struct trace_entry ent; + dev_t dev; + int result; + char __data[0]; +}; + +struct trace_event_raw_jbd2_commit { + struct trace_entry ent; + dev_t dev; + char sync_commit; + int transaction; + char __data[0]; +}; + +struct trace_event_raw_jbd2_end_commit { + struct trace_entry ent; + dev_t dev; + char sync_commit; + int transaction; + int head; + char __data[0]; +}; + +struct trace_event_raw_jbd2_submit_inode_data { + struct trace_entry ent; + dev_t dev; + ino_t ino; + char __data[0]; +}; + +struct trace_event_raw_jbd2_handle_start_class { + struct trace_entry ent; + dev_t dev; + long unsigned int tid; + unsigned int type; + unsigned int line_no; + int requested_blocks; + char __data[0]; +}; + +struct trace_event_raw_jbd2_handle_extend { + struct trace_entry ent; + dev_t dev; + long unsigned int tid; + unsigned int type; + unsigned int line_no; + int buffer_credits; + int requested_blocks; + char __data[0]; +}; + +struct trace_event_raw_jbd2_handle_stats { + struct trace_entry ent; + dev_t dev; + long unsigned int tid; + unsigned int type; + unsigned int line_no; + int interval; + int sync; + int requested_blocks; + int dirtied_blocks; + char __data[0]; +}; + +struct trace_event_raw_jbd2_run_stats { + struct trace_entry ent; + dev_t dev; + long unsigned int tid; + long unsigned int wait; + long unsigned int request_delay; + long unsigned int running; + long unsigned int locked; + long unsigned int flushing; + long unsigned int logging; + __u32 handle_count; + __u32 blocks; + __u32 blocks_logged; + char __data[0]; +}; + +struct trace_event_raw_jbd2_checkpoint_stats { + struct trace_entry ent; + dev_t dev; + long unsigned int tid; + long unsigned int chp_time; + __u32 forced_to_close; + __u32 written; + __u32 dropped; + char __data[0]; +}; + +struct trace_event_raw_jbd2_update_log_tail { + struct trace_entry ent; + dev_t dev; + tid_t tail_sequence; + tid_t first_tid; + long unsigned int block_nr; + long unsigned int freed; + char __data[0]; +}; + +struct trace_event_raw_jbd2_write_superblock { + struct trace_entry ent; + dev_t dev; + int write_op; + char __data[0]; +}; + +struct trace_event_raw_jbd2_lock_buffer_stall { + struct trace_entry ent; + dev_t dev; + long unsigned int stall_ms; + char __data[0]; +}; + +struct trace_event_data_offsets_jbd2_checkpoint {}; + +struct trace_event_data_offsets_jbd2_commit {}; + +struct trace_event_data_offsets_jbd2_end_commit {}; + +struct trace_event_data_offsets_jbd2_submit_inode_data {}; + +struct trace_event_data_offsets_jbd2_handle_start_class {}; + +struct trace_event_data_offsets_jbd2_handle_extend {}; + +struct trace_event_data_offsets_jbd2_handle_stats {}; + +struct trace_event_data_offsets_jbd2_run_stats {}; + +struct trace_event_data_offsets_jbd2_checkpoint_stats {}; + +struct trace_event_data_offsets_jbd2_update_log_tail {}; + +struct trace_event_data_offsets_jbd2_write_superblock {}; + +struct trace_event_data_offsets_jbd2_lock_buffer_stall {}; + +struct jbd2_stats_proc_session { + journal_t *journal; + struct transaction_stats_s *stats; + int start; + int max; +}; + +struct ramfs_mount_opts { + umode_t mode; +}; + +struct ramfs_fs_info { + struct ramfs_mount_opts mount_opts; +}; + +enum ramfs_param { + Opt_mode___3 = 0, +}; + +enum hugetlbfs_size_type { + NO_SIZE = 0, + SIZE_STD = 1, + SIZE_PERCENT = 2, +}; + +struct hugetlbfs_fs_context { + struct hstate *hstate; + long long unsigned int max_size_opt; + long long unsigned int min_size_opt; + long int max_hpages; + long int nr_inodes; + long int min_hpages; + enum hugetlbfs_size_type max_val_type; + enum hugetlbfs_size_type min_val_type; + kuid_t uid; + kgid_t gid; + umode_t mode; +}; + +enum hugetlb_param { + Opt_gid___4 = 0, + Opt_min_size = 1, + Opt_mode___4 = 2, + Opt_nr_inodes___2 = 3, + Opt_pagesize = 4, + Opt_size___2 = 5, + Opt_uid___3 = 6, +}; + +typedef u16 wchar_t; + +struct nls_table { + const char *charset; + const char *alias; + int (*uni2char)(wchar_t, unsigned char *, int); + int (*char2uni)(const unsigned char *, int, wchar_t *); + const unsigned char *charset2lower; + const unsigned char *charset2upper; + struct module *owner; + struct nls_table *next; +}; + +struct fat_mount_options { + kuid_t fs_uid; + kgid_t fs_gid; + short unsigned int fs_fmask; + short unsigned int fs_dmask; + short unsigned int codepage; + int time_offset; + char *iocharset; + short unsigned int shortname; + unsigned char name_check; + unsigned char errors; + unsigned char nfs; + short unsigned int allow_utime; + unsigned int quiet: 1; + unsigned int showexec: 1; + unsigned int sys_immutable: 1; + unsigned int dotsOK: 1; + unsigned int isvfat: 1; + unsigned int utf8: 1; + unsigned int unicode_xlate: 1; + unsigned int numtail: 1; + unsigned int flush: 1; + unsigned int nocase: 1; + unsigned int usefree: 1; + unsigned int tz_set: 1; + unsigned int rodir: 1; + unsigned int discard: 1; + unsigned int dos1xfloppy: 1; +}; + +struct fatent_operations; + +struct msdos_sb_info { + short unsigned int sec_per_clus; + short unsigned int cluster_bits; + unsigned int cluster_size; + unsigned char fats; + unsigned char fat_bits; + short unsigned int fat_start; + long unsigned int fat_length; + long unsigned int dir_start; + short unsigned int dir_entries; + long unsigned int data_start; + long unsigned int max_cluster; + long unsigned int root_cluster; + long unsigned int fsinfo_sector; + struct mutex fat_lock; + struct mutex nfs_build_inode_lock; + struct mutex s_lock; + unsigned int prev_free; + unsigned int free_clusters; + unsigned int free_clus_valid; + struct fat_mount_options options; + struct nls_table *nls_disk; + struct nls_table *nls_io; + const void *dir_ops; + int dir_per_block; + int dir_per_block_bits; + unsigned int vol_id; + int fatent_shift; + const struct fatent_operations *fatent_ops; + struct inode___2 *fat_inode; + struct inode___2 *fsinfo_inode; + struct ratelimit_state ratelimit; + spinlock_t inode_hash_lock; + struct hlist_head inode_hashtable[256]; + spinlock_t dir_hash_lock; + struct hlist_head dir_hashtable[256]; + unsigned int dirty; + struct callback_head rcu; +}; + +struct fat_entry; + +struct fatent_operations { + void (*ent_blocknr)(struct super_block___2 *, int, int *, sector_t *); + void (*ent_set_ptr)(struct fat_entry *, int); + int (*ent_bread)(struct super_block___2 *, struct fat_entry *, int, sector_t); + int (*ent_get)(struct fat_entry *); + void (*ent_put)(struct fat_entry *, int); + int (*ent_next)(struct fat_entry *); +}; + +struct msdos_inode_info { + spinlock_t cache_lru_lock; + struct list_head cache_lru; + int nr_caches; + unsigned int cache_valid_id; + loff_t mmu_private; + int i_start; + int i_logstart; + int i_attrs; + loff_t i_pos; + struct hlist_node i_fat_hash; + struct hlist_node i_dir_hash; + struct rw_semaphore truncate_lock; + struct inode___2 vfs_inode; +}; + +struct fat_entry { + int entry; + union { + u8 *ent12_p[2]; + __le16 *ent16_p; + __le32 *ent32_p; + } u; + int nr_bhs; + struct buffer_head *bhs[2]; + struct inode___2 *fat_inode; +}; + +struct fat_cache { + struct list_head cache_list; + int nr_contig; + int fcluster; + int dcluster; +}; + +struct fat_cache_id { + unsigned int id; + int nr_contig; + int fcluster; + int dcluster; +}; + +struct compat_dirent { + u32 d_ino; + compat_off_t d_off; + u16 d_reclen; + char d_name[256]; +}; + +enum utf16_endian { + UTF16_HOST_ENDIAN = 0, + UTF16_LITTLE_ENDIAN = 1, + UTF16_BIG_ENDIAN = 2, +}; + +struct __fat_dirent { + long int d_ino; + __kernel_off_t d_off; + short unsigned int d_reclen; + char d_name[256]; +}; + +struct msdos_dir_entry { + __u8 name[11]; + __u8 attr; + __u8 lcase; + __u8 ctime_cs; + __le16 ctime; + __le16 cdate; + __le16 adate; + __le16 starthi; + __le16 time; + __le16 date; + __le16 start; + __le32 size; +}; + +struct msdos_dir_slot { + __u8 id; + __u8 name0_4[10]; + __u8 attr; + __u8 reserved; + __u8 alias_checksum; + __u8 name5_10[12]; + __le16 start; + __u8 name11_12[4]; +}; + +struct fat_slot_info { + loff_t i_pos; + loff_t slot_off; + int nr_slots; + struct msdos_dir_entry *de; + struct buffer_head *bh; +}; + +typedef long long unsigned int llu; + +enum { + PARSE_INVALID = 1, + PARSE_NOT_LONGNAME = 2, + PARSE_EOF = 3, +}; + +struct fat_ioctl_filldir_callback { + struct dir_context ctx; + void *dirent; + int result; + const char *longname; + int long_len; + const char *shortname; + int short_len; +}; + +struct fat_boot_sector { + __u8 ignored[3]; + __u8 system_id[8]; + __u8 sector_size[2]; + __u8 sec_per_clus; + __le16 reserved; + __u8 fats; + __u8 dir_entries[2]; + __u8 sectors[2]; + __u8 media; + __le16 fat_length; + __le16 secs_track; + __le16 heads; + __le32 hidden; + __le32 total_sect; + union { + struct { + __u8 drive_number; + __u8 state; + __u8 signature; + __u8 vol_id[4]; + __u8 vol_label[11]; + __u8 fs_type[8]; + } fat16; + struct { + __le32 length; + __le16 flags; + __u8 version[2]; + __le32 root_cluster; + __le16 info_sector; + __le16 backup_boot; + __le16 reserved2[6]; + __u8 drive_number; + __u8 state; + __u8 signature; + __u8 vol_id[4]; + __u8 vol_label[11]; + __u8 fs_type[8]; + } fat32; + }; +}; + +struct fat_boot_fsinfo { + __le32 signature1; + __le32 reserved1[120]; + __le32 signature2; + __le32 free_clusters; + __le32 next_cluster; + __le32 reserved2[4]; +}; + +struct fat_bios_param_block { + u16 fat_sector_size; + u8 fat_sec_per_clus; + u16 fat_reserved; + u8 fat_fats; + u16 fat_dir_entries; + u16 fat_sectors; + u16 fat_fat_length; + u32 fat_total_sect; + u8 fat16_state; + u32 fat16_vol_id; + u32 fat32_length; + u32 fat32_root_cluster; + u16 fat32_info_sector; + u8 fat32_state; + u32 fat32_vol_id; +}; + +struct fat_floppy_defaults { + unsigned int nr_sectors; + unsigned int sec_per_clus; + unsigned int dir_entries; + unsigned int media; + unsigned int fat_length; +}; + +enum { + Opt_check_n = 0, + Opt_check_r = 1, + Opt_check_s = 2, + Opt_uid___4 = 3, + Opt_gid___5 = 4, + Opt_umask = 5, + Opt_dmask = 6, + Opt_fmask = 7, + Opt_allow_utime = 8, + Opt_codepage = 9, + Opt_usefree = 10, + Opt_nocase = 11, + Opt_quiet = 12, + Opt_showexec = 13, + Opt_debug___2 = 14, + Opt_immutable = 15, + Opt_dots = 16, + Opt_nodots = 17, + Opt_charset = 18, + Opt_shortname_lower = 19, + Opt_shortname_win95 = 20, + Opt_shortname_winnt = 21, + Opt_shortname_mixed = 22, + Opt_utf8_no = 23, + Opt_utf8_yes = 24, + Opt_uni_xl_no = 25, + Opt_uni_xl_yes = 26, + Opt_nonumtail_no = 27, + Opt_nonumtail_yes = 28, + Opt_obsolete = 29, + Opt_flush = 30, + Opt_tz_utc = 31, + Opt_rodir = 32, + Opt_err_cont___2 = 33, + Opt_err_panic___2 = 34, + Opt_err_ro___2 = 35, + Opt_discard___2 = 36, + Opt_nfs = 37, + Opt_time_offset = 38, + Opt_nfs_stale_rw = 39, + Opt_nfs_nostale_ro = 40, + Opt_err___3 = 41, + Opt_dos1xfloppy = 42, +}; + +struct fat_fid { + u32 i_gen; + u32 i_pos_low; + u16 i_pos_hi; + u16 parent_i_pos_hi; + u32 parent_i_pos_low; + u32 parent_i_gen; +}; + +struct shortname_info { + unsigned char lower: 1; + unsigned char upper: 1; + unsigned char valid: 1; +}; + +struct iso_directory_record { + __u8 length[1]; + __u8 ext_attr_length[1]; + __u8 extent[8]; + __u8 size[8]; + __u8 date[7]; + __u8 flags[1]; + __u8 file_unit_size[1]; + __u8 interleave[1]; + __u8 volume_sequence_number[4]; + __u8 name_len[1]; + char name[0]; +}; + +struct iso_inode_info { + long unsigned int i_iget5_block; + long unsigned int i_iget5_offset; + unsigned int i_first_extent; + unsigned char i_file_format; + unsigned char i_format_parm[3]; + long unsigned int i_next_section_block; + long unsigned int i_next_section_offset; + off_t i_section_size; + struct inode___2 vfs_inode; +}; + +struct isofs_sb_info { + long unsigned int s_ninodes; + long unsigned int s_nzones; + long unsigned int s_firstdatazone; + long unsigned int s_log_zone_size; + long unsigned int s_max_size; + int s_rock_offset; + s32 s_sbsector; + unsigned char s_joliet_level; + unsigned char s_mapping; + unsigned char s_check; + unsigned char s_session; + unsigned int s_high_sierra: 1; + unsigned int s_rock: 2; + unsigned int s_utf8: 1; + unsigned int s_cruft: 1; + unsigned int s_nocompress: 1; + unsigned int s_hide: 1; + unsigned int s_showassoc: 1; + unsigned int s_overriderockperm: 1; + unsigned int s_uid_set: 1; + unsigned int s_gid_set: 1; + umode_t s_fmode; + umode_t s_dmode; + kgid_t s_gid; + kuid_t s_uid; + struct nls_table *s_nls_iocharset; +}; + +struct cdrom_msf0 { + __u8 minute; + __u8 second; + __u8 frame; +}; + +union cdrom_addr { + struct cdrom_msf0 msf; + int lba; +}; + +struct cdrom_tocentry { + __u8 cdte_track; + __u8 cdte_adr: 4; + __u8 cdte_ctrl: 4; + __u8 cdte_format; + union cdrom_addr cdte_addr; + __u8 cdte_datamode; +}; + +struct cdrom_multisession { + union cdrom_addr addr; + __u8 xa_flag; + __u8 addr_format; +}; + +struct iso_volume_descriptor { + __u8 type[1]; + char id[5]; + __u8 version[1]; + __u8 data[2041]; +}; + +struct iso_primary_descriptor { + __u8 type[1]; + char id[5]; + __u8 version[1]; + __u8 unused1[1]; + char system_id[32]; + char volume_id[32]; + __u8 unused2[8]; + __u8 volume_space_size[8]; + __u8 unused3[32]; + __u8 volume_set_size[4]; + __u8 volume_sequence_number[4]; + __u8 logical_block_size[4]; + __u8 path_table_size[8]; + __u8 type_l_path_table[4]; + __u8 opt_type_l_path_table[4]; + __u8 type_m_path_table[4]; + __u8 opt_type_m_path_table[4]; + __u8 root_directory_record[34]; + char volume_set_id[128]; + char publisher_id[128]; + char preparer_id[128]; + char application_id[128]; + char copyright_file_id[37]; + char abstract_file_id[37]; + char bibliographic_file_id[37]; + __u8 creation_date[17]; + __u8 modification_date[17]; + __u8 expiration_date[17]; + __u8 effective_date[17]; + __u8 file_structure_version[1]; + __u8 unused4[1]; + __u8 application_data[512]; + __u8 unused5[653]; +}; + +struct iso_supplementary_descriptor { + __u8 type[1]; + char id[5]; + __u8 version[1]; + __u8 flags[1]; + char system_id[32]; + char volume_id[32]; + __u8 unused2[8]; + __u8 volume_space_size[8]; + __u8 escape[32]; + __u8 volume_set_size[4]; + __u8 volume_sequence_number[4]; + __u8 logical_block_size[4]; + __u8 path_table_size[8]; + __u8 type_l_path_table[4]; + __u8 opt_type_l_path_table[4]; + __u8 type_m_path_table[4]; + __u8 opt_type_m_path_table[4]; + __u8 root_directory_record[34]; + char volume_set_id[128]; + char publisher_id[128]; + char preparer_id[128]; + char application_id[128]; + char copyright_file_id[37]; + char abstract_file_id[37]; + char bibliographic_file_id[37]; + __u8 creation_date[17]; + __u8 modification_date[17]; + __u8 expiration_date[17]; + __u8 effective_date[17]; + __u8 file_structure_version[1]; + __u8 unused4[1]; + __u8 application_data[512]; + __u8 unused5[653]; +}; + +struct hs_volume_descriptor { + __u8 foo[8]; + __u8 type[1]; + char id[5]; + __u8 version[1]; + __u8 data[2033]; +}; + +struct hs_primary_descriptor { + __u8 foo[8]; + __u8 type[1]; + __u8 id[5]; + __u8 version[1]; + __u8 unused1[1]; + char system_id[32]; + char volume_id[32]; + __u8 unused2[8]; + __u8 volume_space_size[8]; + __u8 unused3[32]; + __u8 volume_set_size[4]; + __u8 volume_sequence_number[4]; + __u8 logical_block_size[4]; + __u8 path_table_size[8]; + __u8 type_l_path_table[4]; + __u8 unused4[28]; + __u8 root_directory_record[34]; +}; + +enum isofs_file_format { + isofs_file_normal = 0, + isofs_file_sparse = 1, + isofs_file_compressed = 2, +}; + +struct iso9660_options { + unsigned int rock: 1; + unsigned int joliet: 1; + unsigned int cruft: 1; + unsigned int hide: 1; + unsigned int showassoc: 1; + unsigned int nocompress: 1; + unsigned int overriderockperm: 1; + unsigned int uid_set: 1; + unsigned int gid_set: 1; + unsigned int utf8: 1; + unsigned char map; + unsigned char check; + unsigned int blocksize; + umode_t fmode; + umode_t dmode; + kgid_t gid; + kuid_t uid; + char *iocharset; + s32 session; + s32 sbsector; +}; + +enum { + Opt_block = 0, + Opt_check_r___2 = 1, + Opt_check_s___2 = 2, + Opt_cruft = 3, + Opt_gid___6 = 4, + Opt_ignore = 5, + Opt_iocharset = 6, + Opt_map_a = 7, + Opt_map_n = 8, + Opt_map_o = 9, + Opt_mode___5 = 10, + Opt_nojoliet = 11, + Opt_norock = 12, + Opt_sb___2 = 13, + Opt_session = 14, + Opt_uid___5 = 15, + Opt_unhide = 16, + Opt_utf8 = 17, + Opt_err___4 = 18, + Opt_nocompress = 19, + Opt_hide = 20, + Opt_showassoc = 21, + Opt_dmode = 22, + Opt_overriderockperm = 23, +}; + +struct isofs_iget5_callback_data { + long unsigned int block; + long unsigned int offset; +}; + +struct SU_SP_s { + __u8 magic[2]; + __u8 skip; +}; + +struct SU_CE_s { + __u8 extent[8]; + __u8 offset[8]; + __u8 size[8]; +}; + +struct SU_ER_s { + __u8 len_id; + __u8 len_des; + __u8 len_src; + __u8 ext_ver; + __u8 data[0]; +}; + +struct RR_RR_s { + __u8 flags[1]; +}; + +struct RR_PX_s { + __u8 mode[8]; + __u8 n_links[8]; + __u8 uid[8]; + __u8 gid[8]; +}; + +struct RR_PN_s { + __u8 dev_high[8]; + __u8 dev_low[8]; +}; + +struct SL_component { + __u8 flags; + __u8 len; + __u8 text[0]; +}; + +struct RR_SL_s { + __u8 flags; + struct SL_component link; +}; + +struct RR_NM_s { + __u8 flags; + char name[0]; +}; + +struct RR_CL_s { + __u8 location[8]; +}; + +struct RR_PL_s { + __u8 location[8]; +}; + +struct stamp { + __u8 time[7]; +}; + +struct RR_TF_s { + __u8 flags; + struct stamp times[0]; +}; + +struct RR_ZF_s { + __u8 algorithm[2]; + __u8 parms[2]; + __u8 real_size[8]; +}; + +struct rock_ridge { + __u8 signature[2]; + __u8 len; + __u8 version; + union { + struct SU_SP_s SP; + struct SU_CE_s CE; + struct SU_ER_s ER; + struct RR_RR_s RR; + struct RR_PX_s PX; + struct RR_PN_s PN; + struct RR_SL_s SL; + struct RR_NM_s NM; + struct RR_CL_s CL; + struct RR_PL_s PL; + struct RR_TF_s TF; + struct RR_ZF_s ZF; + } u; +}; + +struct rock_state { + void *buffer; + unsigned char *chr; + int len; + int cont_size; + int cont_extent; + int cont_offset; + int cont_loops; + struct inode___2 *inode; +}; + +struct isofs_fid { + u32 block; + u16 offset; + u16 parent_offset; + u32 generation; + u32 parent_block; + u32 parent_generation; +}; + +typedef unsigned char Byte; + +typedef long unsigned int uLong; + +struct internal_state; + +struct z_stream_s { + const Byte *next_in; + uLong avail_in; + uLong total_in; + Byte *next_out; + uLong avail_out; + uLong total_out; + char *msg; + struct internal_state *state; + void *workspace; + int data_type; + uLong adler; + uLong reserved; +}; + +struct internal_state { + int dummy; +}; + +typedef struct z_stream_s z_stream; + +typedef z_stream *z_streamp; + +typedef __kernel_old_time_t time_t; + +struct rpc_timer { + struct list_head list; + long unsigned int expires; + struct delayed_work dwork; +}; + +struct rpc_wait_queue { + spinlock_t lock; + struct list_head tasks[4]; + unsigned char maxpriority; + unsigned char priority; + unsigned char nr; + short unsigned int qlen; + struct rpc_timer timer_list; + const char *name; +}; + +struct nfs_seqid_counter { + ktime_t create_time; + int owner_id; + int flags; + u32 counter; + spinlock_t lock; + struct list_head list; + struct rpc_wait_queue wait; +}; + +struct nfs4_stateid_struct { + union { + char data[16]; + struct { + __be32 seqid; + char other[12]; + }; + }; + enum { + NFS4_INVALID_STATEID_TYPE = 0, + NFS4_SPECIAL_STATEID_TYPE = 1, + NFS4_OPEN_STATEID_TYPE = 2, + NFS4_LOCK_STATEID_TYPE = 3, + NFS4_DELEGATION_STATEID_TYPE = 4, + NFS4_LAYOUT_STATEID_TYPE = 5, + NFS4_PNFS_DS_STATEID_TYPE = 6, + NFS4_REVOKED_STATEID_TYPE = 7, + } type; +}; + +typedef struct nfs4_stateid_struct nfs4_stateid; + +struct nfs4_state; + +struct nfs4_lock_state { + struct list_head ls_locks; + struct nfs4_state *ls_state; + long unsigned int ls_flags; + struct nfs_seqid_counter ls_seqid; + nfs4_stateid ls_stateid; + refcount_t ls_count; + fl_owner_t ls_owner; +}; + +struct in_addr { + __be32 s_addr; +}; + +struct sockaddr_in { + __kernel_sa_family_t sin_family; + __be16 sin_port; + struct in_addr sin_addr; + unsigned char __pad[8]; +}; + +struct sockaddr_in6 { + short unsigned int sin6_family; + __be16 sin6_port; + __be32 sin6_flowinfo; + struct in6_addr sin6_addr; + __u32 sin6_scope_id; +}; + +typedef u32 rpc_authflavor_t; + +enum rpc_auth_flavors { + RPC_AUTH_NULL = 0, + RPC_AUTH_UNIX = 1, + RPC_AUTH_SHORT = 2, + RPC_AUTH_DES = 3, + RPC_AUTH_KRB = 4, + RPC_AUTH_GSS = 6, + RPC_AUTH_MAXFLAVOR = 8, + RPC_AUTH_GSS_KRB5 = 390003, + RPC_AUTH_GSS_KRB5I = 390004, + RPC_AUTH_GSS_KRB5P = 390005, + RPC_AUTH_GSS_LKEY = 390006, + RPC_AUTH_GSS_LKEYI = 390007, + RPC_AUTH_GSS_LKEYP = 390008, + RPC_AUTH_GSS_SPKM = 390009, + RPC_AUTH_GSS_SPKMI = 390010, + RPC_AUTH_GSS_SPKMP = 390011, +}; + +struct xdr_netobj { + unsigned int len; + u8 *data; +}; + +struct rpc_rqst; + +struct xdr_stream { + __be32 *p; + struct xdr_buf *buf; + __be32 *end; + struct kvec *iov; + struct kvec scratch; + struct page___2 **page_ptr; + unsigned int nwords; + struct rpc_rqst *rqst; +}; + +struct rpc_xprt; + +struct rpc_task; + +struct rpc_cred; + +struct rpc_rqst { + struct rpc_xprt *rq_xprt; + struct xdr_buf rq_snd_buf; + struct xdr_buf rq_rcv_buf; + struct rpc_task *rq_task; + struct rpc_cred *rq_cred; + __be32 rq_xid; + int rq_cong; + u32 rq_seqno; + int rq_enc_pages_num; + struct page___2 **rq_enc_pages; + void (*rq_release_snd_buf)(struct rpc_rqst *); + union { + struct list_head rq_list; + struct rb_node rq_recv; + }; + struct list_head rq_xmit; + struct list_head rq_xmit2; + void *rq_buffer; + size_t rq_callsize; + void *rq_rbuffer; + size_t rq_rcvsize; + size_t rq_xmit_bytes_sent; + size_t rq_reply_bytes_recvd; + struct xdr_buf rq_private_buf; + long unsigned int rq_majortimeo; + long unsigned int rq_timeout; + ktime_t rq_rtt; + unsigned int rq_retries; + unsigned int rq_connect_cookie; + atomic_t rq_pin; + u32 rq_bytes_sent; + ktime_t rq_xtime; + int rq_ntrans; +}; + +typedef void (*kxdreproc_t)(struct rpc_rqst *, struct xdr_stream *, const void *); + +typedef int (*kxdrdproc_t)(struct rpc_rqst *, struct xdr_stream *, void *); + +struct rpc_procinfo; + +struct rpc_message { + const struct rpc_procinfo *rpc_proc; + void *rpc_argp; + void *rpc_resp; + const struct cred___2 *rpc_cred; +}; + +struct rpc_procinfo { + u32 p_proc; + kxdreproc_t p_encode; + kxdrdproc_t p_decode; + unsigned int p_arglen; + unsigned int p_replen; + unsigned int p_timer; + u32 p_statidx; + const char *p_name; +}; + +struct rpc_wait { + struct list_head list; + struct list_head links; + struct list_head timer_list; +}; + +struct rpc_call_ops; + +struct rpc_clnt; + +struct rpc_task { + atomic_t tk_count; + int tk_status; + struct list_head tk_task; + void (*tk_callback)(struct rpc_task *); + void (*tk_action)(struct rpc_task *); + long unsigned int tk_timeout; + long unsigned int tk_runstate; + struct rpc_wait_queue *tk_waitqueue; + union { + struct work_struct tk_work; + struct rpc_wait tk_wait; + } u; + int tk_rpc_status; + struct rpc_message tk_msg; + void *tk_calldata; + const struct rpc_call_ops *tk_ops; + struct rpc_clnt *tk_client; + struct rpc_xprt *tk_xprt; + struct rpc_cred *tk_op_cred; + struct rpc_rqst *tk_rqstp; + struct workqueue_struct *tk_workqueue; + ktime_t tk_start; + pid_t tk_owner; + short unsigned int tk_flags; + short unsigned int tk_timeouts; + short unsigned int tk_pid; + unsigned char tk_priority: 2; + unsigned char tk_garb_retry: 2; + unsigned char tk_cred_retry: 2; + unsigned char tk_rebind_retry: 2; +}; + +struct rpc_call_ops { + void (*rpc_call_prepare)(struct rpc_task *, void *); + void (*rpc_call_done)(struct rpc_task *, void *); + void (*rpc_count_stats)(struct rpc_task *, void *); + void (*rpc_release)(void *); +}; + +struct rpc_pipe_dir_head { + struct list_head pdh_entries; + struct dentry___2 *pdh_dentry; +}; + +struct rpc_rtt { + long unsigned int timeo; + long unsigned int srtt[5]; + long unsigned int sdrtt[5]; + int ntimeouts[5]; +}; + +struct rpc_timeout { + long unsigned int to_initval; + long unsigned int to_maxval; + long unsigned int to_increment; + unsigned int to_retries; + unsigned char to_exponential; +}; + +struct rpc_xprt_switch; + +struct rpc_xprt_iter_ops; + +struct rpc_xprt_iter { + struct rpc_xprt_switch *xpi_xpswitch; + struct rpc_xprt *xpi_cursor; + const struct rpc_xprt_iter_ops *xpi_ops; +}; + +struct rpc_auth; + +struct rpc_stat; + +struct rpc_iostats; + +struct rpc_program; + +struct rpc_clnt { + atomic_t cl_count; + unsigned int cl_clid; + struct list_head cl_clients; + struct list_head cl_tasks; + spinlock_t cl_lock; + struct rpc_xprt *cl_xprt; + const struct rpc_procinfo *cl_procinfo; + u32 cl_prog; + u32 cl_vers; + u32 cl_maxproc; + struct rpc_auth *cl_auth; + struct rpc_stat *cl_stats; + struct rpc_iostats *cl_metrics; + unsigned int cl_softrtry: 1; + unsigned int cl_softerr: 1; + unsigned int cl_discrtry: 1; + unsigned int cl_noretranstimeo: 1; + unsigned int cl_autobind: 1; + unsigned int cl_chatty: 1; + struct rpc_rtt *cl_rtt; + const struct rpc_timeout *cl_timeout; + atomic_t cl_swapper; + int cl_nodelen; + char cl_nodename[65]; + struct rpc_pipe_dir_head cl_pipedir_objects; + struct rpc_clnt *cl_parent; + struct rpc_rtt cl_rtt_default; + struct rpc_timeout cl_timeout_default; + const struct rpc_program *cl_program; + const char *cl_principal; + struct rpc_xprt_iter cl_xpi; + const struct cred___2 *cl_cred; +}; + +struct rpc_xprt_ops; + +struct svc_xprt; + +struct rpc_xprt { + struct kref kref; + const struct rpc_xprt_ops *ops; + const struct rpc_timeout *timeout; + struct __kernel_sockaddr_storage addr; + size_t addrlen; + int prot; + long unsigned int cong; + long unsigned int cwnd; + size_t max_payload; + struct rpc_wait_queue binding; + struct rpc_wait_queue sending; + struct rpc_wait_queue pending; + struct rpc_wait_queue backlog; + struct list_head free; + unsigned int max_reqs; + unsigned int min_reqs; + unsigned int num_reqs; + long unsigned int state; + unsigned char resvport: 1; + unsigned char reuseport: 1; + atomic_t swapper; + unsigned int bind_index; + struct list_head xprt_switch; + long unsigned int bind_timeout; + long unsigned int reestablish_timeout; + unsigned int connect_cookie; + struct work_struct task_cleanup; + struct timer_list timer; + long unsigned int last_used; + long unsigned int idle_timeout; + long unsigned int connect_timeout; + long unsigned int max_reconnect_timeout; + atomic_long_t queuelen; + spinlock_t transport_lock; + spinlock_t reserve_lock; + spinlock_t queue_lock; + u32 xid; + struct rpc_task *snd_task; + struct list_head xmit_queue; + struct svc_xprt *bc_xprt; + struct rb_root recv_queue; + struct { + long unsigned int bind_count; + long unsigned int connect_count; + long unsigned int connect_start; + long unsigned int connect_time; + long unsigned int sends; + long unsigned int recvs; + long unsigned int bad_xids; + long unsigned int max_slots; + long long unsigned int req_u; + long long unsigned int bklog_u; + long long unsigned int sending_u; + long long unsigned int pending_u; + } stat; + struct net___2 *xprt_net; + const char *servername; + const char *address_strings[6]; + struct callback_head rcu; +}; + +struct rpc_credops; + +struct rpc_cred { + struct hlist_node cr_hash; + struct list_head cr_lru; + struct callback_head cr_rcu; + struct rpc_auth *cr_auth; + const struct rpc_credops *cr_ops; + long unsigned int cr_expire; + long unsigned int cr_flags; + refcount_t cr_count; + const struct cred___2 *cr_cred; +}; + +struct rpc_task_setup { + struct rpc_task *task; + struct rpc_clnt *rpc_client; + struct rpc_xprt *rpc_xprt; + struct rpc_cred *rpc_op_cred; + const struct rpc_message *rpc_message; + const struct rpc_call_ops *callback_ops; + void *callback_data; + struct workqueue_struct *workqueue; + short unsigned int flags; + signed char priority; +}; + +enum rpc_display_format_t { + RPC_DISPLAY_ADDR = 0, + RPC_DISPLAY_PORT = 1, + RPC_DISPLAY_PROTO = 2, + RPC_DISPLAY_HEX_ADDR = 3, + RPC_DISPLAY_HEX_PORT = 4, + RPC_DISPLAY_NETID = 5, + RPC_DISPLAY_MAX = 6, +}; + +struct rpc_xprt_ops { + void (*set_buffer_size)(struct rpc_xprt *, size_t, size_t); + int (*reserve_xprt)(struct rpc_xprt *, struct rpc_task *); + void (*release_xprt)(struct rpc_xprt *, struct rpc_task *); + void (*alloc_slot)(struct rpc_xprt *, struct rpc_task *); + void (*free_slot)(struct rpc_xprt *, struct rpc_rqst *); + void (*rpcbind)(struct rpc_task *); + void (*set_port)(struct rpc_xprt *, short unsigned int); + void (*connect)(struct rpc_xprt *, struct rpc_task *); + int (*buf_alloc)(struct rpc_task *); + void (*buf_free)(struct rpc_task *); + void (*prepare_request)(struct rpc_rqst *); + int (*send_request)(struct rpc_rqst *); + void (*wait_for_reply_request)(struct rpc_task *); + void (*timer)(struct rpc_xprt *, struct rpc_task *); + void (*release_request)(struct rpc_task *); + void (*close)(struct rpc_xprt *); + void (*destroy)(struct rpc_xprt *); + void (*set_connect_timeout)(struct rpc_xprt *, long unsigned int, long unsigned int); + void (*print_stats)(struct rpc_xprt *, struct seq_file *); + int (*enable_swap)(struct rpc_xprt *); + void (*disable_swap)(struct rpc_xprt *); + void (*inject_disconnect)(struct rpc_xprt *); + int (*bc_setup)(struct rpc_xprt *, unsigned int); + size_t (*bc_maxpayload)(struct rpc_xprt *); + unsigned int (*bc_num_slots)(struct rpc_xprt *); + void (*bc_free_rqst)(struct rpc_rqst *); + void (*bc_destroy)(struct rpc_xprt *, unsigned int); +}; + +enum xprt_transports { + XPRT_TRANSPORT_UDP = 17, + XPRT_TRANSPORT_TCP = 6, + XPRT_TRANSPORT_BC_TCP = -2147483642, + XPRT_TRANSPORT_RDMA = 256, + XPRT_TRANSPORT_BC_RDMA = -2147483392, + XPRT_TRANSPORT_LOCAL = 257, +}; + +struct svc_xprt_class; + +struct svc_xprt_ops; + +struct svc_serv; + +struct svc_xprt { + struct svc_xprt_class *xpt_class; + const struct svc_xprt_ops *xpt_ops; + struct kref xpt_ref; + struct list_head xpt_list; + struct list_head xpt_ready; + long unsigned int xpt_flags; + struct svc_serv *xpt_server; + atomic_t xpt_reserved; + atomic_t xpt_nr_rqsts; + struct mutex xpt_mutex; + spinlock_t xpt_lock; + void *xpt_auth_cache; + struct list_head xpt_deferred; + struct __kernel_sockaddr_storage xpt_local; + size_t xpt_locallen; + struct __kernel_sockaddr_storage xpt_remote; + size_t xpt_remotelen; + char xpt_remotebuf[58]; + struct list_head xpt_users; + struct net___2 *xpt_net; + const struct cred___2 *xpt_cred; + struct rpc_xprt *xpt_bc_xprt; + struct rpc_xprt_switch *xpt_bc_xps; +}; + +struct rpc_xprt_switch { + spinlock_t xps_lock; + struct kref xps_kref; + unsigned int xps_nxprts; + unsigned int xps_nactive; + atomic_long_t xps_queuelen; + struct list_head xps_xprt_list; + struct net___2 *xps_net; + const struct rpc_xprt_iter_ops *xps_iter_ops; + struct callback_head xps_rcu; +}; + +struct auth_cred { + const struct cred___2 *cred; + const char *principal; +}; + +struct rpc_authops; + +struct rpc_cred_cache; + +struct rpc_auth { + unsigned int au_cslack; + unsigned int au_rslack; + unsigned int au_verfsize; + unsigned int au_ralign; + unsigned int au_flags; + const struct rpc_authops *au_ops; + rpc_authflavor_t au_flavor; + refcount_t au_count; + struct rpc_cred_cache *au_credcache; +}; + +struct rpc_credops { + const char *cr_name; + int (*cr_init)(struct rpc_auth *, struct rpc_cred *); + void (*crdestroy)(struct rpc_cred *); + int (*crmatch)(struct auth_cred *, struct rpc_cred *, int); + int (*crmarshal)(struct rpc_task *, struct xdr_stream *); + int (*crrefresh)(struct rpc_task *); + int (*crvalidate)(struct rpc_task *, struct xdr_stream *); + int (*crwrap_req)(struct rpc_task *, struct xdr_stream *); + int (*crunwrap_resp)(struct rpc_task *, struct xdr_stream *); + int (*crkey_timeout)(struct rpc_cred *); + char * (*crstringify_acceptor)(struct rpc_cred *); + bool (*crneed_reencode)(struct rpc_task *); +}; + +struct rpc_auth_create_args; + +struct rpcsec_gss_info; + +struct rpc_authops { + struct module___2 *owner; + rpc_authflavor_t au_flavor; + char *au_name; + struct rpc_auth * (*create)(const struct rpc_auth_create_args *, struct rpc_clnt *); + void (*destroy)(struct rpc_auth *); + int (*hash_cred)(struct auth_cred *, unsigned int); + struct rpc_cred * (*lookup_cred)(struct rpc_auth *, struct auth_cred *, int); + struct rpc_cred * (*crcreate)(struct rpc_auth *, struct auth_cred *, int, gfp_t); + int (*list_pseudoflavors)(rpc_authflavor_t *, int); + rpc_authflavor_t (*info2flavor)(struct rpcsec_gss_info *); + int (*flavor2info)(rpc_authflavor_t, struct rpcsec_gss_info *); + int (*key_timeout)(struct rpc_auth *, struct rpc_cred *); +}; + +struct rpc_auth_create_args { + rpc_authflavor_t pseudoflavor; + const char *target_name; +}; + +struct rpcsec_gss_oid { + unsigned int len; + u8 data[32]; +}; + +struct rpcsec_gss_info { + struct rpcsec_gss_oid oid; + u32 qop; + u32 service; +}; + +struct rpc_stat { + const struct rpc_program *program; + unsigned int netcnt; + unsigned int netudpcnt; + unsigned int nettcpcnt; + unsigned int nettcpconn; + unsigned int netreconn; + unsigned int rpccnt; + unsigned int rpcretrans; + unsigned int rpcauthrefresh; + unsigned int rpcgarbage; +}; + +struct rpc_version; + +struct rpc_program { + const char *name; + u32 number; + unsigned int nrvers; + const struct rpc_version **version; + struct rpc_stat *stats; + const char *pipe_dir_name; +}; + +struct svc_program; + +struct svc_stat { + struct svc_program *program; + unsigned int netcnt; + unsigned int netudpcnt; + unsigned int nettcpcnt; + unsigned int nettcpconn; + unsigned int rpccnt; + unsigned int rpcbadfmt; + unsigned int rpcbadauth; + unsigned int rpcbadclnt; +}; + +struct svc_version; + +struct svc_rqst; + +struct svc_process_info; + +struct svc_program { + struct svc_program *pg_next; + u32 pg_prog; + unsigned int pg_lovers; + unsigned int pg_hivers; + unsigned int pg_nvers; + const struct svc_version **pg_vers; + char *pg_name; + char *pg_class; + struct svc_stat *pg_stats; + int (*pg_authenticate)(struct svc_rqst *); + __be32 (*pg_init_request)(struct svc_rqst *, const struct svc_program *, struct svc_process_info *); + int (*pg_rpcbind_set)(struct net___2 *, const struct svc_program *, u32, int, short unsigned int, short unsigned int); +}; + +struct rpc_pipe_msg { + struct list_head list; + void *data; + size_t len; + size_t copied; + int errno; +}; + +struct rpc_pipe_ops { + ssize_t (*upcall)(struct file___2 *, struct rpc_pipe_msg *, char *, size_t); + ssize_t (*downcall)(struct file___2 *, const char *, size_t); + void (*release_pipe)(struct inode___2 *); + int (*open_pipe)(struct inode___2 *); + void (*destroy_msg)(struct rpc_pipe_msg *); +}; + +struct rpc_pipe { + struct list_head pipe; + struct list_head in_upcall; + struct list_head in_downcall; + int pipelen; + int nreaders; + int nwriters; + int flags; + struct delayed_work queue_timeout; + const struct rpc_pipe_ops *ops; + spinlock_t lock; + struct dentry___2 *dentry; +}; + +struct rpc_xprt_iter_ops { + void (*xpi_rewind)(struct rpc_xprt_iter *); + struct rpc_xprt * (*xpi_xprt)(struct rpc_xprt_iter *); + struct rpc_xprt * (*xpi_next)(struct rpc_xprt_iter *); +}; + +struct rpc_iostats { + spinlock_t om_lock; + long unsigned int om_ops; + long unsigned int om_ntrans; + long unsigned int om_timeouts; + long long unsigned int om_bytes_sent; + long long unsigned int om_bytes_recv; + ktime_t om_queue; + ktime_t om_rtt; + ktime_t om_execute; + long unsigned int om_error_status; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct rpc_version { + u32 number; + unsigned int nrprocs; + const struct rpc_procinfo *procs; + unsigned int *counts; +}; + +struct rpc_create_args { + struct net___2 *net; + int protocol; + struct sockaddr *address; + size_t addrsize; + struct sockaddr *saddress; + const struct rpc_timeout *timeout; + const char *servername; + const char *nodename; + const struct rpc_program *program; + u32 prognumber; + u32 version; + rpc_authflavor_t authflavor; + u32 nconnect; + long unsigned int flags; + char *client_name; + struct svc_xprt *bc_xprt; + const struct cred___2 *cred; +}; + +struct nfs_fh { + short unsigned int size; + unsigned char data[128]; +}; + +enum nfs3_stable_how { + NFS_UNSTABLE = 0, + NFS_DATA_SYNC = 1, + NFS_FILE_SYNC = 2, + NFS_INVALID_STABLE_HOW = -1, +}; + +struct nfs4_label { + uint32_t lfs; + uint32_t pi; + u32 len; + char *label; +}; + +typedef struct { + char data[8]; +} nfs4_verifier; + +struct gss_api_mech; + +struct gss_ctx { + struct gss_api_mech *mech_type; + void *internal_ctx_id; +}; + +struct gss_api_ops; + +struct pf_desc; + +struct gss_api_mech { + struct list_head gm_list; + struct module___2 *gm_owner; + struct rpcsec_gss_oid gm_oid; + char *gm_name; + const struct gss_api_ops *gm_ops; + int gm_pf_num; + struct pf_desc *gm_pfs; + const char *gm_upcall_enctypes; +}; + +struct pf_desc { + u32 pseudoflavor; + u32 qop; + u32 service; + char *name; + char *auth_domain_name; + bool datatouch; +}; + +struct gss_api_ops { + int (*gss_import_sec_context)(const void *, size_t, struct gss_ctx *, time_t *, gfp_t); + u32 (*gss_get_mic)(struct gss_ctx *, struct xdr_buf *, struct xdr_netobj *); + u32 (*gss_verify_mic)(struct gss_ctx *, struct xdr_buf *, struct xdr_netobj *); + u32 (*gss_wrap)(struct gss_ctx *, int, struct xdr_buf *, struct page___2 **); + u32 (*gss_unwrap)(struct gss_ctx *, int, struct xdr_buf *); + void (*gss_delete_sec_context)(void *); +}; + +struct nfs4_string { + unsigned int len; + char *data; +}; + +struct nfs_fsid { + uint64_t major; + uint64_t minor; +}; + +struct nfs4_threshold { + __u32 bm; + __u32 l_type; + __u64 rd_sz; + __u64 wr_sz; + __u64 rd_io_sz; + __u64 wr_io_sz; +}; + +struct nfs_fattr { + unsigned int valid; + umode_t mode; + __u32 nlink; + kuid_t uid; + kgid_t gid; + dev_t rdev; + __u64 size; + union { + struct { + __u32 blocksize; + __u32 blocks; + } nfs2; + struct { + __u64 used; + } nfs3; + } du; + struct nfs_fsid fsid; + __u64 fileid; + __u64 mounted_on_fileid; + struct timespec64 atime; + struct timespec64 mtime; + struct timespec64 ctime; + __u64 change_attr; + __u64 pre_change_attr; + __u64 pre_size; + struct timespec64 pre_mtime; + struct timespec64 pre_ctime; + long unsigned int time_start; + long unsigned int gencount; + struct nfs4_string *owner_name; + struct nfs4_string *group_name; + struct nfs4_threshold *mdsthreshold; +}; + +struct nfs_fsinfo { + struct nfs_fattr *fattr; + __u32 rtmax; + __u32 rtpref; + __u32 rtmult; + __u32 wtmax; + __u32 wtpref; + __u32 wtmult; + __u32 dtpref; + __u64 maxfilesize; + struct timespec64 time_delta; + __u32 lease_time; + __u32 nlayouttypes; + __u32 layouttype[8]; + __u32 blksize; + __u32 clone_blksize; +}; + +struct nfs_fsstat { + struct nfs_fattr *fattr; + __u64 tbytes; + __u64 fbytes; + __u64 abytes; + __u64 tfiles; + __u64 ffiles; + __u64 afiles; +}; + +struct nfs_pathconf { + struct nfs_fattr *fattr; + __u32 max_link; + __u32 max_namelen; +}; + +struct nfs4_change_info { + u32 atomic; + u64 before; + u64 after; +}; + +struct nfs4_slot; + +struct nfs4_sequence_args { + struct nfs4_slot *sa_slot; + u8 sa_cache_this: 1; + u8 sa_privileged: 1; +}; + +struct nfs4_sequence_res { + struct nfs4_slot *sr_slot; + long unsigned int sr_timestamp; + int sr_status; + u32 sr_status_flags; + u32 sr_highest_slotid; + u32 sr_target_highest_slotid; +}; + +struct pnfs_layout_range { + u32 iomode; + u64 offset; + u64 length; +}; + +struct nfs_open_context; + +struct nfs_lock_context { + refcount_t count; + struct list_head list; + struct nfs_open_context *open_context; + fl_owner_t lockowner; + atomic_t io_count; + struct callback_head callback_head; +}; + +struct nfs_open_context { + struct nfs_lock_context lock_context; + fl_owner_t flock_owner; + struct dentry___2 *dentry; + const struct cred___2 *cred; + struct rpc_cred *ll_cred; + struct nfs4_state *state; + fmode_t mode; + long unsigned int flags; + int error; + struct list_head list; + struct nfs4_threshold *mdsthreshold; + struct callback_head callback_head; +}; + +struct nlm_host; + +struct nfs_auth_info { + unsigned int flavor_len; + rpc_authflavor_t flavors[12]; +}; + +struct pnfs_layoutdriver_type; + +struct nfs_client; + +struct nfs_iostats; + +struct nfs_server { + struct nfs_client *nfs_client; + struct list_head client_link; + struct list_head master_link; + struct rpc_clnt *client; + struct rpc_clnt *client_acl; + struct nlm_host *nlm_host; + struct nfs_iostats *io_stats; + atomic_long_t writeback; + int flags; + unsigned int caps; + unsigned int rsize; + unsigned int rpages; + unsigned int wsize; + unsigned int wpages; + unsigned int wtmult; + unsigned int dtsize; + short unsigned int port; + unsigned int bsize; + unsigned int acregmin; + unsigned int acregmax; + unsigned int acdirmin; + unsigned int acdirmax; + unsigned int namelen; + unsigned int options; + unsigned int clone_blksize; + struct nfs_fsid fsid; + __u64 maxfilesize; + struct timespec64 time_delta; + long unsigned int mount_time; + struct super_block___2 *super; + dev_t s_dev; + struct nfs_auth_info auth_info; + u32 pnfs_blksize; + u32 attr_bitmask[3]; + u32 attr_bitmask_nl[3]; + u32 exclcreat_bitmask[3]; + u32 cache_consistency_bitmask[3]; + u32 acl_bitmask; + u32 fh_expire_type; + struct pnfs_layoutdriver_type *pnfs_curr_ld; + struct rpc_wait_queue roc_rpcwaitq; + void *pnfs_ld_data; + struct rb_root state_owners; + struct ida openowner_id; + struct ida lockowner_id; + struct list_head state_owners_lru; + struct list_head layouts; + struct list_head delegations; + struct list_head ss_copies; + long unsigned int mig_gen; + long unsigned int mig_status; + void (*destroy)(struct nfs_server *); + atomic_t active; + struct __kernel_sockaddr_storage mountd_address; + size_t mountd_addrlen; + u32 mountd_version; + short unsigned int mountd_port; + short unsigned int mountd_protocol; + struct rpc_wait_queue uoc_rpcwaitq; + unsigned int read_hdrsize; + const struct cred___2 *cred; +}; + +struct pnfs_layout_hdr; + +struct nfs41_server_owner; + +struct nfs41_server_scope; + +struct nfs41_impl_id; + +struct nfs_rpc_ops; + +struct nfs_subversion; + +struct idmap; + +struct nfs4_minor_version_ops; + +struct nfs4_slot_table; + +struct nfs4_session; + +struct nfs_client { + refcount_t cl_count; + atomic_t cl_mds_count; + int cl_cons_state; + long unsigned int cl_res_state; + long unsigned int cl_flags; + struct __kernel_sockaddr_storage cl_addr; + size_t cl_addrlen; + char *cl_hostname; + char *cl_acceptor; + struct list_head cl_share_link; + struct list_head cl_superblocks; + struct rpc_clnt *cl_rpcclient; + const struct nfs_rpc_ops *rpc_ops; + int cl_proto; + struct nfs_subversion *cl_nfs_mod; + u32 cl_minorversion; + unsigned int cl_nconnect; + const char *cl_principal; + struct list_head cl_ds_clients; + u64 cl_clientid; + nfs4_verifier cl_confirm; + long unsigned int cl_state; + spinlock_t cl_lock; + long unsigned int cl_lease_time; + long unsigned int cl_last_renewal; + struct delayed_work cl_renewd; + struct rpc_wait_queue cl_rpcwaitq; + struct idmap *cl_idmap; + const char *cl_owner_id; + u32 cl_cb_ident; + const struct nfs4_minor_version_ops *cl_mvops; + long unsigned int cl_mig_gen; + struct nfs4_slot_table *cl_slot_tbl; + u32 cl_seqid; + u32 cl_exchange_flags; + struct nfs4_session *cl_session; + bool cl_preserve_clid; + struct nfs41_server_owner *cl_serverowner; + struct nfs41_server_scope *cl_serverscope; + struct nfs41_impl_id *cl_implid; + long unsigned int cl_sp4_flags; + char cl_ipaddr[48]; + struct net___2 *cl_net; + struct list_head pending_cb_stateids; +}; + +struct pnfs_layout_segment { + struct list_head pls_list; + struct list_head pls_lc_list; + struct pnfs_layout_range pls_range; + refcount_t pls_refcount; + u32 pls_seq; + long unsigned int pls_flags; + struct pnfs_layout_hdr *pls_layout; +}; + +struct nfs_seqid { + struct nfs_seqid_counter *sequence; + struct list_head list; + struct rpc_task *task; +}; + +struct nfs_write_verifier { + char data[8]; +}; + +struct nfs_writeverf { + struct nfs_write_verifier verifier; + enum nfs3_stable_how committed; +}; + +struct nfs_pgio_args { + struct nfs4_sequence_args seq_args; + struct nfs_fh *fh; + struct nfs_open_context *context; + struct nfs_lock_context *lock_context; + nfs4_stateid stateid; + __u64 offset; + __u32 count; + unsigned int pgbase; + struct page___2 **pages; + union { + unsigned int replen; + struct { + const u32 *bitmask; + enum nfs3_stable_how stable; + }; + }; +}; + +struct nfs_pgio_res { + struct nfs4_sequence_res seq_res; + struct nfs_fattr *fattr; + __u32 count; + __u32 op_status; + union { + struct { + unsigned int replen; + int eof; + }; + struct { + struct nfs_writeverf *verf; + const struct nfs_server *server; + }; + }; +}; + +struct nfs_commitargs { + struct nfs4_sequence_args seq_args; + struct nfs_fh *fh; + __u64 offset; + __u32 count; + const u32 *bitmask; +}; + +struct nfs_commitres { + struct nfs4_sequence_res seq_res; + __u32 op_status; + struct nfs_fattr *fattr; + struct nfs_writeverf *verf; + const struct nfs_server *server; +}; + +struct nfs_removeargs { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + struct qstr name; +}; + +struct nfs_removeres { + struct nfs4_sequence_res seq_res; + struct nfs_server *server; + struct nfs_fattr *dir_attr; + struct nfs4_change_info cinfo; +}; + +struct nfs_renameargs { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *old_dir; + const struct nfs_fh *new_dir; + const struct qstr *old_name; + const struct qstr *new_name; +}; + +struct nfs_renameres { + struct nfs4_sequence_res seq_res; + struct nfs_server *server; + struct nfs4_change_info old_cinfo; + struct nfs_fattr *old_fattr; + struct nfs4_change_info new_cinfo; + struct nfs_fattr *new_fattr; +}; + +struct nfs_entry { + __u64 ino; + __u64 cookie; + __u64 prev_cookie; + const char *name; + unsigned int len; + int eof; + struct nfs_fh *fh; + struct nfs_fattr *fattr; + struct nfs4_label *label; + unsigned char d_type; + struct nfs_server *server; +}; + +struct nfs4_pathname { + unsigned int ncomponents; + struct nfs4_string components[512]; +}; + +struct nfs4_fs_location { + unsigned int nservers; + struct nfs4_string servers[10]; + struct nfs4_pathname rootpath; +}; + +struct nfs4_fs_locations { + struct nfs_fattr fattr; + const struct nfs_server *server; + struct nfs4_pathname fs_path; + int nlocations; + struct nfs4_fs_location locations[10]; +}; + +struct pnfs_ds_commit_info {}; + +struct nfs_page_array { + struct page___2 **pagevec; + unsigned int npages; + struct page___2 *page_array[8]; +}; + +struct nfs_page; + +struct nfs_pgio_completion_ops; + +struct nfs_rw_ops; + +struct nfs_io_completion; + +struct nfs_direct_req; + +struct nfs_pgio_header { + struct inode___2 *inode; + const struct cred___2 *cred; + struct list_head pages; + struct nfs_page *req; + struct nfs_writeverf verf; + fmode_t rw_mode; + struct pnfs_layout_segment *lseg; + loff_t io_start; + const struct rpc_call_ops *mds_ops; + void (*release)(struct nfs_pgio_header *); + const struct nfs_pgio_completion_ops *completion_ops; + const struct nfs_rw_ops *rw_ops; + struct nfs_io_completion *io_completion; + struct nfs_direct_req *dreq; + int pnfs_error; + int error; + unsigned int good_bytes; + long unsigned int flags; + struct rpc_task task; + struct nfs_fattr fattr; + struct nfs_pgio_args args; + struct nfs_pgio_res res; + long unsigned int timestamp; + int (*pgio_done_cb)(struct rpc_task *, struct nfs_pgio_header *); + __u64 mds_offset; + struct nfs_page_array page_array; + struct nfs_client *ds_clp; + int ds_commit_idx; + int pgio_mirror_idx; +}; + +struct nfs_page { + struct list_head wb_list; + struct page___2 *wb_page; + struct nfs_lock_context *wb_lock_context; + long unsigned int wb_index; + unsigned int wb_offset; + unsigned int wb_pgbase; + unsigned int wb_bytes; + struct kref wb_kref; + long unsigned int wb_flags; + struct nfs_write_verifier wb_verf; + struct nfs_page *wb_this_page; + struct nfs_page *wb_head; + short unsigned int wb_nio; +}; + +struct nfs_pgio_completion_ops { + void (*error_cleanup)(struct list_head *, int); + void (*init_hdr)(struct nfs_pgio_header *); + void (*completion)(struct nfs_pgio_header *); + void (*reschedule_io)(struct nfs_pgio_header *); +}; + +struct nfs_rw_ops { + struct nfs_pgio_header * (*rw_alloc_header)(); + void (*rw_free_header)(struct nfs_pgio_header *); + int (*rw_done)(struct rpc_task *, struct nfs_pgio_header *, struct inode___2 *); + void (*rw_result)(struct rpc_task *, struct nfs_pgio_header *); + void (*rw_initiate)(struct nfs_pgio_header *, struct rpc_message *, const struct nfs_rpc_ops *, struct rpc_task_setup *, int); +}; + +struct nfs_mds_commit_info { + atomic_t rpcs_out; + atomic_long_t ncommit; + struct list_head list; +}; + +struct nfs_commit_data; + +struct nfs_commit_info; + +struct nfs_commit_completion_ops { + void (*completion)(struct nfs_commit_data *); + void (*resched_write)(struct nfs_commit_info *, struct nfs_page *); +}; + +struct nfs_commit_data { + struct rpc_task task; + struct inode___2 *inode; + const struct cred___2 *cred; + struct nfs_fattr fattr; + struct nfs_writeverf verf; + struct list_head pages; + struct list_head list; + struct nfs_direct_req *dreq; + struct nfs_commitargs args; + struct nfs_commitres res; + struct nfs_open_context *context; + struct pnfs_layout_segment *lseg; + struct nfs_client *ds_clp; + int ds_commit_index; + loff_t lwb; + const struct rpc_call_ops *mds_ops; + const struct nfs_commit_completion_ops *completion_ops; + int (*commit_done_cb)(struct rpc_task *, struct nfs_commit_data *); + long unsigned int flags; +}; + +struct nfs_commit_info { + struct inode___2 *inode; + struct nfs_mds_commit_info *mds; + struct pnfs_ds_commit_info *ds; + struct nfs_direct_req *dreq; + const struct nfs_commit_completion_ops *completion_ops; +}; + +struct nfs_unlinkdata { + struct nfs_removeargs args; + struct nfs_removeres res; + struct dentry___2 *dentry; + wait_queue_head_t wq; + const struct cred___2 *cred; + struct nfs_fattr dir_attr; + long int timeout; +}; + +struct nfs_renamedata { + struct nfs_renameargs args; + struct nfs_renameres res; + const struct cred___2 *cred; + struct inode___2 *old_dir; + struct dentry___2 *old_dentry; + struct nfs_fattr old_fattr; + struct inode___2 *new_dir; + struct dentry___2 *new_dentry; + struct nfs_fattr new_fattr; + void (*complete)(struct rpc_task *, struct nfs_renamedata *); + long int timeout; + bool cancelled; +}; + +struct nlmclnt_operations; + +struct nfs_mount_info; + +struct nfs_access_entry; + +struct nfs_client_initdata; + +struct nfs_rpc_ops { + u32 version; + const struct dentry_operations___2 *dentry_ops; + const struct inode_operations___2 *dir_inode_ops; + const struct inode_operations___2 *file_inode_ops; + const struct file_operations___2 *file_ops; + const struct nlmclnt_operations *nlmclnt_ops; + int (*getroot)(struct nfs_server *, struct nfs_fh *, struct nfs_fsinfo *); + struct vfsmount___2 * (*submount)(struct nfs_server *, struct dentry___2 *, struct nfs_fh *, struct nfs_fattr *); + struct dentry___2 * (*try_mount)(int, const char *, struct nfs_mount_info *, struct nfs_subversion *); + int (*getattr)(struct nfs_server *, struct nfs_fh *, struct nfs_fattr *, struct nfs4_label *, struct inode___2 *); + int (*setattr)(struct dentry___2 *, struct nfs_fattr *, struct iattr *); + int (*lookup)(struct inode___2 *, const struct qstr *, struct nfs_fh *, struct nfs_fattr *, struct nfs4_label *); + int (*lookupp)(struct inode___2 *, struct nfs_fh *, struct nfs_fattr *, struct nfs4_label *); + int (*access)(struct inode___2 *, struct nfs_access_entry *); + int (*readlink)(struct inode___2 *, struct page___2 *, unsigned int, unsigned int); + int (*create)(struct inode___2 *, struct dentry___2 *, struct iattr *, int); + int (*remove)(struct inode___2 *, struct dentry___2 *); + void (*unlink_setup)(struct rpc_message *, struct dentry___2 *, struct inode___2 *); + void (*unlink_rpc_prepare)(struct rpc_task *, struct nfs_unlinkdata *); + int (*unlink_done)(struct rpc_task *, struct inode___2 *); + void (*rename_setup)(struct rpc_message *, struct dentry___2 *, struct dentry___2 *); + void (*rename_rpc_prepare)(struct rpc_task *, struct nfs_renamedata *); + int (*rename_done)(struct rpc_task *, struct inode___2 *, struct inode___2 *); + int (*link)(struct inode___2 *, struct inode___2 *, const struct qstr *); + int (*symlink)(struct inode___2 *, struct dentry___2 *, struct page___2 *, unsigned int, struct iattr *); + int (*mkdir)(struct inode___2 *, struct dentry___2 *, struct iattr *); + int (*rmdir)(struct inode___2 *, const struct qstr *); + int (*readdir)(struct dentry___2 *, const struct cred___2 *, u64, struct page___2 **, unsigned int, bool); + int (*mknod)(struct inode___2 *, struct dentry___2 *, struct iattr *, dev_t); + int (*statfs)(struct nfs_server *, struct nfs_fh *, struct nfs_fsstat *); + int (*fsinfo)(struct nfs_server *, struct nfs_fh *, struct nfs_fsinfo *); + int (*pathconf)(struct nfs_server *, struct nfs_fh *, struct nfs_pathconf *); + int (*set_capabilities)(struct nfs_server *, struct nfs_fh *); + int (*decode_dirent)(struct xdr_stream *, struct nfs_entry *, bool); + int (*pgio_rpc_prepare)(struct rpc_task *, struct nfs_pgio_header *); + void (*read_setup)(struct nfs_pgio_header *, struct rpc_message *); + int (*read_done)(struct rpc_task *, struct nfs_pgio_header *); + void (*write_setup)(struct nfs_pgio_header *, struct rpc_message *, struct rpc_clnt **); + int (*write_done)(struct rpc_task *, struct nfs_pgio_header *); + void (*commit_setup)(struct nfs_commit_data *, struct rpc_message *, struct rpc_clnt **); + void (*commit_rpc_prepare)(struct rpc_task *, struct nfs_commit_data *); + int (*commit_done)(struct rpc_task *, struct nfs_commit_data *); + int (*lock)(struct file___2 *, int, struct file_lock *); + int (*lock_check_bounds)(const struct file_lock *); + void (*clear_acl_cache)(struct inode___2 *); + void (*close_context)(struct nfs_open_context *, int); + struct inode___2 * (*open_context)(struct inode___2 *, struct nfs_open_context *, int, struct iattr *, int *); + int (*have_delegation)(struct inode___2 *, fmode_t); + struct nfs_client * (*alloc_client)(const struct nfs_client_initdata *); + struct nfs_client * (*init_client)(struct nfs_client *, const struct nfs_client_initdata *); + void (*free_client)(struct nfs_client *); + struct nfs_server * (*create_server)(struct nfs_mount_info *, struct nfs_subversion *); + struct nfs_server * (*clone_server)(struct nfs_server *, struct nfs_fh *, struct nfs_fattr *, rpc_authflavor_t); +}; + +struct nlmclnt_operations { + void (*nlmclnt_alloc_call)(void *); + bool (*nlmclnt_unlock_prepare)(struct rpc_task *, void *); + void (*nlmclnt_release_call)(void *); +}; + +struct nfs_parsed_mount_data; + +struct nfs_clone_mount; + +struct nfs_mount_info { + void (*fill_super)(struct super_block___2 *, struct nfs_mount_info *); + int (*set_security)(struct super_block___2 *, struct dentry___2 *, struct nfs_mount_info *); + struct nfs_parsed_mount_data *parsed; + struct nfs_clone_mount *cloned; + struct nfs_fh *mntfh; +}; + +struct nfs_subversion { + struct module___2 *owner; + struct file_system_type___2 *nfs_fs; + const struct rpc_version *rpc_vers; + const struct nfs_rpc_ops *rpc_ops; + const struct super_operations *sops; + const struct xattr_handler **xattr; + struct list_head list; +}; + +struct nfs_access_entry { + struct rb_node rb_node; + struct list_head lru; + const struct cred___2 *cred; + __u32 mask; + struct callback_head callback_head; +}; + +struct nfs_client_initdata { + long unsigned int init_flags; + const char *hostname; + const struct sockaddr *addr; + const char *nodename; + const char *ip_addr; + size_t addrlen; + struct nfs_subversion *nfs_mod; + int proto; + u32 minorversion; + unsigned int nconnect; + struct net___2 *net; + const struct rpc_timeout *timeparms; + const struct cred___2 *cred; +}; + +struct nfs4_state_recovery_ops; + +struct nfs4_state_maintenance_ops; + +struct nfs4_mig_recovery_ops; + +struct nfs4_minor_version_ops { + u32 minor_version; + unsigned int init_caps; + int (*init_client)(struct nfs_client *); + void (*shutdown_client)(struct nfs_client *); + bool (*match_stateid)(const nfs4_stateid *, const nfs4_stateid *); + int (*find_root_sec)(struct nfs_server *, struct nfs_fh *, struct nfs_fsinfo *); + void (*free_lock_state)(struct nfs_server *, struct nfs4_lock_state *); + int (*test_and_free_expired)(struct nfs_server *, nfs4_stateid *, const struct cred___2 *); + struct nfs_seqid * (*alloc_seqid)(struct nfs_seqid_counter *, gfp_t); + void (*session_trunk)(struct rpc_clnt *, struct rpc_xprt *, void *); + const struct rpc_call_ops *call_sync_ops; + const struct nfs4_state_recovery_ops *reboot_recovery_ops; + const struct nfs4_state_recovery_ops *nograce_recovery_ops; + const struct nfs4_state_maintenance_ops *state_renewal_ops; + const struct nfs4_mig_recovery_ops *mig_recovery_ops; +}; + +struct nfs_iostats { + long long unsigned int bytes[8]; + long unsigned int events[27]; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct nfs4_state_owner; + +struct nfs4_state { + struct list_head open_states; + struct list_head inode_states; + struct list_head lock_states; + struct nfs4_state_owner *owner; + struct inode___2 *inode; + long unsigned int flags; + spinlock_t state_lock; + seqlock_t seqlock; + nfs4_stateid stateid; + nfs4_stateid open_stateid; + unsigned int n_rdonly; + unsigned int n_wronly; + unsigned int n_rdwr; + fmode_t state; + refcount_t count; + wait_queue_head_t waitq; + struct callback_head callback_head; +}; + +struct svc_cred { + kuid_t cr_uid; + kgid_t cr_gid; + struct group_info *cr_group_info; + u32 cr_flavor; + char *cr_raw_principal; + char *cr_principal; + char *cr_targ_princ; + struct gss_api_mech *cr_gss_mech; +}; + +struct cache_deferred_req; + +struct cache_req { + struct cache_deferred_req * (*defer)(struct cache_req *); + int thread_wait; +}; + +struct svc_cacherep; + +struct svc_pool; + +struct svc_procedure; + +struct auth_ops; + +struct svc_deferred_req; + +struct auth_domain; + +struct svc_rqst { + struct list_head rq_all; + struct callback_head rq_rcu_head; + struct svc_xprt *rq_xprt; + struct __kernel_sockaddr_storage rq_addr; + size_t rq_addrlen; + struct __kernel_sockaddr_storage rq_daddr; + size_t rq_daddrlen; + struct svc_serv *rq_server; + struct svc_pool *rq_pool; + const struct svc_procedure *rq_procinfo; + struct auth_ops *rq_authop; + struct svc_cred rq_cred; + void *rq_xprt_ctxt; + struct svc_deferred_req *rq_deferred; + size_t rq_xprt_hlen; + struct xdr_buf rq_arg; + struct xdr_buf rq_res; + struct page___2 *rq_pages[260]; + struct page___2 **rq_respages; + struct page___2 **rq_next_page; + struct page___2 **rq_page_end; + struct kvec rq_vec[259]; + __be32 rq_xid; + u32 rq_prog; + u32 rq_vers; + u32 rq_proc; + u32 rq_prot; + int rq_cachetype; + long unsigned int rq_flags; + ktime_t rq_qtime; + void *rq_argp; + void *rq_resp; + void *rq_auth_data; + int rq_auth_slack; + int rq_reserved; + ktime_t rq_stime; + struct cache_req rq_chandle; + struct auth_domain *rq_client; + struct auth_domain *rq_gssclient; + struct svc_cacherep *rq_cacherep; + struct task_struct___2 *rq_task; + spinlock_t rq_lock; + struct net___2 *rq_bc_net; +}; + +struct nlmclnt_initdata { + const char *hostname; + const struct sockaddr *address; + size_t addrlen; + short unsigned int protocol; + u32 nfs_version; + int noresvport; + struct net___2 *net; + const struct nlmclnt_operations *nlmclnt_ops; + const struct cred___2 *cred; +}; + +struct cache_head { + struct hlist_node cache_list; + time_t expiry_time; + time_t last_refresh; + struct kref ref; + long unsigned int flags; +}; + +struct cache_detail { + struct module___2 *owner; + int hash_size; + struct hlist_head *hash_table; + spinlock_t hash_lock; + char *name; + void (*cache_put)(struct kref *); + int (*cache_upcall)(struct cache_detail *, struct cache_head *); + void (*cache_request)(struct cache_detail *, struct cache_head *, char **, int *); + int (*cache_parse)(struct cache_detail *, char *, int); + int (*cache_show)(struct seq_file *, struct cache_detail *, struct cache_head *); + void (*warn_no_listener)(struct cache_detail *, int); + struct cache_head * (*alloc)(); + void (*flush)(); + int (*match)(struct cache_head *, struct cache_head *); + void (*init)(struct cache_head *, struct cache_head *); + void (*update)(struct cache_head *, struct cache_head *); + time_t flush_time; + struct list_head others; + time_t nextcheck; + int entries; + struct list_head queue; + atomic_t writers; + time_t last_close; + time_t last_warn; + union { + struct proc_dir_entry *procfs; + struct dentry___2 *pipefs; + }; + struct net___2 *net; +}; + +struct cache_deferred_req { + struct hlist_node hash; + struct list_head recent; + struct cache_head *item; + void *owner; + void (*revisit)(struct cache_deferred_req *, int); +}; + +struct auth_domain { + struct kref ref; + struct hlist_node hash; + char *name; + struct auth_ops *flavour; + struct callback_head callback_head; +}; + +struct auth_ops { + char *name; + struct module___2 *owner; + int flavour; + int (*accept)(struct svc_rqst *, __be32 *); + int (*release)(struct svc_rqst *); + void (*domain_release)(struct auth_domain *); + int (*set_client)(struct svc_rqst *); +}; + +struct svc_pool_stats { + atomic_long_t packets; + long unsigned int sockets_queued; + atomic_long_t threads_woken; + atomic_long_t threads_timedout; +}; + +struct svc_pool { + unsigned int sp_id; + spinlock_t sp_lock; + struct list_head sp_sockets; + unsigned int sp_nrthreads; + struct list_head sp_all_threads; + struct svc_pool_stats sp_stats; + long unsigned int sp_flags; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct svc_serv_ops { + void (*svo_shutdown)(struct svc_serv *, struct net___2 *); + int (*svo_function)(void *); + void (*svo_enqueue_xprt)(struct svc_xprt *); + int (*svo_setup)(struct svc_serv *, struct svc_pool *, int); + struct module___2 *svo_module; +}; + +struct svc_serv { + struct svc_program *sv_program; + struct svc_stat *sv_stats; + spinlock_t sv_lock; + unsigned int sv_nrthreads; + unsigned int sv_maxconn; + unsigned int sv_max_payload; + unsigned int sv_max_mesg; + unsigned int sv_xdrsize; + struct list_head sv_permsocks; + struct list_head sv_tempsocks; + int sv_tmpcnt; + struct timer_list sv_temptimer; + char *sv_name; + unsigned int sv_nrpools; + struct svc_pool *sv_pools; + const struct svc_serv_ops *sv_ops; +}; + +struct svc_procedure { + __be32 (*pc_func)(struct svc_rqst *); + int (*pc_decode)(struct svc_rqst *, __be32 *); + int (*pc_encode)(struct svc_rqst *, __be32 *); + void (*pc_release)(struct svc_rqst *); + unsigned int pc_argsize; + unsigned int pc_ressize; + unsigned int pc_cachetype; + unsigned int pc_xdrressize; +}; + +struct svc_deferred_req { + u32 prot; + struct svc_xprt *xprt; + struct __kernel_sockaddr_storage addr; + size_t addrlen; + struct __kernel_sockaddr_storage daddr; + size_t daddrlen; + struct cache_deferred_req handle; + size_t xprt_hlen; + int argslen; + __be32 args[0]; +}; + +struct svc_process_info { + union { + int (*dispatch)(struct svc_rqst *, __be32 *); + struct { + unsigned int lovers; + unsigned int hivers; + } mismatch; + }; +}; + +struct svc_version { + u32 vs_vers; + u32 vs_nproc; + const struct svc_procedure *vs_proc; + unsigned int *vs_count; + u32 vs_xdrsize; + bool vs_hidden; + bool vs_rpcb_optnl; + bool vs_need_cong_ctrl; + int (*vs_dispatch)(struct svc_rqst *, __be32 *); +}; + +struct svc_xprt_ops { + struct svc_xprt * (*xpo_create)(struct svc_serv *, struct net___2 *, struct sockaddr *, int, int); + struct svc_xprt * (*xpo_accept)(struct svc_xprt *); + int (*xpo_has_wspace)(struct svc_xprt *); + int (*xpo_recvfrom)(struct svc_rqst *); + int (*xpo_sendto)(struct svc_rqst *); + void (*xpo_release_rqst)(struct svc_rqst *); + void (*xpo_detach)(struct svc_xprt *); + void (*xpo_free)(struct svc_xprt *); + void (*xpo_secure_port)(struct svc_rqst *); + void (*xpo_kill_temp_xprt)(struct svc_xprt *); +}; + +struct svc_xprt_class { + const char *xcl_name; + struct module___2 *xcl_owner; + const struct svc_xprt_ops *xcl_ops; + struct list_head xcl_list; + u32 xcl_max_payload; + int xcl_ident; +}; + +struct nfs4_state_recovery_ops { + int owner_flag_bit; + int state_flag_bit; + int (*recover_open)(struct nfs4_state_owner *, struct nfs4_state *); + int (*recover_lock)(struct nfs4_state *, struct file_lock *); + int (*establish_clid)(struct nfs_client *, const struct cred___2 *); + int (*reclaim_complete)(struct nfs_client *, const struct cred___2 *); + int (*detect_trunking)(struct nfs_client *, struct nfs_client **, const struct cred___2 *); +}; + +struct nfs4_state_maintenance_ops { + int (*sched_state_renewal)(struct nfs_client *, const struct cred___2 *, unsigned int); + const struct cred___2 * (*get_state_renewal_cred)(struct nfs_client *); + int (*renew_lease)(struct nfs_client *, const struct cred___2 *); +}; + +struct nfs4_mig_recovery_ops { + int (*get_locations)(struct inode___2 *, struct nfs4_fs_locations *, struct page___2 *, const struct cred___2 *); + int (*fsid_present)(struct inode___2 *, const struct cred___2 *); +}; + +struct nfs4_state_owner { + struct nfs_server *so_server; + struct list_head so_lru; + long unsigned int so_expires; + struct rb_node so_server_node; + const struct cred___2 *so_cred; + spinlock_t so_lock; + atomic_t so_count; + long unsigned int so_flags; + struct list_head so_states; + struct nfs_seqid_counter so_seqid; + seqcount_t so_reclaim_seqcount; + struct mutex so_delegreturn_mutex; +}; + +enum nfs_stat_bytecounters { + NFSIOS_NORMALREADBYTES = 0, + NFSIOS_NORMALWRITTENBYTES = 1, + NFSIOS_DIRECTREADBYTES = 2, + NFSIOS_DIRECTWRITTENBYTES = 3, + NFSIOS_SERVERREADBYTES = 4, + NFSIOS_SERVERWRITTENBYTES = 5, + NFSIOS_READPAGES = 6, + NFSIOS_WRITEPAGES = 7, + __NFSIOS_BYTESMAX = 8, +}; + +enum nfs_stat_eventcounters { + NFSIOS_INODEREVALIDATE = 0, + NFSIOS_DENTRYREVALIDATE = 1, + NFSIOS_DATAINVALIDATE = 2, + NFSIOS_ATTRINVALIDATE = 3, + NFSIOS_VFSOPEN = 4, + NFSIOS_VFSLOOKUP = 5, + NFSIOS_VFSACCESS = 6, + NFSIOS_VFSUPDATEPAGE = 7, + NFSIOS_VFSREADPAGE = 8, + NFSIOS_VFSREADPAGES = 9, + NFSIOS_VFSWRITEPAGE = 10, + NFSIOS_VFSWRITEPAGES = 11, + NFSIOS_VFSGETDENTS = 12, + NFSIOS_VFSSETATTR = 13, + NFSIOS_VFSFLUSH = 14, + NFSIOS_VFSFSYNC = 15, + NFSIOS_VFSLOCK = 16, + NFSIOS_VFSRELEASE = 17, + NFSIOS_CONGESTIONWAIT = 18, + NFSIOS_SETATTRTRUNC = 19, + NFSIOS_EXTENDWRITE = 20, + NFSIOS_SILLYRENAME = 21, + NFSIOS_SHORTREAD = 22, + NFSIOS_SHORTWRITE = 23, + NFSIOS_DELAY = 24, + NFSIOS_PNFS_READ = 25, + NFSIOS_PNFS_WRITE = 26, + __NFSIOS_COUNTSMAX = 27, +}; + +struct nfs_clone_mount { + const struct super_block___2 *sb; + const struct dentry___2 *dentry; + struct nfs_fh *fh; + struct nfs_fattr *fattr; + char *hostname; + char *mnt_path; + struct sockaddr *addr; + size_t addrlen; + rpc_authflavor_t authflavor; +}; + +struct nfs_parsed_mount_data { + int flags; + unsigned int rsize; + unsigned int wsize; + unsigned int timeo; + unsigned int retrans; + unsigned int acregmin; + unsigned int acregmax; + unsigned int acdirmin; + unsigned int acdirmax; + unsigned int namlen; + unsigned int options; + unsigned int bsize; + struct nfs_auth_info auth_info; + rpc_authflavor_t selected_flavor; + char *client_address; + unsigned int version; + unsigned int minorversion; + char *fscache_uniq; + bool need_mount; + struct { + struct __kernel_sockaddr_storage address; + size_t addrlen; + char *hostname; + u32 version; + int port; + short unsigned int protocol; + } mount_server; + struct { + struct __kernel_sockaddr_storage address; + size_t addrlen; + char *hostname; + char *export_path; + int port; + short unsigned int protocol; + short unsigned int nconnect; + } nfs_server; + void *lsm_opts; + struct net___2 *net; +}; + +struct bl_dev_msg { + int32_t status; + uint32_t major; + uint32_t minor; +}; + +struct nfs_netns_client; + +struct nfs_net { + struct cache_detail *nfs_dns_resolve; + struct rpc_pipe *bl_device_pipe; + struct bl_dev_msg bl_mount_reply; + wait_queue_head_t bl_wq; + struct mutex bl_mutex; + struct list_head nfs_client_list; + struct list_head nfs_volume_list; + struct idr cb_ident_idr; + short unsigned int nfs_callback_tcpport; + short unsigned int nfs_callback_tcpport6; + int cb_users[1]; + struct nfs_netns_client *nfs_client; + spinlock_t nfs_client_lock; + ktime_t boot_time; + struct proc_dir_entry *proc_nfsfs; +}; + +struct nfs_netns_client { + struct kobject___2 kobject; + struct net___2 *net; + const char *identifier; +}; + +typedef int filler_t___2(void *, struct page *); + +struct nfs_open_dir_context { + struct list_head list; + const struct cred *cred; + long unsigned int attr_gencount; + __u64 dir_cookie; + __u64 dup_cookie; + signed char duped; +}; + +struct nfs4_cached_acl; + +struct nfs_delegation; + +struct nfs_inode { + __u64 fileid; + struct nfs_fh fh; + long unsigned int flags; + long unsigned int cache_validity; + long unsigned int read_cache_jiffies; + long unsigned int attrtimeo; + long unsigned int attrtimeo_timestamp; + long unsigned int attr_gencount; + long unsigned int cache_change_attribute; + struct rb_root access_cache; + struct list_head access_cache_entry_lru; + struct list_head access_cache_inode_lru; + __be32 cookieverf[2]; + atomic_long_t nrequests; + struct nfs_mds_commit_info commit_info; + struct list_head open_files; + struct rw_semaphore rmdir_sem; + struct mutex commit_mutex; + struct nfs4_cached_acl *nfs4_acl; + struct list_head open_states; + struct nfs_delegation *delegation; + struct rw_semaphore rwsem; + struct pnfs_layout_hdr *layout; + __u64 write_io; + __u64 read_io; + struct inode vfs_inode; +}; + +struct nfs_delegation { + struct list_head super_list; + const struct cred *cred; + struct inode *inode; + nfs4_stateid stateid; + fmode_t type; + long unsigned int pagemod_limit; + __u64 change_attr; + long unsigned int flags; + spinlock_t lock; + struct callback_head rcu; +}; + +struct nfs_cache_array_entry { + u64 cookie; + u64 ino; + struct qstr string; + unsigned char d_type; +}; + +struct nfs_cache_array { + int size; + int eof_index; + u64 last_cookie; + struct nfs_cache_array_entry array[0]; +}; + +typedef int (*decode_dirent_t)(struct xdr_stream *, struct nfs_entry *, bool); + +typedef struct { + struct file *file; + struct page *page; + struct dir_context *ctx; + long unsigned int page_index; + u64 *dir_cookie; + u64 last_cookie; + loff_t current_index; + decode_dirent_t decode; + long unsigned int timestamp; + long unsigned int gencount; + unsigned int cache_entry_index; + bool plus; + bool eof; +} nfs_readdir_descriptor_t; + +struct nfs_find_desc { + struct nfs_fh *fh; + struct nfs_fattr *fattr; +}; + +struct nfs2_fh { + char data[32]; +}; + +struct nfs3_fh { + short unsigned int size; + unsigned char data[64]; +}; + +struct nfs4_sessionid { + unsigned char data[16]; +}; + +struct nfs4_channel_attrs { + u32 max_rqst_sz; + u32 max_resp_sz; + u32 max_resp_sz_cached; + u32 max_ops; + u32 max_reqs; +}; + +struct nfs4_slot { + struct nfs4_slot_table *table; + struct nfs4_slot *next; + long unsigned int generation; + u32 slot_nr; + u32 seq_nr; + u32 seq_nr_last_acked; + u32 seq_nr_highest_sent; + unsigned int privileged: 1; + unsigned int seq_done: 1; +}; + +struct nfs4_slot_table { + struct nfs4_session *session; + struct nfs4_slot *slots; + long unsigned int used_slots[16]; + spinlock_t slot_tbl_lock; + struct rpc_wait_queue slot_tbl_waitq; + wait_queue_head_t slot_waitq; + u32 max_slots; + u32 max_slotid; + u32 highest_used_slotid; + u32 target_highest_slotid; + u32 server_highest_slotid; + s32 d_target_highest_slotid; + s32 d2_target_highest_slotid; + long unsigned int generation; + struct completion complete; + long unsigned int slot_tbl_state; +}; + +struct nfs4_session { + struct nfs4_sessionid sess_id; + u32 flags; + long unsigned int session_state; + u32 hash_alg; + u32 ssv_len; + struct nfs4_channel_attrs fc_attrs; + struct nfs4_slot_table fc_slot_table; + struct nfs4_channel_attrs bc_attrs; + struct nfs4_slot_table bc_slot_table; + struct nfs_client *clp; +}; + +struct nfs_mount_data { + int version; + int fd; + struct nfs2_fh old_root; + int flags; + int rsize; + int wsize; + int timeo; + int retrans; + int acregmin; + int acregmax; + int acdirmin; + int acdirmax; + struct sockaddr_in addr; + char hostname[256]; + int namlen; + unsigned int bsize; + struct nfs3_fh root; + int pseudoflavor; + char context[257]; +}; + +struct nfs_mount_request { + struct sockaddr *sap; + size_t salen; + char *hostname; + char *dirpath; + u32 version; + short unsigned int protocol; + struct nfs_fh *fh; + int noresvport; + unsigned int *auth_flav_len; + rpc_authflavor_t *auth_flavs; + struct net *net; +}; + +enum { + Opt_soft = 0, + Opt_softerr = 1, + Opt_hard = 2, + Opt_posix = 3, + Opt_noposix = 4, + Opt_cto = 5, + Opt_nocto = 6, + Opt_ac = 7, + Opt_noac = 8, + Opt_lock = 9, + Opt_nolock = 10, + Opt_udp = 11, + Opt_tcp = 12, + Opt_rdma = 13, + Opt_acl___2 = 14, + Opt_noacl___2 = 15, + Opt_rdirplus = 16, + Opt_nordirplus = 17, + Opt_sharecache = 18, + Opt_nosharecache = 19, + Opt_resvport = 20, + Opt_noresvport = 21, + Opt_fscache = 22, + Opt_nofscache = 23, + Opt_migration = 24, + Opt_nomigration = 25, + Opt_port = 26, + Opt_rsize = 27, + Opt_wsize = 28, + Opt_bsize = 29, + Opt_timeo = 30, + Opt_retrans = 31, + Opt_acregmin = 32, + Opt_acregmax = 33, + Opt_acdirmin = 34, + Opt_acdirmax = 35, + Opt_actimeo = 36, + Opt_namelen = 37, + Opt_mountport = 38, + Opt_mountvers = 39, + Opt_minorversion = 40, + Opt_nfsvers = 41, + Opt_sec = 42, + Opt_proto = 43, + Opt_mountproto = 44, + Opt_mounthost = 45, + Opt_addr = 46, + Opt_mountaddr = 47, + Opt_clientaddr = 48, + Opt_nconnect = 49, + Opt_lookupcache = 50, + Opt_fscache_uniq = 51, + Opt_local_lock = 52, + Opt_userspace = 53, + Opt_deprecated = 54, + Opt_sloppy = 55, + Opt_err___5 = 56, +}; + +enum { + Opt_xprt_udp = 0, + Opt_xprt_udp6 = 1, + Opt_xprt_tcp = 2, + Opt_xprt_tcp6 = 3, + Opt_xprt_rdma = 4, + Opt_xprt_rdma6 = 5, + Opt_xprt_err = 6, +}; + +enum { + Opt_sec_none = 0, + Opt_sec_sys = 1, + Opt_sec_krb5 = 2, + Opt_sec_krb5i = 3, + Opt_sec_krb5p = 4, + Opt_sec_lkey = 5, + Opt_sec_lkeyi = 6, + Opt_sec_lkeyp = 7, + Opt_sec_spkm = 8, + Opt_sec_spkmi = 9, + Opt_sec_spkmp = 10, + Opt_sec_err = 11, +}; + +enum { + Opt_lookupcache_all = 0, + Opt_lookupcache_positive = 1, + Opt_lookupcache_none = 2, + Opt_lookupcache_err = 3, +}; + +enum { + Opt_local_lock_all = 0, + Opt_local_lock_flock = 1, + Opt_local_lock_posix = 2, + Opt_local_lock_none = 3, + Opt_local_lock_err = 4, +}; + +enum { + Opt_vers_2 = 0, + Opt_vers_3 = 1, + Opt_vers_4 = 2, + Opt_vers_4_0 = 3, + Opt_vers_4_1 = 4, + Opt_vers_4_2 = 5, + Opt_vers_err = 6, +}; + +struct nfs_sb_mountdata { + struct nfs_server *server; + int mntflags; +}; + +struct proc_nfs_info { + int flag; + const char *str; + const char *nostr; +}; + +enum { + NFS_IOHDR_ERROR = 0, + NFS_IOHDR_EOF = 1, + NFS_IOHDR_REDO = 2, + NFS_IOHDR_STAT = 3, + NFS_IOHDR_RESEND_PNFS = 4, + NFS_IOHDR_RESEND_MDS = 5, +}; + +struct nfs_direct_req { + struct kref kref; + struct nfs_open_context *ctx; + struct nfs_lock_context *l_ctx; + struct kiocb *iocb; + struct inode *inode; + atomic_t io_count; + spinlock_t lock; + loff_t io_start; + ssize_t count; + ssize_t max_count; + ssize_t bytes_left; + ssize_t error; + struct completion completion; + struct nfs_mds_commit_info mds_cinfo; + struct pnfs_ds_commit_info ds_cinfo; + struct work_struct work; + int flags; + struct nfs_writeverf verf; +}; + +enum { + PG_BUSY = 0, + PG_MAPPED = 1, + PG_CLEAN = 2, + PG_COMMIT_TO_DS = 3, + PG_INODE_REF = 4, + PG_HEADLOCK = 5, + PG_TEARDOWN = 6, + PG_UNLOCKPAGE = 7, + PG_UPTODATE = 8, + PG_WB_END = 9, + PG_REMOVE = 10, + PG_CONTENDED1 = 11, + PG_CONTENDED2 = 12, +}; + +struct nfs_pageio_descriptor; + +struct nfs_pageio_ops { + void (*pg_init)(struct nfs_pageio_descriptor *, struct nfs_page *); + size_t (*pg_test)(struct nfs_pageio_descriptor *, struct nfs_page *, struct nfs_page *); + int (*pg_doio)(struct nfs_pageio_descriptor *); + unsigned int (*pg_get_mirror_count)(struct nfs_pageio_descriptor *, struct nfs_page *); + void (*pg_cleanup)(struct nfs_pageio_descriptor *); +}; + +struct nfs_pgio_mirror { + struct list_head pg_list; + long unsigned int pg_bytes_written; + size_t pg_count; + size_t pg_bsize; + unsigned int pg_base; + unsigned char pg_recoalesce: 1; +}; + +struct nfs_pageio_descriptor { + struct inode *pg_inode; + const struct nfs_pageio_ops *pg_ops; + const struct nfs_rw_ops *pg_rw_ops; + int pg_ioflags; + int pg_error; + const struct rpc_call_ops *pg_rpc_callops; + const struct nfs_pgio_completion_ops *pg_completion_ops; + struct pnfs_layout_segment *pg_lseg; + struct nfs_io_completion *pg_io_completion; + struct nfs_direct_req *pg_dreq; + unsigned int pg_bsize; + u32 pg_mirror_count; + struct nfs_pgio_mirror *pg_mirrors; + struct nfs_pgio_mirror pg_mirrors_static[1]; + struct nfs_pgio_mirror *pg_mirrors_dynamic; + u32 pg_mirror_idx; + short unsigned int pg_maxretrans; + unsigned char pg_moreio: 1; +}; + +typedef void (*rpc_action)(struct rpc_task *); + +struct nfs_readdesc { + struct nfs_pageio_descriptor *pgio; + struct nfs_open_context *ctx; +}; + +typedef int (*writepage_t___2)(struct page *, struct writeback_control *, void *); + +struct nfs_io_completion { + void (*complete)(void *); + void *data; + struct kref refcount; +}; + +enum pnfs_try_status { + PNFS_ATTEMPTED = 0, + PNFS_NOT_ATTEMPTED = 1, + PNFS_TRY_AGAIN = 2, +}; + +enum { + MOUNTPROC_NULL = 0, + MOUNTPROC_MNT = 1, + MOUNTPROC_DUMP = 2, + MOUNTPROC_UMNT = 3, + MOUNTPROC_UMNTALL = 4, + MOUNTPROC_EXPORT = 5, +}; + +enum { + MOUNTPROC3_NULL = 0, + MOUNTPROC3_MNT = 1, + MOUNTPROC3_DUMP = 2, + MOUNTPROC3_UMNT = 3, + MOUNTPROC3_UMNTALL = 4, + MOUNTPROC3_EXPORT = 5, +}; + +enum mountstat { + MNT_OK = 0, + MNT_EPERM = 1, + MNT_ENOENT = 2, + MNT_EACCES = 13, + MNT_EINVAL = 22, +}; + +enum mountstat3 { + MNT3_OK = 0, + MNT3ERR_PERM = 1, + MNT3ERR_NOENT = 2, + MNT3ERR_IO = 5, + MNT3ERR_ACCES = 13, + MNT3ERR_NOTDIR = 20, + MNT3ERR_INVAL = 22, + MNT3ERR_NAMETOOLONG = 63, + MNT3ERR_NOTSUPP = 10004, + MNT3ERR_SERVERFAULT = 10006, +}; + +struct mountres { + int errno; + struct nfs_fh *fh; + unsigned int *auth_count; + rpc_authflavor_t *auth_flavors; +}; + +enum nfs_stat { + NFS_OK = 0, + NFSERR_PERM = 1, + NFSERR_NOENT = 2, + NFSERR_IO = 5, + NFSERR_NXIO = 6, + NFSERR_EAGAIN = 11, + NFSERR_ACCES = 13, + NFSERR_EXIST = 17, + NFSERR_XDEV = 18, + NFSERR_NODEV = 19, + NFSERR_NOTDIR = 20, + NFSERR_ISDIR = 21, + NFSERR_INVAL = 22, + NFSERR_FBIG = 27, + NFSERR_NOSPC = 28, + NFSERR_ROFS = 30, + NFSERR_MLINK = 31, + NFSERR_OPNOTSUPP = 45, + NFSERR_NAMETOOLONG = 63, + NFSERR_NOTEMPTY = 66, + NFSERR_DQUOT = 69, + NFSERR_STALE = 70, + NFSERR_REMOTE = 71, + NFSERR_WFLUSH = 99, + NFSERR_BADHANDLE = 10001, + NFSERR_NOT_SYNC = 10002, + NFSERR_BAD_COOKIE = 10003, + NFSERR_NOTSUPP = 10004, + NFSERR_TOOSMALL = 10005, + NFSERR_SERVERFAULT = 10006, + NFSERR_BADTYPE = 10007, + NFSERR_JUKEBOX = 10008, + NFSERR_SAME = 10009, + NFSERR_DENIED = 10010, + NFSERR_EXPIRED = 10011, + NFSERR_LOCKED = 10012, + NFSERR_GRACE = 10013, + NFSERR_FHEXPIRED = 10014, + NFSERR_SHARE_DENIED = 10015, + NFSERR_WRONGSEC = 10016, + NFSERR_CLID_INUSE = 10017, + NFSERR_RESOURCE = 10018, + NFSERR_MOVED = 10019, + NFSERR_NOFILEHANDLE = 10020, + NFSERR_MINOR_VERS_MISMATCH = 10021, + NFSERR_STALE_CLIENTID = 10022, + NFSERR_STALE_STATEID = 10023, + NFSERR_OLD_STATEID = 10024, + NFSERR_BAD_STATEID = 10025, + NFSERR_BAD_SEQID = 10026, + NFSERR_NOT_SAME = 10027, + NFSERR_LOCK_RANGE = 10028, + NFSERR_SYMLINK = 10029, + NFSERR_RESTOREFH = 10030, + NFSERR_LEASE_MOVED = 10031, + NFSERR_ATTRNOTSUPP = 10032, + NFSERR_NO_GRACE = 10033, + NFSERR_RECLAIM_BAD = 10034, + NFSERR_RECLAIM_CONFLICT = 10035, + NFSERR_BAD_XDR = 10036, + NFSERR_LOCKS_HELD = 10037, + NFSERR_OPENMODE = 10038, + NFSERR_BADOWNER = 10039, + NFSERR_BADCHAR = 10040, + NFSERR_BADNAME = 10041, + NFSERR_BAD_RANGE = 10042, + NFSERR_LOCK_NOTSUPP = 10043, + NFSERR_OP_ILLEGAL = 10044, + NFSERR_DEADLOCK = 10045, + NFSERR_FILE_OPEN = 10046, + NFSERR_ADMIN_REVOKED = 10047, + NFSERR_CB_PATH_DOWN = 10048, +}; + +struct trace_event_raw_nfs_inode_event { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + u64 version; + char __data[0]; +}; + +struct trace_event_raw_nfs_inode_event_done { + struct trace_entry ent; + long unsigned int error; + dev_t dev; + u32 fhandle; + unsigned char type; + u64 fileid; + u64 version; + loff_t size; + long unsigned int nfsi_flags; + long unsigned int cache_validity; + char __data[0]; +}; + +struct trace_event_raw_nfs_lookup_event { + struct trace_entry ent; + long unsigned int flags; + dev_t dev; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_lookup_event_done { + struct trace_entry ent; + long unsigned int error; + long unsigned int flags; + dev_t dev; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_atomic_open_enter { + struct trace_entry ent; + long unsigned int flags; + unsigned int fmode; + dev_t dev; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_atomic_open_exit { + struct trace_entry ent; + long unsigned int error; + long unsigned int flags; + unsigned int fmode; + dev_t dev; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_create_enter { + struct trace_entry ent; + long unsigned int flags; + dev_t dev; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_create_exit { + struct trace_entry ent; + long unsigned int error; + long unsigned int flags; + dev_t dev; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_directory_event { + struct trace_entry ent; + dev_t dev; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_directory_event_done { + struct trace_entry ent; + long unsigned int error; + dev_t dev; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_link_enter { + struct trace_entry ent; + dev_t dev; + u64 fileid; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_link_exit { + struct trace_entry ent; + long unsigned int error; + dev_t dev; + u64 fileid; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_rename_event { + struct trace_entry ent; + dev_t dev; + u64 old_dir; + u64 new_dir; + u32 __data_loc_old_name; + u32 __data_loc_new_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_rename_event_done { + struct trace_entry ent; + dev_t dev; + long unsigned int error; + u64 old_dir; + u32 __data_loc_old_name; + u64 new_dir; + u32 __data_loc_new_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_sillyrename_unlink { + struct trace_entry ent; + dev_t dev; + long unsigned int error; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs_initiate_read { + struct trace_entry ent; + loff_t offset; + long unsigned int count; + dev_t dev; + u32 fhandle; + u64 fileid; + char __data[0]; +}; + +struct trace_event_raw_nfs_readpage_done { + struct trace_entry ent; + int status; + loff_t offset; + bool eof; + dev_t dev; + u32 fhandle; + u64 fileid; + char __data[0]; +}; + +struct trace_event_raw_nfs_initiate_write { + struct trace_entry ent; + loff_t offset; + long unsigned int count; + enum nfs3_stable_how stable; + dev_t dev; + u32 fhandle; + u64 fileid; + char __data[0]; +}; + +struct trace_event_raw_nfs_writeback_done { + struct trace_entry ent; + int status; + loff_t offset; + enum nfs3_stable_how stable; + long long unsigned int verifier; + dev_t dev; + u32 fhandle; + u64 fileid; + char __data[0]; +}; + +struct trace_event_raw_nfs_initiate_commit { + struct trace_entry ent; + loff_t offset; + long unsigned int count; + dev_t dev; + u32 fhandle; + u64 fileid; + char __data[0]; +}; + +struct trace_event_raw_nfs_commit_done { + struct trace_entry ent; + int status; + loff_t offset; + long long unsigned int verifier; + dev_t dev; + u32 fhandle; + u64 fileid; + char __data[0]; +}; + +struct trace_event_raw_nfs_fh_to_dentry { + struct trace_entry ent; + int error; + dev_t dev; + u32 fhandle; + u64 fileid; + char __data[0]; +}; + +struct trace_event_raw_nfs_xdr_status { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + u32 xid; + long unsigned int error; + char __data[0]; +}; + +struct trace_event_data_offsets_nfs_inode_event {}; + +struct trace_event_data_offsets_nfs_inode_event_done {}; + +struct trace_event_data_offsets_nfs_lookup_event { + u32 name; +}; + +struct trace_event_data_offsets_nfs_lookup_event_done { + u32 name; +}; + +struct trace_event_data_offsets_nfs_atomic_open_enter { + u32 name; +}; + +struct trace_event_data_offsets_nfs_atomic_open_exit { + u32 name; +}; + +struct trace_event_data_offsets_nfs_create_enter { + u32 name; +}; + +struct trace_event_data_offsets_nfs_create_exit { + u32 name; +}; + +struct trace_event_data_offsets_nfs_directory_event { + u32 name; +}; + +struct trace_event_data_offsets_nfs_directory_event_done { + u32 name; +}; + +struct trace_event_data_offsets_nfs_link_enter { + u32 name; +}; + +struct trace_event_data_offsets_nfs_link_exit { + u32 name; +}; + +struct trace_event_data_offsets_nfs_rename_event { + u32 old_name; + u32 new_name; +}; + +struct trace_event_data_offsets_nfs_rename_event_done { + u32 old_name; + u32 new_name; +}; + +struct trace_event_data_offsets_nfs_sillyrename_unlink { + u32 name; +}; + +struct trace_event_data_offsets_nfs_initiate_read {}; + +struct trace_event_data_offsets_nfs_readpage_done {}; + +struct trace_event_data_offsets_nfs_initiate_write {}; + +struct trace_event_data_offsets_nfs_writeback_done {}; + +struct trace_event_data_offsets_nfs_initiate_commit {}; + +struct trace_event_data_offsets_nfs_commit_done {}; + +struct trace_event_data_offsets_nfs_fh_to_dentry {}; + +struct trace_event_data_offsets_nfs_xdr_status {}; + +enum { + FILEID_HIGH_OFF = 0, + FILEID_LOW_OFF = 1, + FILE_I_TYPE_OFF = 2, + EMBED_FH_OFF = 3, +}; + +struct nfs2_fsstat { + __u32 tsize; + __u32 bsize; + __u32 blocks; + __u32 bfree; + __u32 bavail; +}; + +struct nfs_sattrargs { + struct nfs_fh *fh; + struct iattr *sattr; +}; + +struct nfs_diropargs { + struct nfs_fh *fh; + const char *name; + unsigned int len; +}; + +struct nfs_createargs { + struct nfs_fh *fh; + const char *name; + unsigned int len; + struct iattr *sattr; +}; + +struct nfs_linkargs { + struct nfs_fh *fromfh; + struct nfs_fh *tofh; + const char *toname; + unsigned int tolen; +}; + +struct nfs_symlinkargs { + struct nfs_fh *fromfh; + const char *fromname; + unsigned int fromlen; + struct page **pages; + unsigned int pathlen; + struct iattr *sattr; +}; + +struct nfs_readdirargs { + struct nfs_fh *fh; + __u32 cookie; + unsigned int count; + struct page **pages; +}; + +struct nfs_diropok { + struct nfs_fh *fh; + struct nfs_fattr *fattr; +}; + +struct nfs_readlinkargs { + struct nfs_fh *fh; + unsigned int pgbase; + unsigned int pglen; + struct page **pages; +}; + +struct nfs_createdata { + struct nfs_createargs arg; + struct nfs_diropok res; + struct nfs_fh fhandle; + struct nfs_fattr fattr; +}; + +enum nfs_ftype { + NFNON = 0, + NFREG = 1, + NFDIR = 2, + NFBLK = 3, + NFCHR = 4, + NFLNK = 5, + NFSOCK = 6, + NFBAD = 7, + NFFIFO = 8, +}; + +enum nfs2_ftype { + NF2NON = 0, + NF2REG = 1, + NF2DIR = 2, + NF2BLK = 3, + NF2CHR = 4, + NF2LNK = 5, + NF2SOCK = 6, + NF2BAD = 7, + NF2FIFO = 8, +}; + +enum nfs3_createmode { + NFS3_CREATE_UNCHECKED = 0, + NFS3_CREATE_GUARDED = 1, + NFS3_CREATE_EXCLUSIVE = 2, +}; + +enum nfs3_ftype { + NF3NON = 0, + NF3REG = 1, + NF3DIR = 2, + NF3BLK = 3, + NF3CHR = 4, + NF3LNK = 5, + NF3SOCK = 6, + NF3FIFO = 7, + NF3BAD = 8, +}; + +struct nfs3_sattrargs { + struct nfs_fh *fh; + struct iattr *sattr; + unsigned int guard; + struct timespec64 guardtime; +}; + +struct nfs3_diropargs { + struct nfs_fh *fh; + const char *name; + unsigned int len; +}; + +struct nfs3_accessargs { + struct nfs_fh *fh; + __u32 access; +}; + +struct nfs3_createargs { + struct nfs_fh *fh; + const char *name; + unsigned int len; + struct iattr *sattr; + enum nfs3_createmode createmode; + __be32 verifier[2]; +}; + +struct nfs3_mkdirargs { + struct nfs_fh *fh; + const char *name; + unsigned int len; + struct iattr *sattr; +}; + +struct nfs3_symlinkargs { + struct nfs_fh *fromfh; + const char *fromname; + unsigned int fromlen; + struct page **pages; + unsigned int pathlen; + struct iattr *sattr; +}; + +struct nfs3_mknodargs { + struct nfs_fh *fh; + const char *name; + unsigned int len; + enum nfs3_ftype type; + struct iattr *sattr; + dev_t rdev; +}; + +struct nfs3_linkargs { + struct nfs_fh *fromfh; + struct nfs_fh *tofh; + const char *toname; + unsigned int tolen; +}; + +struct nfs3_readdirargs { + struct nfs_fh *fh; + __u64 cookie; + __be32 verf[2]; + bool plus; + unsigned int count; + struct page **pages; +}; + +struct nfs3_diropres { + struct nfs_fattr *dir_attr; + struct nfs_fh *fh; + struct nfs_fattr *fattr; +}; + +struct nfs3_accessres { + struct nfs_fattr *fattr; + __u32 access; +}; + +struct nfs3_readlinkargs { + struct nfs_fh *fh; + unsigned int pgbase; + unsigned int pglen; + struct page **pages; +}; + +struct nfs3_linkres { + struct nfs_fattr *dir_attr; + struct nfs_fattr *fattr; +}; + +struct nfs3_readdirres { + struct nfs_fattr *dir_attr; + __be32 *verf; + bool plus; +}; + +struct nfs3_createdata { + struct rpc_message msg; + union { + struct nfs3_createargs create; + struct nfs3_mkdirargs mkdir; + struct nfs3_symlinkargs symlink; + struct nfs3_mknodargs mknod; + } arg; + struct nfs3_diropres res; + struct nfs_fh fh; + struct nfs_fattr fattr; + struct nfs_fattr dir_attr; +}; + +struct nfs3_getaclargs { + struct nfs_fh *fh; + int mask; + struct page **pages; +}; + +struct nfs3_setaclargs { + struct inode *inode; + int mask; + struct posix_acl *acl_access; + struct posix_acl *acl_default; + size_t len; + unsigned int npages; + struct page **pages; +}; + +struct nfs3_getaclres { + struct nfs_fattr *fattr; + int mask; + unsigned int acl_access_count; + unsigned int acl_default_count; + struct posix_acl *acl_access; + struct posix_acl *acl_default; +}; + +enum nfsstat4 { + NFS4_OK = 0, + NFS4ERR_PERM = 1, + NFS4ERR_NOENT = 2, + NFS4ERR_IO = 5, + NFS4ERR_NXIO = 6, + NFS4ERR_ACCESS = 13, + NFS4ERR_EXIST = 17, + NFS4ERR_XDEV = 18, + NFS4ERR_NOTDIR = 20, + NFS4ERR_ISDIR = 21, + NFS4ERR_INVAL = 22, + NFS4ERR_FBIG = 27, + NFS4ERR_NOSPC = 28, + NFS4ERR_ROFS = 30, + NFS4ERR_MLINK = 31, + NFS4ERR_NAMETOOLONG = 63, + NFS4ERR_NOTEMPTY = 66, + NFS4ERR_DQUOT = 69, + NFS4ERR_STALE = 70, + NFS4ERR_BADHANDLE = 10001, + NFS4ERR_BAD_COOKIE = 10003, + NFS4ERR_NOTSUPP = 10004, + NFS4ERR_TOOSMALL = 10005, + NFS4ERR_SERVERFAULT = 10006, + NFS4ERR_BADTYPE = 10007, + NFS4ERR_DELAY = 10008, + NFS4ERR_SAME = 10009, + NFS4ERR_DENIED = 10010, + NFS4ERR_EXPIRED = 10011, + NFS4ERR_LOCKED = 10012, + NFS4ERR_GRACE = 10013, + NFS4ERR_FHEXPIRED = 10014, + NFS4ERR_SHARE_DENIED = 10015, + NFS4ERR_WRONGSEC = 10016, + NFS4ERR_CLID_INUSE = 10017, + NFS4ERR_RESOURCE = 10018, + NFS4ERR_MOVED = 10019, + NFS4ERR_NOFILEHANDLE = 10020, + NFS4ERR_MINOR_VERS_MISMATCH = 10021, + NFS4ERR_STALE_CLIENTID = 10022, + NFS4ERR_STALE_STATEID = 10023, + NFS4ERR_OLD_STATEID = 10024, + NFS4ERR_BAD_STATEID = 10025, + NFS4ERR_BAD_SEQID = 10026, + NFS4ERR_NOT_SAME = 10027, + NFS4ERR_LOCK_RANGE = 10028, + NFS4ERR_SYMLINK = 10029, + NFS4ERR_RESTOREFH = 10030, + NFS4ERR_LEASE_MOVED = 10031, + NFS4ERR_ATTRNOTSUPP = 10032, + NFS4ERR_NO_GRACE = 10033, + NFS4ERR_RECLAIM_BAD = 10034, + NFS4ERR_RECLAIM_CONFLICT = 10035, + NFS4ERR_BADXDR = 10036, + NFS4ERR_LOCKS_HELD = 10037, + NFS4ERR_OPENMODE = 10038, + NFS4ERR_BADOWNER = 10039, + NFS4ERR_BADCHAR = 10040, + NFS4ERR_BADNAME = 10041, + NFS4ERR_BAD_RANGE = 10042, + NFS4ERR_LOCK_NOTSUPP = 10043, + NFS4ERR_OP_ILLEGAL = 10044, + NFS4ERR_DEADLOCK = 10045, + NFS4ERR_FILE_OPEN = 10046, + NFS4ERR_ADMIN_REVOKED = 10047, + NFS4ERR_CB_PATH_DOWN = 10048, + NFS4ERR_BADIOMODE = 10049, + NFS4ERR_BADLAYOUT = 10050, + NFS4ERR_BAD_SESSION_DIGEST = 10051, + NFS4ERR_BADSESSION = 10052, + NFS4ERR_BADSLOT = 10053, + NFS4ERR_COMPLETE_ALREADY = 10054, + NFS4ERR_CONN_NOT_BOUND_TO_SESSION = 10055, + NFS4ERR_DELEG_ALREADY_WANTED = 10056, + NFS4ERR_BACK_CHAN_BUSY = 10057, + NFS4ERR_LAYOUTTRYLATER = 10058, + NFS4ERR_LAYOUTUNAVAILABLE = 10059, + NFS4ERR_NOMATCHING_LAYOUT = 10060, + NFS4ERR_RECALLCONFLICT = 10061, + NFS4ERR_UNKNOWN_LAYOUTTYPE = 10062, + NFS4ERR_SEQ_MISORDERED = 10063, + NFS4ERR_SEQUENCE_POS = 10064, + NFS4ERR_REQ_TOO_BIG = 10065, + NFS4ERR_REP_TOO_BIG = 10066, + NFS4ERR_REP_TOO_BIG_TO_CACHE = 10067, + NFS4ERR_RETRY_UNCACHED_REP = 10068, + NFS4ERR_UNSAFE_COMPOUND = 10069, + NFS4ERR_TOO_MANY_OPS = 10070, + NFS4ERR_OP_NOT_IN_SESSION = 10071, + NFS4ERR_HASH_ALG_UNSUPP = 10072, + NFS4ERR_CLIENTID_BUSY = 10074, + NFS4ERR_PNFS_IO_HOLE = 10075, + NFS4ERR_SEQ_FALSE_RETRY = 10076, + NFS4ERR_BAD_HIGH_SLOT = 10077, + NFS4ERR_DEADSESSION = 10078, + NFS4ERR_ENCR_ALG_UNSUPP = 10079, + NFS4ERR_PNFS_NO_LAYOUT = 10080, + NFS4ERR_NOT_ONLY_OP = 10081, + NFS4ERR_WRONG_CRED = 10082, + NFS4ERR_WRONG_TYPE = 10083, + NFS4ERR_DIRDELEG_UNAVAIL = 10084, + NFS4ERR_REJECT_DELEG = 10085, + NFS4ERR_RETURNCONFLICT = 10086, + NFS4ERR_DELEG_REVOKED = 10087, + NFS4ERR_PARTNER_NOTSUPP = 10088, + NFS4ERR_PARTNER_NO_AUTH = 10089, + NFS4ERR_UNION_NOTSUPP = 10090, + NFS4ERR_OFFLOAD_DENIED = 10091, + NFS4ERR_WRONG_LFS = 10092, + NFS4ERR_BADLABEL = 10093, + NFS4ERR_OFFLOAD_NO_REQS = 10094, +}; + +enum nfs_ftype4 { + NF4BAD = 0, + NF4REG = 1, + NF4DIR = 2, + NF4BLK = 3, + NF4CHR = 4, + NF4LNK = 5, + NF4SOCK = 6, + NF4FIFO = 7, + NF4ATTRDIR = 8, + NF4NAMEDATTR = 9, +}; + +enum open_claim_type4 { + NFS4_OPEN_CLAIM_NULL = 0, + NFS4_OPEN_CLAIM_PREVIOUS = 1, + NFS4_OPEN_CLAIM_DELEGATE_CUR = 2, + NFS4_OPEN_CLAIM_DELEGATE_PREV = 3, + NFS4_OPEN_CLAIM_FH = 4, + NFS4_OPEN_CLAIM_DELEG_CUR_FH = 5, + NFS4_OPEN_CLAIM_DELEG_PREV_FH = 6, +}; + +enum createmode4 { + NFS4_CREATE_UNCHECKED = 0, + NFS4_CREATE_GUARDED = 1, + NFS4_CREATE_EXCLUSIVE = 2, + NFS4_CREATE_EXCLUSIVE4_1 = 3, +}; + +enum { + NFSPROC4_CLNT_NULL = 0, + NFSPROC4_CLNT_READ = 1, + NFSPROC4_CLNT_WRITE = 2, + NFSPROC4_CLNT_COMMIT = 3, + NFSPROC4_CLNT_OPEN = 4, + NFSPROC4_CLNT_OPEN_CONFIRM = 5, + NFSPROC4_CLNT_OPEN_NOATTR = 6, + NFSPROC4_CLNT_OPEN_DOWNGRADE = 7, + NFSPROC4_CLNT_CLOSE = 8, + NFSPROC4_CLNT_SETATTR = 9, + NFSPROC4_CLNT_FSINFO = 10, + NFSPROC4_CLNT_RENEW = 11, + NFSPROC4_CLNT_SETCLIENTID = 12, + NFSPROC4_CLNT_SETCLIENTID_CONFIRM = 13, + NFSPROC4_CLNT_LOCK = 14, + NFSPROC4_CLNT_LOCKT = 15, + NFSPROC4_CLNT_LOCKU = 16, + NFSPROC4_CLNT_ACCESS = 17, + NFSPROC4_CLNT_GETATTR = 18, + NFSPROC4_CLNT_LOOKUP = 19, + NFSPROC4_CLNT_LOOKUP_ROOT = 20, + NFSPROC4_CLNT_REMOVE = 21, + NFSPROC4_CLNT_RENAME = 22, + NFSPROC4_CLNT_LINK = 23, + NFSPROC4_CLNT_SYMLINK = 24, + NFSPROC4_CLNT_CREATE = 25, + NFSPROC4_CLNT_PATHCONF = 26, + NFSPROC4_CLNT_STATFS = 27, + NFSPROC4_CLNT_READLINK = 28, + NFSPROC4_CLNT_READDIR = 29, + NFSPROC4_CLNT_SERVER_CAPS = 30, + NFSPROC4_CLNT_DELEGRETURN = 31, + NFSPROC4_CLNT_GETACL = 32, + NFSPROC4_CLNT_SETACL = 33, + NFSPROC4_CLNT_FS_LOCATIONS = 34, + NFSPROC4_CLNT_RELEASE_LOCKOWNER = 35, + NFSPROC4_CLNT_SECINFO = 36, + NFSPROC4_CLNT_FSID_PRESENT = 37, + NFSPROC4_CLNT_EXCHANGE_ID = 38, + NFSPROC4_CLNT_CREATE_SESSION = 39, + NFSPROC4_CLNT_DESTROY_SESSION = 40, + NFSPROC4_CLNT_SEQUENCE = 41, + NFSPROC4_CLNT_GET_LEASE_TIME = 42, + NFSPROC4_CLNT_RECLAIM_COMPLETE = 43, + NFSPROC4_CLNT_LAYOUTGET = 44, + NFSPROC4_CLNT_GETDEVICEINFO = 45, + NFSPROC4_CLNT_LAYOUTCOMMIT = 46, + NFSPROC4_CLNT_LAYOUTRETURN = 47, + NFSPROC4_CLNT_SECINFO_NO_NAME = 48, + NFSPROC4_CLNT_TEST_STATEID = 49, + NFSPROC4_CLNT_FREE_STATEID = 50, + NFSPROC4_CLNT_GETDEVICELIST = 51, + NFSPROC4_CLNT_BIND_CONN_TO_SESSION = 52, + NFSPROC4_CLNT_DESTROY_CLIENTID = 53, + NFSPROC4_CLNT_SEEK = 54, + NFSPROC4_CLNT_ALLOCATE = 55, + NFSPROC4_CLNT_DEALLOCATE = 56, + NFSPROC4_CLNT_LAYOUTSTATS = 57, + NFSPROC4_CLNT_CLONE = 58, + NFSPROC4_CLNT_COPY = 59, + NFSPROC4_CLNT_OFFLOAD_CANCEL = 60, + NFSPROC4_CLNT_LOOKUPP = 61, + NFSPROC4_CLNT_LAYOUTERROR = 62, + NFSPROC4_CLNT_COPY_NOTIFY = 63, +}; + +struct nfs4_get_lease_time_args { + struct nfs4_sequence_args la_seq_args; +}; + +struct nfs4_get_lease_time_res { + struct nfs4_sequence_res lr_seq_res; + struct nfs_fsinfo *lr_fsinfo; +}; + +struct nfs4_xdr_opaque_data; + +struct nfs4_xdr_opaque_ops { + void (*encode)(struct xdr_stream *, const void *, const struct nfs4_xdr_opaque_data *); + void (*free)(struct nfs4_xdr_opaque_data *); +}; + +struct nfs4_xdr_opaque_data { + const struct nfs4_xdr_opaque_ops *ops; + void *data; +}; + +struct nfs4_layoutdriver_data { + struct page **pages; + __u32 pglen; + __u32 len; +}; + +struct nfs4_layoutget_args { + struct nfs4_sequence_args seq_args; + __u32 type; + struct pnfs_layout_range range; + __u64 minlength; + __u32 maxcount; + struct inode *inode; + struct nfs_open_context *ctx; + nfs4_stateid stateid; + struct nfs4_layoutdriver_data layout; +}; + +struct nfs4_layoutget_res { + struct nfs4_sequence_res seq_res; + int status; + __u32 return_on_close; + struct pnfs_layout_range range; + __u32 type; + nfs4_stateid stateid; + struct nfs4_layoutdriver_data *layoutp; +}; + +struct nfs4_layoutget { + struct nfs4_layoutget_args args; + struct nfs4_layoutget_res res; + const struct cred *cred; + gfp_t gfp_flags; +}; + +struct nfs4_layoutreturn_args { + struct nfs4_sequence_args seq_args; + struct pnfs_layout_hdr *layout; + struct inode *inode; + struct pnfs_layout_range range; + nfs4_stateid stateid; + __u32 layout_type; + struct nfs4_xdr_opaque_data *ld_private; +}; + +struct nfs4_layoutreturn_res { + struct nfs4_sequence_res seq_res; + u32 lrs_present; + nfs4_stateid stateid; +}; + +struct stateowner_id { + __u64 create_time; + __u32 uniquifier; +}; + +struct nfs_openargs { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + struct nfs_seqid *seqid; + int open_flags; + fmode_t fmode; + u32 share_access; + u32 access; + __u64 clientid; + struct stateowner_id id; + union { + struct { + struct iattr *attrs; + nfs4_verifier verifier; + }; + nfs4_stateid delegation; + fmode_t delegation_type; + } u; + const struct qstr *name; + const struct nfs_server *server; + const u32 *bitmask; + const u32 *open_bitmap; + enum open_claim_type4 claim; + enum createmode4 createmode; + const struct nfs4_label *label; + umode_t umask; + struct nfs4_layoutget_args *lg_args; +}; + +struct nfs_openres { + struct nfs4_sequence_res seq_res; + nfs4_stateid stateid; + struct nfs_fh fh; + struct nfs4_change_info cinfo; + __u32 rflags; + struct nfs_fattr *f_attr; + struct nfs4_label *f_label; + struct nfs_seqid *seqid; + const struct nfs_server *server; + fmode_t delegation_type; + nfs4_stateid delegation; + long unsigned int pagemod_limit; + __u32 do_recall; + __u32 attrset[3]; + struct nfs4_string *owner; + struct nfs4_string *group_owner; + __u32 access_request; + __u32 access_supported; + __u32 access_result; + struct nfs4_layoutget_res *lg_res; +}; + +struct nfs_open_confirmargs { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + nfs4_stateid *stateid; + struct nfs_seqid *seqid; +}; + +struct nfs_open_confirmres { + struct nfs4_sequence_res seq_res; + nfs4_stateid stateid; + struct nfs_seqid *seqid; +}; + +struct nfs_closeargs { + struct nfs4_sequence_args seq_args; + struct nfs_fh *fh; + nfs4_stateid stateid; + struct nfs_seqid *seqid; + fmode_t fmode; + u32 share_access; + const u32 *bitmask; + struct nfs4_layoutreturn_args *lr_args; +}; + +struct nfs_closeres { + struct nfs4_sequence_res seq_res; + nfs4_stateid stateid; + struct nfs_fattr *fattr; + struct nfs_seqid *seqid; + const struct nfs_server *server; + struct nfs4_layoutreturn_res *lr_res; + int lr_ret; +}; + +struct nfs_lowner { + __u64 clientid; + __u64 id; + dev_t s_dev; +}; + +struct nfs_lock_args { + struct nfs4_sequence_args seq_args; + struct nfs_fh *fh; + struct file_lock *fl; + struct nfs_seqid *lock_seqid; + nfs4_stateid lock_stateid; + struct nfs_seqid *open_seqid; + nfs4_stateid open_stateid; + struct nfs_lowner lock_owner; + unsigned char block: 1; + unsigned char reclaim: 1; + unsigned char new_lock: 1; + unsigned char new_lock_owner: 1; +}; + +struct nfs_lock_res { + struct nfs4_sequence_res seq_res; + nfs4_stateid stateid; + struct nfs_seqid *lock_seqid; + struct nfs_seqid *open_seqid; +}; + +struct nfs_locku_args { + struct nfs4_sequence_args seq_args; + struct nfs_fh *fh; + struct file_lock *fl; + struct nfs_seqid *seqid; + nfs4_stateid stateid; +}; + +struct nfs_locku_res { + struct nfs4_sequence_res seq_res; + nfs4_stateid stateid; + struct nfs_seqid *seqid; +}; + +struct nfs_lockt_args { + struct nfs4_sequence_args seq_args; + struct nfs_fh *fh; + struct file_lock *fl; + struct nfs_lowner lock_owner; +}; + +struct nfs_lockt_res { + struct nfs4_sequence_res seq_res; + struct file_lock *denied; +}; + +struct nfs_release_lockowner_args { + struct nfs4_sequence_args seq_args; + struct nfs_lowner lock_owner; +}; + +struct nfs_release_lockowner_res { + struct nfs4_sequence_res seq_res; +}; + +struct nfs4_delegreturnargs { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fhandle; + const nfs4_stateid *stateid; + const u32 *bitmask; + struct nfs4_layoutreturn_args *lr_args; +}; + +struct nfs4_delegreturnres { + struct nfs4_sequence_res seq_res; + struct nfs_fattr *fattr; + struct nfs_server *server; + struct nfs4_layoutreturn_res *lr_res; + int lr_ret; +}; + +struct nfs_setattrargs { + struct nfs4_sequence_args seq_args; + struct nfs_fh *fh; + nfs4_stateid stateid; + struct iattr *iap; + const struct nfs_server *server; + const u32 *bitmask; + const struct nfs4_label *label; +}; + +struct nfs_setaclargs { + struct nfs4_sequence_args seq_args; + struct nfs_fh *fh; + size_t acl_len; + struct page **acl_pages; +}; + +struct nfs_setaclres { + struct nfs4_sequence_res seq_res; +}; + +struct nfs_getaclargs { + struct nfs4_sequence_args seq_args; + struct nfs_fh *fh; + size_t acl_len; + struct page **acl_pages; +}; + +struct nfs_getaclres { + struct nfs4_sequence_res seq_res; + size_t acl_len; + size_t acl_data_offset; + int acl_flags; + struct page *acl_scratch; +}; + +struct nfs_setattrres { + struct nfs4_sequence_res seq_res; + struct nfs_fattr *fattr; + struct nfs4_label *label; + const struct nfs_server *server; +}; + +typedef u64 clientid4; + +struct nfs4_accessargs { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + const u32 *bitmask; + u32 access; +}; + +struct nfs4_accessres { + struct nfs4_sequence_res seq_res; + const struct nfs_server *server; + struct nfs_fattr *fattr; + u32 supported; + u32 access; +}; + +struct nfs4_create_arg { + struct nfs4_sequence_args seq_args; + u32 ftype; + union { + struct { + struct page **pages; + unsigned int len; + } symlink; + struct { + u32 specdata1; + u32 specdata2; + } device; + } u; + const struct qstr *name; + const struct nfs_server *server; + const struct iattr *attrs; + const struct nfs_fh *dir_fh; + const u32 *bitmask; + const struct nfs4_label *label; + umode_t umask; +}; + +struct nfs4_create_res { + struct nfs4_sequence_res seq_res; + const struct nfs_server *server; + struct nfs_fh *fh; + struct nfs_fattr *fattr; + struct nfs4_label *label; + struct nfs4_change_info dir_cinfo; +}; + +struct nfs4_fsinfo_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + const u32 *bitmask; +}; + +struct nfs4_fsinfo_res { + struct nfs4_sequence_res seq_res; + struct nfs_fsinfo *fsinfo; +}; + +struct nfs4_getattr_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + const u32 *bitmask; +}; + +struct nfs4_getattr_res { + struct nfs4_sequence_res seq_res; + const struct nfs_server *server; + struct nfs_fattr *fattr; + struct nfs4_label *label; +}; + +struct nfs4_link_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + const struct nfs_fh *dir_fh; + const struct qstr *name; + const u32 *bitmask; +}; + +struct nfs4_link_res { + struct nfs4_sequence_res seq_res; + const struct nfs_server *server; + struct nfs_fattr *fattr; + struct nfs4_label *label; + struct nfs4_change_info cinfo; + struct nfs_fattr *dir_attr; +}; + +struct nfs4_lookup_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *dir_fh; + const struct qstr *name; + const u32 *bitmask; +}; + +struct nfs4_lookup_res { + struct nfs4_sequence_res seq_res; + const struct nfs_server *server; + struct nfs_fattr *fattr; + struct nfs_fh *fh; + struct nfs4_label *label; +}; + +struct nfs4_lookupp_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + const u32 *bitmask; +}; + +struct nfs4_lookupp_res { + struct nfs4_sequence_res seq_res; + const struct nfs_server *server; + struct nfs_fattr *fattr; + struct nfs_fh *fh; + struct nfs4_label *label; +}; + +struct nfs4_lookup_root_arg { + struct nfs4_sequence_args seq_args; + const u32 *bitmask; +}; + +struct nfs4_pathconf_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + const u32 *bitmask; +}; + +struct nfs4_pathconf_res { + struct nfs4_sequence_res seq_res; + struct nfs_pathconf *pathconf; +}; + +struct nfs4_readdir_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + u64 cookie; + nfs4_verifier verifier; + u32 count; + struct page **pages; + unsigned int pgbase; + const u32 *bitmask; + bool plus; +}; + +struct nfs4_readdir_res { + struct nfs4_sequence_res seq_res; + nfs4_verifier verifier; + unsigned int pgbase; +}; + +struct nfs4_readlink { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + unsigned int pgbase; + unsigned int pglen; + struct page **pages; +}; + +struct nfs4_readlink_res { + struct nfs4_sequence_res seq_res; +}; + +struct nfs4_setclientid { + const nfs4_verifier *sc_verifier; + u32 sc_prog; + unsigned int sc_netid_len; + char sc_netid[6]; + unsigned int sc_uaddr_len; + char sc_uaddr[58]; + struct nfs_client *sc_clnt; + struct rpc_cred *sc_cred; +}; + +struct nfs4_setclientid_res { + u64 clientid; + nfs4_verifier confirm; +}; + +struct nfs4_statfs_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + const u32 *bitmask; +}; + +struct nfs4_statfs_res { + struct nfs4_sequence_res seq_res; + struct nfs_fsstat *fsstat; +}; + +struct nfs4_server_caps_arg { + struct nfs4_sequence_args seq_args; + struct nfs_fh *fhandle; + const u32 *bitmask; +}; + +struct nfs4_server_caps_res { + struct nfs4_sequence_res seq_res; + u32 attr_bitmask[3]; + u32 exclcreat_bitmask[3]; + u32 acl_bitmask; + u32 has_links; + u32 has_symlinks; + u32 fh_expire_type; +}; + +struct nfs4_fs_locations_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *dir_fh; + const struct nfs_fh *fh; + const struct qstr *name; + struct page *page; + const u32 *bitmask; + clientid4 clientid; + unsigned char migration: 1; + unsigned char renew: 1; +}; + +struct nfs4_fs_locations_res { + struct nfs4_sequence_res seq_res; + struct nfs4_fs_locations *fs_locations; + unsigned char migration: 1; + unsigned char renew: 1; +}; + +struct nfs4_secinfo4 { + u32 flavor; + struct rpcsec_gss_info flavor_info; +}; + +struct nfs4_secinfo_flavors { + unsigned int num_flavors; + struct nfs4_secinfo4 flavors[0]; +}; + +struct nfs4_secinfo_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *dir_fh; + const struct qstr *name; +}; + +struct nfs4_secinfo_res { + struct nfs4_sequence_res seq_res; + struct nfs4_secinfo_flavors *flavors; +}; + +struct nfs4_fsid_present_arg { + struct nfs4_sequence_args seq_args; + const struct nfs_fh *fh; + clientid4 clientid; + unsigned char renew: 1; +}; + +struct nfs4_fsid_present_res { + struct nfs4_sequence_res seq_res; + struct nfs_fh *fh; + unsigned char renew: 1; +}; + +struct nfs4_cached_acl { + int cached; + size_t len; + char data[0]; +}; + +enum nfs4_client_state { + NFS4CLNT_MANAGER_RUNNING = 0, + NFS4CLNT_CHECK_LEASE = 1, + NFS4CLNT_LEASE_EXPIRED = 2, + NFS4CLNT_RECLAIM_REBOOT = 3, + NFS4CLNT_RECLAIM_NOGRACE = 4, + NFS4CLNT_DELEGRETURN = 5, + NFS4CLNT_SESSION_RESET = 6, + NFS4CLNT_LEASE_CONFIRM = 7, + NFS4CLNT_SERVER_SCOPE_MISMATCH = 8, + NFS4CLNT_PURGE_STATE = 9, + NFS4CLNT_BIND_CONN_TO_SESSION = 10, + NFS4CLNT_MOVED = 11, + NFS4CLNT_LEASE_MOVED = 12, + NFS4CLNT_DELEGATION_EXPIRED = 13, + NFS4CLNT_RUN_MANAGER = 14, + NFS4CLNT_DELEGRETURN_RUNNING = 15, +}; + +enum { + NFS_OWNER_RECLAIM_REBOOT = 0, + NFS_OWNER_RECLAIM_NOGRACE = 1, +}; + +enum { + LK_STATE_IN_USE = 0, + NFS_DELEGATED_STATE = 1, + NFS_OPEN_STATE = 2, + NFS_O_RDONLY_STATE = 3, + NFS_O_WRONLY_STATE = 4, + NFS_O_RDWR_STATE = 5, + NFS_STATE_RECLAIM_REBOOT = 6, + NFS_STATE_RECLAIM_NOGRACE = 7, + NFS_STATE_POSIX_LOCKS = 8, + NFS_STATE_RECOVERY_FAILED = 9, + NFS_STATE_MAY_NOTIFY_LOCK = 10, + NFS_STATE_CHANGE_WAIT = 11, + NFS_CLNT_DST_SSC_COPY_STATE = 12, + NFS_CLNT_SRC_SSC_COPY_STATE = 13, + NFS_SRV_SSC_COPY_STATE = 14, +}; + +struct nfs4_exception { + struct nfs4_state *state; + struct inode *inode; + nfs4_stateid *stateid; + long int timeout; + unsigned char delay: 1; + unsigned char recovering: 1; + unsigned char retry: 1; + bool interruptible; +}; + +struct nfs4_opendata { + struct kref kref; + struct nfs_openargs o_arg; + struct nfs_openres o_res; + struct nfs_open_confirmargs c_arg; + struct nfs_open_confirmres c_res; + struct nfs4_string owner_name; + struct nfs4_string group_name; + struct nfs4_label *a_label; + struct nfs_fattr f_attr; + struct nfs4_label *f_label; + struct dentry *dir; + struct dentry *dentry; + struct nfs4_state_owner *owner; + struct nfs4_state *state; + struct iattr attrs; + struct nfs4_layoutget *lgp; + long unsigned int timestamp; + bool rpc_done; + bool file_created; + bool is_recover; + bool cancelled; + int rpc_status; +}; + +enum { + NFS_DELEGATION_NEED_RECLAIM = 0, + NFS_DELEGATION_RETURN = 1, + NFS_DELEGATION_RETURN_IF_CLOSED = 2, + NFS_DELEGATION_REFERENCED = 3, + NFS_DELEGATION_RETURNING = 4, + NFS_DELEGATION_REVOKED = 5, + NFS_DELEGATION_TEST_EXPIRED = 6, + NFS_DELEGATION_INODE_FREEING = 7, +}; + +enum nfs4_slot_tbl_state { + NFS4_SLOT_TBL_DRAINING = 0, +}; + +struct nfs4_call_sync_data { + const struct nfs_server *seq_server; + struct nfs4_sequence_args *seq_args; + struct nfs4_sequence_res *seq_res; +}; + +struct nfs4_open_createattrs { + struct nfs4_label *label; + struct iattr *sattr; + __u32 verf[2]; +}; + +struct nfs4_closedata { + struct inode *inode; + struct nfs4_state *state; + struct nfs_closeargs arg; + struct nfs_closeres res; + struct { + struct nfs4_layoutreturn_args arg; + struct nfs4_layoutreturn_res res; + struct nfs4_xdr_opaque_data ld_private; + u32 roc_barrier; + bool roc; + } lr; + struct nfs_fattr fattr; + long unsigned int timestamp; +}; + +struct nfs4_createdata { + struct rpc_message msg; + struct nfs4_create_arg arg; + struct nfs4_create_res res; + struct nfs_fh fh; + struct nfs_fattr fattr; + struct nfs4_label *label; +}; + +struct nfs4_renewdata { + struct nfs_client *client; + long unsigned int timestamp; +}; + +struct nfs4_delegreturndata { + struct nfs4_delegreturnargs args; + struct nfs4_delegreturnres res; + struct nfs_fh fh; + nfs4_stateid stateid; + long unsigned int timestamp; + struct { + struct nfs4_layoutreturn_args arg; + struct nfs4_layoutreturn_res res; + struct nfs4_xdr_opaque_data ld_private; + u32 roc_barrier; + bool roc; + } lr; + struct nfs_fattr fattr; + int rpc_status; + struct inode *inode; +}; + +struct nfs4_unlockdata { + struct nfs_locku_args arg; + struct nfs_locku_res res; + struct nfs4_lock_state *lsp; + struct nfs_open_context *ctx; + struct nfs_lock_context *l_ctx; + struct file_lock fl; + struct nfs_server *server; + long unsigned int timestamp; +}; + +struct nfs4_lockdata { + struct nfs_lock_args arg; + struct nfs_lock_res res; + struct nfs4_lock_state *lsp; + struct nfs_open_context *ctx; + struct file_lock fl; + long unsigned int timestamp; + int rpc_status; + int cancelled; + struct nfs_server *server; +}; + +struct nfs_release_lockowner_data { + struct nfs4_lock_state *lsp; + struct nfs_server *server; + struct nfs_release_lockowner_args args; + struct nfs_release_lockowner_res res; + long unsigned int timestamp; +}; + +struct nfs4_get_lease_time_data { + struct nfs4_get_lease_time_args *args; + struct nfs4_get_lease_time_res *res; + struct nfs_client *clp; +}; + +enum opentype4 { + NFS4_OPEN_NOCREATE = 0, + NFS4_OPEN_CREATE = 1, +}; + +enum limit_by4 { + NFS4_LIMIT_SIZE = 1, + NFS4_LIMIT_BLOCKS = 2, +}; + +enum open_delegation_type4 { + NFS4_OPEN_DELEGATE_NONE = 0, + NFS4_OPEN_DELEGATE_READ = 1, + NFS4_OPEN_DELEGATE_WRITE = 2, + NFS4_OPEN_DELEGATE_NONE_EXT = 3, +}; + +enum why_no_delegation4 { + WND4_NOT_WANTED = 0, + WND4_CONTENTION = 1, + WND4_RESOURCE = 2, + WND4_NOT_SUPP_FTYPE = 3, + WND4_WRITE_DELEG_NOT_SUPP_FTYPE = 4, + WND4_NOT_SUPP_UPGRADE = 5, + WND4_NOT_SUPP_DOWNGRADE = 6, + WND4_CANCELLED = 7, + WND4_IS_DIR = 8, +}; + +enum lock_type4 { + NFS4_UNLOCK_LT = 0, + NFS4_READ_LT = 1, + NFS4_WRITE_LT = 2, + NFS4_READW_LT = 3, + NFS4_WRITEW_LT = 4, +}; + +struct compound_hdr { + int32_t status; + uint32_t nops; + __be32 *nops_p; + uint32_t taglen; + char *tag; + uint32_t replen; + u32 minorversion; +}; + +struct nfs_referral_count { + struct list_head list; + const struct task_struct *task; + unsigned int referral_count; +}; + +struct rpc_pipe_dir_object_ops; + +struct rpc_pipe_dir_object { + struct list_head pdo_head; + const struct rpc_pipe_dir_object_ops *pdo_ops; + void *pdo_data; +}; + +struct rpc_pipe_dir_object_ops { + int (*create)(struct dentry *, struct rpc_pipe_dir_object *); + void (*destroy)(struct dentry *, struct rpc_pipe_dir_object *); +}; + +struct rpc_inode { + struct inode vfs_inode; + void *private; + struct rpc_pipe *pipe; + wait_queue_head_t waitq; +}; + +struct idmap_legacy_upcalldata; + +struct idmap { + struct rpc_pipe_dir_object idmap_pdo; + struct rpc_pipe *idmap_pipe; + struct idmap_legacy_upcalldata *idmap_upcall_data; + struct mutex idmap_mutex; + const struct cred *cred; +}; + +struct user_key_payload { + struct callback_head rcu; + short unsigned int datalen; + long: 48; + char data[0]; +}; + +struct request_key_auth { + struct callback_head rcu; + struct key *target_key; + struct key *dest_keyring; + const struct cred *cred; + void *callout_info; + size_t callout_len; + pid_t pid; + char op[8]; +}; + +struct idmap_msg { + __u8 im_type; + __u8 im_conv; + char im_name[128]; + __u32 im_id; + __u8 im_status; +}; + +struct idmap_legacy_upcalldata { + struct rpc_pipe_msg pipe_msg; + struct idmap_msg idmap_msg; + struct key *authkey; + struct idmap *idmap; +}; + +enum { + Opt_find_uid = 0, + Opt_find_gid = 1, + Opt_find_user = 2, + Opt_find_group = 3, + Opt_find_err = 4, +}; + +enum nfs4_callback_procnum { + CB_NULL = 0, + CB_COMPOUND = 1, +}; + +struct nfs_callback_data { + unsigned int users; + struct svc_serv *serv; +}; + +enum rpc_accept_stat { + RPC_SUCCESS = 0, + RPC_PROG_UNAVAIL = 1, + RPC_PROG_MISMATCH = 2, + RPC_PROC_UNAVAIL = 3, + RPC_GARBAGE_ARGS = 4, + RPC_SYSTEM_ERR = 5, + RPC_DROP_REPLY = 60000, +}; + +enum rpc_auth_stat { + RPC_AUTH_OK = 0, + RPC_AUTH_BADCRED = 1, + RPC_AUTH_REJECTEDCRED = 2, + RPC_AUTH_BADVERF = 3, + RPC_AUTH_REJECTEDVERF = 4, + RPC_AUTH_TOOWEAK = 5, + RPCSEC_GSS_CREDPROBLEM = 13, + RPCSEC_GSS_CTXPROBLEM = 14, +}; + +enum nfs4_callback_opnum { + OP_CB_GETATTR = 3, + OP_CB_RECALL = 4, + OP_CB_LAYOUTRECALL = 5, + OP_CB_NOTIFY = 6, + OP_CB_PUSH_DELEG = 7, + OP_CB_RECALL_ANY = 8, + OP_CB_RECALLABLE_OBJ_AVAIL = 9, + OP_CB_RECALL_SLOT = 10, + OP_CB_SEQUENCE = 11, + OP_CB_WANTS_CANCELLED = 12, + OP_CB_NOTIFY_LOCK = 13, + OP_CB_NOTIFY_DEVICEID = 14, + OP_CB_OFFLOAD = 15, + OP_CB_ILLEGAL = 10044, +}; + +struct cb_process_state { + __be32 drc_status; + struct nfs_client *clp; + struct nfs4_slot *slot; + u32 minorversion; + struct net *net; +}; + +struct cb_compound_hdr_arg { + unsigned int taglen; + const char *tag; + unsigned int minorversion; + unsigned int cb_ident; + unsigned int nops; +}; + +struct cb_compound_hdr_res { + __be32 *status; + unsigned int taglen; + const char *tag; + __be32 *nops; +}; + +struct cb_getattrargs { + struct nfs_fh fh; + uint32_t bitmap[2]; +}; + +struct cb_getattrres { + __be32 status; + uint32_t bitmap[2]; + uint64_t size; + uint64_t change_attr; + struct timespec64 ctime; + struct timespec64 mtime; +}; + +struct cb_recallargs { + struct nfs_fh fh; + nfs4_stateid stateid; + uint32_t truncate; +}; + +struct callback_op { + __be32 (*process_op)(void *, void *, struct cb_process_state *); + __be32 (*decode_args)(struct svc_rqst *, struct xdr_stream *, void *); + __be32 (*encode_res)(struct svc_rqst *, struct xdr_stream *, const void *); + long int res_maxsize; +}; + +struct xprt_create { + int ident; + struct net *net; + struct sockaddr *srcaddr; + struct sockaddr *dstaddr; + size_t addrlen; + const char *servername; + struct svc_xprt *bc_xprt; + struct rpc_xprt_switch *bc_xps; + unsigned int flags; +}; + +struct trace_event_raw_nfs4_clientid_event { + struct trace_entry ent; + u32 __data_loc_dstaddr; + long unsigned int error; + char __data[0]; +}; + +struct trace_event_raw_nfs4_setup_sequence { + struct trace_entry ent; + unsigned int session; + unsigned int slot_nr; + unsigned int seq_nr; + unsigned int highest_used_slotid; + char __data[0]; +}; + +struct trace_event_raw_nfs4_state_mgr { + struct trace_entry ent; + long unsigned int state; + u32 __data_loc_hostname; + char __data[0]; +}; + +struct trace_event_raw_nfs4_state_mgr_failed { + struct trace_entry ent; + long unsigned int error; + long unsigned int state; + u32 __data_loc_hostname; + u32 __data_loc_section; + char __data[0]; +}; + +struct trace_event_raw_nfs4_xdr_status { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + u32 xid; + u32 op; + long unsigned int error; + char __data[0]; +}; + +struct trace_event_raw_nfs4_open_event { + struct trace_entry ent; + long unsigned int error; + unsigned int flags; + unsigned int fmode; + dev_t dev; + u32 fhandle; + u64 fileid; + u64 dir; + u32 __data_loc_name; + int stateid_seq; + u32 stateid_hash; + int openstateid_seq; + u32 openstateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_cached_open { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + unsigned int fmode; + int stateid_seq; + u32 stateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_close { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + unsigned int fmode; + long unsigned int error; + int stateid_seq; + u32 stateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_lock_event { + struct trace_entry ent; + long unsigned int error; + int cmd; + char type; + loff_t start; + loff_t end; + dev_t dev; + u32 fhandle; + u64 fileid; + int stateid_seq; + u32 stateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_set_lock { + struct trace_entry ent; + long unsigned int error; + int cmd; + char type; + loff_t start; + loff_t end; + dev_t dev; + u32 fhandle; + u64 fileid; + int stateid_seq; + u32 stateid_hash; + int lockstateid_seq; + u32 lockstateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_state_lock_reclaim { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + long unsigned int state_flags; + long unsigned int lock_flags; + int stateid_seq; + u32 stateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_set_delegation_event { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + unsigned int fmode; + char __data[0]; +}; + +struct trace_event_raw_nfs4_delegreturn_exit { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + long unsigned int error; + int stateid_seq; + u32 stateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_lookup_event { + struct trace_entry ent; + dev_t dev; + long unsigned int error; + u64 dir; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs4_lookupp { + struct trace_entry ent; + dev_t dev; + u64 ino; + long unsigned int error; + char __data[0]; +}; + +struct trace_event_raw_nfs4_rename { + struct trace_entry ent; + dev_t dev; + long unsigned int error; + u64 olddir; + u32 __data_loc_oldname; + u64 newdir; + u32 __data_loc_newname; + char __data[0]; +}; + +struct trace_event_raw_nfs4_inode_event { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + long unsigned int error; + char __data[0]; +}; + +struct trace_event_raw_nfs4_inode_stateid_event { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + long unsigned int error; + int stateid_seq; + u32 stateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_getattr_event { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + unsigned int valid; + long unsigned int error; + char __data[0]; +}; + +struct trace_event_raw_nfs4_inode_callback_event { + struct trace_entry ent; + long unsigned int error; + dev_t dev; + u32 fhandle; + u64 fileid; + u32 __data_loc_dstaddr; + char __data[0]; +}; + +struct trace_event_raw_nfs4_inode_stateid_callback_event { + struct trace_entry ent; + long unsigned int error; + dev_t dev; + u32 fhandle; + u64 fileid; + u32 __data_loc_dstaddr; + int stateid_seq; + u32 stateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_idmap_event { + struct trace_entry ent; + long unsigned int error; + u32 id; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_nfs4_read_event { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + loff_t offset; + size_t count; + long unsigned int error; + int stateid_seq; + u32 stateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_write_event { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + loff_t offset; + size_t count; + long unsigned int error; + int stateid_seq; + u32 stateid_hash; + char __data[0]; +}; + +struct trace_event_raw_nfs4_commit_event { + struct trace_entry ent; + dev_t dev; + u32 fhandle; + u64 fileid; + loff_t offset; + size_t count; + long unsigned int error; + char __data[0]; +}; + +struct trace_event_data_offsets_nfs4_clientid_event { + u32 dstaddr; +}; + +struct trace_event_data_offsets_nfs4_setup_sequence {}; + +struct trace_event_data_offsets_nfs4_state_mgr { + u32 hostname; +}; + +struct trace_event_data_offsets_nfs4_state_mgr_failed { + u32 hostname; + u32 section; +}; + +struct trace_event_data_offsets_nfs4_xdr_status {}; + +struct trace_event_data_offsets_nfs4_open_event { + u32 name; +}; + +struct trace_event_data_offsets_nfs4_cached_open {}; + +struct trace_event_data_offsets_nfs4_close {}; + +struct trace_event_data_offsets_nfs4_lock_event {}; + +struct trace_event_data_offsets_nfs4_set_lock {}; + +struct trace_event_data_offsets_nfs4_state_lock_reclaim {}; + +struct trace_event_data_offsets_nfs4_set_delegation_event {}; + +struct trace_event_data_offsets_nfs4_delegreturn_exit {}; + +struct trace_event_data_offsets_nfs4_lookup_event { + u32 name; +}; + +struct trace_event_data_offsets_nfs4_lookupp {}; + +struct trace_event_data_offsets_nfs4_rename { + u32 oldname; + u32 newname; +}; + +struct trace_event_data_offsets_nfs4_inode_event {}; + +struct trace_event_data_offsets_nfs4_inode_stateid_event {}; + +struct trace_event_data_offsets_nfs4_getattr_event {}; + +struct trace_event_data_offsets_nfs4_inode_callback_event { + u32 dstaddr; +}; + +struct trace_event_data_offsets_nfs4_inode_stateid_callback_event { + u32 dstaddr; +}; + +struct trace_event_data_offsets_nfs4_idmap_event { + u32 name; +}; + +struct trace_event_data_offsets_nfs4_read_event {}; + +struct trace_event_data_offsets_nfs4_write_event {}; + +struct trace_event_data_offsets_nfs4_commit_event {}; + +struct getdents_callback___2 { + struct dir_context ctx; + char *name; + u64 ino; + int found; + int sequence; +}; + +struct nlm_host___2; + +struct nlm_lockowner { + struct list_head list; + refcount_t count; + struct nlm_host___2 *host; + fl_owner_t owner; + uint32_t pid; +}; + +struct nsm_handle; + +struct nlm_host___2 { + struct hlist_node h_hash; + struct __kernel_sockaddr_storage h_addr; + size_t h_addrlen; + struct __kernel_sockaddr_storage h_srcaddr; + size_t h_srcaddrlen; + struct rpc_clnt *h_rpcclnt; + char *h_name; + u32 h_version; + short unsigned int h_proto; + short unsigned int h_reclaiming: 1; + short unsigned int h_server: 1; + short unsigned int h_noresvport: 1; + short unsigned int h_inuse: 1; + wait_queue_head_t h_gracewait; + struct rw_semaphore h_rwsem; + u32 h_state; + u32 h_nsmstate; + u32 h_pidcount; + refcount_t h_count; + struct mutex h_mutex; + long unsigned int h_nextrebind; + long unsigned int h_expires; + struct list_head h_lockowners; + spinlock_t h_lock; + struct list_head h_granted; + struct list_head h_reclaim; + struct nsm_handle *h_nsmhandle; + char *h_addrbuf; + struct net *net; + const struct cred *h_cred; + char nodename[65]; + const struct nlmclnt_operations *h_nlmclnt_ops; +}; + +enum { + NLM_LCK_GRANTED = 0, + NLM_LCK_DENIED = 1, + NLM_LCK_DENIED_NOLOCKS = 2, + NLM_LCK_BLOCKED = 3, + NLM_LCK_DENIED_GRACE_PERIOD = 4, + NLM_DEADLCK = 5, + NLM_ROFS = 6, + NLM_STALE_FH = 7, + NLM_FBIG = 8, + NLM_FAILED = 9, +}; + +struct nsm_private { + unsigned char data[16]; +}; + +struct nlm_lock { + char *caller; + unsigned int len; + struct nfs_fh fh; + struct xdr_netobj oh; + u32 svid; + struct file_lock fl; +}; + +struct nlm_cookie { + unsigned char data[32]; + unsigned int len; +}; + +struct nlm_args { + struct nlm_cookie cookie; + struct nlm_lock lock; + u32 block; + u32 reclaim; + u32 state; + u32 monitor; + u32 fsm_access; + u32 fsm_mode; +}; + +struct nlm_res { + struct nlm_cookie cookie; + __be32 status; + struct nlm_lock lock; +}; + +struct nsm_handle { + struct list_head sm_link; + refcount_t sm_count; + char *sm_mon_name; + char *sm_name; + struct __kernel_sockaddr_storage sm_addr; + size_t sm_addrlen; + unsigned int sm_monitored: 1; + unsigned int sm_sticky: 1; + struct nsm_private sm_priv; + char sm_addrbuf[51]; +}; + +struct nlm_block; + +struct nlm_rqst { + refcount_t a_count; + unsigned int a_flags; + struct nlm_host___2 *a_host; + struct nlm_args a_args; + struct nlm_res a_res; + struct nlm_block *a_block; + unsigned int a_retries; + u8 a_owner[74]; + void *a_callback_data; +}; + +struct nlm_file; + +struct nlm_block { + struct kref b_count; + struct list_head b_list; + struct list_head b_flist; + struct nlm_rqst *b_call; + struct svc_serv *b_daemon; + struct nlm_host___2 *b_host; + long unsigned int b_when; + unsigned int b_id; + unsigned char b_granted; + struct nlm_file *b_file; + struct cache_req *b_cache_req; + struct cache_deferred_req *b_deferred_req; + unsigned int b_flags; +}; + +struct nlm_share; + +struct nlm_file { + struct hlist_node f_list; + struct nfs_fh f_handle; + struct file *f_file; + struct nlm_share *f_shares; + struct list_head f_blocks; + unsigned int f_locks; + unsigned int f_count; + struct mutex f_mutex; +}; + +struct nlm_wait { + struct list_head b_list; + wait_queue_head_t b_wait; + struct nlm_host___2 *b_host; + struct file_lock *b_lock; + short unsigned int b_reclaim; + __be32 b_status; +}; + +struct nlm_wait___2; + +struct nlm_reboot { + char *mon; + unsigned int len; + u32 state; + struct nsm_private priv; +}; + +struct lockd_net { + unsigned int nlmsvc_users; + long unsigned int next_gc; + long unsigned int nrhosts; + struct delayed_work grace_period_end; + struct lock_manager lockd_manager; + struct list_head nsm_handles; +}; + +struct nlm_lookup_host_info { + const int server; + const struct sockaddr *sap; + const size_t salen; + const short unsigned int protocol; + const u32 version; + const char *hostname; + const size_t hostname_len; + const int noresvport; + struct net *net; + const struct cred *cred; +}; + +struct ipv4_devconf { + void *sysctl; + int data[32]; + long unsigned int state[1]; +}; + +struct in_ifaddr; + +struct ip_mc_list; + +struct in_device { + struct net_device *dev; + refcount_t refcnt; + int dead; + struct in_ifaddr *ifa_list; + struct ip_mc_list *mc_list; + struct ip_mc_list **mc_hash; + int mc_count; + spinlock_t mc_tomb_lock; + struct ip_mc_list *mc_tomb; + long unsigned int mr_v1_seen; + long unsigned int mr_v2_seen; + long unsigned int mr_maxdelay; + long unsigned int mr_qi; + long unsigned int mr_qri; + unsigned char mr_qrv; + unsigned char mr_gq_running; + unsigned char mr_ifc_count; + struct timer_list mr_gq_timer; + struct timer_list mr_ifc_timer; + struct neigh_parms *arp_parms; + struct ipv4_devconf cnf; + struct callback_head callback_head; +}; + +enum netdev_cmd { + NETDEV_UP = 1, + NETDEV_DOWN = 2, + NETDEV_REBOOT = 3, + NETDEV_CHANGE = 4, + NETDEV_REGISTER = 5, + NETDEV_UNREGISTER = 6, + NETDEV_CHANGEMTU = 7, + NETDEV_CHANGEADDR = 8, + NETDEV_PRE_CHANGEADDR = 9, + NETDEV_GOING_DOWN = 10, + NETDEV_CHANGENAME = 11, + NETDEV_FEAT_CHANGE = 12, + NETDEV_BONDING_FAILOVER = 13, + NETDEV_PRE_UP = 14, + NETDEV_PRE_TYPE_CHANGE = 15, + NETDEV_POST_TYPE_CHANGE = 16, + NETDEV_POST_INIT = 17, + NETDEV_RELEASE = 18, + NETDEV_NOTIFY_PEERS = 19, + NETDEV_JOIN = 20, + NETDEV_CHANGEUPPER = 21, + NETDEV_RESEND_IGMP = 22, + NETDEV_PRECHANGEMTU = 23, + NETDEV_CHANGEINFODATA = 24, + NETDEV_BONDING_INFO = 25, + NETDEV_PRECHANGEUPPER = 26, + NETDEV_CHANGELOWERSTATE = 27, + NETDEV_UDP_TUNNEL_PUSH_INFO = 28, + NETDEV_UDP_TUNNEL_DROP_INFO = 29, + NETDEV_CHANGE_TX_QUEUE_LEN = 30, + NETDEV_CVLAN_FILTER_PUSH_INFO = 31, + NETDEV_CVLAN_FILTER_DROP_INFO = 32, + NETDEV_SVLAN_FILTER_PUSH_INFO = 33, + NETDEV_SVLAN_FILTER_DROP_INFO = 34, +}; + +struct in_ifaddr { + struct hlist_node hash; + struct in_ifaddr *ifa_next; + struct in_device *ifa_dev; + struct callback_head callback_head; + __be32 ifa_local; + __be32 ifa_address; + __be32 ifa_mask; + __u32 ifa_rt_priority; + __be32 ifa_broadcast; + unsigned char ifa_scope; + unsigned char ifa_prefixlen; + __u32 ifa_flags; + char ifa_label[16]; + __u32 ifa_valid_lft; + __u32 ifa_preferred_lft; + long unsigned int ifa_cstamp; + long unsigned int ifa_tstamp; +}; + +struct inet6_ifaddr { + struct in6_addr addr; + __u32 prefix_len; + __u32 rt_priority; + __u32 valid_lft; + __u32 prefered_lft; + refcount_t refcnt; + spinlock_t lock; + int state; + __u32 flags; + __u8 dad_probes; + __u8 stable_privacy_retry; + __u16 scope; + __u64 dad_nonce; + long unsigned int cstamp; + long unsigned int tstamp; + struct delayed_work dad_work; + struct inet6_dev *idev; + struct fib6_info *rt; + struct hlist_node addr_lst; + struct list_head if_list; + struct list_head tmp_list; + struct inet6_ifaddr *ifpub; + int regen_count; + bool tokenized; + struct callback_head rcu; + struct in6_addr peer_addr; +}; + +struct nlmsvc_binding { + __be32 (*fopen)(struct svc_rqst *, struct nfs_fh *, struct file **); + void (*fclose)(struct file *); +}; + +typedef int (*nlm_host_match_fn_t)(void *, struct nlm_host___2 *); + +struct nlm_share { + struct nlm_share *s_next; + struct nlm_host___2 *s_host; + struct nlm_file *s_file; + struct xdr_netobj s_owner; + u32 s_access; + u32 s_mode; +}; + +enum { + NSMPROC_NULL = 0, + NSMPROC_STAT = 1, + NSMPROC_MON = 2, + NSMPROC_UNMON = 3, + NSMPROC_UNMON_ALL = 4, + NSMPROC_SIMU_CRASH = 5, + NSMPROC_NOTIFY = 6, +}; + +struct nsm_args { + struct nsm_private *priv; + u32 prog; + u32 vers; + u32 proc; + char *mon_name; + const char *nodename; +}; + +struct nsm_res { + u32 status; + u32 state; +}; + +typedef u32 unicode_t; + +struct utf8_table { + int cmask; + int cval; + int shift; + long int lmask; + long int lval; +}; + +typedef unsigned int autofs_wqt_t; + +struct autofs_sb_info; + +struct autofs_info { + struct dentry *dentry; + struct inode *inode; + int flags; + struct completion expire_complete; + struct list_head active; + struct list_head expiring; + struct autofs_sb_info *sbi; + long unsigned int last_used; + int count; + kuid_t uid; + kgid_t gid; + struct callback_head rcu; +}; + +struct autofs_wait_queue; + +struct autofs_sb_info { + u32 magic; + int pipefd; + struct file *pipe; + struct pid *oz_pgrp; + int version; + int sub_version; + int min_proto; + int max_proto; + unsigned int flags; + long unsigned int exp_timeout; + unsigned int type; + struct super_block *sb; + struct mutex wq_mutex; + struct mutex pipe_mutex; + spinlock_t fs_lock; + struct autofs_wait_queue *queues; + spinlock_t lookup_lock; + struct list_head active_list; + struct list_head expiring_list; + struct callback_head rcu; +}; + +struct autofs_wait_queue { + wait_queue_head_t queue; + struct autofs_wait_queue *next; + autofs_wqt_t wait_queue_token; + struct qstr name; + u32 dev; + u64 ino; + kuid_t uid; + kgid_t gid; + pid_t pid; + pid_t tgid; + int status; + unsigned int wait_ctr; +}; + +enum { + Opt_err___6 = 0, + Opt_fd = 1, + Opt_uid___6 = 2, + Opt_gid___7 = 3, + Opt_pgrp = 4, + Opt_minproto = 5, + Opt_maxproto = 6, + Opt_indirect = 7, + Opt_direct = 8, + Opt_offset = 9, + Opt_strictexpire = 10, + Opt_ignore___2 = 11, +}; + +struct autofs_packet_hdr { + int proto_version; + int type; +}; + +struct autofs_packet_expire { + struct autofs_packet_hdr hdr; + int len; + char name[256]; +}; + +enum { + AUTOFS_IOC_READY_CMD = 96, + AUTOFS_IOC_FAIL_CMD = 97, + AUTOFS_IOC_CATATONIC_CMD = 98, + AUTOFS_IOC_PROTOVER_CMD = 99, + AUTOFS_IOC_SETTIMEOUT_CMD = 100, + AUTOFS_IOC_EXPIRE_CMD = 101, +}; + +enum autofs_notify { + NFY_NONE = 0, + NFY_MOUNT = 1, + NFY_EXPIRE = 2, +}; + +enum { + AUTOFS_IOC_EXPIRE_MULTI_CMD = 102, + AUTOFS_IOC_PROTOSUBVER_CMD = 103, + AUTOFS_IOC_ASKUMOUNT_CMD = 112, +}; + +struct autofs_packet_missing { + struct autofs_packet_hdr hdr; + autofs_wqt_t wait_queue_token; + int len; + char name[256]; +}; + +struct autofs_packet_expire_multi { + struct autofs_packet_hdr hdr; + autofs_wqt_t wait_queue_token; + int len; + char name[256]; +}; + +union autofs_packet_union { + struct autofs_packet_hdr hdr; + struct autofs_packet_missing missing; + struct autofs_packet_expire expire; + struct autofs_packet_expire_multi expire_multi; +}; + +struct autofs_v5_packet { + struct autofs_packet_hdr hdr; + autofs_wqt_t wait_queue_token; + __u32 dev; + __u64 ino; + __u32 uid; + __u32 gid; + __u32 pid; + __u32 tgid; + __u32 len; + char name[256]; +}; + +typedef struct autofs_v5_packet autofs_packet_missing_indirect_t; + +typedef struct autofs_v5_packet autofs_packet_expire_indirect_t; + +typedef struct autofs_v5_packet autofs_packet_missing_direct_t; + +typedef struct autofs_v5_packet autofs_packet_expire_direct_t; + +union autofs_v5_packet_union { + struct autofs_packet_hdr hdr; + struct autofs_v5_packet v5_packet; + autofs_packet_missing_indirect_t missing_indirect; + autofs_packet_expire_indirect_t expire_indirect; + autofs_packet_missing_direct_t missing_direct; + autofs_packet_expire_direct_t expire_direct; +}; + +struct args_protover { + __u32 version; +}; + +struct args_protosubver { + __u32 sub_version; +}; + +struct args_openmount { + __u32 devid; +}; + +struct args_ready { + __u32 token; +}; + +struct args_fail { + __u32 token; + __s32 status; +}; + +struct args_setpipefd { + __s32 pipefd; +}; + +struct args_timeout { + __u64 timeout; +}; + +struct args_requester { + __u32 uid; + __u32 gid; +}; + +struct args_expire { + __u32 how; +}; + +struct args_askumount { + __u32 may_umount; +}; + +struct args_in { + __u32 type; +}; + +struct args_out { + __u32 devid; + __u32 magic; +}; + +struct args_ismountpoint { + union { + struct args_in in; + struct args_out out; + }; +}; + +struct autofs_dev_ioctl { + __u32 ver_major; + __u32 ver_minor; + __u32 size; + __s32 ioctlfd; + union { + struct args_protover protover; + struct args_protosubver protosubver; + struct args_openmount openmount; + struct args_ready ready; + struct args_fail fail; + struct args_setpipefd setpipefd; + struct args_timeout timeout; + struct args_requester requester; + struct args_expire expire; + struct args_askumount askumount; + struct args_ismountpoint ismountpoint; + }; + char path[0]; +}; + +enum { + AUTOFS_DEV_IOCTL_VERSION_CMD = 113, + AUTOFS_DEV_IOCTL_PROTOVER_CMD = 114, + AUTOFS_DEV_IOCTL_PROTOSUBVER_CMD = 115, + AUTOFS_DEV_IOCTL_OPENMOUNT_CMD = 116, + AUTOFS_DEV_IOCTL_CLOSEMOUNT_CMD = 117, + AUTOFS_DEV_IOCTL_READY_CMD = 118, + AUTOFS_DEV_IOCTL_FAIL_CMD = 119, + AUTOFS_DEV_IOCTL_SETPIPEFD_CMD = 120, + AUTOFS_DEV_IOCTL_CATATONIC_CMD = 121, + AUTOFS_DEV_IOCTL_TIMEOUT_CMD = 122, + AUTOFS_DEV_IOCTL_REQUESTER_CMD = 123, + AUTOFS_DEV_IOCTL_EXPIRE_CMD = 124, + AUTOFS_DEV_IOCTL_ASKUMOUNT_CMD = 125, + AUTOFS_DEV_IOCTL_ISMOUNTPOINT_CMD = 126, +}; + +typedef int (*ioctl_fn)(struct file *, struct autofs_sb_info *, struct autofs_dev_ioctl *); + +struct debugfs_fsdata { + const struct file_operations *real_fops; + refcount_t active_users; + struct completion active_users_drained; +}; + +struct debugfs_mount_opts { + kuid_t uid; + kgid_t gid; + umode_t mode; +}; + +enum { + Opt_uid___7 = 0, + Opt_gid___8 = 1, + Opt_mode___6 = 2, + Opt_err___7 = 3, +}; + +struct debugfs_fs_info { + struct debugfs_mount_opts mount_opts; +}; + +struct debugfs_reg32 { + char *name; + long unsigned int offset; +}; + +struct debugfs_regset32 { + const struct debugfs_reg32 *regs; + int nregs; + void *base; +}; + +struct array_data { + void *array; + u32 elements; +}; + +struct debugfs_devm_entry { + int (*read)(struct seq_file *, void *); + struct device *dev; +}; + +struct tracefs_dir_ops { + int (*mkdir)(const char *); + int (*rmdir)(const char *); +}; + +struct tracefs_mount_opts { + kuid_t uid; + kgid_t gid; + umode_t mode; +}; + +struct tracefs_fs_info { + struct tracefs_mount_opts mount_opts; +}; + +typedef unsigned int __kernel_mode_t; + +struct ipc64_perm { + __kernel_key_t key; + __kernel_uid32_t uid; + __kernel_gid32_t gid; + __kernel_uid32_t cuid; + __kernel_gid32_t cgid; + __kernel_mode_t mode; + unsigned char __pad1[0]; + short unsigned int seq; + short unsigned int __pad2; + __kernel_ulong_t __unused1; + __kernel_ulong_t __unused2; +}; + +typedef s32 compat_key_t; + +typedef u32 __compat_gid32_t; + +struct compat_ipc64_perm { + compat_key_t key; + __compat_uid32_t uid; + __compat_gid32_t gid; + __compat_uid32_t cuid; + __compat_gid32_t cgid; + short unsigned int mode; + short unsigned int __pad1; + short unsigned int seq; + short unsigned int __pad2; + compat_ulong_t unused1; + compat_ulong_t unused2; +}; + +struct compat_ipc_perm { + key_t key; + __compat_uid_t uid; + __compat_gid_t gid; + __compat_uid_t cuid; + __compat_gid_t cgid; + compat_mode_t mode; + short unsigned int seq; +}; + +struct rhlist_head { + struct rhash_head rhead; + struct rhlist_head *next; +}; + +struct ipc_perm { + __kernel_key_t key; + __kernel_uid_t uid; + __kernel_gid_t gid; + __kernel_uid_t cuid; + __kernel_gid_t cgid; + __kernel_mode_t mode; + short unsigned int seq; +}; + +struct ipc_params { + key_t key; + int flg; + union { + size_t size; + int nsems; + } u; +}; + +struct ipc_ops { + int (*getnew)(struct ipc_namespace *, struct ipc_params *); + int (*associate)(struct kern_ipc_perm *, int); + int (*more_checks)(struct kern_ipc_perm *, struct ipc_params *); +}; + +struct ipc_proc_iface { + const char *path; + const char *header; + int ids; + int (*show)(struct seq_file *, void *); +}; + +struct ipc_proc_iter { + struct ipc_namespace *ns; + struct pid_namespace *pid_ns; + struct ipc_proc_iface *iface; +}; + +struct msg_msgseg; + +struct msg_msg { + struct list_head m_list; + long int m_type; + size_t m_ts; + struct msg_msgseg *next; + void *security; +}; + +struct msg_msgseg { + struct msg_msgseg *next; +}; + +typedef int __kernel_ipc_pid_t; + +struct msgbuf { + __kernel_long_t mtype; + char mtext[1]; +}; + +struct msg; + +struct msqid_ds { + struct ipc_perm msg_perm; + struct msg *msg_first; + struct msg *msg_last; + __kernel_old_time_t msg_stime; + __kernel_old_time_t msg_rtime; + __kernel_old_time_t msg_ctime; + long unsigned int msg_lcbytes; + long unsigned int msg_lqbytes; + short unsigned int msg_cbytes; + short unsigned int msg_qnum; + short unsigned int msg_qbytes; + __kernel_ipc_pid_t msg_lspid; + __kernel_ipc_pid_t msg_lrpid; +}; + +struct msqid64_ds { + struct ipc64_perm msg_perm; + long int msg_stime; + long int msg_rtime; + long int msg_ctime; + long unsigned int msg_cbytes; + long unsigned int msg_qnum; + long unsigned int msg_qbytes; + __kernel_pid_t msg_lspid; + __kernel_pid_t msg_lrpid; + long unsigned int __unused4; + long unsigned int __unused5; +}; + +struct msginfo { + int msgpool; + int msgmap; + int msgmax; + int msgmnb; + int msgmni; + int msgssz; + int msgtql; + short unsigned int msgseg; +}; + +typedef u16 compat_ipc_pid_t; + +struct compat_msqid64_ds { + struct compat_ipc64_perm msg_perm; + compat_ulong_t msg_stime; + compat_ulong_t msg_stime_high; + compat_ulong_t msg_rtime; + compat_ulong_t msg_rtime_high; + compat_ulong_t msg_ctime; + compat_ulong_t msg_ctime_high; + compat_ulong_t msg_cbytes; + compat_ulong_t msg_qnum; + compat_ulong_t msg_qbytes; + compat_pid_t msg_lspid; + compat_pid_t msg_lrpid; + compat_ulong_t __unused4; + compat_ulong_t __unused5; +}; + +struct msg_queue { + struct kern_ipc_perm q_perm; + time64_t q_stime; + time64_t q_rtime; + time64_t q_ctime; + long unsigned int q_cbytes; + long unsigned int q_qnum; + long unsigned int q_qbytes; + struct pid *q_lspid; + struct pid *q_lrpid; + struct list_head q_messages; + struct list_head q_receivers; + struct list_head q_senders; + long: 64; + long: 64; +}; + +struct msg_receiver { + struct list_head r_list; + struct task_struct *r_tsk; + int r_mode; + long int r_msgtype; + long int r_maxsize; + struct msg_msg *r_msg; +}; + +struct msg_sender { + struct list_head list; + struct task_struct *tsk; + size_t msgsz; +}; + +struct compat_msqid_ds { + struct compat_ipc_perm msg_perm; + compat_uptr_t msg_first; + compat_uptr_t msg_last; + old_time32_t msg_stime; + old_time32_t msg_rtime; + old_time32_t msg_ctime; + compat_ulong_t msg_lcbytes; + compat_ulong_t msg_lqbytes; + short unsigned int msg_cbytes; + short unsigned int msg_qnum; + short unsigned int msg_qbytes; + compat_ipc_pid_t msg_lspid; + compat_ipc_pid_t msg_lrpid; +}; + +struct compat_msgbuf { + compat_long_t mtype; + char mtext[1]; +}; + +struct sem; + +struct sem_queue; + +struct sem_undo; + +struct semid_ds { + struct ipc_perm sem_perm; + __kernel_old_time_t sem_otime; + __kernel_old_time_t sem_ctime; + struct sem *sem_base; + struct sem_queue *sem_pending; + struct sem_queue **sem_pending_last; + struct sem_undo *undo; + short unsigned int sem_nsems; +}; + +struct sem { + int semval; + struct pid *sempid; + spinlock_t lock; + struct list_head pending_alter; + struct list_head pending_const; + time64_t sem_otime; +}; + +struct sembuf; + +struct sem_queue { + struct list_head list; + struct task_struct *sleeper; + struct sem_undo *undo; + struct pid *pid; + int status; + struct sembuf *sops; + struct sembuf *blocking; + int nsops; + bool alter; + bool dupsop; +}; + +struct sem_undo { + struct list_head list_proc; + struct callback_head rcu; + struct sem_undo_list *ulp; + struct list_head list_id; + int semid; + short int *semadj; +}; + +struct semid64_ds { + struct ipc64_perm sem_perm; + __kernel_long_t sem_otime; + __kernel_ulong_t __unused1; + __kernel_long_t sem_ctime; + __kernel_ulong_t __unused2; + __kernel_ulong_t sem_nsems; + __kernel_ulong_t __unused3; + __kernel_ulong_t __unused4; +}; + +struct sembuf { + short unsigned int sem_num; + short int sem_op; + short int sem_flg; +}; + +struct seminfo { + int semmap; + int semmni; + int semmns; + int semmnu; + int semmsl; + int semopm; + int semume; + int semusz; + int semvmx; + int semaem; +}; + +struct sem_undo_list { + refcount_t refcnt; + spinlock_t lock; + struct list_head list_proc; +}; + +struct compat_semid64_ds { + struct compat_ipc64_perm sem_perm; + compat_ulong_t sem_otime; + compat_ulong_t sem_otime_high; + compat_ulong_t sem_ctime; + compat_ulong_t sem_ctime_high; + compat_ulong_t sem_nsems; + compat_ulong_t __unused3; + compat_ulong_t __unused4; +}; + +struct sem_array { + struct kern_ipc_perm sem_perm; + time64_t sem_ctime; + struct list_head pending_alter; + struct list_head pending_const; + struct list_head list_id; + int sem_nsems; + int complex_count; + unsigned int use_global_lock; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct sem sems[0]; +}; + +struct compat_semid_ds { + struct compat_ipc_perm sem_perm; + old_time32_t sem_otime; + old_time32_t sem_ctime; + compat_uptr_t sem_base; + compat_uptr_t sem_pending; + compat_uptr_t sem_pending_last; + compat_uptr_t undo; + short unsigned int sem_nsems; +}; + +struct shmid_ds { + struct ipc_perm shm_perm; + int shm_segsz; + __kernel_old_time_t shm_atime; + __kernel_old_time_t shm_dtime; + __kernel_old_time_t shm_ctime; + __kernel_ipc_pid_t shm_cpid; + __kernel_ipc_pid_t shm_lpid; + short unsigned int shm_nattch; + short unsigned int shm_unused; + void *shm_unused2; + void *shm_unused3; +}; + +struct shmid64_ds { + struct ipc64_perm shm_perm; + size_t shm_segsz; + long int shm_atime; + long int shm_dtime; + long int shm_ctime; + __kernel_pid_t shm_cpid; + __kernel_pid_t shm_lpid; + long unsigned int shm_nattch; + long unsigned int __unused4; + long unsigned int __unused5; +}; + +struct shminfo64 { + long unsigned int shmmax; + long unsigned int shmmin; + long unsigned int shmmni; + long unsigned int shmseg; + long unsigned int shmall; + long unsigned int __unused1; + long unsigned int __unused2; + long unsigned int __unused3; + long unsigned int __unused4; +}; + +struct shminfo { + int shmmax; + int shmmin; + int shmmni; + int shmseg; + int shmall; +}; + +struct shm_info { + int used_ids; + __kernel_ulong_t shm_tot; + __kernel_ulong_t shm_rss; + __kernel_ulong_t shm_swp; + __kernel_ulong_t swap_attempts; + __kernel_ulong_t swap_successes; +}; + +struct compat_shmid64_ds { + struct compat_ipc64_perm shm_perm; + compat_size_t shm_segsz; + compat_ulong_t shm_atime; + compat_ulong_t shm_atime_high; + compat_ulong_t shm_dtime; + compat_ulong_t shm_dtime_high; + compat_ulong_t shm_ctime; + compat_ulong_t shm_ctime_high; + compat_pid_t shm_cpid; + compat_pid_t shm_lpid; + compat_ulong_t shm_nattch; + compat_ulong_t __unused4; + compat_ulong_t __unused5; +}; + +struct shmid_kernel { + struct kern_ipc_perm shm_perm; + struct file *shm_file; + long unsigned int shm_nattch; + long unsigned int shm_segsz; + time64_t shm_atim; + time64_t shm_dtim; + time64_t shm_ctim; + struct pid *shm_cprid; + struct pid *shm_lprid; + struct user_struct *mlock_user; + struct task_struct *shm_creator; + struct list_head shm_clist; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct shm_file_data { + int id; + struct ipc_namespace *ns; + struct file *file; + const struct vm_operations_struct *vm_ops; +}; + +struct compat_shmid_ds { + struct compat_ipc_perm shm_perm; + int shm_segsz; + old_time32_t shm_atime; + old_time32_t shm_dtime; + old_time32_t shm_ctime; + compat_ipc_pid_t shm_cpid; + compat_ipc_pid_t shm_lpid; + short unsigned int shm_nattch; + short unsigned int shm_unused; + compat_uptr_t shm_unused2; + compat_uptr_t shm_unused3; +}; + +struct compat_shminfo64 { + compat_ulong_t shmmax; + compat_ulong_t shmmin; + compat_ulong_t shmmni; + compat_ulong_t shmseg; + compat_ulong_t shmall; + compat_ulong_t __unused1; + compat_ulong_t __unused2; + compat_ulong_t __unused3; + compat_ulong_t __unused4; +}; + +struct compat_shm_info { + compat_int_t used_ids; + compat_ulong_t shm_tot; + compat_ulong_t shm_rss; + compat_ulong_t shm_swp; + compat_ulong_t swap_attempts; + compat_ulong_t swap_successes; +}; + +struct compat_ipc_kludge { + compat_uptr_t msgp; + compat_long_t msgtyp; +}; + +struct mqueue_fs_context { + struct ipc_namespace *ipc_ns; +}; + +struct posix_msg_tree_node { + struct rb_node rb_node; + struct list_head msg_list; + int priority; +}; + +struct ext_wait_queue { + struct task_struct *task; + struct list_head list; + struct msg_msg *msg; + int state; +}; + +struct mqueue_inode_info { + spinlock_t lock; + struct inode vfs_inode; + wait_queue_head_t wait_q; + struct rb_root msg_tree; + struct rb_node *msg_tree_rightmost; + struct posix_msg_tree_node *node_cache; + struct mq_attr attr; + struct sigevent notify; + struct pid *notify_owner; + struct user_namespace *notify_user_ns; + struct user_struct *user; + struct sock *notify_sock; + struct sk_buff *notify_cookie; + struct ext_wait_queue e_wait_q[2]; + long unsigned int qsize; +}; + +struct compat_mq_attr { + compat_long_t mq_flags; + compat_long_t mq_maxmsg; + compat_long_t mq_msgsize; + compat_long_t mq_curmsgs; + compat_long_t __reserved[4]; +}; + +enum key_state { + KEY_IS_UNINSTANTIATED = 0, + KEY_IS_POSITIVE = 1, +}; + +struct key_user { + struct rb_node node; + struct mutex cons_lock; + spinlock_t lock; + refcount_t usage; + atomic_t nkeys; + atomic_t nikeys; + kuid_t uid; + int qnkeys; + int qnbytes; +}; + +struct assoc_array_edit; + +struct assoc_array_ops { + long unsigned int (*get_key_chunk)(const void *, int); + long unsigned int (*get_object_key_chunk)(const void *, int); + bool (*compare_object)(const void *, const void *); + int (*diff_objects)(const void *, const void *); + void (*free_object)(void *); +}; + +struct assoc_array_node { + struct assoc_array_ptr *back_pointer; + u8 parent_slot; + struct assoc_array_ptr *slots[16]; + long unsigned int nr_leaves_on_branch; +}; + +struct assoc_array_shortcut { + struct assoc_array_ptr *back_pointer; + int parent_slot; + int skip_to_level; + struct assoc_array_ptr *next_node; + long unsigned int index_key[0]; +}; + +struct assoc_array_edit___2 { + struct callback_head rcu; + struct assoc_array *array; + const struct assoc_array_ops *ops; + const struct assoc_array_ops *ops_for_excised_subtree; + struct assoc_array_ptr *leaf; + struct assoc_array_ptr **leaf_p; + struct assoc_array_ptr *dead_leaf; + struct assoc_array_ptr *new_meta[3]; + struct assoc_array_ptr *excised_meta[1]; + struct assoc_array_ptr *excised_subtree; + struct assoc_array_ptr **set_backpointers[16]; + struct assoc_array_ptr *set_backpointers_to; + struct assoc_array_node *adjust_count_on; + long int adjust_count_by; + struct { + struct assoc_array_ptr **ptr; + struct assoc_array_ptr *to; + } set[2]; + struct { + u8 *p; + u8 to; + } set_parent_slot[1]; + u8 segment_cache[17]; +}; + +struct keyring_search_context { + struct keyring_index_key index_key; + const struct cred *cred; + struct key_match_data match_data; + unsigned int flags; + int (*iterator)(const void *, void *); + int skipped_ret; + bool possessed; + key_ref_t result; + time64_t now; +}; + +struct keyring_read_iterator_context { + size_t buflen; + size_t count; + key_serial_t *buffer; +}; + +struct keyctl_dh_params { + union { + __s32 private; + __s32 priv; + }; + __s32 prime; + __s32 base; +}; + +struct keyctl_kdf_params { + char *hashname; + char *otherinfo; + __u32 otherinfolen; + __u32 __spare[8]; +}; + +struct keyctl_pkey_query { + __u32 supported_ops; + __u32 key_size; + __u16 max_data_size; + __u16 max_sig_size; + __u16 max_enc_size; + __u16 max_dec_size; + __u32 __spare[10]; +}; + +struct keyctl_pkey_params { + __s32 key_id; + __u32 in_len; + union { + __u32 out_len; + __u32 in2_len; + }; + __u32 __spare[7]; +}; + +enum { + Opt_err___8 = 0, + Opt_enc = 1, + Opt_hash = 2, +}; + +struct vfs_cap_data { + __le32 magic_etc; + struct { + __le32 permitted; + __le32 inheritable; + } data[2]; +}; + +struct vfs_ns_cap_data { + __le32 magic_etc; + struct { + __le32 permitted; + __le32 inheritable; + } data[2]; + __le32 rootid; +}; + +struct sctp_endpoint; + +union security_list_options { + int (*binder_set_context_mgr)(struct task_struct *); + int (*binder_transaction)(struct task_struct *, struct task_struct *); + int (*binder_transfer_binder)(struct task_struct *, struct task_struct *); + int (*binder_transfer_file)(struct task_struct *, struct task_struct *, struct file *); + int (*ptrace_access_check)(struct task_struct *, unsigned int); + int (*ptrace_traceme)(struct task_struct *); + int (*capget)(struct task_struct *, kernel_cap_t *, kernel_cap_t *, kernel_cap_t *); + int (*capset)(struct cred *, const struct cred *, const kernel_cap_t *, const kernel_cap_t *, const kernel_cap_t *); + int (*capable)(const struct cred *, struct user_namespace *, int, unsigned int); + int (*quotactl)(int, int, int, struct super_block *); + int (*quota_on)(struct dentry *); + int (*syslog)(int); + int (*settime)(const struct timespec64 *, const struct timezone *); + int (*vm_enough_memory)(struct mm_struct *, long int); + int (*bprm_set_creds)(struct linux_binprm *); + int (*bprm_check_security)(struct linux_binprm *); + void (*bprm_committing_creds)(struct linux_binprm *); + void (*bprm_committed_creds)(struct linux_binprm *); + int (*fs_context_dup)(struct fs_context *, struct fs_context *); + int (*fs_context_parse_param)(struct fs_context *, struct fs_parameter *); + int (*sb_alloc_security)(struct super_block *); + void (*sb_free_security)(struct super_block *); + void (*sb_free_mnt_opts)(void *); + int (*sb_eat_lsm_opts)(char *, void **); + int (*sb_remount)(struct super_block *, void *); + int (*sb_kern_mount)(struct super_block *); + int (*sb_show_options)(struct seq_file *, struct super_block *); + int (*sb_statfs)(struct dentry *); + int (*sb_mount)(const char *, const struct path *, const char *, long unsigned int, void *); + int (*sb_umount)(struct vfsmount *, int); + int (*sb_pivotroot)(const struct path *, const struct path *); + int (*sb_set_mnt_opts)(struct super_block *, void *, long unsigned int, long unsigned int *); + int (*sb_clone_mnt_opts)(const struct super_block *, struct super_block *, long unsigned int, long unsigned int *); + int (*sb_add_mnt_opt)(const char *, const char *, int, void **); + int (*move_mount)(const struct path *, const struct path *); + int (*dentry_init_security)(struct dentry *, int, const struct qstr *, void **, u32 *); + int (*dentry_create_files_as)(struct dentry *, int, struct qstr *, const struct cred *, struct cred *); + int (*path_notify)(const struct path *, u64, unsigned int); + int (*inode_alloc_security)(struct inode *); + void (*inode_free_security)(struct inode *); + int (*inode_init_security)(struct inode *, struct inode *, const struct qstr *, const char **, void **, size_t *); + int (*inode_create)(struct inode *, struct dentry *, umode_t); + int (*inode_link)(struct dentry *, struct inode *, struct dentry *); + int (*inode_unlink)(struct inode *, struct dentry *); + int (*inode_symlink)(struct inode *, struct dentry *, const char *); + int (*inode_mkdir)(struct inode *, struct dentry *, umode_t); + int (*inode_rmdir)(struct inode *, struct dentry *); + int (*inode_mknod)(struct inode *, struct dentry *, umode_t, dev_t); + int (*inode_rename)(struct inode *, struct dentry *, struct inode *, struct dentry *); + int (*inode_readlink)(struct dentry *); + int (*inode_follow_link)(struct dentry *, struct inode *, bool); + int (*inode_permission)(struct inode *, int); + int (*inode_setattr)(struct dentry *, struct iattr *); + int (*inode_getattr)(const struct path *); + int (*inode_setxattr)(struct dentry *, const char *, const void *, size_t, int); + void (*inode_post_setxattr)(struct dentry *, const char *, const void *, size_t, int); + int (*inode_getxattr)(struct dentry *, const char *); + int (*inode_listxattr)(struct dentry *); + int (*inode_removexattr)(struct dentry *, const char *); + int (*inode_need_killpriv)(struct dentry *); + int (*inode_killpriv)(struct dentry *); + int (*inode_getsecurity)(struct inode *, const char *, void **, bool); + int (*inode_setsecurity)(struct inode *, const char *, const void *, size_t, int); + int (*inode_listsecurity)(struct inode *, char *, size_t); + void (*inode_getsecid)(struct inode *, u32 *); + int (*inode_copy_up)(struct dentry *, struct cred **); + int (*inode_copy_up_xattr)(const char *); + int (*kernfs_init_security)(struct kernfs_node *, struct kernfs_node *); + int (*file_permission)(struct file *, int); + int (*file_alloc_security)(struct file *); + void (*file_free_security)(struct file *); + int (*file_ioctl)(struct file *, unsigned int, long unsigned int); + int (*mmap_addr)(long unsigned int); + int (*mmap_file)(struct file *, long unsigned int, long unsigned int, long unsigned int); + int (*file_mprotect)(struct vm_area_struct *, long unsigned int, long unsigned int); + int (*file_lock)(struct file *, unsigned int); + int (*file_fcntl)(struct file *, unsigned int, long unsigned int); + void (*file_set_fowner)(struct file *); + int (*file_send_sigiotask)(struct task_struct *, struct fown_struct *, int); + int (*file_receive)(struct file *); + int (*file_open)(struct file *); + int (*task_alloc)(struct task_struct *, long unsigned int); + void (*task_free)(struct task_struct *); + int (*cred_alloc_blank)(struct cred *, gfp_t); + void (*cred_free)(struct cred *); + int (*cred_prepare)(struct cred *, const struct cred *, gfp_t); + void (*cred_transfer)(struct cred *, const struct cred *); + void (*cred_getsecid)(const struct cred *, u32 *); + int (*kernel_act_as)(struct cred *, u32); + int (*kernel_create_files_as)(struct cred *, struct inode *); + int (*kernel_module_request)(char *); + int (*kernel_load_data)(enum kernel_load_data_id); + int (*kernel_read_file)(struct file *, enum kernel_read_file_id); + int (*kernel_post_read_file)(struct file *, char *, loff_t, enum kernel_read_file_id); + int (*task_fix_setuid)(struct cred *, const struct cred *, int); + int (*task_setpgid)(struct task_struct *, pid_t); + int (*task_getpgid)(struct task_struct *); + int (*task_getsid)(struct task_struct *); + void (*task_getsecid)(struct task_struct *, u32 *); + int (*task_setnice)(struct task_struct *, int); + int (*task_setioprio)(struct task_struct *, int); + int (*task_getioprio)(struct task_struct *); + int (*task_prlimit)(const struct cred *, const struct cred *, unsigned int); + int (*task_setrlimit)(struct task_struct *, unsigned int, struct rlimit *); + int (*task_setscheduler)(struct task_struct *); + int (*task_getscheduler)(struct task_struct *); + int (*task_movememory)(struct task_struct *); + int (*task_kill)(struct task_struct *, struct kernel_siginfo *, int, const struct cred *); + int (*task_prctl)(int, long unsigned int, long unsigned int, long unsigned int, long unsigned int); + void (*task_to_inode)(struct task_struct *, struct inode *); + int (*ipc_permission)(struct kern_ipc_perm *, short int); + void (*ipc_getsecid)(struct kern_ipc_perm *, u32 *); + int (*msg_msg_alloc_security)(struct msg_msg *); + void (*msg_msg_free_security)(struct msg_msg *); + int (*msg_queue_alloc_security)(struct kern_ipc_perm *); + void (*msg_queue_free_security)(struct kern_ipc_perm *); + int (*msg_queue_associate)(struct kern_ipc_perm *, int); + int (*msg_queue_msgctl)(struct kern_ipc_perm *, int); + int (*msg_queue_msgsnd)(struct kern_ipc_perm *, struct msg_msg *, int); + int (*msg_queue_msgrcv)(struct kern_ipc_perm *, struct msg_msg *, struct task_struct *, long int, int); + int (*shm_alloc_security)(struct kern_ipc_perm *); + void (*shm_free_security)(struct kern_ipc_perm *); + int (*shm_associate)(struct kern_ipc_perm *, int); + int (*shm_shmctl)(struct kern_ipc_perm *, int); + int (*shm_shmat)(struct kern_ipc_perm *, char *, int); + int (*sem_alloc_security)(struct kern_ipc_perm *); + void (*sem_free_security)(struct kern_ipc_perm *); + int (*sem_associate)(struct kern_ipc_perm *, int); + int (*sem_semctl)(struct kern_ipc_perm *, int); + int (*sem_semop)(struct kern_ipc_perm *, struct sembuf *, unsigned int, int); + int (*netlink_send)(struct sock *, struct sk_buff *); + void (*d_instantiate)(struct dentry *, struct inode *); + int (*getprocattr)(struct task_struct *, char *, char **); + int (*setprocattr)(const char *, void *, size_t); + int (*ismaclabel)(const char *); + int (*secid_to_secctx)(u32, char **, u32 *); + int (*secctx_to_secid)(const char *, u32, u32 *); + void (*release_secctx)(char *, u32); + void (*inode_invalidate_secctx)(struct inode *); + int (*inode_notifysecctx)(struct inode *, void *, u32); + int (*inode_setsecctx)(struct dentry *, void *, u32); + int (*inode_getsecctx)(struct inode *, void **, u32 *); + int (*unix_stream_connect)(struct sock *, struct sock *, struct sock *); + int (*unix_may_send)(struct socket *, struct socket *); + int (*socket_create)(int, int, int, int); + int (*socket_post_create)(struct socket *, int, int, int, int); + int (*socket_socketpair)(struct socket *, struct socket *); + int (*socket_bind)(struct socket *, struct sockaddr *, int); + int (*socket_connect)(struct socket *, struct sockaddr *, int); + int (*socket_listen)(struct socket *, int); + int (*socket_accept)(struct socket *, struct socket *); + int (*socket_sendmsg)(struct socket *, struct msghdr *, int); + int (*socket_recvmsg)(struct socket *, struct msghdr *, int, int); + int (*socket_getsockname)(struct socket *); + int (*socket_getpeername)(struct socket *); + int (*socket_getsockopt)(struct socket *, int, int); + int (*socket_setsockopt)(struct socket *, int, int); + int (*socket_shutdown)(struct socket *, int); + int (*socket_sock_rcv_skb)(struct sock *, struct sk_buff *); + int (*socket_getpeersec_stream)(struct socket *, char *, int *, unsigned int); + int (*socket_getpeersec_dgram)(struct socket *, struct sk_buff *, u32 *); + int (*sk_alloc_security)(struct sock *, int, gfp_t); + void (*sk_free_security)(struct sock *); + void (*sk_clone_security)(const struct sock *, struct sock *); + void (*sk_getsecid)(struct sock *, u32 *); + void (*sock_graft)(struct sock *, struct socket *); + int (*inet_conn_request)(struct sock *, struct sk_buff *, struct request_sock *); + void (*inet_csk_clone)(struct sock *, const struct request_sock *); + void (*inet_conn_established)(struct sock *, struct sk_buff *); + int (*secmark_relabel_packet)(u32); + void (*secmark_refcount_inc)(); + void (*secmark_refcount_dec)(); + void (*req_classify_flow)(const struct request_sock *, struct flowi *); + int (*tun_dev_alloc_security)(void **); + void (*tun_dev_free_security)(void *); + int (*tun_dev_create)(); + int (*tun_dev_attach_queue)(void *); + int (*tun_dev_attach)(struct sock *, void *); + int (*tun_dev_open)(void *); + int (*sctp_assoc_request)(struct sctp_endpoint *, struct sk_buff *); + int (*sctp_bind_connect)(struct sock *, int, struct sockaddr *, int); + void (*sctp_sk_clone)(struct sctp_endpoint *, struct sock *, struct sock *); + int (*key_alloc)(struct key *, const struct cred *, long unsigned int); + void (*key_free)(struct key *); + int (*key_permission)(key_ref_t, const struct cred *, unsigned int); + int (*key_getsecurity)(struct key *, char **); + int (*audit_rule_init)(u32, u32, char *, void **); + int (*audit_rule_known)(struct audit_krule *); + int (*audit_rule_match)(u32, u32, u32, void *); + void (*audit_rule_free)(void *); + int (*locked_down)(enum lockdown_reason); + int (*perf_event_open)(struct perf_event_attr *, int); + int (*perf_event_alloc)(struct perf_event *); + void (*perf_event_free)(struct perf_event *); + int (*perf_event_read)(struct perf_event *); + int (*perf_event_write)(struct perf_event *); +}; + +struct security_hook_heads { + struct hlist_head binder_set_context_mgr; + struct hlist_head binder_transaction; + struct hlist_head binder_transfer_binder; + struct hlist_head binder_transfer_file; + struct hlist_head ptrace_access_check; + struct hlist_head ptrace_traceme; + struct hlist_head capget; + struct hlist_head capset; + struct hlist_head capable; + struct hlist_head quotactl; + struct hlist_head quota_on; + struct hlist_head syslog; + struct hlist_head settime; + struct hlist_head vm_enough_memory; + struct hlist_head bprm_set_creds; + struct hlist_head bprm_check_security; + struct hlist_head bprm_committing_creds; + struct hlist_head bprm_committed_creds; + struct hlist_head fs_context_dup; + struct hlist_head fs_context_parse_param; + struct hlist_head sb_alloc_security; + struct hlist_head sb_free_security; + struct hlist_head sb_free_mnt_opts; + struct hlist_head sb_eat_lsm_opts; + struct hlist_head sb_remount; + struct hlist_head sb_kern_mount; + struct hlist_head sb_show_options; + struct hlist_head sb_statfs; + struct hlist_head sb_mount; + struct hlist_head sb_umount; + struct hlist_head sb_pivotroot; + struct hlist_head sb_set_mnt_opts; + struct hlist_head sb_clone_mnt_opts; + struct hlist_head sb_add_mnt_opt; + struct hlist_head move_mount; + struct hlist_head dentry_init_security; + struct hlist_head dentry_create_files_as; + struct hlist_head path_notify; + struct hlist_head inode_alloc_security; + struct hlist_head inode_free_security; + struct hlist_head inode_init_security; + struct hlist_head inode_create; + struct hlist_head inode_link; + struct hlist_head inode_unlink; + struct hlist_head inode_symlink; + struct hlist_head inode_mkdir; + struct hlist_head inode_rmdir; + struct hlist_head inode_mknod; + struct hlist_head inode_rename; + struct hlist_head inode_readlink; + struct hlist_head inode_follow_link; + struct hlist_head inode_permission; + struct hlist_head inode_setattr; + struct hlist_head inode_getattr; + struct hlist_head inode_setxattr; + struct hlist_head inode_post_setxattr; + struct hlist_head inode_getxattr; + struct hlist_head inode_listxattr; + struct hlist_head inode_removexattr; + struct hlist_head inode_need_killpriv; + struct hlist_head inode_killpriv; + struct hlist_head inode_getsecurity; + struct hlist_head inode_setsecurity; + struct hlist_head inode_listsecurity; + struct hlist_head inode_getsecid; + struct hlist_head inode_copy_up; + struct hlist_head inode_copy_up_xattr; + struct hlist_head kernfs_init_security; + struct hlist_head file_permission; + struct hlist_head file_alloc_security; + struct hlist_head file_free_security; + struct hlist_head file_ioctl; + struct hlist_head mmap_addr; + struct hlist_head mmap_file; + struct hlist_head file_mprotect; + struct hlist_head file_lock; + struct hlist_head file_fcntl; + struct hlist_head file_set_fowner; + struct hlist_head file_send_sigiotask; + struct hlist_head file_receive; + struct hlist_head file_open; + struct hlist_head task_alloc; + struct hlist_head task_free; + struct hlist_head cred_alloc_blank; + struct hlist_head cred_free; + struct hlist_head cred_prepare; + struct hlist_head cred_transfer; + struct hlist_head cred_getsecid; + struct hlist_head kernel_act_as; + struct hlist_head kernel_create_files_as; + struct hlist_head kernel_load_data; + struct hlist_head kernel_read_file; + struct hlist_head kernel_post_read_file; + struct hlist_head kernel_module_request; + struct hlist_head task_fix_setuid; + struct hlist_head task_setpgid; + struct hlist_head task_getpgid; + struct hlist_head task_getsid; + struct hlist_head task_getsecid; + struct hlist_head task_setnice; + struct hlist_head task_setioprio; + struct hlist_head task_getioprio; + struct hlist_head task_prlimit; + struct hlist_head task_setrlimit; + struct hlist_head task_setscheduler; + struct hlist_head task_getscheduler; + struct hlist_head task_movememory; + struct hlist_head task_kill; + struct hlist_head task_prctl; + struct hlist_head task_to_inode; + struct hlist_head ipc_permission; + struct hlist_head ipc_getsecid; + struct hlist_head msg_msg_alloc_security; + struct hlist_head msg_msg_free_security; + struct hlist_head msg_queue_alloc_security; + struct hlist_head msg_queue_free_security; + struct hlist_head msg_queue_associate; + struct hlist_head msg_queue_msgctl; + struct hlist_head msg_queue_msgsnd; + struct hlist_head msg_queue_msgrcv; + struct hlist_head shm_alloc_security; + struct hlist_head shm_free_security; + struct hlist_head shm_associate; + struct hlist_head shm_shmctl; + struct hlist_head shm_shmat; + struct hlist_head sem_alloc_security; + struct hlist_head sem_free_security; + struct hlist_head sem_associate; + struct hlist_head sem_semctl; + struct hlist_head sem_semop; + struct hlist_head netlink_send; + struct hlist_head d_instantiate; + struct hlist_head getprocattr; + struct hlist_head setprocattr; + struct hlist_head ismaclabel; + struct hlist_head secid_to_secctx; + struct hlist_head secctx_to_secid; + struct hlist_head release_secctx; + struct hlist_head inode_invalidate_secctx; + struct hlist_head inode_notifysecctx; + struct hlist_head inode_setsecctx; + struct hlist_head inode_getsecctx; + struct hlist_head unix_stream_connect; + struct hlist_head unix_may_send; + struct hlist_head socket_create; + struct hlist_head socket_post_create; + struct hlist_head socket_socketpair; + struct hlist_head socket_bind; + struct hlist_head socket_connect; + struct hlist_head socket_listen; + struct hlist_head socket_accept; + struct hlist_head socket_sendmsg; + struct hlist_head socket_recvmsg; + struct hlist_head socket_getsockname; + struct hlist_head socket_getpeername; + struct hlist_head socket_getsockopt; + struct hlist_head socket_setsockopt; + struct hlist_head socket_shutdown; + struct hlist_head socket_sock_rcv_skb; + struct hlist_head socket_getpeersec_stream; + struct hlist_head socket_getpeersec_dgram; + struct hlist_head sk_alloc_security; + struct hlist_head sk_free_security; + struct hlist_head sk_clone_security; + struct hlist_head sk_getsecid; + struct hlist_head sock_graft; + struct hlist_head inet_conn_request; + struct hlist_head inet_csk_clone; + struct hlist_head inet_conn_established; + struct hlist_head secmark_relabel_packet; + struct hlist_head secmark_refcount_inc; + struct hlist_head secmark_refcount_dec; + struct hlist_head req_classify_flow; + struct hlist_head tun_dev_alloc_security; + struct hlist_head tun_dev_free_security; + struct hlist_head tun_dev_create; + struct hlist_head tun_dev_attach_queue; + struct hlist_head tun_dev_attach; + struct hlist_head tun_dev_open; + struct hlist_head sctp_assoc_request; + struct hlist_head sctp_bind_connect; + struct hlist_head sctp_sk_clone; + struct hlist_head key_alloc; + struct hlist_head key_free; + struct hlist_head key_permission; + struct hlist_head key_getsecurity; + struct hlist_head audit_rule_init; + struct hlist_head audit_rule_known; + struct hlist_head audit_rule_match; + struct hlist_head audit_rule_free; + struct hlist_head locked_down; + struct hlist_head perf_event_open; + struct hlist_head perf_event_alloc; + struct hlist_head perf_event_free; + struct hlist_head perf_event_read; + struct hlist_head perf_event_write; +}; + +struct security_hook_list { + struct hlist_node list; + struct hlist_head *head; + union security_list_options hook; + char *lsm; +}; + +struct lsm_blob_sizes { + int lbs_cred; + int lbs_file; + int lbs_inode; + int lbs_ipc; + int lbs_msg_msg; + int lbs_task; +}; + +enum lsm_order { + LSM_ORDER_FIRST = -1, + LSM_ORDER_MUTABLE = 0, +}; + +struct lsm_info { + const char *name; + enum lsm_order order; + long unsigned int flags; + int *enabled; + int (*init)(); + struct lsm_blob_sizes *blobs; +}; + +enum lsm_event { + LSM_POLICY_CHANGE = 0, +}; + +typedef int (*initxattrs___2)(struct inode *, const struct xattr *, void *); + +enum ib_uverbs_write_cmds { + IB_USER_VERBS_CMD_GET_CONTEXT = 0, + IB_USER_VERBS_CMD_QUERY_DEVICE = 1, + IB_USER_VERBS_CMD_QUERY_PORT = 2, + IB_USER_VERBS_CMD_ALLOC_PD = 3, + IB_USER_VERBS_CMD_DEALLOC_PD = 4, + IB_USER_VERBS_CMD_CREATE_AH = 5, + IB_USER_VERBS_CMD_MODIFY_AH = 6, + IB_USER_VERBS_CMD_QUERY_AH = 7, + IB_USER_VERBS_CMD_DESTROY_AH = 8, + IB_USER_VERBS_CMD_REG_MR = 9, + IB_USER_VERBS_CMD_REG_SMR = 10, + IB_USER_VERBS_CMD_REREG_MR = 11, + IB_USER_VERBS_CMD_QUERY_MR = 12, + IB_USER_VERBS_CMD_DEREG_MR = 13, + IB_USER_VERBS_CMD_ALLOC_MW = 14, + IB_USER_VERBS_CMD_BIND_MW = 15, + IB_USER_VERBS_CMD_DEALLOC_MW = 16, + IB_USER_VERBS_CMD_CREATE_COMP_CHANNEL = 17, + IB_USER_VERBS_CMD_CREATE_CQ = 18, + IB_USER_VERBS_CMD_RESIZE_CQ = 19, + IB_USER_VERBS_CMD_DESTROY_CQ = 20, + IB_USER_VERBS_CMD_POLL_CQ = 21, + IB_USER_VERBS_CMD_PEEK_CQ = 22, + IB_USER_VERBS_CMD_REQ_NOTIFY_CQ = 23, + IB_USER_VERBS_CMD_CREATE_QP = 24, + IB_USER_VERBS_CMD_QUERY_QP = 25, + IB_USER_VERBS_CMD_MODIFY_QP = 26, + IB_USER_VERBS_CMD_DESTROY_QP = 27, + IB_USER_VERBS_CMD_POST_SEND = 28, + IB_USER_VERBS_CMD_POST_RECV = 29, + IB_USER_VERBS_CMD_ATTACH_MCAST = 30, + IB_USER_VERBS_CMD_DETACH_MCAST = 31, + IB_USER_VERBS_CMD_CREATE_SRQ = 32, + IB_USER_VERBS_CMD_MODIFY_SRQ = 33, + IB_USER_VERBS_CMD_QUERY_SRQ = 34, + IB_USER_VERBS_CMD_DESTROY_SRQ = 35, + IB_USER_VERBS_CMD_POST_SRQ_RECV = 36, + IB_USER_VERBS_CMD_OPEN_XRCD = 37, + IB_USER_VERBS_CMD_CLOSE_XRCD = 38, + IB_USER_VERBS_CMD_CREATE_XSRQ = 39, + IB_USER_VERBS_CMD_OPEN_QP = 40, +}; + +enum ib_uverbs_create_qp_mask { + IB_UVERBS_CREATE_QP_MASK_IND_TABLE = 1, +}; + +enum ib_uverbs_wr_opcode { + IB_UVERBS_WR_RDMA_WRITE = 0, + IB_UVERBS_WR_RDMA_WRITE_WITH_IMM = 1, + IB_UVERBS_WR_SEND = 2, + IB_UVERBS_WR_SEND_WITH_IMM = 3, + IB_UVERBS_WR_RDMA_READ = 4, + IB_UVERBS_WR_ATOMIC_CMP_AND_SWP = 5, + IB_UVERBS_WR_ATOMIC_FETCH_AND_ADD = 6, + IB_UVERBS_WR_LOCAL_INV = 7, + IB_UVERBS_WR_BIND_MW = 8, + IB_UVERBS_WR_SEND_WITH_INV = 9, + IB_UVERBS_WR_TSO = 10, + IB_UVERBS_WR_RDMA_READ_WITH_INV = 11, + IB_UVERBS_WR_MASKED_ATOMIC_CMP_AND_SWP = 12, + IB_UVERBS_WR_MASKED_ATOMIC_FETCH_AND_ADD = 13, +}; + +enum ib_uverbs_access_flags { + IB_UVERBS_ACCESS_LOCAL_WRITE = 1, + IB_UVERBS_ACCESS_REMOTE_WRITE = 2, + IB_UVERBS_ACCESS_REMOTE_READ = 4, + IB_UVERBS_ACCESS_REMOTE_ATOMIC = 8, + IB_UVERBS_ACCESS_MW_BIND = 16, + IB_UVERBS_ACCESS_ZERO_BASED = 32, + IB_UVERBS_ACCESS_ON_DEMAND = 64, + IB_UVERBS_ACCESS_HUGETLB = 128, +}; + +struct lsm_network_audit { + int netif; + struct sock *sk; + u16 family; + __be16 dport; + __be16 sport; + union { + struct { + __be32 daddr; + __be32 saddr; + } v4; + struct { + struct in6_addr daddr; + struct in6_addr saddr; + } v6; + } fam; +}; + +struct lsm_ioctlop_audit { + struct path path; + u16 cmd; +}; + +struct lsm_ibpkey_audit { + u64 subnet_prefix; + u16 pkey; +}; + +struct lsm_ibendport_audit { + char dev_name[64]; + u8 port; +}; + +struct selinux_state; + +struct selinux_audit_data { + u32 ssid; + u32 tsid; + u16 tclass; + u32 requested; + u32 audited; + u32 denied; + int result; + struct selinux_state *state; +}; + +struct common_audit_data { + char type; + union { + struct path path; + struct dentry *dentry; + struct inode *inode; + struct lsm_network_audit *net; + int cap; + int ipc_id; + struct task_struct *tsk; + struct { + key_serial_t key; + char *key_desc; + } key_struct; + char *kmod_name; + struct lsm_ioctlop_audit *op; + struct file *file; + struct lsm_ibpkey_audit *ibpkey; + struct lsm_ibendport_audit *ibendport; + } u; + union { + struct selinux_audit_data *selinux_audit_data; + }; +}; + +enum { + POLICYDB_CAPABILITY_NETPEER = 0, + POLICYDB_CAPABILITY_OPENPERM = 1, + POLICYDB_CAPABILITY_EXTSOCKCLASS = 2, + POLICYDB_CAPABILITY_ALWAYSNETWORK = 3, + POLICYDB_CAPABILITY_CGROUPSECLABEL = 4, + POLICYDB_CAPABILITY_NNP_NOSUID_TRANSITION = 5, + __POLICYDB_CAPABILITY_MAX = 6, +}; + +struct selinux_avc; + +struct selinux_ss; + +struct selinux_state { + bool disabled; + bool enforcing; + bool checkreqprot; + bool initialized; + bool policycap[6]; + struct selinux_avc *avc; + struct selinux_ss *ss; +}; + +struct avc_cache { + struct hlist_head slots[512]; + spinlock_t slots_lock[512]; + atomic_t lru_hint; + atomic_t active_nodes; + u32 latest_notif; +}; + +struct selinux_avc { + unsigned int avc_cache_threshold; + struct avc_cache avc_cache; +}; + +struct av_decision { + u32 allowed; + u32 auditallow; + u32 auditdeny; + u32 seqno; + u32 flags; +}; + +struct extended_perms_data { + u32 p[8]; +}; + +struct extended_perms_decision { + u8 used; + u8 driver; + struct extended_perms_data *allowed; + struct extended_perms_data *auditallow; + struct extended_perms_data *dontaudit; +}; + +struct extended_perms { + u16 len; + struct extended_perms_data drivers; +}; + +struct avc_cache_stats { + unsigned int lookups; + unsigned int misses; + unsigned int allocations; + unsigned int reclaims; + unsigned int frees; +}; + +struct security_class_mapping { + const char *name; + const char *perms[33]; +}; + +struct avc_xperms_node; + +struct avc_entry { + u32 ssid; + u32 tsid; + u16 tclass; + struct av_decision avd; + struct avc_xperms_node *xp_node; +}; + +struct avc_xperms_node { + struct extended_perms xp; + struct list_head xpd_head; +}; + +struct avc_node { + struct avc_entry ae; + struct hlist_node list; + struct callback_head rhead; +}; + +struct avc_xperms_decision_node { + struct extended_perms_decision xpd; + struct list_head xpd_list; +}; + +struct avc_callback_node { + int (*callback)(u32); + u32 events; + struct avc_callback_node *next; +}; + +typedef __u16 __sum16; + +enum sctp_endpoint_type { + SCTP_EP_TYPE_SOCKET = 0, + SCTP_EP_TYPE_ASSOCIATION = 1, +}; + +struct sctp_chunk; + +struct sctp_inq { + struct list_head in_chunk_list; + struct sctp_chunk *in_progress; + struct work_struct immediate; +}; + +struct sctp_bind_addr { + __u16 port; + struct list_head address_list; +}; + +struct sctp_ep_common { + struct hlist_node node; + int hashent; + enum sctp_endpoint_type type; + refcount_t refcnt; + bool dead; + struct sock *sk; + struct net *net; + struct sctp_inq inqueue; + struct sctp_bind_addr bind_addr; +}; + +struct sctp_hmac_algo_param; + +struct sctp_chunks_param; + +struct sctp_endpoint { + struct sctp_ep_common base; + struct list_head asocs; + __u8 secret_key[32]; + __u8 *digest; + __u32 sndbuf_policy; + __u32 rcvbuf_policy; + struct crypto_shash **auth_hmacs; + struct sctp_hmac_algo_param *auth_hmacs_list; + struct sctp_chunks_param *auth_chunk_list; + struct list_head endpoint_shared_keys; + __u16 active_key_id; + __u8 ecn_enable: 1; + __u8 auth_enable: 1; + __u8 intl_enable: 1; + __u8 prsctp_enable: 1; + __u8 asconf_enable: 1; + __u8 reconf_enable: 1; + __u8 strreset_enable; + u32 secid; + u32 peer_secid; +}; + +struct inet_listen_hashbucket { + spinlock_t lock; + unsigned int count; + union { + struct hlist_head head; + struct hlist_nulls_head nulls_head; + }; +}; + +struct inet_ehash_bucket; + +struct inet_bind_hashbucket; + +struct inet_hashinfo { + struct inet_ehash_bucket *ehash; + spinlock_t *ehash_locks; + unsigned int ehash_mask; + unsigned int ehash_locks_mask; + struct kmem_cache *bind_bucket_cachep; + struct inet_bind_hashbucket *bhash; + unsigned int bhash_size; + unsigned int lhash2_mask; + struct inet_listen_hashbucket *lhash2; + long: 64; + struct inet_listen_hashbucket listening_hash[32]; +}; + +struct tcp_fastopen_context { + siphash_key_t key[2]; + int num; + struct callback_head rcu; +}; + +struct nf_hook_state; + +typedef unsigned int nf_hookfn(void *, struct sk_buff *, const struct nf_hook_state *); + +struct nf_hook_entry { + nf_hookfn *hook; + void *priv; +}; + +struct nf_hook_entries { + u16 num_hook_entries; + struct nf_hook_entry hooks[0]; +}; + +struct nf_hook_state { + unsigned int hook; + u_int8_t pf; + struct net_device *in; + struct net_device *out; + struct sock *sk; + struct net *net; + int (*okfn)(struct net *, struct sock *, struct sk_buff *); +}; + +struct nf_hook_ops { + nf_hookfn *hook; + struct net_device *dev; + void *priv; + u_int8_t pf; + unsigned int hooknum; + int priority; +}; + +enum nf_nat_manip_type { + NF_NAT_MANIP_SRC = 0, + NF_NAT_MANIP_DST = 1, +}; + +enum ip_conntrack_dir { + IP_CT_DIR_ORIGINAL = 0, + IP_CT_DIR_REPLY = 1, + IP_CT_DIR_MAX = 2, +}; + +struct nf_conn; + +struct nf_nat_hook { + int (*parse_nat_setup)(struct nf_conn *, enum nf_nat_manip_type, const struct nlattr *); + void (*decode_session)(struct sk_buff *, struct flowi *); + unsigned int (*manip_pkt)(struct sk_buff *, struct nf_conn *, enum nf_nat_manip_type, enum ip_conntrack_dir); +}; + +enum nf_ip_hook_priorities { + NF_IP_PRI_FIRST = -2147483648, + NF_IP_PRI_RAW_BEFORE_DEFRAG = -450, + NF_IP_PRI_CONNTRACK_DEFRAG = -400, + NF_IP_PRI_RAW = -300, + NF_IP_PRI_SELINUX_FIRST = -225, + NF_IP_PRI_CONNTRACK = -200, + NF_IP_PRI_MANGLE = -150, + NF_IP_PRI_NAT_DST = -100, + NF_IP_PRI_FILTER = 0, + NF_IP_PRI_SECURITY = 50, + NF_IP_PRI_NAT_SRC = 100, + NF_IP_PRI_SELINUX_LAST = 225, + NF_IP_PRI_CONNTRACK_HELPER = 300, + NF_IP_PRI_CONNTRACK_CONFIRM = 2147483647, + NF_IP_PRI_LAST = 2147483647, +}; + +enum nf_ip6_hook_priorities { + NF_IP6_PRI_FIRST = -2147483648, + NF_IP6_PRI_RAW_BEFORE_DEFRAG = -450, + NF_IP6_PRI_CONNTRACK_DEFRAG = -400, + NF_IP6_PRI_RAW = -300, + NF_IP6_PRI_SELINUX_FIRST = -225, + NF_IP6_PRI_CONNTRACK = -200, + NF_IP6_PRI_MANGLE = -150, + NF_IP6_PRI_NAT_DST = -100, + NF_IP6_PRI_FILTER = 0, + NF_IP6_PRI_SECURITY = 50, + NF_IP6_PRI_NAT_SRC = 100, + NF_IP6_PRI_SELINUX_LAST = 225, + NF_IP6_PRI_CONNTRACK_HELPER = 300, + NF_IP6_PRI_LAST = 2147483647, +}; + +enum { + TCPF_ESTABLISHED = 2, + TCPF_SYN_SENT = 4, + TCPF_SYN_RECV = 8, + TCPF_FIN_WAIT1 = 16, + TCPF_FIN_WAIT2 = 32, + TCPF_TIME_WAIT = 64, + TCPF_CLOSE = 128, + TCPF_CLOSE_WAIT = 256, + TCPF_LAST_ACK = 512, + TCPF_LISTEN = 1024, + TCPF_CLOSING = 2048, + TCPF_NEW_SYN_RECV = 4096, +}; + +struct sock_reuseport { + struct callback_head rcu; + u16 max_socks; + u16 num_socks; + unsigned int synq_overflow_ts; + unsigned int reuseport_id; + unsigned int bind_inany: 1; + unsigned int has_conns: 1; + struct bpf_prog *prog; + struct sock *socks[0]; +}; + +struct socket_alloc { + struct socket socket; + struct inode vfs_inode; + long: 64; + long: 64; +}; + +struct ip_options { + __be32 faddr; + __be32 nexthop; + unsigned char optlen; + unsigned char srr; + unsigned char rr; + unsigned char ts; + unsigned char is_strictroute: 1; + unsigned char srr_is_hit: 1; + unsigned char is_changed: 1; + unsigned char rr_needaddr: 1; + unsigned char ts_needtime: 1; + unsigned char ts_needaddr: 1; + unsigned char router_alert; + unsigned char cipso; + unsigned char __pad2; + unsigned char __data[0]; +}; + +struct ip_options_rcu { + struct callback_head rcu; + struct ip_options opt; +}; + +struct ipv6_opt_hdr; + +struct ipv6_rt_hdr; + +struct ipv6_txoptions { + refcount_t refcnt; + int tot_len; + __u16 opt_flen; + __u16 opt_nflen; + struct ipv6_opt_hdr *hopopt; + struct ipv6_opt_hdr *dst0opt; + struct ipv6_rt_hdr *srcrt; + struct ipv6_opt_hdr *dst1opt; + struct callback_head rcu; +}; + +struct inet_cork { + unsigned int flags; + __be32 addr; + struct ip_options *opt; + unsigned int fragsize; + int length; + struct dst_entry *dst; + u8 tx_flags; + __u8 ttl; + __s16 tos; + char priority; + __u16 gso_size; + u64 transmit_time; + u32 mark; +}; + +struct inet_cork_full { + struct inet_cork base; + struct flowi fl; +}; + +struct ipv6_pinfo; + +struct ip_mc_socklist; + +struct inet_sock { + struct sock sk; + struct ipv6_pinfo *pinet6; + __be32 inet_saddr; + __s16 uc_ttl; + __u16 cmsg_flags; + __be16 inet_sport; + __u16 inet_id; + struct ip_options_rcu *inet_opt; + int rx_dst_ifindex; + __u8 tos; + __u8 min_ttl; + __u8 mc_ttl; + __u8 pmtudisc; + __u8 recverr: 1; + __u8 is_icsk: 1; + __u8 freebind: 1; + __u8 hdrincl: 1; + __u8 mc_loop: 1; + __u8 transparent: 1; + __u8 mc_all: 1; + __u8 nodefrag: 1; + __u8 bind_address_no_port: 1; + __u8 defer_connect: 1; + __u8 rcv_tos; + __u8 convert_csum; + int uc_index; + int mc_index; + __be32 mc_addr; + struct ip_mc_socklist *mc_list; + struct inet_cork_full cork; +}; + +struct in6_pktinfo { + struct in6_addr ipi6_addr; + int ipi6_ifindex; +}; + +struct inet6_cork { + struct ipv6_txoptions *opt; + u8 hop_limit; + u8 tclass; +}; + +struct ipv6_mc_socklist; + +struct ipv6_ac_socklist; + +struct ipv6_fl_socklist; + +struct ipv6_pinfo { + struct in6_addr saddr; + struct in6_pktinfo sticky_pktinfo; + const struct in6_addr *daddr_cache; + __be32 flow_label; + __u32 frag_size; + __u16 __unused_1: 7; + __s16 hop_limit: 9; + __u16 mc_loop: 1; + __u16 __unused_2: 6; + __s16 mcast_hops: 9; + int ucast_oif; + int mcast_oif; + union { + struct { + __u16 srcrt: 1; + __u16 osrcrt: 1; + __u16 rxinfo: 1; + __u16 rxoinfo: 1; + __u16 rxhlim: 1; + __u16 rxohlim: 1; + __u16 hopopts: 1; + __u16 ohopopts: 1; + __u16 dstopts: 1; + __u16 odstopts: 1; + __u16 rxflow: 1; + __u16 rxtclass: 1; + __u16 rxpmtu: 1; + __u16 rxorigdstaddr: 1; + __u16 recvfragsize: 1; + } bits; + __u16 all; + } rxopt; + __u16 recverr: 1; + __u16 sndflow: 1; + __u16 repflow: 1; + __u16 pmtudisc: 3; + __u16 padding: 1; + __u16 srcprefs: 3; + __u16 dontfrag: 1; + __u16 autoflowlabel: 1; + __u16 autoflowlabel_set: 1; + __u16 mc_all: 1; + __u16 rtalert_isolate: 1; + __u8 min_hopcount; + __u8 tclass; + __be32 rcv_flowinfo; + __u32 dst_cookie; + __u32 rx_dst_cookie; + struct ipv6_mc_socklist *ipv6_mc_list; + struct ipv6_ac_socklist *ipv6_ac_list; + struct ipv6_fl_socklist *ipv6_fl_list; + struct ipv6_txoptions *opt; + struct sk_buff *pktoptions; + struct sk_buff *rxpmtu; + struct inet6_cork cork; +}; + +struct tcphdr { + __be16 source; + __be16 dest; + __be32 seq; + __be32 ack_seq; + __u16 res1: 4; + __u16 doff: 4; + __u16 fin: 1; + __u16 syn: 1; + __u16 rst: 1; + __u16 psh: 1; + __u16 ack: 1; + __u16 urg: 1; + __u16 ece: 1; + __u16 cwr: 1; + __be16 window; + __sum16 check; + __be16 urg_ptr; +}; + +struct iphdr { + __u8 ihl: 4; + __u8 version: 4; + __u8 tos; + __be16 tot_len; + __be16 id; + __be16 frag_off; + __u8 ttl; + __u8 protocol; + __sum16 check; + __be32 saddr; + __be32 daddr; +}; + +struct ipv6_rt_hdr { + __u8 nexthdr; + __u8 hdrlen; + __u8 type; + __u8 segments_left; +}; + +struct ipv6_opt_hdr { + __u8 nexthdr; + __u8 hdrlen; +}; + +struct ipv6hdr { + __u8 priority: 4; + __u8 version: 4; + __u8 flow_lbl[3]; + __be16 payload_len; + __u8 nexthdr; + __u8 hop_limit; + struct in6_addr saddr; + struct in6_addr daddr; +}; + +struct udphdr { + __be16 source; + __be16 dest; + __be16 len; + __sum16 check; +}; + +struct inet6_skb_parm { + int iif; + __be16 ra; + __u16 dst0; + __u16 srcrt; + __u16 dst1; + __u16 lastopt; + __u16 nhoff; + __u16 flags; + __u16 frag_max_size; +}; + +struct ip6_sf_socklist; + +struct ipv6_mc_socklist { + struct in6_addr addr; + int ifindex; + unsigned int sfmode; + struct ipv6_mc_socklist *next; + rwlock_t sflock; + struct ip6_sf_socklist *sflist; + struct callback_head rcu; +}; + +struct ipv6_ac_socklist { + struct in6_addr acl_addr; + int acl_ifindex; + struct ipv6_ac_socklist *acl_next; +}; + +struct ip6_flowlabel; + +struct ipv6_fl_socklist { + struct ipv6_fl_socklist *next; + struct ip6_flowlabel *fl; + struct callback_head rcu; +}; + +struct ip6_sf_socklist { + unsigned int sl_max; + unsigned int sl_count; + struct in6_addr sl_addr[0]; +}; + +struct ip6_flowlabel { + struct ip6_flowlabel *next; + __be32 label; + atomic_t users; + struct in6_addr dst; + struct ipv6_txoptions *opt; + long unsigned int linger; + struct callback_head rcu; + u8 share; + union { + struct pid *pid; + kuid_t uid; + } owner; + long unsigned int lastuse; + long unsigned int expires; + struct net *fl_net; +}; + +struct inet_ehash_bucket { + struct hlist_nulls_head chain; +}; + +struct inet_bind_hashbucket { + spinlock_t lock; + struct hlist_head chain; +}; + +struct inet_skb_parm { + int iif; + struct ip_options opt; + u16 flags; + u16 frag_max_size; +}; + +struct ack_sample { + u32 pkts_acked; + s32 rtt_us; + u32 in_flight; +}; + +struct rate_sample { + u64 prior_mstamp; + u32 prior_delivered; + s32 delivered; + long int interval_us; + u32 snd_interval_us; + u32 rcv_interval_us; + long int rtt_us; + int losses; + u32 acked_sacked; + u32 prior_in_flight; + bool is_app_limited; + bool is_retrans; + bool is_ack_delayed; +}; + +struct nf_ipv6_ops { + void (*route_input)(struct sk_buff *); + int (*fragment)(struct net *, struct sock *, struct sk_buff *, int (*)(struct net *, struct sock *, struct sk_buff *)); + int (*reroute)(struct sk_buff *, const struct nf_queue_entry *); +}; + +struct nf_queue_entry { + struct list_head list; + struct sk_buff *skb; + unsigned int id; + unsigned int hook_index; + struct nf_hook_state state; + u16 size; +}; + +struct tty_file_private { + struct tty_struct *tty; + struct file *file; + struct list_head list; +}; + +struct netlbl_lsm_cache { + refcount_t refcount; + void (*free)(const void *); + void *data; +}; + +struct netlbl_lsm_catmap { + u32 startbit; + u64 bitmap[4]; + struct netlbl_lsm_catmap *next; +}; + +struct netlbl_lsm_secattr { + u32 flags; + u32 type; + char *domain; + struct netlbl_lsm_cache *cache; + struct { + struct { + struct netlbl_lsm_catmap *cat; + u32 lvl; + } mls; + u32 secid; + } attr; +}; + +struct dccp_hdr { + __be16 dccph_sport; + __be16 dccph_dport; + __u8 dccph_doff; + __u8 dccph_cscov: 4; + __u8 dccph_ccval: 4; + __sum16 dccph_checksum; + __u8 dccph_x: 1; + __u8 dccph_type: 4; + __u8 dccph_reserved: 3; + __u8 dccph_seq2; + __be16 dccph_seq; +}; + +enum dccp_state { + DCCP_OPEN = 1, + DCCP_REQUESTING = 2, + DCCP_LISTEN = 10, + DCCP_RESPOND = 3, + DCCP_ACTIVE_CLOSEREQ = 4, + DCCP_PASSIVE_CLOSE = 8, + DCCP_CLOSING = 11, + DCCP_TIME_WAIT = 6, + DCCP_CLOSED = 7, + DCCP_NEW_SYN_RECV = 12, + DCCP_PARTOPEN = 13, + DCCP_PASSIVE_CLOSEREQ = 14, + DCCP_MAX_STATES = 15, +}; + +typedef __s32 sctp_assoc_t; + +enum sctp_msg_flags { + MSG_NOTIFICATION = 32768, +}; + +struct sctp_initmsg { + __u16 sinit_num_ostreams; + __u16 sinit_max_instreams; + __u16 sinit_max_attempts; + __u16 sinit_max_init_timeo; +}; + +struct sctp_sndrcvinfo { + __u16 sinfo_stream; + __u16 sinfo_ssn; + __u16 sinfo_flags; + __u32 sinfo_ppid; + __u32 sinfo_context; + __u32 sinfo_timetolive; + __u32 sinfo_tsn; + __u32 sinfo_cumtsn; + sctp_assoc_t sinfo_assoc_id; +}; + +struct sctp_rtoinfo { + sctp_assoc_t srto_assoc_id; + __u32 srto_initial; + __u32 srto_max; + __u32 srto_min; +}; + +struct sctp_assocparams { + sctp_assoc_t sasoc_assoc_id; + __u16 sasoc_asocmaxrxt; + __u16 sasoc_number_peer_destinations; + __u32 sasoc_peer_rwnd; + __u32 sasoc_local_rwnd; + __u32 sasoc_cookie_life; +}; + +struct sctp_paddrparams { + sctp_assoc_t spp_assoc_id; + struct __kernel_sockaddr_storage spp_address; + __u32 spp_hbinterval; + __u16 spp_pathmaxrxt; + __u32 spp_pathmtu; + __u32 spp_sackdelay; + __u32 spp_flags; + __u32 spp_ipv6_flowlabel; + __u8 spp_dscp; + char: 8; +} __attribute__((packed)); + +struct sctphdr { + __be16 source; + __be16 dest; + __be32 vtag; + __le32 checksum; +}; + +struct sctp_chunkhdr { + __u8 type; + __u8 flags; + __be16 length; +}; + +enum sctp_cid { + SCTP_CID_DATA = 0, + SCTP_CID_INIT = 1, + SCTP_CID_INIT_ACK = 2, + SCTP_CID_SACK = 3, + SCTP_CID_HEARTBEAT = 4, + SCTP_CID_HEARTBEAT_ACK = 5, + SCTP_CID_ABORT = 6, + SCTP_CID_SHUTDOWN = 7, + SCTP_CID_SHUTDOWN_ACK = 8, + SCTP_CID_ERROR = 9, + SCTP_CID_COOKIE_ECHO = 10, + SCTP_CID_COOKIE_ACK = 11, + SCTP_CID_ECN_ECNE = 12, + SCTP_CID_ECN_CWR = 13, + SCTP_CID_SHUTDOWN_COMPLETE = 14, + SCTP_CID_AUTH = 15, + SCTP_CID_I_DATA = 64, + SCTP_CID_FWD_TSN = 192, + SCTP_CID_ASCONF = 193, + SCTP_CID_I_FWD_TSN = 194, + SCTP_CID_ASCONF_ACK = 128, + SCTP_CID_RECONF = 130, +}; + +struct sctp_paramhdr { + __be16 type; + __be16 length; +}; + +enum sctp_param { + SCTP_PARAM_HEARTBEAT_INFO = 256, + SCTP_PARAM_IPV4_ADDRESS = 1280, + SCTP_PARAM_IPV6_ADDRESS = 1536, + SCTP_PARAM_STATE_COOKIE = 1792, + SCTP_PARAM_UNRECOGNIZED_PARAMETERS = 2048, + SCTP_PARAM_COOKIE_PRESERVATIVE = 2304, + SCTP_PARAM_HOST_NAME_ADDRESS = 2816, + SCTP_PARAM_SUPPORTED_ADDRESS_TYPES = 3072, + SCTP_PARAM_ECN_CAPABLE = 128, + SCTP_PARAM_RANDOM = 640, + SCTP_PARAM_CHUNKS = 896, + SCTP_PARAM_HMAC_ALGO = 1152, + SCTP_PARAM_SUPPORTED_EXT = 2176, + SCTP_PARAM_FWD_TSN_SUPPORT = 192, + SCTP_PARAM_ADD_IP = 448, + SCTP_PARAM_DEL_IP = 704, + SCTP_PARAM_ERR_CAUSE = 960, + SCTP_PARAM_SET_PRIMARY = 1216, + SCTP_PARAM_SUCCESS_REPORT = 1472, + SCTP_PARAM_ADAPTATION_LAYER_IND = 1728, + SCTP_PARAM_RESET_OUT_REQUEST = 3328, + SCTP_PARAM_RESET_IN_REQUEST = 3584, + SCTP_PARAM_RESET_TSN_REQUEST = 3840, + SCTP_PARAM_RESET_RESPONSE = 4096, + SCTP_PARAM_RESET_ADD_OUT_STREAMS = 4352, + SCTP_PARAM_RESET_ADD_IN_STREAMS = 4608, +}; + +struct sctp_datahdr { + __be32 tsn; + __be16 stream; + __be16 ssn; + __u32 ppid; + __u8 payload[0]; +}; + +struct sctp_idatahdr { + __be32 tsn; + __be16 stream; + __be16 reserved; + __be32 mid; + union { + __u32 ppid; + __be32 fsn; + }; + __u8 payload[0]; +}; + +struct sctp_inithdr { + __be32 init_tag; + __be32 a_rwnd; + __be16 num_outbound_streams; + __be16 num_inbound_streams; + __be32 initial_tsn; + __u8 params[0]; +}; + +struct sctp_init_chunk { + struct sctp_chunkhdr chunk_hdr; + struct sctp_inithdr init_hdr; +}; + +struct sctp_ipv4addr_param { + struct sctp_paramhdr param_hdr; + struct in_addr addr; +}; + +struct sctp_ipv6addr_param { + struct sctp_paramhdr param_hdr; + struct in6_addr addr; +}; + +struct sctp_cookie_preserve_param { + struct sctp_paramhdr param_hdr; + __be32 lifespan_increment; +}; + +struct sctp_hostname_param { + struct sctp_paramhdr param_hdr; + uint8_t hostname[0]; +}; + +struct sctp_supported_addrs_param { + struct sctp_paramhdr param_hdr; + __be16 types[0]; +}; + +struct sctp_adaptation_ind_param { + struct sctp_paramhdr param_hdr; + __be32 adaptation_ind; +}; + +struct sctp_supported_ext_param { + struct sctp_paramhdr param_hdr; + __u8 chunks[0]; +}; + +struct sctp_random_param { + struct sctp_paramhdr param_hdr; + __u8 random_val[0]; +}; + +struct sctp_chunks_param { + struct sctp_paramhdr param_hdr; + __u8 chunks[0]; +}; + +struct sctp_hmac_algo_param { + struct sctp_paramhdr param_hdr; + __be16 hmac_ids[0]; +}; + +struct sctp_cookie_param { + struct sctp_paramhdr p; + __u8 body[0]; +}; + +struct sctp_gap_ack_block { + __be16 start; + __be16 end; +}; + +union sctp_sack_variable { + struct sctp_gap_ack_block gab; + __be32 dup; +}; + +struct sctp_sackhdr { + __be32 cum_tsn_ack; + __be32 a_rwnd; + __be16 num_gap_ack_blocks; + __be16 num_dup_tsns; + union sctp_sack_variable variable[0]; +}; + +struct sctp_heartbeathdr { + struct sctp_paramhdr info; +}; + +struct sctp_shutdownhdr { + __be32 cum_tsn_ack; +}; + +struct sctp_errhdr { + __be16 cause; + __be16 length; + __u8 variable[0]; +}; + +struct sctp_ecnehdr { + __be32 lowest_tsn; +}; + +struct sctp_cwrhdr { + __be32 lowest_tsn; +}; + +struct sctp_fwdtsn_skip { + __be16 stream; + __be16 ssn; +}; + +struct sctp_fwdtsn_hdr { + __be32 new_cum_tsn; + struct sctp_fwdtsn_skip skip[0]; +}; + +struct sctp_ifwdtsn_skip { + __be16 stream; + __u8 reserved; + __u8 flags; + __be32 mid; +}; + +struct sctp_ifwdtsn_hdr { + __be32 new_cum_tsn; + struct sctp_ifwdtsn_skip skip[0]; +}; + +struct sctp_addip_param { + struct sctp_paramhdr param_hdr; + __be32 crr_id; +}; + +struct sctp_addiphdr { + __be32 serial; + __u8 params[0]; +}; + +struct sctp_authhdr { + __be16 shkey_id; + __be16 hmac_id; + __u8 hmac[0]; +}; + +union sctp_addr { + struct sockaddr_in v4; + struct sockaddr_in6 v6; + struct sockaddr sa; +}; + +struct sctp_cookie { + __u32 my_vtag; + __u32 peer_vtag; + __u32 my_ttag; + __u32 peer_ttag; + ktime_t expiration; + __u16 sinit_num_ostreams; + __u16 sinit_max_instreams; + __u32 initial_tsn; + union sctp_addr peer_addr; + __u16 my_port; + __u8 prsctp_capable; + __u8 padding; + __u32 adaptation_ind; + __u8 auth_random[36]; + __u8 auth_hmacs[10]; + __u8 auth_chunks[20]; + __u32 raw_addr_list_len; + struct sctp_init_chunk peer_init[0]; +}; + +struct sctp_tsnmap { + long unsigned int *tsn_map; + __u32 base_tsn; + __u32 cumulative_tsn_ack_point; + __u32 max_tsn_seen; + __u16 len; + __u16 pending_data; + __u16 num_dup_tsns; + __be32 dup_tsns[16]; +}; + +struct sctp_inithdr_host { + __u32 init_tag; + __u32 a_rwnd; + __u16 num_outbound_streams; + __u16 num_inbound_streams; + __u32 initial_tsn; +}; + +enum sctp_state { + SCTP_STATE_CLOSED = 0, + SCTP_STATE_COOKIE_WAIT = 1, + SCTP_STATE_COOKIE_ECHOED = 2, + SCTP_STATE_ESTABLISHED = 3, + SCTP_STATE_SHUTDOWN_PENDING = 4, + SCTP_STATE_SHUTDOWN_SENT = 5, + SCTP_STATE_SHUTDOWN_RECEIVED = 6, + SCTP_STATE_SHUTDOWN_ACK_SENT = 7, +}; + +struct sctp_stream_out_ext; + +struct sctp_stream_out { + union { + __u32 mid; + __u16 ssn; + }; + __u32 mid_uo; + struct sctp_stream_out_ext *ext; + __u8 state; +}; + +struct sctp_stream_in { + union { + __u32 mid; + __u16 ssn; + }; + __u32 mid_uo; + __u32 fsn; + __u32 fsn_uo; + char pd_mode; + char pd_mode_uo; +}; + +struct sctp_stream_interleave; + +struct sctp_stream { + struct { + struct __genradix tree; + struct sctp_stream_out type[0]; + } out; + struct { + struct __genradix tree; + struct sctp_stream_in type[0]; + } in; + __u16 outcnt; + __u16 incnt; + struct sctp_stream_out *out_curr; + union { + struct { + struct list_head prio_list; + }; + struct { + struct list_head rr_list; + struct sctp_stream_out_ext *rr_next; + }; + }; + struct sctp_stream_interleave *si; +}; + +struct sctp_sched_ops; + +struct sctp_association; + +struct sctp_outq { + struct sctp_association *asoc; + struct list_head out_chunk_list; + struct sctp_sched_ops *sched; + unsigned int out_qlen; + unsigned int error; + struct list_head control_chunk_list; + struct list_head sacked; + struct list_head retransmit; + struct list_head abandoned; + __u32 outstanding_bytes; + char fast_rtx; + char cork; +}; + +struct sctp_ulpq { + char pd_mode; + struct sctp_association *asoc; + struct sk_buff_head reasm; + struct sk_buff_head reasm_uo; + struct sk_buff_head lobby; +}; + +struct sctp_priv_assoc_stats { + struct __kernel_sockaddr_storage obs_rto_ipaddr; + __u64 max_obs_rto; + __u64 isacks; + __u64 osacks; + __u64 opackets; + __u64 ipackets; + __u64 rtxchunks; + __u64 outofseqtsns; + __u64 idupchunks; + __u64 gapcnt; + __u64 ouodchunks; + __u64 iuodchunks; + __u64 oodchunks; + __u64 iodchunks; + __u64 octrlchunks; + __u64 ictrlchunks; +}; + +struct sctp_transport; + +struct sctp_auth_bytes; + +struct sctp_shared_key; + +struct sctp_association { + struct sctp_ep_common base; + struct list_head asocs; + sctp_assoc_t assoc_id; + struct sctp_endpoint *ep; + struct sctp_cookie c; + struct { + struct list_head transport_addr_list; + __u32 rwnd; + __u16 transport_count; + __u16 port; + struct sctp_transport *primary_path; + union sctp_addr primary_addr; + struct sctp_transport *active_path; + struct sctp_transport *retran_path; + struct sctp_transport *last_sent_to; + struct sctp_transport *last_data_from; + struct sctp_tsnmap tsn_map; + __be16 addip_disabled_mask; + __u16 ecn_capable: 1; + __u16 ipv4_address: 1; + __u16 ipv6_address: 1; + __u16 hostname_address: 1; + __u16 asconf_capable: 1; + __u16 prsctp_capable: 1; + __u16 reconf_capable: 1; + __u16 intl_capable: 1; + __u16 auth_capable: 1; + __u16 sack_needed: 1; + __u16 sack_generation: 1; + __u16 zero_window_announced: 1; + __u32 sack_cnt; + __u32 adaptation_ind; + struct sctp_inithdr_host i; + void *cookie; + int cookie_len; + __u32 addip_serial; + struct sctp_random_param *peer_random; + struct sctp_chunks_param *peer_chunks; + struct sctp_hmac_algo_param *peer_hmacs; + } peer; + enum sctp_state state; + int overall_error_count; + ktime_t cookie_life; + long unsigned int rto_initial; + long unsigned int rto_max; + long unsigned int rto_min; + int max_burst; + int max_retrans; + __u16 pf_retrans; + __u16 ps_retrans; + __u16 max_init_attempts; + __u16 init_retries; + long unsigned int max_init_timeo; + long unsigned int hbinterval; + __u16 pathmaxrxt; + __u32 flowlabel; + __u8 dscp; + __u8 pmtu_pending; + __u32 pathmtu; + __u32 param_flags; + __u32 sackfreq; + long unsigned int sackdelay; + long unsigned int timeouts[11]; + struct timer_list timers[11]; + struct sctp_transport *shutdown_last_sent_to; + struct sctp_transport *init_last_sent_to; + int shutdown_retries; + __u32 next_tsn; + __u32 ctsn_ack_point; + __u32 adv_peer_ack_point; + __u32 highest_sacked; + __u32 fast_recovery_exit; + __u8 fast_recovery; + __u16 unack_data; + __u32 rtx_data_chunks; + __u32 rwnd; + __u32 a_rwnd; + __u32 rwnd_over; + __u32 rwnd_press; + int sndbuf_used; + atomic_t rmem_alloc; + wait_queue_head_t wait; + __u32 frag_point; + __u32 user_frag; + int init_err_counter; + int init_cycle; + __u16 default_stream; + __u16 default_flags; + __u32 default_ppid; + __u32 default_context; + __u32 default_timetolive; + __u32 default_rcv_context; + struct sctp_stream stream; + struct sctp_outq outqueue; + struct sctp_ulpq ulpq; + __u32 last_ecne_tsn; + __u32 last_cwr_tsn; + int numduptsns; + struct sctp_chunk *addip_last_asconf; + struct list_head asconf_ack_list; + struct list_head addip_chunk_list; + __u32 addip_serial; + int src_out_of_asoc_ok; + union sctp_addr *asconf_addr_del_pending; + struct sctp_transport *new_transport; + struct list_head endpoint_shared_keys; + struct sctp_auth_bytes *asoc_shared_key; + struct sctp_shared_key *shkey; + __u16 default_hmac_id; + __u16 active_key_id; + __u8 need_ecne: 1; + __u8 temp: 1; + __u8 pf_expose: 2; + __u8 force_delay: 1; + __u8 strreset_enable; + __u8 strreset_outstanding; + __u32 strreset_outseq; + __u32 strreset_inseq; + __u32 strreset_result[2]; + struct sctp_chunk *strreset_chunk; + struct sctp_priv_assoc_stats stats; + int sent_cnt_removable; + __u16 subscribe; + __u64 abandoned_unsent[3]; + __u64 abandoned_sent[3]; + struct callback_head rcu; +}; + +struct sctp_auth_bytes { + refcount_t refcnt; + __u32 len; + __u8 data[0]; +}; + +struct sctp_shared_key { + struct list_head key_list; + struct sctp_auth_bytes *key; + refcount_t refcnt; + __u16 key_id; + __u8 deactivated; +}; + +enum { + SCTP_MAX_STREAM = 65535, +}; + +enum sctp_event_timeout { + SCTP_EVENT_TIMEOUT_NONE = 0, + SCTP_EVENT_TIMEOUT_T1_COOKIE = 1, + SCTP_EVENT_TIMEOUT_T1_INIT = 2, + SCTP_EVENT_TIMEOUT_T2_SHUTDOWN = 3, + SCTP_EVENT_TIMEOUT_T3_RTX = 4, + SCTP_EVENT_TIMEOUT_T4_RTO = 5, + SCTP_EVENT_TIMEOUT_T5_SHUTDOWN_GUARD = 6, + SCTP_EVENT_TIMEOUT_HEARTBEAT = 7, + SCTP_EVENT_TIMEOUT_RECONF = 8, + SCTP_EVENT_TIMEOUT_SACK = 9, + SCTP_EVENT_TIMEOUT_AUTOCLOSE = 10, +}; + +enum { + SCTP_MAX_DUP_TSNS = 16, +}; + +enum sctp_scope { + SCTP_SCOPE_GLOBAL = 0, + SCTP_SCOPE_PRIVATE = 1, + SCTP_SCOPE_LINK = 2, + SCTP_SCOPE_LOOPBACK = 3, + SCTP_SCOPE_UNUSABLE = 4, +}; + +enum { + SCTP_AUTH_HMAC_ID_RESERVED_0 = 0, + SCTP_AUTH_HMAC_ID_SHA1 = 1, + SCTP_AUTH_HMAC_ID_RESERVED_2 = 2, + SCTP_AUTH_HMAC_ID_SHA256 = 3, + __SCTP_AUTH_HMAC_MAX = 4, +}; + +struct sctp_ulpevent { + struct sctp_association *asoc; + struct sctp_chunk *chunk; + unsigned int rmem_len; + union { + __u32 mid; + __u16 ssn; + }; + union { + __u32 ppid; + __u32 fsn; + }; + __u32 tsn; + __u32 cumtsn; + __u16 stream; + __u16 flags; + __u16 msg_flags; +} __attribute__((packed)); + +union sctp_addr_param; + +union sctp_params { + void *v; + struct sctp_paramhdr *p; + struct sctp_cookie_preserve_param *life; + struct sctp_hostname_param *dns; + struct sctp_cookie_param *cookie; + struct sctp_supported_addrs_param *sat; + struct sctp_ipv4addr_param *v4; + struct sctp_ipv6addr_param *v6; + union sctp_addr_param *addr; + struct sctp_adaptation_ind_param *aind; + struct sctp_supported_ext_param *ext; + struct sctp_random_param *random; + struct sctp_chunks_param *chunks; + struct sctp_hmac_algo_param *hmac_algo; + struct sctp_addip_param *addip; +}; + +struct sctp_sender_hb_info; + +struct sctp_signed_cookie; + +struct sctp_datamsg; + +struct sctp_chunk { + struct list_head list; + refcount_t refcnt; + int sent_count; + union { + struct list_head transmitted_list; + struct list_head stream_list; + }; + struct list_head frag_list; + struct sk_buff *skb; + union { + struct sk_buff *head_skb; + struct sctp_shared_key *shkey; + }; + union sctp_params param_hdr; + union { + __u8 *v; + struct sctp_datahdr *data_hdr; + struct sctp_inithdr *init_hdr; + struct sctp_sackhdr *sack_hdr; + struct sctp_heartbeathdr *hb_hdr; + struct sctp_sender_hb_info *hbs_hdr; + struct sctp_shutdownhdr *shutdown_hdr; + struct sctp_signed_cookie *cookie_hdr; + struct sctp_ecnehdr *ecne_hdr; + struct sctp_cwrhdr *ecn_cwr_hdr; + struct sctp_errhdr *err_hdr; + struct sctp_addiphdr *addip_hdr; + struct sctp_fwdtsn_hdr *fwdtsn_hdr; + struct sctp_authhdr *auth_hdr; + struct sctp_idatahdr *idata_hdr; + struct sctp_ifwdtsn_hdr *ifwdtsn_hdr; + } subh; + __u8 *chunk_end; + struct sctp_chunkhdr *chunk_hdr; + struct sctphdr *sctp_hdr; + struct sctp_sndrcvinfo sinfo; + struct sctp_association *asoc; + struct sctp_ep_common *rcvr; + long unsigned int sent_at; + union sctp_addr source; + union sctp_addr dest; + struct sctp_datamsg *msg; + struct sctp_transport *transport; + struct sk_buff *auth_chunk; + __u16 rtt_in_progress: 1; + __u16 has_tsn: 1; + __u16 has_ssn: 1; + __u16 singleton: 1; + __u16 end_of_packet: 1; + __u16 ecn_ce_done: 1; + __u16 pdiscard: 1; + __u16 tsn_gap_acked: 1; + __u16 data_accepted: 1; + __u16 auth: 1; + __u16 has_asconf: 1; + __u16 tsn_missing_report: 2; + __u16 fast_retransmit: 2; +}; + +struct sctp_stream_interleave { + __u16 data_chunk_len; + __u16 ftsn_chunk_len; + struct sctp_chunk * (*make_datafrag)(const struct sctp_association *, const struct sctp_sndrcvinfo *, int, __u8, gfp_t); + void (*assign_number)(struct sctp_chunk *); + bool (*validate_data)(struct sctp_chunk *); + int (*ulpevent_data)(struct sctp_ulpq *, struct sctp_chunk *, gfp_t); + int (*enqueue_event)(struct sctp_ulpq *, struct sctp_ulpevent *); + void (*renege_events)(struct sctp_ulpq *, struct sctp_chunk *, gfp_t); + void (*start_pd)(struct sctp_ulpq *, gfp_t); + void (*abort_pd)(struct sctp_ulpq *, gfp_t); + void (*generate_ftsn)(struct sctp_outq *, __u32); + bool (*validate_ftsn)(struct sctp_chunk *); + void (*report_ftsn)(struct sctp_ulpq *, __u32); + void (*handle_ftsn)(struct sctp_ulpq *, struct sctp_chunk *); +}; + +struct sctp_bind_bucket { + short unsigned int port; + signed char fastreuse; + signed char fastreuseport; + kuid_t fastuid; + struct hlist_node node; + struct hlist_head owner; + struct net *net; +}; + +enum sctp_socket_type { + SCTP_SOCKET_UDP = 0, + SCTP_SOCKET_UDP_HIGH_BANDWIDTH = 1, + SCTP_SOCKET_TCP = 2, +}; + +struct sctp_pf; + +struct sctp_sock { + struct inet_sock inet; + enum sctp_socket_type type; + int: 32; + struct sctp_pf *pf; + struct crypto_shash *hmac; + char *sctp_hmac_alg; + struct sctp_endpoint *ep; + struct sctp_bind_bucket *bind_hash; + __u16 default_stream; + short: 16; + __u32 default_ppid; + __u16 default_flags; + short: 16; + __u32 default_context; + __u32 default_timetolive; + __u32 default_rcv_context; + int max_burst; + __u32 hbinterval; + __u16 pathmaxrxt; + short: 16; + __u32 flowlabel; + __u8 dscp; + char: 8; + __u16 pf_retrans; + __u16 ps_retrans; + short: 16; + __u32 pathmtu; + __u32 sackdelay; + __u32 sackfreq; + __u32 param_flags; + __u32 default_ss; + struct sctp_rtoinfo rtoinfo; + struct sctp_paddrparams paddrparam; + struct sctp_assocparams assocparams; + __u16 subscribe; + struct sctp_initmsg initmsg; + short: 16; + int user_frag; + __u32 autoclose; + __u32 adaptation_ind; + __u32 pd_point; + __u16 nodelay: 1; + __u16 pf_expose: 2; + __u16 reuse: 1; + __u16 disable_fragments: 1; + __u16 v4mapped: 1; + __u16 frag_interleave: 1; + __u16 recvrcvinfo: 1; + __u16 recvnxtinfo: 1; + __u16 data_ready_signalled: 1; + int: 22; + atomic_t pd_mode; + struct sk_buff_head pd_lobby; + struct list_head auto_asconf_list; + int do_auto_asconf; + int: 32; +} __attribute__((packed)); + +struct sctp_af; + +struct sctp_pf { + void (*event_msgname)(struct sctp_ulpevent *, char *, int *); + void (*skb_msgname)(struct sk_buff *, char *, int *); + int (*af_supported)(sa_family_t, struct sctp_sock *); + int (*cmp_addr)(const union sctp_addr *, const union sctp_addr *, struct sctp_sock *); + int (*bind_verify)(struct sctp_sock *, union sctp_addr *); + int (*send_verify)(struct sctp_sock *, union sctp_addr *); + int (*supported_addrs)(const struct sctp_sock *, __be16 *); + struct sock * (*create_accept_sk)(struct sock *, struct sctp_association *, bool); + int (*addr_to_user)(struct sctp_sock *, union sctp_addr *); + void (*to_sk_saddr)(union sctp_addr *, struct sock *); + void (*to_sk_daddr)(union sctp_addr *, struct sock *); + void (*copy_ip_options)(struct sock *, struct sock *); + struct sctp_af *af; +}; + +struct sctp_signed_cookie { + __u8 signature[32]; + __u32 __pad; + struct sctp_cookie c; +} __attribute__((packed)); + +union sctp_addr_param { + struct sctp_paramhdr p; + struct sctp_ipv4addr_param v4; + struct sctp_ipv6addr_param v6; +}; + +struct sctp_sender_hb_info { + struct sctp_paramhdr param_hdr; + union sctp_addr daddr; + long unsigned int sent_at; + __u64 hb_nonce; +}; + +struct sctp_af { + int (*sctp_xmit)(struct sk_buff *, struct sctp_transport *); + int (*setsockopt)(struct sock *, int, int, char *, unsigned int); + int (*getsockopt)(struct sock *, int, int, char *, int *); + int (*compat_setsockopt)(struct sock *, int, int, char *, unsigned int); + int (*compat_getsockopt)(struct sock *, int, int, char *, int *); + void (*get_dst)(struct sctp_transport *, union sctp_addr *, struct flowi *, struct sock *); + void (*get_saddr)(struct sctp_sock *, struct sctp_transport *, struct flowi *); + void (*copy_addrlist)(struct list_head *, struct net_device *); + int (*cmp_addr)(const union sctp_addr *, const union sctp_addr *); + void (*addr_copy)(union sctp_addr *, union sctp_addr *); + void (*from_skb)(union sctp_addr *, struct sk_buff *, int); + void (*from_sk)(union sctp_addr *, struct sock *); + void (*from_addr_param)(union sctp_addr *, union sctp_addr_param *, __be16, int); + int (*to_addr_param)(const union sctp_addr *, union sctp_addr_param *); + int (*addr_valid)(union sctp_addr *, struct sctp_sock *, const struct sk_buff *); + enum sctp_scope (*scope)(union sctp_addr *); + void (*inaddr_any)(union sctp_addr *, __be16); + int (*is_any)(const union sctp_addr *); + int (*available)(union sctp_addr *, struct sctp_sock *); + int (*skb_iif)(const struct sk_buff *); + int (*is_ce)(const struct sk_buff *); + void (*seq_dump_addr)(struct seq_file *, union sctp_addr *); + void (*ecn_capable)(struct sock *); + __u16 net_header_len; + int sockaddr_len; + int (*ip_options_len)(struct sock *); + sa_family_t sa_family; + struct list_head list; +}; + +struct sctp_packet { + __u16 source_port; + __u16 destination_port; + __u32 vtag; + struct list_head chunk_list; + size_t overhead; + size_t size; + size_t max_size; + struct sctp_transport *transport; + struct sctp_chunk *auth; + u8 has_cookie_echo: 1; + u8 has_sack: 1; + u8 has_auth: 1; + u8 has_data: 1; + u8 ipfragok: 1; +}; + +struct sctp_transport { + struct list_head transports; + struct rhlist_head node; + refcount_t refcnt; + __u32 rto_pending: 1; + __u32 hb_sent: 1; + __u32 pmtu_pending: 1; + __u32 dst_pending_confirm: 1; + __u32 sack_generation: 1; + u32 dst_cookie; + struct flowi fl; + union sctp_addr ipaddr; + struct sctp_af *af_specific; + struct sctp_association *asoc; + long unsigned int rto; + __u32 rtt; + __u32 rttvar; + __u32 srtt; + __u32 cwnd; + __u32 ssthresh; + __u32 partial_bytes_acked; + __u32 flight_size; + __u32 burst_limited; + struct dst_entry *dst; + union sctp_addr saddr; + long unsigned int hbinterval; + long unsigned int sackdelay; + __u32 sackfreq; + atomic_t mtu_info; + ktime_t last_time_heard; + long unsigned int last_time_sent; + long unsigned int last_time_ecne_reduced; + __u16 pathmaxrxt; + __u32 flowlabel; + __u8 dscp; + __u16 pf_retrans; + __u16 ps_retrans; + __u32 pathmtu; + __u32 param_flags; + int init_sent_count; + int state; + short unsigned int error_count; + struct timer_list T3_rtx_timer; + struct timer_list hb_timer; + struct timer_list proto_unreach_timer; + struct timer_list reconf_timer; + struct list_head transmitted; + struct sctp_packet packet; + struct list_head send_ready; + struct { + __u32 next_tsn_at_change; + char changeover_active; + char cycling_changeover; + char cacc_saw_newack; + } cacc; + __u64 hb_nonce; + struct callback_head rcu; +}; + +struct sctp_datamsg { + struct list_head chunks; + refcount_t refcnt; + long unsigned int expires_at; + int send_error; + u8 send_failed: 1; + u8 can_delay: 1; + u8 abandoned: 1; +}; + +struct sctp_stream_priorities { + struct list_head prio_sched; + struct list_head active; + struct sctp_stream_out_ext *next; + __u16 prio; +}; + +struct sctp_stream_out_ext { + __u64 abandoned_unsent[3]; + __u64 abandoned_sent[3]; + struct list_head outq; + union { + struct { + struct list_head prio_list; + struct sctp_stream_priorities *prio_head; + }; + struct { + struct list_head rr_list; + }; + }; +}; + +struct task_security_struct { + u32 osid; + u32 sid; + u32 exec_sid; + u32 create_sid; + u32 keycreate_sid; + u32 sockcreate_sid; +}; + +enum label_initialized { + LABEL_INVALID = 0, + LABEL_INITIALIZED = 1, + LABEL_PENDING = 2, +}; + +struct inode_security_struct { + struct inode *inode; + struct list_head list; + u32 task_sid; + u32 sid; + u16 sclass; + unsigned char initialized; + spinlock_t lock; +}; + +struct file_security_struct { + u32 sid; + u32 fown_sid; + u32 isid; + u32 pseqno; +}; + +struct superblock_security_struct { + struct super_block *sb; + u32 sid; + u32 def_sid; + u32 mntpoint_sid; + short unsigned int behavior; + short unsigned int flags; + struct mutex lock; + struct list_head isec_head; + spinlock_t isec_lock; +}; + +struct msg_security_struct { + u32 sid; +}; + +struct ipc_security_struct { + u16 sclass; + u32 sid; +}; + +struct sk_security_struct { + enum { + NLBL_UNSET = 0, + NLBL_REQUIRE = 1, + NLBL_LABELED = 2, + NLBL_REQSKB = 3, + NLBL_CONNLABELED = 4, + } nlbl_state; + struct netlbl_lsm_secattr *nlbl_secattr; + u32 sid; + u32 peer_sid; + u16 sclass; + enum { + SCTP_ASSOC_UNSET = 0, + SCTP_ASSOC_SET = 1, + } sctp_assoc_state; +}; + +struct tun_security_struct { + u32 sid; +}; + +struct key_security_struct { + u32 sid; +}; + +struct perf_event_security_struct { + u32 sid; +}; + +struct selinux_mnt_opts { + const char *fscontext; + const char *context; + const char *rootcontext; + const char *defcontext; +}; + +enum { + Opt_error = -1, + Opt_context = 0, + Opt_defcontext = 1, + Opt_fscontext = 2, + Opt_rootcontext = 3, + Opt_seclabel = 4, +}; + +enum sel_inos { + SEL_ROOT_INO = 2, + SEL_LOAD = 3, + SEL_ENFORCE = 4, + SEL_CONTEXT = 5, + SEL_ACCESS = 6, + SEL_CREATE = 7, + SEL_RELABEL = 8, + SEL_USER = 9, + SEL_POLICYVERS = 10, + SEL_COMMIT_BOOLS = 11, + SEL_MLS = 12, + SEL_DISABLE = 13, + SEL_MEMBER = 14, + SEL_CHECKREQPROT = 15, + SEL_COMPAT_NET = 16, + SEL_REJECT_UNKNOWN = 17, + SEL_DENY_UNKNOWN = 18, + SEL_STATUS = 19, + SEL_POLICY = 20, + SEL_VALIDATE_TRANS = 21, + SEL_INO_NEXT = 22, +}; + +struct selinux_fs_info { + struct dentry *bool_dir; + unsigned int bool_num; + char **bool_pending_names; + unsigned int *bool_pending_values; + struct dentry *class_dir; + long unsigned int last_class_ino; + bool policy_opened; + struct dentry *policycap_dir; + struct mutex mutex; + long unsigned int last_ino; + struct selinux_state *state; + struct super_block *sb; +}; + +struct policy_load_memory { + size_t len; + void *data; +}; + +enum { + SELNL_MSG_SETENFORCE = 16, + SELNL_MSG_POLICYLOAD = 17, + SELNL_MSG_MAX = 18, +}; + +enum selinux_nlgroups { + SELNLGRP_NONE = 0, + SELNLGRP_AVC = 1, + __SELNLGRP_MAX = 2, +}; + +struct selnl_msg_setenforce { + __s32 val; +}; + +struct selnl_msg_policyload { + __u32 seqno; +}; + +enum { + XFRM_MSG_BASE = 16, + XFRM_MSG_NEWSA = 16, + XFRM_MSG_DELSA = 17, + XFRM_MSG_GETSA = 18, + XFRM_MSG_NEWPOLICY = 19, + XFRM_MSG_DELPOLICY = 20, + XFRM_MSG_GETPOLICY = 21, + XFRM_MSG_ALLOCSPI = 22, + XFRM_MSG_ACQUIRE = 23, + XFRM_MSG_EXPIRE = 24, + XFRM_MSG_UPDPOLICY = 25, + XFRM_MSG_UPDSA = 26, + XFRM_MSG_POLEXPIRE = 27, + XFRM_MSG_FLUSHSA = 28, + XFRM_MSG_FLUSHPOLICY = 29, + XFRM_MSG_NEWAE = 30, + XFRM_MSG_GETAE = 31, + XFRM_MSG_REPORT = 32, + XFRM_MSG_MIGRATE = 33, + XFRM_MSG_NEWSADINFO = 34, + XFRM_MSG_GETSADINFO = 35, + XFRM_MSG_NEWSPDINFO = 36, + XFRM_MSG_GETSPDINFO = 37, + XFRM_MSG_MAPPING = 38, + __XFRM_MSG_MAX = 39, +}; + +enum { + RTM_BASE = 16, + RTM_NEWLINK = 16, + RTM_DELLINK = 17, + RTM_GETLINK = 18, + RTM_SETLINK = 19, + RTM_NEWADDR = 20, + RTM_DELADDR = 21, + RTM_GETADDR = 22, + RTM_NEWROUTE = 24, + RTM_DELROUTE = 25, + RTM_GETROUTE = 26, + RTM_NEWNEIGH = 28, + RTM_DELNEIGH = 29, + RTM_GETNEIGH = 30, + RTM_NEWRULE = 32, + RTM_DELRULE = 33, + RTM_GETRULE = 34, + RTM_NEWQDISC = 36, + RTM_DELQDISC = 37, + RTM_GETQDISC = 38, + RTM_NEWTCLASS = 40, + RTM_DELTCLASS = 41, + RTM_GETTCLASS = 42, + RTM_NEWTFILTER = 44, + RTM_DELTFILTER = 45, + RTM_GETTFILTER = 46, + RTM_NEWACTION = 48, + RTM_DELACTION = 49, + RTM_GETACTION = 50, + RTM_NEWPREFIX = 52, + RTM_GETMULTICAST = 58, + RTM_GETANYCAST = 62, + RTM_NEWNEIGHTBL = 64, + RTM_GETNEIGHTBL = 66, + RTM_SETNEIGHTBL = 67, + RTM_NEWNDUSEROPT = 68, + RTM_NEWADDRLABEL = 72, + RTM_DELADDRLABEL = 73, + RTM_GETADDRLABEL = 74, + RTM_GETDCB = 78, + RTM_SETDCB = 79, + RTM_NEWNETCONF = 80, + RTM_DELNETCONF = 81, + RTM_GETNETCONF = 82, + RTM_NEWMDB = 84, + RTM_DELMDB = 85, + RTM_GETMDB = 86, + RTM_NEWNSID = 88, + RTM_DELNSID = 89, + RTM_GETNSID = 90, + RTM_NEWSTATS = 92, + RTM_GETSTATS = 94, + RTM_NEWCACHEREPORT = 96, + RTM_NEWCHAIN = 100, + RTM_DELCHAIN = 101, + RTM_GETCHAIN = 102, + RTM_NEWNEXTHOP = 104, + RTM_DELNEXTHOP = 105, + RTM_GETNEXTHOP = 106, + RTM_NEWLINKPROP = 108, + RTM_DELLINKPROP = 109, + RTM_GETLINKPROP = 110, + __RTM_MAX = 111, +}; + +struct nlmsg_perm { + u16 nlmsg_type; + u32 perm; +}; + +struct netdev_notifier_info { + struct net_device *dev; + struct netlink_ext_ack *extack; +}; + +struct netif_security_struct { + struct net *ns; + int ifindex; + u32 sid; +}; + +struct sel_netif { + struct list_head list; + struct netif_security_struct nsec; + struct callback_head callback_head; +}; + +struct netnode_security_struct { + union { + __be32 ipv4; + struct in6_addr ipv6; + } addr; + u32 sid; + u16 family; +}; + +struct sel_netnode_bkt { + unsigned int size; + struct list_head list; +}; + +struct sel_netnode { + struct netnode_security_struct nsec; + struct list_head list; + struct callback_head rcu; +}; + +struct netport_security_struct { + u32 sid; + u16 port; + u8 protocol; +}; + +struct sel_netport_bkt { + int size; + struct list_head list; +}; + +struct sel_netport { + struct netport_security_struct psec; + struct list_head list; + struct callback_head rcu; +}; + +struct pkey_security_struct { + u64 subnet_prefix; + u16 pkey; + u32 sid; +}; + +struct sel_ib_pkey_bkt { + int size; + struct list_head list; +}; + +struct sel_ib_pkey { + struct pkey_security_struct psec; + struct list_head list; + struct callback_head rcu; +}; + +struct ebitmap_node { + struct ebitmap_node *next; + long unsigned int maps[6]; + u32 startbit; +}; + +struct ebitmap { + struct ebitmap_node *node; + u32 highbit; +}; + +struct policy_file { + char *data; + size_t len; +}; + +struct hashtab_node { + void *key; + void *datum; + struct hashtab_node *next; +}; + +struct hashtab { + struct hashtab_node **htable; + u32 size; + u32 nel; + u32 (*hash_value)(struct hashtab *, const void *); + int (*keycmp)(struct hashtab *, const void *, const void *); +}; + +struct hashtab_info { + u32 slots_used; + u32 max_chain_len; +}; + +struct symtab { + struct hashtab *table; + u32 nprim; +}; + +struct mls_level { + u32 sens; + struct ebitmap cat; +}; + +struct mls_range { + struct mls_level level[2]; +}; + +struct context___2 { + u32 user; + u32 role; + u32 type; + u32 len; + struct mls_range range; + char *str; +}; + +struct sidtab_entry_leaf { + struct context___2 context; +}; + +struct sidtab_node_inner; + +struct sidtab_node_leaf; + +union sidtab_entry_inner { + struct sidtab_node_inner *ptr_inner; + struct sidtab_node_leaf *ptr_leaf; +}; + +struct sidtab_node_inner { + union sidtab_entry_inner entries[512]; +}; + +struct sidtab_node_leaf { + struct sidtab_entry_leaf entries[56]; +}; + +struct sidtab_isid_entry { + int set; + struct context___2 context; +}; + +struct sidtab; + +struct sidtab_convert_params { + int (*func)(struct context___2 *, struct context___2 *, void *); + void *args; + struct sidtab *target; +}; + +struct sidtab { + union sidtab_entry_inner roots[4]; + u32 count; + struct sidtab_convert_params *convert; + spinlock_t lock; + u32 rcache[3]; + struct sidtab_isid_entry isids[27]; +}; + +struct avtab_key { + u16 source_type; + u16 target_type; + u16 target_class; + u16 specified; +}; + +struct avtab_extended_perms { + u8 specified; + u8 driver; + struct extended_perms_data perms; +}; + +struct avtab_datum { + union { + u32 data; + struct avtab_extended_perms *xperms; + } u; +}; + +struct avtab_node { + struct avtab_key key; + struct avtab_datum datum; + struct avtab_node *next; +}; + +struct avtab { + struct avtab_node **htable; + u32 nel; + u32 nslot; + u32 mask; +}; + +struct type_set; + +struct constraint_expr { + u32 expr_type; + u32 attr; + u32 op; + struct ebitmap names; + struct type_set *type_names; + struct constraint_expr *next; +}; + +struct type_set { + struct ebitmap types; + struct ebitmap negset; + u32 flags; +}; + +struct constraint_node { + u32 permissions; + struct constraint_expr *expr; + struct constraint_node *next; +}; + +struct common_datum { + u32 value; + struct symtab permissions; +}; + +struct class_datum { + u32 value; + char *comkey; + struct common_datum *comdatum; + struct symtab permissions; + struct constraint_node *constraints; + struct constraint_node *validatetrans; + char default_user; + char default_role; + char default_type; + char default_range; +}; + +struct role_datum { + u32 value; + u32 bounds; + struct ebitmap dominates; + struct ebitmap types; +}; + +struct role_trans { + u32 role; + u32 type; + u32 tclass; + u32 new_role; + struct role_trans *next; +}; + +struct role_allow { + u32 role; + u32 new_role; + struct role_allow *next; +}; + +struct type_datum { + u32 value; + u32 bounds; + unsigned char primary; + unsigned char attribute; +}; + +struct user_datum { + u32 value; + u32 bounds; + struct ebitmap roles; + struct mls_range range; + struct mls_level dfltlevel; +}; + +struct cond_bool_datum { + __u32 value; + int state; +}; + +struct ocontext { + union { + char *name; + struct { + u8 protocol; + u16 low_port; + u16 high_port; + } port; + struct { + u32 addr; + u32 mask; + } node; + struct { + u32 addr[4]; + u32 mask[4]; + } node6; + struct { + u64 subnet_prefix; + u16 low_pkey; + u16 high_pkey; + } ibpkey; + struct { + char *dev_name; + u8 port; + } ibendport; + } u; + union { + u32 sclass; + u32 behavior; + } v; + struct context___2 context[2]; + u32 sid[2]; + struct ocontext *next; +}; + +struct genfs { + char *fstype; + struct ocontext *head; + struct genfs *next; +}; + +struct cond_node; + +struct policydb { + int mls_enabled; + struct symtab symtab[8]; + char **sym_val_to_name[8]; + struct class_datum **class_val_to_struct; + struct role_datum **role_val_to_struct; + struct user_datum **user_val_to_struct; + struct type_datum **type_val_to_struct; + struct avtab te_avtab; + struct role_trans *role_tr; + struct ebitmap filename_trans_ttypes; + struct hashtab *filename_trans; + struct cond_bool_datum **bool_val_to_struct; + struct avtab te_cond_avtab; + struct cond_node *cond_list; + struct role_allow *role_allow; + struct ocontext *ocontexts[9]; + struct genfs *genfs; + struct hashtab *range_tr; + struct ebitmap *type_attr_map_array; + struct ebitmap policycaps; + struct ebitmap permissive_map; + size_t len; + unsigned int policyvers; + unsigned int reject_unknown: 1; + unsigned int allow_unknown: 1; + u16 process_class; + u32 process_trans_perms; +}; + +struct selinux_mapping; + +struct selinux_map { + struct selinux_mapping *mapping; + u16 size; +}; + +struct selinux_ss { + struct sidtab *sidtab; + struct policydb policydb; + rwlock_t policy_rwlock; + u32 latest_granting; + struct selinux_map map; + struct page *status_page; + struct mutex status_lock; +}; + +struct perm_datum { + u32 value; +}; + +struct filename_trans { + u32 stype; + u32 ttype; + u16 tclass; + const char *name; +}; + +struct filename_trans_datum { + u32 otype; +}; + +struct level_datum { + struct mls_level *level; + unsigned char isalias; +}; + +struct cat_datum { + u32 value; + unsigned char isalias; +}; + +struct range_trans { + u32 source_type; + u32 target_type; + u32 target_class; +}; + +struct cond_expr; + +struct cond_av_list; + +struct cond_node { + int cur_state; + struct cond_expr *expr; + struct cond_av_list *true_list; + struct cond_av_list *false_list; + struct cond_node *next; +}; + +struct policy_data { + struct policydb *p; + void *fp; +}; + +struct cond_expr { + __u32 expr_type; + __u32 bool; + struct cond_expr *next; +}; + +struct cond_av_list { + struct avtab_node *node; + struct cond_av_list *next; +}; + +struct selinux_mapping { + u16 value; + unsigned int num_perms; + u32 perms[32]; +}; + +struct policydb_compat_info { + int version; + int sym_num; + int ocon_num; +}; + +struct convert_context_args { + struct selinux_state *state; + struct policydb *oldp; + struct policydb *newp; +}; + +struct selinux_audit_rule { + u32 au_seqno; + struct context___2 au_ctxt; +}; + +struct cond_insertf_data { + struct policydb *p; + struct cond_av_list *other; + struct cond_av_list *head; + struct cond_av_list *tail; +}; + +struct selinux_kernel_status { + u32 version; + u32 sequence; + u32 enforcing; + u32 policyload; + u32 deny_unknown; +}; + +struct sockaddr_un { + __kernel_sa_family_t sun_family; + char sun_path[108]; +}; + +struct unix_address { + refcount_t refcnt; + int len; + unsigned int hash; + struct sockaddr_un name[0]; +}; + +struct unix_sock { + struct sock sk; + struct unix_address *addr; + struct path path; + struct mutex iolock; + struct mutex bindlock; + struct sock *peer; + struct list_head link; + atomic_long_t inflight; + spinlock_t lock; + long unsigned int gc_flags; + long: 64; + long: 64; + long: 64; + struct socket_wq peer_wq; + wait_queue_entry_t peer_wake; + long: 64; + long: 64; + long: 64; +}; + +enum integrity_status { + INTEGRITY_PASS = 0, + INTEGRITY_PASS_IMMUTABLE = 1, + INTEGRITY_FAIL = 2, + INTEGRITY_NOLABEL = 3, + INTEGRITY_NOXATTRS = 4, + INTEGRITY_UNKNOWN = 5, +}; + +struct ima_digest_data { + u8 algo; + u8 length; + union { + struct { + u8 unused; + u8 type; + } sha1; + struct { + u8 type; + u8 algo; + } ng; + u8 data[2]; + } xattr; + u8 digest[0]; +}; + +struct integrity_iint_cache { + struct rb_node rb_node; + struct mutex mutex; + struct inode *inode; + u64 version; + long unsigned int flags; + long unsigned int measured_pcrs; + long unsigned int atomic_flags; + enum integrity_status ima_file_status: 4; + enum integrity_status ima_mmap_status: 4; + enum integrity_status ima_bprm_status: 4; + enum integrity_status ima_read_status: 4; + enum integrity_status ima_creds_status: 4; + enum integrity_status evm_status: 4; + struct ima_digest_data *ima_hash; +}; + +struct crypto_async_request; + +typedef void (*crypto_completion_t)(struct crypto_async_request *, int); + +struct crypto_async_request { + struct list_head list; + crypto_completion_t complete; + void *data; + struct crypto_tfm *tfm; + u32 flags; +}; + +struct crypto_wait { + struct completion completion; + int err; +}; + +struct crypto_template; + +struct crypto_instance { + struct crypto_alg alg; + struct crypto_template *tmpl; + struct hlist_node list; + void *__ctx[0]; +}; + +struct rtattr; + +struct crypto_template { + struct list_head list; + struct hlist_head instances; + struct module *module; + struct crypto_instance * (*alloc)(struct rtattr **); + void (*free)(struct crypto_instance *); + int (*create)(struct crypto_template *, struct rtattr **); + char name[128]; +}; + +enum { + CRYPTO_MSG_ALG_REQUEST = 0, + CRYPTO_MSG_ALG_REGISTER = 1, + CRYPTO_MSG_ALG_LOADED = 2, +}; + +struct crypto_larval { + struct crypto_alg alg; + struct crypto_alg *adult; + struct completion completion; + u32 mask; +}; + +enum { + CRYPTOA_UNSPEC = 0, + CRYPTOA_ALG = 1, + CRYPTOA_TYPE = 2, + CRYPTOA_U32 = 3, + __CRYPTOA_MAX = 4, +}; + +struct crypto_attr_alg { + char name[128]; +}; + +struct crypto_attr_type { + u32 type; + u32 mask; +}; + +struct crypto_attr_u32 { + u32 num; +}; + +struct rtattr { + short unsigned int rta_len; + short unsigned int rta_type; +}; + +struct crypto_spawn { + struct list_head list; + struct crypto_alg *alg; + struct crypto_instance *inst; + const struct crypto_type *frontend; + u32 mask; +}; + +struct crypto_queue { + struct list_head list; + struct list_head *backlog; + unsigned int qlen; + unsigned int max_qlen; +}; + +struct scatter_walk { + struct scatterlist *sg; + unsigned int offset; +}; + +struct aead_request { + struct crypto_async_request base; + unsigned int assoclen; + unsigned int cryptlen; + u8 *iv; + struct scatterlist *src; + struct scatterlist *dst; + void *__ctx[0]; +}; + +struct crypto_aead; + +struct aead_alg { + int (*setkey)(struct crypto_aead *, const u8 *, unsigned int); + int (*setauthsize)(struct crypto_aead *, unsigned int); + int (*encrypt)(struct aead_request *); + int (*decrypt)(struct aead_request *); + int (*init)(struct crypto_aead *); + void (*exit)(struct crypto_aead *); + unsigned int ivsize; + unsigned int maxauthsize; + unsigned int chunksize; + struct crypto_alg base; +}; + +struct crypto_aead { + unsigned int authsize; + unsigned int reqsize; + struct crypto_tfm base; +}; + +struct aead_instance { + void (*free)(struct aead_instance *); + union { + struct { + char head[64]; + struct crypto_instance base; + } s; + struct aead_alg alg; + }; +}; + +struct crypto_aead_spawn { + struct crypto_spawn base; +}; + +enum crypto_attr_type_t { + CRYPTOCFGA_UNSPEC = 0, + CRYPTOCFGA_PRIORITY_VAL = 1, + CRYPTOCFGA_REPORT_LARVAL = 2, + CRYPTOCFGA_REPORT_HASH = 3, + CRYPTOCFGA_REPORT_BLKCIPHER = 4, + CRYPTOCFGA_REPORT_AEAD = 5, + CRYPTOCFGA_REPORT_COMPRESS = 6, + CRYPTOCFGA_REPORT_RNG = 7, + CRYPTOCFGA_REPORT_CIPHER = 8, + CRYPTOCFGA_REPORT_AKCIPHER = 9, + CRYPTOCFGA_REPORT_KPP = 10, + CRYPTOCFGA_REPORT_ACOMP = 11, + CRYPTOCFGA_STAT_LARVAL = 12, + CRYPTOCFGA_STAT_HASH = 13, + CRYPTOCFGA_STAT_BLKCIPHER = 14, + CRYPTOCFGA_STAT_AEAD = 15, + CRYPTOCFGA_STAT_COMPRESS = 16, + CRYPTOCFGA_STAT_RNG = 17, + CRYPTOCFGA_STAT_CIPHER = 18, + CRYPTOCFGA_STAT_AKCIPHER = 19, + CRYPTOCFGA_STAT_KPP = 20, + CRYPTOCFGA_STAT_ACOMP = 21, + __CRYPTOCFGA_MAX = 22, +}; + +struct crypto_report_aead { + char type[64]; + char geniv[64]; + unsigned int blocksize; + unsigned int maxauthsize; + unsigned int ivsize; +}; + +struct crypto_sync_skcipher; + +struct aead_geniv_ctx { + spinlock_t lock; + struct crypto_aead *child; + struct crypto_sync_skcipher *sknull; + u8 salt[0]; +}; + +struct crypto_rng; + +struct rng_alg { + int (*generate)(struct crypto_rng *, const u8 *, unsigned int, u8 *, unsigned int); + int (*seed)(struct crypto_rng *, const u8 *, unsigned int); + void (*set_ent)(struct crypto_rng *, const u8 *, unsigned int); + unsigned int seedsize; + struct crypto_alg base; +}; + +struct crypto_rng { + struct crypto_tfm base; +}; + +struct crypto_cipher { + struct crypto_tfm base; +}; + +struct skcipher_request { + unsigned int cryptlen; + u8 *iv; + struct scatterlist *src; + struct scatterlist *dst; + struct crypto_async_request base; + void *__ctx[0]; +}; + +struct crypto_skcipher { + int (*setkey)(struct crypto_skcipher *, const u8 *, unsigned int); + int (*encrypt)(struct skcipher_request *); + int (*decrypt)(struct skcipher_request *); + unsigned int ivsize; + unsigned int reqsize; + unsigned int keysize; + struct crypto_tfm base; +}; + +struct crypto_sync_skcipher { + struct crypto_skcipher base; +}; + +struct skcipher_alg { + int (*setkey)(struct crypto_skcipher *, const u8 *, unsigned int); + int (*encrypt)(struct skcipher_request *); + int (*decrypt)(struct skcipher_request *); + int (*init)(struct crypto_skcipher *); + void (*exit)(struct crypto_skcipher *); + unsigned int min_keysize; + unsigned int max_keysize; + unsigned int ivsize; + unsigned int chunksize; + unsigned int walksize; + struct crypto_alg base; +}; + +struct skcipher_instance { + void (*free)(struct skcipher_instance *); + union { + struct { + char head[64]; + struct crypto_instance base; + } s; + struct skcipher_alg alg; + }; +}; + +struct crypto_skcipher_spawn { + struct crypto_spawn base; +}; + +struct skcipher_walk { + union { + struct { + struct page *page; + long unsigned int offset; + } phys; + struct { + u8 *page; + void *addr; + } virt; + } src; + union { + struct { + struct page *page; + long unsigned int offset; + } phys; + struct { + u8 *page; + void *addr; + } virt; + } dst; + struct scatter_walk in; + unsigned int nbytes; + struct scatter_walk out; + unsigned int total; + struct list_head buffers; + u8 *page; + u8 *buffer; + u8 *oiv; + void *iv; + unsigned int ivsize; + int flags; + unsigned int blocksize; + unsigned int stride; + unsigned int alignmask; +}; + +struct skcipher_ctx_simple { + struct crypto_cipher *cipher; +}; + +struct crypto_report_blkcipher { + char type[64]; + char geniv[64]; + unsigned int blocksize; + unsigned int min_keysize; + unsigned int max_keysize; + unsigned int ivsize; +}; + +enum { + SKCIPHER_WALK_PHYS = 1, + SKCIPHER_WALK_SLOW = 2, + SKCIPHER_WALK_COPY = 4, + SKCIPHER_WALK_DIFF = 8, + SKCIPHER_WALK_SLEEP = 16, +}; + +struct skcipher_walk_buffer { + struct list_head entry; + struct scatter_walk dst; + unsigned int len; + u8 *data; + u8 buffer[0]; +}; + +struct hash_alg_common { + unsigned int digestsize; + unsigned int statesize; + struct crypto_alg base; +}; + +struct ahash_request { + struct crypto_async_request base; + unsigned int nbytes; + struct scatterlist *src; + u8 *result; + void *priv; + void *__ctx[0]; +}; + +struct crypto_ahash; + +struct ahash_alg { + int (*init)(struct ahash_request *); + int (*update)(struct ahash_request *); + int (*final)(struct ahash_request *); + int (*finup)(struct ahash_request *); + int (*digest)(struct ahash_request *); + int (*export)(struct ahash_request *, void *); + int (*import)(struct ahash_request *, const void *); + int (*setkey)(struct crypto_ahash *, const u8 *, unsigned int); + struct hash_alg_common halg; +}; + +struct crypto_ahash { + int (*init)(struct ahash_request *); + int (*update)(struct ahash_request *); + int (*final)(struct ahash_request *); + int (*finup)(struct ahash_request *); + int (*digest)(struct ahash_request *); + int (*export)(struct ahash_request *, void *); + int (*import)(struct ahash_request *, const void *); + int (*setkey)(struct crypto_ahash *, const u8 *, unsigned int); + unsigned int reqsize; + struct crypto_tfm base; +}; + +struct shash_alg { + int (*init)(struct shash_desc *); + int (*update)(struct shash_desc *, const u8 *, unsigned int); + int (*final)(struct shash_desc *, u8 *); + int (*finup)(struct shash_desc *, const u8 *, unsigned int, u8 *); + int (*digest)(struct shash_desc *, const u8 *, unsigned int, u8 *); + int (*export)(struct shash_desc *, void *); + int (*import)(struct shash_desc *, const void *); + int (*setkey)(struct crypto_shash *, const u8 *, unsigned int); + unsigned int descsize; + int: 32; + unsigned int digestsize; + unsigned int statesize; + struct crypto_alg base; +}; + +struct crypto_hash_walk { + char *data; + unsigned int offset; + unsigned int alignmask; + struct page *pg; + unsigned int entrylen; + unsigned int total; + struct scatterlist *sg; + unsigned int flags; +}; + +struct ahash_instance { + struct ahash_alg alg; +}; + +struct crypto_ahash_spawn { + struct crypto_spawn base; +}; + +struct crypto_report_hash { + char type[64]; + unsigned int blocksize; + unsigned int digestsize; +}; + +struct ahash_request_priv { + crypto_completion_t complete; + void *data; + u8 *result; + u32 flags; + void *ubuf[0]; +}; + +struct shash_instance { + struct shash_alg alg; +}; + +struct crypto_shash_spawn { + struct crypto_spawn base; +}; + +struct crypto_report_akcipher { + char type[64]; +}; + +struct akcipher_request { + struct crypto_async_request base; + struct scatterlist *src; + struct scatterlist *dst; + unsigned int src_len; + unsigned int dst_len; + void *__ctx[0]; +}; + +struct crypto_akcipher { + struct crypto_tfm base; +}; + +struct akcipher_alg { + int (*sign)(struct akcipher_request *); + int (*verify)(struct akcipher_request *); + int (*encrypt)(struct akcipher_request *); + int (*decrypt)(struct akcipher_request *); + int (*set_pub_key)(struct crypto_akcipher *, const void *, unsigned int); + int (*set_priv_key)(struct crypto_akcipher *, const void *, unsigned int); + unsigned int (*max_size)(struct crypto_akcipher *); + int (*init)(struct crypto_akcipher *); + void (*exit)(struct crypto_akcipher *); + unsigned int reqsize; + struct crypto_alg base; +}; + +struct akcipher_instance { + void (*free)(struct akcipher_instance *); + union { + struct { + char head[80]; + struct crypto_instance base; + } s; + struct akcipher_alg alg; + }; +}; + +struct crypto_akcipher_spawn { + struct crypto_spawn base; +}; + +struct crypto_report_kpp { + char type[64]; +}; + +struct kpp_request { + struct crypto_async_request base; + struct scatterlist *src; + struct scatterlist *dst; + unsigned int src_len; + unsigned int dst_len; + void *__ctx[0]; +}; + +struct crypto_kpp { + struct crypto_tfm base; +}; + +struct kpp_alg { + int (*set_secret)(struct crypto_kpp *, const void *, unsigned int); + int (*generate_public_key)(struct kpp_request *); + int (*compute_shared_secret)(struct kpp_request *); + unsigned int (*max_size)(struct crypto_kpp *); + int (*init)(struct crypto_kpp *); + void (*exit)(struct crypto_kpp *); + unsigned int reqsize; + struct crypto_alg base; +}; + +enum asn1_class { + ASN1_UNIV = 0, + ASN1_APPL = 1, + ASN1_CONT = 2, + ASN1_PRIV = 3, +}; + +enum asn1_method { + ASN1_PRIM = 0, + ASN1_CONS = 1, +}; + +enum asn1_tag { + ASN1_EOC = 0, + ASN1_BOOL = 1, + ASN1_INT = 2, + ASN1_BTS = 3, + ASN1_OTS = 4, + ASN1_NULL = 5, + ASN1_OID = 6, + ASN1_ODE = 7, + ASN1_EXT = 8, + ASN1_REAL = 9, + ASN1_ENUM = 10, + ASN1_EPDV = 11, + ASN1_UTF8STR = 12, + ASN1_RELOID = 13, + ASN1_SEQ = 16, + ASN1_SET = 17, + ASN1_NUMSTR = 18, + ASN1_PRNSTR = 19, + ASN1_TEXSTR = 20, + ASN1_VIDSTR = 21, + ASN1_IA5STR = 22, + ASN1_UNITIM = 23, + ASN1_GENTIM = 24, + ASN1_GRASTR = 25, + ASN1_VISSTR = 26, + ASN1_GENSTR = 27, + ASN1_UNISTR = 28, + ASN1_CHRSTR = 29, + ASN1_BMPSTR = 30, + ASN1_LONG_TAG = 31, +}; + +typedef int (*asn1_action_t)(void *, size_t, unsigned char, const void *, size_t); + +struct asn1_decoder { + const unsigned char *machine; + size_t machlen; + const asn1_action_t *actions; +}; + +enum asn1_opcode { + ASN1_OP_MATCH = 0, + ASN1_OP_MATCH_OR_SKIP = 1, + ASN1_OP_MATCH_ACT = 2, + ASN1_OP_MATCH_ACT_OR_SKIP = 3, + ASN1_OP_MATCH_JUMP = 4, + ASN1_OP_MATCH_JUMP_OR_SKIP = 5, + ASN1_OP_MATCH_ANY = 8, + ASN1_OP_MATCH_ANY_OR_SKIP = 9, + ASN1_OP_MATCH_ANY_ACT = 10, + ASN1_OP_MATCH_ANY_ACT_OR_SKIP = 11, + ASN1_OP_COND_MATCH_OR_SKIP = 17, + ASN1_OP_COND_MATCH_ACT_OR_SKIP = 19, + ASN1_OP_COND_MATCH_JUMP_OR_SKIP = 21, + ASN1_OP_COND_MATCH_ANY = 24, + ASN1_OP_COND_MATCH_ANY_OR_SKIP = 25, + ASN1_OP_COND_MATCH_ANY_ACT = 26, + ASN1_OP_COND_MATCH_ANY_ACT_OR_SKIP = 27, + ASN1_OP_COND_FAIL = 28, + ASN1_OP_COMPLETE = 29, + ASN1_OP_ACT = 30, + ASN1_OP_MAYBE_ACT = 31, + ASN1_OP_END_SEQ = 32, + ASN1_OP_END_SET = 33, + ASN1_OP_END_SEQ_OF = 34, + ASN1_OP_END_SET_OF = 35, + ASN1_OP_END_SEQ_ACT = 36, + ASN1_OP_END_SET_ACT = 37, + ASN1_OP_END_SEQ_OF_ACT = 38, + ASN1_OP_END_SET_OF_ACT = 39, + ASN1_OP_RETURN = 40, + ASN1_OP__NR = 41, +}; + +enum rsapubkey_actions { + ACT_rsa_get_e = 0, + ACT_rsa_get_n = 1, + NR__rsapubkey_actions = 2, +}; + +enum rsaprivkey_actions { + ACT_rsa_get_d = 0, + ACT_rsa_get_dp = 1, + ACT_rsa_get_dq = 2, + ACT_rsa_get_e___2 = 3, + ACT_rsa_get_n___2 = 4, + ACT_rsa_get_p = 5, + ACT_rsa_get_q = 6, + ACT_rsa_get_qinv = 7, + NR__rsaprivkey_actions = 8, +}; + +typedef long unsigned int mpi_limb_t; + +struct gcry_mpi { + int alloced; + int nlimbs; + int nbits; + int sign; + unsigned int flags; + mpi_limb_t *d; +}; + +typedef struct gcry_mpi *MPI; + +struct rsa_key { + const u8 *n; + const u8 *e; + const u8 *d; + const u8 *p; + const u8 *q; + const u8 *dp; + const u8 *dq; + const u8 *qinv; + size_t n_sz; + size_t e_sz; + size_t d_sz; + size_t p_sz; + size_t q_sz; + size_t dp_sz; + size_t dq_sz; + size_t qinv_sz; +}; + +struct rsa_mpi_key { + MPI n; + MPI e; + MPI d; +}; + +struct asn1_decoder___2; + +struct rsa_asn1_template { + const char *name; + const u8 *data; + size_t size; +}; + +struct pkcs1pad_ctx { + struct crypto_akcipher *child; + unsigned int key_size; +}; + +struct pkcs1pad_inst_ctx { + struct crypto_akcipher_spawn spawn; + const struct rsa_asn1_template *digest_info; +}; + +struct pkcs1pad_request { + struct scatterlist in_sg[2]; + struct scatterlist out_sg[1]; + uint8_t *in_buf; + uint8_t *out_buf; + struct akcipher_request child_req; +}; + +struct crypto_report_acomp { + char type[64]; +}; + +struct acomp_req { + struct crypto_async_request base; + struct scatterlist *src; + struct scatterlist *dst; + unsigned int slen; + unsigned int dlen; + u32 flags; + void *__ctx[0]; +}; + +struct crypto_acomp { + int (*compress)(struct acomp_req *); + int (*decompress)(struct acomp_req *); + void (*dst_free)(struct scatterlist *); + unsigned int reqsize; + struct crypto_tfm base; +}; + +struct acomp_alg { + int (*compress)(struct acomp_req *); + int (*decompress)(struct acomp_req *); + void (*dst_free)(struct scatterlist *); + int (*init)(struct crypto_acomp *); + void (*exit)(struct crypto_acomp *); + unsigned int reqsize; + struct crypto_alg base; +}; + +struct crypto_report_comp { + char type[64]; +}; + +struct crypto_scomp { + struct crypto_tfm base; +}; + +struct scomp_alg { + void * (*alloc_ctx)(struct crypto_scomp *); + void (*free_ctx)(struct crypto_scomp *, void *); + int (*compress)(struct crypto_scomp *, const u8 *, unsigned int, u8 *, unsigned int *, void *); + int (*decompress)(struct crypto_scomp *, const u8 *, unsigned int, u8 *, unsigned int *, void *); + struct crypto_alg base; +}; + +struct scomp_scratch { + spinlock_t lock; + void *src; + void *dst; +}; + +struct cryptomgr_param { + struct rtattr *tb[34]; + struct { + struct rtattr attr; + struct crypto_attr_type data; + } type; + union { + struct rtattr attr; + struct { + struct rtattr attr; + struct crypto_attr_alg data; + } alg; + struct { + struct rtattr attr; + struct crypto_attr_u32 data; + } nu32; + } attrs[32]; + char template[128]; + struct crypto_larval *larval; + u32 otype; + u32 omask; +}; + +struct crypto_test_param { + char driver[128]; + char alg[128]; + u32 type; +}; + +struct cmac_tfm_ctx { + struct crypto_cipher *child; + u8 ctx[0]; +}; + +struct cmac_desc_ctx { + unsigned int len; + u8 ctx[0]; +}; + +struct hmac_ctx { + struct crypto_shash *hash; +}; + +struct md5_state { + u32 hash[4]; + u32 block[16]; + u64 byte_count; +}; + +struct sha1_state { + u32 state[5]; + u64 count; + u8 buffer[64]; +}; + +typedef void sha1_block_fn(struct sha1_state *, const u8 *, int); + +struct sha256_state { + u32 state[8]; + u64 count; + u8 buf[64]; +}; + +typedef struct { + u64 a; + u64 b; +} u128; + +typedef struct { + __be64 a; + __be64 b; +} be128; + +typedef struct { + __le64 b; + __le64 a; +} le128; + +struct gf128mul_4k { + be128 t[256]; +}; + +struct gf128mul_64k { + struct gf128mul_4k *t[16]; +}; + +struct crypto_rfc3686_ctx { + struct crypto_skcipher *child; + u8 nonce[4]; +}; + +struct crypto_rfc3686_req_ctx { + u8 iv[16]; + struct skcipher_request subreq; +}; + +struct gcm_instance_ctx { + struct crypto_skcipher_spawn ctr; + struct crypto_ahash_spawn ghash; +}; + +struct crypto_gcm_ctx { + struct crypto_skcipher *ctr; + struct crypto_ahash *ghash; +}; + +struct crypto_rfc4106_ctx { + struct crypto_aead *child; + u8 nonce[4]; +}; + +struct crypto_rfc4106_req_ctx { + struct scatterlist src[3]; + struct scatterlist dst[3]; + struct aead_request subreq; +}; + +struct crypto_rfc4543_instance_ctx { + struct crypto_aead_spawn aead; +}; + +struct crypto_rfc4543_ctx { + struct crypto_aead *child; + struct crypto_sync_skcipher *null; + u8 nonce[4]; +}; + +struct crypto_rfc4543_req_ctx { + struct aead_request subreq; +}; + +struct crypto_gcm_ghash_ctx { + unsigned int cryptlen; + struct scatterlist *src; + int (*complete)(struct aead_request *, u32); +}; + +struct crypto_gcm_req_priv_ctx { + u8 iv[16]; + u8 auth_tag[16]; + u8 iauth_tag[16]; + struct scatterlist src[3]; + struct scatterlist dst[3]; + struct scatterlist sg; + struct crypto_gcm_ghash_ctx ghash_ctx; + union { + struct ahash_request ahreq; + struct skcipher_request skreq; + } u; +}; + +struct ccm_instance_ctx { + struct crypto_skcipher_spawn ctr; + struct crypto_ahash_spawn mac; +}; + +struct crypto_ccm_ctx { + struct crypto_ahash *mac; + struct crypto_skcipher *ctr; +}; + +struct crypto_rfc4309_ctx { + struct crypto_aead *child; + u8 nonce[3]; +}; + +struct crypto_rfc4309_req_ctx { + struct scatterlist src[3]; + struct scatterlist dst[3]; + struct aead_request subreq; +}; + +struct crypto_ccm_req_priv_ctx { + u8 odata[16]; + u8 idata[16]; + u8 auth_tag[16]; + u32 flags; + struct scatterlist src[3]; + struct scatterlist dst[3]; + union { + struct ahash_request ahreq; + struct skcipher_request skreq; + }; +}; + +struct cbcmac_tfm_ctx { + struct crypto_cipher *child; +}; + +struct cbcmac_desc_ctx { + unsigned int len; +}; + +struct des_ctx { + u32 expkey[32]; +}; + +struct des3_ede_ctx { + u32 expkey[96]; +}; + +struct crypto_aes_ctx { + u32 key_enc[60]; + u32 key_dec[60]; + u32 key_length; +}; + +struct chksum_ctx { + u32 key; +}; + +struct chksum_desc_ctx { + u32 crc; +}; + +enum { + CRYPTO_AUTHENC_KEYA_UNSPEC = 0, + CRYPTO_AUTHENC_KEYA_PARAM = 1, +}; + +struct crypto_authenc_key_param { + __be32 enckeylen; +}; + +struct crypto_authenc_keys { + const u8 *authkey; + const u8 *enckey; + unsigned int authkeylen; + unsigned int enckeylen; +}; + +struct authenc_instance_ctx { + struct crypto_ahash_spawn auth; + struct crypto_skcipher_spawn enc; + unsigned int reqoff; +}; + +struct crypto_authenc_ctx { + struct crypto_ahash *auth; + struct crypto_skcipher *enc; + struct crypto_sync_skcipher *null; +}; + +struct authenc_request_ctx { + struct scatterlist src[2]; + struct scatterlist dst[2]; + char tail[0]; +}; + +struct authenc_esn_instance_ctx { + struct crypto_ahash_spawn auth; + struct crypto_skcipher_spawn enc; +}; + +struct crypto_authenc_esn_ctx { + unsigned int reqoff; + struct crypto_ahash *auth; + struct crypto_skcipher *enc; + struct crypto_sync_skcipher *null; +}; + +struct authenc_esn_request_ctx { + struct scatterlist src[2]; + struct scatterlist dst[2]; + char tail[0]; +}; + +struct crypto_report_rng { + char type[64]; + unsigned int seedsize; +}; + +struct random_ready_callback { + struct list_head list; + void (*func)(struct random_ready_callback *); + struct module *owner; +}; + +struct drbg_string { + const unsigned char *buf; + size_t len; + struct list_head list; +}; + +typedef uint32_t drbg_flag_t; + +struct drbg_core { + drbg_flag_t flags; + __u8 statelen; + __u8 blocklen_bytes; + char cra_name[128]; + char backend_cra_name[128]; +}; + +struct drbg_state; + +struct drbg_state_ops { + int (*update)(struct drbg_state *, struct list_head *, int); + int (*generate)(struct drbg_state *, unsigned char *, unsigned int, struct list_head *); + int (*crypto_init)(struct drbg_state *); + int (*crypto_fini)(struct drbg_state *); +}; + +struct drbg_state { + struct mutex drbg_mutex; + unsigned char *V; + unsigned char *Vbuf; + unsigned char *C; + unsigned char *Cbuf; + size_t reseed_ctr; + size_t reseed_threshold; + unsigned char *scratchpad; + unsigned char *scratchpadbuf; + void *priv_data; + struct crypto_skcipher *ctr_handle; + struct skcipher_request *ctr_req; + __u8 *outscratchpadbuf; + __u8 *outscratchpad; + struct crypto_wait ctr_wait; + struct scatterlist sg_in; + struct scatterlist sg_out; + bool seeded; + bool pr; + bool fips_primed; + unsigned char *prev; + struct work_struct seed_work; + struct crypto_rng *jent; + const struct drbg_state_ops *d_ops; + const struct drbg_core *core; + struct drbg_string test_data; + struct random_ready_callback random_ready; +}; + +enum drbg_prefixes { + DRBG_PREFIX0 = 0, + DRBG_PREFIX1 = 1, + DRBG_PREFIX2 = 2, + DRBG_PREFIX3 = 3, +}; + +struct sdesc { + struct shash_desc shash; + char ctx[0]; +}; + +struct rand_data { + __u64 data; + __u64 old_data; + __u64 prev_time; + __u64 last_delta; + __s64 last_delta2; + unsigned int osr; + unsigned char *mem; + unsigned int memlocation; + unsigned int memblocks; + unsigned int memblocksize; + unsigned int memaccessloops; +}; + +struct rand_data___2; + +struct jitterentropy { + spinlock_t jent_lock; + struct rand_data___2 *entropy_collector; +}; + +struct ghash_ctx { + struct gf128mul_4k *gf128; +}; + +struct ghash_desc_ctx { + u8 buffer[16]; + u32 bytes; +}; + +enum asymmetric_payload_bits { + asym_crypto = 0, + asym_subtype = 1, + asym_key_ids = 2, + asym_auth = 3, +}; + +struct asymmetric_key_id { + short unsigned int len; + unsigned char data[0]; +}; + +struct asymmetric_key_ids { + void *id[2]; +}; + +struct public_key_signature; + +struct asymmetric_key_subtype { + struct module *owner; + const char *name; + short unsigned int name_len; + void (*describe)(const struct key *, struct seq_file *); + void (*destroy)(void *, void *); + int (*query)(const struct kernel_pkey_params *, struct kernel_pkey_query *); + int (*eds_op)(struct kernel_pkey_params *, const void *, void *); + int (*verify_signature)(const struct key *, const struct public_key_signature *); +}; + +struct public_key_signature { + struct asymmetric_key_id *auth_ids[2]; + u8 *s; + u32 s_size; + u8 *digest; + u8 digest_size; + const char *pkey_algo; + const char *hash_algo; + const char *encoding; +}; + +struct asymmetric_key_parser { + struct list_head link; + struct module *owner; + const char *name; + int (*parse)(struct key_preparsed_payload *); +}; + +enum OID { + OID_id_dsa_with_sha1 = 0, + OID_id_dsa = 1, + OID_id_ecdsa_with_sha1 = 2, + OID_id_ecPublicKey = 3, + OID_rsaEncryption = 4, + OID_md2WithRSAEncryption = 5, + OID_md3WithRSAEncryption = 6, + OID_md4WithRSAEncryption = 7, + OID_sha1WithRSAEncryption = 8, + OID_sha256WithRSAEncryption = 9, + OID_sha384WithRSAEncryption = 10, + OID_sha512WithRSAEncryption = 11, + OID_sha224WithRSAEncryption = 12, + OID_data = 13, + OID_signed_data = 14, + OID_email_address = 15, + OID_contentType = 16, + OID_messageDigest = 17, + OID_signingTime = 18, + OID_smimeCapabilites = 19, + OID_smimeAuthenticatedAttrs = 20, + OID_md2 = 21, + OID_md4 = 22, + OID_md5 = 23, + OID_msIndirectData = 24, + OID_msStatementType = 25, + OID_msSpOpusInfo = 26, + OID_msPeImageDataObjId = 27, + OID_msIndividualSPKeyPurpose = 28, + OID_msOutlookExpress = 29, + OID_certAuthInfoAccess = 30, + OID_sha1 = 31, + OID_sha256 = 32, + OID_sha384 = 33, + OID_sha512 = 34, + OID_sha224 = 35, + OID_commonName = 36, + OID_surname = 37, + OID_countryName = 38, + OID_locality = 39, + OID_stateOrProvinceName = 40, + OID_organizationName = 41, + OID_organizationUnitName = 42, + OID_title = 43, + OID_description = 44, + OID_name = 45, + OID_givenName = 46, + OID_initials = 47, + OID_generationalQualifier = 48, + OID_subjectKeyIdentifier = 49, + OID_keyUsage = 50, + OID_subjectAltName = 51, + OID_issuerAltName = 52, + OID_basicConstraints = 53, + OID_crlDistributionPoints = 54, + OID_certPolicies = 55, + OID_authorityKeyIdentifier = 56, + OID_extKeyUsage = 57, + OID_gostCPSignA = 58, + OID_gostCPSignB = 59, + OID_gostCPSignC = 60, + OID_gost2012PKey256 = 61, + OID_gost2012PKey512 = 62, + OID_gost2012Digest256 = 63, + OID_gost2012Digest512 = 64, + OID_gost2012Signature256 = 65, + OID_gost2012Signature512 = 66, + OID_gostTC26Sign256A = 67, + OID_gostTC26Sign256B = 68, + OID_gostTC26Sign256C = 69, + OID_gostTC26Sign256D = 70, + OID_gostTC26Sign512A = 71, + OID_gostTC26Sign512B = 72, + OID_gostTC26Sign512C = 73, + OID__NR = 74, +}; + +struct public_key { + void *key; + u32 keylen; + enum OID algo; + void *params; + u32 paramlen; + bool key_is_private; + const char *id_type; + const char *pkey_algo; +}; + +enum x509_actions { + ACT_x509_extract_key_data = 0, + ACT_x509_extract_name_segment = 1, + ACT_x509_note_OID = 2, + ACT_x509_note_issuer = 3, + ACT_x509_note_not_after = 4, + ACT_x509_note_not_before = 5, + ACT_x509_note_params = 6, + ACT_x509_note_pkey_algo = 7, + ACT_x509_note_serial = 8, + ACT_x509_note_signature = 9, + ACT_x509_note_subject = 10, + ACT_x509_note_tbs_certificate = 11, + ACT_x509_process_extension = 12, + NR__x509_actions = 13, +}; + +enum x509_akid_actions { + ACT_x509_akid_note_kid = 0, + ACT_x509_akid_note_name = 1, + ACT_x509_akid_note_serial = 2, + ACT_x509_extract_name_segment___2 = 3, + ACT_x509_note_OID___2 = 4, + NR__x509_akid_actions = 5, +}; + +struct x509_certificate { + struct x509_certificate *next; + struct x509_certificate *signer; + struct public_key *pub; + struct public_key_signature *sig; + char *issuer; + char *subject; + struct asymmetric_key_id *id; + struct asymmetric_key_id *skid; + time64_t valid_from; + time64_t valid_to; + const void *tbs; + unsigned int tbs_size; + unsigned int raw_sig_size; + const void *raw_sig; + const void *raw_serial; + unsigned int raw_serial_size; + unsigned int raw_issuer_size; + const void *raw_issuer; + const void *raw_subject; + unsigned int raw_subject_size; + unsigned int raw_skid_size; + const void *raw_skid; + unsigned int index; + bool seen; + bool verified; + bool self_signed; + bool unsupported_key; + bool unsupported_sig; + bool blacklisted; +}; + +struct x509_parse_context { + struct x509_certificate *cert; + long unsigned int data; + const void *cert_start; + const void *key; + size_t key_size; + const void *params; + size_t params_size; + enum OID key_algo; + enum OID last_oid; + enum OID algo_oid; + unsigned char nr_mpi; + u8 o_size; + u8 cn_size; + u8 email_size; + u16 o_offset; + u16 cn_offset; + u16 email_offset; + unsigned int raw_akid_size; + const void *raw_akid; + const void *akid_raw_issuer; + unsigned int akid_raw_issuer_size; +}; + +enum pkcs7_actions { + ACT_pkcs7_check_content_type = 0, + ACT_pkcs7_extract_cert = 1, + ACT_pkcs7_note_OID = 2, + ACT_pkcs7_note_certificate_list = 3, + ACT_pkcs7_note_content = 4, + ACT_pkcs7_note_data = 5, + ACT_pkcs7_note_signed_info = 6, + ACT_pkcs7_note_signeddata_version = 7, + ACT_pkcs7_note_signerinfo_version = 8, + ACT_pkcs7_sig_note_authenticated_attr = 9, + ACT_pkcs7_sig_note_digest_algo = 10, + ACT_pkcs7_sig_note_issuer = 11, + ACT_pkcs7_sig_note_pkey_algo = 12, + ACT_pkcs7_sig_note_serial = 13, + ACT_pkcs7_sig_note_set_of_authattrs = 14, + ACT_pkcs7_sig_note_signature = 15, + ACT_pkcs7_sig_note_skid = 16, + NR__pkcs7_actions = 17, +}; + +struct pkcs7_signed_info { + struct pkcs7_signed_info *next; + struct x509_certificate *signer; + unsigned int index; + bool unsupported_crypto; + bool blacklisted; + const void *msgdigest; + unsigned int msgdigest_len; + unsigned int authattrs_len; + const void *authattrs; + long unsigned int aa_set; + time64_t signing_time; + struct public_key_signature *sig; +}; + +struct pkcs7_message___2 { + struct x509_certificate *certs; + struct x509_certificate *crl; + struct pkcs7_signed_info *signed_infos; + u8 version; + bool have_authattrs; + enum OID data_type; + size_t data_len; + size_t data_hdrlen; + const void *data; +}; + +struct pkcs7_parse_context { + struct pkcs7_message___2 *msg; + struct pkcs7_signed_info *sinfo; + struct pkcs7_signed_info **ppsinfo; + struct x509_certificate *certs; + struct x509_certificate **ppcerts; + long unsigned int data; + enum OID last_oid; + unsigned int x509_index; + unsigned int sinfo_index; + const void *raw_serial; + unsigned int raw_serial_size; + unsigned int raw_issuer_size; + const void *raw_issuer; + const void *raw_skid; + unsigned int raw_skid_size; + bool expect_skid; +}; + +enum hash_algo { + HASH_ALGO_MD4 = 0, + HASH_ALGO_MD5 = 1, + HASH_ALGO_SHA1 = 2, + HASH_ALGO_RIPE_MD_160 = 3, + HASH_ALGO_SHA256 = 4, + HASH_ALGO_SHA384 = 5, + HASH_ALGO_SHA512 = 6, + HASH_ALGO_SHA224 = 7, + HASH_ALGO_RIPE_MD_128 = 8, + HASH_ALGO_RIPE_MD_256 = 9, + HASH_ALGO_RIPE_MD_320 = 10, + HASH_ALGO_WP_256 = 11, + HASH_ALGO_WP_384 = 12, + HASH_ALGO_WP_512 = 13, + HASH_ALGO_TGR_128 = 14, + HASH_ALGO_TGR_160 = 15, + HASH_ALGO_TGR_192 = 16, + HASH_ALGO_SM3_256 = 17, + HASH_ALGO_STREEBOG_256 = 18, + HASH_ALGO_STREEBOG_512 = 19, + HASH_ALGO__LAST = 20, +}; + +struct biovec_slab { + int nr_vecs; + char *name; + struct kmem_cache *slab; +}; + +enum rq_qos_id { + RQ_QOS_WBT = 0, + RQ_QOS_LATENCY = 1, + RQ_QOS_COST = 2, +}; + +struct rq_qos_ops; + +struct rq_qos { + struct rq_qos_ops *ops; + struct request_queue *q; + enum rq_qos_id id; + struct rq_qos *next; + struct dentry *debugfs_dir; +}; + +struct rq_map_data { + struct page **pages; + int page_order; + int nr_entries; + long unsigned int offset; + int null_mapped; + int from_user; +}; + +enum hctx_type { + HCTX_TYPE_DEFAULT = 0, + HCTX_TYPE_READ = 1, + HCTX_TYPE_POLL = 2, + HCTX_MAX_TYPES = 3, +}; + +struct rq_qos_ops { + void (*throttle)(struct rq_qos *, struct bio *); + void (*track)(struct rq_qos *, struct request *, struct bio *); + void (*merge)(struct rq_qos *, struct request *, struct bio *); + void (*issue)(struct rq_qos *, struct request *); + void (*requeue)(struct rq_qos *, struct request *); + void (*done)(struct rq_qos *, struct request *); + void (*done_bio)(struct rq_qos *, struct bio *); + void (*cleanup)(struct rq_qos *, struct bio *); + void (*queue_depth_changed)(struct rq_qos *); + void (*exit)(struct rq_qos *); + const struct blk_mq_debugfs_attr *debugfs_attrs; +}; + +struct bio_slab { + struct kmem_cache *slab; + unsigned int slab_ref; + unsigned int slab_size; + char name[8]; +}; + +struct bio_map_data { + int is_our_pages; + struct iov_iter iter; + struct iovec iov[0]; +}; + +enum { + BLK_MQ_F_SHOULD_MERGE = 1, + BLK_MQ_F_TAG_SHARED = 2, + BLK_MQ_F_BLOCKING = 32, + BLK_MQ_F_NO_SCHED = 64, + BLK_MQ_F_ALLOC_POLICY_START_BIT = 8, + BLK_MQ_F_ALLOC_POLICY_BITS = 1, + BLK_MQ_S_STOPPED = 0, + BLK_MQ_S_TAG_ACTIVE = 1, + BLK_MQ_S_SCHED_RESTART = 2, + BLK_MQ_MAX_DEPTH = 10240, + BLK_MQ_CPU_WORK_BATCH = 8, +}; + +enum { + WBT_RWQ_BG = 0, + WBT_RWQ_KSWAPD = 1, + WBT_RWQ_DISCARD = 2, + WBT_NUM_RWQ = 3, +}; + +struct blk_plug_cb; + +typedef void (*blk_plug_cb_fn)(struct blk_plug_cb *, bool); + +struct blk_plug_cb { + struct list_head list; + blk_plug_cb_fn callback; + void *data; +}; + +enum { + BLK_MQ_REQ_NOWAIT = 1, + BLK_MQ_REQ_RESERVED = 2, + BLK_MQ_REQ_INTERNAL = 4, + BLK_MQ_REQ_PREEMPT = 8, +}; + +struct trace_event_raw_block_buffer { + struct trace_entry ent; + dev_t dev; + sector_t sector; + size_t size; + char __data[0]; +}; + +struct trace_event_raw_block_rq_requeue { + struct trace_entry ent; + dev_t dev; + sector_t sector; + unsigned int nr_sector; + char rwbs[8]; + u32 __data_loc_cmd; + char __data[0]; +}; + +struct trace_event_raw_block_rq_complete { + struct trace_entry ent; + dev_t dev; + sector_t sector; + unsigned int nr_sector; + int error; + char rwbs[8]; + u32 __data_loc_cmd; + char __data[0]; +}; + +struct trace_event_raw_block_rq { + struct trace_entry ent; + dev_t dev; + sector_t sector; + unsigned int nr_sector; + unsigned int bytes; + char rwbs[8]; + char comm[16]; + u32 __data_loc_cmd; + char __data[0]; +}; + +struct trace_event_raw_block_bio_bounce { + struct trace_entry ent; + dev_t dev; + sector_t sector; + unsigned int nr_sector; + char rwbs[8]; + char comm[16]; + char __data[0]; +}; + +struct trace_event_raw_block_bio_complete { + struct trace_entry ent; + dev_t dev; + sector_t sector; + unsigned int nr_sector; + int error; + char rwbs[8]; + char __data[0]; +}; + +struct trace_event_raw_block_bio_merge { + struct trace_entry ent; + dev_t dev; + sector_t sector; + unsigned int nr_sector; + char rwbs[8]; + char comm[16]; + char __data[0]; +}; + +struct trace_event_raw_block_bio_queue { + struct trace_entry ent; + dev_t dev; + sector_t sector; + unsigned int nr_sector; + char rwbs[8]; + char comm[16]; + char __data[0]; +}; + +struct trace_event_raw_block_get_rq { + struct trace_entry ent; + dev_t dev; + sector_t sector; + unsigned int nr_sector; + char rwbs[8]; + char comm[16]; + char __data[0]; +}; + +struct trace_event_raw_block_plug { + struct trace_entry ent; + char comm[16]; + char __data[0]; +}; + +struct trace_event_raw_block_unplug { + struct trace_entry ent; + int nr_rq; + char comm[16]; + char __data[0]; +}; + +struct trace_event_raw_block_split { + struct trace_entry ent; + dev_t dev; + sector_t sector; + sector_t new_sector; + char rwbs[8]; + char comm[16]; + char __data[0]; +}; + +struct trace_event_raw_block_bio_remap { + struct trace_entry ent; + dev_t dev; + sector_t sector; + unsigned int nr_sector; + dev_t old_dev; + sector_t old_sector; + char rwbs[8]; + char __data[0]; +}; + +struct trace_event_raw_block_rq_remap { + struct trace_entry ent; + dev_t dev; + sector_t sector; + unsigned int nr_sector; + dev_t old_dev; + sector_t old_sector; + unsigned int nr_bios; + char rwbs[8]; + char __data[0]; +}; + +struct trace_event_data_offsets_block_buffer {}; + +struct trace_event_data_offsets_block_rq_requeue { + u32 cmd; +}; + +struct trace_event_data_offsets_block_rq_complete { + u32 cmd; +}; + +struct trace_event_data_offsets_block_rq { + u32 cmd; +}; + +struct trace_event_data_offsets_block_bio_bounce {}; + +struct trace_event_data_offsets_block_bio_complete {}; + +struct trace_event_data_offsets_block_bio_merge {}; + +struct trace_event_data_offsets_block_bio_queue {}; + +struct trace_event_data_offsets_block_get_rq {}; + +struct trace_event_data_offsets_block_plug {}; + +struct trace_event_data_offsets_block_unplug {}; + +struct trace_event_data_offsets_block_split {}; + +struct trace_event_data_offsets_block_bio_remap {}; + +struct trace_event_data_offsets_block_rq_remap {}; + +struct queue_sysfs_entry { + struct attribute attr; + ssize_t (*show)(struct request_queue *, char *); + ssize_t (*store)(struct request_queue *, const char *, size_t); +}; + +enum { + REQ_FSEQ_PREFLUSH = 1, + REQ_FSEQ_DATA = 2, + REQ_FSEQ_POSTFLUSH = 4, + REQ_FSEQ_DONE = 8, + REQ_FSEQ_ACTIONS = 7, + FLUSH_PENDING_TIMEOUT = 5000, +}; + +enum blk_default_limits { + BLK_MAX_SEGMENTS = 128, + BLK_SAFE_MAX_SECTORS = 255, + BLK_DEF_MAX_SECTORS = 2560, + BLK_MAX_SEGMENT_SIZE = 65536, + BLK_SEG_BOUNDARY_MASK = -1, +}; + +enum { + ICQ_EXITED = 4, +}; + +enum { + sysctl_hung_task_timeout_secs = 0, +}; + +struct req_iterator { + struct bvec_iter iter; + struct bio *bio; +}; + +typedef bool (*sb_for_each_fn)(struct sbitmap *, unsigned int, void *); + +typedef bool busy_iter_fn(struct blk_mq_hw_ctx *, struct request *, void *, bool); + +enum { + BLK_MQ_UNIQUE_TAG_BITS = 16, + BLK_MQ_UNIQUE_TAG_MASK = 65535, +}; + +enum { + BLK_MQ_TAG_FAIL = -1, + BLK_MQ_TAG_MIN = 1, + BLK_MQ_TAG_MAX = -2, +}; + +struct mq_inflight { + struct hd_struct *part; + unsigned int inflight[2]; +}; + +struct flush_busy_ctx_data { + struct blk_mq_hw_ctx *hctx; + struct list_head *list; +}; + +struct dispatch_rq_data { + struct blk_mq_hw_ctx *hctx; + struct request *rq; +}; + +struct blk_mq_qe_pair { + struct list_head node; + struct request_queue *q; + struct elevator_type *type; +}; + +struct sbq_wait { + struct sbitmap_queue *sbq; + struct wait_queue_entry wait; +}; + +typedef bool busy_tag_iter_fn(struct request *, void *, bool); + +struct bt_iter_data { + struct blk_mq_hw_ctx *hctx; + busy_iter_fn *fn; + void *data; + bool reserved; +}; + +struct bt_tags_iter_data { + struct blk_mq_tags *tags; + busy_tag_iter_fn *fn; + void *data; + bool reserved; +}; + +struct blk_queue_stats { + struct list_head callbacks; + spinlock_t lock; + bool enable_accounting; +}; + +struct blk_mq_ctx_sysfs_entry { + struct attribute attr; + ssize_t (*show)(struct blk_mq_ctx *, char *); + ssize_t (*store)(struct blk_mq_ctx *, const char *, size_t); +}; + +struct blk_mq_hw_ctx_sysfs_entry { + struct attribute attr; + ssize_t (*show)(struct blk_mq_hw_ctx *, char *); + ssize_t (*store)(struct blk_mq_hw_ctx *, const char *, size_t); +}; + +struct disk_part_iter { + struct gendisk *disk; + struct hd_struct *part; + int idx; + unsigned int flags; +}; + +struct hd_geometry { + unsigned char heads; + unsigned char sectors; + short unsigned int cylinders; + long unsigned int start; +}; + +struct blkpg_ioctl_arg { + int op; + int flags; + int datalen; + void *data; +}; + +struct blkpg_partition { + long long int start; + long long int length; + int pno; + char devname[64]; + char volname[64]; +}; + +struct pr_reservation { + __u64 key; + __u32 type; + __u32 flags; +}; + +struct pr_registration { + __u64 old_key; + __u64 new_key; + __u32 flags; + __u32 __pad; +}; + +struct pr_preempt { + __u64 old_key; + __u64 new_key; + __u32 type; + __u32 flags; +}; + +struct pr_clear { + __u64 key; + __u32 flags; + __u32 __pad; +}; + +struct klist_node; + +struct klist { + spinlock_t k_lock; + struct list_head k_list; + void (*get)(struct klist_node *); + void (*put)(struct klist_node *); +}; + +struct klist_node { + void *n_klist; + struct list_head n_node; + struct kref n_ref; +}; + +struct klist_iter { + struct klist *i_klist; + struct klist_node *i_cur; +}; + +struct class_dev_iter { + struct klist_iter ki; + const struct device_type *type; +}; + +enum { + DISK_EVENT_FLAG_POLL = 1, + DISK_EVENT_FLAG_UEVENT = 2, +}; + +struct disk_events { + struct list_head node; + struct gendisk *disk; + spinlock_t lock; + struct mutex block_mutex; + int block; + unsigned int pending; + unsigned int clearing; + long int poll_msecs; + struct delayed_work dwork; +}; + +struct badblocks { + struct device *dev; + int count; + int unacked_exist; + int shift; + u64 *page; + int changed; + seqlock_t lock; + sector_t sector; + sector_t size; +}; + +typedef struct kobject *kobj_probe_t___2(dev_t, int *, void *); + +struct blk_major_name { + struct blk_major_name *next; + int major; + char name[16]; +}; + +typedef struct { + struct page *v; +} Sector; + +struct parsed_partitions { + struct block_device *bdev; + char name[32]; + struct { + sector_t from; + sector_t size; + int flags; + bool has_info; + struct partition_meta_info info; + } *parts; + int next; + int limit; + bool access_beyond_eod; + char *pp_buf; +}; + +enum { + IOPRIO_WHO_PROCESS = 1, + IOPRIO_WHO_PGRP = 2, + IOPRIO_WHO_USER = 3, +}; + +enum { + DOS_EXTENDED_PARTITION = 5, + LINUX_EXTENDED_PARTITION = 133, + WIN98_EXTENDED_PARTITION = 15, + SUN_WHOLE_DISK = 5, + LINUX_SWAP_PARTITION = 130, + LINUX_DATA_PARTITION = 131, + LINUX_LVM_PARTITION = 142, + LINUX_RAID_PARTITION = 253, + SOLARIS_X86_PARTITION = 130, + NEW_SOLARIS_X86_PARTITION = 191, + DM6_AUX1PARTITION = 81, + DM6_AUX3PARTITION = 83, + DM6_PARTITION = 84, + EZD_PARTITION = 85, + FREEBSD_PARTITION = 165, + OPENBSD_PARTITION = 166, + NETBSD_PARTITION = 169, + BSDI_PARTITION = 183, + MINIX_PARTITION = 129, + UNIXWARE_PARTITION = 99, +}; + +struct partition { + unsigned char boot_ind; + unsigned char head; + unsigned char sector; + unsigned char cyl; + unsigned char sys_ind; + unsigned char end_head; + unsigned char end_sector; + unsigned char end_cyl; + __le32 start_sect; + __le32 nr_sects; +}; + +struct _gpt_header { + __le64 signature; + __le32 revision; + __le32 header_size; + __le32 header_crc32; + __le32 reserved1; + __le64 my_lba; + __le64 alternate_lba; + __le64 first_usable_lba; + __le64 last_usable_lba; + efi_guid_t disk_guid; + __le64 partition_entry_lba; + __le32 num_partition_entries; + __le32 sizeof_partition_entry; + __le32 partition_entry_array_crc32; +} __attribute__((packed)); + +typedef struct _gpt_header gpt_header; + +struct _gpt_entry_attributes { + u64 required_to_function: 1; + u64 reserved: 47; + u64 type_guid_specific: 16; +}; + +typedef struct _gpt_entry_attributes gpt_entry_attributes; + +struct _gpt_entry { + efi_guid_t partition_type_guid; + efi_guid_t unique_partition_guid; + __le64 starting_lba; + __le64 ending_lba; + gpt_entry_attributes attributes; + efi_char16_t partition_name[36]; +}; + +typedef struct _gpt_entry gpt_entry; + +struct _gpt_mbr_record { + u8 boot_indicator; + u8 start_head; + u8 start_sector; + u8 start_track; + u8 os_type; + u8 end_head; + u8 end_sector; + u8 end_track; + __le32 starting_lba; + __le32 size_in_lba; +}; + +typedef struct _gpt_mbr_record gpt_mbr_record; + +struct _legacy_mbr { + u8 boot_code[440]; + __le32 unique_mbr_signature; + __le16 unknown; + gpt_mbr_record partition_record[4]; + __le16 signature; +} __attribute__((packed)); + +typedef struct _legacy_mbr legacy_mbr; + +struct rq_wait { + wait_queue_head_t wait; + atomic_t inflight; +}; + +struct rq_depth { + unsigned int max_depth; + int scale_step; + bool scaled_max; + unsigned int queue_depth; + unsigned int default_depth; +}; + +typedef bool acquire_inflight_cb_t(struct rq_wait *, void *); + +typedef void cleanup_cb_t(struct rq_wait *, void *); + +struct rq_qos_wait_data { + struct wait_queue_entry wq; + struct task_struct *task; + struct rq_wait *rqw; + acquire_inflight_cb_t *cb; + void *private_data; + bool got_token; +}; + +struct request_sense; + +struct cdrom_generic_command { + unsigned char cmd[12]; + unsigned char *buffer; + unsigned int buflen; + int stat; + struct request_sense *sense; + unsigned char data_direction; + int quiet; + int timeout; + void *reserved[1]; +}; + +struct request_sense { + __u8 error_code: 7; + __u8 valid: 1; + __u8 segment_number; + __u8 sense_key: 4; + __u8 reserved2: 1; + __u8 ili: 1; + __u8 reserved1: 2; + __u8 information[4]; + __u8 add_sense_len; + __u8 command_info[4]; + __u8 asc; + __u8 ascq; + __u8 fruc; + __u8 sks[3]; + __u8 asb[46]; +}; + +struct scsi_ioctl_command { + unsigned int inlen; + unsigned int outlen; + unsigned char data[0]; +}; + +enum scsi_device_event { + SDEV_EVT_MEDIA_CHANGE = 1, + SDEV_EVT_INQUIRY_CHANGE_REPORTED = 2, + SDEV_EVT_CAPACITY_CHANGE_REPORTED = 3, + SDEV_EVT_SOFT_THRESHOLD_REACHED_REPORTED = 4, + SDEV_EVT_MODE_PARAMETER_CHANGE_REPORTED = 5, + SDEV_EVT_LUN_CHANGE_REPORTED = 6, + SDEV_EVT_ALUA_STATE_CHANGE_REPORTED = 7, + SDEV_EVT_POWER_ON_RESET_OCCURRED = 8, + SDEV_EVT_FIRST = 1, + SDEV_EVT_LAST = 8, + SDEV_EVT_MAXBITS = 9, +}; + +struct scsi_request { + unsigned char __cmd[16]; + unsigned char *cmd; + short unsigned int cmd_len; + int result; + unsigned int sense_len; + unsigned int resid_len; + int retries; + void *sense; +}; + +struct blk_cmd_filter { + long unsigned int read_ok[4]; + long unsigned int write_ok[4]; +}; + +struct sg_io_hdr { + int interface_id; + int dxfer_direction; + unsigned char cmd_len; + unsigned char mx_sb_len; + short unsigned int iovec_count; + unsigned int dxfer_len; + void *dxferp; + unsigned char *cmdp; + void *sbp; + unsigned int timeout; + unsigned int flags; + int pack_id; + void *usr_ptr; + unsigned char status; + unsigned char masked_status; + unsigned char msg_status; + unsigned char sb_len_wr; + short unsigned int host_status; + short unsigned int driver_status; + int resid; + unsigned int duration; + unsigned int info; +}; + +struct compat_sg_io_hdr { + compat_int_t interface_id; + compat_int_t dxfer_direction; + unsigned char cmd_len; + unsigned char mx_sb_len; + short unsigned int iovec_count; + compat_uint_t dxfer_len; + compat_uint_t dxferp; + compat_uptr_t cmdp; + compat_uptr_t sbp; + compat_uint_t timeout; + compat_uint_t flags; + compat_int_t pack_id; + compat_uptr_t usr_ptr; + unsigned char status; + unsigned char masked_status; + unsigned char msg_status; + unsigned char sb_len_wr; + short unsigned int host_status; + short unsigned int driver_status; + compat_int_t resid; + compat_uint_t duration; + compat_uint_t info; +}; + +struct bsg_device { + struct request_queue *queue; + spinlock_t lock; + struct hlist_node dev_list; + refcount_t ref_count; + char name[20]; + int max_queue; +}; + +struct deadline_data { + struct rb_root sort_list[2]; + struct list_head fifo_list[2]; + struct request *next_rq[2]; + unsigned int batching; + unsigned int starved; + int fifo_expire[2]; + int fifo_batch; + int writes_starved; + int front_merges; + spinlock_t lock; + spinlock_t zone_lock; + struct list_head dispatch; +}; + +struct trace_event_raw_kyber_latency { + struct trace_entry ent; + dev_t dev; + char domain[16]; + char type[8]; + u8 percentile; + u8 numerator; + u8 denominator; + unsigned int samples; + char __data[0]; +}; + +struct trace_event_raw_kyber_adjust { + struct trace_entry ent; + dev_t dev; + char domain[16]; + unsigned int depth; + char __data[0]; +}; + +struct trace_event_raw_kyber_throttled { + struct trace_entry ent; + dev_t dev; + char domain[16]; + char __data[0]; +}; + +struct trace_event_data_offsets_kyber_latency {}; + +struct trace_event_data_offsets_kyber_adjust {}; + +struct trace_event_data_offsets_kyber_throttled {}; + +enum { + KYBER_READ = 0, + KYBER_WRITE = 1, + KYBER_DISCARD = 2, + KYBER_OTHER = 3, + KYBER_NUM_DOMAINS = 4, +}; + +enum { + KYBER_ASYNC_PERCENT = 75, +}; + +enum { + KYBER_LATENCY_SHIFT = 2, + KYBER_GOOD_BUCKETS = 4, + KYBER_LATENCY_BUCKETS = 8, +}; + +enum { + KYBER_TOTAL_LATENCY = 0, + KYBER_IO_LATENCY = 1, +}; + +struct kyber_cpu_latency { + atomic_t buckets[48]; +}; + +struct kyber_ctx_queue { + spinlock_t lock; + struct list_head rq_list[4]; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct kyber_queue_data { + struct request_queue *q; + struct sbitmap_queue domain_tokens[4]; + unsigned int async_depth; + struct kyber_cpu_latency *cpu_latency; + struct timer_list timer; + unsigned int latency_buckets[48]; + long unsigned int latency_timeout[3]; + int domain_p99[3]; + u64 latency_targets[3]; +}; + +struct kyber_hctx_data { + spinlock_t lock; + struct list_head rqs[4]; + unsigned int cur_domain; + unsigned int batching; + struct kyber_ctx_queue *kcqs; + struct sbitmap kcq_map[4]; + struct sbq_wait domain_wait[4]; + struct sbq_wait_state *domain_ws[4]; + atomic_t wait_index[4]; +}; + +struct flush_kcq_data { + struct kyber_hctx_data *khd; + unsigned int sched_domain; + struct list_head *list; +}; + +typedef u32 compat_caddr_t; + +struct cdrom_read_audio { + union cdrom_addr addr; + __u8 addr_format; + int nframes; + __u8 *buf; +}; + +struct compat_hd_geometry { + unsigned char heads; + unsigned char sectors; + short unsigned int cylinders; + u32 start; +}; + +struct compat_cdrom_read_audio { + union cdrom_addr addr; + u8 addr_format; + compat_int_t nframes; + compat_caddr_t buf; +}; + +struct compat_cdrom_generic_command { + unsigned char cmd[12]; + compat_caddr_t buffer; + compat_uint_t buflen; + compat_int_t stat; + compat_caddr_t sense; + unsigned char data_direction; + compat_int_t quiet; + compat_int_t timeout; + compat_caddr_t reserved[1]; +}; + +struct compat_blkpg_ioctl_arg { + compat_int_t op; + compat_int_t flags; + compat_int_t datalen; + compat_caddr_t data; +}; + +struct show_busy_params { + struct seq_file *m; + struct blk_mq_hw_ctx *hctx; +}; + +typedef int (*cmp_r_func_t)(const void *, const void *, const void *); + +typedef __kernel_long_t __kernel_ptrdiff_t; + +typedef __kernel_ptrdiff_t ptrdiff_t; + +struct region { + unsigned int start; + unsigned int off; + unsigned int group_len; + unsigned int end; +}; + +enum { + REG_OP_ISFREE = 0, + REG_OP_ALLOC = 1, + REG_OP_RELEASE = 2, +}; + +typedef struct scatterlist *sg_alloc_fn(unsigned int, gfp_t); + +typedef void sg_free_fn(struct scatterlist *, unsigned int); + +struct sg_page_iter { + struct scatterlist *sg; + unsigned int sg_pgoffset; + unsigned int __nents; + int __pg_advance; +}; + +struct sg_dma_page_iter { + struct sg_page_iter base; +}; + +struct sg_mapping_iter { + struct page *page; + void *addr; + size_t length; + size_t consumed; + struct sg_page_iter piter; + unsigned int __offset; + unsigned int __remaining; + unsigned int __flags; +}; + +typedef int (*cmp_func)(void *, const struct list_head *, const struct list_head *); + +struct __kfifo { + unsigned int in; + unsigned int out; + unsigned int mask; + unsigned int esize; + void *data; +}; + +struct rhltable { + struct rhashtable ht; +}; + +struct rhashtable_walker { + struct list_head list; + struct bucket_table *tbl; +}; + +struct rhashtable_iter { + struct rhashtable *ht; + struct rhash_head *p; + struct rhlist_head *list; + struct rhashtable_walker walker; + unsigned int slot; + unsigned int skip; + bool end_of_table; +}; + +union nested_table { + union nested_table *table; + struct rhash_lock_head *bucket; +}; + +struct once_work { + struct work_struct work; + struct static_key_true *key; +}; + +struct genradix_iter { + size_t offset; + size_t pos; +}; + +struct genradix_node { + union { + struct genradix_node *children[512]; + u8 data[4096]; + }; +}; + +struct reciprocal_value { + u32 m; + u8 sh1; + u8 sh2; +}; + +struct reciprocal_value_adv { + u32 m; + u8 sh; + u8 exp; + bool is_wide_m; +}; + +struct arc4_ctx { + u32 S[256]; + u32 x; + u32 y; +}; + +enum devm_ioremap_type { + DEVM_IOREMAP = 0, + DEVM_IOREMAP_NC = 1, + DEVM_IOREMAP_UC = 2, + DEVM_IOREMAP_WC = 3, +}; + +struct pcim_iomap_devres { + void *table[6]; +}; + +enum assoc_array_walk_status { + assoc_array_walk_tree_empty = 0, + assoc_array_walk_found_terminal_node = 1, + assoc_array_walk_found_wrong_shortcut = 2, +}; + +struct assoc_array_walk_result { + struct { + struct assoc_array_node *node; + int level; + int slot; + } terminal_node; + struct { + struct assoc_array_shortcut *shortcut; + int level; + int sc_level; + long unsigned int sc_segments; + long unsigned int dissimilarity; + } wrong_shortcut; +}; + +struct assoc_array_delete_collapse_context { + struct assoc_array_node *node; + const void *skip_leaf; + int slot; +}; + +struct gen_pool_chunk { + struct list_head next_chunk; + atomic_long_t avail; + phys_addr_t phys_addr; + void *owner; + long unsigned int start_addr; + long unsigned int end_addr; + long unsigned int bits[0]; +}; + +struct genpool_data_align { + int align; +}; + +struct genpool_data_fixed { + long unsigned int offset; +}; + +typedef struct { + unsigned char op; + unsigned char bits; + short unsigned int val; +} code; + +typedef enum { + HEAD = 0, + FLAGS = 1, + TIME = 2, + OS = 3, + EXLEN = 4, + EXTRA = 5, + NAME = 6, + COMMENT = 7, + HCRC = 8, + DICTID = 9, + DICT = 10, + TYPE = 11, + TYPEDO = 12, + STORED = 13, + COPY = 14, + TABLE = 15, + LENLENS = 16, + CODELENS = 17, + LEN = 18, + LENEXT = 19, + DIST = 20, + DISTEXT = 21, + MATCH = 22, + LIT = 23, + CHECK = 24, + LENGTH = 25, + DONE = 26, + BAD = 27, + MEM = 28, + SYNC = 29, +} inflate_mode; + +struct inflate_state { + inflate_mode mode; + int last; + int wrap; + int havedict; + int flags; + unsigned int dmax; + long unsigned int check; + long unsigned int total; + unsigned int wbits; + unsigned int wsize; + unsigned int whave; + unsigned int write; + unsigned char *window; + long unsigned int hold; + unsigned int bits; + unsigned int length; + unsigned int offset; + unsigned int extra; + const code *lencode; + const code *distcode; + unsigned int lenbits; + unsigned int distbits; + unsigned int ncode; + unsigned int nlen; + unsigned int ndist; + unsigned int have; + code *next; + short unsigned int lens[320]; + short unsigned int work[288]; + code codes[2048]; +}; + +union uu { + short unsigned int us; + unsigned char b[2]; +}; + +typedef unsigned int uInt; + +typedef enum { + CODES = 0, + LENS = 1, + DISTS = 2, +} codetype; + +struct inflate_workspace { + struct inflate_state inflate_state; + unsigned char working_window[32768]; +}; + +typedef unsigned char uch; + +typedef short unsigned int ush; + +typedef long unsigned int ulg; + +struct ct_data_s { + union { + ush freq; + ush code; + } fc; + union { + ush dad; + ush len; + } dl; +}; + +typedef struct ct_data_s ct_data; + +struct static_tree_desc_s { + const ct_data *static_tree; + const int *extra_bits; + int extra_base; + int elems; + int max_length; +}; + +typedef struct static_tree_desc_s static_tree_desc; + +struct tree_desc_s { + ct_data *dyn_tree; + int max_code; + static_tree_desc *stat_desc; +}; + +typedef ush Pos; + +typedef unsigned int IPos; + +struct deflate_state { + z_streamp strm; + int status; + Byte *pending_buf; + ulg pending_buf_size; + Byte *pending_out; + int pending; + int noheader; + Byte data_type; + Byte method; + int last_flush; + uInt w_size; + uInt w_bits; + uInt w_mask; + Byte *window; + ulg window_size; + Pos *prev; + Pos *head; + uInt ins_h; + uInt hash_size; + uInt hash_bits; + uInt hash_mask; + uInt hash_shift; + long int block_start; + uInt match_length; + IPos prev_match; + int match_available; + uInt strstart; + uInt match_start; + uInt lookahead; + uInt prev_length; + uInt max_chain_length; + uInt max_lazy_match; + int level; + int strategy; + uInt good_match; + int nice_match; + struct ct_data_s dyn_ltree[573]; + struct ct_data_s dyn_dtree[61]; + struct ct_data_s bl_tree[39]; + struct tree_desc_s l_desc; + struct tree_desc_s d_desc; + struct tree_desc_s bl_desc; + ush bl_count[16]; + int heap[573]; + int heap_len; + int heap_max; + uch depth[573]; + uch *l_buf; + uInt lit_bufsize; + uInt last_lit; + ush *d_buf; + ulg opt_len; + ulg static_len; + ulg compressed_len; + uInt matches; + int last_eob_len; + ush bi_buf; + int bi_valid; +}; + +typedef struct deflate_state deflate_state; + +struct deflate_workspace { + deflate_state deflate_memory; + Byte *window_memory; + Pos *prev_memory; + Pos *head_memory; + char *overlay_memory; +}; + +typedef struct deflate_workspace deflate_workspace; + +typedef enum { + need_more = 0, + block_done = 1, + finish_started = 2, + finish_done = 3, +} block_state; + +typedef block_state (*compress_func)(deflate_state *, int); + +struct config_s { + ush good_length; + ush max_lazy; + ush nice_length; + ush max_chain; + compress_func func; +}; + +typedef struct config_s config; + +typedef struct tree_desc_s tree_desc; + +typedef struct { + const uint8_t *externalDict; + size_t extDictSize; + const uint8_t *prefixEnd; + size_t prefixSize; +} LZ4_streamDecode_t_internal; + +typedef union { + long long unsigned int table[4]; + LZ4_streamDecode_t_internal internal_donotuse; +} LZ4_streamDecode_t; + +typedef uint8_t BYTE; + +typedef uint16_t U16; + +typedef uint32_t U32; + +typedef uint64_t U64; + +typedef uintptr_t uptrval; + +typedef enum { + noDict = 0, + withPrefix64k = 1, + usingExtDict = 2, +} dict_directive; + +typedef enum { + endOnOutputSize = 0, + endOnInputSize = 1, +} endCondition_directive; + +typedef enum { + decode_full_block = 0, + partial_decode = 1, +} earlyEnd_directive; + +enum xz_mode { + XZ_SINGLE = 0, + XZ_PREALLOC = 1, + XZ_DYNALLOC = 2, +}; + +enum xz_ret { + XZ_OK = 0, + XZ_STREAM_END = 1, + XZ_UNSUPPORTED_CHECK = 2, + XZ_MEM_ERROR = 3, + XZ_MEMLIMIT_ERROR = 4, + XZ_FORMAT_ERROR = 5, + XZ_OPTIONS_ERROR = 6, + XZ_DATA_ERROR = 7, + XZ_BUF_ERROR = 8, +}; + +struct xz_buf { + const uint8_t *in; + size_t in_pos; + size_t in_size; + uint8_t *out; + size_t out_pos; + size_t out_size; +}; + +typedef uint64_t vli_type; + +enum xz_check { + XZ_CHECK_NONE = 0, + XZ_CHECK_CRC32 = 1, + XZ_CHECK_CRC64 = 4, + XZ_CHECK_SHA256 = 10, +}; + +struct xz_dec_hash { + vli_type unpadded; + vli_type uncompressed; + uint32_t crc32; +}; + +struct xz_dec_lzma2; + +struct xz_dec_bcj; + +struct xz_dec { + enum { + SEQ_STREAM_HEADER = 0, + SEQ_BLOCK_START = 1, + SEQ_BLOCK_HEADER = 2, + SEQ_BLOCK_UNCOMPRESS = 3, + SEQ_BLOCK_PADDING = 4, + SEQ_BLOCK_CHECK = 5, + SEQ_INDEX = 6, + SEQ_INDEX_PADDING = 7, + SEQ_INDEX_CRC32 = 8, + SEQ_STREAM_FOOTER = 9, + } sequence; + uint32_t pos; + vli_type vli; + size_t in_start; + size_t out_start; + uint32_t crc32; + enum xz_check check_type; + enum xz_mode mode; + bool allow_buf_error; + struct { + vli_type compressed; + vli_type uncompressed; + uint32_t size; + } block_header; + struct { + vli_type compressed; + vli_type uncompressed; + vli_type count; + struct xz_dec_hash hash; + } block; + struct { + enum { + SEQ_INDEX_COUNT = 0, + SEQ_INDEX_UNPADDED = 1, + SEQ_INDEX_UNCOMPRESSED = 2, + } sequence; + vli_type size; + vli_type count; + struct xz_dec_hash hash; + } index; + struct { + size_t pos; + size_t size; + uint8_t buf[1024]; + } temp; + struct xz_dec_lzma2 *lzma2; + struct xz_dec_bcj *bcj; + bool bcj_active; +}; + +enum lzma_state { + STATE_LIT_LIT = 0, + STATE_MATCH_LIT_LIT = 1, + STATE_REP_LIT_LIT = 2, + STATE_SHORTREP_LIT_LIT = 3, + STATE_MATCH_LIT = 4, + STATE_REP_LIT = 5, + STATE_SHORTREP_LIT = 6, + STATE_LIT_MATCH = 7, + STATE_LIT_LONGREP = 8, + STATE_LIT_SHORTREP = 9, + STATE_NONLIT_MATCH = 10, + STATE_NONLIT_REP = 11, +}; + +struct dictionary { + uint8_t *buf; + size_t start; + size_t pos; + size_t full; + size_t limit; + size_t end; + uint32_t size; + uint32_t size_max; + uint32_t allocated; + enum xz_mode mode; +}; + +struct rc_dec { + uint32_t range; + uint32_t code; + uint32_t init_bytes_left; + const uint8_t *in; + size_t in_pos; + size_t in_limit; +}; + +struct lzma_len_dec { + uint16_t choice; + uint16_t choice2; + uint16_t low[128]; + uint16_t mid[128]; + uint16_t high[256]; +}; + +struct lzma_dec { + uint32_t rep0; + uint32_t rep1; + uint32_t rep2; + uint32_t rep3; + enum lzma_state state; + uint32_t len; + uint32_t lc; + uint32_t literal_pos_mask; + uint32_t pos_mask; + uint16_t is_match[192]; + uint16_t is_rep[12]; + uint16_t is_rep0[12]; + uint16_t is_rep1[12]; + uint16_t is_rep2[12]; + uint16_t is_rep0_long[192]; + uint16_t dist_slot[256]; + uint16_t dist_special[114]; + uint16_t dist_align[16]; + struct lzma_len_dec match_len_dec; + struct lzma_len_dec rep_len_dec; + uint16_t literal[12288]; +}; + +enum lzma2_seq { + SEQ_CONTROL = 0, + SEQ_UNCOMPRESSED_1 = 1, + SEQ_UNCOMPRESSED_2 = 2, + SEQ_COMPRESSED_0 = 3, + SEQ_COMPRESSED_1 = 4, + SEQ_PROPERTIES = 5, + SEQ_LZMA_PREPARE = 6, + SEQ_LZMA_RUN = 7, + SEQ_COPY = 8, +}; + +struct lzma2_dec { + enum lzma2_seq sequence; + enum lzma2_seq next_sequence; + uint32_t uncompressed; + uint32_t compressed; + bool need_dict_reset; + bool need_props; +}; + +struct xz_dec_lzma2___2 { + struct rc_dec rc; + struct dictionary dict; + struct lzma2_dec lzma2; + struct lzma_dec lzma; + struct { + uint32_t size; + uint8_t buf[63]; + } temp; +}; + +struct xz_dec_bcj___2 { + enum { + BCJ_X86 = 4, + BCJ_POWERPC = 5, + BCJ_IA64 = 6, + BCJ_ARM = 7, + BCJ_ARMTHUMB = 8, + BCJ_SPARC = 9, + } type; + enum xz_ret ret; + bool single_call; + uint32_t pos; + uint32_t x86_prev_mask; + uint8_t *out; + size_t out_pos; + size_t out_size; + struct { + size_t filtered; + size_t size; + uint8_t buf[16]; + } temp; +}; + +struct ei_entry { + struct list_head list; + long unsigned int start_addr; + long unsigned int end_addr; + int etype; + void *priv; +}; + +struct nla_bitfield32 { + __u32 value; + __u32 selector; +}; + +enum nla_policy_validation { + NLA_VALIDATE_NONE = 0, + NLA_VALIDATE_RANGE = 1, + NLA_VALIDATE_MIN = 2, + NLA_VALIDATE_MAX = 3, + NLA_VALIDATE_FUNCTION = 4, +}; + +struct cpu_rmap { + struct kref refcount; + u16 size; + u16 used; + void **obj; + struct { + u16 index; + u16 dist; + } near[0]; +}; + +struct irq_glue { + struct irq_affinity_notify notify; + struct cpu_rmap *rmap; + u16 index; +}; + +typedef mpi_limb_t *mpi_ptr_t; + +typedef int mpi_size_t; + +typedef mpi_limb_t UWtype; + +typedef unsigned int UHWtype; + +struct karatsuba_ctx { + struct karatsuba_ctx *next; + mpi_ptr_t tspace; + mpi_size_t tspace_size; + mpi_ptr_t tp; + mpi_size_t tp_size; +}; + +typedef long int mpi_limb_signed_t; + +struct sg_pool { + size_t size; + char *name; + struct kmem_cache *slab; + mempool_t *pool; +}; + +struct font_desc { + int idx; + const char *name; + int width; + int height; + const void *data; + int pref; +}; + +struct msr { + union { + struct { + u32 l; + u32 h; + }; + u64 q; + }; +}; + +struct msr_info { + u32 msr_no; + struct msr reg; + struct msr *msrs; + int err; +}; + +struct msr_regs_info { + u32 *regs; + int err; +}; + +struct msr_info_completion { + struct msr_info msr; + struct completion done; +}; + +struct trace_event_raw_msr_trace_class { + struct trace_entry ent; + unsigned int msr; + u64 val; + int failed; + char __data[0]; +}; + +struct trace_event_data_offsets_msr_trace_class {}; + +struct pci_sriov { + int pos; + int nres; + u32 cap; + u16 ctrl; + u16 total_VFs; + u16 initial_VFs; + u16 num_VFs; + u16 offset; + u16 stride; + u16 vf_device; + u32 pgsz; + u8 link; + u8 max_VF_buses; + u16 driver_max_VFs; + struct pci_dev *dev; + struct pci_dev *self; + u32 class; + u8 hdr_type; + u16 subsystem_vendor; + u16 subsystem_device; + resource_size_t barsz[6]; + bool drivers_autoprobe; +}; + +struct pci_bus_resource { + struct list_head list; + struct resource *res; + unsigned int flags; +}; + +typedef u64 pci_bus_addr_t; + +struct pci_bus_region { + pci_bus_addr_t start; + pci_bus_addr_t end; +}; + +enum pci_fixup_pass { + pci_fixup_early = 0, + pci_fixup_header = 1, + pci_fixup_final = 2, + pci_fixup_enable = 3, + pci_fixup_resume = 4, + pci_fixup_suspend = 5, + pci_fixup_resume_early = 6, + pci_fixup_suspend_late = 7, +}; + +struct hotplug_slot_ops; + +struct hotplug_slot { + const struct hotplug_slot_ops *ops; + struct list_head slot_list; + struct pci_slot *pci_slot; + struct module *owner; + const char *mod_name; +}; + +enum pci_dev_flags { + PCI_DEV_FLAGS_MSI_INTX_DISABLE_BUG = 1, + PCI_DEV_FLAGS_NO_D3 = 2, + PCI_DEV_FLAGS_ASSIGNED = 4, + PCI_DEV_FLAGS_ACS_ENABLED_QUIRK = 8, + PCI_DEV_FLAG_PCIE_BRIDGE_ALIAS = 32, + PCI_DEV_FLAGS_NO_BUS_RESET = 64, + PCI_DEV_FLAGS_NO_PM_RESET = 128, + PCI_DEV_FLAGS_VPD_REF_F0 = 256, + PCI_DEV_FLAGS_BRIDGE_XLATE_ROOT = 512, + PCI_DEV_FLAGS_NO_FLR_RESET = 1024, + PCI_DEV_FLAGS_NO_RELAXED_ORDERING = 2048, +}; + +enum pci_bus_flags { + PCI_BUS_FLAGS_NO_MSI = 1, + PCI_BUS_FLAGS_NO_MMRBC = 2, + PCI_BUS_FLAGS_NO_AERSID = 4, + PCI_BUS_FLAGS_NO_EXTCFG = 8, +}; + +enum pci_bus_speed { + PCI_SPEED_33MHz = 0, + PCI_SPEED_66MHz = 1, + PCI_SPEED_66MHz_PCIX = 2, + PCI_SPEED_100MHz_PCIX = 3, + PCI_SPEED_133MHz_PCIX = 4, + PCI_SPEED_66MHz_PCIX_ECC = 5, + PCI_SPEED_100MHz_PCIX_ECC = 6, + PCI_SPEED_133MHz_PCIX_ECC = 7, + PCI_SPEED_66MHz_PCIX_266 = 9, + PCI_SPEED_100MHz_PCIX_266 = 10, + PCI_SPEED_133MHz_PCIX_266 = 11, + AGP_UNKNOWN = 12, + AGP_1X = 13, + AGP_2X = 14, + AGP_4X = 15, + AGP_8X = 16, + PCI_SPEED_66MHz_PCIX_533 = 17, + PCI_SPEED_100MHz_PCIX_533 = 18, + PCI_SPEED_133MHz_PCIX_533 = 19, + PCIE_SPEED_2_5GT = 20, + PCIE_SPEED_5_0GT = 21, + PCIE_SPEED_8_0GT = 22, + PCIE_SPEED_16_0GT = 23, + PCIE_SPEED_32_0GT = 24, + PCI_SPEED_UNKNOWN = 255, +}; + +struct pci_host_bridge { + struct device dev; + struct pci_bus *bus; + struct pci_ops *ops; + void *sysdata; + int busnr; + struct list_head windows; + struct list_head dma_ranges; + u8 (*swizzle_irq)(struct pci_dev *, u8 *); + int (*map_irq)(const struct pci_dev *, u8, u8); + void (*release_fn)(struct pci_host_bridge *); + void *release_data; + struct msi_controller *msi; + unsigned int ignore_reset_delay: 1; + unsigned int no_ext_tags: 1; + unsigned int native_aer: 1; + unsigned int native_pcie_hotplug: 1; + unsigned int native_shpc_hotplug: 1; + unsigned int native_pme: 1; + unsigned int native_ltr: 1; + unsigned int preserve_config: 1; + resource_size_t (*align_resource)(struct pci_dev *, const struct resource *, resource_size_t, resource_size_t, resource_size_t); + long: 64; + long: 64; + long: 64; + long: 64; + long unsigned int private[0]; +}; + +enum { + PCI_REASSIGN_ALL_RSRC = 1, + PCI_REASSIGN_ALL_BUS = 2, + PCI_PROBE_ONLY = 4, + PCI_CAN_SKIP_ISA_ALIGN = 8, + PCI_ENABLE_PROC_DOMAINS = 16, + PCI_COMPAT_DOMAIN_0 = 32, + PCI_SCAN_ALL_PCIE_DEVS = 64, +}; + +enum pcie_bus_config_types { + PCIE_BUS_TUNE_OFF = 0, + PCIE_BUS_DEFAULT = 1, + PCIE_BUS_SAFE = 2, + PCIE_BUS_PERFORMANCE = 3, + PCIE_BUS_PEER2PEER = 4, +}; + +struct hotplug_slot_ops { + int (*enable_slot)(struct hotplug_slot *); + int (*disable_slot)(struct hotplug_slot *); + int (*set_attention_status)(struct hotplug_slot *, u8); + int (*hardware_test)(struct hotplug_slot *, u32); + int (*get_power_status)(struct hotplug_slot *, u8 *); + int (*get_attention_status)(struct hotplug_slot *, u8 *); + int (*get_latch_status)(struct hotplug_slot *, u8 *); + int (*get_adapter_status)(struct hotplug_slot *, u8 *); + int (*reset_slot)(struct hotplug_slot *, int); +}; + +enum pci_bar_type { + pci_bar_unknown = 0, + pci_bar_io = 1, + pci_bar_mem32 = 2, + pci_bar_mem64 = 3, +}; + +struct pci_domain_busn_res { + struct list_head list; + struct resource res; + int domain_nr; +}; + +struct bus_attribute { + struct attribute attr; + ssize_t (*show)(struct bus_type *, char *); + ssize_t (*store)(struct bus_type *, const char *, size_t); +}; + +enum pcie_reset_state { + pcie_deassert_reset = 1, + pcie_warm_reset = 2, + pcie_hot_reset = 3, +}; + +enum pcie_link_width { + PCIE_LNK_WIDTH_RESRV = 0, + PCIE_LNK_X1 = 1, + PCIE_LNK_X2 = 2, + PCIE_LNK_X4 = 4, + PCIE_LNK_X8 = 8, + PCIE_LNK_X12 = 12, + PCIE_LNK_X16 = 16, + PCIE_LNK_X32 = 32, + PCIE_LNK_WIDTH_UNKNOWN = 255, +}; + +struct pci_cap_saved_data { + u16 cap_nr; + bool cap_extended; + unsigned int size; + u32 data[0]; +}; + +struct pci_cap_saved_state { + struct hlist_node next; + struct pci_cap_saved_data cap; +}; + +typedef int (*arch_set_vga_state_t)(struct pci_dev *, bool, unsigned int, u32); + +struct pci_platform_pm_ops { + bool (*bridge_d3)(struct pci_dev *); + bool (*is_manageable)(struct pci_dev *); + int (*set_state)(struct pci_dev *, pci_power_t); + pci_power_t (*get_state)(struct pci_dev *); + void (*refresh_state)(struct pci_dev *); + pci_power_t (*choose_state)(struct pci_dev *); + int (*set_wakeup)(struct pci_dev *, bool); + bool (*need_resume)(struct pci_dev *); +}; + +struct pci_pme_device { + struct list_head list; + struct pci_dev *dev; +}; + +struct pci_saved_state { + u32 config_space[16]; + struct pci_cap_saved_data cap[0]; +}; + +struct pci_devres { + unsigned int enabled: 1; + unsigned int pinned: 1; + unsigned int orig_intx: 1; + unsigned int restore_intx: 1; + unsigned int mwi: 1; + u32 region_mask; +}; + +struct driver_attribute { + struct attribute attr; + ssize_t (*show)(struct device_driver *, char *); + ssize_t (*store)(struct device_driver *, const char *, size_t); +}; + +enum pci_ers_result { + PCI_ERS_RESULT_NONE = 1, + PCI_ERS_RESULT_CAN_RECOVER = 2, + PCI_ERS_RESULT_NEED_RESET = 3, + PCI_ERS_RESULT_DISCONNECT = 4, + PCI_ERS_RESULT_RECOVERED = 5, + PCI_ERS_RESULT_NO_AER_DRIVER = 6, +}; + +enum dev_dma_attr { + DEV_DMA_NOT_SUPPORTED = 0, + DEV_DMA_NON_COHERENT = 1, + DEV_DMA_COHERENT = 2, +}; + +struct pcie_device { + int irq; + struct pci_dev *port; + u32 service; + void *priv_data; + struct device device; +}; + +struct pcie_port_service_driver { + const char *name; + int (*probe)(struct pcie_device *); + void (*remove)(struct pcie_device *); + int (*suspend)(struct pcie_device *); + int (*resume_noirq)(struct pcie_device *); + int (*resume)(struct pcie_device *); + int (*runtime_suspend)(struct pcie_device *); + int (*runtime_resume)(struct pcie_device *); + void (*error_resume)(struct pci_dev *); + pci_ers_result_t (*reset_link)(struct pci_dev *); + int port_type; + u32 service; + struct device_driver driver; +}; + +struct pci_dynid { + struct list_head node; + struct pci_device_id id; +}; + +struct drv_dev_and_id { + struct pci_driver *drv; + struct pci_dev *dev; + const struct pci_device_id *id; +}; + +enum pci_mmap_state { + pci_mmap_io = 0, + pci_mmap_mem = 1, +}; + +enum pci_mmap_api { + PCI_MMAP_SYSFS = 0, + PCI_MMAP_PROCFS = 1, +}; + +enum pci_lost_interrupt_reason { + PCI_LOST_IRQ_NO_INFORMATION = 0, + PCI_LOST_IRQ_DISABLE_MSI = 1, + PCI_LOST_IRQ_DISABLE_MSIX = 2, + PCI_LOST_IRQ_DISABLE_ACPI = 3, +}; + +struct pci_vpd_ops; + +struct pci_vpd { + const struct pci_vpd_ops *ops; + struct bin_attribute *attr; + struct mutex lock; + unsigned int len; + u16 flag; + u8 cap; + unsigned int busy: 1; + unsigned int valid: 1; +}; + +struct pci_vpd_ops { + ssize_t (*read)(struct pci_dev *, loff_t, size_t, void *); + ssize_t (*write)(struct pci_dev *, loff_t, size_t, const void *); + int (*set_size)(struct pci_dev *, size_t); +}; + +struct pci_dev_resource { + struct list_head list; + struct resource *res; + struct pci_dev *dev; + resource_size_t start; + resource_size_t end; + resource_size_t add_size; + resource_size_t min_align; + long unsigned int flags; +}; + +enum release_type { + leaf_only = 0, + whole_subtree = 1, +}; + +enum enable_type { + undefined = -1, + user_disabled = 0, + auto_disabled = 1, + user_enabled = 2, + auto_enabled = 3, +}; + +struct portdrv_service_data { + struct pcie_port_service_driver *drv; + struct device *dev; + u32 service; +}; + +typedef int (*pcie_pm_callback_t)(struct pcie_device *); + +struct aspm_latency { + u32 l0s; + u32 l1; +}; + +struct pcie_link_state { + struct pci_dev *pdev; + struct pci_dev *downstream; + struct pcie_link_state *root; + struct pcie_link_state *parent; + struct list_head sibling; + u32 aspm_support: 7; + u32 aspm_enabled: 7; + u32 aspm_capable: 7; + u32 aspm_default: 7; + char: 4; + u32 aspm_disable: 7; + u32 clkpm_capable: 1; + u32 clkpm_enabled: 1; + u32 clkpm_default: 1; + u32 clkpm_disable: 1; + struct aspm_latency latency_up; + struct aspm_latency latency_dw; + struct aspm_latency acceptable[8]; + struct { + u32 up_cap_ptr; + u32 dw_cap_ptr; + u32 ctl1; + u32 ctl2; + } l1ss; +}; + +struct aspm_register_info { + u32 support: 2; + u32 enabled: 2; + u32 latency_encoding_l0s; + u32 latency_encoding_l1; + u32 l1ss_cap_ptr; + u32 l1ss_cap; + u32 l1ss_ctl1; + u32 l1ss_ctl2; +}; + +struct aer_stats { + u64 dev_cor_errs[16]; + u64 dev_fatal_errs[27]; + u64 dev_nonfatal_errs[27]; + u64 dev_total_cor_errs; + u64 dev_total_fatal_errs; + u64 dev_total_nonfatal_errs; + u64 rootport_total_cor_errs; + u64 rootport_total_fatal_errs; + u64 rootport_total_nonfatal_errs; +}; + +struct aer_header_log_regs { + unsigned int dw0; + unsigned int dw1; + unsigned int dw2; + unsigned int dw3; +}; + +struct aer_err_info { + struct pci_dev *dev[5]; + int error_dev_num; + unsigned int id: 16; + unsigned int severity: 2; + unsigned int __pad1: 5; + unsigned int multi_error_valid: 1; + unsigned int first_error: 5; + unsigned int __pad2: 2; + unsigned int tlp_header_valid: 1; + unsigned int status; + unsigned int mask; + struct aer_header_log_regs tlp; +}; + +struct aer_err_source { + unsigned int status; + unsigned int id; +}; + +struct aer_rpc { + struct pci_dev *rpd; + struct { + union { + struct __kfifo kfifo; + struct aer_err_source *type; + const struct aer_err_source *const_type; + char (*rectype)[0]; + struct aer_err_source *ptr; + const struct aer_err_source *ptr_const; + }; + struct aer_err_source buf[128]; + } aer_fifo; +}; + +struct pcie_pme_service_data { + spinlock_t lock; + struct pcie_device *srv; + struct work_struct work; + bool noirq; +}; + +struct pci_filp_private { + enum pci_mmap_state mmap_state; + int write_combine; +}; + +struct pci_slot_attribute { + struct attribute attr; + ssize_t (*show)(struct pci_slot *, char *); + ssize_t (*store)(struct pci_slot *, const char *, size_t); +}; + +struct acpi_bus_type { + struct list_head list; + const char *name; + bool (*match)(struct device *); + struct acpi_device * (*find_companion)(struct device *); + void (*setup)(struct device *); + void (*cleanup)(struct device *); +}; + +struct acpi_pci_root { + struct acpi_device *device; + struct pci_bus *bus; + u16 segment; + struct resource secondary; + u32 osc_support_set; + u32 osc_control_set; + phys_addr_t mcfg_addr; +}; + +enum pm_qos_flags_status { + PM_QOS_FLAGS_UNDEFINED = -1, + PM_QOS_FLAGS_NONE = 0, + PM_QOS_FLAGS_SOME = 1, + PM_QOS_FLAGS_ALL = 2, +}; + +struct hpx_type0 { + u32 revision; + u8 cache_line_size; + u8 latency_timer; + u8 enable_serr; + u8 enable_perr; +}; + +struct hpx_type1 { + u32 revision; + u8 max_mem_read; + u8 avg_max_split; + u16 tot_max_split; +}; + +struct hpx_type2 { + u32 revision; + u32 unc_err_mask_and; + u32 unc_err_mask_or; + u32 unc_err_sever_and; + u32 unc_err_sever_or; + u32 cor_err_mask_and; + u32 cor_err_mask_or; + u32 adv_err_cap_and; + u32 adv_err_cap_or; + u16 pci_exp_devctl_and; + u16 pci_exp_devctl_or; + u16 pci_exp_lnkctl_and; + u16 pci_exp_lnkctl_or; + u32 sec_unc_err_sever_and; + u32 sec_unc_err_sever_or; + u32 sec_unc_err_mask_and; + u32 sec_unc_err_mask_or; +}; + +struct hpx_type3 { + u16 device_type; + u16 function_type; + u16 config_space_location; + u16 pci_exp_cap_id; + u16 pci_exp_cap_ver; + u16 pci_exp_vendor_id; + u16 dvsec_id; + u16 dvsec_rev; + u16 match_offset; + u32 match_mask_and; + u32 match_value; + u16 reg_offset; + u32 reg_mask_and; + u32 reg_mask_or; +}; + +enum hpx_type3_dev_type { + HPX_TYPE_ENDPOINT = 1, + HPX_TYPE_LEG_END = 2, + HPX_TYPE_RC_END = 4, + HPX_TYPE_RC_EC = 8, + HPX_TYPE_ROOT_PORT = 16, + HPX_TYPE_UPSTREAM = 32, + HPX_TYPE_DOWNSTREAM = 64, + HPX_TYPE_PCI_BRIDGE = 128, + HPX_TYPE_PCIE_BRIDGE = 256, +}; + +enum hpx_type3_fn_type { + HPX_FN_NORMAL = 1, + HPX_FN_SRIOV_PHYS = 2, + HPX_FN_SRIOV_VIRT = 4, +}; + +enum hpx_type3_cfg_loc { + HPX_CFG_PCICFG = 0, + HPX_CFG_PCIE_CAP = 1, + HPX_CFG_PCIE_CAP_EXT = 2, + HPX_CFG_VEND_CAP = 3, + HPX_CFG_DVSEC = 4, + HPX_CFG_MAX = 5, +}; + +enum device_link_state { + DL_STATE_NONE = -1, + DL_STATE_DORMANT = 0, + DL_STATE_AVAILABLE = 1, + DL_STATE_CONSUMER_PROBE = 2, + DL_STATE_ACTIVE = 3, + DL_STATE_SUPPLIER_UNBIND = 4, +}; + +struct device_link { + struct device *supplier; + struct list_head s_node; + struct device *consumer; + struct list_head c_node; + enum device_link_state status; + u32 flags; + refcount_t rpm_active; + struct kref kref; + struct callback_head callback_head; + bool supplier_preactivated; +}; + +enum pci_irq_reroute_variant { + INTEL_IRQ_REROUTE_VARIANT = 1, + MAX_IRQ_REROUTE_VARIANTS = 3, +}; + +struct pci_fixup { + u16 vendor; + u16 device; + u32 class; + unsigned int class_shift; + int hook_offset; +}; + +enum { + NVME_REG_CAP = 0, + NVME_REG_VS = 8, + NVME_REG_INTMS = 12, + NVME_REG_INTMC = 16, + NVME_REG_CC = 20, + NVME_REG_CSTS = 28, + NVME_REG_NSSR = 32, + NVME_REG_AQA = 36, + NVME_REG_ASQ = 40, + NVME_REG_ACQ = 48, + NVME_REG_CMBLOC = 56, + NVME_REG_CMBSZ = 60, + NVME_REG_BPINFO = 64, + NVME_REG_BPRSEL = 68, + NVME_REG_BPMBL = 72, + NVME_REG_PMRCAP = 3584, + NVME_REG_PMRCTL = 3588, + NVME_REG_PMRSTS = 3592, + NVME_REG_PMREBS = 3596, + NVME_REG_PMRSWTP = 3600, + NVME_REG_DBS = 4096, +}; + +enum { + NVME_CC_ENABLE = 1, + NVME_CC_CSS_NVM = 0, + NVME_CC_EN_SHIFT = 0, + NVME_CC_CSS_SHIFT = 4, + NVME_CC_MPS_SHIFT = 7, + NVME_CC_AMS_SHIFT = 11, + NVME_CC_SHN_SHIFT = 14, + NVME_CC_IOSQES_SHIFT = 16, + NVME_CC_IOCQES_SHIFT = 20, + NVME_CC_AMS_RR = 0, + NVME_CC_AMS_WRRU = 2048, + NVME_CC_AMS_VS = 14336, + NVME_CC_SHN_NONE = 0, + NVME_CC_SHN_NORMAL = 16384, + NVME_CC_SHN_ABRUPT = 32768, + NVME_CC_SHN_MASK = 49152, + NVME_CC_IOSQES = 393216, + NVME_CC_IOCQES = 4194304, + NVME_CSTS_RDY = 1, + NVME_CSTS_CFS = 2, + NVME_CSTS_NSSRO = 16, + NVME_CSTS_PP = 32, + NVME_CSTS_SHST_NORMAL = 0, + NVME_CSTS_SHST_OCCUR = 4, + NVME_CSTS_SHST_CMPLT = 8, + NVME_CSTS_SHST_MASK = 12, +}; + +enum { + NVME_AEN_BIT_NS_ATTR = 8, + NVME_AEN_BIT_FW_ACT = 9, + NVME_AEN_BIT_ANA_CHANGE = 11, + NVME_AEN_BIT_DISC_CHANGE = 31, +}; + +enum { + SWITCHTEC_GAS_MRPC_OFFSET = 0, + SWITCHTEC_GAS_TOP_CFG_OFFSET = 4096, + SWITCHTEC_GAS_SW_EVENT_OFFSET = 6144, + SWITCHTEC_GAS_SYS_INFO_OFFSET = 8192, + SWITCHTEC_GAS_FLASH_INFO_OFFSET = 8704, + SWITCHTEC_GAS_PART_CFG_OFFSET = 16384, + SWITCHTEC_GAS_NTB_OFFSET = 65536, + SWITCHTEC_GAS_PFF_CSR_OFFSET = 1261568, +}; + +enum { + SWITCHTEC_NTB_REG_INFO_OFFSET = 0, + SWITCHTEC_NTB_REG_CTRL_OFFSET = 16384, + SWITCHTEC_NTB_REG_DBMSG_OFFSET = 409600, +}; + +struct nt_partition_info { + u32 xlink_enabled; + u32 target_part_low; + u32 target_part_high; + u32 reserved; +}; + +struct ntb_info_regs { + u8 partition_count; + u8 partition_id; + u16 reserved1; + u64 ep_map; + u16 requester_id; + u16 reserved2; + u32 reserved3[4]; + struct nt_partition_info ntp_info[48]; +} __attribute__((packed)); + +struct ntb_ctrl_regs { + u32 partition_status; + u32 partition_op; + u32 partition_ctrl; + u32 bar_setup; + u32 bar_error; + u16 lut_table_entries; + u16 lut_table_offset; + u32 lut_error; + u16 req_id_table_size; + u16 req_id_table_offset; + u32 req_id_error; + u32 reserved1[7]; + struct { + u32 ctl; + u32 win_size; + u64 xlate_addr; + } bar_entry[6]; + struct { + u32 win_size; + u32 reserved[3]; + } bar_ext_entry[6]; + u32 reserved2[192]; + u32 req_id_table[512]; + u32 reserved3[256]; + u64 lut_entry[512]; +}; + +struct pci_dev_reset_methods { + u16 vendor; + u16 device; + int (*reset)(struct pci_dev *, int); +}; + +struct pci_dev_acs_enabled { + u16 vendor; + u16 device; + int (*acs_enabled)(struct pci_dev *, u16); +}; + +struct pci_dev_acs_ops { + u16 vendor; + u16 device; + int (*enable_acs)(struct pci_dev *); + int (*disable_acs_redir)(struct pci_dev *); +}; + +typedef acpi_status (*acpi_walk_callback)(acpi_handle, u32, void *, void **); + +struct msix_entry { + u32 vector; + u16 entry; +}; + +enum dmi_device_type { + DMI_DEV_TYPE_ANY = 0, + DMI_DEV_TYPE_OTHER = 1, + DMI_DEV_TYPE_UNKNOWN = 2, + DMI_DEV_TYPE_VIDEO = 3, + DMI_DEV_TYPE_SCSI = 4, + DMI_DEV_TYPE_ETHERNET = 5, + DMI_DEV_TYPE_TOKENRING = 6, + DMI_DEV_TYPE_SOUND = 7, + DMI_DEV_TYPE_PATA = 8, + DMI_DEV_TYPE_SATA = 9, + DMI_DEV_TYPE_SAS = 10, + DMI_DEV_TYPE_IPMI = -1, + DMI_DEV_TYPE_OEM_STRING = -2, + DMI_DEV_TYPE_DEV_ONBOARD = -3, + DMI_DEV_TYPE_DEV_SLOT = -4, +}; + +struct dmi_device { + struct list_head list; + int type; + const char *name; + void *device_data; +}; + +struct dmi_dev_onboard { + struct dmi_device dev; + int instance; + int segment; + int bus; + int devfn; +}; + +enum smbios_attr_enum { + SMBIOS_ATTR_NONE = 0, + SMBIOS_ATTR_LABEL_SHOW = 1, + SMBIOS_ATTR_INSTANCE_SHOW = 2, +}; + +enum acpi_attr_enum { + ACPI_ATTR_LABEL_SHOW = 0, + ACPI_ATTR_INDEX_SHOW = 1, +}; + +enum hdmi_infoframe_type { + HDMI_INFOFRAME_TYPE_VENDOR = 129, + HDMI_INFOFRAME_TYPE_AVI = 130, + HDMI_INFOFRAME_TYPE_SPD = 131, + HDMI_INFOFRAME_TYPE_AUDIO = 132, + HDMI_INFOFRAME_TYPE_DRM = 135, +}; + +struct hdmi_any_infoframe { + enum hdmi_infoframe_type type; + unsigned char version; + unsigned char length; +}; + +enum hdmi_colorspace { + HDMI_COLORSPACE_RGB = 0, + HDMI_COLORSPACE_YUV422 = 1, + HDMI_COLORSPACE_YUV444 = 2, + HDMI_COLORSPACE_YUV420 = 3, + HDMI_COLORSPACE_RESERVED4 = 4, + HDMI_COLORSPACE_RESERVED5 = 5, + HDMI_COLORSPACE_RESERVED6 = 6, + HDMI_COLORSPACE_IDO_DEFINED = 7, +}; + +enum hdmi_scan_mode { + HDMI_SCAN_MODE_NONE = 0, + HDMI_SCAN_MODE_OVERSCAN = 1, + HDMI_SCAN_MODE_UNDERSCAN = 2, + HDMI_SCAN_MODE_RESERVED = 3, +}; + +enum hdmi_colorimetry { + HDMI_COLORIMETRY_NONE = 0, + HDMI_COLORIMETRY_ITU_601 = 1, + HDMI_COLORIMETRY_ITU_709 = 2, + HDMI_COLORIMETRY_EXTENDED = 3, +}; + +enum hdmi_picture_aspect { + HDMI_PICTURE_ASPECT_NONE = 0, + HDMI_PICTURE_ASPECT_4_3 = 1, + HDMI_PICTURE_ASPECT_16_9 = 2, + HDMI_PICTURE_ASPECT_64_27 = 3, + HDMI_PICTURE_ASPECT_256_135 = 4, + HDMI_PICTURE_ASPECT_RESERVED = 5, +}; + +enum hdmi_active_aspect { + HDMI_ACTIVE_ASPECT_16_9_TOP = 2, + HDMI_ACTIVE_ASPECT_14_9_TOP = 3, + HDMI_ACTIVE_ASPECT_16_9_CENTER = 4, + HDMI_ACTIVE_ASPECT_PICTURE = 8, + HDMI_ACTIVE_ASPECT_4_3 = 9, + HDMI_ACTIVE_ASPECT_16_9 = 10, + HDMI_ACTIVE_ASPECT_14_9 = 11, + HDMI_ACTIVE_ASPECT_4_3_SP_14_9 = 13, + HDMI_ACTIVE_ASPECT_16_9_SP_14_9 = 14, + HDMI_ACTIVE_ASPECT_16_9_SP_4_3 = 15, +}; + +enum hdmi_extended_colorimetry { + HDMI_EXTENDED_COLORIMETRY_XV_YCC_601 = 0, + HDMI_EXTENDED_COLORIMETRY_XV_YCC_709 = 1, + HDMI_EXTENDED_COLORIMETRY_S_YCC_601 = 2, + HDMI_EXTENDED_COLORIMETRY_OPYCC_601 = 3, + HDMI_EXTENDED_COLORIMETRY_OPRGB = 4, + HDMI_EXTENDED_COLORIMETRY_BT2020_CONST_LUM = 5, + HDMI_EXTENDED_COLORIMETRY_BT2020 = 6, + HDMI_EXTENDED_COLORIMETRY_RESERVED = 7, +}; + +enum hdmi_quantization_range { + HDMI_QUANTIZATION_RANGE_DEFAULT = 0, + HDMI_QUANTIZATION_RANGE_LIMITED = 1, + HDMI_QUANTIZATION_RANGE_FULL = 2, + HDMI_QUANTIZATION_RANGE_RESERVED = 3, +}; + +enum hdmi_nups { + HDMI_NUPS_UNKNOWN = 0, + HDMI_NUPS_HORIZONTAL = 1, + HDMI_NUPS_VERTICAL = 2, + HDMI_NUPS_BOTH = 3, +}; + +enum hdmi_ycc_quantization_range { + HDMI_YCC_QUANTIZATION_RANGE_LIMITED = 0, + HDMI_YCC_QUANTIZATION_RANGE_FULL = 1, +}; + +enum hdmi_content_type { + HDMI_CONTENT_TYPE_GRAPHICS = 0, + HDMI_CONTENT_TYPE_PHOTO = 1, + HDMI_CONTENT_TYPE_CINEMA = 2, + HDMI_CONTENT_TYPE_GAME = 3, +}; + +enum hdmi_metadata_type { + HDMI_STATIC_METADATA_TYPE1 = 1, +}; + +enum hdmi_eotf { + HDMI_EOTF_TRADITIONAL_GAMMA_SDR = 0, + HDMI_EOTF_TRADITIONAL_GAMMA_HDR = 1, + HDMI_EOTF_SMPTE_ST2084 = 2, + HDMI_EOTF_BT_2100_HLG = 3, +}; + +struct hdmi_avi_infoframe { + enum hdmi_infoframe_type type; + unsigned char version; + unsigned char length; + enum hdmi_colorspace colorspace; + enum hdmi_scan_mode scan_mode; + enum hdmi_colorimetry colorimetry; + enum hdmi_picture_aspect picture_aspect; + enum hdmi_active_aspect active_aspect; + bool itc; + enum hdmi_extended_colorimetry extended_colorimetry; + enum hdmi_quantization_range quantization_range; + enum hdmi_nups nups; + unsigned char video_code; + enum hdmi_ycc_quantization_range ycc_quantization_range; + enum hdmi_content_type content_type; + unsigned char pixel_repeat; + short unsigned int top_bar; + short unsigned int bottom_bar; + short unsigned int left_bar; + short unsigned int right_bar; +}; + +struct hdmi_drm_infoframe { + enum hdmi_infoframe_type type; + unsigned char version; + unsigned char length; + enum hdmi_eotf eotf; + enum hdmi_metadata_type metadata_type; + struct { + u16 x; + u16 y; + } display_primaries[3]; + struct { + u16 x; + u16 y; + } white_point; + u16 max_display_mastering_luminance; + u16 min_display_mastering_luminance; + u16 max_cll; + u16 max_fall; +}; + +enum hdmi_spd_sdi { + HDMI_SPD_SDI_UNKNOWN = 0, + HDMI_SPD_SDI_DSTB = 1, + HDMI_SPD_SDI_DVDP = 2, + HDMI_SPD_SDI_DVHS = 3, + HDMI_SPD_SDI_HDDVR = 4, + HDMI_SPD_SDI_DVC = 5, + HDMI_SPD_SDI_DSC = 6, + HDMI_SPD_SDI_VCD = 7, + HDMI_SPD_SDI_GAME = 8, + HDMI_SPD_SDI_PC = 9, + HDMI_SPD_SDI_BD = 10, + HDMI_SPD_SDI_SACD = 11, + HDMI_SPD_SDI_HDDVD = 12, + HDMI_SPD_SDI_PMP = 13, +}; + +struct hdmi_spd_infoframe { + enum hdmi_infoframe_type type; + unsigned char version; + unsigned char length; + char vendor[8]; + char product[16]; + enum hdmi_spd_sdi sdi; +}; + +enum hdmi_audio_coding_type { + HDMI_AUDIO_CODING_TYPE_STREAM = 0, + HDMI_AUDIO_CODING_TYPE_PCM = 1, + HDMI_AUDIO_CODING_TYPE_AC3 = 2, + HDMI_AUDIO_CODING_TYPE_MPEG1 = 3, + HDMI_AUDIO_CODING_TYPE_MP3 = 4, + HDMI_AUDIO_CODING_TYPE_MPEG2 = 5, + HDMI_AUDIO_CODING_TYPE_AAC_LC = 6, + HDMI_AUDIO_CODING_TYPE_DTS = 7, + HDMI_AUDIO_CODING_TYPE_ATRAC = 8, + HDMI_AUDIO_CODING_TYPE_DSD = 9, + HDMI_AUDIO_CODING_TYPE_EAC3 = 10, + HDMI_AUDIO_CODING_TYPE_DTS_HD = 11, + HDMI_AUDIO_CODING_TYPE_MLP = 12, + HDMI_AUDIO_CODING_TYPE_DST = 13, + HDMI_AUDIO_CODING_TYPE_WMA_PRO = 14, + HDMI_AUDIO_CODING_TYPE_CXT = 15, +}; + +enum hdmi_audio_sample_size { + HDMI_AUDIO_SAMPLE_SIZE_STREAM = 0, + HDMI_AUDIO_SAMPLE_SIZE_16 = 1, + HDMI_AUDIO_SAMPLE_SIZE_20 = 2, + HDMI_AUDIO_SAMPLE_SIZE_24 = 3, +}; + +enum hdmi_audio_sample_frequency { + HDMI_AUDIO_SAMPLE_FREQUENCY_STREAM = 0, + HDMI_AUDIO_SAMPLE_FREQUENCY_32000 = 1, + HDMI_AUDIO_SAMPLE_FREQUENCY_44100 = 2, + HDMI_AUDIO_SAMPLE_FREQUENCY_48000 = 3, + HDMI_AUDIO_SAMPLE_FREQUENCY_88200 = 4, + HDMI_AUDIO_SAMPLE_FREQUENCY_96000 = 5, + HDMI_AUDIO_SAMPLE_FREQUENCY_176400 = 6, + HDMI_AUDIO_SAMPLE_FREQUENCY_192000 = 7, +}; + +enum hdmi_audio_coding_type_ext { + HDMI_AUDIO_CODING_TYPE_EXT_CT = 0, + HDMI_AUDIO_CODING_TYPE_EXT_HE_AAC = 1, + HDMI_AUDIO_CODING_TYPE_EXT_HE_AAC_V2 = 2, + HDMI_AUDIO_CODING_TYPE_EXT_MPEG_SURROUND = 3, + HDMI_AUDIO_CODING_TYPE_EXT_MPEG4_HE_AAC = 4, + HDMI_AUDIO_CODING_TYPE_EXT_MPEG4_HE_AAC_V2 = 5, + HDMI_AUDIO_CODING_TYPE_EXT_MPEG4_AAC_LC = 6, + HDMI_AUDIO_CODING_TYPE_EXT_DRA = 7, + HDMI_AUDIO_CODING_TYPE_EXT_MPEG4_HE_AAC_SURROUND = 8, + HDMI_AUDIO_CODING_TYPE_EXT_MPEG4_AAC_LC_SURROUND = 10, +}; + +struct hdmi_audio_infoframe { + enum hdmi_infoframe_type type; + unsigned char version; + unsigned char length; + unsigned char channels; + enum hdmi_audio_coding_type coding_type; + enum hdmi_audio_sample_size sample_size; + enum hdmi_audio_sample_frequency sample_frequency; + enum hdmi_audio_coding_type_ext coding_type_ext; + unsigned char channel_allocation; + unsigned char level_shift_value; + bool downmix_inhibit; +}; + +enum hdmi_3d_structure { + HDMI_3D_STRUCTURE_INVALID = -1, + HDMI_3D_STRUCTURE_FRAME_PACKING = 0, + HDMI_3D_STRUCTURE_FIELD_ALTERNATIVE = 1, + HDMI_3D_STRUCTURE_LINE_ALTERNATIVE = 2, + HDMI_3D_STRUCTURE_SIDE_BY_SIDE_FULL = 3, + HDMI_3D_STRUCTURE_L_DEPTH = 4, + HDMI_3D_STRUCTURE_L_DEPTH_GFX_GFX_DEPTH = 5, + HDMI_3D_STRUCTURE_TOP_AND_BOTTOM = 6, + HDMI_3D_STRUCTURE_SIDE_BY_SIDE_HALF = 8, +}; + +struct hdmi_vendor_infoframe { + enum hdmi_infoframe_type type; + unsigned char version; + unsigned char length; + unsigned int oui; + u8 vic; + enum hdmi_3d_structure s3d_struct; + unsigned int s3d_ext_data; +}; + +union hdmi_vendor_any_infoframe { + struct { + enum hdmi_infoframe_type type; + unsigned char version; + unsigned char length; + unsigned int oui; + } any; + struct hdmi_vendor_infoframe hdmi; +}; + +union hdmi_infoframe { + struct hdmi_any_infoframe any; + struct hdmi_avi_infoframe avi; + struct hdmi_spd_infoframe spd; + union hdmi_vendor_any_infoframe vendor; + struct hdmi_audio_infoframe audio; + struct hdmi_drm_infoframe drm; +}; + +struct console_font { + unsigned int width; + unsigned int height; + unsigned int charcount; + unsigned char *data; +}; + +struct vt_mode { + char mode; + char waitv; + short int relsig; + short int acqsig; + short int frsig; +}; + +struct uni_pagedir; + +struct uni_screen; + +struct vc_data { + struct tty_port port; + short unsigned int vc_num; + unsigned int vc_cols; + unsigned int vc_rows; + unsigned int vc_size_row; + unsigned int vc_scan_lines; + long unsigned int vc_origin; + long unsigned int vc_scr_end; + long unsigned int vc_visible_origin; + unsigned int vc_top; + unsigned int vc_bottom; + const struct consw *vc_sw; + short unsigned int *vc_screenbuf; + unsigned int vc_screenbuf_size; + unsigned char vc_mode; + unsigned char vc_attr; + unsigned char vc_def_color; + unsigned char vc_color; + unsigned char vc_s_color; + unsigned char vc_ulcolor; + unsigned char vc_itcolor; + unsigned char vc_halfcolor; + unsigned int vc_cursor_type; + short unsigned int vc_complement_mask; + short unsigned int vc_s_complement_mask; + unsigned int vc_x; + unsigned int vc_y; + unsigned int vc_saved_x; + unsigned int vc_saved_y; + long unsigned int vc_pos; + short unsigned int vc_hi_font_mask; + struct console_font vc_font; + short unsigned int vc_video_erase_char; + unsigned int vc_state; + unsigned int vc_npar; + unsigned int vc_par[16]; + struct vt_mode vt_mode; + struct pid *vt_pid; + int vt_newvt; + wait_queue_head_t paste_wait; + unsigned int vc_charset: 1; + unsigned int vc_s_charset: 1; + unsigned int vc_disp_ctrl: 1; + unsigned int vc_toggle_meta: 1; + unsigned int vc_decscnm: 1; + unsigned int vc_decom: 1; + unsigned int vc_decawm: 1; + unsigned int vc_deccm: 1; + unsigned int vc_decim: 1; + unsigned int vc_intensity: 2; + unsigned int vc_italic: 1; + unsigned int vc_underline: 1; + unsigned int vc_blink: 1; + unsigned int vc_reverse: 1; + unsigned int vc_s_intensity: 2; + unsigned int vc_s_italic: 1; + unsigned int vc_s_underline: 1; + unsigned int vc_s_blink: 1; + unsigned int vc_s_reverse: 1; + unsigned int vc_priv: 3; + unsigned int vc_need_wrap: 1; + unsigned int vc_can_do_color: 1; + unsigned int vc_report_mouse: 2; + unsigned char vc_utf: 1; + unsigned char vc_utf_count; + int vc_utf_char; + unsigned int vc_tab_stop[8]; + unsigned char vc_palette[48]; + short unsigned int *vc_translate; + unsigned char vc_G0_charset; + unsigned char vc_G1_charset; + unsigned char vc_saved_G0; + unsigned char vc_saved_G1; + unsigned int vc_resize_user; + unsigned int vc_bell_pitch; + unsigned int vc_bell_duration; + short unsigned int vc_cur_blink_ms; + struct vc_data **vc_display_fg; + struct uni_pagedir *vc_uni_pagedir; + struct uni_pagedir **vc_uni_pagedir_loc; + struct uni_screen *vc_uni_screen; +}; + +struct vc { + struct vc_data *d; + struct work_struct SAK_work; +}; + +struct vgastate { + void *vgabase; + long unsigned int membase; + __u32 memsize; + __u32 flags; + __u32 depth; + __u32 num_attr; + __u32 num_crtc; + __u32 num_gfx; + __u32 num_seq; + void *vidstate; +}; + +struct vgacon_scrollback_info { + void *data; + int tail; + int size; + int rows; + int cnt; + int cur; + int save; + int restore; +}; + +struct linux_logo { + int type; + unsigned int width; + unsigned int height; + unsigned int clutsize; + const unsigned char *clut; + const unsigned char *data; +}; + +struct fb_fix_screeninfo { + char id[16]; + long unsigned int smem_start; + __u32 smem_len; + __u32 type; + __u32 type_aux; + __u32 visual; + __u16 xpanstep; + __u16 ypanstep; + __u16 ywrapstep; + __u32 line_length; + long unsigned int mmio_start; + __u32 mmio_len; + __u32 accel; + __u16 capabilities; + __u16 reserved[2]; +}; + +struct fb_bitfield { + __u32 offset; + __u32 length; + __u32 msb_right; +}; + +struct fb_var_screeninfo { + __u32 xres; + __u32 yres; + __u32 xres_virtual; + __u32 yres_virtual; + __u32 xoffset; + __u32 yoffset; + __u32 bits_per_pixel; + __u32 grayscale; + struct fb_bitfield red; + struct fb_bitfield green; + struct fb_bitfield blue; + struct fb_bitfield transp; + __u32 nonstd; + __u32 activate; + __u32 height; + __u32 width; + __u32 accel_flags; + __u32 pixclock; + __u32 left_margin; + __u32 right_margin; + __u32 upper_margin; + __u32 lower_margin; + __u32 hsync_len; + __u32 vsync_len; + __u32 sync; + __u32 vmode; + __u32 rotate; + __u32 colorspace; + __u32 reserved[4]; +}; + +struct fb_cmap { + __u32 start; + __u32 len; + __u16 *red; + __u16 *green; + __u16 *blue; + __u16 *transp; +}; + +enum { + FB_BLANK_UNBLANK = 0, + FB_BLANK_NORMAL = 1, + FB_BLANK_VSYNC_SUSPEND = 2, + FB_BLANK_HSYNC_SUSPEND = 3, + FB_BLANK_POWERDOWN = 4, +}; + +struct fb_copyarea { + __u32 dx; + __u32 dy; + __u32 width; + __u32 height; + __u32 sx; + __u32 sy; +}; + +struct fb_fillrect { + __u32 dx; + __u32 dy; + __u32 width; + __u32 height; + __u32 color; + __u32 rop; +}; + +struct fb_image { + __u32 dx; + __u32 dy; + __u32 width; + __u32 height; + __u32 fg_color; + __u32 bg_color; + __u8 depth; + const char *data; + struct fb_cmap cmap; +}; + +struct fbcurpos { + __u16 x; + __u16 y; +}; + +struct fb_cursor { + __u16 set; + __u16 enable; + __u16 rop; + const char *mask; + struct fbcurpos hot; + struct fb_image image; +}; + +struct fb_chroma { + __u32 redx; + __u32 greenx; + __u32 bluex; + __u32 whitex; + __u32 redy; + __u32 greeny; + __u32 bluey; + __u32 whitey; +}; + +struct fb_videomode; + +struct fb_monspecs { + struct fb_chroma chroma; + struct fb_videomode *modedb; + __u8 manufacturer[4]; + __u8 monitor[14]; + __u8 serial_no[14]; + __u8 ascii[14]; + __u32 modedb_len; + __u32 model; + __u32 serial; + __u32 year; + __u32 week; + __u32 hfmin; + __u32 hfmax; + __u32 dclkmin; + __u32 dclkmax; + __u16 input; + __u16 dpms; + __u16 signal; + __u16 vfmin; + __u16 vfmax; + __u16 gamma; + __u16 gtf: 1; + __u16 misc; + __u8 version; + __u8 revision; + __u8 max_x; + __u8 max_y; +}; + +struct fb_videomode { + const char *name; + u32 refresh; + u32 xres; + u32 yres; + u32 pixclock; + u32 left_margin; + u32 right_margin; + u32 upper_margin; + u32 lower_margin; + u32 hsync_len; + u32 vsync_len; + u32 sync; + u32 vmode; + u32 flag; +}; + +struct fb_info; + +struct fb_event { + struct fb_info *info; + void *data; +}; + +struct fb_pixmap { + u8 *addr; + u32 size; + u32 offset; + u32 buf_align; + u32 scan_align; + u32 access_align; + u32 flags; + u32 blit_x; + u32 blit_y; + void (*writeio)(struct fb_info *, void *, void *, unsigned int); + void (*readio)(struct fb_info *, void *, void *, unsigned int); +}; + +struct fb_deferred_io; + +struct fb_ops; + +struct fb_tile_ops; + +struct apertures_struct; + +struct fb_info { + atomic_t count; + int node; + int flags; + int fbcon_rotate_hint; + struct mutex lock; + struct mutex mm_lock; + struct fb_var_screeninfo var; + struct fb_fix_screeninfo fix; + struct fb_monspecs monspecs; + struct work_struct queue; + struct fb_pixmap pixmap; + struct fb_pixmap sprite; + struct fb_cmap cmap; + struct list_head modelist; + struct fb_videomode *mode; + struct delayed_work deferred_work; + struct fb_deferred_io *fbdefio; + struct fb_ops *fbops; + struct device *device; + struct device *dev; + int class_flag; + struct fb_tile_ops *tileops; + union { + char *screen_base; + char *screen_buffer; + }; + long unsigned int screen_size; + void *pseudo_palette; + u32 state; + void *fbcon_par; + void *par; + struct apertures_struct *apertures; + bool skip_vt_switch; +}; + +struct fb_blit_caps { + u32 x; + u32 y; + u32 len; + u32 flags; +}; + +struct fb_deferred_io { + long unsigned int delay; + struct mutex lock; + struct list_head pagelist; + void (*first_io)(struct fb_info *); + void (*deferred_io)(struct fb_info *, struct list_head *); +}; + +struct fb_ops { + struct module *owner; + int (*fb_open)(struct fb_info *, int); + int (*fb_release)(struct fb_info *, int); + ssize_t (*fb_read)(struct fb_info *, char *, size_t, loff_t *); + ssize_t (*fb_write)(struct fb_info *, const char *, size_t, loff_t *); + int (*fb_check_var)(struct fb_var_screeninfo *, struct fb_info *); + int (*fb_set_par)(struct fb_info *); + int (*fb_setcolreg)(unsigned int, unsigned int, unsigned int, unsigned int, unsigned int, struct fb_info *); + int (*fb_setcmap)(struct fb_cmap *, struct fb_info *); + int (*fb_blank)(int, struct fb_info *); + int (*fb_pan_display)(struct fb_var_screeninfo *, struct fb_info *); + void (*fb_fillrect)(struct fb_info *, const struct fb_fillrect *); + void (*fb_copyarea)(struct fb_info *, const struct fb_copyarea *); + void (*fb_imageblit)(struct fb_info *, const struct fb_image *); + int (*fb_cursor)(struct fb_info *, struct fb_cursor *); + int (*fb_sync)(struct fb_info *); + int (*fb_ioctl)(struct fb_info *, unsigned int, long unsigned int); + int (*fb_compat_ioctl)(struct fb_info *, unsigned int, long unsigned int); + int (*fb_mmap)(struct fb_info *, struct vm_area_struct *); + void (*fb_get_caps)(struct fb_info *, struct fb_blit_caps *, struct fb_var_screeninfo *); + void (*fb_destroy)(struct fb_info *); + int (*fb_debug_enter)(struct fb_info *); + int (*fb_debug_leave)(struct fb_info *); +}; + +struct fb_tilemap { + __u32 width; + __u32 height; + __u32 depth; + __u32 length; + const __u8 *data; +}; + +struct fb_tilerect { + __u32 sx; + __u32 sy; + __u32 width; + __u32 height; + __u32 index; + __u32 fg; + __u32 bg; + __u32 rop; +}; + +struct fb_tilearea { + __u32 sx; + __u32 sy; + __u32 dx; + __u32 dy; + __u32 width; + __u32 height; +}; + +struct fb_tileblit { + __u32 sx; + __u32 sy; + __u32 width; + __u32 height; + __u32 fg; + __u32 bg; + __u32 length; + __u32 *indices; +}; + +struct fb_tilecursor { + __u32 sx; + __u32 sy; + __u32 mode; + __u32 shape; + __u32 fg; + __u32 bg; +}; + +struct fb_tile_ops { + void (*fb_settile)(struct fb_info *, struct fb_tilemap *); + void (*fb_tilecopy)(struct fb_info *, struct fb_tilearea *); + void (*fb_tilefill)(struct fb_info *, struct fb_tilerect *); + void (*fb_tileblit)(struct fb_info *, struct fb_tileblit *); + void (*fb_tilecursor)(struct fb_info *, struct fb_tilecursor *); + int (*fb_get_tilemax)(struct fb_info *); +}; + +struct aperture { + resource_size_t base; + resource_size_t size; +}; + +struct apertures_struct { + unsigned int count; + struct aperture ranges[0]; +}; + +enum backlight_update_reason { + BACKLIGHT_UPDATE_HOTKEY = 0, + BACKLIGHT_UPDATE_SYSFS = 1, +}; + +enum backlight_type { + BACKLIGHT_RAW = 1, + BACKLIGHT_PLATFORM = 2, + BACKLIGHT_FIRMWARE = 3, + BACKLIGHT_TYPE_MAX = 4, +}; + +enum backlight_notification { + BACKLIGHT_REGISTERED = 0, + BACKLIGHT_UNREGISTERED = 1, +}; + +enum backlight_scale { + BACKLIGHT_SCALE_UNKNOWN = 0, + BACKLIGHT_SCALE_LINEAR = 1, + BACKLIGHT_SCALE_NON_LINEAR = 2, +}; + +struct backlight_device; + +struct backlight_ops { + unsigned int options; + int (*update_status)(struct backlight_device *); + int (*get_brightness)(struct backlight_device *); + int (*check_fb)(struct backlight_device *, struct fb_info *); +}; + +struct backlight_properties { + int brightness; + int max_brightness; + int power; + int fb_blank; + enum backlight_type type; + unsigned int state; + enum backlight_scale scale; +}; + +struct backlight_device { + struct backlight_properties props; + struct mutex update_lock; + struct mutex ops_lock; + const struct backlight_ops *ops; + struct notifier_block fb_notif; + struct list_head entry; + struct device dev; + bool fb_bl_on[32]; + int use_count; +}; + +struct generic_bl_info { + const char *name; + int max_intensity; + int default_intensity; + int limit_mask; + void (*set_bl_intensity)(int); + void (*kick_battery)(); +}; + +struct fb_cmap_user { + __u32 start; + __u32 len; + __u16 *red; + __u16 *green; + __u16 *blue; + __u16 *transp; +}; + +struct fb_modelist { + struct list_head list; + struct fb_videomode mode; +}; + +struct logo_data { + int depth; + int needs_directpalette; + int needs_truepalette; + int needs_cmapreset; + const struct linux_logo *logo; +}; + +struct fb_fix_screeninfo32 { + char id[16]; + compat_caddr_t smem_start; + u32 smem_len; + u32 type; + u32 type_aux; + u32 visual; + u16 xpanstep; + u16 ypanstep; + u16 ywrapstep; + u32 line_length; + compat_caddr_t mmio_start; + u32 mmio_len; + u32 accel; + u16 reserved[3]; +}; + +struct fb_cmap32 { + u32 start; + u32 len; + compat_caddr_t red; + compat_caddr_t green; + compat_caddr_t blue; + compat_caddr_t transp; +}; + +struct dmt_videomode { + u32 dmt_id; + u32 std_2byte_code; + u32 cvt_3byte_code; + const struct fb_videomode *mode; +}; + +struct broken_edid { + u8 manufacturer[4]; + u32 model; + u32 fix; +}; + +struct __fb_timings { + u32 dclk; + u32 hfreq; + u32 vfreq; + u32 hactive; + u32 vactive; + u32 hblank; + u32 vblank; + u32 htotal; + u32 vtotal; +}; + +struct fb_cvt_data { + u32 xres; + u32 yres; + u32 refresh; + u32 f_refresh; + u32 pixclock; + u32 hperiod; + u32 hblank; + u32 hfreq; + u32 htotal; + u32 vtotal; + u32 vsync; + u32 hsync; + u32 h_front_porch; + u32 h_back_porch; + u32 v_front_porch; + u32 v_back_porch; + u32 h_margin; + u32 v_margin; + u32 interlace; + u32 aspect_ratio; + u32 active_pixels; + u32 flags; + u32 status; +}; + +typedef unsigned char u_char; + +typedef short unsigned int u_short; + +struct fb_con2fbmap { + __u32 console; + __u32 framebuffer; +}; + +struct fbcon_display { + const u_char *fontdata; + int userfont; + u_short scrollmode; + u_short inverse; + short int yscroll; + int vrows; + int cursor_shape; + int con_rotate; + u32 xres_virtual; + u32 yres_virtual; + u32 height; + u32 width; + u32 bits_per_pixel; + u32 grayscale; + u32 nonstd; + u32 accel_flags; + u32 rotate; + struct fb_bitfield red; + struct fb_bitfield green; + struct fb_bitfield blue; + struct fb_bitfield transp; + const struct fb_videomode *mode; +}; + +struct fbcon_ops { + void (*bmove)(struct vc_data *, struct fb_info *, int, int, int, int, int, int); + void (*clear)(struct vc_data *, struct fb_info *, int, int, int, int); + void (*putcs)(struct vc_data *, struct fb_info *, const short unsigned int *, int, int, int, int, int); + void (*clear_margins)(struct vc_data *, struct fb_info *, int, int); + void (*cursor)(struct vc_data *, struct fb_info *, int, int, int, int); + int (*update_start)(struct fb_info *); + int (*rotate_font)(struct fb_info *, struct vc_data *); + struct fb_var_screeninfo var; + struct timer_list cursor_timer; + struct fb_cursor cursor_state; + struct fbcon_display *p; + struct fb_info *info; + int currcon; + int cur_blink_jiffies; + int cursor_flash; + int cursor_reset; + int blank_state; + int graphics; + int save_graphics; + int flags; + int rotate; + int cur_rotate; + char *cursor_data; + u8 *fontbuffer; + u8 *fontdata; + u8 *cursor_src; + u32 cursor_size; + u32 fd_size; +}; + +enum { + FBCON_LOGO_CANSHOW = -1, + FBCON_LOGO_DRAW = -2, + FBCON_LOGO_DONTSHOW = -3, +}; + +enum drm_panel_orientation { + DRM_MODE_PANEL_ORIENTATION_UNKNOWN = -1, + DRM_MODE_PANEL_ORIENTATION_NORMAL = 0, + DRM_MODE_PANEL_ORIENTATION_BOTTOM_UP = 1, + DRM_MODE_PANEL_ORIENTATION_LEFT_UP = 2, + DRM_MODE_PANEL_ORIENTATION_RIGHT_UP = 3, +}; + +typedef u16 acpi_owner_id; + +union acpi_name_union { + u32 integer; + char ascii[4]; +}; + +struct acpi_table_desc { + acpi_physical_address address; + struct acpi_table_header *pointer; + u32 length; + union acpi_name_union signature; + acpi_owner_id owner_id; + u8 flags; + u16 validation_count; +}; + +struct acpi_madt_io_sapic { + struct acpi_subtable_header header; + u8 id; + u8 reserved; + u32 global_irq_base; + u64 address; +}; + +struct acpi_madt_interrupt_source { + struct acpi_subtable_header header; + u16 inti_flags; + u8 type; + u8 id; + u8 eid; + u8 io_sapic_vector; + u32 global_irq; + u32 flags; +}; + +struct acpi_madt_generic_interrupt { + struct acpi_subtable_header header; + u16 reserved; + u32 cpu_interface_number; + u32 uid; + u32 flags; + u32 parking_version; + u32 performance_interrupt; + u64 parked_address; + u64 base_address; + u64 gicv_base_address; + u64 gich_base_address; + u32 vgic_interrupt; + u64 gicr_base_address; + u64 arm_mpidr; + u8 efficiency_class; + u8 reserved2[1]; + u16 spe_interrupt; +} __attribute__((packed)); + +struct acpi_madt_generic_distributor { + struct acpi_subtable_header header; + u16 reserved; + u32 gic_id; + u64 base_address; + u32 global_irq_base; + u8 version; + u8 reserved2[3]; +}; + +enum acpi_subtable_type { + ACPI_SUBTABLE_COMMON = 0, + ACPI_SUBTABLE_HMAT = 1, +}; + +struct acpi_subtable_entry { + union acpi_subtable_headers *hdr; + enum acpi_subtable_type type; +}; + +enum acpi_predicate { + all_versions = 0, + less_than_or_equal = 1, + equal = 2, + greater_than_or_equal = 3, +}; + +struct acpi_platform_list { + char oem_id[7]; + char oem_table_id[9]; + u32 oem_revision; + char *table; + enum acpi_predicate pred; + char *reason; + u32 data; +}; + +typedef u32 (*acpi_interface_handler)(acpi_string, u32); + +struct acpi_osi_entry { + char string[64]; + bool enable; +}; + +struct acpi_osi_config { + u8 default_disabling; + unsigned int linux_enable: 1; + unsigned int linux_dmi: 1; + unsigned int linux_cmdline: 1; + unsigned int darwin_enable: 1; + unsigned int darwin_dmi: 1; + unsigned int darwin_cmdline: 1; +}; + +struct acpi_predefined_names { + const char *name; + u8 type; + char *val; +}; + +typedef u32 (*acpi_osd_handler)(void *); + +typedef void (*acpi_osd_exec_callback)(void *); + +typedef u32 (*acpi_gpe_handler)(acpi_handle, u32, void *); + +typedef void (*acpi_notify_handler)(acpi_handle, u32, void *); + +typedef void (*acpi_object_handler)(acpi_handle, void *); + +typedef acpi_status (*acpi_adr_space_handler)(u32, acpi_physical_address, u32, u64 *, void *, void *); + +typedef acpi_status (*acpi_adr_space_setup)(acpi_handle, u32, void *, void **); + +struct acpi_pci_id { + u16 segment; + u16 bus; + u16 device; + u16 function; +}; + +struct acpi_mem_space_context { + u32 length; + acpi_physical_address address; + acpi_physical_address mapped_physical_address; + u8 *mapped_logical_address; + acpi_size mapped_length; +}; + +typedef enum { + OSL_GLOBAL_LOCK_HANDLER = 0, + OSL_NOTIFY_HANDLER = 1, + OSL_GPE_HANDLER = 2, + OSL_DEBUGGER_MAIN_THREAD = 3, + OSL_DEBUGGER_EXEC_THREAD = 4, + OSL_EC_POLL_HANDLER = 5, + OSL_EC_BURST_HANDLER = 6, +} acpi_execute_type; + +union acpi_operand_object; + +struct acpi_namespace_node { + union acpi_operand_object *object; + u8 descriptor_type; + u8 type; + u16 flags; + union acpi_name_union name; + struct acpi_namespace_node *parent; + struct acpi_namespace_node *child; + struct acpi_namespace_node *peer; + acpi_owner_id owner_id; +}; + +struct acpi_object_common { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; +}; + +struct acpi_object_integer { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 fill[3]; + u64 value; +}; + +struct acpi_object_string { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + char *pointer; + u32 length; +}; + +struct acpi_object_buffer { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 *pointer; + u32 length; + u32 aml_length; + u8 *aml_start; + struct acpi_namespace_node *node; +}; + +struct acpi_object_package { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + struct acpi_namespace_node *node; + union acpi_operand_object **elements; + u8 *aml_start; + u32 aml_length; + u32 count; +}; + +struct acpi_object_event { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + void *os_semaphore; +}; + +struct acpi_walk_state; + +typedef acpi_status (*acpi_internal_method)(struct acpi_walk_state *); + +struct acpi_object_method { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 info_flags; + u8 param_count; + u8 sync_level; + union acpi_operand_object *mutex; + union acpi_operand_object *node; + u8 *aml_start; + union { + acpi_internal_method implementation; + union acpi_operand_object *handler; + } dispatch; + u32 aml_length; + acpi_owner_id owner_id; + u8 thread_count; +}; + +struct acpi_thread_state; + +struct acpi_object_mutex { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 sync_level; + u16 acquisition_depth; + void *os_mutex; + u64 thread_id; + struct acpi_thread_state *owner_thread; + union acpi_operand_object *prev; + union acpi_operand_object *next; + struct acpi_namespace_node *node; + u8 original_sync_level; +}; + +struct acpi_object_region { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 space_id; + struct acpi_namespace_node *node; + union acpi_operand_object *handler; + union acpi_operand_object *next; + acpi_physical_address address; + u32 length; +}; + +struct acpi_object_notify_common { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + union acpi_operand_object *notify_list[2]; + union acpi_operand_object *handler; +}; + +struct acpi_gpe_block_info; + +struct acpi_object_device { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + union acpi_operand_object *notify_list[2]; + union acpi_operand_object *handler; + struct acpi_gpe_block_info *gpe_block; +}; + +struct acpi_object_power_resource { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + union acpi_operand_object *notify_list[2]; + union acpi_operand_object *handler; + u32 system_level; + u32 resource_order; +}; + +struct acpi_object_processor { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 proc_id; + u8 length; + union acpi_operand_object *notify_list[2]; + union acpi_operand_object *handler; + acpi_io_address address; +}; + +struct acpi_object_thermal_zone { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + union acpi_operand_object *notify_list[2]; + union acpi_operand_object *handler; +}; + +struct acpi_object_field_common { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 field_flags; + u8 attribute; + u8 access_byte_width; + struct acpi_namespace_node *node; + u32 bit_length; + u32 base_byte_offset; + u32 value; + u8 start_field_bit_offset; + u8 access_length; + union acpi_operand_object *region_obj; +}; + +struct acpi_object_region_field { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 field_flags; + u8 attribute; + u8 access_byte_width; + struct acpi_namespace_node *node; + u32 bit_length; + u32 base_byte_offset; + u32 value; + u8 start_field_bit_offset; + u8 access_length; + u16 resource_length; + union acpi_operand_object *region_obj; + u8 *resource_buffer; + u16 pin_number_index; + u8 *internal_pcc_buffer; +}; + +struct acpi_object_buffer_field { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 field_flags; + u8 attribute; + u8 access_byte_width; + struct acpi_namespace_node *node; + u32 bit_length; + u32 base_byte_offset; + u32 value; + u8 start_field_bit_offset; + u8 access_length; + union acpi_operand_object *buffer_obj; +}; + +struct acpi_object_bank_field { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 field_flags; + u8 attribute; + u8 access_byte_width; + struct acpi_namespace_node *node; + u32 bit_length; + u32 base_byte_offset; + u32 value; + u8 start_field_bit_offset; + u8 access_length; + union acpi_operand_object *region_obj; + union acpi_operand_object *bank_obj; +}; + +struct acpi_object_index_field { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 field_flags; + u8 attribute; + u8 access_byte_width; + struct acpi_namespace_node *node; + u32 bit_length; + u32 base_byte_offset; + u32 value; + u8 start_field_bit_offset; + u8 access_length; + union acpi_operand_object *index_obj; + union acpi_operand_object *data_obj; +}; + +struct acpi_object_notify_handler { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + struct acpi_namespace_node *node; + u32 handler_type; + acpi_notify_handler handler; + void *context; + union acpi_operand_object *next[2]; +}; + +struct acpi_object_addr_handler { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 space_id; + u8 handler_flags; + acpi_adr_space_handler handler; + struct acpi_namespace_node *node; + void *context; + acpi_adr_space_setup setup; + union acpi_operand_object *region_list; + union acpi_operand_object *next; +}; + +struct acpi_object_reference { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + u8 class; + u8 target_type; + u8 resolved; + void *object; + struct acpi_namespace_node *node; + union acpi_operand_object **where; + u8 *index_pointer; + u8 *aml; + u32 value; +}; + +struct acpi_object_extra { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + struct acpi_namespace_node *method_REG; + struct acpi_namespace_node *scope_node; + void *region_context; + u8 *aml_start; + u32 aml_length; +}; + +struct acpi_object_data { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + acpi_object_handler handler; + void *pointer; +}; + +struct acpi_object_cache_list { + union acpi_operand_object *next_object; + u8 descriptor_type; + u8 type; + u16 reference_count; + u8 flags; + union acpi_operand_object *next; +}; + +union acpi_operand_object { + struct acpi_object_common common; + struct acpi_object_integer integer; + struct acpi_object_string string; + struct acpi_object_buffer buffer; + struct acpi_object_package package; + struct acpi_object_event event; + struct acpi_object_method method; + struct acpi_object_mutex mutex; + struct acpi_object_region region; + struct acpi_object_notify_common common_notify; + struct acpi_object_device device; + struct acpi_object_power_resource power_resource; + struct acpi_object_processor processor; + struct acpi_object_thermal_zone thermal_zone; + struct acpi_object_field_common common_field; + struct acpi_object_region_field field; + struct acpi_object_buffer_field buffer_field; + struct acpi_object_bank_field bank_field; + struct acpi_object_index_field index_field; + struct acpi_object_notify_handler notify; + struct acpi_object_addr_handler address_space; + struct acpi_object_reference reference; + struct acpi_object_extra extra; + struct acpi_object_data data; + struct acpi_object_cache_list cache; + struct acpi_namespace_node node; +}; + +union acpi_parse_object; + +union acpi_generic_state; + +struct acpi_parse_state { + u8 *aml_start; + u8 *aml; + u8 *aml_end; + u8 *pkg_start; + u8 *pkg_end; + union acpi_parse_object *start_op; + struct acpi_namespace_node *start_node; + union acpi_generic_state *scope; + union acpi_parse_object *start_scope; + u32 aml_size; +}; + +typedef acpi_status (*acpi_parse_downwards)(struct acpi_walk_state *, union acpi_parse_object **); + +typedef acpi_status (*acpi_parse_upwards)(struct acpi_walk_state *); + +struct acpi_opcode_info; + +struct acpi_walk_state { + struct acpi_walk_state *next; + u8 descriptor_type; + u8 walk_type; + u16 opcode; + u8 next_op_info; + u8 num_operands; + u8 operand_index; + acpi_owner_id owner_id; + u8 last_predicate; + u8 current_result; + u8 return_used; + u8 scope_depth; + u8 pass_number; + u8 namespace_override; + u8 result_size; + u8 result_count; + u8 *aml; + u32 arg_types; + u32 method_breakpoint; + u32 user_breakpoint; + u32 parse_flags; + struct acpi_parse_state parser_state; + u32 prev_arg_types; + u32 arg_count; + u16 method_nesting_depth; + u8 method_is_nested; + struct acpi_namespace_node arguments[7]; + struct acpi_namespace_node local_variables[8]; + union acpi_operand_object *operands[9]; + union acpi_operand_object **params; + u8 *aml_last_while; + union acpi_operand_object **caller_return_desc; + union acpi_generic_state *control_state; + struct acpi_namespace_node *deferred_node; + union acpi_operand_object *implicit_return_obj; + struct acpi_namespace_node *method_call_node; + union acpi_parse_object *method_call_op; + union acpi_operand_object *method_desc; + struct acpi_namespace_node *method_node; + char *method_pathname; + union acpi_parse_object *op; + const struct acpi_opcode_info *op_info; + union acpi_parse_object *origin; + union acpi_operand_object *result_obj; + union acpi_generic_state *results; + union acpi_operand_object *return_desc; + union acpi_generic_state *scope_info; + union acpi_parse_object *prev_op; + union acpi_parse_object *next_op; + struct acpi_thread_state *thread; + acpi_parse_downwards descending_callback; + acpi_parse_upwards ascending_callback; +}; + +struct acpi_gpe_handler_info { + acpi_gpe_handler address; + void *context; + struct acpi_namespace_node *method_node; + u8 original_flags; + u8 originally_enabled; +}; + +struct acpi_gpe_notify_info { + struct acpi_namespace_node *device_node; + struct acpi_gpe_notify_info *next; +}; + +union acpi_gpe_dispatch_info { + struct acpi_namespace_node *method_node; + struct acpi_gpe_handler_info *handler; + struct acpi_gpe_notify_info *notify_list; +}; + +struct acpi_gpe_register_info; + +struct acpi_gpe_event_info { + union acpi_gpe_dispatch_info dispatch; + struct acpi_gpe_register_info *register_info; + u8 flags; + u8 gpe_number; + u8 runtime_count; + u8 disable_for_dispatch; +}; + +struct acpi_gpe_register_info { + struct acpi_generic_address status_address; + struct acpi_generic_address enable_address; + u16 base_gpe_number; + u8 enable_for_wake; + u8 enable_for_run; + u8 mask_for_run; + u8 enable_mask; +} __attribute__((packed)); + +struct acpi_gpe_xrupt_info; + +struct acpi_gpe_block_info { + struct acpi_namespace_node *node; + struct acpi_gpe_block_info *previous; + struct acpi_gpe_block_info *next; + struct acpi_gpe_xrupt_info *xrupt_block; + struct acpi_gpe_register_info *register_info; + struct acpi_gpe_event_info *event_info; + u64 address; + u32 register_count; + u16 gpe_count; + u16 block_base_number; + u8 space_id; + u8 initialized; +}; + +struct acpi_gpe_xrupt_info { + struct acpi_gpe_xrupt_info *previous; + struct acpi_gpe_xrupt_info *next; + struct acpi_gpe_block_info *gpe_block_list_head; + u32 interrupt_number; +}; + +struct acpi_common_state { + void *next; + u8 descriptor_type; + u8 flags; + u16 value; + u16 state; +}; + +struct acpi_update_state { + void *next; + u8 descriptor_type; + u8 flags; + u16 value; + u16 state; + union acpi_operand_object *object; +}; + +struct acpi_pkg_state { + void *next; + u8 descriptor_type; + u8 flags; + u16 value; + u16 state; + u32 index; + union acpi_operand_object *source_object; + union acpi_operand_object *dest_object; + struct acpi_walk_state *walk_state; + void *this_target_obj; + u32 num_packages; +}; + +struct acpi_control_state { + void *next; + u8 descriptor_type; + u8 flags; + u16 value; + u16 state; + u16 opcode; + union acpi_parse_object *predicate_op; + u8 *aml_predicate_start; + u8 *package_end; + u64 loop_timeout; +}; + +union acpi_parse_value { + u64 integer; + u32 size; + char *string; + u8 *buffer; + char *name; + union acpi_parse_object *arg; +}; + +struct acpi_parse_obj_common { + union acpi_parse_object *parent; + u8 descriptor_type; + u8 flags; + u16 aml_opcode; + u8 *aml; + union acpi_parse_object *next; + struct acpi_namespace_node *node; + union acpi_parse_value value; + u8 arg_list_length; +}; + +struct acpi_parse_obj_named { + union acpi_parse_object *parent; + u8 descriptor_type; + u8 flags; + u16 aml_opcode; + u8 *aml; + union acpi_parse_object *next; + struct acpi_namespace_node *node; + union acpi_parse_value value; + u8 arg_list_length; + char *path; + u8 *data; + u32 length; + u32 name; +}; + +struct acpi_parse_obj_asl { + union acpi_parse_object *parent; + u8 descriptor_type; + u8 flags; + u16 aml_opcode; + u8 *aml; + union acpi_parse_object *next; + struct acpi_namespace_node *node; + union acpi_parse_value value; + u8 arg_list_length; + union acpi_parse_object *child; + union acpi_parse_object *parent_method; + char *filename; + u8 file_changed; + char *parent_filename; + char *external_name; + char *namepath; + char name_seg[4]; + u32 extra_value; + u32 column; + u32 line_number; + u32 logical_line_number; + u32 logical_byte_offset; + u32 end_line; + u32 end_logical_line; + u32 acpi_btype; + u32 aml_length; + u32 aml_subtree_length; + u32 final_aml_length; + u32 final_aml_offset; + u32 compile_flags; + u16 parse_opcode; + u8 aml_opcode_length; + u8 aml_pkg_len_bytes; + u8 extra; + char parse_op_name[20]; +}; + +union acpi_parse_object { + struct acpi_parse_obj_common common; + struct acpi_parse_obj_named named; + struct acpi_parse_obj_asl asl; +}; + +struct acpi_scope_state { + void *next; + u8 descriptor_type; + u8 flags; + u16 value; + u16 state; + struct acpi_namespace_node *node; +}; + +struct acpi_pscope_state { + void *next; + u8 descriptor_type; + u8 flags; + u16 value; + u16 state; + u32 arg_count; + union acpi_parse_object *op; + u8 *arg_end; + u8 *pkg_end; + u32 arg_list; +}; + +struct acpi_thread_state { + void *next; + u8 descriptor_type; + u8 flags; + u16 value; + u16 state; + u8 current_sync_level; + struct acpi_walk_state *walk_state_list; + union acpi_operand_object *acquired_mutex_list; + u64 thread_id; +}; + +struct acpi_result_values { + void *next; + u8 descriptor_type; + u8 flags; + u16 value; + u16 state; + union acpi_operand_object *obj_desc[8]; +}; + +struct acpi_global_notify_handler { + acpi_notify_handler handler; + void *context; +}; + +struct acpi_notify_info { + void *next; + u8 descriptor_type; + u8 flags; + u16 value; + u16 state; + u8 handler_list_id; + struct acpi_namespace_node *node; + union acpi_operand_object *handler_list_head; + struct acpi_global_notify_handler *global; +}; + +union acpi_generic_state { + struct acpi_common_state common; + struct acpi_control_state control; + struct acpi_update_state update; + struct acpi_scope_state scope; + struct acpi_pscope_state parse_scope; + struct acpi_pkg_state pkg; + struct acpi_thread_state thread; + struct acpi_result_values results; + struct acpi_notify_info notify; +}; + +struct acpi_opcode_info { + u32 parse_args; + u32 runtime_args; + u16 flags; + u8 object_type; + u8 class; + u8 type; +}; + +struct acpi_os_dpc { + acpi_osd_exec_callback function; + void *context; + struct work_struct work; +}; + +struct acpi_ioremap { + struct list_head list; + void *virt; + acpi_physical_address phys; + acpi_size size; + long unsigned int refcount; +}; + +struct acpi_hp_work { + struct work_struct work; + struct acpi_device *adev; + u32 src; +}; + +struct acpi_pld_info { + u8 revision; + u8 ignore_color; + u8 red; + u8 green; + u8 blue; + u16 width; + u16 height; + u8 user_visible; + u8 dock; + u8 lid; + u8 panel; + u8 vertical_position; + u8 horizontal_position; + u8 shape; + u8 group_orientation; + u8 group_token; + u8 group_position; + u8 bay; + u8 ejectable; + u8 ospm_eject_required; + u8 cabinet_number; + u8 card_cage_number; + u8 reference; + u8 rotation; + u8 order; + u8 reserved; + u16 vertical_offset; + u16 horizontal_offset; +}; + +struct acpi_handle_list { + u32 count; + acpi_handle handles[10]; +}; + +struct acpi_device_bus_id { + char bus_id[15]; + unsigned int instance_no; + struct list_head node; +}; + +struct acpi_dev_match_info { + struct acpi_device_id hid[2]; + const char *uid; + s64 hrv; +}; + +struct nvs_region { + __u64 phys_start; + __u64 size; + struct list_head node; +}; + +struct nvs_page { + long unsigned int phys_start; + unsigned int size; + void *kaddr; + void *data; + bool unmap; + struct list_head node; +}; + +typedef u32 acpi_event_status; + +struct acpi_table_facs { + char signature[4]; + u32 length; + u32 hardware_signature; + u32 firmware_waking_vector; + u32 global_lock; + u32 flags; + u64 xfirmware_waking_vector; + u8 version; + u8 reserved[3]; + u32 ospm_flags; + u8 reserved1[24]; +}; + +struct lpi_device_info { + char *name; + int enabled; + union acpi_object *package; +}; + +struct lpi_device_constraint { + int uid; + int min_dstate; + int function_states; +}; + +struct lpi_constraints { + acpi_handle handle; + int min_dstate; +}; + +struct acpi_hardware_id { + struct list_head list; + const char *id; +}; + +struct acpi_data_node { + const char *name; + acpi_handle handle; + struct fwnode_handle fwnode; + struct fwnode_handle *parent; + struct acpi_device_data data; + struct list_head sibling; + struct kobject kobj; + struct completion kobj_done; +}; + +struct acpi_data_node_attr { + struct attribute attr; + ssize_t (*show)(struct acpi_data_node *, char *); + ssize_t (*store)(struct acpi_data_node *, const char *, size_t); +}; + +struct acpi_device_physical_node { + unsigned int node_id; + struct list_head node; + struct device *dev; + bool put_online: 1; +}; + +typedef u32 (*acpi_event_handler)(void *); + +typedef acpi_status (*acpi_table_handler)(u32, void *, void *); + +enum acpi_bus_device_type { + ACPI_BUS_TYPE_DEVICE = 0, + ACPI_BUS_TYPE_POWER = 1, + ACPI_BUS_TYPE_PROCESSOR = 2, + ACPI_BUS_TYPE_THERMAL = 3, + ACPI_BUS_TYPE_POWER_BUTTON = 4, + ACPI_BUS_TYPE_SLEEP_BUTTON = 5, + ACPI_BUS_TYPE_ECDT_EC = 6, + ACPI_BUS_DEVICE_TYPE_COUNT = 7, +}; + +struct acpi_osc_context { + char *uuid_str; + int rev; + struct acpi_buffer cap; + struct acpi_buffer ret; +}; + +struct acpi_pnp_device_id { + u32 length; + char *string; +}; + +struct acpi_pnp_device_id_list { + u32 count; + u32 list_size; + struct acpi_pnp_device_id ids[1]; +}; + +struct acpi_device_info { + u32 info_size; + u32 name; + acpi_object_type type; + u8 param_count; + u16 valid; + u8 flags; + u8 highest_dstates[4]; + u8 lowest_dstates[5]; + u64 address; + struct acpi_pnp_device_id hardware_id; + struct acpi_pnp_device_id unique_id; + struct acpi_pnp_device_id class_code; + struct acpi_pnp_device_id_list compatible_id_list; +}; + +struct acpi_table_spcr { + struct acpi_table_header header; + u8 interface_type; + u8 reserved[3]; + struct acpi_generic_address serial_port; + u8 interrupt_type; + u8 pc_interrupt; + u32 interrupt; + u8 baud_rate; + u8 parity; + u8 stop_bits; + u8 flow_control; + u8 terminal_type; + u8 reserved1; + u16 pci_device_id; + u16 pci_vendor_id; + u8 pci_bus; + u8 pci_device; + u8 pci_function; + u32 pci_flags; + u8 pci_segment; + u32 reserved2; +} __attribute__((packed)); + +struct acpi_table_stao { + struct acpi_table_header header; + u8 ignore_uart; +} __attribute__((packed)); + +struct acpi_resource_irq { + u8 descriptor_length; + u8 triggering; + u8 polarity; + u8 shareable; + u8 wake_capable; + u8 interrupt_count; + u8 interrupts[1]; +}; + +struct acpi_resource_dma { + u8 type; + u8 bus_master; + u8 transfer; + u8 channel_count; + u8 channels[1]; +}; + +struct acpi_resource_start_dependent { + u8 descriptor_length; + u8 compatibility_priority; + u8 performance_robustness; +}; + +struct acpi_resource_io { + u8 io_decode; + u8 alignment; + u8 address_length; + u16 minimum; + u16 maximum; +} __attribute__((packed)); + +struct acpi_resource_fixed_io { + u16 address; + u8 address_length; +} __attribute__((packed)); + +struct acpi_resource_fixed_dma { + u16 request_lines; + u16 channels; + u8 width; +} __attribute__((packed)); + +struct acpi_resource_vendor { + u16 byte_length; + u8 byte_data[1]; +} __attribute__((packed)); + +struct acpi_resource_vendor_typed { + u16 byte_length; + u8 uuid_subtype; + u8 uuid[16]; + u8 byte_data[1]; +}; + +struct acpi_resource_end_tag { + u8 checksum; +}; + +struct acpi_resource_memory24 { + u8 write_protect; + u16 minimum; + u16 maximum; + u16 alignment; + u16 address_length; +} __attribute__((packed)); + +struct acpi_resource_memory32 { + u8 write_protect; + u32 minimum; + u32 maximum; + u32 alignment; + u32 address_length; +} __attribute__((packed)); + +struct acpi_resource_fixed_memory32 { + u8 write_protect; + u32 address; + u32 address_length; +} __attribute__((packed)); + +struct acpi_memory_attribute { + u8 write_protect; + u8 caching; + u8 range_type; + u8 translation; +}; + +struct acpi_io_attribute { + u8 range_type; + u8 translation; + u8 translation_type; + u8 reserved1; +}; + +union acpi_resource_attribute { + struct acpi_memory_attribute mem; + struct acpi_io_attribute io; + u8 type_specific; +}; + +struct acpi_resource_label { + u16 string_length; + char *string_ptr; +} __attribute__((packed)); + +struct acpi_resource_source { + u8 index; + u16 string_length; + char *string_ptr; +} __attribute__((packed)); + +struct acpi_address16_attribute { + u16 granularity; + u16 minimum; + u16 maximum; + u16 translation_offset; + u16 address_length; +}; + +struct acpi_address32_attribute { + u32 granularity; + u32 minimum; + u32 maximum; + u32 translation_offset; + u32 address_length; +}; + +struct acpi_address64_attribute { + u64 granularity; + u64 minimum; + u64 maximum; + u64 translation_offset; + u64 address_length; +}; + +struct acpi_resource_address { + u8 resource_type; + u8 producer_consumer; + u8 decode; + u8 min_address_fixed; + u8 max_address_fixed; + union acpi_resource_attribute info; +}; + +struct acpi_resource_address16 { + u8 resource_type; + u8 producer_consumer; + u8 decode; + u8 min_address_fixed; + u8 max_address_fixed; + union acpi_resource_attribute info; + struct acpi_address16_attribute address; + struct acpi_resource_source resource_source; +} __attribute__((packed)); + +struct acpi_resource_address32 { + u8 resource_type; + u8 producer_consumer; + u8 decode; + u8 min_address_fixed; + u8 max_address_fixed; + union acpi_resource_attribute info; + struct acpi_address32_attribute address; + struct acpi_resource_source resource_source; +} __attribute__((packed)); + +struct acpi_resource_address64 { + u8 resource_type; + u8 producer_consumer; + u8 decode; + u8 min_address_fixed; + u8 max_address_fixed; + union acpi_resource_attribute info; + struct acpi_address64_attribute address; + struct acpi_resource_source resource_source; +} __attribute__((packed)); + +struct acpi_resource_extended_address64 { + u8 resource_type; + u8 producer_consumer; + u8 decode; + u8 min_address_fixed; + u8 max_address_fixed; + union acpi_resource_attribute info; + u8 revision_ID; + struct acpi_address64_attribute address; + u64 type_specific; +} __attribute__((packed)); + +struct acpi_resource_extended_irq { + u8 producer_consumer; + u8 triggering; + u8 polarity; + u8 shareable; + u8 wake_capable; + u8 interrupt_count; + struct acpi_resource_source resource_source; + u32 interrupts[1]; +} __attribute__((packed)); + +struct acpi_resource_generic_register { + u8 space_id; + u8 bit_width; + u8 bit_offset; + u8 access_size; + u64 address; +} __attribute__((packed)); + +struct acpi_resource_gpio { + u8 revision_id; + u8 connection_type; + u8 producer_consumer; + u8 pin_config; + u8 shareable; + u8 wake_capable; + u8 io_restriction; + u8 triggering; + u8 polarity; + u16 drive_strength; + u16 debounce_timeout; + u16 pin_table_length; + u16 vendor_length; + struct acpi_resource_source resource_source; + u16 *pin_table; + u8 *vendor_data; +} __attribute__((packed)); + +struct acpi_resource_common_serialbus { + u8 revision_id; + u8 type; + u8 producer_consumer; + u8 slave_mode; + u8 connection_sharing; + u8 type_revision_id; + u16 type_data_length; + u16 vendor_length; + struct acpi_resource_source resource_source; + u8 *vendor_data; +} __attribute__((packed)); + +struct acpi_resource_i2c_serialbus { + u8 revision_id; + u8 type; + u8 producer_consumer; + u8 slave_mode; + u8 connection_sharing; + u8 type_revision_id; + u16 type_data_length; + u16 vendor_length; + struct acpi_resource_source resource_source; + u8 *vendor_data; + u8 access_mode; + u16 slave_address; + u32 connection_speed; +} __attribute__((packed)); + +struct acpi_resource_spi_serialbus { + u8 revision_id; + u8 type; + u8 producer_consumer; + u8 slave_mode; + u8 connection_sharing; + u8 type_revision_id; + u16 type_data_length; + u16 vendor_length; + struct acpi_resource_source resource_source; + u8 *vendor_data; + u8 wire_mode; + u8 device_polarity; + u8 data_bit_length; + u8 clock_phase; + u8 clock_polarity; + u16 device_selection; + u32 connection_speed; +} __attribute__((packed)); + +struct acpi_resource_uart_serialbus { + u8 revision_id; + u8 type; + u8 producer_consumer; + u8 slave_mode; + u8 connection_sharing; + u8 type_revision_id; + u16 type_data_length; + u16 vendor_length; + struct acpi_resource_source resource_source; + u8 *vendor_data; + u8 endian; + u8 data_bits; + u8 stop_bits; + u8 flow_control; + u8 parity; + u8 lines_enabled; + u16 rx_fifo_size; + u16 tx_fifo_size; + u32 default_baud_rate; +} __attribute__((packed)); + +struct acpi_resource_pin_function { + u8 revision_id; + u8 pin_config; + u8 shareable; + u16 function_number; + u16 pin_table_length; + u16 vendor_length; + struct acpi_resource_source resource_source; + u16 *pin_table; + u8 *vendor_data; +} __attribute__((packed)); + +struct acpi_resource_pin_config { + u8 revision_id; + u8 producer_consumer; + u8 shareable; + u8 pin_config_type; + u32 pin_config_value; + u16 pin_table_length; + u16 vendor_length; + struct acpi_resource_source resource_source; + u16 *pin_table; + u8 *vendor_data; +} __attribute__((packed)); + +struct acpi_resource_pin_group { + u8 revision_id; + u8 producer_consumer; + u16 pin_table_length; + u16 vendor_length; + u16 *pin_table; + struct acpi_resource_label resource_label; + u8 *vendor_data; +} __attribute__((packed)); + +struct acpi_resource_pin_group_function { + u8 revision_id; + u8 producer_consumer; + u8 shareable; + u16 function_number; + u16 vendor_length; + struct acpi_resource_source resource_source; + struct acpi_resource_label resource_source_label; + u8 *vendor_data; +} __attribute__((packed)); + +struct acpi_resource_pin_group_config { + u8 revision_id; + u8 producer_consumer; + u8 shareable; + u8 pin_config_type; + u32 pin_config_value; + u16 vendor_length; + struct acpi_resource_source resource_source; + struct acpi_resource_label resource_source_label; + u8 *vendor_data; +} __attribute__((packed)); + +union acpi_resource_data { + struct acpi_resource_irq irq; + struct acpi_resource_dma dma; + struct acpi_resource_start_dependent start_dpf; + struct acpi_resource_io io; + struct acpi_resource_fixed_io fixed_io; + struct acpi_resource_fixed_dma fixed_dma; + struct acpi_resource_vendor vendor; + struct acpi_resource_vendor_typed vendor_typed; + struct acpi_resource_end_tag end_tag; + struct acpi_resource_memory24 memory24; + struct acpi_resource_memory32 memory32; + struct acpi_resource_fixed_memory32 fixed_memory32; + struct acpi_resource_address16 address16; + struct acpi_resource_address32 address32; + struct acpi_resource_address64 address64; + struct acpi_resource_extended_address64 ext_address64; + struct acpi_resource_extended_irq extended_irq; + struct acpi_resource_generic_register generic_reg; + struct acpi_resource_gpio gpio; + struct acpi_resource_i2c_serialbus i2c_serial_bus; + struct acpi_resource_spi_serialbus spi_serial_bus; + struct acpi_resource_uart_serialbus uart_serial_bus; + struct acpi_resource_common_serialbus common_serial_bus; + struct acpi_resource_pin_function pin_function; + struct acpi_resource_pin_config pin_config; + struct acpi_resource_pin_group pin_group; + struct acpi_resource_pin_group_function pin_group_function; + struct acpi_resource_pin_group_config pin_group_config; + struct acpi_resource_address address; +}; + +struct acpi_resource { + u32 type; + u32 length; + union acpi_resource_data data; +} __attribute__((packed)); + +typedef acpi_status (*acpi_walk_resource_callback)(struct acpi_resource *, void *); + +enum acpi_reconfig_event { + ACPI_RECONFIG_DEVICE_ADD = 0, + ACPI_RECONFIG_DEVICE_REMOVE = 1, +}; + +struct acpi_probe_entry; + +typedef bool (*acpi_probe_entry_validate_subtbl)(struct acpi_subtable_header *, struct acpi_probe_entry *); + +struct acpi_probe_entry { + __u8 id[5]; + __u8 type; + acpi_probe_entry_validate_subtbl subtable_valid; + union { + acpi_tbl_table_handler probe_table; + acpi_tbl_entry_handler probe_subtbl; + }; + kernel_ulong_t driver_data; +}; + +struct acpi_dep_data { + struct list_head node; + acpi_handle master; + acpi_handle slave; +}; + +struct acpi_table_events_work { + struct work_struct work; + void *table; + u32 event; +}; + +struct resource_win { + struct resource res; + resource_size_t offset; +}; + +struct res_proc_context { + struct list_head *list; + int (*preproc)(struct acpi_resource *, void *); + void *preproc_data; + int count; + int error; +}; + +struct thermal_cooling_device_ops; + +struct thermal_cooling_device { + int id; + char type[20]; + struct device device; + struct device_node *np; + void *devdata; + void *stats; + const struct thermal_cooling_device_ops *ops; + bool updated; + struct mutex lock; + struct list_head thermal_instances; + struct list_head node; +}; + +enum thermal_device_mode { + THERMAL_DEVICE_DISABLED = 0, + THERMAL_DEVICE_ENABLED = 1, +}; + +enum thermal_trip_type { + THERMAL_TRIP_ACTIVE = 0, + THERMAL_TRIP_PASSIVE = 1, + THERMAL_TRIP_HOT = 2, + THERMAL_TRIP_CRITICAL = 3, +}; + +enum thermal_trend { + THERMAL_TREND_STABLE = 0, + THERMAL_TREND_RAISING = 1, + THERMAL_TREND_DROPPING = 2, + THERMAL_TREND_RAISE_FULL = 3, + THERMAL_TREND_DROP_FULL = 4, +}; + +enum thermal_notify_event { + THERMAL_EVENT_UNSPECIFIED = 0, + THERMAL_EVENT_TEMP_SAMPLE = 1, + THERMAL_TRIP_VIOLATED = 2, + THERMAL_TRIP_CHANGED = 3, + THERMAL_DEVICE_DOWN = 4, + THERMAL_DEVICE_UP = 5, + THERMAL_DEVICE_POWER_CAPABILITY_CHANGED = 6, + THERMAL_TABLE_CHANGED = 7, +}; + +struct thermal_zone_device; + +struct thermal_zone_device_ops { + int (*bind)(struct thermal_zone_device *, struct thermal_cooling_device *); + int (*unbind)(struct thermal_zone_device *, struct thermal_cooling_device *); + int (*get_temp)(struct thermal_zone_device *, int *); + int (*set_trips)(struct thermal_zone_device *, int, int); + int (*get_mode)(struct thermal_zone_device *, enum thermal_device_mode *); + int (*set_mode)(struct thermal_zone_device *, enum thermal_device_mode); + int (*get_trip_type)(struct thermal_zone_device *, int, enum thermal_trip_type *); + int (*get_trip_temp)(struct thermal_zone_device *, int, int *); + int (*set_trip_temp)(struct thermal_zone_device *, int, int); + int (*get_trip_hyst)(struct thermal_zone_device *, int, int *); + int (*set_trip_hyst)(struct thermal_zone_device *, int, int); + int (*get_crit_temp)(struct thermal_zone_device *, int *); + int (*set_emul_temp)(struct thermal_zone_device *, int); + int (*get_trend)(struct thermal_zone_device *, int, enum thermal_trend *); + int (*notify)(struct thermal_zone_device *, int, enum thermal_trip_type); +}; + +struct thermal_attr; + +struct thermal_zone_params; + +struct thermal_governor; + +struct thermal_zone_device { + int id; + char type[20]; + struct device device; + struct attribute_group trips_attribute_group; + struct thermal_attr *trip_temp_attrs; + struct thermal_attr *trip_type_attrs; + struct thermal_attr *trip_hyst_attrs; + void *devdata; + int trips; + long unsigned int trips_disabled; + int passive_delay; + int polling_delay; + int temperature; + int last_temperature; + int emul_temperature; + int passive; + int prev_low_trip; + int prev_high_trip; + unsigned int forced_passive; + atomic_t need_update; + struct thermal_zone_device_ops *ops; + struct thermal_zone_params *tzp; + struct thermal_governor *governor; + void *governor_data; + struct list_head thermal_instances; + struct ida ida; + struct mutex lock; + struct list_head node; + struct delayed_work poll_queue; + enum thermal_notify_event notify_event; +}; + +struct thermal_cooling_device_ops { + int (*get_max_state)(struct thermal_cooling_device *, long unsigned int *); + int (*get_cur_state)(struct thermal_cooling_device *, long unsigned int *); + int (*set_cur_state)(struct thermal_cooling_device *, long unsigned int); + int (*get_requested_power)(struct thermal_cooling_device *, struct thermal_zone_device *, u32 *); + int (*state2power)(struct thermal_cooling_device *, struct thermal_zone_device *, long unsigned int, u32 *); + int (*power2state)(struct thermal_cooling_device *, struct thermal_zone_device *, u32, long unsigned int *); +}; + +struct thermal_attr { + struct device_attribute attr; + char name[20]; +}; + +struct thermal_bind_params; + +struct thermal_zone_params { + char governor_name[20]; + bool no_hwmon; + int num_tbps; + struct thermal_bind_params *tbp; + u32 sustainable_power; + s32 k_po; + s32 k_pu; + s32 k_i; + s32 k_d; + s32 integral_cutoff; + int slope; + int offset; +}; + +struct thermal_governor { + char name[20]; + int (*bind_to_tz)(struct thermal_zone_device *); + void (*unbind_from_tz)(struct thermal_zone_device *); + int (*throttle)(struct thermal_zone_device *, int); + struct list_head governor_list; +}; + +struct thermal_bind_params { + struct thermal_cooling_device *cdev; + int weight; + int trip_mask; + long unsigned int *binding_limits; + int (*match)(struct thermal_zone_device *, struct thermal_cooling_device *); +}; + +struct acpi_lpi_state { + u32 min_residency; + u32 wake_latency; + u32 flags; + u32 arch_flags; + u32 res_cnt_freq; + u32 enable_parent_state; + u64 address; + u8 index; + u8 entry_method; + char desc[32]; +}; + +struct acpi_processor_power { + int count; + union { + struct acpi_processor_cx states[8]; + struct acpi_lpi_state lpi_states[8]; + }; + int timer_broadcast_on_state; +}; + +struct acpi_psd_package { + u64 num_entries; + u64 revision; + u64 domain; + u64 coord_type; + u64 num_processors; +}; + +struct acpi_pct_register { + u8 descriptor; + u16 length; + u8 space_id; + u8 bit_width; + u8 bit_offset; + u8 reserved; + u64 address; +} __attribute__((packed)); + +struct acpi_processor_px { + u64 core_frequency; + u64 power; + u64 transition_latency; + u64 bus_master_latency; + u64 control; + u64 status; +}; + +struct acpi_processor_performance { + unsigned int state; + unsigned int platform_limit; + struct acpi_pct_register control_register; + struct acpi_pct_register status_register; + short: 16; + unsigned int state_count; + int: 32; + struct acpi_processor_px *states; + struct acpi_psd_package domain_info; + cpumask_var_t shared_cpu_map; + unsigned int shared_type; + int: 32; +} __attribute__((packed)); + +struct acpi_tsd_package { + u64 num_entries; + u64 revision; + u64 domain; + u64 coord_type; + u64 num_processors; +}; + +struct acpi_processor_tx_tss { + u64 freqpercentage; + u64 power; + u64 transition_latency; + u64 control; + u64 status; +}; + +struct acpi_processor_tx { + u16 power; + u16 performance; +}; + +struct acpi_processor; + +struct acpi_processor_throttling { + unsigned int state; + unsigned int platform_limit; + struct acpi_pct_register control_register; + struct acpi_pct_register status_register; + short: 16; + unsigned int state_count; + int: 32; + struct acpi_processor_tx_tss *states_tss; + struct acpi_tsd_package domain_info; + cpumask_var_t shared_cpu_map; + int (*acpi_processor_get_throttling)(struct acpi_processor *); + int (*acpi_processor_set_throttling)(struct acpi_processor *, int, bool); + u32 address; + u8 duty_offset; + u8 duty_width; + u8 tsd_valid_flag; + char: 8; + unsigned int shared_type; + struct acpi_processor_tx states[16]; + int: 32; +} __attribute__((packed)); + +struct acpi_processor_lx { + int px; + int tx; +}; + +struct acpi_processor_limit { + struct acpi_processor_lx state; + struct acpi_processor_lx thermal; + struct acpi_processor_lx user; +}; + +struct acpi_processor { + acpi_handle handle; + u32 acpi_id; + phys_cpuid_t phys_id; + u32 id; + u32 pblk; + int performance_platform_limit; + int throttling_platform_limit; + struct acpi_processor_flags flags; + struct acpi_processor_power power; + struct acpi_processor_performance *performance; + struct acpi_processor_throttling throttling; + struct acpi_processor_limit limit; + struct thermal_cooling_device *cdev; + struct device *dev; + struct freq_qos_request perflib_req; + struct freq_qos_request thermal_req; +}; + +struct acpi_processor_errata { + u8 smp; + struct { + u8 throttle: 1; + u8 fdma: 1; + u8 reserved: 6; + u32 bmisx; + } piix4; +}; + +struct acpi_table_ecdt { + struct acpi_table_header header; + struct acpi_generic_address control; + struct acpi_generic_address data; + u32 uid; + u8 gpe; + u8 id[1]; +} __attribute__((packed)); + +struct transaction; + +struct acpi_ec { + acpi_handle handle; + int gpe; + int irq; + long unsigned int command_addr; + long unsigned int data_addr; + bool global_lock; + long unsigned int flags; + long unsigned int reference_count; + struct mutex mutex; + wait_queue_head_t wait; + struct list_head list; + struct transaction *curr; + spinlock_t lock; + struct work_struct work; + long unsigned int timestamp; + long unsigned int nr_pending_queries; + bool busy_polling; + unsigned int polling_guard; +}; + +struct transaction { + const u8 *wdata; + u8 *rdata; + short unsigned int irq_count; + u8 command; + u8 wi; + u8 ri; + u8 wlen; + u8 rlen; + u8 flags; +}; + +typedef int (*acpi_ec_query_func)(void *); + +enum ec_command { + ACPI_EC_COMMAND_READ = 128, + ACPI_EC_COMMAND_WRITE = 129, + ACPI_EC_BURST_ENABLE = 130, + ACPI_EC_BURST_DISABLE = 131, + ACPI_EC_COMMAND_QUERY = 132, +}; + +enum { + EC_FLAGS_QUERY_ENABLED = 0, + EC_FLAGS_QUERY_PENDING = 1, + EC_FLAGS_QUERY_GUARDING = 2, + EC_FLAGS_EVENT_HANDLER_INSTALLED = 3, + EC_FLAGS_EC_HANDLER_INSTALLED = 4, + EC_FLAGS_QUERY_METHODS_INSTALLED = 5, + EC_FLAGS_STARTED = 6, + EC_FLAGS_STOPPED = 7, + EC_FLAGS_EVENTS_MASKED = 8, +}; + +struct acpi_ec_query_handler { + struct list_head node; + acpi_ec_query_func func; + acpi_handle handle; + void *data; + u8 query_bit; + struct kref kref; +}; + +struct acpi_ec_query { + struct transaction transaction; + struct work_struct work; + struct acpi_ec_query_handler *handler; +}; + +struct dock_station { + acpi_handle handle; + long unsigned int last_dock_time; + u32 flags; + struct list_head dependent_devices; + struct list_head sibling; + struct platform_device *dock_device; +}; + +struct dock_dependent_device { + struct list_head list; + struct acpi_device *adev; +}; + +enum dock_callback_type { + DOCK_CALL_HANDLER = 0, + DOCK_CALL_FIXUP = 1, + DOCK_CALL_UEVENT = 2, +}; + +struct acpi_pci_root_ops; + +struct acpi_pci_root_info { + struct acpi_pci_root *root; + struct acpi_device *bridge; + struct acpi_pci_root_ops *ops; + struct list_head resources; + char name[16]; +}; + +struct acpi_pci_root_ops { + struct pci_ops *pci_ops; + int (*init_info)(struct acpi_pci_root_info *); + void (*release_info)(struct acpi_pci_root_info *); + int (*prepare_resources)(struct acpi_pci_root_info *); +}; + +struct pci_osc_bit_struct { + u32 bit; + char *desc; +}; + +struct acpi_handle_node { + struct list_head node; + acpi_handle handle; +}; + +struct acpi_pci_link_irq { + u32 active; + u8 triggering; + u8 polarity; + u8 resource_type; + u8 possible_count; + u32 possible[16]; + u8 initialized: 1; + u8 reserved: 7; +}; + +struct acpi_pci_link { + struct list_head list; + struct acpi_device *device; + struct acpi_pci_link_irq irq; + int refcnt; +}; + +struct acpi_pci_routing_table { + u32 length; + u32 pin; + u64 address; + u32 source_index; + char source[4]; +}; + +struct acpi_prt_entry { + struct acpi_pci_id id; + u8 pin; + acpi_handle link; + u32 index; +}; + +struct prt_quirk { + const struct dmi_system_id *system; + unsigned int segment; + unsigned int bus; + unsigned int device; + unsigned char pin; + const char *source; + const char *actual_source; +}; + +struct apd_private_data; + +struct apd_device_desc { + unsigned int flags; + unsigned int fixed_clk_rate; + struct property_entry *properties; + int (*setup)(struct apd_private_data *); +}; + +struct apd_private_data { + struct clk *clk; + struct acpi_device *adev; + const struct apd_device_desc *dev_desc; +}; + +struct acpi_power_dependent_device { + struct device *dev; + struct list_head node; +}; + +struct acpi_power_resource { + struct acpi_device device; + struct list_head list_node; + char *name; + u32 system_level; + u32 order; + unsigned int ref_count; + bool wakeup_enabled; + struct mutex resource_lock; + struct list_head dependents; +}; + +struct acpi_power_resource_entry { + struct list_head node; + struct acpi_power_resource *resource; +}; + +struct acpi_bus_event { + struct list_head node; + acpi_device_class device_class; + acpi_bus_id bus_id; + u32 type; + u32 data; +}; + +struct acpi_genl_event { + acpi_device_class device_class; + char bus_id[15]; + u32 type; + u32 data; +}; + +enum { + ACPI_GENL_ATTR_UNSPEC = 0, + ACPI_GENL_ATTR_EVENT = 1, + __ACPI_GENL_ATTR_MAX = 2, +}; + +enum { + ACPI_GENL_CMD_UNSPEC = 0, + ACPI_GENL_CMD_EVENT = 1, + __ACPI_GENL_CMD_MAX = 2, +}; + +struct acpi_ged_device { + struct device *dev; + struct list_head event_list; +}; + +struct acpi_ged_event { + struct list_head node; + struct device *dev; + unsigned int gsi; + unsigned int irq; + acpi_handle handle; +}; + +typedef void (*acpi_gbl_event_handler)(u32, acpi_handle, u32, void *); + +struct acpi_table_bert { + struct acpi_table_header header; + u32 region_length; + u64 address; +}; + +struct acpi_table_attr { + struct bin_attribute attr; + char name[4]; + int instance; + char filename[8]; + struct list_head node; +}; + +struct acpi_data_attr { + struct bin_attribute attr; + u64 addr; +}; + +struct acpi_data_obj { + char *name; + int (*fn)(void *, struct acpi_data_attr *); +}; + +struct event_counter { + u32 count; + u32 flags; +}; + +struct acpi_device_properties { + const guid_t *guid; + const union acpi_object *properties; + struct list_head list; +}; + +struct always_present_id { + struct acpi_device_id hid[2]; + struct x86_cpu_id cpu_ids[2]; + struct dmi_system_id dmi_ids[2]; + const char *uid; +}; + +struct acpi_lpat { + int temp; + int raw; +}; + +struct acpi_lpat_conversion_table { + struct acpi_lpat *lpat; + int lpat_count; +}; + +struct acpi_table_lpit { + struct acpi_table_header header; +}; + +struct acpi_lpit_header { + u32 type; + u32 length; + u16 unique_id; + u16 reserved; + u32 flags; +}; + +struct acpi_lpit_native { + struct acpi_lpit_header header; + struct acpi_generic_address entry_trigger; + u32 residency; + u32 latency; + struct acpi_generic_address residency_counter; + u64 counter_frequency; +} __attribute__((packed)); + +struct lpit_residency_info { + struct acpi_generic_address gaddr; + u64 frequency; + void *iomem_addr; +}; + +struct acpi_name_info { + char name[4]; + u16 argument_list; + u8 expected_btypes; +} __attribute__((packed)); + +struct acpi_package_info { + u8 type; + u8 object_type1; + u8 count1; + u8 object_type2; + u8 count2; + u16 reserved; +} __attribute__((packed)); + +struct acpi_package_info2 { + u8 type; + u8 count; + u8 object_type[4]; + u8 reserved; +}; + +struct acpi_package_info3 { + u8 type; + u8 count; + u8 object_type[2]; + u8 tail_object_type; + u16 reserved; +} __attribute__((packed)); + +struct acpi_package_info4 { + u8 type; + u8 object_type1; + u8 count1; + u8 sub_object_types; + u8 pkg_count; + u16 reserved; +} __attribute__((packed)); + +union acpi_predefined_info { + struct acpi_name_info info; + struct acpi_package_info ret_info; + struct acpi_package_info2 ret_info2; + struct acpi_package_info3 ret_info3; + struct acpi_package_info4 ret_info4; +}; + +struct acpi_evaluate_info { + struct acpi_namespace_node *prefix_node; + const char *relative_pathname; + union acpi_operand_object **parameters; + struct acpi_namespace_node *node; + union acpi_operand_object *obj_desc; + char *full_pathname; + const union acpi_predefined_info *predefined; + union acpi_operand_object *return_object; + union acpi_operand_object *parent_package; + u32 return_flags; + u32 return_btype; + u16 param_count; + u16 node_flags; + u8 pass_number; + u8 return_object_type; + u8 flags; +}; + +enum { + ACPI_REFCLASS_LOCAL = 0, + ACPI_REFCLASS_ARG = 1, + ACPI_REFCLASS_REFOF = 2, + ACPI_REFCLASS_INDEX = 3, + ACPI_REFCLASS_TABLE = 4, + ACPI_REFCLASS_NAME = 5, + ACPI_REFCLASS_DEBUG = 6, + ACPI_REFCLASS_MAX = 6, +}; + +struct acpi_common_descriptor { + void *common_pointer; + u8 descriptor_type; +}; + +union acpi_descriptor { + struct acpi_common_descriptor common; + union acpi_operand_object object; + struct acpi_namespace_node node; + union acpi_parse_object op; +}; + +typedef enum { + ACPI_IMODE_LOAD_PASS1 = 1, + ACPI_IMODE_LOAD_PASS2 = 2, + ACPI_IMODE_EXECUTE = 3, +} acpi_interpreter_mode; + +struct acpi_create_field_info { + struct acpi_namespace_node *region_node; + struct acpi_namespace_node *field_node; + struct acpi_namespace_node *register_node; + struct acpi_namespace_node *data_register_node; + struct acpi_namespace_node *connection_node; + u8 *resource_buffer; + u32 bank_value; + u32 field_bit_position; + u32 field_bit_length; + u16 resource_length; + u16 pin_number_index; + u8 field_flags; + u8 attribute; + u8 field_type; + u8 access_length; +}; + +struct acpi_init_walk_info { + u32 table_index; + u32 object_count; + u32 method_count; + u32 serial_method_count; + u32 non_serial_method_count; + u32 serialized_method_count; + u32 device_count; + u32 op_region_count; + u32 field_count; + u32 buffer_count; + u32 package_count; + u32 op_region_init; + u32 field_init; + u32 buffer_init; + u32 package_init; + acpi_owner_id owner_id; +}; + +typedef u32 acpi_name; + +typedef acpi_status (*acpi_exception_handler)(acpi_status, acpi_name, u16, u32, void *); + +enum { + AML_FIELD_ACCESS_ANY = 0, + AML_FIELD_ACCESS_BYTE = 1, + AML_FIELD_ACCESS_WORD = 2, + AML_FIELD_ACCESS_DWORD = 3, + AML_FIELD_ACCESS_QWORD = 4, + AML_FIELD_ACCESS_BUFFER = 5, +}; + +typedef acpi_status (*acpi_execute_op)(struct acpi_walk_state *); + +struct acpi_fixed_event_handler { + acpi_event_handler handler; + void *context; +}; + +struct acpi_fixed_event_info { + u8 status_register_id; + u8 enable_register_id; + u16 status_bit_mask; + u16 enable_bit_mask; +}; + +typedef u32 acpi_mutex_handle; + +struct acpi_gpe_walk_info { + struct acpi_namespace_node *gpe_device; + struct acpi_gpe_block_info *gpe_block; + u16 count; + acpi_owner_id owner_id; + u8 execute_by_owner_id; +}; + +struct acpi_gpe_device_info { + u32 index; + u32 next_block_base_index; + acpi_status status; + struct acpi_namespace_node *gpe_device; +}; + +typedef acpi_status (*acpi_gpe_callback)(struct acpi_gpe_xrupt_info *, struct acpi_gpe_block_info *, void *); + +struct acpi_connection_info { + u8 *connection; + u16 length; + u8 access_length; +}; + +struct acpi_reg_walk_info { + u32 function; + u32 reg_run_count; + acpi_adr_space_type space_id; +}; + +typedef u32 (*acpi_sci_handler)(void *); + +struct acpi_sci_handler_info { + struct acpi_sci_handler_info *next; + acpi_sci_handler address; + void *context; +}; + +enum { + AML_FIELD_UPDATE_PRESERVE = 0, + AML_FIELD_UPDATE_WRITE_AS_ONES = 32, + AML_FIELD_UPDATE_WRITE_AS_ZEROS = 64, +}; + +struct acpi_signal_fatal_info { + u32 type; + u32 code; + u32 argument; +}; + +enum { + MATCH_MTR = 0, + MATCH_MEQ = 1, + MATCH_MLE = 2, + MATCH_MLT = 3, + MATCH_MGE = 4, + MATCH_MGT = 5, +}; + +enum { + AML_FIELD_ATTRIB_QUICK = 2, + AML_FIELD_ATTRIB_SEND_RECEIVE = 4, + AML_FIELD_ATTRIB_BYTE = 6, + AML_FIELD_ATTRIB_WORD = 8, + AML_FIELD_ATTRIB_BLOCK = 10, + AML_FIELD_ATTRIB_BYTES = 11, + AML_FIELD_ATTRIB_PROCESS_CALL = 12, + AML_FIELD_ATTRIB_BLOCK_PROCESS_CALL = 13, + AML_FIELD_ATTRIB_RAW_BYTES = 14, + AML_FIELD_ATTRIB_RAW_PROCESS_BYTES = 15, +}; + +typedef enum { + ACPI_TRACE_AML_METHOD = 0, + ACPI_TRACE_AML_OPCODE = 1, + ACPI_TRACE_AML_REGION = 2, +} acpi_trace_event_type; + +struct acpi_bit_register_info { + u8 parent_register; + u8 bit_position; + u16 access_bit_mask; +}; + +struct acpi_port_info { + char *name; + u16 start; + u16 end; + u8 osi_dependency; +}; + +struct acpi_pci_device { + acpi_handle device; + struct acpi_pci_device *next; +}; + +typedef acpi_status (*acpi_init_handler)(acpi_handle, u32); + +struct acpi_device_walk_info { + struct acpi_table_desc *table_desc; + struct acpi_evaluate_info *evaluate_info; + u32 device_count; + u32 num_STA; + u32 num_INI; +}; + +typedef acpi_status (*acpi_pkg_callback)(u8, union acpi_operand_object *, union acpi_generic_state *, void *); + +struct acpi_table_list { + struct acpi_table_desc *tables; + u32 current_table_count; + u32 max_table_count; + u8 flags; +}; + +enum acpi_return_package_types { + ACPI_PTYPE1_FIXED = 1, + ACPI_PTYPE1_VAR = 2, + ACPI_PTYPE1_OPTION = 3, + ACPI_PTYPE2 = 4, + ACPI_PTYPE2_COUNT = 5, + ACPI_PTYPE2_PKG_COUNT = 6, + ACPI_PTYPE2_FIXED = 7, + ACPI_PTYPE2_MIN = 8, + ACPI_PTYPE2_REV_FIXED = 9, + ACPI_PTYPE2_FIX_VAR = 10, + ACPI_PTYPE2_VAR_VAR = 11, + ACPI_PTYPE2_UUID_PAIR = 12, + ACPI_PTYPE_CUSTOM = 13, +}; + +typedef acpi_status (*acpi_object_converter)(struct acpi_namespace_node *, union acpi_operand_object *, union acpi_operand_object **); + +struct acpi_simple_repair_info { + char name[4]; + u32 unexpected_btypes; + u32 package_index; + acpi_object_converter object_converter; +}; + +typedef acpi_status (*acpi_repair_function)(struct acpi_evaluate_info *, union acpi_operand_object **); + +struct acpi_repair_info { + char name[4]; + acpi_repair_function repair_function; +}; + +struct acpi_namestring_info { + const char *external_name; + const char *next_external_char; + char *internal_name; + u32 length; + u32 num_segments; + u32 num_carats; + u8 fully_qualified; +}; + +struct acpi_rw_lock { + void *writer_mutex; + void *reader_mutex; + u32 num_readers; +}; + +struct acpi_get_devices_info { + acpi_walk_callback user_function; + void *context; + const char *hid; +}; + +struct aml_resource_small_header { + u8 descriptor_type; +}; + +struct aml_resource_irq { + u8 descriptor_type; + u16 irq_mask; + u8 flags; +} __attribute__((packed)); + +struct aml_resource_dma { + u8 descriptor_type; + u8 dma_channel_mask; + u8 flags; +}; + +struct aml_resource_start_dependent { + u8 descriptor_type; + u8 flags; +}; + +struct aml_resource_end_dependent { + u8 descriptor_type; +}; + +struct aml_resource_io { + u8 descriptor_type; + u8 flags; + u16 minimum; + u16 maximum; + u8 alignment; + u8 address_length; +}; + +struct aml_resource_fixed_io { + u8 descriptor_type; + u16 address; + u8 address_length; +} __attribute__((packed)); + +struct aml_resource_vendor_small { + u8 descriptor_type; +}; + +struct aml_resource_end_tag { + u8 descriptor_type; + u8 checksum; +}; + +struct aml_resource_fixed_dma { + u8 descriptor_type; + u16 request_lines; + u16 channels; + u8 width; +} __attribute__((packed)); + +struct aml_resource_large_header { + u8 descriptor_type; + u16 resource_length; +} __attribute__((packed)); + +struct aml_resource_memory24 { + u8 descriptor_type; + u16 resource_length; + u8 flags; + u16 minimum; + u16 maximum; + u16 alignment; + u16 address_length; +} __attribute__((packed)); + +struct aml_resource_vendor_large { + u8 descriptor_type; + u16 resource_length; +} __attribute__((packed)); + +struct aml_resource_memory32 { + u8 descriptor_type; + u16 resource_length; + u8 flags; + u32 minimum; + u32 maximum; + u32 alignment; + u32 address_length; +} __attribute__((packed)); + +struct aml_resource_fixed_memory32 { + u8 descriptor_type; + u16 resource_length; + u8 flags; + u32 address; + u32 address_length; +} __attribute__((packed)); + +struct aml_resource_address { + u8 descriptor_type; + u16 resource_length; + u8 resource_type; + u8 flags; + u8 specific_flags; +} __attribute__((packed)); + +struct aml_resource_extended_address64 { + u8 descriptor_type; + u16 resource_length; + u8 resource_type; + u8 flags; + u8 specific_flags; + u8 revision_ID; + u8 reserved; + u64 granularity; + u64 minimum; + u64 maximum; + u64 translation_offset; + u64 address_length; + u64 type_specific; +} __attribute__((packed)); + +struct aml_resource_address64 { + u8 descriptor_type; + u16 resource_length; + u8 resource_type; + u8 flags; + u8 specific_flags; + u64 granularity; + u64 minimum; + u64 maximum; + u64 translation_offset; + u64 address_length; +} __attribute__((packed)); + +struct aml_resource_address32 { + u8 descriptor_type; + u16 resource_length; + u8 resource_type; + u8 flags; + u8 specific_flags; + u32 granularity; + u32 minimum; + u32 maximum; + u32 translation_offset; + u32 address_length; +} __attribute__((packed)); + +struct aml_resource_address16 { + u8 descriptor_type; + u16 resource_length; + u8 resource_type; + u8 flags; + u8 specific_flags; + u16 granularity; + u16 minimum; + u16 maximum; + u16 translation_offset; + u16 address_length; +} __attribute__((packed)); + +struct aml_resource_extended_irq { + u8 descriptor_type; + u16 resource_length; + u8 flags; + u8 interrupt_count; + u32 interrupts[1]; +} __attribute__((packed)); + +struct aml_resource_generic_register { + u8 descriptor_type; + u16 resource_length; + u8 address_space_id; + u8 bit_width; + u8 bit_offset; + u8 access_size; + u64 address; +} __attribute__((packed)); + +struct aml_resource_gpio { + u8 descriptor_type; + u16 resource_length; + u8 revision_id; + u8 connection_type; + u16 flags; + u16 int_flags; + u8 pin_config; + u16 drive_strength; + u16 debounce_timeout; + u16 pin_table_offset; + u8 res_source_index; + u16 res_source_offset; + u16 vendor_offset; + u16 vendor_length; +} __attribute__((packed)); + +struct aml_resource_common_serialbus { + u8 descriptor_type; + u16 resource_length; + u8 revision_id; + u8 res_source_index; + u8 type; + u8 flags; + u16 type_specific_flags; + u8 type_revision_id; + u16 type_data_length; +} __attribute__((packed)); + +struct aml_resource_i2c_serialbus { + u8 descriptor_type; + u16 resource_length; + u8 revision_id; + u8 res_source_index; + u8 type; + u8 flags; + u16 type_specific_flags; + u8 type_revision_id; + u16 type_data_length; + u32 connection_speed; + u16 slave_address; +} __attribute__((packed)); + +struct aml_resource_spi_serialbus { + u8 descriptor_type; + u16 resource_length; + u8 revision_id; + u8 res_source_index; + u8 type; + u8 flags; + u16 type_specific_flags; + u8 type_revision_id; + u16 type_data_length; + u32 connection_speed; + u8 data_bit_length; + u8 clock_phase; + u8 clock_polarity; + u16 device_selection; +} __attribute__((packed)); + +struct aml_resource_uart_serialbus { + u8 descriptor_type; + u16 resource_length; + u8 revision_id; + u8 res_source_index; + u8 type; + u8 flags; + u16 type_specific_flags; + u8 type_revision_id; + u16 type_data_length; + u32 default_baud_rate; + u16 rx_fifo_size; + u16 tx_fifo_size; + u8 parity; + u8 lines_enabled; +} __attribute__((packed)); + +struct aml_resource_pin_function { + u8 descriptor_type; + u16 resource_length; + u8 revision_id; + u16 flags; + u8 pin_config; + u16 function_number; + u16 pin_table_offset; + u8 res_source_index; + u16 res_source_offset; + u16 vendor_offset; + u16 vendor_length; +} __attribute__((packed)); + +struct aml_resource_pin_config { + u8 descriptor_type; + u16 resource_length; + u8 revision_id; + u16 flags; + u8 pin_config_type; + u32 pin_config_value; + u16 pin_table_offset; + u8 res_source_index; + u16 res_source_offset; + u16 vendor_offset; + u16 vendor_length; +} __attribute__((packed)); + +struct aml_resource_pin_group { + u8 descriptor_type; + u16 resource_length; + u8 revision_id; + u16 flags; + u16 pin_table_offset; + u16 label_offset; + u16 vendor_offset; + u16 vendor_length; +} __attribute__((packed)); + +struct aml_resource_pin_group_function { + u8 descriptor_type; + u16 resource_length; + u8 revision_id; + u16 flags; + u16 function_number; + u8 res_source_index; + u16 res_source_offset; + u16 res_source_label_offset; + u16 vendor_offset; + u16 vendor_length; +} __attribute__((packed)); + +struct aml_resource_pin_group_config { + u8 descriptor_type; + u16 resource_length; + u8 revision_id; + u16 flags; + u8 pin_config_type; + u32 pin_config_value; + u8 res_source_index; + u16 res_source_offset; + u16 res_source_label_offset; + u16 vendor_offset; + u16 vendor_length; +} __attribute__((packed)); + +union aml_resource { + u8 descriptor_type; + struct aml_resource_small_header small_header; + struct aml_resource_large_header large_header; + struct aml_resource_irq irq; + struct aml_resource_dma dma; + struct aml_resource_start_dependent start_dpf; + struct aml_resource_end_dependent end_dpf; + struct aml_resource_io io; + struct aml_resource_fixed_io fixed_io; + struct aml_resource_fixed_dma fixed_dma; + struct aml_resource_vendor_small vendor_small; + struct aml_resource_end_tag end_tag; + struct aml_resource_memory24 memory24; + struct aml_resource_generic_register generic_reg; + struct aml_resource_vendor_large vendor_large; + struct aml_resource_memory32 memory32; + struct aml_resource_fixed_memory32 fixed_memory32; + struct aml_resource_address16 address16; + struct aml_resource_address32 address32; + struct aml_resource_address64 address64; + struct aml_resource_extended_address64 ext_address64; + struct aml_resource_extended_irq extended_irq; + struct aml_resource_gpio gpio; + struct aml_resource_i2c_serialbus i2c_serial_bus; + struct aml_resource_spi_serialbus spi_serial_bus; + struct aml_resource_uart_serialbus uart_serial_bus; + struct aml_resource_common_serialbus common_serial_bus; + struct aml_resource_pin_function pin_function; + struct aml_resource_pin_config pin_config; + struct aml_resource_pin_group pin_group; + struct aml_resource_pin_group_function pin_group_function; + struct aml_resource_pin_group_config pin_group_config; + struct aml_resource_address address; + u32 dword_item; + u16 word_item; + u8 byte_item; +}; + +struct acpi_rsconvert_info { + u8 opcode; + u8 resource_offset; + u8 aml_offset; + u8 value; +}; + +enum { + ACPI_RSC_INITGET = 0, + ACPI_RSC_INITSET = 1, + ACPI_RSC_FLAGINIT = 2, + ACPI_RSC_1BITFLAG = 3, + ACPI_RSC_2BITFLAG = 4, + ACPI_RSC_3BITFLAG = 5, + ACPI_RSC_ADDRESS = 6, + ACPI_RSC_BITMASK = 7, + ACPI_RSC_BITMASK16 = 8, + ACPI_RSC_COUNT = 9, + ACPI_RSC_COUNT16 = 10, + ACPI_RSC_COUNT_GPIO_PIN = 11, + ACPI_RSC_COUNT_GPIO_RES = 12, + ACPI_RSC_COUNT_GPIO_VEN = 13, + ACPI_RSC_COUNT_SERIAL_RES = 14, + ACPI_RSC_COUNT_SERIAL_VEN = 15, + ACPI_RSC_DATA8 = 16, + ACPI_RSC_EXIT_EQ = 17, + ACPI_RSC_EXIT_LE = 18, + ACPI_RSC_EXIT_NE = 19, + ACPI_RSC_LENGTH = 20, + ACPI_RSC_MOVE_GPIO_PIN = 21, + ACPI_RSC_MOVE_GPIO_RES = 22, + ACPI_RSC_MOVE_SERIAL_RES = 23, + ACPI_RSC_MOVE_SERIAL_VEN = 24, + ACPI_RSC_MOVE8 = 25, + ACPI_RSC_MOVE16 = 26, + ACPI_RSC_MOVE32 = 27, + ACPI_RSC_MOVE64 = 28, + ACPI_RSC_SET8 = 29, + ACPI_RSC_SOURCE = 30, + ACPI_RSC_SOURCEX = 31, +}; + +typedef u16 acpi_rs_length; + +typedef acpi_status (*acpi_walk_aml_callback)(u8 *, u32, u32, u8, void **); + +typedef u32 acpi_rsdesc_size; + +struct acpi_vendor_uuid { + u8 subtype; + u8 data[16]; +}; + +struct acpi_vendor_walk_info { + struct acpi_vendor_uuid *uuid; + struct acpi_buffer *buffer; + acpi_status status; +}; + +struct acpi_fadt_info { + const char *name; + u16 address64; + u16 address32; + u16 length; + u8 default_length; + u8 flags; +}; + +struct acpi_fadt_pm_info { + struct acpi_generic_address *target; + u16 source; + u8 register_num; +}; + +struct acpi_table_rsdp { + char signature[8]; + u8 checksum; + char oem_id[6]; + u8 revision; + u32 rsdt_physical_address; + u32 length; + u64 xsdt_physical_address; + u8 extended_checksum; + u8 reserved[3]; +} __attribute__((packed)); + +struct acpi_address_range { + struct acpi_address_range *next; + struct acpi_namespace_node *region_node; + acpi_physical_address start_address; + acpi_physical_address end_address; +}; + +struct acpi_pkg_info { + u8 *free_space; + acpi_size length; + u32 object_space; + u32 num_packages; +}; + +struct acpi_exception_info { + char *name; +}; + +struct acpi_mutex_info { + void *mutex; + u32 use_count; + u64 thread_id; +}; + +struct acpi_comment_node { + char *comment; + struct acpi_comment_node *next; +}; + +struct acpi_interface_info { + char *name; + struct acpi_interface_info *next; + u8 flags; + u8 value; +}; + +enum led_brightness { + LED_OFF = 0, + LED_ON = 1, + LED_HALF = 127, + LED_FULL = 255, +}; + +struct led_pattern; + +struct led_trigger; + +struct led_classdev { + const char *name; + enum led_brightness brightness; + enum led_brightness max_brightness; + int flags; + long unsigned int work_flags; + void (*brightness_set)(struct led_classdev *, enum led_brightness); + int (*brightness_set_blocking)(struct led_classdev *, enum led_brightness); + enum led_brightness (*brightness_get)(struct led_classdev *); + int (*blink_set)(struct led_classdev *, long unsigned int *, long unsigned int *); + int (*pattern_set)(struct led_classdev *, struct led_pattern *, u32, int); + int (*pattern_clear)(struct led_classdev *); + struct device *dev; + const struct attribute_group **groups; + struct list_head node; + const char *default_trigger; + long unsigned int blink_delay_on; + long unsigned int blink_delay_off; + struct timer_list blink_timer; + int blink_brightness; + int new_blink_brightness; + void (*flash_resume)(struct led_classdev *); + struct work_struct set_brightness_work; + int delayed_set_value; + struct rw_semaphore trigger_lock; + struct led_trigger *trigger; + struct list_head trig_list; + void *trigger_data; + bool activated; + struct mutex led_access; +}; + +struct led_pattern { + u32 delta_t; + int brightness; +}; + +struct led_trigger { + const char *name; + int (*activate)(struct led_classdev *); + void (*deactivate)(struct led_classdev *); + rwlock_t leddev_list_lock; + struct list_head led_cdevs; + struct list_head next_trig; + const struct attribute_group **groups; +}; + +enum power_supply_property { + POWER_SUPPLY_PROP_STATUS = 0, + POWER_SUPPLY_PROP_CHARGE_TYPE = 1, + POWER_SUPPLY_PROP_HEALTH = 2, + POWER_SUPPLY_PROP_PRESENT = 3, + POWER_SUPPLY_PROP_ONLINE = 4, + POWER_SUPPLY_PROP_AUTHENTIC = 5, + POWER_SUPPLY_PROP_TECHNOLOGY = 6, + POWER_SUPPLY_PROP_CYCLE_COUNT = 7, + POWER_SUPPLY_PROP_VOLTAGE_MAX = 8, + POWER_SUPPLY_PROP_VOLTAGE_MIN = 9, + POWER_SUPPLY_PROP_VOLTAGE_MAX_DESIGN = 10, + POWER_SUPPLY_PROP_VOLTAGE_MIN_DESIGN = 11, + POWER_SUPPLY_PROP_VOLTAGE_NOW = 12, + POWER_SUPPLY_PROP_VOLTAGE_AVG = 13, + POWER_SUPPLY_PROP_VOLTAGE_OCV = 14, + POWER_SUPPLY_PROP_VOLTAGE_BOOT = 15, + POWER_SUPPLY_PROP_CURRENT_MAX = 16, + POWER_SUPPLY_PROP_CURRENT_NOW = 17, + POWER_SUPPLY_PROP_CURRENT_AVG = 18, + POWER_SUPPLY_PROP_CURRENT_BOOT = 19, + POWER_SUPPLY_PROP_POWER_NOW = 20, + POWER_SUPPLY_PROP_POWER_AVG = 21, + POWER_SUPPLY_PROP_CHARGE_FULL_DESIGN = 22, + POWER_SUPPLY_PROP_CHARGE_EMPTY_DESIGN = 23, + POWER_SUPPLY_PROP_CHARGE_FULL = 24, + POWER_SUPPLY_PROP_CHARGE_EMPTY = 25, + POWER_SUPPLY_PROP_CHARGE_NOW = 26, + POWER_SUPPLY_PROP_CHARGE_AVG = 27, + POWER_SUPPLY_PROP_CHARGE_COUNTER = 28, + POWER_SUPPLY_PROP_CONSTANT_CHARGE_CURRENT = 29, + POWER_SUPPLY_PROP_CONSTANT_CHARGE_CURRENT_MAX = 30, + POWER_SUPPLY_PROP_CONSTANT_CHARGE_VOLTAGE = 31, + POWER_SUPPLY_PROP_CONSTANT_CHARGE_VOLTAGE_MAX = 32, + POWER_SUPPLY_PROP_CHARGE_CONTROL_LIMIT = 33, + POWER_SUPPLY_PROP_CHARGE_CONTROL_LIMIT_MAX = 34, + POWER_SUPPLY_PROP_CHARGE_CONTROL_START_THRESHOLD = 35, + POWER_SUPPLY_PROP_CHARGE_CONTROL_END_THRESHOLD = 36, + POWER_SUPPLY_PROP_INPUT_CURRENT_LIMIT = 37, + POWER_SUPPLY_PROP_INPUT_VOLTAGE_LIMIT = 38, + POWER_SUPPLY_PROP_INPUT_POWER_LIMIT = 39, + POWER_SUPPLY_PROP_ENERGY_FULL_DESIGN = 40, + POWER_SUPPLY_PROP_ENERGY_EMPTY_DESIGN = 41, + POWER_SUPPLY_PROP_ENERGY_FULL = 42, + POWER_SUPPLY_PROP_ENERGY_EMPTY = 43, + POWER_SUPPLY_PROP_ENERGY_NOW = 44, + POWER_SUPPLY_PROP_ENERGY_AVG = 45, + POWER_SUPPLY_PROP_CAPACITY = 46, + POWER_SUPPLY_PROP_CAPACITY_ALERT_MIN = 47, + POWER_SUPPLY_PROP_CAPACITY_ALERT_MAX = 48, + POWER_SUPPLY_PROP_CAPACITY_LEVEL = 49, + POWER_SUPPLY_PROP_TEMP = 50, + POWER_SUPPLY_PROP_TEMP_MAX = 51, + POWER_SUPPLY_PROP_TEMP_MIN = 52, + POWER_SUPPLY_PROP_TEMP_ALERT_MIN = 53, + POWER_SUPPLY_PROP_TEMP_ALERT_MAX = 54, + POWER_SUPPLY_PROP_TEMP_AMBIENT = 55, + POWER_SUPPLY_PROP_TEMP_AMBIENT_ALERT_MIN = 56, + POWER_SUPPLY_PROP_TEMP_AMBIENT_ALERT_MAX = 57, + POWER_SUPPLY_PROP_TIME_TO_EMPTY_NOW = 58, + POWER_SUPPLY_PROP_TIME_TO_EMPTY_AVG = 59, + POWER_SUPPLY_PROP_TIME_TO_FULL_NOW = 60, + POWER_SUPPLY_PROP_TIME_TO_FULL_AVG = 61, + POWER_SUPPLY_PROP_TYPE = 62, + POWER_SUPPLY_PROP_USB_TYPE = 63, + POWER_SUPPLY_PROP_SCOPE = 64, + POWER_SUPPLY_PROP_PRECHARGE_CURRENT = 65, + POWER_SUPPLY_PROP_CHARGE_TERM_CURRENT = 66, + POWER_SUPPLY_PROP_CALIBRATE = 67, + POWER_SUPPLY_PROP_MODEL_NAME = 68, + POWER_SUPPLY_PROP_MANUFACTURER = 69, + POWER_SUPPLY_PROP_SERIAL_NUMBER = 70, +}; + +enum power_supply_type { + POWER_SUPPLY_TYPE_UNKNOWN = 0, + POWER_SUPPLY_TYPE_BATTERY = 1, + POWER_SUPPLY_TYPE_UPS = 2, + POWER_SUPPLY_TYPE_MAINS = 3, + POWER_SUPPLY_TYPE_USB = 4, + POWER_SUPPLY_TYPE_USB_DCP = 5, + POWER_SUPPLY_TYPE_USB_CDP = 6, + POWER_SUPPLY_TYPE_USB_ACA = 7, + POWER_SUPPLY_TYPE_USB_TYPE_C = 8, + POWER_SUPPLY_TYPE_USB_PD = 9, + POWER_SUPPLY_TYPE_USB_PD_DRP = 10, + POWER_SUPPLY_TYPE_APPLE_BRICK_ID = 11, +}; + +enum power_supply_usb_type { + POWER_SUPPLY_USB_TYPE_UNKNOWN = 0, + POWER_SUPPLY_USB_TYPE_SDP = 1, + POWER_SUPPLY_USB_TYPE_DCP = 2, + POWER_SUPPLY_USB_TYPE_CDP = 3, + POWER_SUPPLY_USB_TYPE_ACA = 4, + POWER_SUPPLY_USB_TYPE_C = 5, + POWER_SUPPLY_USB_TYPE_PD = 6, + POWER_SUPPLY_USB_TYPE_PD_DRP = 7, + POWER_SUPPLY_USB_TYPE_PD_PPS = 8, + POWER_SUPPLY_USB_TYPE_APPLE_BRICK_ID = 9, +}; + +union power_supply_propval { + int intval; + const char *strval; +}; + +struct power_supply_config { + struct device_node *of_node; + struct fwnode_handle *fwnode; + void *drv_data; + const struct attribute_group **attr_grp; + char **supplied_to; + size_t num_supplicants; +}; + +struct power_supply; + +struct power_supply_desc { + const char *name; + enum power_supply_type type; + enum power_supply_usb_type *usb_types; + size_t num_usb_types; + enum power_supply_property *properties; + size_t num_properties; + int (*get_property)(struct power_supply *, enum power_supply_property, union power_supply_propval *); + int (*set_property)(struct power_supply *, enum power_supply_property, const union power_supply_propval *); + int (*property_is_writeable)(struct power_supply *, enum power_supply_property); + void (*external_power_changed)(struct power_supply *); + void (*set_charged)(struct power_supply *); + bool no_thermal; + int use_for_apm; +}; + +struct power_supply { + const struct power_supply_desc *desc; + char **supplied_to; + size_t num_supplicants; + char **supplied_from; + size_t num_supplies; + struct device_node *of_node; + void *drv_data; + struct device dev; + struct work_struct changed_work; + struct delayed_work deferred_register_work; + spinlock_t changed_lock; + bool changed; + bool initialized; + bool removing; + atomic_t use_cnt; + struct thermal_zone_device *tzd; + struct thermal_cooling_device *tcd; + struct led_trigger *charging_full_trig; + char *charging_full_trig_name; + struct led_trigger *charging_trig; + char *charging_trig_name; + struct led_trigger *full_trig; + char *full_trig_name; + struct led_trigger *online_trig; + char *online_trig_name; + struct led_trigger *charging_blink_full_solid_trig; + char *charging_blink_full_solid_trig_name; +}; + +struct acpi_ac_bl { + const char *hid; + int hrv; +}; + +struct acpi_ac { + struct power_supply *charger; + struct power_supply_desc charger_desc; + struct acpi_device *device; + long long unsigned int state; + struct notifier_block battery_nb; +}; + +struct input_id { + __u16 bustype; + __u16 vendor; + __u16 product; + __u16 version; +}; + +struct input_absinfo { + __s32 value; + __s32 minimum; + __s32 maximum; + __s32 fuzz; + __s32 flat; + __s32 resolution; +}; + +struct input_keymap_entry { + __u8 flags; + __u8 len; + __u16 index; + __u32 keycode; + __u8 scancode[32]; +}; + +struct ff_replay { + __u16 length; + __u16 delay; +}; + +struct ff_trigger { + __u16 button; + __u16 interval; +}; + +struct ff_envelope { + __u16 attack_length; + __u16 attack_level; + __u16 fade_length; + __u16 fade_level; +}; + +struct ff_constant_effect { + __s16 level; + struct ff_envelope envelope; +}; + +struct ff_ramp_effect { + __s16 start_level; + __s16 end_level; + struct ff_envelope envelope; +}; + +struct ff_condition_effect { + __u16 right_saturation; + __u16 left_saturation; + __s16 right_coeff; + __s16 left_coeff; + __u16 deadband; + __s16 center; +}; + +struct ff_periodic_effect { + __u16 waveform; + __u16 period; + __s16 magnitude; + __s16 offset; + __u16 phase; + struct ff_envelope envelope; + __u32 custom_len; + __s16 *custom_data; +}; + +struct ff_rumble_effect { + __u16 strong_magnitude; + __u16 weak_magnitude; +}; + +struct ff_effect { + __u16 type; + __s16 id; + __u16 direction; + struct ff_trigger trigger; + struct ff_replay replay; + union { + struct ff_constant_effect constant; + struct ff_ramp_effect ramp; + struct ff_periodic_effect periodic; + struct ff_condition_effect condition[2]; + struct ff_rumble_effect rumble; + } u; +}; + +struct input_device_id { + kernel_ulong_t flags; + __u16 bustype; + __u16 vendor; + __u16 product; + __u16 version; + kernel_ulong_t evbit[1]; + kernel_ulong_t keybit[12]; + kernel_ulong_t relbit[1]; + kernel_ulong_t absbit[1]; + kernel_ulong_t mscbit[1]; + kernel_ulong_t ledbit[1]; + kernel_ulong_t sndbit[1]; + kernel_ulong_t ffbit[2]; + kernel_ulong_t swbit[1]; + kernel_ulong_t propbit[1]; + kernel_ulong_t driver_info; +}; + +struct input_value { + __u16 type; + __u16 code; + __s32 value; +}; + +enum input_clock_type { + INPUT_CLK_REAL = 0, + INPUT_CLK_MONO = 1, + INPUT_CLK_BOOT = 2, + INPUT_CLK_MAX = 3, +}; + +struct ff_device; + +struct input_dev_poller; + +struct input_mt; + +struct input_handle; + +struct input_dev { + const char *name; + const char *phys; + const char *uniq; + struct input_id id; + long unsigned int propbit[1]; + long unsigned int evbit[1]; + long unsigned int keybit[12]; + long unsigned int relbit[1]; + long unsigned int absbit[1]; + long unsigned int mscbit[1]; + long unsigned int ledbit[1]; + long unsigned int sndbit[1]; + long unsigned int ffbit[2]; + long unsigned int swbit[1]; + unsigned int hint_events_per_packet; + unsigned int keycodemax; + unsigned int keycodesize; + void *keycode; + int (*setkeycode)(struct input_dev *, const struct input_keymap_entry *, unsigned int *); + int (*getkeycode)(struct input_dev *, struct input_keymap_entry *); + struct ff_device *ff; + struct input_dev_poller *poller; + unsigned int repeat_key; + struct timer_list timer; + int rep[2]; + struct input_mt *mt; + struct input_absinfo *absinfo; + long unsigned int key[12]; + long unsigned int led[1]; + long unsigned int snd[1]; + long unsigned int sw[1]; + int (*open)(struct input_dev *); + void (*close)(struct input_dev *); + int (*flush)(struct input_dev *, struct file *); + int (*event)(struct input_dev *, unsigned int, unsigned int, int); + struct input_handle *grab; + spinlock_t event_lock; + struct mutex mutex; + unsigned int users; + bool going_away; + struct device dev; + struct list_head h_list; + struct list_head node; + unsigned int num_vals; + unsigned int max_vals; + struct input_value *vals; + bool devres_managed; + ktime_t timestamp[3]; +}; + +struct ff_device { + int (*upload)(struct input_dev *, struct ff_effect *, struct ff_effect *); + int (*erase)(struct input_dev *, int); + int (*playback)(struct input_dev *, int, int); + void (*set_gain)(struct input_dev *, u16); + void (*set_autocenter)(struct input_dev *, u16); + void (*destroy)(struct ff_device *); + void *private; + long unsigned int ffbit[2]; + struct mutex mutex; + int max_effects; + struct ff_effect *effects; + struct file *effect_owners[0]; +}; + +struct input_handler; + +struct input_handle { + void *private; + int open; + const char *name; + struct input_dev *dev; + struct input_handler *handler; + struct list_head d_node; + struct list_head h_node; +}; + +struct input_handler { + void *private; + void (*event)(struct input_handle *, unsigned int, unsigned int, int); + void (*events)(struct input_handle *, const struct input_value *, unsigned int); + bool (*filter)(struct input_handle *, unsigned int, unsigned int, int); + bool (*match)(struct input_handler *, struct input_dev *); + int (*connect)(struct input_handler *, struct input_dev *, const struct input_device_id *); + void (*disconnect)(struct input_handle *); + void (*start)(struct input_handle *); + bool legacy_minors; + int minor; + const char *name; + const struct input_device_id *id_table; + struct list_head h_list; + struct list_head node; +}; + +enum { + ACPI_BUTTON_LID_INIT_IGNORE = 0, + ACPI_BUTTON_LID_INIT_OPEN = 1, + ACPI_BUTTON_LID_INIT_METHOD = 2, + ACPI_BUTTON_LID_INIT_DISABLED = 3, +}; + +struct acpi_button { + unsigned int type; + struct input_dev *input; + char phys[32]; + long unsigned int pushed; + int last_state; + ktime_t last_time; + bool suspended; +}; + +struct acpi_fan_fps { + u64 control; + u64 trip_point; + u64 speed; + u64 noise_level; + u64 power; +}; + +struct acpi_fan_fif { + u64 revision; + u64 fine_grain_ctrl; + u64 step_size; + u64 low_speed_notification; +}; + +struct acpi_fan { + bool acpi4; + struct acpi_fan_fif fif; + struct acpi_fan_fps *fps; + int fps_count; + struct thermal_cooling_device *cdev; +}; + +struct acpi_video_brightness_flags { + u8 _BCL_no_ac_battery_levels: 1; + u8 _BCL_reversed: 1; + u8 _BQC_use_index: 1; +}; + +struct acpi_video_device_brightness { + int curr; + int count; + int *levels; + struct acpi_video_brightness_flags flags; +}; + +enum acpi_backlight_type { + acpi_backlight_undef = -1, + acpi_backlight_none = 0, + acpi_backlight_video = 1, + acpi_backlight_vendor = 2, + acpi_backlight_native = 3, +}; + +enum acpi_video_level_idx { + ACPI_VIDEO_AC_LEVEL = 0, + ACPI_VIDEO_BATTERY_LEVEL = 1, + ACPI_VIDEO_FIRST_LEVEL = 2, +}; + +struct acpi_video_bus_flags { + u8 multihead: 1; + u8 rom: 1; + u8 post: 1; + u8 reserved: 5; +}; + +struct acpi_video_bus_cap { + u8 _DOS: 1; + u8 _DOD: 1; + u8 _ROM: 1; + u8 _GPD: 1; + u8 _SPD: 1; + u8 _VPO: 1; + u8 reserved: 2; +}; + +struct acpi_video_device_attrib { + u32 display_index: 4; + u32 display_port_attachment: 4; + u32 display_type: 4; + u32 vendor_specific: 4; + u32 bios_can_detect: 1; + u32 depend_on_vga: 1; + u32 pipe_id: 3; + u32 reserved: 10; + u32 device_id_scheme: 1; +}; + +struct acpi_video_device; + +struct acpi_video_enumerated_device { + union { + u32 int_val; + struct acpi_video_device_attrib attrib; + } value; + struct acpi_video_device *bind_info; +}; + +struct acpi_video_device_flags { + u8 crt: 1; + u8 lcd: 1; + u8 tvout: 1; + u8 dvi: 1; + u8 bios: 1; + u8 unknown: 1; + u8 notify: 1; + u8 reserved: 1; +}; + +struct acpi_video_device_cap { + u8 _ADR: 1; + u8 _BCL: 1; + u8 _BCM: 1; + u8 _BQC: 1; + u8 _BCQ: 1; + u8 _DDC: 1; +}; + +struct acpi_video_bus; + +struct acpi_video_device { + long unsigned int device_id; + struct acpi_video_device_flags flags; + struct acpi_video_device_cap cap; + struct list_head entry; + struct delayed_work switch_brightness_work; + int switch_brightness_event; + struct acpi_video_bus *video; + struct acpi_device *dev; + struct acpi_video_device_brightness *brightness; + struct backlight_device *backlight; + struct thermal_cooling_device *cooling_dev; +}; + +struct acpi_video_bus { + struct acpi_device *device; + bool backlight_registered; + u8 dos_setting; + struct acpi_video_enumerated_device *attached_array; + u8 attached_count; + u8 child_count; + struct acpi_video_bus_cap cap; + struct acpi_video_bus_flags flags; + struct list_head video_device_list; + struct mutex device_list_lock; + struct list_head entry; + struct input_dev *input; + char phys[32]; + struct notifier_block pm_nb; +}; + +struct acpi_lpi_states_array { + unsigned int size; + unsigned int composite_states_size; + struct acpi_lpi_state *entries; + struct acpi_lpi_state *composite_states[8]; +}; + +struct throttling_tstate { + unsigned int cpu; + int target_state; +}; + +struct acpi_processor_throttling_arg { + struct acpi_processor *pr; + int target_state; + bool force; +}; + +struct container_dev { + struct device dev; + int (*offline)(struct container_dev *); +}; + +struct acpi_thermal_state { + u8 critical: 1; + u8 hot: 1; + u8 passive: 1; + u8 active: 1; + u8 reserved: 4; + int active_index; +}; + +struct acpi_thermal_state_flags { + u8 valid: 1; + u8 enabled: 1; + u8 reserved: 6; +}; + +struct acpi_thermal_critical { + struct acpi_thermal_state_flags flags; + long unsigned int temperature; +}; + +struct acpi_thermal_hot { + struct acpi_thermal_state_flags flags; + long unsigned int temperature; +}; + +struct acpi_thermal_passive { + struct acpi_thermal_state_flags flags; + long unsigned int temperature; + long unsigned int tc1; + long unsigned int tc2; + long unsigned int tsp; + struct acpi_handle_list devices; +}; + +struct acpi_thermal_active { + struct acpi_thermal_state_flags flags; + long unsigned int temperature; + struct acpi_handle_list devices; +}; + +struct acpi_thermal_trips { + struct acpi_thermal_critical critical; + struct acpi_thermal_hot hot; + struct acpi_thermal_passive passive; + struct acpi_thermal_active active[10]; +}; + +struct acpi_thermal_flags { + u8 cooling_mode: 1; + u8 devices: 1; + u8 reserved: 6; +}; + +struct acpi_thermal { + struct acpi_device *device; + acpi_bus_id name; + long unsigned int temperature; + long unsigned int last_temperature; + long unsigned int polling_frequency; + volatile u8 zombie; + struct acpi_thermal_flags flags; + struct acpi_thermal_state state; + struct acpi_thermal_trips trips; + struct acpi_handle_list devices; + struct thermal_zone_device *thermal_zone; + int tz_enabled; + int kelvin_offset; + struct work_struct thermal_check_work; +}; + +struct acpi_table_slit { + struct acpi_table_header header; + u64 locality_count; + u8 entry[1]; +} __attribute__((packed)); + +struct acpi_table_srat { + struct acpi_table_header header; + u32 table_revision; + u64 reserved; +}; + +enum acpi_srat_type { + ACPI_SRAT_TYPE_CPU_AFFINITY = 0, + ACPI_SRAT_TYPE_MEMORY_AFFINITY = 1, + ACPI_SRAT_TYPE_X2APIC_CPU_AFFINITY = 2, + ACPI_SRAT_TYPE_GICC_AFFINITY = 3, + ACPI_SRAT_TYPE_GIC_ITS_AFFINITY = 4, + ACPI_SRAT_TYPE_GENERIC_AFFINITY = 5, + ACPI_SRAT_TYPE_RESERVED = 6, +}; + +struct acpi_srat_mem_affinity { + struct acpi_subtable_header header; + u32 proximity_domain; + u16 reserved; + u64 base_address; + u64 length; + u32 reserved1; + u32 flags; + u64 reserved2; +} __attribute__((packed)); + +struct acpi_srat_gicc_affinity { + struct acpi_subtable_header header; + u32 proximity_domain; + u32 acpi_processor_uid; + u32 flags; + u32 clock_domain; +} __attribute__((packed)); + +struct acpi_pci_ioapic { + acpi_handle root_handle; + acpi_handle handle; + u32 gsi_base; + struct resource res; + struct pci_dev *pdev; + struct list_head list; +}; + +enum dmi_entry_type { + DMI_ENTRY_BIOS = 0, + DMI_ENTRY_SYSTEM = 1, + DMI_ENTRY_BASEBOARD = 2, + DMI_ENTRY_CHASSIS = 3, + DMI_ENTRY_PROCESSOR = 4, + DMI_ENTRY_MEM_CONTROLLER = 5, + DMI_ENTRY_MEM_MODULE = 6, + DMI_ENTRY_CACHE = 7, + DMI_ENTRY_PORT_CONNECTOR = 8, + DMI_ENTRY_SYSTEM_SLOT = 9, + DMI_ENTRY_ONBOARD_DEVICE = 10, + DMI_ENTRY_OEMSTRINGS = 11, + DMI_ENTRY_SYSCONF = 12, + DMI_ENTRY_BIOS_LANG = 13, + DMI_ENTRY_GROUP_ASSOC = 14, + DMI_ENTRY_SYSTEM_EVENT_LOG = 15, + DMI_ENTRY_PHYS_MEM_ARRAY = 16, + DMI_ENTRY_MEM_DEVICE = 17, + DMI_ENTRY_32_MEM_ERROR = 18, + DMI_ENTRY_MEM_ARRAY_MAPPED_ADDR = 19, + DMI_ENTRY_MEM_DEV_MAPPED_ADDR = 20, + DMI_ENTRY_BUILTIN_POINTING_DEV = 21, + DMI_ENTRY_PORTABLE_BATTERY = 22, + DMI_ENTRY_SYSTEM_RESET = 23, + DMI_ENTRY_HW_SECURITY = 24, + DMI_ENTRY_SYSTEM_POWER_CONTROLS = 25, + DMI_ENTRY_VOLTAGE_PROBE = 26, + DMI_ENTRY_COOLING_DEV = 27, + DMI_ENTRY_TEMP_PROBE = 28, + DMI_ENTRY_ELECTRICAL_CURRENT_PROBE = 29, + DMI_ENTRY_OOB_REMOTE_ACCESS = 30, + DMI_ENTRY_BIS_ENTRY = 31, + DMI_ENTRY_SYSTEM_BOOT = 32, + DMI_ENTRY_MGMT_DEV = 33, + DMI_ENTRY_MGMT_DEV_COMPONENT = 34, + DMI_ENTRY_MGMT_DEV_THRES = 35, + DMI_ENTRY_MEM_CHANNEL = 36, + DMI_ENTRY_IPMI_DEV = 37, + DMI_ENTRY_SYS_POWER_SUPPLY = 38, + DMI_ENTRY_ADDITIONAL = 39, + DMI_ENTRY_ONBOARD_DEV_EXT = 40, + DMI_ENTRY_MGMT_CONTROLLER_HOST = 41, + DMI_ENTRY_INACTIVE = 126, + DMI_ENTRY_END_OF_TABLE = 127, +}; + +struct dmi_header { + u8 type; + u8 length; + u16 handle; +}; + +enum { + POWER_SUPPLY_STATUS_UNKNOWN = 0, + POWER_SUPPLY_STATUS_CHARGING = 1, + POWER_SUPPLY_STATUS_DISCHARGING = 2, + POWER_SUPPLY_STATUS_NOT_CHARGING = 3, + POWER_SUPPLY_STATUS_FULL = 4, +}; + +enum { + POWER_SUPPLY_TECHNOLOGY_UNKNOWN = 0, + POWER_SUPPLY_TECHNOLOGY_NiMH = 1, + POWER_SUPPLY_TECHNOLOGY_LION = 2, + POWER_SUPPLY_TECHNOLOGY_LIPO = 3, + POWER_SUPPLY_TECHNOLOGY_LiFe = 4, + POWER_SUPPLY_TECHNOLOGY_NiCd = 5, + POWER_SUPPLY_TECHNOLOGY_LiMn = 6, +}; + +enum { + POWER_SUPPLY_CAPACITY_LEVEL_UNKNOWN = 0, + POWER_SUPPLY_CAPACITY_LEVEL_CRITICAL = 1, + POWER_SUPPLY_CAPACITY_LEVEL_LOW = 2, + POWER_SUPPLY_CAPACITY_LEVEL_NORMAL = 3, + POWER_SUPPLY_CAPACITY_LEVEL_HIGH = 4, + POWER_SUPPLY_CAPACITY_LEVEL_FULL = 5, +}; + +struct acpi_battery_hook { + const char *name; + int (*add_battery)(struct power_supply *); + int (*remove_battery)(struct power_supply *); + struct list_head list; +}; + +enum { + ACPI_BATTERY_ALARM_PRESENT = 0, + ACPI_BATTERY_XINFO_PRESENT = 1, + ACPI_BATTERY_QUIRK_PERCENTAGE_CAPACITY = 2, + ACPI_BATTERY_QUIRK_THINKPAD_MAH = 3, + ACPI_BATTERY_QUIRK_DEGRADED_FULL_CHARGE = 4, +}; + +struct acpi_battery { + struct mutex lock; + struct mutex sysfs_lock; + struct power_supply *bat; + struct power_supply_desc bat_desc; + struct acpi_device *device; + struct notifier_block pm_nb; + struct list_head list; + long unsigned int update_time; + int revision; + int rate_now; + int capacity_now; + int voltage_now; + int design_capacity; + int full_charge_capacity; + int technology; + int design_voltage; + int design_capacity_warning; + int design_capacity_low; + int cycle_count; + int measurement_accuracy; + int max_sampling_time; + int min_sampling_time; + int max_averaging_interval; + int min_averaging_interval; + int capacity_granularity_1; + int capacity_granularity_2; + int alarm; + char model_number[32]; + char serial_number[32]; + char type[32]; + char oem_info[32]; + int state; + int power_unit; + long unsigned int flags; +}; + +struct acpi_offsets { + size_t offset; + u8 mode; +}; + +struct acpi_table_bgrt { + struct acpi_table_header header; + u16 version; + u8 status; + u8 image_type; + u64 image_address; + u32 image_offset_x; + u32 image_offset_y; +}; + +struct acpi_pcct_hw_reduced { + struct acpi_subtable_header header; + u32 platform_interrupt; + u8 flags; + u8 reserved; + u64 base_address; + u64 length; + struct acpi_generic_address doorbell_register; + u64 preserve_mask; + u64 write_mask; + u32 latency; + u32 max_access_rate; + u16 min_turnaround_time; +} __attribute__((packed)); + +struct acpi_pcct_shared_memory { + u32 signature; + u16 command; + u16 status; +}; + +struct mbox_chan; + +struct mbox_chan_ops { + int (*send_data)(struct mbox_chan *, void *); + int (*flush)(struct mbox_chan *, long unsigned int); + int (*startup)(struct mbox_chan *); + void (*shutdown)(struct mbox_chan *); + bool (*last_tx_done)(struct mbox_chan *); + bool (*peek_data)(struct mbox_chan *); +}; + +struct mbox_controller; + +struct mbox_client; + +struct mbox_chan { + struct mbox_controller *mbox; + unsigned int txdone_method; + struct mbox_client *cl; + struct completion tx_complete; + void *active_req; + unsigned int msg_count; + unsigned int msg_free; + void *msg_data[20]; + spinlock_t lock; + void *con_priv; +}; + +struct mbox_controller { + struct device *dev; + const struct mbox_chan_ops *ops; + struct mbox_chan *chans; + int num_chans; + bool txdone_irq; + bool txdone_poll; + unsigned int txpoll_period; + struct mbox_chan * (*of_xlate)(struct mbox_controller *, const struct of_phandle_args *); + struct hrtimer poll_hrt; + struct list_head node; +}; + +struct mbox_client { + struct device *dev; + bool tx_block; + long unsigned int tx_tout; + bool knows_txdone; + void (*rx_callback)(struct mbox_client *, void *); + void (*tx_prepare)(struct mbox_client *, void *); + void (*tx_done)(struct mbox_client *, void *, int); +}; + +struct cpc_register_resource { + acpi_object_type type; + u64 *sys_mem_vaddr; + union { + struct cpc_reg reg; + u64 int_value; + } cpc_entry; +}; + +struct cpc_desc { + int num_entries; + int version; + int cpu_id; + int write_cmd_status; + int write_cmd_id; + struct cpc_register_resource cpc_regs[21]; + struct acpi_psd_package domain_info; + struct kobject kobj; +}; + +enum cppc_regs { + HIGHEST_PERF = 0, + NOMINAL_PERF = 1, + LOW_NON_LINEAR_PERF = 2, + LOWEST_PERF = 3, + GUARANTEED_PERF = 4, + DESIRED_PERF = 5, + MIN_PERF = 6, + MAX_PERF = 7, + PERF_REDUC_TOLERANCE = 8, + TIME_WINDOW = 9, + CTR_WRAP_TIME = 10, + REFERENCE_CTR = 11, + DELIVERED_CTR = 12, + PERF_LIMITED = 13, + ENABLE = 14, + AUTO_SEL_ENABLE = 15, + AUTO_ACT_WINDOW = 16, + ENERGY_PERF = 17, + REFERENCE_PERF = 18, + LOWEST_FREQ = 19, + NOMINAL_FREQ = 20, +}; + +struct cppc_perf_caps { + u32 guaranteed_perf; + u32 highest_perf; + u32 nominal_perf; + u32 lowest_perf; + u32 lowest_nonlinear_perf; + u32 lowest_freq; + u32 nominal_freq; +}; + +struct cppc_perf_ctrls { + u32 max_perf; + u32 min_perf; + u32 desired_perf; +}; + +struct cppc_perf_fb_ctrs { + u64 reference; + u64 delivered; + u64 reference_perf; + u64 wraparound_time; +}; + +struct cppc_cpudata { + int cpu; + struct cppc_perf_caps perf_caps; + struct cppc_perf_ctrls perf_ctrls; + struct cppc_perf_fb_ctrs perf_fb_ctrs; + struct cpufreq_policy *cur_policy; + unsigned int shared_type; + cpumask_var_t shared_cpu_map; +}; + +struct cppc_pcc_data { + struct mbox_chan *pcc_channel; + void *pcc_comm_addr; + bool pcc_channel_acquired; + unsigned int deadline_us; + unsigned int pcc_mpar; + unsigned int pcc_mrtt; + unsigned int pcc_nominal; + bool pending_pcc_write_cmd; + bool platform_owns_pcc; + unsigned int pcc_write_cnt; + struct rw_semaphore pcc_lock; + wait_queue_head_t pcc_write_wait_q; + ktime_t last_cmd_cmpl_time; + ktime_t last_mpar_reset; + int mpar_count; + int refcount; +}; + +struct cppc_attr { + struct attribute attr; + ssize_t (*show)(struct kobject *, struct attribute *, char *); + ssize_t (*store)(struct kobject *, struct attribute *, const char *, ssize_t); +}; + +struct pnp_resource { + struct list_head list; + struct resource res; +}; + +struct pnp_port { + resource_size_t min; + resource_size_t max; + resource_size_t align; + resource_size_t size; + unsigned char flags; +}; + +typedef struct { + long unsigned int bits[4]; +} pnp_irq_mask_t; + +struct pnp_irq { + pnp_irq_mask_t map; + unsigned char flags; +}; + +struct pnp_dma { + unsigned char map; + unsigned char flags; +}; + +struct pnp_mem { + resource_size_t min; + resource_size_t max; + resource_size_t align; + resource_size_t size; + unsigned char flags; +}; + +struct pnp_option { + struct list_head list; + unsigned int flags; + long unsigned int type; + union { + struct pnp_port port; + struct pnp_irq irq; + struct pnp_dma dma; + struct pnp_mem mem; + } u; +}; + +struct pnp_info_buffer { + char *buffer; + char *curr; + long unsigned int size; + long unsigned int len; + int stop; + int error; +}; + +typedef struct pnp_info_buffer pnp_info_buffer_t; + +struct pnp_fixup { + char id[7]; + void (*quirk_function)(struct pnp_dev *); +}; + +struct acpipnp_parse_option_s { + struct pnp_dev *dev; + unsigned int option_flags; +}; + +struct clk_bulk_data { + const char *id; + struct clk *clk; +}; + +struct clk_bulk_devres { + struct clk_bulk_data *clks; + int num_clks; +}; + +struct clk_hw; + +struct clk_lookup { + struct list_head node; + const char *dev_id; + const char *con_id; + struct clk *clk; + struct clk_hw *clk_hw; +}; + +struct clk_core; + +struct clk_init_data; + +struct clk_hw { + struct clk_core *core; + struct clk *clk; + const struct clk_init_data *init; +}; + +struct clk_rate_request { + long unsigned int rate; + long unsigned int min_rate; + long unsigned int max_rate; + long unsigned int best_parent_rate; + struct clk_hw *best_parent_hw; +}; + +struct clk_duty { + unsigned int num; + unsigned int den; +}; + +struct clk_ops { + int (*prepare)(struct clk_hw *); + void (*unprepare)(struct clk_hw *); + int (*is_prepared)(struct clk_hw *); + void (*unprepare_unused)(struct clk_hw *); + int (*enable)(struct clk_hw *); + void (*disable)(struct clk_hw *); + int (*is_enabled)(struct clk_hw *); + void (*disable_unused)(struct clk_hw *); + int (*save_context)(struct clk_hw *); + void (*restore_context)(struct clk_hw *); + long unsigned int (*recalc_rate)(struct clk_hw *, long unsigned int); + long int (*round_rate)(struct clk_hw *, long unsigned int, long unsigned int *); + int (*determine_rate)(struct clk_hw *, struct clk_rate_request *); + int (*set_parent)(struct clk_hw *, u8); + u8 (*get_parent)(struct clk_hw *); + int (*set_rate)(struct clk_hw *, long unsigned int, long unsigned int); + int (*set_rate_and_parent)(struct clk_hw *, long unsigned int, long unsigned int, u8); + long unsigned int (*recalc_accuracy)(struct clk_hw *, long unsigned int); + int (*get_phase)(struct clk_hw *); + int (*set_phase)(struct clk_hw *, int); + int (*get_duty_cycle)(struct clk_hw *, struct clk_duty *); + int (*set_duty_cycle)(struct clk_hw *, struct clk_duty *); + void (*init)(struct clk_hw *); + void (*debug_init)(struct clk_hw *, struct dentry *); +}; + +struct clk_parent_data { + const struct clk_hw *hw; + const char *fw_name; + const char *name; + int index; +}; + +struct clk_init_data { + const char *name; + const struct clk_ops *ops; + const char * const *parent_names; + const struct clk_parent_data *parent_data; + const struct clk_hw **parent_hws; + u8 num_parents; + long unsigned int flags; +}; + +struct clk_lookup_alloc { + struct clk_lookup cl; + char dev_id[20]; + char con_id[16]; +}; + +struct clk_notifier { + struct clk *clk; + struct srcu_notifier_head notifier_head; + struct list_head node; +}; + +struct clk { + struct clk_core *core; + struct device *dev; + const char *dev_id; + const char *con_id; + long unsigned int min_rate; + long unsigned int max_rate; + unsigned int exclusive_count; + struct hlist_node clks_node; +}; + +struct clk_notifier_data { + struct clk *clk; + long unsigned int old_rate; + long unsigned int new_rate; +}; + +struct clk_parent_map; + +struct clk_core { + const char *name; + const struct clk_ops *ops; + struct clk_hw *hw; + struct module *owner; + struct device *dev; + struct device_node *of_node; + struct clk_core *parent; + struct clk_parent_map *parents; + u8 num_parents; + u8 new_parent_index; + long unsigned int rate; + long unsigned int req_rate; + long unsigned int new_rate; + struct clk_core *new_parent; + struct clk_core *new_child; + long unsigned int flags; + bool orphan; + bool rpm_enabled; + unsigned int enable_count; + unsigned int prepare_count; + unsigned int protect_count; + long unsigned int min_rate; + long unsigned int max_rate; + long unsigned int accuracy; + int phase; + struct clk_duty duty; + struct hlist_head children; + struct hlist_node child_node; + struct hlist_head clks; + unsigned int notifier_count; + struct dentry *dentry; + struct hlist_node debug_node; + struct kref ref; +}; + +struct clk_parent_map { + const struct clk_hw *hw; + struct clk_core *core; + const char *fw_name; + const char *name; + int index; +}; + +struct trace_event_raw_clk { + struct trace_entry ent; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_clk_rate { + struct trace_entry ent; + u32 __data_loc_name; + long unsigned int rate; + char __data[0]; +}; + +struct trace_event_raw_clk_parent { + struct trace_entry ent; + u32 __data_loc_name; + u32 __data_loc_pname; + char __data[0]; +}; + +struct trace_event_raw_clk_phase { + struct trace_entry ent; + u32 __data_loc_name; + int phase; + char __data[0]; +}; + +struct trace_event_raw_clk_duty_cycle { + struct trace_entry ent; + u32 __data_loc_name; + unsigned int num; + unsigned int den; + char __data[0]; +}; + +struct trace_event_data_offsets_clk { + u32 name; +}; + +struct trace_event_data_offsets_clk_rate { + u32 name; +}; + +struct trace_event_data_offsets_clk_parent { + u32 name; + u32 pname; +}; + +struct trace_event_data_offsets_clk_phase { + u32 name; +}; + +struct trace_event_data_offsets_clk_duty_cycle { + u32 name; +}; + +struct clk_div_table { + unsigned int val; + unsigned int div; +}; + +struct clk_divider { + struct clk_hw hw; + void *reg; + u8 shift; + u8 width; + u8 flags; + const struct clk_div_table *table; + spinlock_t *lock; +}; + +struct clk_fixed_factor { + struct clk_hw hw; + unsigned int mult; + unsigned int div; +}; + +struct clk_fixed_rate { + struct clk_hw hw; + long unsigned int fixed_rate; + long unsigned int fixed_accuracy; +}; + +struct clk_gate { + struct clk_hw hw; + void *reg; + u8 bit_idx; + u8 flags; + spinlock_t *lock; +}; + +struct clk_multiplier { + struct clk_hw hw; + void *reg; + u8 shift; + u8 width; + u8 flags; + spinlock_t *lock; +}; + +struct clk_mux { + struct clk_hw hw; + void *reg; + u32 *table; + u32 mask; + u8 shift; + u8 flags; + spinlock_t *lock; +}; + +struct clk_composite { + struct clk_hw hw; + struct clk_ops ops; + struct clk_hw *mux_hw; + struct clk_hw *rate_hw; + struct clk_hw *gate_hw; + const struct clk_ops *mux_ops; + const struct clk_ops *rate_ops; + const struct clk_ops *gate_ops; +}; + +struct clk_fractional_divider { + struct clk_hw hw; + void *reg; + u8 mshift; + u8 mwidth; + u32 mmask; + u8 nshift; + u8 nwidth; + u32 nmask; + u8 flags; + void (*approximation)(struct clk_hw *, long unsigned int, long unsigned int *, long unsigned int *, long unsigned int *); + spinlock_t *lock; +}; + +struct gpio_desc; + +struct clk_gpio { + struct clk_hw hw; + struct gpio_desc *gpiod; +}; + +enum gpiod_flags { + GPIOD_ASIS = 0, + GPIOD_IN = 1, + GPIOD_OUT_LOW = 3, + GPIOD_OUT_HIGH = 7, + GPIOD_OUT_LOW_OPEN_DRAIN = 11, + GPIOD_OUT_HIGH_OPEN_DRAIN = 15, +}; + +struct pmc_clk { + const char *name; + long unsigned int freq; + const char *parent_name; +}; + +struct pmc_clk_data { + void *base; + const struct pmc_clk *clks; + bool critical; +}; + +struct clk_plt_fixed { + struct clk_hw *clk; + struct clk_lookup *lookup; +}; + +struct clk_plt { + struct clk_hw hw; + void *reg; + struct clk_lookup *lookup; + spinlock_t lock; +}; + +struct clk_plt_data { + struct clk_plt_fixed **parents; + u8 nparents; + struct clk_plt *clks[6]; + struct clk_lookup *mclk_lookup; + struct clk_lookup *ether_clk_lookup; +}; + +typedef s32 dma_cookie_t; + +enum dma_status { + DMA_COMPLETE = 0, + DMA_IN_PROGRESS = 1, + DMA_PAUSED = 2, + DMA_ERROR = 3, +}; + +enum dma_transaction_type { + DMA_MEMCPY = 0, + DMA_XOR = 1, + DMA_PQ = 2, + DMA_XOR_VAL = 3, + DMA_PQ_VAL = 4, + DMA_MEMSET = 5, + DMA_MEMSET_SG = 6, + DMA_INTERRUPT = 7, + DMA_PRIVATE = 8, + DMA_ASYNC_TX = 9, + DMA_SLAVE = 10, + DMA_CYCLIC = 11, + DMA_INTERLEAVE = 12, + DMA_TX_TYPE_END = 13, +}; + +enum dma_transfer_direction { + DMA_MEM_TO_MEM = 0, + DMA_MEM_TO_DEV = 1, + DMA_DEV_TO_MEM = 2, + DMA_DEV_TO_DEV = 3, + DMA_TRANS_NONE = 4, +}; + +struct data_chunk { + size_t size; + size_t icg; + size_t dst_icg; + size_t src_icg; +}; + +struct dma_interleaved_template { + dma_addr_t src_start; + dma_addr_t dst_start; + enum dma_transfer_direction dir; + bool src_inc; + bool dst_inc; + bool src_sgl; + bool dst_sgl; + size_t numf; + size_t frame_size; + struct data_chunk sgl[0]; +}; + +enum dma_ctrl_flags { + DMA_PREP_INTERRUPT = 1, + DMA_CTRL_ACK = 2, + DMA_PREP_PQ_DISABLE_P = 4, + DMA_PREP_PQ_DISABLE_Q = 8, + DMA_PREP_CONTINUE = 16, + DMA_PREP_FENCE = 32, + DMA_CTRL_REUSE = 64, + DMA_PREP_CMD = 128, +}; + +enum sum_check_bits { + SUM_CHECK_P = 0, + SUM_CHECK_Q = 1, +}; + +enum sum_check_flags { + SUM_CHECK_P_RESULT = 1, + SUM_CHECK_Q_RESULT = 2, +}; + +typedef struct { + long unsigned int bits[1]; +} dma_cap_mask_t; + +struct dma_chan_percpu { + long unsigned int memcpy_count; + long unsigned int bytes_transferred; +}; + +struct dma_router { + struct device *dev; + void (*route_free)(struct device *, void *); +}; + +struct dma_device; + +struct dma_chan_dev; + +struct dma_chan___2 { + struct dma_device *device; + dma_cookie_t cookie; + dma_cookie_t completed_cookie; + int chan_id; + struct dma_chan_dev *dev; + struct list_head device_node; + struct dma_chan_percpu *local; + int client_count; + int table_count; + struct dma_router *router; + void *route_data; + void *private; +}; + +typedef bool (*dma_filter_fn)(struct dma_chan___2 *, void *); + +struct dma_slave_map; + +struct dma_filter { + dma_filter_fn fn; + int mapcnt; + const struct dma_slave_map *map; +}; + +enum dmaengine_alignment { + DMAENGINE_ALIGN_1_BYTE = 0, + DMAENGINE_ALIGN_2_BYTES = 1, + DMAENGINE_ALIGN_4_BYTES = 2, + DMAENGINE_ALIGN_8_BYTES = 3, + DMAENGINE_ALIGN_16_BYTES = 4, + DMAENGINE_ALIGN_32_BYTES = 5, + DMAENGINE_ALIGN_64_BYTES = 6, +}; + +enum dma_residue_granularity { + DMA_RESIDUE_GRANULARITY_DESCRIPTOR = 0, + DMA_RESIDUE_GRANULARITY_SEGMENT = 1, + DMA_RESIDUE_GRANULARITY_BURST = 2, +}; + +struct dma_async_tx_descriptor; + +struct dma_slave_config; + +struct dma_tx_state; + +struct dma_device { + unsigned int chancnt; + unsigned int privatecnt; + struct list_head channels; + struct list_head global_node; + struct dma_filter filter; + dma_cap_mask_t cap_mask; + short unsigned int max_xor; + short unsigned int max_pq; + enum dmaengine_alignment copy_align; + enum dmaengine_alignment xor_align; + enum dmaengine_alignment pq_align; + enum dmaengine_alignment fill_align; + int dev_id; + struct device *dev; + u32 src_addr_widths; + u32 dst_addr_widths; + u32 directions; + u32 max_burst; + bool descriptor_reuse; + enum dma_residue_granularity residue_granularity; + int (*device_alloc_chan_resources)(struct dma_chan___2 *); + void (*device_free_chan_resources)(struct dma_chan___2 *); + struct dma_async_tx_descriptor * (*device_prep_dma_memcpy)(struct dma_chan___2 *, dma_addr_t, dma_addr_t, size_t, long unsigned int); + struct dma_async_tx_descriptor * (*device_prep_dma_xor)(struct dma_chan___2 *, dma_addr_t, dma_addr_t *, unsigned int, size_t, long unsigned int); + struct dma_async_tx_descriptor * (*device_prep_dma_xor_val)(struct dma_chan___2 *, dma_addr_t *, unsigned int, size_t, enum sum_check_flags *, long unsigned int); + struct dma_async_tx_descriptor * (*device_prep_dma_pq)(struct dma_chan___2 *, dma_addr_t *, dma_addr_t *, unsigned int, const unsigned char *, size_t, long unsigned int); + struct dma_async_tx_descriptor * (*device_prep_dma_pq_val)(struct dma_chan___2 *, dma_addr_t *, dma_addr_t *, unsigned int, const unsigned char *, size_t, enum sum_check_flags *, long unsigned int); + struct dma_async_tx_descriptor * (*device_prep_dma_memset)(struct dma_chan___2 *, dma_addr_t, int, size_t, long unsigned int); + struct dma_async_tx_descriptor * (*device_prep_dma_memset_sg)(struct dma_chan___2 *, struct scatterlist *, unsigned int, int, long unsigned int); + struct dma_async_tx_descriptor * (*device_prep_dma_interrupt)(struct dma_chan___2 *, long unsigned int); + struct dma_async_tx_descriptor * (*device_prep_slave_sg)(struct dma_chan___2 *, struct scatterlist *, unsigned int, enum dma_transfer_direction, long unsigned int, void *); + struct dma_async_tx_descriptor * (*device_prep_dma_cyclic)(struct dma_chan___2 *, dma_addr_t, size_t, size_t, enum dma_transfer_direction, long unsigned int); + struct dma_async_tx_descriptor * (*device_prep_interleaved_dma)(struct dma_chan___2 *, struct dma_interleaved_template *, long unsigned int); + struct dma_async_tx_descriptor * (*device_prep_dma_imm_data)(struct dma_chan___2 *, dma_addr_t, u64, long unsigned int); + int (*device_config)(struct dma_chan___2 *, struct dma_slave_config *); + int (*device_pause)(struct dma_chan___2 *); + int (*device_resume)(struct dma_chan___2 *); + int (*device_terminate_all)(struct dma_chan___2 *); + void (*device_synchronize)(struct dma_chan___2 *); + enum dma_status (*device_tx_status)(struct dma_chan___2 *, dma_cookie_t, struct dma_tx_state *); + void (*device_issue_pending)(struct dma_chan___2 *); +}; + +struct dma_chan_dev { + struct dma_chan___2 *chan; + struct device device; + int dev_id; + atomic_t *idr_ref; +}; + +enum dma_slave_buswidth { + DMA_SLAVE_BUSWIDTH_UNDEFINED = 0, + DMA_SLAVE_BUSWIDTH_1_BYTE = 1, + DMA_SLAVE_BUSWIDTH_2_BYTES = 2, + DMA_SLAVE_BUSWIDTH_3_BYTES = 3, + DMA_SLAVE_BUSWIDTH_4_BYTES = 4, + DMA_SLAVE_BUSWIDTH_8_BYTES = 8, + DMA_SLAVE_BUSWIDTH_16_BYTES = 16, + DMA_SLAVE_BUSWIDTH_32_BYTES = 32, + DMA_SLAVE_BUSWIDTH_64_BYTES = 64, +}; + +struct dma_slave_config { + enum dma_transfer_direction direction; + phys_addr_t src_addr; + phys_addr_t dst_addr; + enum dma_slave_buswidth src_addr_width; + enum dma_slave_buswidth dst_addr_width; + u32 src_maxburst; + u32 dst_maxburst; + u32 src_port_window_size; + u32 dst_port_window_size; + bool device_fc; + unsigned int slave_id; +}; + +struct dma_slave_caps { + u32 src_addr_widths; + u32 dst_addr_widths; + u32 directions; + u32 max_burst; + bool cmd_pause; + bool cmd_resume; + bool cmd_terminate; + enum dma_residue_granularity residue_granularity; + bool descriptor_reuse; +}; + +typedef void (*dma_async_tx_callback)(void *); + +enum dmaengine_tx_result { + DMA_TRANS_NOERROR = 0, + DMA_TRANS_READ_FAILED = 1, + DMA_TRANS_WRITE_FAILED = 2, + DMA_TRANS_ABORTED = 3, +}; + +struct dmaengine_result { + enum dmaengine_tx_result result; + u32 residue; +}; + +typedef void (*dma_async_tx_callback_result)(void *, const struct dmaengine_result *); + +struct dmaengine_unmap_data { + u8 map_cnt; + u8 to_cnt; + u8 from_cnt; + u8 bidi_cnt; + struct device *dev; + struct kref kref; + size_t len; + dma_addr_t addr[0]; +}; + +struct dma_async_tx_descriptor { + dma_cookie_t cookie; + enum dma_ctrl_flags flags; + dma_addr_t phys; + struct dma_chan___2 *chan; + dma_cookie_t (*tx_submit)(struct dma_async_tx_descriptor *); + int (*desc_free)(struct dma_async_tx_descriptor *); + dma_async_tx_callback callback; + dma_async_tx_callback_result callback_result; + void *callback_param; + struct dmaengine_unmap_data *unmap; +}; + +struct dma_tx_state { + dma_cookie_t last; + dma_cookie_t used; + u32 residue; +}; + +struct dma_slave_map { + const char *devname; + const char *slave; + void *param; +}; + +struct dma_chan_tbl_ent { + struct dma_chan___2 *chan; +}; + +struct dmaengine_unmap_pool { + struct kmem_cache *cache; + const char *name; + mempool_t *pool; + size_t size; +}; + +struct dmaengine_desc_callback { + dma_async_tx_callback callback; + dma_async_tx_callback_result callback_result; + void *callback_param; +}; + +struct virt_dma_desc { + struct dma_async_tx_descriptor tx; + struct dmaengine_result tx_result; + struct list_head node; +}; + +struct virt_dma_chan { + struct dma_chan___2 chan; + struct tasklet_struct task; + void (*desc_free)(struct virt_dma_desc *); + spinlock_t lock; + struct list_head desc_allocated; + struct list_head desc_submitted; + struct list_head desc_issued; + struct list_head desc_completed; + struct virt_dma_desc *cyclic; + struct virt_dma_desc *vd_terminated; +}; + +struct acpi_table_csrt { + struct acpi_table_header header; +}; + +struct acpi_csrt_group { + u32 length; + u32 vendor_id; + u32 subvendor_id; + u16 device_id; + u16 subdevice_id; + u16 revision; + u16 reserved; + u32 shared_info_length; +}; + +struct acpi_csrt_shared_info { + u16 major_version; + u16 minor_version; + u32 mmio_base_low; + u32 mmio_base_high; + u32 gsi_interrupt; + u8 interrupt_polarity; + u8 interrupt_mode; + u8 num_channels; + u8 dma_address_width; + u16 base_request_line; + u16 num_handshake_signals; + u32 max_block_size; +}; + +struct acpi_dma_spec { + int chan_id; + int slave_id; + struct device *dev; +}; + +struct acpi_dma { + struct list_head dma_controllers; + struct device *dev; + struct dma_chan___2 * (*acpi_dma_xlate)(struct acpi_dma_spec *, struct acpi_dma *); + void *data; + short unsigned int base_request_line; + short unsigned int end_request_line; +}; + +struct acpi_dma_filter_info { + dma_cap_mask_t dma_cap; + dma_filter_fn filter_fn; +}; + +struct acpi_dma_parser_data { + struct acpi_dma_spec dma_spec; + size_t index; + size_t n; +}; + +struct dw_dma_slave { + struct device *dma_dev; + u8 src_id; + u8 dst_id; + u8 m_master; + u8 p_master; + bool hs_polarity; +}; + +struct dw_dma_platform_data { + unsigned int nr_channels; + unsigned char chan_allocation_order; + unsigned char chan_priority; + unsigned int block_size; + unsigned char nr_masters; + unsigned char data_width[4]; + unsigned char multi_block[8]; + unsigned char protctl; +}; + +struct dw_dma; + +struct dw_dma_chip { + struct device *dev; + int id; + int irq; + void *regs; + struct clk *clk; + struct dw_dma *dw; + const struct dw_dma_platform_data *pdata; +}; + +struct dma_pool___2; + +struct dw_dma_chan; + +struct dw_dma { + struct dma_device dma; + char name[20]; + void *regs; + struct dma_pool___2 *desc_pool; + struct tasklet_struct tasklet; + struct dw_dma_chan *chan; + u8 all_chan_mask; + u8 in_use; + void (*initialize_chan)(struct dw_dma_chan *); + void (*suspend_chan)(struct dw_dma_chan *, bool); + void (*resume_chan)(struct dw_dma_chan *, bool); + u32 (*prepare_ctllo)(struct dw_dma_chan *); + void (*encode_maxburst)(struct dw_dma_chan *, u32 *); + u32 (*bytes2block)(struct dw_dma_chan *, size_t, unsigned int, size_t *); + size_t (*block2bytes)(struct dw_dma_chan *, u32, u32); + void (*set_device_name)(struct dw_dma *, int); + void (*disable)(struct dw_dma *); + void (*enable)(struct dw_dma *); + struct dw_dma_platform_data *pdata; +}; + +enum dw_dma_fc { + DW_DMA_FC_D_M2M = 0, + DW_DMA_FC_D_M2P = 1, + DW_DMA_FC_D_P2M = 2, + DW_DMA_FC_D_P2P = 3, + DW_DMA_FC_P_P2M = 4, + DW_DMA_FC_SP_P2P = 5, + DW_DMA_FC_P_M2P = 6, + DW_DMA_FC_DP_P2P = 7, +}; + +struct dw_dma_chan_regs { + u32 SAR; + u32 __pad_SAR; + u32 DAR; + u32 __pad_DAR; + u32 LLP; + u32 __pad_LLP; + u32 CTL_LO; + u32 CTL_HI; + u32 SSTAT; + u32 __pad_SSTAT; + u32 DSTAT; + u32 __pad_DSTAT; + u32 SSTATAR; + u32 __pad_SSTATAR; + u32 DSTATAR; + u32 __pad_DSTATAR; + u32 CFG_LO; + u32 CFG_HI; + u32 SGR; + u32 __pad_SGR; + u32 DSR; + u32 __pad_DSR; +}; + +struct dw_dma_irq_regs { + u32 XFER; + u32 __pad_XFER; + u32 BLOCK; + u32 __pad_BLOCK; + u32 SRC_TRAN; + u32 __pad_SRC_TRAN; + u32 DST_TRAN; + u32 __pad_DST_TRAN; + u32 ERROR; + u32 __pad_ERROR; +}; + +struct dw_dma_regs { + struct dw_dma_chan_regs CHAN[8]; + struct dw_dma_irq_regs RAW; + struct dw_dma_irq_regs STATUS; + struct dw_dma_irq_regs MASK; + struct dw_dma_irq_regs CLEAR; + u32 STATUS_INT; + u32 __pad_STATUS_INT; + u32 REQ_SRC; + u32 __pad_REQ_SRC; + u32 REQ_DST; + u32 __pad_REQ_DST; + u32 SGL_REQ_SRC; + u32 __pad_SGL_REQ_SRC; + u32 SGL_REQ_DST; + u32 __pad_SGL_REQ_DST; + u32 LAST_SRC; + u32 __pad_LAST_SRC; + u32 LAST_DST; + u32 __pad_LAST_DST; + u32 CFG; + u32 __pad_CFG; + u32 CH_EN; + u32 __pad_CH_EN; + u32 ID; + u32 __pad_ID; + u32 TEST; + u32 __pad_TEST; + u32 CLASS_PRIORITY0; + u32 __pad_CLASS_PRIORITY0; + u32 CLASS_PRIORITY1; + u32 __pad_CLASS_PRIORITY1; + u32 __reserved; + u32 DWC_PARAMS[8]; + u32 MULTI_BLK_TYPE; + u32 MAX_BLK_SIZE; + u32 DW_PARAMS; + u32 COMP_TYPE; + u32 COMP_VERSION; + u32 FIFO_PARTITION0; + u32 __pad_FIFO_PARTITION0; + u32 FIFO_PARTITION1; + u32 __pad_FIFO_PARTITION1; + u32 SAI_ERR; + u32 __pad_SAI_ERR; + u32 GLOBAL_CFG; + u32 __pad_GLOBAL_CFG; +}; + +enum dw_dmac_flags { + DW_DMA_IS_CYCLIC = 0, + DW_DMA_IS_SOFT_LLP = 1, + DW_DMA_IS_PAUSED = 2, + DW_DMA_IS_INITIALIZED = 3, +}; + +struct dw_dma_chan { + struct dma_chan___2 chan; + void *ch_regs; + u8 mask; + u8 priority; + enum dma_transfer_direction direction; + struct list_head *tx_node_active; + spinlock_t lock; + long unsigned int flags; + struct list_head active_list; + struct list_head queue; + unsigned int descs_allocated; + unsigned int block_size; + bool nollp; + struct dw_dma_slave dws; + struct dma_slave_config dma_sconfig; +}; + +struct dw_lli { + __le32 sar; + __le32 dar; + __le32 llp; + __le32 ctllo; + __le32 ctlhi; + __le32 sstat; + __le32 dstat; +}; + +struct dw_desc { + struct dw_lli lli; + struct list_head desc_node; + struct list_head tx_list; + struct dma_async_tx_descriptor txd; + size_t len; + size_t total_len; + u32 residue; +}; + +struct dw_dma_chip_pdata { + const struct dw_dma_platform_data *pdata; + int (*probe)(struct dw_dma_chip *); + int (*remove)(struct dw_dma_chip *); + struct dw_dma_chip *chip; +}; + +enum dw_dma_msize { + DW_DMA_MSIZE_1 = 0, + DW_DMA_MSIZE_4 = 1, + DW_DMA_MSIZE_8 = 2, + DW_DMA_MSIZE_16 = 3, + DW_DMA_MSIZE_32 = 4, + DW_DMA_MSIZE_64 = 5, + DW_DMA_MSIZE_128 = 6, + DW_DMA_MSIZE_256 = 7, +}; + +enum idma32_msize { + IDMA32_MSIZE_1 = 0, + IDMA32_MSIZE_2 = 1, + IDMA32_MSIZE_4 = 2, + IDMA32_MSIZE_8 = 3, + IDMA32_MSIZE_16 = 4, + IDMA32_MSIZE_32 = 5, +}; + +struct hsu_dma; + +struct hsu_dma_chip { + struct device *dev; + int irq; + void *regs; + unsigned int length; + unsigned int offset; + struct hsu_dma *hsu; +}; + +struct hsu_dma_chan; + +struct hsu_dma { + struct dma_device dma; + struct hsu_dma_chan *chan; + short unsigned int nr_channels; +}; + +struct hsu_dma_sg { + dma_addr_t addr; + unsigned int len; +}; + +struct hsu_dma_desc { + struct virt_dma_desc vdesc; + enum dma_transfer_direction direction; + struct hsu_dma_sg *sg; + unsigned int nents; + size_t length; + unsigned int active; + enum dma_status status; +}; + +struct hsu_dma_chan { + struct virt_dma_chan vchan; + void *reg; + enum dma_transfer_direction direction; + struct dma_slave_config config; + struct hsu_dma_desc *desc; +}; + +struct serial_struct32 { + compat_int_t type; + compat_int_t line; + compat_uint_t port; + compat_int_t irq; + compat_int_t flags; + compat_int_t xmit_fifo_size; + compat_int_t custom_divisor; + compat_int_t baud_base; + short unsigned int close_delay; + char io_type; + char reserved_char[1]; + compat_int_t hub6; + short unsigned int closing_wait; + short unsigned int closing_wait2; + compat_uint_t iomem_base; + short unsigned int iomem_reg_shift; + unsigned int port_high; + compat_int_t reserved[1]; +}; + +struct n_tty_data { + size_t read_head; + size_t commit_head; + size_t canon_head; + size_t echo_head; + size_t echo_commit; + size_t echo_mark; + long unsigned int char_map[4]; + long unsigned int overrun_time; + int num_overrun; + bool no_room; + unsigned char lnext: 1; + unsigned char erasing: 1; + unsigned char raw: 1; + unsigned char real_raw: 1; + unsigned char icanon: 1; + unsigned char push: 1; + char read_buf[4096]; + long unsigned int read_flags[64]; + unsigned char echo_buf[4096]; + size_t read_tail; + size_t line_start; + unsigned int column; + unsigned int canon_column; + size_t echo_tail; + struct mutex atomic_read_lock; + struct mutex output_lock; +}; + +enum { + ERASE = 0, + WERASE = 1, + KILL = 2, +}; + +struct termios { + tcflag_t c_iflag; + tcflag_t c_oflag; + tcflag_t c_cflag; + tcflag_t c_lflag; + cc_t c_line; + cc_t c_cc[19]; +}; + +struct termios2 { + tcflag_t c_iflag; + tcflag_t c_oflag; + tcflag_t c_cflag; + tcflag_t c_lflag; + cc_t c_line; + cc_t c_cc[19]; + speed_t c_ispeed; + speed_t c_ospeed; +}; + +struct termio { + short unsigned int c_iflag; + short unsigned int c_oflag; + short unsigned int c_cflag; + short unsigned int c_lflag; + unsigned char c_line; + unsigned char c_cc[8]; +}; + +struct ldsem_waiter { + struct list_head list; + struct task_struct *task; +}; + +struct pts_fs_info___2; + +struct tty_audit_buf { + struct mutex mutex; + dev_t dev; + unsigned int icanon: 1; + size_t valid; + unsigned char *data; +}; + +struct sysrq_state { + struct input_handle handle; + struct work_struct reinject_work; + long unsigned int key_down[12]; + unsigned int alt; + unsigned int alt_use; + bool active; + bool need_reinject; + bool reinjecting; + bool reset_canceled; + bool reset_requested; + long unsigned int reset_keybit[12]; + int reset_seq_len; + int reset_seq_cnt; + int reset_seq_version; + struct timer_list keyreset_timer; +}; + +struct consolefontdesc { + short unsigned int charcount; + short unsigned int charheight; + char *chardata; +}; + +struct unipair { + short unsigned int unicode; + short unsigned int fontpos; +}; + +struct unimapdesc { + short unsigned int entry_ct; + struct unipair *entries; +}; + +struct kbentry { + unsigned char kb_table; + unsigned char kb_index; + short unsigned int kb_value; +}; + +struct kbsentry { + unsigned char kb_func; + unsigned char kb_string[512]; +}; + +struct kbkeycode { + unsigned int scancode; + unsigned int keycode; +}; + +struct kbd_repeat { + int delay; + int period; +}; + +struct console_font_op { + unsigned int op; + unsigned int flags; + unsigned int width; + unsigned int height; + unsigned int charcount; + unsigned char *data; +}; + +struct vt_stat { + short unsigned int v_active; + short unsigned int v_signal; + short unsigned int v_state; +}; + +struct vt_sizes { + short unsigned int v_rows; + short unsigned int v_cols; + short unsigned int v_scrollsize; +}; + +struct vt_consize { + short unsigned int v_rows; + short unsigned int v_cols; + short unsigned int v_vlin; + short unsigned int v_clin; + short unsigned int v_vcol; + short unsigned int v_ccol; +}; + +struct vt_event { + unsigned int event; + unsigned int oldev; + unsigned int newev; + unsigned int pad[4]; +}; + +struct vt_setactivate { + unsigned int console; + struct vt_mode mode; +}; + +struct vt_spawn_console { + spinlock_t lock; + struct pid *pid; + int sig; +}; + +struct vt_event_wait { + struct list_head list; + struct vt_event event; + int done; +}; + +struct compat_consolefontdesc { + short unsigned int charcount; + short unsigned int charheight; + compat_caddr_t chardata; +}; + +struct compat_console_font_op { + compat_uint_t op; + compat_uint_t flags; + compat_uint_t width; + compat_uint_t height; + compat_uint_t charcount; + compat_caddr_t data; +}; + +struct compat_unimapdesc { + short unsigned int entry_ct; + compat_caddr_t entries; +}; + +struct vt_notifier_param { + struct vc_data *vc; + unsigned int c; +}; + +struct vcs_poll_data { + struct notifier_block notifier; + unsigned int cons_num; + int event; + wait_queue_head_t waitq; + struct fasync_struct *fasync; +}; + +struct tiocl_selection { + short unsigned int xs; + short unsigned int ys; + short unsigned int xe; + short unsigned int ye; + short unsigned int sel_mode; +}; + +struct keyboard_notifier_param { + struct vc_data *vc; + int down; + int shift; + int ledstate; + unsigned int value; +}; + +struct kbd_struct { + unsigned char lockstate; + unsigned char slockstate; + unsigned char ledmode: 1; + unsigned char ledflagstate: 4; + char: 3; + unsigned char default_ledflagstate: 4; + unsigned char kbdmode: 3; + char: 1; + unsigned char modeflags: 5; +}; + +struct kbdiacr { + unsigned char diacr; + unsigned char base; + unsigned char result; +}; + +struct kbdiacrs { + unsigned int kb_cnt; + struct kbdiacr kbdiacr[256]; +}; + +struct kbdiacruc { + unsigned int diacr; + unsigned int base; + unsigned int result; +}; + +struct kbdiacrsuc { + unsigned int kb_cnt; + struct kbdiacruc kbdiacruc[256]; +}; + +typedef void k_handler_fn(struct vc_data *, unsigned char, char); + +typedef void fn_handler_fn(struct vc_data *); + +struct getset_keycode_data { + struct input_keymap_entry ke; + int error; +}; + +struct kbd_led_trigger { + struct led_trigger trigger; + unsigned int mask; +}; + +struct uni_pagedir { + u16 **uni_pgdir[32]; + long unsigned int refcount; + long unsigned int sum; + unsigned char *inverse_translations[4]; + u16 *inverse_trans_unicode; +}; + +typedef uint32_t char32_t; + +struct uni_screen { + char32_t *lines[0]; +}; + +struct con_driver { + const struct consw *con; + const char *desc; + struct device *dev; + int node; + int first; + int last; + int flag; +}; + +enum { + blank_off = 0, + blank_normal_wait = 1, + blank_vesa_wait = 2, +}; + +enum { + EPecma = 0, + EPdec = 1, + EPeq = 2, + EPgt = 3, + EPlt = 4, +}; + +struct rgb { + u8 r; + u8 g; + u8 b; +}; + +enum { + ESnormal = 0, + ESesc = 1, + ESsquare = 2, + ESgetpars = 3, + ESfunckey = 4, + EShash = 5, + ESsetG0 = 6, + ESsetG1 = 7, + ESpercent = 8, + EScsiignore = 9, + ESnonstd = 10, + ESpalette = 11, + ESosc = 12, +}; + +struct interval { + uint32_t first; + uint32_t last; +}; + +struct serial_rs485 { + __u32 flags; + __u32 delay_rts_before_send; + __u32 delay_rts_after_send; + __u32 padding[5]; +}; + +struct serial_iso7816 { + __u32 flags; + __u32 tg; + __u32 sc_fi; + __u32 sc_di; + __u32 clk; + __u32 reserved[5]; +}; + +struct circ_buf { + char *buf; + int head; + int tail; +}; + +struct uart_port; + +struct uart_ops { + unsigned int (*tx_empty)(struct uart_port *); + void (*set_mctrl)(struct uart_port *, unsigned int); + unsigned int (*get_mctrl)(struct uart_port *); + void (*stop_tx)(struct uart_port *); + void (*start_tx)(struct uart_port *); + void (*throttle)(struct uart_port *); + void (*unthrottle)(struct uart_port *); + void (*send_xchar)(struct uart_port *, char); + void (*stop_rx)(struct uart_port *); + void (*enable_ms)(struct uart_port *); + void (*break_ctl)(struct uart_port *, int); + int (*startup)(struct uart_port *); + void (*shutdown)(struct uart_port *); + void (*flush_buffer)(struct uart_port *); + void (*set_termios)(struct uart_port *, struct ktermios *, struct ktermios *); + void (*set_ldisc)(struct uart_port *, struct ktermios *); + void (*pm)(struct uart_port *, unsigned int, unsigned int); + const char * (*type)(struct uart_port *); + void (*release_port)(struct uart_port *); + int (*request_port)(struct uart_port *); + void (*config_port)(struct uart_port *, int); + int (*verify_port)(struct uart_port *, struct serial_struct *); + int (*ioctl)(struct uart_port *, unsigned int, long unsigned int); +}; + +struct uart_icount { + __u32 cts; + __u32 dsr; + __u32 rng; + __u32 dcd; + __u32 rx; + __u32 tx; + __u32 frame; + __u32 overrun; + __u32 parity; + __u32 brk; + __u32 buf_overrun; +}; + +typedef unsigned int upf_t; + +typedef unsigned int upstat_t; + +struct uart_state; + +struct uart_port { + spinlock_t lock; + long unsigned int iobase; + unsigned char *membase; + unsigned int (*serial_in)(struct uart_port *, int); + void (*serial_out)(struct uart_port *, int, int); + void (*set_termios)(struct uart_port *, struct ktermios *, struct ktermios *); + void (*set_ldisc)(struct uart_port *, struct ktermios *); + unsigned int (*get_mctrl)(struct uart_port *); + void (*set_mctrl)(struct uart_port *, unsigned int); + unsigned int (*get_divisor)(struct uart_port *, unsigned int, unsigned int *); + void (*set_divisor)(struct uart_port *, unsigned int, unsigned int, unsigned int); + int (*startup)(struct uart_port *); + void (*shutdown)(struct uart_port *); + void (*throttle)(struct uart_port *); + void (*unthrottle)(struct uart_port *); + int (*handle_irq)(struct uart_port *); + void (*pm)(struct uart_port *, unsigned int, unsigned int); + void (*handle_break)(struct uart_port *); + int (*rs485_config)(struct uart_port *, struct serial_rs485 *); + int (*iso7816_config)(struct uart_port *, struct serial_iso7816 *); + unsigned int irq; + long unsigned int irqflags; + unsigned int uartclk; + unsigned int fifosize; + unsigned char x_char; + unsigned char regshift; + unsigned char iotype; + unsigned char quirks; + unsigned int read_status_mask; + unsigned int ignore_status_mask; + struct uart_state *state; + struct uart_icount icount; + struct console *cons; + long unsigned int sysrq; + unsigned int sysrq_ch; + upf_t flags; + upstat_t status; + int hw_stopped; + unsigned int mctrl; + unsigned int timeout; + unsigned int type; + const struct uart_ops *ops; + unsigned int custom_divisor; + unsigned int line; + unsigned int minor; + resource_size_t mapbase; + resource_size_t mapsize; + struct device *dev; + unsigned char hub6; + unsigned char suspended; + unsigned char unused[2]; + const char *name; + struct attribute_group *attr_group; + const struct attribute_group **tty_groups; + struct serial_rs485 rs485; + struct serial_iso7816 iso7816; + void *private_data; +}; + +enum uart_pm_state { + UART_PM_STATE_ON = 0, + UART_PM_STATE_OFF = 3, + UART_PM_STATE_UNDEFINED = 4, +}; + +struct uart_state { + struct tty_port port; + enum uart_pm_state pm_state; + struct circ_buf xmit; + atomic_t refcount; + wait_queue_head_t remove_wait; + struct uart_port *uart_port; +}; + +struct uart_driver { + struct module *owner; + const char *driver_name; + const char *dev_name; + int major; + int minor; + int nr; + struct console *cons; + struct uart_state *state; + struct tty_driver *tty_driver; +}; + +struct uart_match { + struct uart_port *port; + struct uart_driver *driver; +}; + +struct earlycon_device { + struct console *con; + struct uart_port port; + char options[16]; + unsigned int baud; +}; + +struct earlycon_id { + char name[15]; + char name_term; + char compatible[128]; + int (*setup)(struct earlycon_device *, const char *); +}; + +enum hwparam_type { + hwparam_ioport = 0, + hwparam_iomem = 1, + hwparam_ioport_or_iomem = 2, + hwparam_irq = 3, + hwparam_dma = 4, + hwparam_dma_addr = 5, + hwparam_other = 6, +}; + +struct plat_serial8250_port { + long unsigned int iobase; + void *membase; + resource_size_t mapbase; + unsigned int irq; + long unsigned int irqflags; + unsigned int uartclk; + void *private_data; + unsigned char regshift; + unsigned char iotype; + unsigned char hub6; + upf_t flags; + unsigned int type; + unsigned int (*serial_in)(struct uart_port *, int); + void (*serial_out)(struct uart_port *, int, int); + void (*set_termios)(struct uart_port *, struct ktermios *, struct ktermios *); + void (*set_ldisc)(struct uart_port *, struct ktermios *); + unsigned int (*get_mctrl)(struct uart_port *); + int (*handle_irq)(struct uart_port *); + void (*pm)(struct uart_port *, unsigned int, unsigned int); + void (*handle_break)(struct uart_port *); +}; + +enum { + PLAT8250_DEV_LEGACY = -1, + PLAT8250_DEV_PLATFORM = 0, + PLAT8250_DEV_PLATFORM1 = 1, + PLAT8250_DEV_PLATFORM2 = 2, + PLAT8250_DEV_FOURPORT = 3, + PLAT8250_DEV_ACCENT = 4, + PLAT8250_DEV_BOCA = 5, + PLAT8250_DEV_EXAR_ST16C554 = 6, + PLAT8250_DEV_HUB6 = 7, + PLAT8250_DEV_AU1X00 = 8, + PLAT8250_DEV_SM501 = 9, +}; + +struct uart_8250_port; + +struct uart_8250_ops { + int (*setup_irq)(struct uart_8250_port *); + void (*release_irq)(struct uart_8250_port *); +}; + +struct mctrl_gpios; + +struct uart_8250_dma; + +struct uart_8250_em485; + +struct uart_8250_port { + struct uart_port port; + struct timer_list timer; + struct list_head list; + u32 capabilities; + short unsigned int bugs; + bool fifo_bug; + unsigned int tx_loadsz; + unsigned char acr; + unsigned char fcr; + unsigned char ier; + unsigned char lcr; + unsigned char mcr; + unsigned char mcr_mask; + unsigned char mcr_force; + unsigned char cur_iotype; + unsigned int rpm_tx_active; + unsigned char canary; + unsigned char probe; + struct mctrl_gpios *gpios; + unsigned char lsr_saved_flags; + unsigned char msr_saved_flags; + struct uart_8250_dma *dma; + const struct uart_8250_ops *ops; + int (*dl_read)(struct uart_8250_port *); + void (*dl_write)(struct uart_8250_port *, int); + struct uart_8250_em485 *em485; + struct delayed_work overrun_backoff; + u32 overrun_backoff_time_ms; +}; + +struct uart_8250_em485 { + struct hrtimer start_tx_timer; + struct hrtimer stop_tx_timer; + struct hrtimer *active_timer; + struct uart_8250_port *port; +}; + +struct uart_8250_dma { + int (*tx_dma)(struct uart_8250_port *); + int (*rx_dma)(struct uart_8250_port *); + dma_filter_fn fn; + void *rx_param; + void *tx_param; + struct dma_slave_config rxconf; + struct dma_slave_config txconf; + struct dma_chan___2 *rxchan; + struct dma_chan___2 *txchan; + phys_addr_t rx_dma_addr; + phys_addr_t tx_dma_addr; + dma_addr_t rx_addr; + dma_addr_t tx_addr; + dma_cookie_t rx_cookie; + dma_cookie_t tx_cookie; + void *rx_buf; + size_t rx_size; + size_t tx_size; + unsigned char tx_running; + unsigned char tx_err; + unsigned char rx_running; +}; + +struct old_serial_port { + unsigned int uart; + unsigned int baud_base; + unsigned int port; + unsigned int irq; + upf_t flags; + unsigned char io_type; + unsigned char *iomem_base; + short unsigned int iomem_reg_shift; +}; + +struct irq_info { + struct hlist_node node; + int irq; + spinlock_t lock; + struct list_head *head; +}; + +struct serial8250_config { + const char *name; + short unsigned int fifo_size; + short unsigned int tx_loadsz; + unsigned char fcr; + unsigned char rxtrig_bytes[4]; + unsigned int flags; +}; + +struct dw8250_port_data { + int line; + struct uart_8250_dma dma; + u8 dlf_size; +}; + +struct pciserial_board { + unsigned int flags; + unsigned int num_ports; + unsigned int base_baud; + unsigned int uart_offset; + unsigned int reg_shift; + unsigned int first_offset; +}; + +struct serial_private; + +struct pci_serial_quirk { + u32 vendor; + u32 device; + u32 subvendor; + u32 subdevice; + int (*probe)(struct pci_dev *); + int (*init)(struct pci_dev *); + int (*setup)(struct serial_private *, const struct pciserial_board *, struct uart_8250_port *, int); + void (*exit)(struct pci_dev *); +}; + +struct serial_private { + struct pci_dev *dev; + unsigned int nr; + struct pci_serial_quirk *quirk; + const struct pciserial_board *board; + int line[0]; +}; + +struct f815xxa_data { + spinlock_t lock; + int idx; +}; + +struct timedia_struct { + int num; + const short unsigned int *ids; +}; + +struct quatech_feature { + u16 devid; + bool amcc; +}; + +enum pci_board_num_t { + pbn_default = 0, + pbn_b0_1_115200 = 1, + pbn_b0_2_115200 = 2, + pbn_b0_4_115200 = 3, + pbn_b0_5_115200 = 4, + pbn_b0_8_115200 = 5, + pbn_b0_1_921600 = 6, + pbn_b0_2_921600 = 7, + pbn_b0_4_921600 = 8, + pbn_b0_2_1130000 = 9, + pbn_b0_4_1152000 = 10, + pbn_b0_4_1250000 = 11, + pbn_b0_2_1843200 = 12, + pbn_b0_4_1843200 = 13, + pbn_b0_1_4000000 = 14, + pbn_b0_bt_1_115200 = 15, + pbn_b0_bt_2_115200 = 16, + pbn_b0_bt_4_115200 = 17, + pbn_b0_bt_8_115200 = 18, + pbn_b0_bt_1_460800 = 19, + pbn_b0_bt_2_460800 = 20, + pbn_b0_bt_4_460800 = 21, + pbn_b0_bt_1_921600 = 22, + pbn_b0_bt_2_921600 = 23, + pbn_b0_bt_4_921600 = 24, + pbn_b0_bt_8_921600 = 25, + pbn_b1_1_115200 = 26, + pbn_b1_2_115200 = 27, + pbn_b1_4_115200 = 28, + pbn_b1_8_115200 = 29, + pbn_b1_16_115200 = 30, + pbn_b1_1_921600 = 31, + pbn_b1_2_921600 = 32, + pbn_b1_4_921600 = 33, + pbn_b1_8_921600 = 34, + pbn_b1_2_1250000 = 35, + pbn_b1_bt_1_115200 = 36, + pbn_b1_bt_2_115200 = 37, + pbn_b1_bt_4_115200 = 38, + pbn_b1_bt_2_921600 = 39, + pbn_b1_1_1382400 = 40, + pbn_b1_2_1382400 = 41, + pbn_b1_4_1382400 = 42, + pbn_b1_8_1382400 = 43, + pbn_b2_1_115200 = 44, + pbn_b2_2_115200 = 45, + pbn_b2_4_115200 = 46, + pbn_b2_8_115200 = 47, + pbn_b2_1_460800 = 48, + pbn_b2_4_460800 = 49, + pbn_b2_8_460800 = 50, + pbn_b2_16_460800 = 51, + pbn_b2_1_921600 = 52, + pbn_b2_4_921600 = 53, + pbn_b2_8_921600 = 54, + pbn_b2_8_1152000 = 55, + pbn_b2_bt_1_115200 = 56, + pbn_b2_bt_2_115200 = 57, + pbn_b2_bt_4_115200 = 58, + pbn_b2_bt_2_921600 = 59, + pbn_b2_bt_4_921600 = 60, + pbn_b3_2_115200 = 61, + pbn_b3_4_115200 = 62, + pbn_b3_8_115200 = 63, + pbn_b4_bt_2_921600 = 64, + pbn_b4_bt_4_921600 = 65, + pbn_b4_bt_8_921600 = 66, + pbn_panacom = 67, + pbn_panacom2 = 68, + pbn_panacom4 = 69, + pbn_plx_romulus = 70, + pbn_endrun_2_4000000 = 71, + pbn_oxsemi = 72, + pbn_oxsemi_1_4000000 = 73, + pbn_oxsemi_2_4000000 = 74, + pbn_oxsemi_4_4000000 = 75, + pbn_oxsemi_8_4000000 = 76, + pbn_intel_i960 = 77, + pbn_sgi_ioc3 = 78, + pbn_computone_4 = 79, + pbn_computone_6 = 80, + pbn_computone_8 = 81, + pbn_sbsxrsio = 82, + pbn_pasemi_1682M = 83, + pbn_ni8430_2 = 84, + pbn_ni8430_4 = 85, + pbn_ni8430_8 = 86, + pbn_ni8430_16 = 87, + pbn_ADDIDATA_PCIe_1_3906250 = 88, + pbn_ADDIDATA_PCIe_2_3906250 = 89, + pbn_ADDIDATA_PCIe_4_3906250 = 90, + pbn_ADDIDATA_PCIe_8_3906250 = 91, + pbn_ce4100_1_115200 = 92, + pbn_omegapci = 93, + pbn_NETMOS9900_2s_115200 = 94, + pbn_brcm_trumanage = 95, + pbn_fintek_4 = 96, + pbn_fintek_8 = 97, + pbn_fintek_12 = 98, + pbn_fintek_F81504A = 99, + pbn_fintek_F81508A = 100, + pbn_fintek_F81512A = 101, + pbn_wch382_2 = 102, + pbn_wch384_4 = 103, + pbn_pericom_PI7C9X7951 = 104, + pbn_pericom_PI7C9X7952 = 105, + pbn_pericom_PI7C9X7954 = 106, + pbn_pericom_PI7C9X7958 = 107, + pbn_sunix_pci_1s = 108, + pbn_sunix_pci_2s = 109, + pbn_sunix_pci_4s = 110, + pbn_sunix_pci_8s = 111, + pbn_sunix_pci_16s = 112, + pbn_moxa8250_2p = 113, + pbn_moxa8250_4p = 114, + pbn_moxa8250_8p = 115, +}; + +struct acpi_gpio_params { + unsigned int crs_entry_index; + unsigned int line_index; + bool active_low; +}; + +struct exar8250_platform { + int (*rs485_config)(struct uart_port *, struct serial_rs485 *); + int (*register_gpio)(struct pci_dev *, struct uart_8250_port *); +}; + +struct exar8250; + +struct exar8250_board { + unsigned int num_ports; + unsigned int reg_shift; + int (*setup)(struct exar8250 *, struct pci_dev *, struct uart_8250_port *, int); + void (*exit)(struct pci_dev *); +}; + +struct exar8250 { + unsigned int nr; + struct exar8250_board *board; + void *virt; + int line[0]; +}; + +struct lpss8250; + +struct lpss8250_board { + long unsigned int freq; + unsigned int base_baud; + int (*setup)(struct lpss8250 *, struct uart_port *); + void (*exit)(struct lpss8250 *); +}; + +struct lpss8250 { + struct dw8250_port_data data; + struct lpss8250_board *board; + struct dw_dma_chip dma_chip; + struct dw_dma_slave dma_param; + u8 dma_maxburst; +}; + +struct hsu_dma_slave { + struct device *dma_dev; + int chan_id; +}; + +struct mid8250; + +struct mid8250_board { + unsigned int flags; + long unsigned int freq; + unsigned int base_baud; + int (*setup)(struct mid8250 *, struct uart_port *); + void (*exit)(struct mid8250 *); +}; + +struct mid8250 { + int line; + int dma_index; + struct pci_dev *dma_dev; + struct uart_8250_dma dma; + struct mid8250_board *board; + struct hsu_dma_chip dma_chip; +}; + +typedef int splice_actor___2(struct pipe_inode_info *, struct pipe_buffer *, struct splice_desc *); + +struct memdev { + const char *name; + umode_t mode; + const struct file_operations *fops; + fmode_t fmode; +}; + +struct timer_rand_state { + cycles_t last_time; + long int last_delta; + long int last_delta2; +}; + +struct trace_event_raw_add_device_randomness { + struct trace_entry ent; + int bytes; + long unsigned int IP; + char __data[0]; +}; + +struct trace_event_raw_random__mix_pool_bytes { + struct trace_entry ent; + const char *pool_name; + int bytes; + long unsigned int IP; + char __data[0]; +}; + +struct trace_event_raw_credit_entropy_bits { + struct trace_entry ent; + const char *pool_name; + int bits; + int entropy_count; + long unsigned int IP; + char __data[0]; +}; + +struct trace_event_raw_push_to_pool { + struct trace_entry ent; + const char *pool_name; + int pool_bits; + int input_bits; + char __data[0]; +}; + +struct trace_event_raw_debit_entropy { + struct trace_entry ent; + const char *pool_name; + int debit_bits; + char __data[0]; +}; + +struct trace_event_raw_add_input_randomness { + struct trace_entry ent; + int input_bits; + char __data[0]; +}; + +struct trace_event_raw_add_disk_randomness { + struct trace_entry ent; + dev_t dev; + int input_bits; + char __data[0]; +}; + +struct trace_event_raw_xfer_secondary_pool { + struct trace_entry ent; + const char *pool_name; + int xfer_bits; + int request_bits; + int pool_entropy; + int input_entropy; + char __data[0]; +}; + +struct trace_event_raw_random__get_random_bytes { + struct trace_entry ent; + int nbytes; + long unsigned int IP; + char __data[0]; +}; + +struct trace_event_raw_random__extract_entropy { + struct trace_entry ent; + const char *pool_name; + int nbytes; + int entropy_count; + long unsigned int IP; + char __data[0]; +}; + +struct trace_event_raw_random_read { + struct trace_entry ent; + int got_bits; + int need_bits; + int pool_left; + int input_left; + char __data[0]; +}; + +struct trace_event_raw_urandom_read { + struct trace_entry ent; + int got_bits; + int pool_left; + int input_left; + char __data[0]; +}; + +struct trace_event_data_offsets_add_device_randomness {}; + +struct trace_event_data_offsets_random__mix_pool_bytes {}; + +struct trace_event_data_offsets_credit_entropy_bits {}; + +struct trace_event_data_offsets_push_to_pool {}; + +struct trace_event_data_offsets_debit_entropy {}; + +struct trace_event_data_offsets_add_input_randomness {}; + +struct trace_event_data_offsets_add_disk_randomness {}; + +struct trace_event_data_offsets_xfer_secondary_pool {}; + +struct trace_event_data_offsets_random__get_random_bytes {}; + +struct trace_event_data_offsets_random__extract_entropy {}; + +struct trace_event_data_offsets_random_read {}; + +struct trace_event_data_offsets_urandom_read {}; + +struct poolinfo { + int poolbitshift; + int poolwords; + int poolbytes; + int poolfracbits; + int tap1; + int tap2; + int tap3; + int tap4; + int tap5; +}; + +struct crng_state { + __u32 state[16]; + long unsigned int init_time; + spinlock_t lock; +}; + +struct entropy_store { + const struct poolinfo *poolinfo; + __u32 *pool; + const char *name; + struct entropy_store *pull; + struct work_struct push_work; + long unsigned int last_pulled; + spinlock_t lock; + short unsigned int add_ptr; + short unsigned int input_rotate; + int entropy_count; + unsigned int initialized: 1; + unsigned int last_data_init: 1; + __u8 last_data[10]; +}; + +struct fast_pool { + __u32 pool[4]; + long unsigned int last; + short unsigned int reg_idx; + unsigned char count; +}; + +struct batched_entropy { + union { + u64 entropy_u64[8]; + u32 entropy_u32[16]; + }; + unsigned int position; + spinlock_t batch_lock; +}; + +struct hpet_info { + long unsigned int hi_ireqfreq; + long unsigned int hi_flags; + short unsigned int hi_hpet; + short unsigned int hi_timer; +}; + +struct hpet_timer { + u64 hpet_config; + union { + u64 _hpet_hc64; + u32 _hpet_hc32; + long unsigned int _hpet_compare; + } _u1; + u64 hpet_fsb[2]; +}; + +struct hpet { + u64 hpet_cap; + u64 res0; + u64 hpet_config; + u64 res1; + u64 hpet_isr; + u64 res2[25]; + union { + u64 _hpet_mc64; + u32 _hpet_mc32; + long unsigned int _hpet_mc; + } _u0; + u64 res3; + struct hpet_timer hpet_timers[1]; +}; + +struct hpets; + +struct hpet_dev { + struct hpets *hd_hpets; + struct hpet *hd_hpet; + struct hpet_timer *hd_timer; + long unsigned int hd_ireqfreq; + long unsigned int hd_irqdata; + wait_queue_head_t hd_waitqueue; + struct fasync_struct *hd_async_queue; + unsigned int hd_flags; + unsigned int hd_irq; + unsigned int hd_hdwirq; + char hd_name[7]; +}; + +struct hpets { + struct hpets *hp_next; + struct hpet *hp_hpet; + long unsigned int hp_hpet_phys; + struct clocksource *hp_clocksource; + long long unsigned int hp_tick_freq; + long unsigned int hp_delta; + unsigned int hp_ntimer; + unsigned int hp_which; + struct hpet_dev hp_dev[1]; +}; + +struct compat_hpet_info { + compat_ulong_t hi_ireqfreq; + compat_ulong_t hi_flags; + short unsigned int hi_hpet; + short unsigned int hi_timer; +}; + +struct nvram_ops { + ssize_t (*get_size)(); + unsigned char (*read_byte)(int); + void (*write_byte)(unsigned char, int); + ssize_t (*read)(char *, size_t, loff_t *); + ssize_t (*write)(char *, size_t, loff_t *); + long int (*initialize)(); + long int (*set_checksum)(); +}; + +struct hwrng { + const char *name; + int (*init)(struct hwrng *); + void (*cleanup)(struct hwrng *); + int (*data_present)(struct hwrng *, int); + int (*data_read)(struct hwrng *, u32 *); + int (*read)(struct hwrng *, void *, size_t, bool); + long unsigned int priv; + short unsigned int quality; + struct list_head list; + struct kref ref; + struct completion cleanup_done; +}; + +enum { + VIA_STRFILT_CNT_SHIFT = 16, + VIA_STRFILT_FAIL = 32768, + VIA_STRFILT_ENABLE = 16384, + VIA_RAWBITS_ENABLE = 8192, + VIA_RNG_ENABLE = 64, + VIA_NOISESRC1 = 256, + VIA_NOISESRC2 = 512, + VIA_XSTORE_CNT_MASK = 15, + VIA_RNG_CHUNK_8 = 0, + VIA_RNG_CHUNK_4 = 1, + VIA_RNG_CHUNK_4_MASK = -1, + VIA_RNG_CHUNK_2 = 2, + VIA_RNG_CHUNK_2_MASK = 65535, + VIA_RNG_CHUNK_1 = 3, + VIA_RNG_CHUNK_1_MASK = 255, +}; + +enum chipset_type { + NOT_SUPPORTED = 0, + SUPPORTED = 1, +}; + +struct agp_version { + u16 major; + u16 minor; +}; + +struct agp_bridge_data; + +struct agp_memory { + struct agp_memory *next; + struct agp_memory *prev; + struct agp_bridge_data *bridge; + struct page **pages; + size_t page_count; + int key; + int num_scratch_pages; + off_t pg_start; + u32 type; + u32 physical; + bool is_bound; + bool is_flushed; + struct list_head mapped_list; + struct scatterlist *sg_list; + int num_sg; +}; + +struct agp_bridge_driver; + +struct agp_bridge_data { + const struct agp_version *version; + const struct agp_bridge_driver *driver; + const struct vm_operations_struct *vm_ops; + void *previous_size; + void *current_size; + void *dev_private_data; + struct pci_dev *dev; + u32 *gatt_table; + u32 *gatt_table_real; + long unsigned int scratch_page; + struct page *scratch_page_page; + dma_addr_t scratch_page_dma; + long unsigned int gart_bus_addr; + long unsigned int gatt_bus_addr; + u32 mode; + enum chipset_type type; + long unsigned int *key_list; + atomic_t current_memory_agp; + atomic_t agp_in_use; + int max_memory_agp; + int aperture_size_idx; + int capndx; + int flags; + char major_version; + char minor_version; + struct list_head list; + u32 apbase_config; + struct list_head mapped_list; + spinlock_t mapped_lock; +}; + +enum aper_size_type { + U8_APER_SIZE = 0, + U16_APER_SIZE = 1, + U32_APER_SIZE = 2, + LVL2_APER_SIZE = 3, + FIXED_APER_SIZE = 4, +}; + +struct gatt_mask { + long unsigned int mask; + u32 type; +}; + +struct agp_bridge_driver { + struct module *owner; + const void *aperture_sizes; + int num_aperture_sizes; + enum aper_size_type size_type; + bool cant_use_aperture; + bool needs_scratch_page; + const struct gatt_mask *masks; + int (*fetch_size)(); + int (*configure)(); + void (*agp_enable)(struct agp_bridge_data *, u32); + void (*cleanup)(); + void (*tlb_flush)(struct agp_memory *); + long unsigned int (*mask_memory)(struct agp_bridge_data *, dma_addr_t, int); + void (*cache_flush)(); + int (*create_gatt_table)(struct agp_bridge_data *); + int (*free_gatt_table)(struct agp_bridge_data *); + int (*insert_memory)(struct agp_memory *, off_t, int); + int (*remove_memory)(struct agp_memory *, off_t, int); + struct agp_memory * (*alloc_by_type)(size_t, int); + void (*free_by_type)(struct agp_memory *); + struct page * (*agp_alloc_page)(struct agp_bridge_data *); + int (*agp_alloc_pages)(struct agp_bridge_data *, struct agp_memory *, size_t); + void (*agp_destroy_page)(struct page *, int); + void (*agp_destroy_pages)(struct agp_memory *); + int (*agp_type_to_mask_type)(struct agp_bridge_data *, int); +}; + +struct agp_kern_info { + struct agp_version version; + struct pci_dev *device; + enum chipset_type chipset; + long unsigned int mode; + long unsigned int aper_base; + size_t aper_size; + int max_memory; + int current_memory; + bool cant_use_aperture; + long unsigned int page_mask; + const struct vm_operations_struct *vm_ops; +}; + +struct agp_info { + struct agp_version version; + u32 bridge_id; + u32 agp_mode; + long unsigned int aper_base; + size_t aper_size; + size_t pg_total; + size_t pg_system; + size_t pg_used; +}; + +struct agp_setup { + u32 agp_mode; +}; + +struct agp_segment { + off_t pg_start; + size_t pg_count; + int prot; +}; + +struct agp_segment_priv { + off_t pg_start; + size_t pg_count; + pgprot_t prot; +}; + +struct agp_region { + pid_t pid; + size_t seg_count; + struct agp_segment *seg_list; +}; + +struct agp_allocate { + int key; + size_t pg_count; + u32 type; + u32 physical; +}; + +struct agp_bind { + int key; + off_t pg_start; +}; + +struct agp_unbind { + int key; + u32 priority; +}; + +struct agp_client { + struct agp_client *next; + struct agp_client *prev; + pid_t pid; + int num_segments; + struct agp_segment_priv **segments; +}; + +struct agp_controller { + struct agp_controller *next; + struct agp_controller *prev; + pid_t pid; + int num_clients; + struct agp_memory *pool; + struct agp_client *clients; +}; + +struct agp_file_private { + struct agp_file_private *next; + struct agp_file_private *prev; + pid_t my_pid; + long unsigned int access_flags; +}; + +struct agp_front_data { + struct mutex agp_mutex; + struct agp_controller *current_controller; + struct agp_controller *controllers; + struct agp_file_private *file_priv_list; + bool used_by_controller; + bool backend_acquired; +}; + +struct aper_size_info_8 { + int size; + int num_entries; + int page_order; + u8 size_value; +}; + +struct aper_size_info_16 { + int size; + int num_entries; + int page_order; + u16 size_value; +}; + +struct aper_size_info_32 { + int size; + int num_entries; + int page_order; + u32 size_value; +}; + +struct aper_size_info_lvl2 { + int size; + int num_entries; + u32 size_value; +}; + +struct aper_size_info_fixed { + int size; + int num_entries; + int page_order; +}; + +struct agp_3_5_dev { + struct list_head list; + u8 capndx; + u32 maxbw; + struct pci_dev *dev; +}; + +struct isoch_data { + u32 maxbw; + u32 n; + u32 y; + u32 l; + u32 rq; + struct agp_3_5_dev *dev; +}; + +struct agp_info32 { + struct agp_version version; + u32 bridge_id; + u32 agp_mode; + compat_long_t aper_base; + compat_size_t aper_size; + compat_size_t pg_total; + compat_size_t pg_system; + compat_size_t pg_used; +}; + +struct agp_segment32 { + compat_off_t pg_start; + compat_size_t pg_count; + compat_int_t prot; +}; + +struct agp_region32 { + compat_pid_t pid; + compat_size_t seg_count; + struct agp_segment32 *seg_list; +}; + +struct agp_allocate32 { + compat_int_t key; + compat_size_t pg_count; + u32 type; + u32 physical; +}; + +struct agp_bind32 { + compat_int_t key; + compat_off_t pg_start; +}; + +struct agp_unbind32 { + compat_int_t key; + u32 priority; +}; + +struct intel_agp_driver_description { + unsigned int chip_id; + char *name; + const struct agp_bridge_driver *driver; +}; + +struct intel_gtt_driver { + unsigned int gen: 8; + unsigned int is_g33: 1; + unsigned int is_pineview: 1; + unsigned int is_ironlake: 1; + unsigned int has_pgtbl_enable: 1; + unsigned int dma_mask_size: 8; + int (*setup)(); + void (*cleanup)(); + void (*write_entry)(dma_addr_t, unsigned int, unsigned int); + bool (*check_flags)(unsigned int); + void (*chipset_flush)(); +}; + +struct _intel_private { + const struct intel_gtt_driver *driver; + struct pci_dev *pcidev; + struct pci_dev *bridge_dev; + u8 *registers; + phys_addr_t gtt_phys_addr; + u32 PGETBL_save; + u32 *gtt; + bool clear_fake_agp; + int num_dcache_entries; + void *i9xx_flush_page; + char *i81x_gtt_table; + struct resource ifp_resource; + int resource_valid; + struct page *scratch_page; + phys_addr_t scratch_page_dma; + int refcount; + unsigned int needs_dmar: 1; + phys_addr_t gma_bus_addr; + resource_size_t stolen_size; + unsigned int gtt_total_entries; + unsigned int gtt_mappable_entries; +}; + +struct intel_gtt_driver_description { + unsigned int gmch_chip_id; + char *name; + const struct intel_gtt_driver *gtt_driver; +}; + +struct iommu_group { + struct kobject kobj; + struct kobject *devices_kobj; + struct list_head devices; + struct mutex mutex; + struct blocking_notifier_head notifier; + void *iommu_data; + void (*iommu_data_release)(void *); + char *name; + int id; + struct iommu_domain *default_domain; + struct iommu_domain *domain; +}; + +typedef unsigned int ioasid_t; + +enum iommu_fault_type { + IOMMU_FAULT_DMA_UNRECOV = 1, + IOMMU_FAULT_PAGE_REQ = 2, +}; + +struct iommu_device { + struct list_head list; + const struct iommu_ops *ops; + struct fwnode_handle *fwnode; + struct device *dev; +}; + +struct fsl_mc_obj_desc { + char type[16]; + int id; + u16 vendor; + u16 ver_major; + u16 ver_minor; + u8 irq_count; + u8 region_count; + u32 state; + char label[16]; + u16 flags; +}; + +struct fsl_mc_io; + +struct fsl_mc_device_irq; + +struct fsl_mc_resource; + +struct fsl_mc_device { + struct device dev; + u64 dma_mask; + u16 flags; + u16 icid; + u16 mc_handle; + struct fsl_mc_io *mc_io; + struct fsl_mc_obj_desc obj_desc; + struct resource *regions; + struct fsl_mc_device_irq **irqs; + struct fsl_mc_resource *resource; + struct device_link *consumer_link; +}; + +enum fsl_mc_pool_type { + FSL_MC_POOL_DPMCP = 0, + FSL_MC_POOL_DPBP = 1, + FSL_MC_POOL_DPCON = 2, + FSL_MC_POOL_IRQ = 3, + FSL_MC_NUM_POOL_TYPES = 4, +}; + +struct fsl_mc_resource_pool; + +struct fsl_mc_resource { + enum fsl_mc_pool_type type; + s32 id; + void *data; + struct fsl_mc_resource_pool *parent_pool; + struct list_head node; +}; + +struct fsl_mc_device_irq { + struct msi_desc *msi_desc; + struct fsl_mc_device *mc_dev; + u8 dev_irq_index; + struct fsl_mc_resource resource; +}; + +struct fsl_mc_io { + struct device *dev; + u16 flags; + u32 portal_size; + phys_addr_t portal_phys_addr; + void *portal_virt_addr; + struct fsl_mc_device *dpmcp_dev; + union { + struct mutex mutex; + spinlock_t spinlock; + }; +}; + +struct group_device { + struct list_head list; + struct device *dev; + char *name; +}; + +struct iommu_group_attribute { + struct attribute attr; + ssize_t (*show)(struct iommu_group *, char *); + ssize_t (*store)(struct iommu_group *, const char *, size_t); +}; + +struct group_for_pci_data { + struct pci_dev *pdev; + struct iommu_group *group; +}; + +struct trace_event_raw_iommu_group_event { + struct trace_entry ent; + int gid; + u32 __data_loc_device; + char __data[0]; +}; + +struct trace_event_raw_iommu_device_event { + struct trace_entry ent; + u32 __data_loc_device; + char __data[0]; +}; + +struct trace_event_raw_map { + struct trace_entry ent; + u64 iova; + u64 paddr; + size_t size; + char __data[0]; +}; + +struct trace_event_raw_unmap { + struct trace_entry ent; + u64 iova; + size_t size; + size_t unmapped_size; + char __data[0]; +}; + +struct trace_event_raw_iommu_error { + struct trace_entry ent; + u32 __data_loc_device; + u32 __data_loc_driver; + u64 iova; + int flags; + char __data[0]; +}; + +struct trace_event_data_offsets_iommu_group_event { + u32 device; +}; + +struct trace_event_data_offsets_iommu_device_event { + u32 device; +}; + +struct trace_event_data_offsets_map {}; + +struct trace_event_data_offsets_unmap {}; + +struct trace_event_data_offsets_iommu_error { + u32 device; + u32 driver; +}; + +struct iova { + struct rb_node node; + long unsigned int pfn_hi; + long unsigned int pfn_lo; +}; + +struct iova_magazine; + +struct iova_cpu_rcache; + +struct iova_rcache { + spinlock_t lock; + long unsigned int depot_size; + struct iova_magazine *depot[32]; + struct iova_cpu_rcache *cpu_rcaches; +}; + +struct iova_domain; + +typedef void (*iova_flush_cb)(struct iova_domain *); + +typedef void (*iova_entry_dtor)(long unsigned int); + +struct iova_fq; + +struct iova_domain { + spinlock_t iova_rbtree_lock; + struct rb_root rbroot; + struct rb_node *cached_node; + struct rb_node *cached32_node; + long unsigned int granule; + long unsigned int start_pfn; + long unsigned int dma_32bit_pfn; + long unsigned int max32_alloc_size; + struct iova_fq *fq; + atomic64_t fq_flush_start_cnt; + atomic64_t fq_flush_finish_cnt; + struct iova anchor; + struct iova_rcache rcaches[6]; + iova_flush_cb flush_cb; + iova_entry_dtor entry_dtor; + struct timer_list fq_timer; + atomic_t fq_timer_on; +}; + +struct iova_fq_entry { + long unsigned int iova_pfn; + long unsigned int pages; + long unsigned int data; + u64 counter; +}; + +struct iova_fq { + struct iova_fq_entry entries[256]; + unsigned int head; + unsigned int tail; + spinlock_t lock; +}; + +struct iommu_dma_msi_page { + struct list_head list; + dma_addr_t iova; + phys_addr_t phys; +}; + +enum iommu_dma_cookie_type { + IOMMU_DMA_IOVA_COOKIE = 0, + IOMMU_DMA_MSI_COOKIE = 1, +}; + +struct iommu_dma_cookie { + enum iommu_dma_cookie_type type; + union { + struct iova_domain iovad; + dma_addr_t msi_iova; + }; + struct list_head msi_page_list; + struct iommu_domain *fq_domain; +}; + +struct iova_magazine { + long unsigned int size; + long unsigned int pfns[128]; +}; + +struct iova_cpu_rcache { + spinlock_t lock; + struct iova_magazine *loaded; + struct iova_magazine *prev; +}; + +struct amd_iommu_device_info { + int max_pasids; + u32 flags; +}; + +struct amd_iommu_fault { + u64 address; + u32 pasid; + u16 device_id; + u16 tag; + u16 flags; +}; + +struct protection_domain { + struct list_head list; + struct list_head dev_list; + struct iommu_domain domain; + spinlock_t lock; + u16 id; + int mode; + u64 *pt_root; + int glx; + u64 *gcr3_tbl; + long unsigned int flags; + unsigned int dev_cnt; + unsigned int dev_iommu[32]; +}; + +struct amd_iommu___2 { + struct list_head list; + int index; + raw_spinlock_t lock; + struct pci_dev *dev; + struct pci_dev *root_pdev; + u64 mmio_phys; + u64 mmio_phys_end; + u8 *mmio_base; + u32 cap; + u8 acpi_flags; + u64 features; + bool is_iommu_v2; + u16 devid; + u16 cap_ptr; + u16 pci_seg; + u64 exclusion_start; + u64 exclusion_length; + u8 *cmd_buf; + u32 cmd_buf_head; + u32 cmd_buf_tail; + u8 *evt_buf; + u8 *ppr_log; + u8 *ga_log; + u8 *ga_log_tail; + bool int_enabled; + bool need_sync; + struct iommu_device iommu; + u32 stored_addr_lo; + u32 stored_addr_hi; + u32 stored_l1[108]; + u32 stored_l2[131]; + u8 max_banks; + u8 max_counters; + u32 flags; + volatile u64 cmd_sem; + struct irq_affinity_notify intcapxt_notify; +}; + +struct acpihid_map_entry { + struct list_head list; + u8 uid[256]; + u8 hid[9]; + u16 devid; + u16 root_devid; + bool cmd_line; + struct iommu_group *group; +}; + +struct iommu_dev_data { + spinlock_t lock; + struct list_head list; + struct llist_node dev_data_list; + struct protection_domain *domain; + struct pci_dev *pdev; + u16 devid; + bool iommu_v2; + bool passthrough; + struct { + bool enabled; + int qdep; + } ats; + bool pri_tlp; + u32 errata; + bool use_vapic; + bool defer_attach; + struct ratelimit_state rs; +}; + +struct dev_table_entry { + u64 data[4]; +}; + +struct unity_map_entry { + struct list_head list; + u16 devid_start; + u16 devid_end; + u64 address_start; + u64 address_end; + int prot; +}; + +struct iommu_cmd { + u32 data[4]; +}; + +enum { + IRQ_REMAP_XAPIC_MODE = 0, + IRQ_REMAP_X2APIC_MODE = 1, +}; + +struct irq_remap_table { + raw_spinlock_t lock; + unsigned int min_index; + u32 *table; +}; + +struct devid_map { + struct list_head list; + u8 id; + u16 devid; + bool cmd_line; +}; + +enum amd_iommu_intr_mode_type { + AMD_IOMMU_GUEST_IR_LEGACY = 0, + AMD_IOMMU_GUEST_IR_LEGACY_GA = 1, + AMD_IOMMU_GUEST_IR_VAPIC = 2, +}; + +struct ivhd_header { + u8 type; + u8 flags; + u16 length; + u16 devid; + u16 cap_ptr; + u64 mmio_phys; + u16 pci_seg; + u16 info; + u32 efr_attr; + u64 efr_reg; + u64 res; +}; + +struct ivhd_entry { + u8 type; + u16 devid; + u8 flags; + u32 ext; + u32 hidh; + u64 cid; + u8 uidf; + u8 uidl; + u8 uid; +} __attribute__((packed)); + +struct ivmd_header { + u8 type; + u8 flags; + u16 length; + u16 devid; + u16 aux; + u64 resv; + u64 range_start; + u64 range_length; +}; + +enum iommu_init_state { + IOMMU_START_STATE = 0, + IOMMU_IVRS_DETECTED = 1, + IOMMU_ACPI_FINISHED = 2, + IOMMU_ENABLED = 3, + IOMMU_PCI_INIT = 4, + IOMMU_INTERRUPTS_EN = 5, + IOMMU_DMA_OPS = 6, + IOMMU_INITIALIZED = 7, + IOMMU_NOT_FOUND = 8, + IOMMU_INIT_ERROR = 9, + IOMMU_CMDLINE_DISABLED = 10, +}; + +struct ivrs_quirk_entry { + u8 id; + u16 devid; +}; + +enum { + DELL_INSPIRON_7375 = 0, + DELL_LATITUDE_5495 = 1, + LENOVO_IDEAPAD_330S_15ARR = 2, +}; + +struct acpi_table_dmar { + struct acpi_table_header header; + u8 width; + u8 flags; + u8 reserved[10]; +}; + +struct acpi_dmar_header { + u16 type; + u16 length; +}; + +enum acpi_dmar_type { + ACPI_DMAR_TYPE_HARDWARE_UNIT = 0, + ACPI_DMAR_TYPE_RESERVED_MEMORY = 1, + ACPI_DMAR_TYPE_ROOT_ATS = 2, + ACPI_DMAR_TYPE_HARDWARE_AFFINITY = 3, + ACPI_DMAR_TYPE_NAMESPACE = 4, + ACPI_DMAR_TYPE_RESERVED = 5, +}; + +struct acpi_dmar_device_scope { + u8 entry_type; + u8 length; + u16 reserved; + u8 enumeration_id; + u8 bus; +}; + +enum acpi_dmar_scope_type { + ACPI_DMAR_SCOPE_TYPE_NOT_USED = 0, + ACPI_DMAR_SCOPE_TYPE_ENDPOINT = 1, + ACPI_DMAR_SCOPE_TYPE_BRIDGE = 2, + ACPI_DMAR_SCOPE_TYPE_IOAPIC = 3, + ACPI_DMAR_SCOPE_TYPE_HPET = 4, + ACPI_DMAR_SCOPE_TYPE_NAMESPACE = 5, + ACPI_DMAR_SCOPE_TYPE_RESERVED = 6, +}; + +struct acpi_dmar_pci_path { + u8 device; + u8 function; +}; + +struct acpi_dmar_hardware_unit { + struct acpi_dmar_header header; + u8 flags; + u8 reserved; + u16 segment; + u64 address; +}; + +struct acpi_dmar_reserved_memory { + struct acpi_dmar_header header; + u16 reserved; + u16 segment; + u64 base_address; + u64 end_address; +}; + +struct acpi_dmar_atsr { + struct acpi_dmar_header header; + u8 flags; + u8 reserved; + u16 segment; +}; + +struct acpi_dmar_rhsa { + struct acpi_dmar_header header; + u32 reserved; + u64 base_address; + u32 proximity_domain; +} __attribute__((packed)); + +struct acpi_dmar_andd { + struct acpi_dmar_header header; + u8 reserved[3]; + u8 device_number; + char device_name[1]; +} __attribute__((packed)); + +struct dmar_dev_scope { + struct device *dev; + u8 bus; + u8 devfn; +}; + +struct intel_iommu; + +struct dmar_drhd_unit { + struct list_head list; + struct acpi_dmar_header *hdr; + u64 reg_base_addr; + struct dmar_dev_scope *devices; + int devices_cnt; + u16 segment; + u8 ignored: 1; + u8 include_all: 1; + struct intel_iommu *iommu; +}; + +struct iommu_flush { + void (*flush_context)(struct intel_iommu *, u16, u16, u8, u64); + void (*flush_iotlb)(struct intel_iommu *, u16, u64, unsigned int, u64); +}; + +struct dmar_domain; + +struct root_entry; + +struct q_inval; + +struct intel_iommu { + void *reg; + u64 reg_phys; + u64 reg_size; + u64 cap; + u64 ecap; + u32 gcmd; + raw_spinlock_t register_lock; + int seq_id; + int agaw; + int msagaw; + unsigned int irq; + unsigned int pr_irq; + u16 segment; + unsigned char name[13]; + long unsigned int *domain_ids; + struct dmar_domain ***domains; + spinlock_t lock; + struct root_entry *root_entry; + struct iommu_flush flush; + struct q_inval *qi; + u32 *iommu_state; + struct iommu_device iommu; + int node; + u32 flags; +}; + +struct dmar_pci_path { + u8 bus; + u8 device; + u8 function; +}; + +struct dmar_pci_notify_info { + struct pci_dev *dev; + long unsigned int event; + int bus; + u16 seg; + u16 level; + struct dmar_pci_path path[0]; +}; + +enum { + QI_FREE = 0, + QI_IN_USE = 1, + QI_DONE = 2, + QI_ABORT = 3, +}; + +struct qi_desc { + u64 qw0; + u64 qw1; + u64 qw2; + u64 qw3; +}; + +struct q_inval { + raw_spinlock_t q_lock; + void *desc; + int *desc_status; + int free_head; + int free_tail; + int free_cnt; +}; + +struct root_entry { + u64 lo; + u64 hi; +}; + +struct dma_pte; + +struct dmar_domain { + int nid; + unsigned int iommu_refcnt[128]; + u16 iommu_did[128]; + unsigned int auxd_refcnt; + bool has_iotlb_device; + struct list_head devices; + struct list_head auxd; + struct iova_domain iovad; + struct dma_pte *pgd; + int gaw; + int agaw; + int flags; + int iommu_coherency; + int iommu_snooping; + int iommu_count; + int iommu_superpage; + u64 max_addr; + int default_pasid; + struct iommu_domain domain; +}; + +struct dma_pte { + u64 val; +}; + +typedef int (*dmar_res_handler_t)(struct acpi_dmar_header *, void *); + +struct dmar_res_callback { + dmar_res_handler_t cb[5]; + void *arg[5]; + bool ignore_unhandled; + bool print_entry; +}; + +enum faulttype { + DMA_REMAP = 0, + INTR_REMAP = 1, + UNKNOWN = 2, +}; + +struct memory_notify { + long unsigned int start_pfn; + long unsigned int nr_pages; + int status_change_nid_normal; + int status_change_nid_high; + int status_change_nid; +}; + +enum { + SR_DMAR_FECTL_REG = 0, + SR_DMAR_FEDATA_REG = 1, + SR_DMAR_FEADDR_REG = 2, + SR_DMAR_FEUADDR_REG = 3, + MAX_SR_DMAR_REGS = 4, +}; + +struct context_entry { + u64 lo; + u64 hi; +}; + +struct pasid_table; + +struct device_domain_info { + struct list_head link; + struct list_head global; + struct list_head table; + struct list_head auxiliary_domains; + u8 bus; + u8 devfn; + u16 pfsid; + u8 pasid_supported: 3; + u8 pasid_enabled: 1; + u8 pri_supported: 1; + u8 pri_enabled: 1; + u8 ats_supported: 1; + u8 ats_enabled: 1; + u8 auxd_enabled: 1; + u8 ats_qdep; + struct device *dev; + struct intel_iommu *iommu; + struct dmar_domain *domain; + struct pasid_table *pasid_table; +}; + +struct pasid_table { + void *table; + int order; + int max_pasid; + struct list_head dev; +}; + +struct dmar_rmrr_unit { + struct list_head list; + struct acpi_dmar_header *hdr; + u64 base_address; + u64 end_address; + struct dmar_dev_scope *devices; + int devices_cnt; +}; + +struct dmar_atsr_unit { + struct list_head list; + struct acpi_dmar_header *hdr; + struct dmar_dev_scope *devices; + int devices_cnt; + u8 include_all: 1; +}; + +struct domain_context_mapping_data { + struct dmar_domain *domain; + struct intel_iommu *iommu; + struct pasid_table *table; +}; + +struct pasid_dir_entry { + u64 val; +}; + +struct pasid_entry { + u64 val[8]; +}; + +struct pasid_table_opaque { + struct pasid_table **pasid_table; + int segment; + int bus; + int devfn; +}; + +struct trace_event_raw_dma_map { + struct trace_entry ent; + u32 __data_loc_dev_name; + dma_addr_t dev_addr; + phys_addr_t phys_addr; + size_t size; + char __data[0]; +}; + +struct trace_event_raw_dma_unmap { + struct trace_entry ent; + u32 __data_loc_dev_name; + dma_addr_t dev_addr; + size_t size; + char __data[0]; +}; + +struct trace_event_data_offsets_dma_map { + u32 dev_name; +}; + +struct trace_event_data_offsets_dma_unmap { + u32 dev_name; +}; + +struct i2c_msg { + __u16 addr; + __u16 flags; + __u16 len; + __u8 *buf; +}; + +union i2c_smbus_data { + __u8 byte; + __u16 word; + __u8 block[34]; +}; + +struct i2c_algorithm; + +struct i2c_lock_operations; + +struct i2c_bus_recovery_info; + +struct i2c_adapter_quirks; + +struct i2c_adapter { + struct module *owner; + unsigned int class; + const struct i2c_algorithm *algo; + void *algo_data; + const struct i2c_lock_operations *lock_ops; + struct rt_mutex bus_lock; + struct rt_mutex mux_lock; + int timeout; + int retries; + struct device dev; + long unsigned int locked_flags; + int nr; + char name[48]; + struct completion dev_released; + struct mutex userspace_clients_lock; + struct list_head userspace_clients; + struct i2c_bus_recovery_info *bus_recovery_info; + const struct i2c_adapter_quirks *quirks; + struct irq_domain *host_notify_domain; +}; + +struct i2c_algorithm { + int (*master_xfer)(struct i2c_adapter *, struct i2c_msg *, int); + int (*master_xfer_atomic)(struct i2c_adapter *, struct i2c_msg *, int); + int (*smbus_xfer)(struct i2c_adapter *, u16, short unsigned int, char, u8, int, union i2c_smbus_data *); + int (*smbus_xfer_atomic)(struct i2c_adapter *, u16, short unsigned int, char, u8, int, union i2c_smbus_data *); + u32 (*functionality)(struct i2c_adapter *); +}; + +struct i2c_lock_operations { + void (*lock_bus)(struct i2c_adapter *, unsigned int); + int (*trylock_bus)(struct i2c_adapter *, unsigned int); + void (*unlock_bus)(struct i2c_adapter *, unsigned int); +}; + +struct i2c_bus_recovery_info { + int (*recover_bus)(struct i2c_adapter *); + int (*get_scl)(struct i2c_adapter *); + void (*set_scl)(struct i2c_adapter *, int); + int (*get_sda)(struct i2c_adapter *); + void (*set_sda)(struct i2c_adapter *, int); + int (*get_bus_free)(struct i2c_adapter *); + void (*prepare_recovery)(struct i2c_adapter *); + void (*unprepare_recovery)(struct i2c_adapter *); + struct gpio_desc *scl_gpiod; + struct gpio_desc *sda_gpiod; +}; + +struct i2c_adapter_quirks { + u64 flags; + int max_num_msgs; + u16 max_write_len; + u16 max_read_len; + u16 max_comb_1st_msg_len; + u16 max_comb_2nd_msg_len; +}; + +struct hdr_static_metadata { + __u8 eotf; + __u8 metadata_type; + __u16 max_cll; + __u16 max_fall; + __u16 min_cll; +}; + +struct hdr_sink_metadata { + __u32 metadata_type; + union { + struct hdr_static_metadata hdmi_type1; + }; +}; + +typedef unsigned int drm_magic_t; + +struct drm_clip_rect { + short unsigned int x1; + short unsigned int y1; + short unsigned int x2; + short unsigned int y2; +}; + +struct drm_event { + __u32 type; + __u32 length; +}; + +struct drm_event_vblank { + struct drm_event base; + __u64 user_data; + __u32 tv_sec; + __u32 tv_usec; + __u32 sequence; + __u32 crtc_id; +}; + +struct drm_event_crtc_sequence { + struct drm_event base; + __u64 user_data; + __s64 time_ns; + __u64 sequence; +}; + +enum drm_mode_subconnector { + DRM_MODE_SUBCONNECTOR_Automatic = 0, + DRM_MODE_SUBCONNECTOR_Unknown = 0, + DRM_MODE_SUBCONNECTOR_DVID = 3, + DRM_MODE_SUBCONNECTOR_DVIA = 4, + DRM_MODE_SUBCONNECTOR_Composite = 5, + DRM_MODE_SUBCONNECTOR_SVIDEO = 6, + DRM_MODE_SUBCONNECTOR_Component = 8, + DRM_MODE_SUBCONNECTOR_SCART = 9, +}; + +struct drm_mode_fb_cmd2 { + __u32 fb_id; + __u32 width; + __u32 height; + __u32 pixel_format; + __u32 flags; + __u32 handles[4]; + __u32 pitches[4]; + __u32 offsets[4]; + __u64 modifier[4]; +}; + +struct drm_mode_create_dumb { + __u32 height; + __u32 width; + __u32 bpp; + __u32 flags; + __u32 handle; + __u32 pitch; + __u64 size; +}; + +struct drm_modeset_lock; + +struct drm_modeset_acquire_ctx { + struct ww_acquire_ctx ww_ctx; + struct drm_modeset_lock *contended; + struct list_head locked; + bool trylock_only; + bool interruptible; +}; + +struct drm_modeset_lock { + struct ww_mutex mutex; + struct list_head head; +}; + +struct drm_rect { + int x1; + int y1; + int x2; + int y2; +}; + +struct drm_object_properties; + +struct drm_mode_object { + uint32_t id; + uint32_t type; + struct drm_object_properties *properties; + struct kref refcount; + void (*free_cb)(struct kref *); +}; + +struct drm_property; + +struct drm_object_properties { + int count; + struct drm_property *properties[24]; + uint64_t values[24]; +}; + +struct drm_device; + +struct drm_property { + struct list_head head; + struct drm_mode_object base; + uint32_t flags; + char name[32]; + uint32_t num_values; + uint64_t *values; + struct drm_device *dev; + struct list_head enum_list; +}; + +struct drm_framebuffer; + +struct drm_file; + +struct drm_framebuffer_funcs { + void (*destroy)(struct drm_framebuffer *); + int (*create_handle)(struct drm_framebuffer *, struct drm_file *, unsigned int *); + int (*dirty)(struct drm_framebuffer *, struct drm_file *, unsigned int, unsigned int, struct drm_clip_rect *, unsigned int); +}; + +struct drm_format_info; + +struct drm_gem_object; + +struct drm_framebuffer { + struct drm_device *dev; + struct list_head head; + struct drm_mode_object base; + char comm[16]; + const struct drm_format_info *format; + const struct drm_framebuffer_funcs *funcs; + unsigned int pitches[4]; + unsigned int offsets[4]; + uint64_t modifier; + unsigned int width; + unsigned int height; + int flags; + int hot_x; + int hot_y; + struct list_head filp_head; + struct drm_gem_object *obj[4]; +}; + +struct drm_prime_file_private { + struct mutex lock; + struct rb_root dmabufs; + struct rb_root handles; +}; + +struct drm_master; + +struct drm_minor; + +struct drm_file { + bool authenticated; + bool stereo_allowed; + bool universal_planes; + bool atomic; + bool aspect_ratio_allowed; + bool writeback_connectors; + bool is_master; + struct drm_master *master; + struct pid *pid; + drm_magic_t magic; + struct list_head lhead; + struct drm_minor *minor; + struct idr object_idr; + spinlock_t table_lock; + struct idr syncobj_idr; + spinlock_t syncobj_table_lock; + struct file *filp; + void *driver_priv; + struct list_head fbs; + struct mutex fbs_lock; + struct list_head blobs; + wait_queue_head_t event_wait; + struct list_head pending_event_list; + struct list_head event_list; + int event_space; + struct mutex event_read_lock; + struct drm_prime_file_private prime; +}; + +struct drm_mode_config_funcs; + +struct drm_atomic_state; + +struct drm_mode_config_helper_funcs; + +struct drm_mode_config { + struct mutex mutex; + struct drm_modeset_lock connection_mutex; + struct drm_modeset_acquire_ctx *acquire_ctx; + struct mutex idr_mutex; + struct idr object_idr; + struct idr tile_idr; + struct mutex fb_lock; + int num_fb; + struct list_head fb_list; + spinlock_t connector_list_lock; + int num_connector; + struct ida connector_ida; + struct list_head connector_list; + struct llist_head connector_free_list; + struct work_struct connector_free_work; + int num_encoder; + struct list_head encoder_list; + int num_total_plane; + struct list_head plane_list; + int num_crtc; + struct list_head crtc_list; + struct list_head property_list; + struct list_head privobj_list; + int min_width; + int min_height; + int max_width; + int max_height; + const struct drm_mode_config_funcs *funcs; + resource_size_t fb_base; + bool poll_enabled; + bool poll_running; + bool delayed_event; + struct delayed_work output_poll_work; + struct mutex blob_lock; + struct list_head property_blob_list; + struct drm_property *edid_property; + struct drm_property *dpms_property; + struct drm_property *path_property; + struct drm_property *tile_property; + struct drm_property *link_status_property; + struct drm_property *plane_type_property; + struct drm_property *prop_src_x; + struct drm_property *prop_src_y; + struct drm_property *prop_src_w; + struct drm_property *prop_src_h; + struct drm_property *prop_crtc_x; + struct drm_property *prop_crtc_y; + struct drm_property *prop_crtc_w; + struct drm_property *prop_crtc_h; + struct drm_property *prop_fb_id; + struct drm_property *prop_in_fence_fd; + struct drm_property *prop_out_fence_ptr; + struct drm_property *prop_crtc_id; + struct drm_property *prop_fb_damage_clips; + struct drm_property *prop_active; + struct drm_property *prop_mode_id; + struct drm_property *prop_vrr_enabled; + struct drm_property *dvi_i_subconnector_property; + struct drm_property *dvi_i_select_subconnector_property; + struct drm_property *tv_subconnector_property; + struct drm_property *tv_select_subconnector_property; + struct drm_property *tv_mode_property; + struct drm_property *tv_left_margin_property; + struct drm_property *tv_right_margin_property; + struct drm_property *tv_top_margin_property; + struct drm_property *tv_bottom_margin_property; + struct drm_property *tv_brightness_property; + struct drm_property *tv_contrast_property; + struct drm_property *tv_flicker_reduction_property; + struct drm_property *tv_overscan_property; + struct drm_property *tv_saturation_property; + struct drm_property *tv_hue_property; + struct drm_property *scaling_mode_property; + struct drm_property *aspect_ratio_property; + struct drm_property *content_type_property; + struct drm_property *degamma_lut_property; + struct drm_property *degamma_lut_size_property; + struct drm_property *ctm_property; + struct drm_property *gamma_lut_property; + struct drm_property *gamma_lut_size_property; + struct drm_property *suggested_x_property; + struct drm_property *suggested_y_property; + struct drm_property *non_desktop_property; + struct drm_property *panel_orientation_property; + struct drm_property *writeback_fb_id_property; + struct drm_property *writeback_pixel_formats_property; + struct drm_property *writeback_out_fence_ptr_property; + struct drm_property *hdr_output_metadata_property; + struct drm_property *content_protection_property; + struct drm_property *hdcp_content_type_property; + uint32_t preferred_depth; + uint32_t prefer_shadow; + bool prefer_shadow_fbdev; + bool quirk_addfb_prefer_xbgr_30bpp; + bool quirk_addfb_prefer_host_byte_order; + bool async_page_flip; + bool allow_fb_modifiers; + bool normalize_zpos; + struct drm_property *modifiers_property; + uint32_t cursor_width; + uint32_t cursor_height; + struct drm_atomic_state *suspend_state; + const struct drm_mode_config_helper_funcs *helper_private; +}; + +struct drm_vram_mm; + +enum switch_power_state { + DRM_SWITCH_POWER_ON = 0, + DRM_SWITCH_POWER_OFF = 1, + DRM_SWITCH_POWER_CHANGING = 2, + DRM_SWITCH_POWER_DYNAMIC_OFF = 3, +}; + +struct drm_driver; + +struct drm_vblank_crtc; + +struct drm_agp_head; + +struct drm_vma_offset_manager; + +struct drm_fb_helper; + +struct drm_device { + struct list_head legacy_dev_list; + int if_version; + struct kref ref; + struct device *dev; + struct drm_driver *driver; + void *dev_private; + struct drm_minor *primary; + struct drm_minor *render; + bool registered; + struct drm_master *master; + u32 driver_features; + bool unplugged; + struct inode *anon_inode; + char *unique; + struct mutex struct_mutex; + struct mutex master_mutex; + int open_count; + struct mutex filelist_mutex; + struct list_head filelist; + struct list_head filelist_internal; + struct mutex clientlist_mutex; + struct list_head clientlist; + bool irq_enabled; + int irq; + bool vblank_disable_immediate; + struct drm_vblank_crtc *vblank; + spinlock_t vblank_time_lock; + spinlock_t vbl_lock; + u32 max_vblank_count; + struct list_head vblank_event_list; + spinlock_t event_lock; + struct drm_agp_head *agp; + struct pci_dev *pdev; + unsigned int num_crtcs; + struct drm_mode_config mode_config; + struct mutex object_name_lock; + struct idr object_name_idr; + struct drm_vma_offset_manager *vma_offset_manager; + struct drm_vram_mm *vram_mm; + enum switch_power_state switch_power_state; + struct drm_fb_helper *fb_helper; +}; + +struct drm_format_info { + u32 format; + u8 depth; + u8 num_planes; + union { + u8 cpp[3]; + u8 char_per_block[3]; + }; + u8 block_w[3]; + u8 block_h[3]; + u8 hsub; + u8 vsub; + bool has_alpha; + bool is_yuv; +}; + +enum drm_connector_force { + DRM_FORCE_UNSPECIFIED = 0, + DRM_FORCE_OFF = 1, + DRM_FORCE_ON = 2, + DRM_FORCE_ON_DIGITAL = 3, +}; + +enum drm_connector_status { + connector_status_connected = 1, + connector_status_disconnected = 2, + connector_status_unknown = 3, +}; + +enum drm_connector_registration_state { + DRM_CONNECTOR_INITIALIZING = 0, + DRM_CONNECTOR_REGISTERED = 1, + DRM_CONNECTOR_UNREGISTERED = 2, +}; + +enum subpixel_order { + SubPixelUnknown = 0, + SubPixelHorizontalRGB = 1, + SubPixelHorizontalBGR = 2, + SubPixelVerticalRGB = 3, + SubPixelVerticalBGR = 4, + SubPixelNone = 5, +}; + +struct drm_scrambling { + bool supported; + bool low_rates; +}; + +struct drm_scdc { + bool supported; + bool read_request; + struct drm_scrambling scrambling; +}; + +struct drm_hdmi_info { + struct drm_scdc scdc; + long unsigned int y420_vdb_modes[2]; + long unsigned int y420_cmdb_modes[2]; + u64 y420_cmdb_map; + u8 y420_dc_modes; +}; + +enum drm_link_status { + DRM_LINK_STATUS_GOOD = 0, + DRM_LINK_STATUS_BAD = 1, +}; + +struct drm_display_info { + unsigned int width_mm; + unsigned int height_mm; + unsigned int bpc; + enum subpixel_order subpixel_order; + int panel_orientation; + u32 color_formats; + const u32 *bus_formats; + unsigned int num_bus_formats; + u32 bus_flags; + int max_tmds_clock; + bool dvi_dual; + bool has_hdmi_infoframe; + bool rgb_quant_range_selectable; + u8 edid_hdmi_dc_modes; + u8 cea_rev; + struct drm_hdmi_info hdmi; + bool non_desktop; +}; + +struct drm_connector_tv_margins { + unsigned int bottom; + unsigned int left; + unsigned int right; + unsigned int top; +}; + +struct drm_tv_connector_state { + enum drm_mode_subconnector subconnector; + struct drm_connector_tv_margins margins; + unsigned int mode; + unsigned int brightness; + unsigned int contrast; + unsigned int flicker_reduction; + unsigned int overscan; + unsigned int saturation; + unsigned int hue; +}; + +struct drm_connector; + +struct drm_crtc; + +struct drm_encoder; + +struct drm_crtc_commit; + +struct drm_writeback_job; + +struct drm_property_blob; + +struct drm_connector_state { + struct drm_connector *connector; + struct drm_crtc *crtc; + struct drm_encoder *best_encoder; + enum drm_link_status link_status; + struct drm_atomic_state *state; + struct drm_crtc_commit *commit; + struct drm_tv_connector_state tv; + bool self_refresh_aware; + enum hdmi_picture_aspect picture_aspect_ratio; + unsigned int content_type; + unsigned int hdcp_content_type; + unsigned int scaling_mode; + unsigned int content_protection; + u32 colorspace; + struct drm_writeback_job *writeback_job; + u8 max_requested_bpc; + u8 max_bpc; + struct drm_property_blob *hdr_output_metadata; +}; + +struct drm_cmdline_mode { + char name[32]; + bool specified; + bool refresh_specified; + bool bpp_specified; + int xres; + int yres; + int bpp; + int refresh; + bool rb; + bool interlace; + bool cvt; + bool margins; + enum drm_connector_force force; + unsigned int rotation_reflection; + struct drm_connector_tv_margins tv_margins; +}; + +struct drm_connector_funcs; + +struct drm_connector_helper_funcs; + +struct drm_tile_group; + +struct drm_connector { + struct drm_device *dev; + struct device *kdev; + struct device_attribute *attr; + struct list_head head; + struct drm_mode_object base; + char *name; + struct mutex mutex; + unsigned int index; + int connector_type; + int connector_type_id; + bool interlace_allowed; + bool doublescan_allowed; + bool stereo_allowed; + bool ycbcr_420_allowed; + enum drm_connector_registration_state registration_state; + struct list_head modes; + enum drm_connector_status status; + struct list_head probed_modes; + struct drm_display_info display_info; + const struct drm_connector_funcs *funcs; + struct drm_property_blob *edid_blob_ptr; + struct drm_object_properties properties; + struct drm_property *scaling_mode_property; + struct drm_property *vrr_capable_property; + struct drm_property *colorspace_property; + struct drm_property_blob *path_blob_ptr; + struct drm_property *max_bpc_property; + uint8_t polled; + int dpms; + const struct drm_connector_helper_funcs *helper_private; + struct drm_cmdline_mode cmdline_mode; + enum drm_connector_force force; + bool override_edid; + u32 possible_encoders; + struct drm_encoder *encoder; + uint8_t eld[128]; + bool latency_present[2]; + int video_latency[2]; + int audio_latency[2]; + struct i2c_adapter *ddc; + int null_edid_counter; + unsigned int bad_edid_counter; + bool edid_corrupt; + struct dentry *debugfs_entry; + struct drm_connector_state *state; + struct drm_property_blob *tile_blob_ptr; + bool has_tile; + struct drm_tile_group *tile_group; + bool tile_is_single_monitor; + uint8_t num_h_tile; + uint8_t num_v_tile; + uint8_t tile_h_loc; + uint8_t tile_v_loc; + uint16_t tile_h_size; + uint16_t tile_v_size; + struct llist_node free_node; + struct hdr_sink_metadata hdr_sink_metadata; +}; + +enum drm_mode_status { + MODE_OK = 0, + MODE_HSYNC = 1, + MODE_VSYNC = 2, + MODE_H_ILLEGAL = 3, + MODE_V_ILLEGAL = 4, + MODE_BAD_WIDTH = 5, + MODE_NOMODE = 6, + MODE_NO_INTERLACE = 7, + MODE_NO_DBLESCAN = 8, + MODE_NO_VSCAN = 9, + MODE_MEM = 10, + MODE_VIRTUAL_X = 11, + MODE_VIRTUAL_Y = 12, + MODE_MEM_VIRT = 13, + MODE_NOCLOCK = 14, + MODE_CLOCK_HIGH = 15, + MODE_CLOCK_LOW = 16, + MODE_CLOCK_RANGE = 17, + MODE_BAD_HVALUE = 18, + MODE_BAD_VVALUE = 19, + MODE_BAD_VSCAN = 20, + MODE_HSYNC_NARROW = 21, + MODE_HSYNC_WIDE = 22, + MODE_HBLANK_NARROW = 23, + MODE_HBLANK_WIDE = 24, + MODE_VSYNC_NARROW = 25, + MODE_VSYNC_WIDE = 26, + MODE_VBLANK_NARROW = 27, + MODE_VBLANK_WIDE = 28, + MODE_PANEL = 29, + MODE_INTERLACE_WIDTH = 30, + MODE_ONE_WIDTH = 31, + MODE_ONE_HEIGHT = 32, + MODE_ONE_SIZE = 33, + MODE_NO_REDUCED = 34, + MODE_NO_STEREO = 35, + MODE_NO_420 = 36, + MODE_STALE = -3, + MODE_BAD = -2, + MODE_ERROR = -1, +}; + +struct drm_display_mode { + struct list_head head; + char name[32]; + enum drm_mode_status status; + unsigned int type; + int clock; + int hdisplay; + int hsync_start; + int hsync_end; + int htotal; + int hskew; + int vdisplay; + int vsync_start; + int vsync_end; + int vtotal; + int vscan; + unsigned int flags; + int width_mm; + int height_mm; + int crtc_clock; + int crtc_hdisplay; + int crtc_hblank_start; + int crtc_hblank_end; + int crtc_hsync_start; + int crtc_hsync_end; + int crtc_htotal; + int crtc_hskew; + int crtc_vdisplay; + int crtc_vblank_start; + int crtc_vblank_end; + int crtc_vsync_start; + int crtc_vsync_end; + int crtc_vtotal; + int *private; + int private_flags; + int vrefresh; + int hsync; + enum hdmi_picture_aspect picture_aspect_ratio; + struct list_head export_head; +}; + +struct drm_crtc_crc_entry; + +struct drm_crtc_crc { + spinlock_t lock; + const char *source; + bool opened; + bool overflow; + struct drm_crtc_crc_entry *entries; + int head; + int tail; + size_t values_cnt; + wait_queue_head_t wq; +}; + +struct drm_plane; + +struct drm_crtc_funcs; + +struct drm_crtc_helper_funcs; + +struct drm_crtc_state; + +struct drm_self_refresh_data; + +struct drm_crtc { + struct drm_device *dev; + struct device_node *port; + struct list_head head; + char *name; + struct drm_modeset_lock mutex; + struct drm_mode_object base; + struct drm_plane *primary; + struct drm_plane *cursor; + unsigned int index; + int cursor_x; + int cursor_y; + bool enabled; + struct drm_display_mode mode; + struct drm_display_mode hwmode; + int x; + int y; + const struct drm_crtc_funcs *funcs; + uint32_t gamma_size; + uint16_t *gamma_store; + const struct drm_crtc_helper_funcs *helper_private; + struct drm_object_properties properties; + struct drm_crtc_state *state; + struct list_head commit_list; + spinlock_t commit_lock; + struct dentry *debugfs_entry; + struct drm_crtc_crc crc; + unsigned int fence_context; + spinlock_t fence_lock; + long unsigned int fence_seqno; + char timeline_name[32]; + struct drm_self_refresh_data *self_refresh_data; +}; + +struct drm_bridge; + +struct drm_encoder_funcs; + +struct drm_encoder_helper_funcs; + +struct drm_encoder { + struct drm_device *dev; + struct list_head head; + struct drm_mode_object base; + char *name; + int encoder_type; + unsigned int index; + uint32_t possible_crtcs; + uint32_t possible_clones; + struct drm_crtc *crtc; + struct drm_bridge *bridge; + const struct drm_encoder_funcs *funcs; + const struct drm_encoder_helper_funcs *helper_private; +}; + +struct __drm_planes_state; + +struct __drm_crtcs_state; + +struct __drm_connnectors_state; + +struct __drm_private_objs_state; + +struct drm_atomic_state { + struct kref ref; + struct drm_device *dev; + bool allow_modeset: 1; + bool legacy_cursor_update: 1; + bool async_update: 1; + bool duplicated: 1; + struct __drm_planes_state *planes; + struct __drm_crtcs_state *crtcs; + int num_connector; + struct __drm_connnectors_state *connectors; + int num_private_objs; + struct __drm_private_objs_state *private_objs; + struct drm_modeset_acquire_ctx *acquire_ctx; + struct drm_crtc_commit *fake_commit; + struct work_struct commit_work; +}; + +struct drm_pending_vblank_event; + +struct drm_crtc_commit { + struct drm_crtc *crtc; + struct kref ref; + struct completion flip_done; + struct completion hw_done; + struct completion cleanup_done; + struct list_head commit_entry; + struct drm_pending_vblank_event *event; + bool abort_completion; +}; + +struct drm_property_blob { + struct drm_mode_object base; + struct drm_device *dev; + struct list_head head_global; + struct list_head head_file; + size_t length; + void *data; +}; + +struct drm_printer; + +struct drm_connector_funcs { + int (*dpms)(struct drm_connector *, int); + void (*reset)(struct drm_connector *); + enum drm_connector_status (*detect)(struct drm_connector *, bool); + void (*force)(struct drm_connector *); + int (*fill_modes)(struct drm_connector *, uint32_t, uint32_t); + int (*set_property)(struct drm_connector *, struct drm_property *, uint64_t); + int (*late_register)(struct drm_connector *); + void (*early_unregister)(struct drm_connector *); + void (*destroy)(struct drm_connector *); + struct drm_connector_state * (*atomic_duplicate_state)(struct drm_connector *); + void (*atomic_destroy_state)(struct drm_connector *, struct drm_connector_state *); + int (*atomic_set_property)(struct drm_connector *, struct drm_connector_state *, struct drm_property *, uint64_t); + int (*atomic_get_property)(struct drm_connector *, const struct drm_connector_state *, struct drm_property *, uint64_t *); + void (*atomic_print_state)(struct drm_printer *, const struct drm_connector_state *); +}; + +struct drm_printer { + void (*printfn)(struct drm_printer *, struct va_format *); + void (*puts)(struct drm_printer *, const char *); + void *arg; + const char *prefix; +}; + +struct drm_writeback_connector; + +struct drm_connector_helper_funcs { + int (*get_modes)(struct drm_connector *); + int (*detect_ctx)(struct drm_connector *, struct drm_modeset_acquire_ctx *, bool); + enum drm_mode_status (*mode_valid)(struct drm_connector *, struct drm_display_mode *); + struct drm_encoder * (*best_encoder)(struct drm_connector *); + struct drm_encoder * (*atomic_best_encoder)(struct drm_connector *, struct drm_connector_state *); + int (*atomic_check)(struct drm_connector *, struct drm_atomic_state *); + void (*atomic_commit)(struct drm_connector *, struct drm_connector_state *); + int (*prepare_writeback_job)(struct drm_writeback_connector *, struct drm_writeback_job *); + void (*cleanup_writeback_job)(struct drm_writeback_connector *, struct drm_writeback_job *); +}; + +struct drm_tile_group { + struct kref refcount; + struct drm_device *dev; + int id; + u8 group_data[8]; +}; + +struct drm_connector_list_iter { + struct drm_device *dev; + struct drm_connector *conn; +}; + +struct drm_mode_config_funcs { + struct drm_framebuffer * (*fb_create)(struct drm_device *, struct drm_file *, const struct drm_mode_fb_cmd2 *); + const struct drm_format_info * (*get_format_info)(const struct drm_mode_fb_cmd2 *); + void (*output_poll_changed)(struct drm_device *); + enum drm_mode_status (*mode_valid)(struct drm_device *, const struct drm_display_mode *); + int (*atomic_check)(struct drm_device *, struct drm_atomic_state *); + int (*atomic_commit)(struct drm_device *, struct drm_atomic_state *, bool); + struct drm_atomic_state * (*atomic_state_alloc)(struct drm_device *); + void (*atomic_state_clear)(struct drm_atomic_state *); + void (*atomic_state_free)(struct drm_atomic_state *); +}; + +struct drm_mode_config_helper_funcs { + void (*atomic_commit_tail)(struct drm_atomic_state *); +}; + +struct dma_buf; + +struct dma_buf_attachment; + +struct drm_ioctl_desc; + +struct drm_driver { + int (*load)(struct drm_device *, long unsigned int); + int (*open)(struct drm_device *, struct drm_file *); + void (*postclose)(struct drm_device *, struct drm_file *); + void (*lastclose)(struct drm_device *); + void (*unload)(struct drm_device *); + void (*release)(struct drm_device *); + u32 (*get_vblank_counter)(struct drm_device *, unsigned int); + int (*enable_vblank)(struct drm_device *, unsigned int); + void (*disable_vblank)(struct drm_device *, unsigned int); + bool (*get_scanout_position)(struct drm_device *, unsigned int, bool, int *, int *, ktime_t *, ktime_t *, const struct drm_display_mode *); + bool (*get_vblank_timestamp)(struct drm_device *, unsigned int, int *, ktime_t *, bool); + irqreturn_t (*irq_handler)(int, void *); + void (*irq_preinstall)(struct drm_device *); + int (*irq_postinstall)(struct drm_device *); + void (*irq_uninstall)(struct drm_device *); + int (*master_create)(struct drm_device *, struct drm_master *); + void (*master_destroy)(struct drm_device *, struct drm_master *); + int (*master_set)(struct drm_device *, struct drm_file *, bool); + void (*master_drop)(struct drm_device *, struct drm_file *); + int (*debugfs_init)(struct drm_minor *); + void (*gem_free_object)(struct drm_gem_object *); + void (*gem_free_object_unlocked)(struct drm_gem_object *); + int (*gem_open_object)(struct drm_gem_object *, struct drm_file *); + void (*gem_close_object)(struct drm_gem_object *, struct drm_file *); + void (*gem_print_info)(struct drm_printer *, unsigned int, const struct drm_gem_object *); + struct drm_gem_object * (*gem_create_object)(struct drm_device *, size_t); + int (*prime_handle_to_fd)(struct drm_device *, struct drm_file *, uint32_t, uint32_t, int *); + int (*prime_fd_to_handle)(struct drm_device *, struct drm_file *, int, uint32_t *); + struct dma_buf * (*gem_prime_export)(struct drm_gem_object *, int); + struct drm_gem_object * (*gem_prime_import)(struct drm_device *, struct dma_buf *); + int (*gem_prime_pin)(struct drm_gem_object *); + void (*gem_prime_unpin)(struct drm_gem_object *); + struct sg_table * (*gem_prime_get_sg_table)(struct drm_gem_object *); + struct drm_gem_object * (*gem_prime_import_sg_table)(struct drm_device *, struct dma_buf_attachment *, struct sg_table *); + void * (*gem_prime_vmap)(struct drm_gem_object *); + void (*gem_prime_vunmap)(struct drm_gem_object *, void *); + int (*gem_prime_mmap)(struct drm_gem_object *, struct vm_area_struct *); + int (*dumb_create)(struct drm_file *, struct drm_device *, struct drm_mode_create_dumb *); + int (*dumb_map_offset)(struct drm_file *, struct drm_device *, uint32_t, uint64_t *); + int (*dumb_destroy)(struct drm_file *, struct drm_device *, uint32_t); + const struct vm_operations_struct *gem_vm_ops; + int major; + int minor; + int patchlevel; + char *name; + char *desc; + char *date; + u32 driver_features; + const struct drm_ioctl_desc *ioctls; + int num_ioctls; + const struct file_operations *fops; + struct list_head legacy_dev_list; + int (*firstopen)(struct drm_device *); + void (*preclose)(struct drm_device *, struct drm_file *); + int (*dma_ioctl)(struct drm_device *, void *, struct drm_file *); + int (*dma_quiescent)(struct drm_device *); + int (*context_dtor)(struct drm_device *, int); + int dev_priv_size; +}; + +struct drm_minor { + int index; + int type; + struct device *kdev; + struct drm_device *dev; + struct dentry *debugfs_root; + struct list_head debugfs_list; + struct mutex debugfs_lock; +}; + +struct drm_vblank_crtc { + struct drm_device *dev; + wait_queue_head_t queue; + struct timer_list disable_timer; + seqlock_t seqlock; + atomic64_t count; + ktime_t time; + atomic_t refcount; + u32 last; + u32 max_vblank_count; + unsigned int inmodeset; + unsigned int pipe; + int framedur_ns; + int linedur_ns; + struct drm_display_mode hwmode; + bool enabled; +}; + +struct drm_client_funcs; + +struct drm_mode_set; + +struct drm_client_dev { + struct drm_device *dev; + const char *name; + struct list_head list; + const struct drm_client_funcs *funcs; + struct drm_file *file; + struct mutex modeset_mutex; + struct drm_mode_set *modesets; +}; + +struct drm_client_buffer; + +struct drm_fb_helper_funcs; + +struct drm_fb_helper { + struct drm_client_dev client; + struct drm_client_buffer *buffer; + struct drm_framebuffer *fb; + struct drm_device *dev; + const struct drm_fb_helper_funcs *funcs; + struct fb_info *fbdev; + u32 pseudo_palette[17]; + struct drm_clip_rect dirty_clip; + spinlock_t dirty_lock; + struct work_struct dirty_work; + struct work_struct resume_work; + struct mutex lock; + struct list_head kernel_fb_list; + bool delayed_hotplug; + bool deferred_setup; + int preferred_bpp; +}; + +enum drm_color_encoding { + DRM_COLOR_YCBCR_BT601 = 0, + DRM_COLOR_YCBCR_BT709 = 1, + DRM_COLOR_YCBCR_BT2020 = 2, + DRM_COLOR_ENCODING_MAX = 3, +}; + +enum drm_color_range { + DRM_COLOR_YCBCR_LIMITED_RANGE = 0, + DRM_COLOR_YCBCR_FULL_RANGE = 1, + DRM_COLOR_RANGE_MAX = 2, +}; + +struct dma_fence; + +struct drm_plane_state { + struct drm_plane *plane; + struct drm_crtc *crtc; + struct drm_framebuffer *fb; + struct dma_fence *fence; + int32_t crtc_x; + int32_t crtc_y; + uint32_t crtc_w; + uint32_t crtc_h; + uint32_t src_x; + uint32_t src_y; + uint32_t src_h; + uint32_t src_w; + u16 alpha; + uint16_t pixel_blend_mode; + unsigned int rotation; + unsigned int zpos; + unsigned int normalized_zpos; + enum drm_color_encoding color_encoding; + enum drm_color_range color_range; + struct drm_property_blob *fb_damage_clips; + struct drm_rect src; + struct drm_rect dst; + bool visible; + struct drm_crtc_commit *commit; + struct drm_atomic_state *state; +}; + +enum drm_plane_type { + DRM_PLANE_TYPE_OVERLAY = 0, + DRM_PLANE_TYPE_PRIMARY = 1, + DRM_PLANE_TYPE_CURSOR = 2, +}; + +struct drm_plane_funcs; + +struct drm_plane_helper_funcs; + +struct drm_plane { + struct drm_device *dev; + struct list_head head; + char *name; + struct drm_modeset_lock mutex; + struct drm_mode_object base; + uint32_t possible_crtcs; + uint32_t *format_types; + unsigned int format_count; + bool format_default; + uint64_t *modifiers; + unsigned int modifier_count; + struct drm_crtc *crtc; + struct drm_framebuffer *fb; + struct drm_framebuffer *old_fb; + const struct drm_plane_funcs *funcs; + struct drm_object_properties properties; + enum drm_plane_type type; + unsigned int index; + const struct drm_plane_helper_funcs *helper_private; + struct drm_plane_state *state; + struct drm_property *alpha_property; + struct drm_property *zpos_property; + struct drm_property *rotation_property; + struct drm_property *blend_mode_property; + struct drm_property *color_encoding_property; + struct drm_property *color_range_property; +}; + +struct drm_plane_funcs { + int (*update_plane)(struct drm_plane *, struct drm_crtc *, struct drm_framebuffer *, int, int, unsigned int, unsigned int, uint32_t, uint32_t, uint32_t, uint32_t, struct drm_modeset_acquire_ctx *); + int (*disable_plane)(struct drm_plane *, struct drm_modeset_acquire_ctx *); + void (*destroy)(struct drm_plane *); + void (*reset)(struct drm_plane *); + int (*set_property)(struct drm_plane *, struct drm_property *, uint64_t); + struct drm_plane_state * (*atomic_duplicate_state)(struct drm_plane *); + void (*atomic_destroy_state)(struct drm_plane *, struct drm_plane_state *); + int (*atomic_set_property)(struct drm_plane *, struct drm_plane_state *, struct drm_property *, uint64_t); + int (*atomic_get_property)(struct drm_plane *, const struct drm_plane_state *, struct drm_property *, uint64_t *); + int (*late_register)(struct drm_plane *); + void (*early_unregister)(struct drm_plane *); + void (*atomic_print_state)(struct drm_printer *, const struct drm_plane_state *); + bool (*format_mod_supported)(struct drm_plane *, uint32_t, uint64_t); +}; + +struct drm_plane_helper_funcs { + int (*prepare_fb)(struct drm_plane *, struct drm_plane_state *); + void (*cleanup_fb)(struct drm_plane *, struct drm_plane_state *); + int (*atomic_check)(struct drm_plane *, struct drm_plane_state *); + void (*atomic_update)(struct drm_plane *, struct drm_plane_state *); + void (*atomic_disable)(struct drm_plane *, struct drm_plane_state *); + int (*atomic_async_check)(struct drm_plane *, struct drm_plane_state *); + void (*atomic_async_update)(struct drm_plane *, struct drm_plane_state *); +}; + +struct drm_crtc_crc_entry { + bool has_frame_counter; + uint32_t frame; + uint32_t crcs[10]; +}; + +struct drm_crtc_state { + struct drm_crtc *crtc; + bool enable; + bool active; + bool planes_changed: 1; + bool mode_changed: 1; + bool active_changed: 1; + bool connectors_changed: 1; + bool zpos_changed: 1; + bool color_mgmt_changed: 1; + bool no_vblank: 1; + u32 plane_mask; + u32 connector_mask; + u32 encoder_mask; + struct drm_display_mode adjusted_mode; + struct drm_display_mode mode; + struct drm_property_blob *mode_blob; + struct drm_property_blob *degamma_lut; + struct drm_property_blob *ctm; + struct drm_property_blob *gamma_lut; + u32 target_vblank; + bool async_flip; + bool vrr_enabled; + bool self_refresh_active; + struct drm_pending_vblank_event *event; + struct drm_crtc_commit *commit; + struct drm_atomic_state *state; +}; + +struct drm_pending_event { + struct completion *completion; + void (*completion_release)(struct completion *); + struct drm_event *event; + struct dma_fence *fence; + struct drm_file *file_priv; + struct list_head link; + struct list_head pending_link; +}; + +struct drm_pending_vblank_event { + struct drm_pending_event base; + unsigned int pipe; + u64 sequence; + union { + struct drm_event base; + struct drm_event_vblank vbl; + struct drm_event_crtc_sequence seq; + } event; +}; + +struct drm_crtc_funcs { + void (*reset)(struct drm_crtc *); + int (*cursor_set)(struct drm_crtc *, struct drm_file *, uint32_t, uint32_t, uint32_t); + int (*cursor_set2)(struct drm_crtc *, struct drm_file *, uint32_t, uint32_t, uint32_t, int32_t, int32_t); + int (*cursor_move)(struct drm_crtc *, int, int); + int (*gamma_set)(struct drm_crtc *, u16 *, u16 *, u16 *, uint32_t, struct drm_modeset_acquire_ctx *); + void (*destroy)(struct drm_crtc *); + int (*set_config)(struct drm_mode_set *, struct drm_modeset_acquire_ctx *); + int (*page_flip)(struct drm_crtc *, struct drm_framebuffer *, struct drm_pending_vblank_event *, uint32_t, struct drm_modeset_acquire_ctx *); + int (*page_flip_target)(struct drm_crtc *, struct drm_framebuffer *, struct drm_pending_vblank_event *, uint32_t, uint32_t, struct drm_modeset_acquire_ctx *); + int (*set_property)(struct drm_crtc *, struct drm_property *, uint64_t); + struct drm_crtc_state * (*atomic_duplicate_state)(struct drm_crtc *); + void (*atomic_destroy_state)(struct drm_crtc *, struct drm_crtc_state *); + int (*atomic_set_property)(struct drm_crtc *, struct drm_crtc_state *, struct drm_property *, uint64_t); + int (*atomic_get_property)(struct drm_crtc *, const struct drm_crtc_state *, struct drm_property *, uint64_t *); + int (*late_register)(struct drm_crtc *); + void (*early_unregister)(struct drm_crtc *); + int (*set_crc_source)(struct drm_crtc *, const char *); + int (*verify_crc_source)(struct drm_crtc *, const char *, size_t *); + const char * const * (*get_crc_sources)(struct drm_crtc *, size_t *); + void (*atomic_print_state)(struct drm_printer *, const struct drm_crtc_state *); + u32 (*get_vblank_counter)(struct drm_crtc *); + int (*enable_vblank)(struct drm_crtc *); + void (*disable_vblank)(struct drm_crtc *); +}; + +struct drm_mode_set { + struct drm_framebuffer *fb; + struct drm_crtc *crtc; + struct drm_display_mode *mode; + uint32_t x; + uint32_t y; + struct drm_connector **connectors; + size_t num_connectors; +}; + +enum mode_set_atomic { + LEAVE_ATOMIC_MODE_SET = 0, + ENTER_ATOMIC_MODE_SET = 1, +}; + +struct drm_crtc_helper_funcs { + void (*dpms)(struct drm_crtc *, int); + void (*prepare)(struct drm_crtc *); + void (*commit)(struct drm_crtc *); + enum drm_mode_status (*mode_valid)(struct drm_crtc *, const struct drm_display_mode *); + bool (*mode_fixup)(struct drm_crtc *, const struct drm_display_mode *, struct drm_display_mode *); + int (*mode_set)(struct drm_crtc *, struct drm_display_mode *, struct drm_display_mode *, int, int, struct drm_framebuffer *); + void (*mode_set_nofb)(struct drm_crtc *); + int (*mode_set_base)(struct drm_crtc *, int, int, struct drm_framebuffer *); + int (*mode_set_base_atomic)(struct drm_crtc *, struct drm_framebuffer *, int, int, enum mode_set_atomic); + void (*disable)(struct drm_crtc *); + int (*atomic_check)(struct drm_crtc *, struct drm_crtc_state *); + void (*atomic_begin)(struct drm_crtc *, struct drm_crtc_state *); + void (*atomic_flush)(struct drm_crtc *, struct drm_crtc_state *); + void (*atomic_enable)(struct drm_crtc *, struct drm_crtc_state *); + void (*atomic_disable)(struct drm_crtc *, struct drm_crtc_state *); +}; + +struct __drm_planes_state { + struct drm_plane *ptr; + struct drm_plane_state *state; + struct drm_plane_state *old_state; + struct drm_plane_state *new_state; +}; + +struct __drm_crtcs_state { + struct drm_crtc *ptr; + struct drm_crtc_state *state; + struct drm_crtc_state *old_state; + struct drm_crtc_state *new_state; + struct drm_crtc_commit *commit; + s32 *out_fence_ptr; + u64 last_vblank_count; +}; + +struct __drm_connnectors_state { + struct drm_connector *ptr; + struct drm_connector_state *state; + struct drm_connector_state *old_state; + struct drm_connector_state *new_state; + s32 *out_fence_ptr; +}; + +struct drm_private_state; + +struct drm_private_obj; + +struct drm_private_state_funcs { + struct drm_private_state * (*atomic_duplicate_state)(struct drm_private_obj *); + void (*atomic_destroy_state)(struct drm_private_obj *, struct drm_private_state *); +}; + +struct drm_private_state { + struct drm_atomic_state *state; +}; + +struct drm_private_obj { + struct list_head head; + struct drm_modeset_lock lock; + struct drm_private_state *state; + const struct drm_private_state_funcs *funcs; +}; + +struct __drm_private_objs_state { + struct drm_private_obj *ptr; + struct drm_private_state *state; + struct drm_private_state *old_state; + struct drm_private_state *new_state; +}; + +struct drm_encoder_funcs { + void (*reset)(struct drm_encoder *); + void (*destroy)(struct drm_encoder *); + int (*late_register)(struct drm_encoder *); + void (*early_unregister)(struct drm_encoder *); +}; + +struct drm_bridge_timings; + +struct drm_bridge_funcs; + +struct drm_bridge { + struct drm_device *dev; + struct drm_encoder *encoder; + struct drm_bridge *next; + struct list_head list; + const struct drm_bridge_timings *timings; + const struct drm_bridge_funcs *funcs; + void *driver_private; +}; + +struct drm_encoder_helper_funcs { + void (*dpms)(struct drm_encoder *, int); + enum drm_mode_status (*mode_valid)(struct drm_encoder *, const struct drm_display_mode *); + bool (*mode_fixup)(struct drm_encoder *, const struct drm_display_mode *, struct drm_display_mode *); + void (*prepare)(struct drm_encoder *); + void (*commit)(struct drm_encoder *); + void (*mode_set)(struct drm_encoder *, struct drm_display_mode *, struct drm_display_mode *); + void (*atomic_mode_set)(struct drm_encoder *, struct drm_crtc_state *, struct drm_connector_state *); + struct drm_crtc * (*get_crtc)(struct drm_encoder *); + enum drm_connector_status (*detect)(struct drm_encoder *, struct drm_connector *); + void (*atomic_disable)(struct drm_encoder *, struct drm_atomic_state *); + void (*atomic_enable)(struct drm_encoder *, struct drm_atomic_state *); + void (*disable)(struct drm_encoder *); + void (*enable)(struct drm_encoder *); + int (*atomic_check)(struct drm_encoder *, struct drm_crtc_state *, struct drm_connector_state *); +}; + +struct drm_bridge_funcs { + int (*attach)(struct drm_bridge *); + void (*detach)(struct drm_bridge *); + enum drm_mode_status (*mode_valid)(struct drm_bridge *, const struct drm_display_mode *); + bool (*mode_fixup)(struct drm_bridge *, const struct drm_display_mode *, struct drm_display_mode *); + void (*disable)(struct drm_bridge *); + void (*post_disable)(struct drm_bridge *); + void (*mode_set)(struct drm_bridge *, const struct drm_display_mode *, const struct drm_display_mode *); + void (*pre_enable)(struct drm_bridge *); + void (*enable)(struct drm_bridge *); + void (*atomic_pre_enable)(struct drm_bridge *, struct drm_atomic_state *); + void (*atomic_enable)(struct drm_bridge *, struct drm_atomic_state *); + void (*atomic_disable)(struct drm_bridge *, struct drm_atomic_state *); + void (*atomic_post_disable)(struct drm_bridge *, struct drm_atomic_state *); +}; + +struct drm_bridge_timings { + u32 input_bus_flags; + u32 setup_time_ps; + u32 hold_time_ps; + bool dual_link; +}; + +enum drm_driver_feature { + DRIVER_GEM = 1, + DRIVER_MODESET = 2, + DRIVER_RENDER = 8, + DRIVER_ATOMIC = 16, + DRIVER_SYNCOBJ = 32, + DRIVER_SYNCOBJ_TIMELINE = 64, + DRIVER_USE_AGP = 33554432, + DRIVER_LEGACY = 67108864, + DRIVER_PCI_DMA = 134217728, + DRIVER_SG = 268435456, + DRIVER_HAVE_DMA = 536870912, + DRIVER_HAVE_IRQ = 1073741824, + DRIVER_KMS_LEGACY_CONTEXT = -2147483648, +}; + +struct drm_mm; + +struct drm_mm_node { + long unsigned int color; + u64 start; + u64 size; + struct drm_mm *mm; + struct list_head node_list; + struct list_head hole_stack; + struct rb_node rb; + struct rb_node rb_hole_size; + struct rb_node rb_hole_addr; + u64 __subtree_last; + u64 hole_size; + long unsigned int flags; +}; + +struct drm_vma_offset_node { + rwlock_t vm_lock; + struct drm_mm_node vm_node; + struct rb_root vm_files; + bool readonly: 1; +}; + +struct dma_resv_list; + +struct dma_resv { + struct ww_mutex lock; + seqcount_t seq; + struct dma_fence *fence_excl; + struct dma_resv_list *fence; +}; + +struct drm_gem_object_funcs; + +struct drm_gem_object { + struct kref refcount; + unsigned int handle_count; + struct drm_device *dev; + struct file *filp; + struct drm_vma_offset_node vma_node; + size_t size; + int name; + struct dma_buf *dma_buf; + struct dma_buf_attachment *import_attach; + struct dma_resv *resv; + struct dma_resv _resv; + const struct drm_gem_object_funcs *funcs; +}; + +enum drm_ioctl_flags { + DRM_AUTH = 1, + DRM_MASTER = 2, + DRM_ROOT_ONLY = 4, + DRM_UNLOCKED = 16, + DRM_RENDER_ALLOW = 32, +}; + +typedef int drm_ioctl_t(struct drm_device *, void *, struct drm_file *); + +struct drm_ioctl_desc { + unsigned int cmd; + enum drm_ioctl_flags flags; + drm_ioctl_t *func; + const char *name; +}; + +struct drm_client_funcs { + struct module *owner; + void (*unregister)(struct drm_client_dev *); + int (*restore)(struct drm_client_dev *); + int (*hotplug)(struct drm_client_dev *); +}; + +struct drm_client_buffer { + struct drm_client_dev *client; + u32 handle; + u32 pitch; + struct drm_gem_object *gem; + void *vaddr; + struct drm_framebuffer *fb; +}; + +struct drm_fb_helper_surface_size { + u32 fb_width; + u32 fb_height; + u32 surface_width; + u32 surface_height; + u32 surface_bpp; + u32 surface_depth; +}; + +struct drm_fb_helper_funcs { + int (*fb_probe)(struct drm_fb_helper *, struct drm_fb_helper_surface_size *); +}; + +struct drm_dp_aux_msg { + unsigned int address; + u8 request; + u8 reply; + void *buffer; + size_t size; +}; + +struct cec_adapter; + +struct drm_dp_aux_cec { + struct mutex lock; + struct cec_adapter *adap; + struct drm_connector *connector; + struct delayed_work unregister_work; +}; + +struct drm_dp_aux { + const char *name; + struct i2c_adapter ddc; + struct device *dev; + struct drm_crtc *crtc; + struct mutex hw_mutex; + struct work_struct crc_work; + u8 crc_count; + ssize_t (*transfer)(struct drm_dp_aux *, struct drm_dp_aux_msg *); + unsigned int i2c_nack_count; + unsigned int i2c_defer_count; + struct drm_dp_aux_cec cec; + bool is_remote; +}; + +struct drm_dp_dpcd_ident { + u8 oui[3]; + u8 device_id[6]; + u8 hw_rev; + u8 sw_major_rev; + u8 sw_minor_rev; +}; + +struct drm_dp_desc { + struct drm_dp_dpcd_ident ident; + u32 quirks; +}; + +enum drm_dp_quirk { + DP_DPCD_QUIRK_CONSTANT_N = 0, + DP_DPCD_QUIRK_NO_PSR = 1, + DP_DPCD_QUIRK_NO_SINK_COUNT = 2, +}; + +struct dpcd_quirk { + u8 oui[3]; + u8 device_id[6]; + bool is_branch; + u32 quirks; +}; + +struct dp_sdp_header { + u8 HB0; + u8 HB1; + u8 HB2; + u8 HB3; +}; + +struct drm_dsc_rc_range_parameters { + u8 range_min_qp; + u8 range_max_qp; + u8 range_bpg_offset; +}; + +struct drm_dsc_config { + u8 line_buf_depth; + u8 bits_per_component; + bool convert_rgb; + u8 slice_count; + u16 slice_width; + u16 slice_height; + bool simple_422; + u16 pic_width; + u16 pic_height; + u8 rc_tgt_offset_high; + u8 rc_tgt_offset_low; + u16 bits_per_pixel; + u8 rc_edge_factor; + u8 rc_quant_incr_limit1; + u8 rc_quant_incr_limit0; + u16 initial_xmit_delay; + u16 initial_dec_delay; + bool block_pred_enable; + u8 first_line_bpg_offset; + u16 initial_offset; + u16 rc_buf_thresh[14]; + struct drm_dsc_rc_range_parameters rc_range_params[15]; + u16 rc_model_size; + u8 flatness_min_qp; + u8 flatness_max_qp; + u8 initial_scale_value; + u16 scale_decrement_interval; + u16 scale_increment_interval; + u16 nfl_bpg_offset; + u16 slice_bpg_offset; + u16 final_offset; + bool vbr_enable; + u8 mux_word_size; + u16 slice_chunk_size; + u16 rc_bits; + u8 dsc_version_minor; + u8 dsc_version_major; + bool native_422; + bool native_420; + u8 second_line_bpg_offset; + u16 nsl_bpg_offset; + u16 second_line_offset_adj; +}; + +struct drm_dsc_picture_parameter_set { + u8 dsc_version; + u8 pps_identifier; + u8 pps_reserved; + u8 pps_3; + u8 pps_4; + u8 bits_per_pixel_low; + __be16 pic_height; + __be16 pic_width; + __be16 slice_height; + __be16 slice_width; + __be16 chunk_size; + u8 initial_xmit_delay_high; + u8 initial_xmit_delay_low; + __be16 initial_dec_delay; + u8 pps20_reserved; + u8 initial_scale_value; + __be16 scale_increment_interval; + u8 scale_decrement_interval_high; + u8 scale_decrement_interval_low; + u8 pps26_reserved; + u8 first_line_bpg_offset; + __be16 nfl_bpg_offset; + __be16 slice_bpg_offset; + __be16 initial_offset; + __be16 final_offset; + u8 flatness_min_qp; + u8 flatness_max_qp; + __be16 rc_model_size; + u8 rc_edge_factor; + u8 rc_quant_incr_limit0; + u8 rc_quant_incr_limit1; + u8 rc_tgt_offset; + u8 rc_buf_thresh[14]; + __be16 rc_range_parameters[15]; + u8 native_422_420; + u8 second_line_bpg_offset; + __be16 nsl_bpg_offset; + __be16 second_line_offset_adj; + u32 pps_long_94_reserved; + u32 pps_long_98_reserved; + u32 pps_long_102_reserved; + u32 pps_long_106_reserved; + u32 pps_long_110_reserved; + u32 pps_long_114_reserved; + u32 pps_long_118_reserved; + u32 pps_long_122_reserved; + __be16 pps_short_126_reserved; +} __attribute__((packed)); + +struct est_timings { + u8 t1; + u8 t2; + u8 mfg_rsvd; +}; + +struct std_timing { + u8 hsize; + u8 vfreq_aspect; +}; + +struct detailed_pixel_timing { + u8 hactive_lo; + u8 hblank_lo; + u8 hactive_hblank_hi; + u8 vactive_lo; + u8 vblank_lo; + u8 vactive_vblank_hi; + u8 hsync_offset_lo; + u8 hsync_pulse_width_lo; + u8 vsync_offset_pulse_width_lo; + u8 hsync_vsync_offset_pulse_width_hi; + u8 width_mm_lo; + u8 height_mm_lo; + u8 width_height_mm_hi; + u8 hborder; + u8 vborder; + u8 misc; +}; + +struct detailed_data_string { + u8 str[13]; +}; + +struct detailed_data_monitor_range { + u8 min_vfreq; + u8 max_vfreq; + u8 min_hfreq_khz; + u8 max_hfreq_khz; + u8 pixel_clock_mhz; + u8 flags; + union { + struct { + u8 reserved; + u8 hfreq_start_khz; + u8 c; + __le16 m; + u8 k; + u8 j; + } __attribute__((packed)) gtf2; + struct { + u8 version; + u8 data1; + u8 data2; + u8 supported_aspects; + u8 flags; + u8 supported_scalings; + u8 preferred_refresh; + } cvt; + } formula; +} __attribute__((packed)); + +struct detailed_data_wpindex { + u8 white_yx_lo; + u8 white_x_hi; + u8 white_y_hi; + u8 gamma; +}; + +struct cvt_timing { + u8 code[3]; +}; + +struct detailed_non_pixel { + u8 pad1; + u8 type; + u8 pad2; + union { + struct detailed_data_string str; + struct detailed_data_monitor_range range; + struct detailed_data_wpindex color; + struct std_timing timings[6]; + struct cvt_timing cvt[4]; + } data; +} __attribute__((packed)); + +struct detailed_timing { + __le16 pixel_clock; + union { + struct detailed_pixel_timing pixel_data; + struct detailed_non_pixel other_data; + } data; +}; + +struct edid { + u8 header[8]; + u8 mfg_id[2]; + u8 prod_code[2]; + u32 serial; + u8 mfg_week; + u8 mfg_year; + u8 version; + u8 revision; + u8 input; + u8 width_cm; + u8 height_cm; + u8 gamma; + u8 features; + u8 red_green_lo; + u8 black_white_lo; + u8 red_x; + u8 red_y; + u8 green_x; + u8 green_y; + u8 blue_x; + u8 blue_y; + u8 white_x; + u8 white_y; + struct est_timings established_timings; + struct std_timing standard_timings[8]; + struct detailed_timing detailed_timings[4]; + u8 extensions; + u8 checksum; +}; + +struct drm_dp_vcpi { + int vcpi; + int pbn; + int aligned_pbn; + int num_slots; +}; + +struct drm_dp_mst_branch; + +struct drm_dp_mst_topology_mgr; + +struct drm_dp_mst_port { + struct kref topology_kref; + struct kref malloc_kref; + u8 port_num; + bool input; + bool mcs; + bool ddps; + u8 pdt; + bool ldps; + u8 dpcd_rev; + u8 num_sdp_streams; + u8 num_sdp_stream_sinks; + uint16_t available_pbn; + struct list_head next; + struct drm_dp_mst_branch *mstb; + struct drm_dp_aux aux; + struct drm_dp_mst_branch *parent; + struct drm_dp_vcpi vcpi; + struct drm_connector *connector; + struct drm_dp_mst_topology_mgr *mgr; + struct edid *cached_edid; + bool has_audio; +}; + +struct drm_dp_sideband_msg_tx; + +struct drm_dp_mst_branch { + struct kref topology_kref; + struct kref malloc_kref; + struct list_head destroy_next; + u8 rad[8]; + u8 lct; + int num_ports; + int msg_slots; + struct list_head ports; + struct drm_dp_mst_port *port_parent; + struct drm_dp_mst_topology_mgr *mgr; + struct drm_dp_sideband_msg_tx *tx_slots[2]; + int last_seqno; + bool link_address_sent; + u8 guid[16]; +}; + +struct drm_dp_sideband_msg_hdr { + u8 lct; + u8 lcr; + u8 rad[8]; + bool broadcast; + bool path_msg; + u8 msg_len; + bool somt; + bool eomt; + bool seqno; +}; + +struct drm_dp_sideband_msg_rx { + u8 chunk[48]; + u8 msg[256]; + u8 curchunk_len; + u8 curchunk_idx; + u8 curchunk_hdrlen; + u8 curlen; + bool have_somt; + bool have_eomt; + struct drm_dp_sideband_msg_hdr initial_hdr; +}; + +struct drm_dp_mst_topology_cbs; + +struct drm_dp_payload; + +struct drm_dp_mst_topology_mgr { + struct drm_private_obj base; + struct drm_device *dev; + const struct drm_dp_mst_topology_cbs *cbs; + int max_dpcd_transaction_bytes; + struct drm_dp_aux *aux; + int max_payloads; + int conn_base_id; + struct drm_dp_sideband_msg_rx down_rep_recv; + struct drm_dp_sideband_msg_rx up_req_recv; + struct mutex lock; + struct mutex probe_lock; + bool mst_state; + struct drm_dp_mst_branch *mst_primary; + u8 dpcd[15]; + u8 sink_count; + int pbn_div; + const struct drm_private_state_funcs *funcs; + struct mutex qlock; + bool is_waiting_for_dwn_reply; + struct list_head tx_msg_downq; + struct mutex payload_lock; + struct drm_dp_vcpi **proposed_vcpis; + struct drm_dp_payload *payloads; + long unsigned int payload_mask; + long unsigned int vcpi_mask; + wait_queue_head_t tx_waitq; + struct work_struct work; + struct work_struct tx_work; + struct list_head destroy_port_list; + struct list_head destroy_branch_device_list; + struct mutex delayed_destroy_lock; + struct work_struct delayed_destroy_work; + struct list_head up_req_list; + struct mutex up_req_lock; + struct work_struct up_req_work; +}; + +struct drm_dp_nak_reply { + u8 guid[16]; + u8 reason; + u8 nak_data; +}; + +struct drm_dp_link_addr_reply_port { + bool input_port; + u8 peer_device_type; + u8 port_number; + bool mcs; + bool ddps; + bool legacy_device_plug_status; + u8 dpcd_revision; + u8 peer_guid[16]; + u8 num_sdp_streams; + u8 num_sdp_stream_sinks; +}; + +struct drm_dp_link_address_ack_reply { + u8 guid[16]; + u8 nports; + struct drm_dp_link_addr_reply_port ports[16]; +}; + +struct drm_dp_port_number_rep { + u8 port_number; +}; + +struct drm_dp_enum_path_resources_ack_reply { + u8 port_number; + u16 full_payload_bw_number; + u16 avail_payload_bw_number; +}; + +struct drm_dp_allocate_payload_ack_reply { + u8 port_number; + u8 vcpi; + u16 allocated_pbn; +}; + +struct drm_dp_query_payload_ack_reply { + u8 port_number; + u16 allocated_pbn; +}; + +struct drm_dp_remote_dpcd_read_ack_reply { + u8 port_number; + u8 num_bytes; + u8 bytes[255]; +}; + +struct drm_dp_remote_dpcd_write_ack_reply { + u8 port_number; +}; + +struct drm_dp_remote_dpcd_write_nak_reply { + u8 port_number; + u8 reason; + u8 bytes_written_before_failure; +}; + +struct drm_dp_remote_i2c_read_ack_reply { + u8 port_number; + u8 num_bytes; + u8 bytes[255]; +}; + +struct drm_dp_remote_i2c_read_nak_reply { + u8 port_number; + u8 nak_reason; + u8 i2c_nak_transaction; +}; + +struct drm_dp_remote_i2c_write_ack_reply { + u8 port_number; +}; + +union ack_replies { + struct drm_dp_nak_reply nak; + struct drm_dp_link_address_ack_reply link_addr; + struct drm_dp_port_number_rep port_number; + struct drm_dp_enum_path_resources_ack_reply path_resources; + struct drm_dp_allocate_payload_ack_reply allocate_payload; + struct drm_dp_query_payload_ack_reply query_payload; + struct drm_dp_remote_dpcd_read_ack_reply remote_dpcd_read_ack; + struct drm_dp_remote_dpcd_write_ack_reply remote_dpcd_write_ack; + struct drm_dp_remote_dpcd_write_nak_reply remote_dpcd_write_nack; + struct drm_dp_remote_i2c_read_ack_reply remote_i2c_read_ack; + struct drm_dp_remote_i2c_read_nak_reply remote_i2c_read_nack; + struct drm_dp_remote_i2c_write_ack_reply remote_i2c_write_ack; +}; + +struct drm_dp_sideband_msg_reply_body { + u8 reply_type; + u8 req_type; + union ack_replies u; +}; + +struct drm_dp_sideband_msg_tx { + u8 msg[256]; + u8 chunk[48]; + u8 cur_offset; + u8 cur_len; + struct drm_dp_mst_branch *dst; + struct list_head next; + int seqno; + int state; + bool path_msg; + struct drm_dp_sideband_msg_reply_body reply; +}; + +struct drm_dp_allocate_payload { + u8 port_number; + u8 number_sdp_streams; + u8 vcpi; + u16 pbn; + u8 sdp_stream_sink[16]; +}; + +struct drm_dp_connection_status_notify { + u8 guid[16]; + u8 port_number; + bool legacy_device_plug_status; + bool displayport_device_plug_status; + bool message_capability_status; + bool input_port; + u8 peer_device_type; +}; + +struct drm_dp_remote_dpcd_read { + u8 port_number; + u32 dpcd_address; + u8 num_bytes; +}; + +struct drm_dp_remote_dpcd_write { + u8 port_number; + u32 dpcd_address; + u8 num_bytes; + u8 *bytes; +}; + +struct drm_dp_remote_i2c_read_tx { + u8 i2c_dev_id; + u8 num_bytes; + u8 *bytes; + u8 no_stop_bit; + u8 i2c_transaction_delay; +}; + +struct drm_dp_remote_i2c_read { + u8 num_transactions; + u8 port_number; + struct drm_dp_remote_i2c_read_tx transactions[4]; + u8 read_i2c_device_id; + u8 num_bytes_read; +}; + +struct drm_dp_remote_i2c_write { + u8 port_number; + u8 write_i2c_device_id; + u8 num_bytes; + u8 *bytes; +}; + +struct drm_dp_port_number_req { + u8 port_number; +}; + +struct drm_dp_query_payload { + u8 port_number; + u8 vcpi; +}; + +struct drm_dp_resource_status_notify { + u8 port_number; + u8 guid[16]; + u16 available_pbn; +}; + +union ack_req { + struct drm_dp_connection_status_notify conn_stat; + struct drm_dp_port_number_req port_num; + struct drm_dp_resource_status_notify resource_stat; + struct drm_dp_query_payload query_payload; + struct drm_dp_allocate_payload allocate_payload; + struct drm_dp_remote_dpcd_read dpcd_read; + struct drm_dp_remote_dpcd_write dpcd_write; + struct drm_dp_remote_i2c_read i2c_read; + struct drm_dp_remote_i2c_write i2c_write; +}; + +struct drm_dp_sideband_msg_req_body { + u8 req_type; + union ack_req u; +}; + +struct drm_dp_mst_topology_cbs { + struct drm_connector * (*add_connector)(struct drm_dp_mst_topology_mgr *, struct drm_dp_mst_port *, const char *); + void (*register_connector)(struct drm_connector *); + void (*destroy_connector)(struct drm_dp_mst_topology_mgr *, struct drm_connector *); +}; + +struct drm_dp_payload { + int payload_state; + int start_slot; + int num_slots; + int vcpi; +}; + +struct drm_dp_vcpi_allocation { + struct drm_dp_mst_port *port; + int vcpi; + struct list_head next; +}; + +struct drm_dp_mst_topology_state { + struct drm_private_state base; + struct list_head vcpis; + struct drm_dp_mst_topology_mgr *mgr; +}; + +struct drm_dp_pending_up_req { + struct drm_dp_sideband_msg_hdr hdr; + struct drm_dp_sideband_msg_req_body msg; + struct list_head next; +}; + +struct dma_fence_ops; + +struct dma_fence { + spinlock_t *lock; + const struct dma_fence_ops *ops; + union { + struct list_head cb_list; + ktime_t timestamp; + struct callback_head rcu; + }; + u64 context; + u64 seqno; + long unsigned int flags; + struct kref refcount; + int error; +}; + +struct dma_fence_ops { + bool use_64bit_seqno; + const char * (*get_driver_name)(struct dma_fence *); + const char * (*get_timeline_name)(struct dma_fence *); + bool (*enable_signaling)(struct dma_fence *); + bool (*signaled)(struct dma_fence *); + long int (*wait)(struct dma_fence *, bool, long int); + void (*release)(struct dma_fence *); + void (*fence_value_str)(struct dma_fence *, char *, int); + void (*timeline_value_str)(struct dma_fence *, char *, int); +}; + +struct drm_color_lut { + __u16 red; + __u16 green; + __u16 blue; + __u16 reserved; +}; + +struct drm_writeback_job { + struct drm_writeback_connector *connector; + bool prepared; + struct work_struct cleanup_work; + struct list_head list_entry; + struct drm_framebuffer *fb; + struct dma_fence *out_fence; + void *priv; +}; + +struct drm_writeback_connector { + struct drm_connector base; + struct drm_encoder encoder; + struct drm_property_blob *pixel_formats_blob_ptr; + spinlock_t job_lock; + struct list_head job_queue; + unsigned int fence_context; + spinlock_t fence_lock; + long unsigned int fence_seqno; + char timeline_name[32]; +}; + +enum drm_lspcon_mode { + DRM_LSPCON_MODE_INVALID = 0, + DRM_LSPCON_MODE_LS = 1, + DRM_LSPCON_MODE_PCON = 2, +}; + +enum drm_dp_dual_mode_type { + DRM_DP_DUAL_MODE_NONE = 0, + DRM_DP_DUAL_MODE_UNKNOWN = 1, + DRM_DP_DUAL_MODE_TYPE1_DVI = 2, + DRM_DP_DUAL_MODE_TYPE1_HDMI = 3, + DRM_DP_DUAL_MODE_TYPE2_DVI = 4, + DRM_DP_DUAL_MODE_TYPE2_HDMI = 5, + DRM_DP_DUAL_MODE_LSPCON = 6, +}; + +struct drm_simple_display_pipe; + +struct drm_simple_display_pipe_funcs { + enum drm_mode_status (*mode_valid)(struct drm_simple_display_pipe *, const struct drm_display_mode *); + void (*enable)(struct drm_simple_display_pipe *, struct drm_crtc_state *, struct drm_plane_state *); + void (*disable)(struct drm_simple_display_pipe *); + int (*check)(struct drm_simple_display_pipe *, struct drm_plane_state *, struct drm_crtc_state *); + void (*update)(struct drm_simple_display_pipe *, struct drm_plane_state *); + int (*prepare_fb)(struct drm_simple_display_pipe *, struct drm_plane_state *); + void (*cleanup_fb)(struct drm_simple_display_pipe *, struct drm_plane_state *); + int (*enable_vblank)(struct drm_simple_display_pipe *); + void (*disable_vblank)(struct drm_simple_display_pipe *); +}; + +struct drm_simple_display_pipe { + struct drm_crtc crtc; + struct drm_plane plane; + struct drm_encoder encoder; + struct drm_connector *connector; + const struct drm_simple_display_pipe_funcs *funcs; +}; + +struct dma_fence_cb; + +typedef void (*dma_fence_func_t)(struct dma_fence *, struct dma_fence_cb *); + +struct dma_fence_cb { + struct list_head node; + dma_fence_func_t func; +}; + +struct dma_buf_ops { + bool cache_sgt_mapping; + bool dynamic_mapping; + int (*attach)(struct dma_buf *, struct dma_buf_attachment *); + void (*detach)(struct dma_buf *, struct dma_buf_attachment *); + struct sg_table * (*map_dma_buf)(struct dma_buf_attachment *, enum dma_data_direction); + void (*unmap_dma_buf)(struct dma_buf_attachment *, struct sg_table *, enum dma_data_direction); + void (*release)(struct dma_buf *); + int (*begin_cpu_access)(struct dma_buf *, enum dma_data_direction); + int (*end_cpu_access)(struct dma_buf *, enum dma_data_direction); + int (*mmap)(struct dma_buf *, struct vm_area_struct *); + void * (*map)(struct dma_buf *, long unsigned int); + void (*unmap)(struct dma_buf *, long unsigned int, void *); + void * (*vmap)(struct dma_buf *); + void (*vunmap)(struct dma_buf *, void *); +}; + +struct dma_buf_poll_cb_t { + struct dma_fence_cb cb; + wait_queue_head_t *poll; + __poll_t active; +}; + +struct dma_buf { + size_t size; + struct file *file; + struct list_head attachments; + const struct dma_buf_ops *ops; + struct mutex lock; + unsigned int vmapping_counter; + void *vmap_ptr; + const char *exp_name; + const char *name; + struct module *owner; + struct list_head list_node; + void *priv; + struct dma_resv *resv; + wait_queue_head_t poll; + struct dma_buf_poll_cb_t cb_excl; + struct dma_buf_poll_cb_t cb_shared; +}; + +struct dma_buf_attachment { + struct dma_buf *dmabuf; + struct device *dev; + struct list_head node; + struct sg_table *sgt; + enum dma_data_direction dir; + bool dynamic_mapping; + void *priv; +}; + +struct dma_resv_list { + struct callback_head rcu; + u32 shared_count; + u32 shared_max; + struct dma_fence *shared[0]; +}; + +struct drm_mm { + void (*color_adjust)(const struct drm_mm_node *, long unsigned int, u64 *, u64 *); + struct list_head hole_stack; + struct drm_mm_node head_node; + struct rb_root_cached interval_tree; + struct rb_root_cached holes_size; + struct rb_root holes_addr; + long unsigned int scan_active; +}; + +struct drm_vma_offset_manager { + rwlock_t vm_lock; + struct drm_mm vm_addr_space_mm; +}; + +struct drm_gem_object_funcs { + void (*free)(struct drm_gem_object *); + int (*open)(struct drm_gem_object *, struct drm_file *); + void (*close)(struct drm_gem_object *, struct drm_file *); + void (*print_info)(struct drm_printer *, unsigned int, const struct drm_gem_object *); + struct dma_buf * (*export)(struct drm_gem_object *, int); + int (*pin)(struct drm_gem_object *); + void (*unpin)(struct drm_gem_object *); + struct sg_table * (*get_sg_table)(struct drm_gem_object *); + void * (*vmap)(struct drm_gem_object *); + void (*vunmap)(struct drm_gem_object *, void *); + int (*mmap)(struct drm_gem_object *, struct vm_area_struct *); + const struct vm_operations_struct *vm_ops; +}; + +struct drm_mode_rect { + __s32 x1; + __s32 y1; + __s32 x2; + __s32 y2; +}; + +struct drm_atomic_helper_damage_iter { + struct drm_rect plane_src; + const struct drm_rect *clips; + uint32_t num_clips; + uint32_t curr_clip; + bool full_update; +}; + +struct ewma_psr_time { + long unsigned int internal; +}; + +struct drm_self_refresh_data { + struct drm_crtc *crtc; + struct delayed_work entry_work; + struct mutex avg_mutex; + struct ewma_psr_time entry_avg_ms; + struct ewma_psr_time exit_avg_ms; +}; + +struct display_timing; + +struct drm_panel; + +struct drm_panel_funcs { + int (*prepare)(struct drm_panel *); + int (*enable)(struct drm_panel *); + int (*disable)(struct drm_panel *); + int (*unprepare)(struct drm_panel *); + int (*get_modes)(struct drm_panel *); + int (*get_timings)(struct drm_panel *, unsigned int, struct display_timing *); +}; + +struct drm_panel { + struct drm_device *drm; + struct drm_connector *connector; + struct device *dev; + const struct drm_panel_funcs *funcs; + int connector_type; + struct list_head list; +}; + +struct panel_bridge { + struct drm_bridge bridge; + struct drm_connector connector; + struct drm_panel *panel; + u32 connector_type; +}; + +struct drm_master { + struct kref refcount; + struct drm_device *dev; + char *unique; + int unique_len; + struct idr magic_map; + void *driver_priv; + struct drm_master *lessor; + int lessee_id; + struct list_head lessee_list; + struct list_head lessees; + struct idr leases; + struct idr lessee_idr; +}; + +struct drm_auth { + drm_magic_t magic; +}; + +enum drm_minor_type { + DRM_MINOR_PRIMARY = 0, + DRM_MINOR_CONTROL = 1, + DRM_MINOR_RENDER = 2, +}; + +struct xa_limit { + u32 max; + u32 min; +}; + +struct drm_gem_close { + __u32 handle; + __u32 pad; +}; + +struct drm_gem_flink { + __u32 handle; + __u32 name; +}; + +struct drm_gem_open { + __u32 name; + __u32 handle; + __u64 size; +}; + +struct ww_class { + atomic_long_t stamp; + struct lock_class_key acquire_key; + struct lock_class_key mutex_key; + const char *acquire_name; + const char *mutex_name; + unsigned int is_wait_die; +}; + +struct drm_version { + int version_major; + int version_minor; + int version_patchlevel; + __kernel_size_t name_len; + char *name; + __kernel_size_t date_len; + char *date; + __kernel_size_t desc_len; + char *desc; +}; + +struct drm_unique { + __kernel_size_t unique_len; + char *unique; +}; + +struct drm_client { + int idx; + int auth; + long unsigned int pid; + long unsigned int uid; + long unsigned int magic; + long unsigned int iocs; +}; + +enum drm_stat_type { + _DRM_STAT_LOCK = 0, + _DRM_STAT_OPENS = 1, + _DRM_STAT_CLOSES = 2, + _DRM_STAT_IOCTLS = 3, + _DRM_STAT_LOCKS = 4, + _DRM_STAT_UNLOCKS = 5, + _DRM_STAT_VALUE = 6, + _DRM_STAT_BYTE = 7, + _DRM_STAT_COUNT = 8, + _DRM_STAT_IRQ = 9, + _DRM_STAT_PRIMARY = 10, + _DRM_STAT_SECONDARY = 11, + _DRM_STAT_DMA = 12, + _DRM_STAT_SPECIAL = 13, + _DRM_STAT_MISSED = 14, +}; + +struct drm_stats { + long unsigned int count; + struct { + long unsigned int value; + enum drm_stat_type type; + } data[15]; +}; + +struct drm_set_version { + int drm_di_major; + int drm_di_minor; + int drm_dd_major; + int drm_dd_minor; +}; + +struct drm_get_cap { + __u64 capability; + __u64 value; +}; + +struct drm_set_client_cap { + __u64 capability; + __u64 value; +}; + +struct drm_agp_head { + struct agp_kern_info agp_info; + struct list_head memory; + long unsigned int mode; + struct agp_bridge_data *bridge; + int enabled; + int acquired; + long unsigned int base; + int agp_mtrr; + int cant_use_aperture; + long unsigned int page_mask; +}; + +enum drm_map_type { + _DRM_FRAME_BUFFER = 0, + _DRM_REGISTERS = 1, + _DRM_SHM = 2, + _DRM_AGP = 3, + _DRM_SCATTER_GATHER = 4, + _DRM_CONSISTENT = 5, +}; + +enum drm_map_flags { + _DRM_RESTRICTED = 1, + _DRM_READ_ONLY = 2, + _DRM_LOCKED = 4, + _DRM_KERNEL = 8, + _DRM_WRITE_COMBINING = 16, + _DRM_CONTAINS_LOCK = 32, + _DRM_REMOVABLE = 64, + _DRM_DRIVER = 128, +}; + +struct drm_local_map { + resource_size_t offset; + long unsigned int size; + enum drm_map_type type; + enum drm_map_flags flags; + void *handle; + int mtrr; +}; + +struct drm_agp_mem { + long unsigned int handle; + struct agp_memory *memory; + long unsigned int bound; + int pages; + struct list_head head; +}; + +struct drm_irq_busid { + int irq; + int busnum; + int devnum; + int funcnum; +}; + +struct drm_dma_handle { + dma_addr_t busaddr; + void *vaddr; + size_t size; +}; + +typedef struct drm_dma_handle drm_dma_handle_t; + +struct class_attribute { + struct attribute attr; + ssize_t (*show)(struct class *, struct class_attribute *, char *); + ssize_t (*store)(struct class *, struct class_attribute *, const char *, size_t); +}; + +struct class_attribute_string { + struct class_attribute attr; + char *str; +}; + +struct drm_hash_item { + struct hlist_node head; + long unsigned int key; +}; + +struct drm_open_hash { + struct hlist_head *table; + u8 order; +}; + +enum drm_mm_insert_mode { + DRM_MM_INSERT_BEST = 0, + DRM_MM_INSERT_LOW = 1, + DRM_MM_INSERT_HIGH = 2, + DRM_MM_INSERT_EVICT = 3, + DRM_MM_INSERT_ONCE = -2147483648, + DRM_MM_INSERT_HIGHEST = -2147483646, + DRM_MM_INSERT_LOWEST = -2147483647, +}; + +struct drm_mm_scan { + struct drm_mm *mm; + u64 size; + u64 alignment; + u64 remainder_mask; + u64 range_start; + u64 range_end; + u64 hit_start; + u64 hit_end; + long unsigned int color; + enum drm_mm_insert_mode mode; +}; + +struct drm_mode_modeinfo { + __u32 clock; + __u16 hdisplay; + __u16 hsync_start; + __u16 hsync_end; + __u16 htotal; + __u16 hskew; + __u16 vdisplay; + __u16 vsync_start; + __u16 vsync_end; + __u16 vtotal; + __u16 vscan; + __u32 vrefresh; + __u32 flags; + __u32 type; + char name[32]; +}; + +struct drm_mode_crtc { + __u64 set_connectors_ptr; + __u32 count_connectors; + __u32 crtc_id; + __u32 fb_id; + __u32 x; + __u32 y; + __u32 gamma_size; + __u32 mode_valid; + struct drm_mode_modeinfo mode; +}; + +struct drm_format_name_buf { + char str[32]; +}; + +struct displayid_hdr { + u8 rev; + u8 bytes; + u8 prod_id; + u8 ext_count; +}; + +struct displayid_block { + u8 tag; + u8 rev; + u8 num_bytes; +}; + +struct displayid_tiled_block { + struct displayid_block base; + u8 tile_cap; + u8 topo[3]; + u8 tile_size[4]; + u8 tile_pixel_bezel[5]; + u8 topology_id[8]; +}; + +struct displayid_detailed_timings_1 { + u8 pixel_clock[3]; + u8 flags; + u8 hactive[2]; + u8 hblank[2]; + u8 hsync[2]; + u8 hsw[2]; + u8 vactive[2]; + u8 vblank[2]; + u8 vsync[2]; + u8 vsw[2]; +}; + +struct displayid_detailed_timing_block { + struct displayid_block base; + struct displayid_detailed_timings_1 timings[0]; +}; + +struct hdr_metadata_infoframe { + __u8 eotf; + __u8 metadata_type; + struct { + __u16 x; + __u16 y; + } display_primaries[3]; + struct { + __u16 x; + __u16 y; + } white_point; + __u16 max_display_mastering_luminance; + __u16 min_display_mastering_luminance; + __u16 max_cll; + __u16 max_fall; +}; + +struct hdr_output_metadata { + __u32 metadata_type; + union { + struct hdr_metadata_infoframe hdmi_metadata_type1; + }; +}; + +struct cea_sad { + u8 format; + u8 channels; + u8 freq; + u8 byte2; +}; + +struct detailed_mode_closure { + struct drm_connector *connector; + struct edid *edid; + bool preferred; + u32 quirks; + int modes; +}; + +struct edid_quirk { + char vendor[4]; + int product_id; + u32 quirks; +}; + +struct minimode { + short int w; + short int h; + short int r; + short int rb; +}; + +typedef void detailed_cb(struct detailed_timing *, void *); + +struct stereo_mandatory_mode { + int width; + int height; + int vrefresh; + unsigned int flags; +}; + +struct i2c_device_id { + char name[20]; + kernel_ulong_t driver_data; +}; + +struct i2c_client { + short unsigned int flags; + short unsigned int addr; + char name[20]; + struct i2c_adapter *adapter; + struct device dev; + int init_irq; + int irq; + struct list_head detected; +}; + +enum i2c_alert_protocol { + I2C_PROTOCOL_SMBUS_ALERT = 0, + I2C_PROTOCOL_SMBUS_HOST_NOTIFY = 1, +}; + +struct i2c_board_info; + +struct i2c_driver { + unsigned int class; + int (*probe)(struct i2c_client *, const struct i2c_device_id *); + int (*remove)(struct i2c_client *); + int (*probe_new)(struct i2c_client *); + void (*shutdown)(struct i2c_client *); + void (*alert)(struct i2c_client *, enum i2c_alert_protocol, unsigned int); + int (*command)(struct i2c_client *, unsigned int, void *); + struct device_driver driver; + const struct i2c_device_id *id_table; + int (*detect)(struct i2c_client *, struct i2c_board_info *); + const short unsigned int *address_list; + struct list_head clients; + bool disable_i2c_core_irq_mapping; +}; + +struct i2c_board_info { + char type[20]; + short unsigned int flags; + short unsigned int addr; + const char *dev_name; + void *platform_data; + struct device_node *of_node; + struct fwnode_handle *fwnode; + const struct property_entry *properties; + const struct resource *resources; + unsigned int num_resources; + int irq; +}; + +struct drm_encoder_slave_funcs { + void (*set_config)(struct drm_encoder *, void *); + void (*destroy)(struct drm_encoder *); + void (*dpms)(struct drm_encoder *, int); + void (*save)(struct drm_encoder *); + void (*restore)(struct drm_encoder *); + bool (*mode_fixup)(struct drm_encoder *, const struct drm_display_mode *, struct drm_display_mode *); + int (*mode_valid)(struct drm_encoder *, struct drm_display_mode *); + void (*mode_set)(struct drm_encoder *, struct drm_display_mode *, struct drm_display_mode *); + enum drm_connector_status (*detect)(struct drm_encoder *, struct drm_connector *); + int (*get_modes)(struct drm_encoder *, struct drm_connector *); + int (*create_resources)(struct drm_encoder *, struct drm_connector *); + int (*set_property)(struct drm_encoder *, struct drm_connector *, struct drm_property *, uint64_t); +}; + +struct drm_encoder_slave { + struct drm_encoder base; + const struct drm_encoder_slave_funcs *slave_funcs; + void *slave_priv; + void *bus_priv; +}; + +struct drm_i2c_encoder_driver { + struct i2c_driver i2c_driver; + int (*encoder_init)(struct i2c_client *, struct drm_device *, struct drm_encoder_slave *); +}; + +struct trace_event_raw_drm_vblank_event { + struct trace_entry ent; + int crtc; + unsigned int seq; + ktime_t time; + bool high_prec; + char __data[0]; +}; + +struct trace_event_raw_drm_vblank_event_queued { + struct trace_entry ent; + struct drm_file *file; + int crtc; + unsigned int seq; + char __data[0]; +}; + +struct trace_event_raw_drm_vblank_event_delivered { + struct trace_entry ent; + struct drm_file *file; + int crtc; + unsigned int seq; + char __data[0]; +}; + +struct trace_event_data_offsets_drm_vblank_event {}; + +struct trace_event_data_offsets_drm_vblank_event_queued {}; + +struct trace_event_data_offsets_drm_vblank_event_delivered {}; + +struct dma_buf_export_info { + const char *exp_name; + struct module *owner; + const struct dma_buf_ops *ops; + size_t size; + int flags; + struct dma_resv *resv; + void *priv; +}; + +struct drm_prime_handle { + __u32 handle; + __u32 flags; + __s32 fd; +}; + +struct drm_prime_member { + struct dma_buf *dma_buf; + uint32_t handle; + struct rb_node dmabuf_rb; + struct rb_node handle_rb; +}; + +struct drm_vma_offset_file { + struct rb_node vm_rb; + struct drm_file *vm_tag; + long unsigned int vm_count; +}; + +struct drm_flip_work; + +typedef void (*drm_flip_func_t)(struct drm_flip_work *, void *); + +struct drm_flip_work { + const char *name; + drm_flip_func_t func; + struct work_struct worker; + struct list_head queued; + struct list_head commited; + spinlock_t lock; +}; + +struct drm_flip_task { + struct list_head node; + void *data; +}; + +struct drm_info_list { + const char *name; + int (*show)(struct seq_file *, void *); + u32 driver_features; + void *data; +}; + +struct drm_info_node { + struct drm_minor *minor; + const struct drm_info_list *info_ent; + struct list_head list; + struct dentry *dent; +}; + +struct drm_mode_fb_cmd { + __u32 fb_id; + __u32 width; + __u32 height; + __u32 pitch; + __u32 bpp; + __u32 depth; + __u32 handle; +}; + +struct drm_mode_fb_dirty_cmd { + __u32 fb_id; + __u32 flags; + __u32 color; + __u32 num_clips; + __u64 clips_ptr; +}; + +struct drm_mode_rmfb_work { + struct work_struct work; + struct list_head fbs; +}; + +struct drm_mode_get_connector { + __u64 encoders_ptr; + __u64 modes_ptr; + __u64 props_ptr; + __u64 prop_values_ptr; + __u32 count_modes; + __u32 count_props; + __u32 count_encoders; + __u32 encoder_id; + __u32 connector_id; + __u32 connector_type; + __u32 connector_type_id; + __u32 connection; + __u32 mm_width; + __u32 mm_height; + __u32 subpixel; + __u32 pad; +}; + +struct drm_mode_connector_set_property { + __u64 value; + __u32 prop_id; + __u32 connector_id; +}; + +struct drm_mode_obj_set_property { + __u64 value; + __u32 prop_id; + __u32 obj_id; + __u32 obj_type; +}; + +struct drm_prop_enum_list { + int type; + const char *name; +}; + +struct drm_conn_prop_enum_list { + int type; + const char *name; + struct ida ida; +}; + +struct drm_mode_get_encoder { + __u32 encoder_id; + __u32 encoder_type; + __u32 crtc_id; + __u32 possible_crtcs; + __u32 possible_clones; +}; + +struct drm_mode_obj_get_properties { + __u64 props_ptr; + __u64 prop_values_ptr; + __u32 count_props; + __u32 obj_id; + __u32 obj_type; +}; + +struct drm_mode_property_enum { + __u64 value; + char name[32]; +}; + +struct drm_mode_get_property { + __u64 values_ptr; + __u64 enum_blob_ptr; + __u32 prop_id; + __u32 flags; + char name[32]; + __u32 count_values; + __u32 count_enum_blobs; +}; + +struct drm_mode_get_blob { + __u32 blob_id; + __u32 length; + __u64 data; +}; + +struct drm_mode_create_blob { + __u64 data; + __u32 length; + __u32 blob_id; +}; + +struct drm_mode_destroy_blob { + __u32 blob_id; +}; + +struct drm_property_enum { + uint64_t value; + struct list_head head; + char name[32]; +}; + +struct drm_mode_set_plane { + __u32 plane_id; + __u32 crtc_id; + __u32 fb_id; + __u32 flags; + __s32 crtc_x; + __s32 crtc_y; + __u32 crtc_w; + __u32 crtc_h; + __u32 src_x; + __u32 src_y; + __u32 src_h; + __u32 src_w; +}; + +struct drm_mode_get_plane { + __u32 plane_id; + __u32 crtc_id; + __u32 fb_id; + __u32 possible_crtcs; + __u32 gamma_size; + __u32 count_format_types; + __u64 format_type_ptr; +}; + +struct drm_mode_get_plane_res { + __u64 plane_id_ptr; + __u32 count_planes; +}; + +struct drm_mode_cursor { + __u32 flags; + __u32 crtc_id; + __s32 x; + __s32 y; + __u32 width; + __u32 height; + __u32 handle; +}; + +struct drm_mode_cursor2 { + __u32 flags; + __u32 crtc_id; + __s32 x; + __s32 y; + __u32 width; + __u32 height; + __u32 handle; + __s32 hot_x; + __s32 hot_y; +}; + +struct drm_mode_crtc_page_flip_target { + __u32 crtc_id; + __u32 fb_id; + __u32 flags; + __u32 sequence; + __u64 user_data; +}; + +struct drm_format_modifier_blob { + __u32 version; + __u32 flags; + __u32 count_formats; + __u32 formats_offset; + __u32 count_modifiers; + __u32 modifiers_offset; +}; + +struct drm_format_modifier { + __u64 formats; + __u32 offset; + __u32 pad; + __u64 modifier; +}; + +struct drm_mode_crtc_lut { + __u32 crtc_id; + __u32 gamma_size; + __u64 red; + __u64 green; + __u64 blue; +}; + +enum drm_color_lut_tests { + DRM_COLOR_LUT_EQUAL_CHANNELS = 1, + DRM_COLOR_LUT_NON_DECREASING = 2, +}; + +struct drm_print_iterator { + void *data; + ssize_t start; + ssize_t remain; + ssize_t offset; +}; + +struct drm_mode_map_dumb { + __u32 handle; + __u32 pad; + __u64 offset; +}; + +struct drm_mode_destroy_dumb { + __u32 handle; +}; + +struct drm_mode_card_res { + __u64 fb_id_ptr; + __u64 crtc_id_ptr; + __u64 connector_id_ptr; + __u64 encoder_id_ptr; + __u32 count_fbs; + __u32 count_crtcs; + __u32 count_connectors; + __u32 count_encoders; + __u32 min_width; + __u32 max_width; + __u32 min_height; + __u32 max_height; +}; + +enum drm_vblank_seq_type { + _DRM_VBLANK_ABSOLUTE = 0, + _DRM_VBLANK_RELATIVE = 1, + _DRM_VBLANK_HIGH_CRTC_MASK = 62, + _DRM_VBLANK_EVENT = 67108864, + _DRM_VBLANK_FLIP = 134217728, + _DRM_VBLANK_NEXTONMISS = 268435456, + _DRM_VBLANK_SECONDARY = 536870912, + _DRM_VBLANK_SIGNAL = 1073741824, +}; + +struct drm_wait_vblank_request { + enum drm_vblank_seq_type type; + unsigned int sequence; + long unsigned int signal; +}; + +struct drm_wait_vblank_reply { + enum drm_vblank_seq_type type; + unsigned int sequence; + long int tval_sec; + long int tval_usec; +}; + +union drm_wait_vblank { + struct drm_wait_vblank_request request; + struct drm_wait_vblank_reply reply; +}; + +struct drm_modeset_ctl { + __u32 crtc; + __u32 cmd; +}; + +struct drm_crtc_get_sequence { + __u32 crtc_id; + __u32 active; + __u64 sequence; + __s64 sequence_ns; +}; + +struct drm_crtc_queue_sequence { + __u32 crtc_id; + __u32 flags; + __u64 sequence; + __u64 user_data; +}; + +enum dma_fence_flag_bits { + DMA_FENCE_FLAG_SIGNALED_BIT = 0, + DMA_FENCE_FLAG_TIMESTAMP_BIT = 1, + DMA_FENCE_FLAG_ENABLE_SIGNAL_BIT = 2, + DMA_FENCE_FLAG_USER_BITS = 3, +}; + +struct sync_file { + struct file *file; + char user_name[32]; + struct list_head sync_file_list; + wait_queue_head_t wq; + long unsigned int flags; + struct dma_fence *fence; + struct dma_fence_cb cb; +}; + +struct drm_syncobj_create { + __u32 handle; + __u32 flags; +}; + +struct drm_syncobj_destroy { + __u32 handle; + __u32 pad; +}; + +struct drm_syncobj_handle { + __u32 handle; + __u32 flags; + __s32 fd; + __u32 pad; +}; + +struct drm_syncobj_transfer { + __u32 src_handle; + __u32 dst_handle; + __u64 src_point; + __u64 dst_point; + __u32 flags; + __u32 pad; +}; + +struct drm_syncobj_wait { + __u64 handles; + __s64 timeout_nsec; + __u32 count_handles; + __u32 flags; + __u32 first_signaled; + __u32 pad; +}; + +struct drm_syncobj_timeline_wait { + __u64 handles; + __u64 points; + __s64 timeout_nsec; + __u32 count_handles; + __u32 flags; + __u32 first_signaled; + __u32 pad; +}; + +struct drm_syncobj_array { + __u64 handles; + __u32 count_handles; + __u32 pad; +}; + +struct drm_syncobj_timeline_array { + __u64 handles; + __u64 points; + __u32 count_handles; + __u32 flags; +}; + +struct dma_fence_chain { + struct dma_fence base; + spinlock_t lock; + struct dma_fence *prev; + u64 prev_seqno; + struct dma_fence *fence; + struct dma_fence_cb cb; + struct irq_work work; +}; + +struct drm_syncobj { + struct kref refcount; + struct dma_fence *fence; + struct list_head cb_list; + spinlock_t lock; + struct file *file; +}; + +struct syncobj_wait_entry { + struct list_head node; + struct task_struct *task; + struct dma_fence *fence; + struct dma_fence_cb fence_cb; + u64 point; +}; + +struct drm_mode_create_lease { + __u64 object_ids; + __u32 object_count; + __u32 flags; + __u32 lessee_id; + __u32 fd; +}; + +struct drm_mode_list_lessees { + __u32 count_lessees; + __u32 pad; + __u64 lessees_ptr; +}; + +struct drm_mode_get_lease { + __u32 count_objects; + __u32 pad; + __u64 objects_ptr; +}; + +struct drm_mode_revoke_lease { + __u32 lessee_id; +}; + +struct drm_client_offset { + int x; + int y; +}; + +struct drm_mode_atomic { + __u32 flags; + __u32 count_objs; + __u64 objs_ptr; + __u64 count_props_ptr; + __u64 props_ptr; + __u64 prop_values_ptr; + __u64 reserved; + __u64 user_data; +}; + +struct drm_out_fence_state { + s32 *out_fence_ptr; + struct sync_file *sync_file; + int fd; +}; + +struct hdcp_srm_header { + u8 srm_id; + u8 reserved; + __be16 srm_version; + u8 srm_gen_no; +} __attribute__((packed)); + +struct hdcp_srm { + u32 revoked_ksv_cnt; + u8 *revoked_ksv_list; + struct mutex mutex; +}; + +typedef unsigned int drm_drawable_t; + +struct drm_agp_mode { + long unsigned int mode; +}; + +struct drm_agp_buffer { + long unsigned int size; + long unsigned int handle; + long unsigned int type; + long unsigned int physical; +}; + +struct drm_agp_binding { + long unsigned int handle; + long unsigned int offset; +}; + +struct drm_agp_info { + int agp_version_major; + int agp_version_minor; + long unsigned int mode; + long unsigned int aperture_base; + long unsigned int aperture_size; + long unsigned int memory_allowed; + long unsigned int memory_used; + short unsigned int id_vendor; + short unsigned int id_device; +}; + +typedef int drm_ioctl_compat_t(struct file *, unsigned int, long unsigned int); + +struct drm_version_32 { + int version_major; + int version_minor; + int version_patchlevel; + u32 name_len; + u32 name; + u32 date_len; + u32 date; + u32 desc_len; + u32 desc; +}; + +typedef struct drm_version_32 drm_version32_t; + +struct drm_unique32 { + u32 unique_len; + u32 unique; +}; + +typedef struct drm_unique32 drm_unique32_t; + +struct drm_client32 { + int idx; + int auth; + u32 pid; + u32 uid; + u32 magic; + u32 iocs; +}; + +typedef struct drm_client32 drm_client32_t; + +struct drm_stats32 { + u32 count; + struct { + u32 value; + enum drm_stat_type type; + } data[15]; +}; + +typedef struct drm_stats32 drm_stats32_t; + +struct drm_agp_mode32 { + u32 mode; +}; + +typedef struct drm_agp_mode32 drm_agp_mode32_t; + +struct drm_agp_info32 { + int agp_version_major; + int agp_version_minor; + u32 mode; + u32 aperture_base; + u32 aperture_size; + u32 memory_allowed; + u32 memory_used; + short unsigned int id_vendor; + short unsigned int id_device; +}; + +typedef struct drm_agp_info32 drm_agp_info32_t; + +struct drm_agp_buffer32 { + u32 size; + u32 handle; + u32 type; + u32 physical; +}; + +typedef struct drm_agp_buffer32 drm_agp_buffer32_t; + +struct drm_agp_binding32 { + u32 handle; + u32 offset; +}; + +typedef struct drm_agp_binding32 drm_agp_binding32_t; + +struct drm_update_draw32 { + drm_drawable_t handle; + unsigned int type; + unsigned int num; + u64 data; +} __attribute__((packed)); + +typedef struct drm_update_draw32 drm_update_draw32_t; + +struct drm_wait_vblank_request32 { + enum drm_vblank_seq_type type; + unsigned int sequence; + u32 signal; +}; + +struct drm_wait_vblank_reply32 { + enum drm_vblank_seq_type type; + unsigned int sequence; + s32 tval_sec; + s32 tval_usec; +}; + +union drm_wait_vblank32 { + struct drm_wait_vblank_request32 request; + struct drm_wait_vblank_reply32 reply; +}; + +typedef union drm_wait_vblank32 drm_wait_vblank32_t; + +struct drm_mode_fb_cmd232 { + u32 fb_id; + u32 width; + u32 height; + u32 pixel_format; + u32 flags; + u32 handles[4]; + u32 pitches[4]; + u32 offsets[4]; + u64 modifier[4]; +} __attribute__((packed)); + +struct mipi_dsi_msg { + u8 channel; + u8 type; + u16 flags; + size_t tx_len; + const void *tx_buf; + size_t rx_len; + void *rx_buf; +}; + +struct mipi_dsi_packet { + size_t size; + u8 header[4]; + size_t payload_length; + const u8 *payload; +}; + +struct mipi_dsi_host; + +struct mipi_dsi_device; + +struct mipi_dsi_host_ops { + int (*attach)(struct mipi_dsi_host *, struct mipi_dsi_device *); + int (*detach)(struct mipi_dsi_host *, struct mipi_dsi_device *); + ssize_t (*transfer)(struct mipi_dsi_host *, const struct mipi_dsi_msg *); +}; + +struct mipi_dsi_host { + struct device *dev; + const struct mipi_dsi_host_ops *ops; + struct list_head list; +}; + +enum mipi_dsi_pixel_format { + MIPI_DSI_FMT_RGB888 = 0, + MIPI_DSI_FMT_RGB666 = 1, + MIPI_DSI_FMT_RGB666_PACKED = 2, + MIPI_DSI_FMT_RGB565 = 3, +}; + +struct mipi_dsi_device { + struct mipi_dsi_host *host; + struct device dev; + char name[20]; + unsigned int channel; + unsigned int lanes; + enum mipi_dsi_pixel_format format; + long unsigned int mode_flags; + long unsigned int hs_rate; + long unsigned int lp_rate; +}; + +struct mipi_dsi_device_info { + char type[20]; + u32 channel; + struct device_node *node; +}; + +enum mipi_dsi_dcs_tear_mode { + MIPI_DSI_DCS_TEAR_MODE_VBLANK = 0, + MIPI_DSI_DCS_TEAR_MODE_VHBLANK = 1, +}; + +struct mipi_dsi_driver { + struct device_driver driver; + int (*probe)(struct mipi_dsi_device *); + int (*remove)(struct mipi_dsi_device *); + void (*shutdown)(struct mipi_dsi_device *); +}; + +enum { + MIPI_DSI_V_SYNC_START = 1, + MIPI_DSI_V_SYNC_END = 17, + MIPI_DSI_H_SYNC_START = 33, + MIPI_DSI_H_SYNC_END = 49, + MIPI_DSI_COLOR_MODE_OFF = 2, + MIPI_DSI_COLOR_MODE_ON = 18, + MIPI_DSI_SHUTDOWN_PERIPHERAL = 34, + MIPI_DSI_TURN_ON_PERIPHERAL = 50, + MIPI_DSI_GENERIC_SHORT_WRITE_0_PARAM = 3, + MIPI_DSI_GENERIC_SHORT_WRITE_1_PARAM = 19, + MIPI_DSI_GENERIC_SHORT_WRITE_2_PARAM = 35, + MIPI_DSI_GENERIC_READ_REQUEST_0_PARAM = 4, + MIPI_DSI_GENERIC_READ_REQUEST_1_PARAM = 20, + MIPI_DSI_GENERIC_READ_REQUEST_2_PARAM = 36, + MIPI_DSI_DCS_SHORT_WRITE = 5, + MIPI_DSI_DCS_SHORT_WRITE_PARAM = 21, + MIPI_DSI_DCS_READ = 6, + MIPI_DSI_DCS_COMPRESSION_MODE = 7, + MIPI_DSI_PPS_LONG_WRITE = 10, + MIPI_DSI_SET_MAXIMUM_RETURN_PACKET_SIZE = 55, + MIPI_DSI_END_OF_TRANSMISSION = 8, + MIPI_DSI_NULL_PACKET = 9, + MIPI_DSI_BLANKING_PACKET = 25, + MIPI_DSI_GENERIC_LONG_WRITE = 41, + MIPI_DSI_DCS_LONG_WRITE = 57, + MIPI_DSI_LOOSELY_PACKED_PIXEL_STREAM_YCBCR20 = 12, + MIPI_DSI_PACKED_PIXEL_STREAM_YCBCR24 = 28, + MIPI_DSI_PACKED_PIXEL_STREAM_YCBCR16 = 44, + MIPI_DSI_PACKED_PIXEL_STREAM_30 = 13, + MIPI_DSI_PACKED_PIXEL_STREAM_36 = 29, + MIPI_DSI_PACKED_PIXEL_STREAM_YCBCR12 = 61, + MIPI_DSI_PACKED_PIXEL_STREAM_16 = 14, + MIPI_DSI_PACKED_PIXEL_STREAM_18 = 30, + MIPI_DSI_PIXEL_STREAM_3BYTE_18 = 46, + MIPI_DSI_PACKED_PIXEL_STREAM_24 = 62, +}; + +enum { + MIPI_DCS_NOP = 0, + MIPI_DCS_SOFT_RESET = 1, + MIPI_DCS_GET_DISPLAY_ID = 4, + MIPI_DCS_GET_RED_CHANNEL = 6, + MIPI_DCS_GET_GREEN_CHANNEL = 7, + MIPI_DCS_GET_BLUE_CHANNEL = 8, + MIPI_DCS_GET_DISPLAY_STATUS = 9, + MIPI_DCS_GET_POWER_MODE = 10, + MIPI_DCS_GET_ADDRESS_MODE = 11, + MIPI_DCS_GET_PIXEL_FORMAT = 12, + MIPI_DCS_GET_DISPLAY_MODE = 13, + MIPI_DCS_GET_SIGNAL_MODE = 14, + MIPI_DCS_GET_DIAGNOSTIC_RESULT = 15, + MIPI_DCS_ENTER_SLEEP_MODE = 16, + MIPI_DCS_EXIT_SLEEP_MODE = 17, + MIPI_DCS_ENTER_PARTIAL_MODE = 18, + MIPI_DCS_ENTER_NORMAL_MODE = 19, + MIPI_DCS_EXIT_INVERT_MODE = 32, + MIPI_DCS_ENTER_INVERT_MODE = 33, + MIPI_DCS_SET_GAMMA_CURVE = 38, + MIPI_DCS_SET_DISPLAY_OFF = 40, + MIPI_DCS_SET_DISPLAY_ON = 41, + MIPI_DCS_SET_COLUMN_ADDRESS = 42, + MIPI_DCS_SET_PAGE_ADDRESS = 43, + MIPI_DCS_WRITE_MEMORY_START = 44, + MIPI_DCS_WRITE_LUT = 45, + MIPI_DCS_READ_MEMORY_START = 46, + MIPI_DCS_SET_PARTIAL_AREA = 48, + MIPI_DCS_SET_SCROLL_AREA = 51, + MIPI_DCS_SET_TEAR_OFF = 52, + MIPI_DCS_SET_TEAR_ON = 53, + MIPI_DCS_SET_ADDRESS_MODE = 54, + MIPI_DCS_SET_SCROLL_START = 55, + MIPI_DCS_EXIT_IDLE_MODE = 56, + MIPI_DCS_ENTER_IDLE_MODE = 57, + MIPI_DCS_SET_PIXEL_FORMAT = 58, + MIPI_DCS_WRITE_MEMORY_CONTINUE = 60, + MIPI_DCS_READ_MEMORY_CONTINUE = 62, + MIPI_DCS_SET_TEAR_SCANLINE = 68, + MIPI_DCS_GET_SCANLINE = 69, + MIPI_DCS_SET_DISPLAY_BRIGHTNESS = 81, + MIPI_DCS_GET_DISPLAY_BRIGHTNESS = 82, + MIPI_DCS_WRITE_CONTROL_DISPLAY = 83, + MIPI_DCS_GET_CONTROL_DISPLAY = 84, + MIPI_DCS_WRITE_POWER_SAVE = 85, + MIPI_DCS_GET_POWER_SAVE = 86, + MIPI_DCS_SET_CABC_MIN_BRIGHTNESS = 94, + MIPI_DCS_GET_CABC_MIN_BRIGHTNESS = 95, + MIPI_DCS_READ_DDB_START = 161, + MIPI_DCS_READ_DDB_CONTINUE = 168, +}; + +struct drm_dmi_panel_orientation_data { + int width; + int height; + const char * const *bios_dates; + int orientation; +}; + +typedef u32 depot_stack_handle_t; + +enum drm_i915_pmu_engine_sample { + I915_SAMPLE_BUSY = 0, + I915_SAMPLE_WAIT = 1, + I915_SAMPLE_SEMA = 2, +}; + +struct drm_i915_gem_pwrite { + __u32 handle; + __u32 pad; + __u64 offset; + __u64 size; + __u64 data_ptr; +}; + +enum pipe { + INVALID_PIPE = -1, + PIPE_A = 0, + PIPE_B = 1, + PIPE_C = 2, + PIPE_D = 3, + _PIPE_EDP = 4, + I915_MAX_PIPES = 4, +}; + +enum transcoder { + INVALID_TRANSCODER = -1, + TRANSCODER_A = 0, + TRANSCODER_B = 1, + TRANSCODER_C = 2, + TRANSCODER_D = 3, + TRANSCODER_EDP = 4, + TRANSCODER_DSI_0 = 5, + TRANSCODER_DSI_1 = 6, + TRANSCODER_DSI_A = 5, + TRANSCODER_DSI_C = 6, + I915_MAX_TRANSCODERS = 7, +}; + +enum i9xx_plane_id { + PLANE_A = 0, + PLANE_B = 1, + PLANE_C = 2, +}; + +enum plane_id { + PLANE_PRIMARY = 0, + PLANE_SPRITE0 = 1, + PLANE_SPRITE1 = 2, + PLANE_SPRITE2 = 3, + PLANE_SPRITE3 = 4, + PLANE_SPRITE4 = 5, + PLANE_SPRITE5 = 6, + PLANE_CURSOR = 7, + I915_MAX_PLANES = 8, +}; + +enum port { + PORT_NONE = -1, + PORT_A = 0, + PORT_B = 1, + PORT_C = 2, + PORT_D = 3, + PORT_E = 4, + PORT_F = 5, + PORT_G = 6, + PORT_H = 7, + PORT_I = 8, + I915_MAX_PORTS = 9, +}; + +enum tc_port_mode { + TC_PORT_TBT_ALT = 0, + TC_PORT_DP_ALT = 1, + TC_PORT_LEGACY = 2, +}; + +enum dpio_phy { + DPIO_PHY0 = 0, + DPIO_PHY1 = 1, + DPIO_PHY2 = 2, +}; + +enum aux_ch { + AUX_CH_A = 0, + AUX_CH_B = 1, + AUX_CH_C = 2, + AUX_CH_D = 3, + AUX_CH_E = 4, + AUX_CH_F = 5, + AUX_CH_G = 6, +}; + +struct intel_link_m_n { + u32 tu; + u32 gmch_m; + u32 gmch_n; + u32 link_m; + u32 link_n; +}; + +enum phy_fia { + FIA1 = 0, + FIA2 = 1, + FIA3 = 2, +}; + +struct intel_cdclk_vals { + u16 refclk; + u32 cdclk; + u8 divider; + u8 ratio; +}; + +struct cec_devnode { + struct device dev; + struct cdev cdev; + int minor; + bool registered; + bool unregistered; + struct list_head fhs; + struct mutex lock; +}; + +struct cec_log_addrs { + __u8 log_addr[4]; + __u16 log_addr_mask; + __u8 cec_version; + __u8 num_log_addrs; + __u32 vendor_id; + __u32 flags; + char osd_name[15]; + __u8 primary_device_type[4]; + __u8 log_addr_type[4]; + __u8 all_device_types[4]; + __u8 features[48]; +}; + +struct cec_drm_connector_info { + __u32 card_no; + __u32 connector_id; +}; + +struct cec_connector_info { + __u32 type; + union { + struct cec_drm_connector_info drm; + __u32 raw[16]; + }; +}; + +struct rc_dev; + +struct cec_data; + +struct cec_adap_ops; + +struct cec_fh; + +struct cec_adapter { + struct module *owner; + char name[32]; + struct cec_devnode devnode; + struct mutex lock; + struct rc_dev *rc; + struct list_head transmit_queue; + unsigned int transmit_queue_sz; + struct list_head wait_queue; + struct cec_data *transmitting; + bool transmit_in_progress; + struct task_struct *kthread_config; + struct completion config_completion; + struct task_struct *kthread; + wait_queue_head_t kthread_waitq; + wait_queue_head_t waitq; + const struct cec_adap_ops *ops; + void *priv; + u32 capabilities; + u8 available_log_addrs; + u16 phys_addr; + bool needs_hpd; + bool is_configuring; + bool is_configured; + bool cec_pin_is_high; + u8 last_initiator; + u32 monitor_all_cnt; + u32 monitor_pin_cnt; + u32 follower_cnt; + struct cec_fh *cec_follower; + struct cec_fh *cec_initiator; + bool passthrough; + struct cec_log_addrs log_addrs; + struct cec_connector_info conn_info; + u32 tx_timeouts; + struct dentry *cec_dir; + struct dentry *status_file; + struct dentry *error_inj_file; + u16 phys_addrs[15]; + u32 sequence; + char input_phys[32]; +}; + +struct hdcp2_cert_rx { + u8 receiver_id[5]; + u8 kpub_rx[131]; + u8 reserved[2]; + u8 dcp_signature[384]; +}; + +struct hdcp2_streamid_type { + u8 stream_id; + u8 stream_type; +}; + +struct hdcp2_tx_caps { + u8 version; + u8 tx_cap_mask[2]; +}; + +struct hdcp2_ake_init { + u8 msg_id; + u8 r_tx[8]; + struct hdcp2_tx_caps tx_caps; +}; + +struct hdcp2_ake_send_cert { + u8 msg_id; + struct hdcp2_cert_rx cert_rx; + u8 r_rx[8]; + u8 rx_caps[3]; +}; + +struct hdcp2_ake_no_stored_km { + u8 msg_id; + u8 e_kpub_km[128]; +}; + +struct hdcp2_ake_send_hprime { + u8 msg_id; + u8 h_prime[32]; +}; + +struct hdcp2_ake_send_pairing_info { + u8 msg_id; + u8 e_kh_km[16]; +}; + +struct hdcp2_lc_init { + u8 msg_id; + u8 r_n[8]; +}; + +struct hdcp2_lc_send_lprime { + u8 msg_id; + u8 l_prime[32]; +}; + +struct hdcp2_ske_send_eks { + u8 msg_id; + u8 e_dkey_ks[16]; + u8 riv[8]; +}; + +struct hdcp2_rep_send_receiverid_list { + u8 msg_id; + u8 rx_info[2]; + u8 seq_num_v[3]; + u8 v_prime[16]; + u8 receiver_ids[155]; +}; + +struct hdcp2_rep_send_ack { + u8 msg_id; + u8 v[16]; +}; + +struct hdcp2_rep_stream_ready { + u8 msg_id; + u8 m_prime[32]; +}; + +enum hdcp_wired_protocol { + HDCP_PROTOCOL_INVALID = 0, + HDCP_PROTOCOL_HDMI = 1, + HDCP_PROTOCOL_DP = 2, +}; + +enum mei_fw_ddi { + MEI_DDI_INVALID_PORT = 0, + MEI_DDI_B = 1, + MEI_DDI_C = 2, + MEI_DDI_D = 3, + MEI_DDI_E = 4, + MEI_DDI_F = 5, + MEI_DDI_A = 7, + MEI_DDI_RANGE_END = 7, +}; + +enum mei_fw_tc { + MEI_INVALID_TRANSCODER = 0, + MEI_TRANSCODER_EDP = 1, + MEI_TRANSCODER_DSI0 = 2, + MEI_TRANSCODER_DSI1 = 3, + MEI_TRANSCODER_A = 16, + MEI_TRANSCODER_B = 17, + MEI_TRANSCODER_C = 18, + MEI_TRANSCODER_D = 19, +}; + +struct hdcp_port_data { + enum mei_fw_ddi fw_ddi; + enum mei_fw_tc fw_tc; + u8 port_type; + u8 protocol; + u16 k; + u32 seq_num_m; + struct hdcp2_streamid_type *streams; +}; + +struct i915_hdcp_component_ops { + struct module *owner; + int (*initiate_hdcp2_session)(struct device *, struct hdcp_port_data *, struct hdcp2_ake_init *); + int (*verify_receiver_cert_prepare_km)(struct device *, struct hdcp_port_data *, struct hdcp2_ake_send_cert *, bool *, struct hdcp2_ake_no_stored_km *, size_t *); + int (*verify_hprime)(struct device *, struct hdcp_port_data *, struct hdcp2_ake_send_hprime *); + int (*store_pairing_info)(struct device *, struct hdcp_port_data *, struct hdcp2_ake_send_pairing_info *); + int (*initiate_locality_check)(struct device *, struct hdcp_port_data *, struct hdcp2_lc_init *); + int (*verify_lprime)(struct device *, struct hdcp_port_data *, struct hdcp2_lc_send_lprime *); + int (*get_session_key)(struct device *, struct hdcp_port_data *, struct hdcp2_ske_send_eks *); + int (*repeater_check_flow_prepare_ack)(struct device *, struct hdcp_port_data *, struct hdcp2_rep_send_receiverid_list *, struct hdcp2_rep_send_ack *); + int (*verify_mprime)(struct device *, struct hdcp_port_data *, struct hdcp2_rep_stream_ready *); + int (*enable_hdcp_authentication)(struct device *, struct hdcp_port_data *); + int (*close_hdcp_session)(struct device *, struct hdcp_port_data *); +}; + +struct i915_hdcp_comp_master { + struct device *mei_dev; + const struct i915_hdcp_component_ops *ops; + struct mutex mutex; +}; + +struct cec_msg { + __u64 tx_ts; + __u64 rx_ts; + __u32 len; + __u32 timeout; + __u32 sequence; + __u32 flags; + __u8 msg[16]; + __u8 reply; + __u8 rx_status; + __u8 tx_status; + __u8 tx_arb_lost_cnt; + __u8 tx_nack_cnt; + __u8 tx_low_drive_cnt; + __u8 tx_error_cnt; +}; + +struct cec_event_state_change { + __u16 phys_addr; + __u16 log_addr_mask; + __u16 have_conn_info; +}; + +struct cec_event_lost_msgs { + __u32 lost_msgs; +}; + +struct cec_event { + __u64 ts; + __u32 event; + __u32 flags; + union { + struct cec_event_state_change state_change; + struct cec_event_lost_msgs lost_msgs; + __u32 raw[16]; + }; +}; + +enum rc_proto { + RC_PROTO_UNKNOWN = 0, + RC_PROTO_OTHER = 1, + RC_PROTO_RC5 = 2, + RC_PROTO_RC5X_20 = 3, + RC_PROTO_RC5_SZ = 4, + RC_PROTO_JVC = 5, + RC_PROTO_SONY12 = 6, + RC_PROTO_SONY15 = 7, + RC_PROTO_SONY20 = 8, + RC_PROTO_NEC = 9, + RC_PROTO_NECX = 10, + RC_PROTO_NEC32 = 11, + RC_PROTO_SANYO = 12, + RC_PROTO_MCIR2_KBD = 13, + RC_PROTO_MCIR2_MSE = 14, + RC_PROTO_RC6_0 = 15, + RC_PROTO_RC6_6A_20 = 16, + RC_PROTO_RC6_6A_24 = 17, + RC_PROTO_RC6_6A_32 = 18, + RC_PROTO_RC6_MCE = 19, + RC_PROTO_SHARP = 20, + RC_PROTO_XMP = 21, + RC_PROTO_CEC = 22, + RC_PROTO_IMON = 23, + RC_PROTO_RCMM12 = 24, + RC_PROTO_RCMM24 = 25, + RC_PROTO_RCMM32 = 26, + RC_PROTO_XBOX_DVD = 27, +}; + +struct rc_map_table { + u32 scancode; + u32 keycode; +}; + +struct rc_map { + struct rc_map_table *scan; + unsigned int size; + unsigned int len; + unsigned int alloc; + enum rc_proto rc_proto; + const char *name; + spinlock_t lock; +}; + +enum rc_driver_type { + RC_DRIVER_SCANCODE = 0, + RC_DRIVER_IR_RAW = 1, + RC_DRIVER_IR_RAW_TX = 2, +}; + +struct rc_scancode_filter { + u32 data; + u32 mask; +}; + +struct ir_raw_event_ctrl; + +struct rc_dev { + struct device dev; + bool managed_alloc; + const struct attribute_group *sysfs_groups[5]; + const char *device_name; + const char *input_phys; + struct input_id input_id; + const char *driver_name; + const char *map_name; + struct rc_map rc_map; + struct mutex lock; + unsigned int minor; + struct ir_raw_event_ctrl *raw; + struct input_dev *input_dev; + enum rc_driver_type driver_type; + bool idle; + bool encode_wakeup; + u64 allowed_protocols; + u64 enabled_protocols; + u64 allowed_wakeup_protocols; + enum rc_proto wakeup_protocol; + struct rc_scancode_filter scancode_filter; + struct rc_scancode_filter scancode_wakeup_filter; + u32 scancode_mask; + u32 users; + void *priv; + spinlock_t keylock; + bool keypressed; + long unsigned int keyup_jiffies; + struct timer_list timer_keyup; + struct timer_list timer_repeat; + u32 last_keycode; + enum rc_proto last_protocol; + u32 last_scancode; + u8 last_toggle; + u32 timeout; + u32 min_timeout; + u32 max_timeout; + u32 rx_resolution; + u32 tx_resolution; + bool registered; + int (*change_protocol)(struct rc_dev *, u64 *); + int (*open)(struct rc_dev *); + void (*close)(struct rc_dev *); + int (*s_tx_mask)(struct rc_dev *, u32); + int (*s_tx_carrier)(struct rc_dev *, u32); + int (*s_tx_duty_cycle)(struct rc_dev *, u32); + int (*s_rx_carrier_range)(struct rc_dev *, u32, u32); + int (*tx_ir)(struct rc_dev *, unsigned int *, unsigned int); + void (*s_idle)(struct rc_dev *, bool); + int (*s_learning_mode)(struct rc_dev *, int); + int (*s_carrier_report)(struct rc_dev *, int); + int (*s_filter)(struct rc_dev *, struct rc_scancode_filter *); + int (*s_wakeup_filter)(struct rc_dev *, struct rc_scancode_filter *); + int (*s_timeout)(struct rc_dev *, unsigned int); +}; + +struct cec_data { + struct list_head list; + struct list_head xfer_list; + struct cec_adapter *adap; + struct cec_msg msg; + struct cec_fh *fh; + struct delayed_work work; + struct completion c; + u8 attempts; + bool blocking; + bool completed; +}; + +struct cec_event_entry { + struct list_head list; + struct cec_event ev; +}; + +struct cec_fh { + struct list_head list; + struct list_head xfer_list; + struct cec_adapter *adap; + u8 mode_initiator; + u8 mode_follower; + wait_queue_head_t wait; + struct mutex lock; + struct list_head events[8]; + u16 queued_events[8]; + unsigned int total_queued_events; + struct cec_event_entry core_events[2]; + struct list_head msgs; + unsigned int queued_msgs; +}; + +struct cec_adap_ops { + int (*adap_enable)(struct cec_adapter *, bool); + int (*adap_monitor_all_enable)(struct cec_adapter *, bool); + int (*adap_monitor_pin_enable)(struct cec_adapter *, bool); + int (*adap_log_addr)(struct cec_adapter *, u8); + int (*adap_transmit)(struct cec_adapter *, u8, u32, struct cec_msg *); + void (*adap_status)(struct cec_adapter *, struct seq_file *); + void (*adap_free)(struct cec_adapter *); + int (*error_inj_show)(struct cec_adapter *, struct seq_file *); + bool (*error_inj_parse_line)(struct cec_adapter *, char *); + int (*received)(struct cec_adapter *, struct cec_msg *); +}; + +struct io_mapping { + resource_size_t base; + long unsigned int size; + pgprot_t prot; + void *iomem; +}; + +struct i2c_algo_bit_data { + void *data; + void (*setsda)(void *, int); + void (*setscl)(void *, int); + int (*getsda)(void *); + int (*getscl)(void *); + int (*pre_xfer)(struct i2c_adapter *); + void (*post_xfer)(struct i2c_adapter *); + int udelay; + int timeout; + bool can_do_atomic; +}; + +struct i915_params { + char *vbt_firmware; + int modeset; + int lvds_channel_mode; + int panel_use_ssc; + int vbt_sdvo_panel_type; + int enable_dc; + int enable_fbc; + int enable_psr; + int disable_power_well; + int enable_ips; + int invert_brightness; + int enable_guc; + int guc_log_level; + char *guc_firmware_path; + char *huc_firmware_path; + char *dmc_firmware_path; + int mmio_debug; + int edp_vswing; + int reset; + unsigned int inject_probe_failure; + int fastboot; + int enable_dpcd_backlight; + char *force_probe; + long unsigned int fake_lmem_start; + bool alpha_support; + bool enable_hangcheck; + bool prefault_disable; + bool load_detect_test; + bool force_reset_modeset_test; + bool error_capture; + bool disable_display; + bool verbose_state_checks; + bool nuclear_pageflip; + bool enable_dp_mst; + bool enable_gvt; +}; + +typedef struct { + u32 reg; +} i915_reg_t; + +enum intel_backlight_type { + INTEL_BACKLIGHT_PMIC = 0, + INTEL_BACKLIGHT_LPSS = 1, + INTEL_BACKLIGHT_DISPLAY_DDI = 2, + INTEL_BACKLIGHT_DSI_DCS = 3, + INTEL_BACKLIGHT_PANEL_DRIVER_INTERFACE = 4, + INTEL_BACKLIGHT_VESA_EDP_AUX_INTERFACE = 5, +}; + +struct edp_power_seq { + u16 t1_t3; + u16 t8; + u16 t9; + u16 t10; + u16 t11_t12; +}; + +enum mipi_seq { + MIPI_SEQ_END = 0, + MIPI_SEQ_DEASSERT_RESET = 1, + MIPI_SEQ_INIT_OTP = 2, + MIPI_SEQ_DISPLAY_ON = 3, + MIPI_SEQ_DISPLAY_OFF = 4, + MIPI_SEQ_ASSERT_RESET = 5, + MIPI_SEQ_BACKLIGHT_ON = 6, + MIPI_SEQ_BACKLIGHT_OFF = 7, + MIPI_SEQ_TEAR_ON = 8, + MIPI_SEQ_TEAR_OFF = 9, + MIPI_SEQ_POWER_ON = 10, + MIPI_SEQ_POWER_OFF = 11, + MIPI_SEQ_MAX = 12, +}; + +struct mipi_config { + u16 panel_id; + u32 enable_dithering: 1; + u32 rsvd1: 1; + u32 is_bridge: 1; + u32 panel_arch_type: 2; + u32 is_cmd_mode: 1; + u32 video_transfer_mode: 2; + u32 cabc_supported: 1; + u32 pwm_blc: 1; + u32 videomode_color_format: 4; + u32 rotation: 2; + u32 bta_enabled: 1; + u32 rsvd2: 15; + u16 dual_link: 2; + u16 lane_cnt: 2; + u16 pixel_overlap: 3; + u16 rgb_flip: 1; + u16 dl_dcs_cabc_ports: 2; + u16 dl_dcs_backlight_ports: 2; + u16 rsvd3: 4; + u16 rsvd4; + u8 rsvd5; + u32 target_burst_mode_freq; + u32 dsi_ddr_clk; + u32 bridge_ref_clk; + u8 byte_clk_sel: 2; + u8 rsvd6: 6; + u16 dphy_param_valid: 1; + u16 eot_pkt_disabled: 1; + u16 enable_clk_stop: 1; + u16 rsvd7: 13; + u32 hs_tx_timeout; + u32 lp_rx_timeout; + u32 turn_around_timeout; + u32 device_reset_timer; + u32 master_init_timer; + u32 dbi_bw_timer; + u32 lp_byte_clk_val; + u32 prepare_cnt: 6; + u32 rsvd8: 2; + u32 clk_zero_cnt: 8; + u32 trail_cnt: 5; + u32 rsvd9: 3; + u32 exit_zero_cnt: 6; + u32 rsvd10: 2; + u32 clk_lane_switch_cnt; + u32 hl_switch_cnt; + u32 rsvd11[6]; + u8 tclk_miss; + u8 tclk_post; + u8 rsvd12; + u8 tclk_pre; + u8 tclk_prepare; + u8 tclk_settle; + u8 tclk_term_enable; + u8 tclk_trail; + u16 tclk_prepare_clkzero; + u8 rsvd13; + u8 td_term_enable; + u8 teot; + u8 ths_exit; + u8 ths_prepare; + u16 ths_prepare_hszero; + u8 rsvd14; + u8 ths_settle; + u8 ths_skip; + u8 ths_trail; + u8 tinit; + u8 tlpx; + u8 rsvd15[3]; + u8 panel_enable; + u8 bl_enable; + u8 pwm_enable; + u8 reset_r_n; + u8 pwr_down_r; + u8 stdby_r_n; +} __attribute__((packed)); + +struct mipi_pps_data { + u16 panel_on_delay; + u16 bl_enable_delay; + u16 bl_disable_delay; + u16 panel_off_delay; + u16 panel_power_cycle_delay; +}; + +typedef depot_stack_handle_t intel_wakeref_t; + +struct intel_wakeref; + +struct intel_wakeref_ops { + int (*get)(struct intel_wakeref *); + int (*put)(struct intel_wakeref *); +}; + +struct intel_runtime_pm; + +struct intel_wakeref { + atomic_t count; + struct mutex mutex; + intel_wakeref_t wakeref; + struct intel_runtime_pm *rpm; + const struct intel_wakeref_ops *ops; + struct work_struct work; +}; + +struct intel_runtime_pm { + atomic_t wakeref_count; + struct device *kdev; + bool available; + bool suspended; + bool irqs_enabled; +}; + +struct intel_wakeref_auto { + struct intel_runtime_pm *rpm; + struct timer_list timer; + intel_wakeref_t wakeref; + spinlock_t lock; + refcount_t count; +}; + +enum i915_drm_suspend_mode { + I915_DRM_SUSPEND_IDLE = 0, + I915_DRM_SUSPEND_MEM = 1, + I915_DRM_SUSPEND_HIBERNATE = 2, +}; + +enum intel_display_power_domain { + POWER_DOMAIN_DISPLAY_CORE = 0, + POWER_DOMAIN_PIPE_A = 1, + POWER_DOMAIN_PIPE_B = 2, + POWER_DOMAIN_PIPE_C = 3, + POWER_DOMAIN_PIPE_D = 4, + POWER_DOMAIN_PIPE_A_PANEL_FITTER = 5, + POWER_DOMAIN_PIPE_B_PANEL_FITTER = 6, + POWER_DOMAIN_PIPE_C_PANEL_FITTER = 7, + POWER_DOMAIN_PIPE_D_PANEL_FITTER = 8, + POWER_DOMAIN_TRANSCODER_A = 9, + POWER_DOMAIN_TRANSCODER_B = 10, + POWER_DOMAIN_TRANSCODER_C = 11, + POWER_DOMAIN_TRANSCODER_D = 12, + POWER_DOMAIN_TRANSCODER_EDP = 13, + POWER_DOMAIN_TRANSCODER_VDSC_PW2 = 14, + POWER_DOMAIN_TRANSCODER_DSI_A = 15, + POWER_DOMAIN_TRANSCODER_DSI_C = 16, + POWER_DOMAIN_PORT_DDI_A_LANES = 17, + POWER_DOMAIN_PORT_DDI_B_LANES = 18, + POWER_DOMAIN_PORT_DDI_C_LANES = 19, + POWER_DOMAIN_PORT_DDI_D_LANES = 20, + POWER_DOMAIN_PORT_DDI_E_LANES = 21, + POWER_DOMAIN_PORT_DDI_F_LANES = 22, + POWER_DOMAIN_PORT_DDI_G_LANES = 23, + POWER_DOMAIN_PORT_DDI_H_LANES = 24, + POWER_DOMAIN_PORT_DDI_I_LANES = 25, + POWER_DOMAIN_PORT_DDI_A_IO = 26, + POWER_DOMAIN_PORT_DDI_B_IO = 27, + POWER_DOMAIN_PORT_DDI_C_IO = 28, + POWER_DOMAIN_PORT_DDI_D_IO = 29, + POWER_DOMAIN_PORT_DDI_E_IO = 30, + POWER_DOMAIN_PORT_DDI_F_IO = 31, + POWER_DOMAIN_PORT_DDI_G_IO = 32, + POWER_DOMAIN_PORT_DDI_H_IO = 33, + POWER_DOMAIN_PORT_DDI_I_IO = 34, + POWER_DOMAIN_PORT_DSI = 35, + POWER_DOMAIN_PORT_CRT = 36, + POWER_DOMAIN_PORT_OTHER = 37, + POWER_DOMAIN_VGA = 38, + POWER_DOMAIN_AUDIO = 39, + POWER_DOMAIN_AUX_A = 40, + POWER_DOMAIN_AUX_B = 41, + POWER_DOMAIN_AUX_C = 42, + POWER_DOMAIN_AUX_D = 43, + POWER_DOMAIN_AUX_E = 44, + POWER_DOMAIN_AUX_F = 45, + POWER_DOMAIN_AUX_G = 46, + POWER_DOMAIN_AUX_H = 47, + POWER_DOMAIN_AUX_I = 48, + POWER_DOMAIN_AUX_IO_A = 49, + POWER_DOMAIN_AUX_C_TBT = 50, + POWER_DOMAIN_AUX_D_TBT = 51, + POWER_DOMAIN_AUX_E_TBT = 52, + POWER_DOMAIN_AUX_F_TBT = 53, + POWER_DOMAIN_AUX_G_TBT = 54, + POWER_DOMAIN_AUX_H_TBT = 55, + POWER_DOMAIN_AUX_I_TBT = 56, + POWER_DOMAIN_GMBUS = 57, + POWER_DOMAIN_MODESET = 58, + POWER_DOMAIN_GT_IRQ = 59, + POWER_DOMAIN_DPLL_DC_OFF = 60, + POWER_DOMAIN_INIT = 61, + POWER_DOMAIN_NUM = 62, +}; + +enum i915_power_well_id { + DISP_PW_ID_NONE = 0, + VLV_DISP_PW_DISP2D = 1, + BXT_DISP_PW_DPIO_CMN_A = 2, + VLV_DISP_PW_DPIO_CMN_BC = 3, + GLK_DISP_PW_DPIO_CMN_C = 4, + CHV_DISP_PW_DPIO_CMN_D = 5, + HSW_DISP_PW_GLOBAL = 6, + SKL_DISP_PW_MISC_IO = 7, + SKL_DISP_PW_1 = 8, + SKL_DISP_PW_2 = 9, + SKL_DISP_DC_OFF = 10, +}; + +struct drm_i915_private; + +struct i915_power_well; + +struct i915_power_well_ops { + void (*sync_hw)(struct drm_i915_private *, struct i915_power_well *); + void (*enable)(struct drm_i915_private *, struct i915_power_well *); + void (*disable)(struct drm_i915_private *, struct i915_power_well *); + bool (*is_enabled)(struct drm_i915_private *, struct i915_power_well *); +}; + +typedef u8 intel_engine_mask_t; + +enum intel_platform { + INTEL_PLATFORM_UNINITIALIZED = 0, + INTEL_I830 = 1, + INTEL_I845G = 2, + INTEL_I85X = 3, + INTEL_I865G = 4, + INTEL_I915G = 5, + INTEL_I915GM = 6, + INTEL_I945G = 7, + INTEL_I945GM = 8, + INTEL_G33 = 9, + INTEL_PINEVIEW = 10, + INTEL_I965G = 11, + INTEL_I965GM = 12, + INTEL_G45 = 13, + INTEL_GM45 = 14, + INTEL_IRONLAKE = 15, + INTEL_SANDYBRIDGE = 16, + INTEL_IVYBRIDGE = 17, + INTEL_VALLEYVIEW = 18, + INTEL_HASWELL = 19, + INTEL_BROADWELL = 20, + INTEL_CHERRYVIEW = 21, + INTEL_SKYLAKE = 22, + INTEL_BROXTON = 23, + INTEL_KABYLAKE = 24, + INTEL_GEMINILAKE = 25, + INTEL_COFFEELAKE = 26, + INTEL_CANNONLAKE = 27, + INTEL_ICELAKE = 28, + INTEL_ELKHARTLAKE = 29, + INTEL_TIGERLAKE = 30, + INTEL_MAX_PLATFORMS = 31, +}; + +enum intel_ppgtt_type { + INTEL_PPGTT_NONE = 0, + INTEL_PPGTT_ALIASING = 1, + INTEL_PPGTT_FULL = 2, +}; + +struct color_luts { + u32 degamma_lut_size; + u32 gamma_lut_size; + u32 degamma_lut_tests; + u32 gamma_lut_tests; +}; + +struct intel_device_info { + u16 gen_mask; + u8 gen; + u8 gt; + intel_engine_mask_t engine_mask; + enum intel_platform platform; + enum intel_ppgtt_type ppgtt_type; + unsigned int ppgtt_size; + unsigned int page_sizes; + u32 memory_regions; + u32 display_mmio_offset; + u8 pipe_mask; + u8 is_mobile: 1; + u8 is_lp: 1; + u8 require_force_probe: 1; + u8 is_dgfx: 1; + u8 has_64bit_reloc: 1; + u8 gpu_reset_clobbers_display: 1; + u8 has_reset_engine: 1; + u8 has_fpga_dbg: 1; + u8 has_global_mocs: 1; + u8 has_gt_uc: 1; + u8 has_l3_dpf: 1; + u8 has_llc: 1; + u8 has_logical_ring_contexts: 1; + u8 has_logical_ring_elsq: 1; + u8 has_logical_ring_preemption: 1; + u8 has_pooled_eu: 1; + u8 has_rc6: 1; + u8 has_rc6p: 1; + u8 has_rps: 1; + u8 has_runtime_pm: 1; + u8 has_snoop: 1; + u8 has_coherent_ggtt: 1; + u8 unfenced_needs_alignment: 1; + u8 hws_needs_physical: 1; + struct { + u8 cursor_needs_physical: 1; + u8 has_csr: 1; + u8 has_ddi: 1; + u8 has_dp_mst: 1; + u8 has_dsb: 1; + u8 has_dsc: 1; + u8 has_fbc: 1; + u8 has_gmch: 1; + u8 has_hdcp: 1; + u8 has_hotplug: 1; + u8 has_ipc: 1; + u8 has_modular_fia: 1; + u8 has_overlay: 1; + u8 has_psr: 1; + u8 overlay_needs_physical: 1; + u8 supports_tv: 1; + } display; + u16 ddb_size; + int pipe_offsets[7]; + int trans_offsets[7]; + int cursor_offsets[4]; + struct color_luts color; +}; + +struct sseu_dev_info { + u8 slice_mask; + u8 subslice_mask[6]; + u8 eu_mask[96]; + u16 eu_total; + u8 eu_per_subslice; + u8 min_eu_in_pool; + u8 subslice_7eu[3]; + u8 has_slice_pg: 1; + u8 has_subslice_pg: 1; + u8 has_eu_pg: 1; + u8 max_slices; + u8 max_subslices; + u8 max_eus_per_subslice; + u8 ss_stride; + u8 eu_stride; +}; + +struct intel_runtime_info { + u32 platform_mask[2]; + u16 device_id; + u8 num_sprites[4]; + u8 num_scalers[4]; + u8 num_engines; + struct sseu_dev_info sseu; + u32 cs_timestamp_frequency_khz; + u8 vdbox_sfc_access; +}; + +struct intel_driver_caps { + unsigned int scheduler; + bool has_logical_contexts: 1; +}; + +enum forcewake_domains { + FORCEWAKE_RENDER = 1, + FORCEWAKE_BLITTER = 2, + FORCEWAKE_MEDIA = 4, + FORCEWAKE_MEDIA_VDBOX0 = 8, + FORCEWAKE_MEDIA_VDBOX1 = 16, + FORCEWAKE_MEDIA_VDBOX2 = 32, + FORCEWAKE_MEDIA_VDBOX3 = 64, + FORCEWAKE_MEDIA_VEBOX0 = 128, + FORCEWAKE_MEDIA_VEBOX1 = 256, + FORCEWAKE_ALL = 511, +}; + +struct intel_uncore; + +struct intel_uncore_funcs { + void (*force_wake_get)(struct intel_uncore *, enum forcewake_domains); + void (*force_wake_put)(struct intel_uncore *, enum forcewake_domains); + enum forcewake_domains (*read_fw_domains)(struct intel_uncore *, i915_reg_t); + enum forcewake_domains (*write_fw_domains)(struct intel_uncore *, i915_reg_t); + u8 (*mmio_readb)(struct intel_uncore *, i915_reg_t, bool); + u16 (*mmio_readw)(struct intel_uncore *, i915_reg_t, bool); + u32 (*mmio_readl)(struct intel_uncore *, i915_reg_t, bool); + u64 (*mmio_readq)(struct intel_uncore *, i915_reg_t, bool); + void (*mmio_writeb)(struct intel_uncore *, i915_reg_t, u8, bool); + void (*mmio_writew)(struct intel_uncore *, i915_reg_t, u16, bool); + void (*mmio_writel)(struct intel_uncore *, i915_reg_t, u32, bool); +}; + +struct intel_forcewake_range; + +struct intel_uncore_forcewake_domain; + +struct intel_uncore_mmio_debug; + +struct intel_uncore { + void *regs; + struct drm_i915_private *i915; + struct intel_runtime_pm *rpm; + spinlock_t lock; + unsigned int flags; + const struct intel_forcewake_range *fw_domains_table; + unsigned int fw_domains_table_entries; + struct notifier_block pmic_bus_access_nb; + struct intel_uncore_funcs funcs; + unsigned int fifo_count; + enum forcewake_domains fw_domains; + enum forcewake_domains fw_domains_active; + enum forcewake_domains fw_domains_timer; + enum forcewake_domains fw_domains_saved; + struct intel_uncore_forcewake_domain *fw_domain[9]; + unsigned int user_forcewake_count; + struct intel_uncore_mmio_debug *debug; +}; + +struct intel_uncore_mmio_debug { + spinlock_t lock; + int unclaimed_mmio_check; + int saved_mmio_check; + u32 suspend_count; +}; + +struct i915_virtual_gpu { + struct mutex lock; + bool active; + u32 caps; +}; + +struct intel_gvt; + +struct intel_wopcm { + u32 size; + struct { + u32 base; + u32 size; + } guc; +}; + +struct intel_csr { + struct work_struct work; + const char *fw_path; + u32 required_version; + u32 max_fw_size; + u32 *dmc_payload; + u32 dmc_fw_size; + u32 version; + u32 mmio_count; + i915_reg_t mmioaddr[20]; + u32 mmiodata[20]; + u32 dc_state; + u32 target_dc_state; + u32 allowed_dc_mask; + intel_wakeref_t wakeref; +}; + +struct intel_gmbus { + struct i2c_adapter adapter; + u32 force_bit; + u32 reg0; + i915_reg_t gpio_reg; + struct i2c_algo_bit_data bit_algo; + struct drm_i915_private *dev_priv; +}; + +struct i915_hotplug { + struct delayed_work hotplug_work; + struct { + long unsigned int last_jiffies; + int count; + enum { + HPD_ENABLED = 0, + HPD_DISABLED = 1, + HPD_MARK_DISABLED = 2, + } state; + } stats[13]; + u32 event_bits; + u32 retry_bits; + struct delayed_work reenable_work; + u32 long_port_mask; + u32 short_port_mask; + struct work_struct dig_port_work; + struct work_struct poll_init_work; + bool poll_enabled; + unsigned int hpd_storm_threshold; + u8 hpd_short_storm_enabled; + struct workqueue_struct *dp_wq; +}; + +struct i915_vma; + +struct intel_fbc_state_cache { + struct i915_vma *vma; + long unsigned int flags; + struct { + unsigned int mode_flags; + u32 hsw_bdw_pixel_rate; + } crtc; + struct { + unsigned int rotation; + int src_w; + int src_h; + bool visible; + int adjusted_x; + int adjusted_y; + int y; + u16 pixel_blend_mode; + } plane; + struct { + const struct drm_format_info *format; + unsigned int stride; + } fb; +}; + +struct intel_fbc_reg_params { + struct i915_vma *vma; + long unsigned int flags; + struct { + enum pipe pipe; + enum i9xx_plane_id i9xx_plane; + unsigned int fence_y_offset; + } crtc; + struct { + const struct drm_format_info *format; + unsigned int stride; + } fb; + int cfb_size; + unsigned int gen9_wa_cfb_stride; +}; + +struct intel_crtc; + +struct intel_fbc { + struct mutex lock; + unsigned int threshold; + unsigned int possible_framebuffer_bits; + unsigned int busy_bits; + unsigned int visible_pipes_mask; + struct intel_crtc *crtc; + struct drm_mm_node compressed_fb; + struct drm_mm_node *compressed_llb; + bool false_color; + bool enabled; + bool active; + bool flip_pending; + bool underrun_detected; + struct work_struct underrun_work; + struct intel_fbc_state_cache state_cache; + struct intel_fbc_reg_params params; + const char *no_fbc_reason; +}; + +enum drrs_refresh_rate_type { + DRRS_HIGH_RR = 0, + DRRS_LOW_RR = 1, + DRRS_MAX_RR = 2, +}; + +enum drrs_support_type { + DRRS_NOT_SUPPORTED = 0, + STATIC_DRRS_SUPPORT = 1, + SEAMLESS_DRRS_SUPPORT = 2, +}; + +struct intel_dp; + +struct i915_drrs { + struct mutex mutex; + struct delayed_work work; + struct intel_dp *dp; + unsigned int busy_frontbuffer_bits; + enum drrs_refresh_rate_type refresh_rate_type; + enum drrs_support_type type; +}; + +struct opregion_header; + +struct opregion_acpi; + +struct opregion_swsci; + +struct opregion_asle; + +struct intel_opregion { + struct opregion_header *header; + struct opregion_acpi *acpi; + struct opregion_swsci *swsci; + u32 swsci_gbda_sub_functions; + u32 swsci_sbcb_sub_functions; + struct opregion_asle *asle; + void *rvda; + void *vbt_firmware; + const void *vbt; + u32 vbt_size; + u32 *lid_state; + struct work_struct asle_work; + struct notifier_block acpi_notifier; +}; + +enum psr_lines_to_wait { + PSR_0_LINES_TO_WAIT = 0, + PSR_1_LINE_TO_WAIT = 1, + PSR_4_LINES_TO_WAIT = 2, + PSR_8_LINES_TO_WAIT = 3, +}; + +struct child_device_config; + +struct ddi_vbt_port_info { + const struct child_device_config *child; + int max_tmds_clock; + u8 hdmi_level_shift; + u8 supports_dvi: 1; + u8 supports_hdmi: 1; + u8 supports_dp: 1; + u8 supports_edp: 1; + u8 supports_typec_usb: 1; + u8 supports_tbt: 1; + u8 alternate_aux_channel; + u8 alternate_ddc_pin; + u8 dp_boost_level; + u8 hdmi_boost_level; + int dp_max_link_rate; +}; + +struct sdvo_device_mapping { + u8 initialized; + u8 dvo_port; + u8 slave_addr; + u8 dvo_wiring; + u8 i2c_pin; + u8 ddc_pin; +}; + +struct intel_vbt_data { + struct drm_display_mode *lfp_lvds_vbt_mode; + struct drm_display_mode *sdvo_lvds_vbt_mode; + unsigned int int_tv_support: 1; + unsigned int lvds_dither: 1; + unsigned int int_crt_support: 1; + unsigned int lvds_use_ssc: 1; + unsigned int int_lvds_support: 1; + unsigned int display_clock_mode: 1; + unsigned int fdi_rx_polarity_inverted: 1; + unsigned int panel_type: 4; + int lvds_ssc_freq; + unsigned int bios_lvds_val; + enum drm_panel_orientation orientation; + enum drrs_support_type drrs_type; + struct { + int rate; + int lanes; + int preemphasis; + int vswing; + bool low_vswing; + bool initialized; + int bpp; + struct edp_power_seq pps; + } edp; + struct { + bool enable; + bool full_link; + bool require_aux_wakeup; + int idle_frames; + enum psr_lines_to_wait lines_to_wait; + int tp1_wakeup_time_us; + int tp2_tp3_wakeup_time_us; + int psr2_tp2_tp3_wakeup_time_us; + } psr; + struct { + u16 pwm_freq_hz; + bool present; + bool active_low_pwm; + u8 min_brightness; + u8 controller; + enum intel_backlight_type type; + } backlight; + struct { + u16 panel_id; + struct mipi_config *config; + struct mipi_pps_data *pps; + u16 bl_ports; + u16 cabc_ports; + u8 seq_version; + u32 size; + u8 *data; + const u8 *sequence[12]; + u8 *deassert_seq; + enum drm_panel_orientation orientation; + } dsi; + int crt_ddc_pin; + int child_dev_num; + struct child_device_config *child_dev; + struct ddi_vbt_port_info ddi_port_info[9]; + struct sdvo_device_mapping sdvo_mappings[2]; +}; + +struct intel_cdclk_state { + unsigned int cdclk; + unsigned int vco; + unsigned int ref; + unsigned int bypass; + u8 voltage_level; +}; + +struct intel_crtc_state; + +struct intel_atomic_state; + +struct intel_initial_plane_config; + +struct intel_encoder; + +struct drm_i915_display_funcs { + void (*get_cdclk)(struct drm_i915_private *, struct intel_cdclk_state *); + void (*set_cdclk)(struct drm_i915_private *, const struct intel_cdclk_state *, enum pipe); + int (*get_fifo_size)(struct drm_i915_private *, enum i9xx_plane_id); + int (*compute_pipe_wm)(struct intel_crtc_state *); + int (*compute_intermediate_wm)(struct intel_crtc_state *); + void (*initial_watermarks)(struct intel_atomic_state *, struct intel_crtc_state *); + void (*atomic_update_watermarks)(struct intel_atomic_state *, struct intel_crtc_state *); + void (*optimize_watermarks)(struct intel_atomic_state *, struct intel_crtc_state *); + int (*compute_global_watermarks)(struct intel_atomic_state *); + void (*update_wm)(struct intel_crtc *); + int (*modeset_calc_cdclk)(struct intel_atomic_state *); + u8 (*calc_voltage_level)(int); + bool (*get_pipe_config)(struct intel_crtc *, struct intel_crtc_state *); + void (*get_initial_plane_config)(struct intel_crtc *, struct intel_initial_plane_config *); + int (*crtc_compute_clock)(struct intel_crtc *, struct intel_crtc_state *); + void (*crtc_enable)(struct intel_crtc_state *, struct intel_atomic_state *); + void (*crtc_disable)(struct intel_crtc_state *, struct intel_atomic_state *); + void (*commit_modeset_enables)(struct intel_atomic_state *); + void (*commit_modeset_disables)(struct intel_atomic_state *); + void (*audio_codec_enable)(struct intel_encoder *, const struct intel_crtc_state *, const struct drm_connector_state *); + void (*audio_codec_disable)(struct intel_encoder *, const struct intel_crtc_state *, const struct drm_connector_state *); + void (*fdi_link_train)(struct intel_crtc *, const struct intel_crtc_state *); + void (*init_clock_gating)(struct drm_i915_private *); + void (*hpd_irq_setup)(struct drm_i915_private *); + int (*color_check)(struct intel_crtc_state *); + void (*color_commit)(const struct intel_crtc_state *); + void (*load_luts)(const struct intel_crtc_state *); + void (*read_luts)(struct intel_crtc_state *); +}; + +enum intel_pch { + PCH_NOP = -1, + PCH_NONE = 0, + PCH_IBX = 1, + PCH_CPT = 2, + PCH_LPT = 3, + PCH_SPT = 4, + PCH_CNP = 5, + PCH_ICP = 6, + PCH_JSP = 7, + PCH_MCC = 8, + PCH_TGP = 9, +}; + +struct i915_page_dma { + struct page *page; + union { + dma_addr_t daddr; + u32 ggtt_offset; + }; +}; + +struct i915_page_scratch { + struct i915_page_dma base; + u64 encode; +}; + +struct pagestash { + spinlock_t lock; + struct pagevec pvec; +}; + +enum i915_cache_level { + I915_CACHE_NONE = 0, + I915_CACHE_LLC = 1, + I915_CACHE_L3_LLC = 2, + I915_CACHE_WT = 3, +}; + +struct i915_vma_ops { + int (*bind_vma)(struct i915_vma *, enum i915_cache_level, u32); + void (*unbind_vma)(struct i915_vma *); + int (*set_pages)(struct i915_vma *); + void (*clear_pages)(struct i915_vma *); +}; + +struct intel_gt; + +struct drm_i915_file_private; + +struct i915_address_space { + struct kref ref; + struct rcu_work rcu; + struct drm_mm mm; + struct intel_gt *gt; + struct drm_i915_private *i915; + struct device *dma; + struct drm_i915_file_private *file; + u64 total; + u64 reserved; + unsigned int bind_async_flags; + atomic_t open; + struct mutex mutex; + struct i915_page_scratch scratch[4]; + unsigned int scratch_order; + unsigned int top; + struct list_head bound_list; + struct pagestash free_pages; + bool is_ggtt: 1; + bool pt_kmap_wc: 1; + bool has_read_only: 1; + u64 (*pte_encode)(dma_addr_t, enum i915_cache_level, u32); + int (*allocate_va_range)(struct i915_address_space *, u64, u64); + void (*clear_range)(struct i915_address_space *, u64, u64); + void (*insert_page)(struct i915_address_space *, dma_addr_t, u64, enum i915_cache_level, u32); + void (*insert_entries)(struct i915_address_space *, struct i915_vma *, enum i915_cache_level, u32); + void (*cleanup)(struct i915_address_space *); + struct i915_vma_ops vma_ops; +}; + +struct i915_ggtt; + +struct i915_fence_reg { + struct list_head link; + struct i915_ggtt *ggtt; + struct i915_vma *vma; + atomic_t pin_count; + int id; + bool dirty; +}; + +struct i915_ppgtt; + +struct i915_ggtt { + struct i915_address_space vm; + struct io_mapping iomap; + struct resource gmadr; + resource_size_t mappable_end; + void *gsm; + void (*invalidate)(struct i915_ggtt *); + struct i915_ppgtt *alias; + bool do_idle_maps; + int mtrr; + u32 bit_6_swizzle_x; + u32 bit_6_swizzle_y; + u32 pin_bias; + unsigned int num_fences; + struct i915_fence_reg fence_regs[32]; + struct list_head fence_list; + struct list_head userfault_list; + struct intel_wakeref_auto userfault_wakeref; + struct drm_mm_node error_capture; + struct drm_mm_node uc_fw; +}; + +struct intel_memory_region; + +struct i915_gem_mm { + struct drm_mm stolen; + struct mutex stolen_lock; + spinlock_t obj_lock; + struct list_head purge_list; + struct list_head shrink_list; + struct llist_head free_list; + struct work_struct free_work; + atomic_t free_count; + struct pagestash wc_stash; + struct vfsmount *gemfs; + struct intel_memory_region *regions[3]; + struct notifier_block oom_notifier; + struct notifier_block vmap_notifier; + struct shrinker shrinker; + struct workqueue_struct *userptr_wq; + u64 shrink_memory; + u32 shrink_count; +}; + +enum intel_pipe_crc_source { + INTEL_PIPE_CRC_SOURCE_NONE = 0, + INTEL_PIPE_CRC_SOURCE_PLANE1 = 1, + INTEL_PIPE_CRC_SOURCE_PLANE2 = 2, + INTEL_PIPE_CRC_SOURCE_PLANE3 = 3, + INTEL_PIPE_CRC_SOURCE_PLANE4 = 4, + INTEL_PIPE_CRC_SOURCE_PLANE5 = 5, + INTEL_PIPE_CRC_SOURCE_PLANE6 = 6, + INTEL_PIPE_CRC_SOURCE_PLANE7 = 7, + INTEL_PIPE_CRC_SOURCE_PIPE = 8, + INTEL_PIPE_CRC_SOURCE_TV = 9, + INTEL_PIPE_CRC_SOURCE_DP_B = 10, + INTEL_PIPE_CRC_SOURCE_DP_C = 11, + INTEL_PIPE_CRC_SOURCE_DP_D = 12, + INTEL_PIPE_CRC_SOURCE_AUTO = 13, + INTEL_PIPE_CRC_SOURCE_MAX = 14, +}; + +struct intel_pipe_crc { + spinlock_t lock; + int skipped; + enum intel_pipe_crc_source source; +}; + +struct intel_dpll_hw_state { + u32 dpll; + u32 dpll_md; + u32 fp0; + u32 fp1; + u32 wrpll; + u32 spll; + u32 ctrl1; + u32 cfgcr1; + u32 cfgcr2; + u32 cfgcr0; + u32 ebb0; + u32 ebb4; + u32 pll0; + u32 pll1; + u32 pll2; + u32 pll3; + u32 pll6; + u32 pll8; + u32 pll9; + u32 pll10; + u32 pcsdw12; + u32 mg_refclkin_ctl; + u32 mg_clktop2_coreclkctl1; + u32 mg_clktop2_hsclkctl; + u32 mg_pll_div0; + u32 mg_pll_div1; + u32 mg_pll_lf; + u32 mg_pll_frac_lock; + u32 mg_pll_ssc; + u32 mg_pll_bias; + u32 mg_pll_tdc_coldst_bias; + u32 mg_pll_bias_mask; + u32 mg_pll_tdc_coldst_bias_mask; +}; + +struct intel_shared_dpll_state { + unsigned int crtc_mask; + struct intel_dpll_hw_state hw_state; +}; + +struct dpll_info; + +struct intel_shared_dpll { + struct intel_shared_dpll_state state; + unsigned int active_mask; + bool on; + const struct dpll_info *info; + intel_wakeref_t wakeref; +}; + +struct i915_wa; + +struct i915_wa_list { + const char *name; + const char *engine_name; + struct i915_wa *list; + unsigned int count; + unsigned int wa_count; +}; + +struct i915_frontbuffer_tracking { + spinlock_t lock; + unsigned int busy_bits; + unsigned int flip_bits; +}; + +struct intel_atomic_helper { + struct llist_head free_list; + struct work_struct free_work; +}; + +struct intel_l3_parity { + u32 *remap_info[2]; + struct work_struct error_work; + int which_slice; +}; + +struct i915_power_domains { + bool initializing; + bool display_core_suspended; + int power_well_count; + intel_wakeref_t wakeref; + struct mutex lock; + int domain_use_count[62]; + struct delayed_work async_put_work; + intel_wakeref_t async_put_wakeref; + u64 async_put_domains[2]; + struct i915_power_well *power_wells; +}; + +struct i915_psr { + struct mutex lock; + u32 debug; + bool sink_support; + bool enabled; + struct intel_dp *dp; + enum pipe pipe; + enum transcoder transcoder; + bool active; + struct work_struct work; + unsigned int busy_frontbuffer_bits; + bool sink_psr2_support; + bool link_standby; + bool colorimetry_support; + bool psr2_enabled; + u8 sink_sync_latency; + ktime_t last_entry_attempt; + ktime_t last_exit; + bool sink_not_reliable; + bool irq_aux_error; + u16 su_x_granularity; + bool dc3co_enabled; + u32 dc3co_exit_delay; + struct delayed_work idle_work; +}; + +struct i915_gpu_state; + +struct i915_gpu_error { + spinlock_t lock; + struct i915_gpu_state *first_error; + atomic_t pending_fb_pin; + atomic_t reset_count; + atomic_t reset_engine_count[8]; +}; + +struct i915_suspend_saved_registers { + u32 saveDSPARB; + u32 saveFBC_CONTROL; + u32 saveCACHE_MODE_0; + u32 saveMI_ARB_STATE; + u32 saveSWF0[16]; + u32 saveSWF1[16]; + u32 saveSWF3[3]; + u64 saveFENCE[32]; + u32 savePCH_PORT_HOTPLUG; + u16 saveGCDGMBUS; +}; + +enum intel_ddb_partitioning { + INTEL_DDB_PART_1_2 = 0, + INTEL_DDB_PART_5_6 = 1, +}; + +struct ilk_wm_values { + u32 wm_pipe[3]; + u32 wm_lp[3]; + u32 wm_lp_spr[3]; + u32 wm_linetime[3]; + bool enable_fbc_wm; + enum intel_ddb_partitioning partitioning; +}; + +struct skl_ddb_allocation { + u8 enabled_slices; +}; + +struct skl_ddb_values { + unsigned int dirty_pipes; + struct skl_ddb_allocation ddb; +}; + +struct g4x_pipe_wm { + u16 plane[8]; + u16 fbc; +}; + +struct g4x_sr_wm { + u16 plane; + u16 cursor; + u16 fbc; +}; + +struct vlv_wm_ddl_values { + u8 plane[8]; +}; + +struct vlv_wm_values { + struct g4x_pipe_wm pipe[3]; + struct g4x_sr_wm sr; + struct vlv_wm_ddl_values ddl[3]; + u8 level; + bool cxsr; +}; + +struct g4x_wm_values { + struct g4x_pipe_wm pipe[2]; + struct g4x_sr_wm sr; + struct g4x_sr_wm hpll; + bool cxsr; + bool hpll_en; + bool fbc_en; +}; + +enum intel_dram_type { + INTEL_DRAM_UNKNOWN = 0, + INTEL_DRAM_DDR3 = 1, + INTEL_DRAM_DDR4 = 2, + INTEL_DRAM_LPDDR3 = 3, + INTEL_DRAM_LPDDR4 = 4, +}; + +struct dram_info { + bool valid; + bool is_16gb_dimm; + u8 num_channels; + u8 ranks; + u32 bandwidth_kbps; + bool symmetric_memory; + enum intel_dram_type type; +}; + +struct intel_bw_info { + unsigned int deratedbw[3]; + u8 num_qgv_points; + u8 num_planes; +}; + +struct i915_perf; + +struct i915_oa_reg; + +struct i915_oa_config { + struct i915_perf *perf; + char uuid[37]; + int id; + const struct i915_oa_reg *mux_regs; + u32 mux_regs_len; + const struct i915_oa_reg *b_counter_regs; + u32 b_counter_regs_len; + const struct i915_oa_reg *flex_regs; + u32 flex_regs_len; + struct attribute_group sysfs_metric; + struct attribute *attrs[2]; + struct device_attribute sysfs_metric_id; + struct kref ref; + struct callback_head rcu; +}; + +struct i915_perf_stream; + +struct i915_oa_ops { + bool (*is_valid_b_counter_reg)(struct i915_perf *, u32); + bool (*is_valid_mux_reg)(struct i915_perf *, u32); + bool (*is_valid_flex_reg)(struct i915_perf *, u32); + int (*enable_metric_set)(struct i915_perf_stream *); + void (*disable_metric_set)(struct i915_perf_stream *); + void (*oa_enable)(struct i915_perf_stream *); + void (*oa_disable)(struct i915_perf_stream *); + int (*read)(struct i915_perf_stream *, char *, size_t, size_t *); + u32 (*oa_hw_tail_read)(struct i915_perf_stream *); +}; + +struct i915_oa_format; + +struct i915_perf { + struct drm_i915_private *i915; + struct kobject *metrics_kobj; + struct ctl_table_header *sysctl_header; + struct mutex metrics_lock; + struct idr metrics_idr; + struct mutex lock; + struct i915_perf_stream *exclusive_stream; + struct ratelimit_state spurious_report_rs; + struct i915_oa_config test_config; + u32 gen7_latched_oastatus1; + u32 ctx_oactxctrl_offset; + u32 ctx_flexeu0_offset; + u32 gen8_valid_ctx_bit; + struct i915_oa_ops ops; + const struct i915_oa_format *oa_formats; + atomic64_t noa_programming_delay; +}; + +enum intel_uc_fw_type { + INTEL_UC_FW_TYPE_GUC = 0, + INTEL_UC_FW_TYPE_HUC = 1, +}; + +enum intel_uc_fw_status { + INTEL_UC_FIRMWARE_NOT_SUPPORTED = -1, + INTEL_UC_FIRMWARE_UNINITIALIZED = 0, + INTEL_UC_FIRMWARE_DISABLED = 1, + INTEL_UC_FIRMWARE_SELECTED = 2, + INTEL_UC_FIRMWARE_MISSING = 3, + INTEL_UC_FIRMWARE_ERROR = 4, + INTEL_UC_FIRMWARE_AVAILABLE = 5, + INTEL_UC_FIRMWARE_FAIL = 6, + INTEL_UC_FIRMWARE_TRANSFERRED = 7, + INTEL_UC_FIRMWARE_RUNNING = 8, +}; + +struct drm_i915_gem_object; + +struct intel_uc_fw { + enum intel_uc_fw_type type; + union { + const enum intel_uc_fw_status status; + enum intel_uc_fw_status __status; + }; + const char *path; + bool user_overridden; + size_t size; + struct drm_i915_gem_object *obj; + u16 major_ver_wanted; + u16 minor_ver_wanted; + u16 major_ver_found; + u16 minor_ver_found; + u32 rsa_size; + u32 ucode_size; +}; + +struct intel_guc_log { + u32 level; + struct i915_vma *vma; + struct { + void *buf_addr; + bool started; + struct work_struct flush_work; + struct rchan *channel; + struct mutex lock; + u32 full_count; + } relay; + struct { + u32 sampled_overflow; + u32 overflow; + u32 flush; + } stats[3]; +}; + +struct guc_ct_buffer_desc; + +struct intel_guc_ct_buffer { + struct guc_ct_buffer_desc *desc; + u32 *cmds; +}; + +struct intel_guc_ct_channel { + struct i915_vma *vma; + struct intel_guc_ct_buffer ctbs[2]; + u32 owner; + u32 next_fence; + bool enabled; +}; + +struct intel_guc_ct { + struct intel_guc_ct_channel host_channel; + spinlock_t lock; + struct list_head pending_requests; + struct list_head incoming_requests; + struct work_struct worker; +}; + +struct __guc_ads_blob; + +struct intel_guc_client; + +struct intel_guc { + struct intel_uc_fw fw; + struct intel_guc_log log; + struct intel_guc_ct ct; + spinlock_t irq_lock; + unsigned int msg_enabled_mask; + struct { + bool enabled; + void (*reset)(struct intel_guc *); + void (*enable)(struct intel_guc *); + void (*disable)(struct intel_guc *); + } interrupts; + bool submission_supported; + struct i915_vma *ads_vma; + struct __guc_ads_blob *ads_blob; + struct i915_vma *stage_desc_pool; + void *stage_desc_pool_vaddr; + struct ida stage_ids; + struct intel_guc_client *execbuf_client; + long unsigned int doorbell_bitmap[4]; + u32 db_cacheline; + u32 params[14]; + struct { + u32 base; + unsigned int count; + enum forcewake_domains fw_domains; + } send_regs; + u32 mmio_msg; + struct mutex send_mutex; + int (*send)(struct intel_guc *, const u32 *, u32, u32 *, u32); + void (*handler)(struct intel_guc *); + void (*notify)(struct intel_guc *); +}; + +struct intel_huc { + struct intel_uc_fw fw; + struct i915_vma *rsa_data; + struct { + i915_reg_t reg; + u32 mask; + u32 value; + } status; +}; + +struct intel_uc { + struct intel_guc guc; + struct intel_huc huc; + struct drm_i915_gem_object *load_err_log; +}; + +struct intel_gt_timelines { + spinlock_t lock; + struct list_head active_list; + spinlock_t hwsp_lock; + struct list_head hwsp_free_list; +}; + +struct intel_gt_requests { + struct delayed_work retire_work; +}; + +struct intel_reset { + long unsigned int flags; + struct mutex mutex; + wait_queue_head_t queue; + struct srcu_struct backoff_srcu; +}; + +struct intel_llc {}; + +struct intel_rc6 { + u64 prev_hw_residency[4]; + u64 cur_residency[4]; + struct drm_i915_gem_object *pctx; + bool supported: 1; + bool enabled: 1; + bool wakeref: 1; + bool ctx_corrupted: 1; +}; + +struct intel_rps_ei { + ktime_t ktime; + u32 render_c0; + u32 media_c0; +}; + +struct intel_ips { + u64 last_count1; + long unsigned int last_time1; + long unsigned int chipset_power; + u64 last_count2; + u64 last_time2; + long unsigned int gfx_power; + u8 corr; + int c; + int m; +}; + +struct intel_rps { + struct mutex lock; + struct work_struct work; + bool enabled; + bool active; + u32 pm_iir; + u32 pm_intrmsk_mbz; + u32 pm_events; + u8 cur_freq; + u8 last_freq; + u8 min_freq_softlimit; + u8 max_freq_softlimit; + u8 max_freq; + u8 min_freq; + u8 boost_freq; + u8 idle_freq; + u8 efficient_freq; + u8 rp1_freq; + u8 rp0_freq; + u16 gpll_ref_freq; + int last_adj; + struct { + struct mutex mutex; + enum { + LOW_POWER = 0, + BETWEEN = 1, + HIGH_POWER = 2, + } mode; + unsigned int interactive; + u8 up_threshold; + u8 down_threshold; + } power; + atomic_t num_waiters; + atomic_t boosts; + struct intel_rps_ei ei; + struct intel_ips ips; +}; + +struct intel_engine_cs; + +struct intel_gt { + struct drm_i915_private *i915; + struct intel_uncore *uncore; + struct i915_ggtt *ggtt; + struct intel_uc uc; + struct intel_gt_timelines timelines; + struct intel_gt_requests requests; + struct intel_wakeref wakeref; + atomic_t user_wakeref; + struct list_head closed_vma; + spinlock_t closed_lock; + struct intel_reset reset; + intel_wakeref_t awake; + struct intel_llc llc; + struct intel_rc6 rc6; + struct intel_rps rps; + ktime_t last_init_time; + struct i915_vma *scratch; + spinlock_t irq_lock; + u32 gt_imr; + u32 pm_ier; + u32 pm_imr; + u32 pm_guc_events; + struct intel_engine_cs *engine[8]; + struct intel_engine_cs *engine_class[20]; +}; + +struct i915_gem_contexts { + spinlock_t lock; + struct list_head list; + struct llist_head free_list; + struct work_struct free_work; +}; + +struct i915_pmu_sample { + u64 cur; +}; + +struct i915_pmu { + struct hlist_node node; + struct pmu base; + const char *name; + spinlock_t lock; + struct hrtimer timer; + u64 enable; + ktime_t timer_last; + unsigned int enable_count[20]; + bool timer_enabled; + struct i915_pmu_sample sample[4]; + ktime_t sleep_last; + void *i915_attr; + void *pmu_attr; +}; + +struct i915_gem_context; + +struct intel_overlay; + +struct intel_dpll_mgr; + +struct intel_fbdev; + +struct i915_audio_component; + +struct vlv_s0ix_state; + +struct drm_i915_private { + struct drm_device drm; + const struct intel_device_info __info; + struct intel_runtime_info __runtime; + struct intel_driver_caps caps; + struct resource dsm; + struct resource dsm_reserved; + resource_size_t stolen_usable_size; + struct intel_uncore uncore; + struct intel_uncore_mmio_debug mmio_debug; + struct i915_virtual_gpu vgpu; + struct intel_gvt *gvt; + struct intel_wopcm wopcm; + struct intel_csr csr; + struct intel_gmbus gmbus[15]; + struct mutex gmbus_mutex; + u32 gpio_mmio_base; + u32 hsw_psr_mmio_adjust; + u32 mipi_mmio_base; + u32 pps_mmio_base; + wait_queue_head_t gmbus_wait_queue; + struct pci_dev *bridge_dev; + struct i915_gem_context *kernel_context; + struct intel_engine_cs *engine[8]; + struct rb_root uabi_engines; + struct resource mch_res; + spinlock_t irq_lock; + bool display_irqs_enabled; + struct pm_qos_request pm_qos; + struct mutex sb_lock; + struct pm_qos_request sb_qos; + union { + u32 irq_mask; + u32 de_irq_mask[4]; + }; + u32 pipestat_irq_mask[4]; + struct i915_hotplug hotplug; + struct intel_fbc fbc; + struct i915_drrs drrs; + struct intel_opregion opregion; + struct intel_vbt_data vbt; + bool preserve_bios_swizzle; + struct intel_overlay *overlay; + struct mutex backlight_lock; + struct mutex pps_mutex; + unsigned int fsb_freq; + unsigned int mem_freq; + unsigned int is_ddr3; + unsigned int skl_preferred_vco_freq; + unsigned int max_cdclk_freq; + unsigned int max_dotclk_freq; + unsigned int rawclk_freq; + unsigned int hpll_freq; + unsigned int fdi_pll_freq; + unsigned int czclk_freq; + struct { + struct intel_cdclk_state logical; + struct intel_cdclk_state actual; + struct intel_cdclk_state hw; + const struct intel_cdclk_vals *table; + int force_min_cdclk; + } cdclk; + struct workqueue_struct *wq; + struct workqueue_struct *modeset_wq; + struct workqueue_struct *flip_wq; + struct drm_i915_display_funcs display; + enum intel_pch pch_type; + short unsigned int pch_id; + long unsigned int quirks; + struct drm_atomic_state *modeset_restore_state; + struct drm_modeset_acquire_ctx reset_ctx; + struct i915_ggtt ggtt; + struct i915_gem_mm mm; + struct hlist_head mm_structs[128]; + struct mutex mm_lock; + struct intel_crtc *plane_to_crtc_mapping[4]; + struct intel_crtc *pipe_to_crtc_mapping[4]; + struct intel_pipe_crc pipe_crc[4]; + int num_shared_dpll; + struct intel_shared_dpll shared_dplls[9]; + const struct intel_dpll_mgr *dpll_mgr; + struct mutex dpll_lock; + u8 active_pipes; + int min_cdclk[4]; + u8 min_voltage_level[4]; + int dpio_phy_iosf_port[2]; + struct i915_wa_list gt_wa_list; + struct i915_frontbuffer_tracking fb_tracking; + struct intel_atomic_helper atomic_helper; + u16 orig_clock; + bool mchbar_need_disable; + struct intel_l3_parity l3_parity; + u32 edram_size_mb; + struct i915_power_domains power_domains; + struct i915_psr psr; + struct i915_gpu_error gpu_error; + struct drm_i915_gem_object *vlv_pctx; + struct intel_fbdev *fbdev; + struct work_struct fbdev_suspend_work; + struct drm_property *broadcast_rgb_property; + struct drm_property *force_audio_property; + struct i915_audio_component *audio_component; + bool audio_component_registered; + struct mutex av_mutex; + int audio_power_refcount; + u32 audio_freq_cntrl; + u32 fdi_rx_config; + u32 chv_phy_control; + u32 chv_dpll_md[4]; + u32 bxt_phy_grc; + u32 suspend_count; + bool power_domains_suspended; + struct i915_suspend_saved_registers regfile; + struct vlv_s0ix_state *vlv_s0ix_state; + enum { + I915_SAGV_UNKNOWN = 0, + I915_SAGV_DISABLED = 1, + I915_SAGV_ENABLED = 2, + I915_SAGV_NOT_CONTROLLED = 3, + } sagv_status; + u32 sagv_block_time_us; + struct { + u16 pri_latency[5]; + u16 spr_latency[5]; + u16 cur_latency[5]; + u16 skl_latency[8]; + union { + struct ilk_wm_values hw; + struct skl_ddb_values skl_hw; + struct vlv_wm_values vlv; + struct g4x_wm_values g4x; + }; + u8 max_level; + struct mutex wm_mutex; + bool distrust_bios_wm; + } wm; + struct dram_info dram_info; + struct intel_bw_info max_bw[6]; + struct drm_private_obj bw_obj; + struct intel_runtime_pm runtime_pm; + struct i915_perf perf; + struct intel_gt gt; + struct { + struct notifier_block pm_notifier; + struct i915_gem_contexts contexts; + } gem; + u8 pch_ssc_use; + u8 vblank_enabled; + bool chv_phy_assert[2]; + bool ipc_enabled; + struct intel_encoder *av_enc_map[4]; + struct { + struct platform_device *platdev; + int irq; + } lpe_audio; + struct i915_pmu pmu; + struct i915_hdcp_comp_master *hdcp_master; + bool hdcp_comp_added; + struct mutex hdcp_comp_mutex; +}; + +struct i915_power_well_desc; + +struct i915_power_well { + const struct i915_power_well_desc *desc; + int count; + bool hw_enabled; +}; + +struct i915_power_well_regs { + i915_reg_t bios; + i915_reg_t driver; + i915_reg_t kvmr; + i915_reg_t debug; +}; + +struct i915_power_well_desc { + const char *name; + bool always_on; + u64 domains; + enum i915_power_well_id id; + union { + struct { + u8 idx; + } vlv; + struct { + enum dpio_phy phy; + } bxt; + struct { + const struct i915_power_well_regs *regs; + u8 idx; + u8 irq_pipe_mask; + bool has_vga: 1; + bool has_fuses: 1; + bool is_tc_tbt: 1; + } hsw; + }; + const struct i915_power_well_ops *ops; +}; + +enum intel_dpll_id { + DPLL_ID_PRIVATE = -1, + DPLL_ID_PCH_PLL_A = 0, + DPLL_ID_PCH_PLL_B = 1, + DPLL_ID_WRPLL1 = 0, + DPLL_ID_WRPLL2 = 1, + DPLL_ID_SPLL = 2, + DPLL_ID_LCPLL_810 = 3, + DPLL_ID_LCPLL_1350 = 4, + DPLL_ID_LCPLL_2700 = 5, + DPLL_ID_SKL_DPLL0 = 0, + DPLL_ID_SKL_DPLL1 = 1, + DPLL_ID_SKL_DPLL2 = 2, + DPLL_ID_SKL_DPLL3 = 3, + DPLL_ID_ICL_DPLL0 = 0, + DPLL_ID_ICL_DPLL1 = 1, + DPLL_ID_EHL_DPLL4 = 2, + DPLL_ID_ICL_TBTPLL = 2, + DPLL_ID_ICL_MGPLL1 = 3, + DPLL_ID_ICL_MGPLL2 = 4, + DPLL_ID_ICL_MGPLL3 = 5, + DPLL_ID_ICL_MGPLL4 = 6, + DPLL_ID_TGL_MGPLL5 = 7, + DPLL_ID_TGL_MGPLL6 = 8, +}; + +enum icl_port_dpll_id { + ICL_PORT_DPLL_DEFAULT = 0, + ICL_PORT_DPLL_MG_PHY = 1, + ICL_PORT_DPLL_COUNT = 2, +}; + +struct intel_shared_dpll_funcs { + void (*prepare)(struct drm_i915_private *, struct intel_shared_dpll *); + void (*enable)(struct drm_i915_private *, struct intel_shared_dpll *); + void (*disable)(struct drm_i915_private *, struct intel_shared_dpll *); + bool (*get_hw_state)(struct drm_i915_private *, struct intel_shared_dpll *, struct intel_dpll_hw_state *); +}; + +struct dpll_info { + const char *name; + const struct intel_shared_dpll_funcs *funcs; + enum intel_dpll_id id; + u32 flags; +}; + +enum dsb_id { + INVALID_DSB = -1, + DSB1 = 0, + DSB2 = 1, + DSB3 = 2, + MAX_DSB_PER_PIPE = 3, +}; + +struct intel_dsb { + atomic_t refcount; + enum dsb_id id; + u32 *cmd_buf; + struct i915_vma *vma; + int free_pos; + u32 ins_start_offset; +}; + +struct i915_page_sizes { + unsigned int phys; + unsigned int sg; + unsigned int gtt; +}; + +struct i915_active_fence { + struct dma_fence *fence; + struct dma_fence_cb cb; +}; + +struct active_node; + +struct i915_active { + atomic_t count; + struct mutex mutex; + spinlock_t tree_lock; + struct active_node *cache; + struct rb_root tree; + struct i915_active_fence excl; + long unsigned int flags; + int (*active)(struct i915_active *); + void (*retire)(struct i915_active *); + struct work_struct work; + struct llist_head preallocated_barriers; +}; + +enum i915_ggtt_view_type { + I915_GGTT_VIEW_NORMAL = 0, + I915_GGTT_VIEW_ROTATED = 32, + I915_GGTT_VIEW_PARTIAL = 12, + I915_GGTT_VIEW_REMAPPED = 36, +}; + +struct intel_partial_info { + u64 offset; + unsigned int size; +} __attribute__((packed)); + +struct intel_remapped_plane_info { + unsigned int width; + unsigned int height; + unsigned int stride; + unsigned int offset; +}; + +struct intel_rotation_info { + struct intel_remapped_plane_info plane[2]; +}; + +struct intel_remapped_info { + struct intel_remapped_plane_info plane[2]; + unsigned int unused_mbz; +}; + +struct i915_ggtt_view { + enum i915_ggtt_view_type type; + union { + struct intel_partial_info partial; + struct intel_rotation_info rotated; + struct intel_remapped_info remapped; + }; +} __attribute__((packed)); + +struct i915_vma { + struct drm_mm_node node; + struct drm_i915_gem_object *obj; + struct i915_address_space *vm; + const struct i915_vma_ops *ops; + struct i915_fence_reg *fence; + struct dma_resv *resv; + struct sg_table *pages; + void *iomap; + void *private; + u64 size; + u64 display_alignment; + struct i915_page_sizes page_sizes; + u32 fence_size; + u32 fence_alignment; + atomic_t open_count; + atomic_t flags; + struct i915_active active; + atomic_t pages_count; + struct mutex pages_mutex; + struct i915_ggtt_view ggtt_view; + struct list_head vm_link; + struct list_head obj_link; + struct rb_node obj_node; + struct hlist_node obj_hash; + struct list_head exec_link; + struct list_head reloc_link; + struct list_head evict_link; + struct list_head closed_link; + unsigned int *exec_flags; + struct hlist_node exec_node; + u32 exec_handle; +}; + +enum { + __I915_SAMPLE_FREQ_ACT = 0, + __I915_SAMPLE_FREQ_REQ = 1, + __I915_SAMPLE_RC6 = 2, + __I915_SAMPLE_RC6_LAST_REPORTED = 3, + __I915_NUM_PMU_SAMPLERS = 4, +}; + +struct i915_priolist { + struct list_head requests[4]; + struct rb_node node; + long unsigned int used; + int priority; +}; + +struct intel_engine_pool { + spinlock_t lock; + struct list_head cache_list[4]; +}; + +struct i915_gem_object_page_iter { + struct scatterlist *sg_pos; + unsigned int sg_idx; + struct xarray radix; + struct mutex lock; +}; + +struct i915_mm_struct; + +struct i915_mmu_object; + +struct i915_gem_userptr { + uintptr_t ptr; + struct i915_mm_struct *mm; + struct i915_mmu_object *mmu_object; + struct work_struct *work; +}; + +struct drm_i915_gem_object_ops; + +struct intel_frontbuffer; + +struct drm_i915_gem_object { + struct drm_gem_object base; + const struct drm_i915_gem_object_ops *ops; + struct { + spinlock_t lock; + struct list_head list; + struct rb_root tree; + } vma; + struct list_head lut_list; + struct drm_mm_node *stolen; + union { + struct callback_head rcu; + struct llist_node freed; + }; + unsigned int userfault_count; + struct list_head userfault_link; + long unsigned int flags; + unsigned int cache_level: 3; + unsigned int cache_coherent: 2; + unsigned int cache_dirty: 1; + u16 read_domains; + u16 write_domain; + struct intel_frontbuffer *frontbuffer; + unsigned int tiling_and_stride; + atomic_t bind_count; + struct { + struct mutex lock; + atomic_t pages_pin_count; + atomic_t shrink_pin; + struct intel_memory_region *region; + struct list_head blocks; + struct list_head region_link; + struct sg_table *pages; + void *mapping; + struct i915_page_sizes page_sizes; + struct i915_gem_object_page_iter get_page; + struct list_head link; + unsigned int madv: 2; + bool dirty: 1; + bool quirked: 1; + } mm; + long unsigned int *bit_17; + union { + struct i915_gem_userptr userptr; + long unsigned int scratch; + void *gvt_info; + }; + struct drm_dma_handle *phys_handle; +}; + +struct intel_sseu { + u8 slice_mask; + u8 subslice_mask; + u8 min_eus_per_subslice; + u8 max_eus_per_subslice; +}; + +struct i915_syncmap; + +struct intel_timeline_cacheline; + +struct intel_timeline { + u64 fence_context; + u32 seqno; + struct mutex mutex; + atomic_t pin_count; + atomic_t active_count; + const u32 *hwsp_seqno; + struct i915_vma *hwsp_ggtt; + u32 hwsp_offset; + struct intel_timeline_cacheline *hwsp_cacheline; + bool has_initial_breadcrumb; + struct list_head requests; + struct i915_active_fence last_request; + struct intel_timeline *retire; + struct i915_syncmap *sync; + struct list_head link; + struct intel_gt *gt; + struct kref kref; + struct callback_head rcu; +}; + +struct i915_wa { + i915_reg_t reg; + u32 mask; + u32 val; + u32 read; +}; + +struct intel_hw_status_page { + struct i915_vma *vma; + u32 *addr; +}; + +struct intel_instdone { + u32 instdone; + u32 slice_common; + u32 sampler[24]; + u32 row[24]; +}; + +struct i915_wa_ctx_bb { + u32 offset; + u32 size; +}; + +struct i915_ctx_workarounds { + struct i915_wa_ctx_bb indirect_ctx; + struct i915_wa_ctx_bb per_ctx; + struct i915_vma *vma; +}; + +enum intel_engine_id { + RCS0 = 0, + BCS0 = 1, + VCS0 = 2, + VCS1 = 3, + VCS2 = 4, + VCS3 = 5, + VECS0 = 6, + VECS1 = 7, + I915_NUM_ENGINES = 8, +}; + +struct i915_request; + +struct intel_engine_execlists { + struct tasklet_struct tasklet; + struct timer_list timer; + struct timer_list preempt; + struct i915_priolist default_priolist; + bool no_priolist; + u32 *submit_reg; + u32 *ctrl_reg; + struct i915_request * const *active; + struct i915_request *inflight[3]; + struct i915_request *pending[3]; + unsigned int port_mask; + int switch_priority_hint; + int queue_priority_hint; + struct rb_root_cached queue; + struct rb_root_cached virtual; + u32 *csb_write; + u32 *csb_status; + u8 csb_size; + u8 csb_head; +}; + +struct i915_sw_fence { + wait_queue_head_t wait; + long unsigned int flags; + atomic_t pending; + int error; +}; + +struct i915_sw_dma_fence_cb { + struct dma_fence_cb base; + struct i915_sw_fence *fence; +}; + +struct i915_sched_attr { + int priority; +}; + +struct i915_sched_node { + struct list_head signalers_list; + struct list_head waiters_list; + struct list_head link; + struct i915_sched_attr attr; + unsigned int flags; + intel_engine_mask_t semaphores; +}; + +struct i915_dependency { + struct i915_sched_node *signaler; + struct i915_sched_node *waiter; + struct list_head signal_link; + struct list_head wait_link; + struct list_head dfs_link; + long unsigned int flags; +}; + +struct intel_context; + +struct intel_ring; + +struct i915_capture_list; + +struct i915_request { + struct dma_fence fence; + spinlock_t lock; + struct drm_i915_private *i915; + struct i915_gem_context *gem_context; + struct intel_engine_cs *engine; + struct intel_context *hw_context; + struct intel_ring *ring; + struct intel_timeline *timeline; + struct list_head signal_link; + long unsigned int rcustate; + struct pin_cookie cookie; + struct i915_sw_fence submit; + union { + wait_queue_entry_t submitq; + struct i915_sw_dma_fence_cb dmaq; + }; + struct list_head execute_cb; + struct i915_sw_fence semaphore; + struct i915_sched_node sched; + struct i915_dependency dep; + intel_engine_mask_t execution_mask; + const u32 *hwsp_seqno; + struct intel_timeline_cacheline *hwsp_cacheline; + u32 head; + u32 infix; + u32 postfix; + u32 tail; + u32 wa_tail; + u32 reserved_space; + struct i915_vma *batch; + struct i915_capture_list *capture_list; + long unsigned int emitted_jiffies; + long unsigned int flags; + struct list_head link; + struct drm_i915_file_private *file_priv; + struct list_head client_link; +}; + +struct intel_ring { + struct kref ref; + struct i915_vma *vma; + void *vaddr; + atomic_t pin_count; + u32 head; + u32 tail; + u32 emit; + u32 space; + u32 size; + u32 effective_size; +}; + +struct intel_breadcrumbs { + spinlock_t irq_lock; + struct list_head signalers; + struct irq_work irq_work; + unsigned int irq_enabled; + bool irq_armed; +}; + +struct intel_engine_pmu { + u32 enable; + unsigned int enable_count[3]; + struct i915_pmu_sample sample[3]; +}; + +struct intel_context_ops; + +struct drm_i915_reg_table; + +struct intel_engine_cs { + struct drm_i915_private *i915; + struct intel_gt *gt; + struct intel_uncore *uncore; + char name[8]; + enum intel_engine_id id; + enum intel_engine_id legacy_idx; + unsigned int hw_id; + unsigned int guc_id; + intel_engine_mask_t mask; + u8 class; + u8 instance; + u16 uabi_class; + u16 uabi_instance; + u32 uabi_capabilities; + u32 context_size; + u32 mmio_base; + unsigned int context_tag; + struct rb_node uabi_node; + struct intel_sseu sseu; + struct { + spinlock_t lock; + struct list_head requests; + } active; + struct llist_head barrier_tasks; + struct intel_context *kernel_context; + intel_engine_mask_t saturated; + struct { + struct delayed_work work; + struct i915_request *systole; + } heartbeat; + long unsigned int serial; + long unsigned int wakeref_serial; + struct intel_wakeref wakeref; + struct drm_i915_gem_object *default_state; + void *pinned_default_state; + struct { + struct intel_ring *ring; + struct intel_timeline *timeline; + } legacy; + struct intel_breadcrumbs breadcrumbs; + struct intel_engine_pmu pmu; + struct intel_engine_pool pool; + struct intel_hw_status_page status_page; + struct i915_ctx_workarounds wa_ctx; + struct i915_wa_list ctx_wa_list; + struct i915_wa_list wa_list; + struct i915_wa_list whitelist; + u32 irq_keep_mask; + u32 irq_enable_mask; + void (*irq_enable)(struct intel_engine_cs *); + void (*irq_disable)(struct intel_engine_cs *); + int (*resume)(struct intel_engine_cs *); + struct { + void (*prepare)(struct intel_engine_cs *); + void (*reset)(struct intel_engine_cs *, bool); + void (*finish)(struct intel_engine_cs *); + } reset; + void (*park)(struct intel_engine_cs *); + void (*unpark)(struct intel_engine_cs *); + void (*set_default_submission)(struct intel_engine_cs *); + const struct intel_context_ops *cops; + int (*request_alloc)(struct i915_request *); + int (*emit_flush)(struct i915_request *, u32); + int (*emit_bb_start)(struct i915_request *, u64, u32, unsigned int); + int (*emit_init_breadcrumb)(struct i915_request *); + u32 * (*emit_fini_breadcrumb)(struct i915_request *, u32 *); + unsigned int emit_fini_breadcrumb_dw; + void (*submit_request)(struct i915_request *); + void (*bond_execute)(struct i915_request *, struct dma_fence *); + void (*schedule)(struct i915_request *, const struct i915_sched_attr *); + void (*cancel_requests)(struct intel_engine_cs *); + void (*destroy)(struct intel_engine_cs *); + struct intel_engine_execlists execlists; + struct intel_timeline *retire; + struct work_struct retire_work; + struct atomic_notifier_head context_status_notifier; + unsigned int flags; + struct hlist_head cmd_hash[512]; + const struct drm_i915_reg_table *reg_tables; + int reg_table_count; + u32 (*get_cmd_length_mask)(u32); + struct { + seqlock_t lock; + unsigned int enabled; + unsigned int active; + ktime_t enabled_at; + ktime_t start; + ktime_t total; + } stats; + struct { + long unsigned int heartbeat_interval_ms; + long unsigned int preempt_timeout_ms; + long unsigned int stop_timeout_ms; + long unsigned int timeslice_duration_ms; + } props; +}; + +struct intel_context { + struct kref ref; + struct intel_engine_cs *engine; + struct intel_engine_cs *inflight; + struct i915_address_space *vm; + struct i915_gem_context *gem_context; + struct list_head signal_link; + struct list_head signals; + struct i915_vma *state; + struct intel_ring *ring; + struct intel_timeline *timeline; + long unsigned int flags; + u32 *lrc_reg_state; + u64 lrc_desc; + u32 tag; + unsigned int active_count; + atomic_t pin_count; + struct mutex pin_mutex; + struct i915_active active; + const struct intel_context_ops *ops; + struct intel_sseu sseu; +}; + +struct intel_context_ops { + int (*alloc)(struct intel_context *); + int (*pin)(struct intel_context *); + void (*unpin)(struct intel_context *); + void (*enter)(struct intel_context *); + void (*exit)(struct intel_context *); + void (*reset)(struct intel_context *); + void (*destroy)(struct kref *); +}; + +struct drm_i915_reg_descriptor; + +struct drm_i915_reg_table { + const struct drm_i915_reg_descriptor *regs; + int num_regs; +}; + +struct i915_gem_engines; + +struct i915_gem_context { + struct drm_i915_private *i915; + struct drm_i915_file_private *file_priv; + struct i915_gem_engines *engines; + struct mutex engines_mutex; + struct intel_timeline *timeline; + struct i915_address_space *vm; + struct pid *pid; + const char *name; + struct list_head link; + struct llist_node free_link; + struct kref ref; + struct callback_head rcu; + long unsigned int user_flags; + long unsigned int flags; + struct mutex mutex; + struct i915_sched_attr sched; + atomic_t guilty_count; + atomic_t active_count; + long unsigned int hang_timestamp[2]; + u8 remap_slice; + struct xarray handles_vma; + long unsigned int *jump_whitelist; + u32 jump_whitelist_cmds; +}; + +struct i915_capture_list { + struct i915_capture_list *next; + struct i915_vma *vma; +}; + +struct drm_i915_file_private { + struct drm_i915_private *dev_priv; + union { + struct drm_file *file; + struct callback_head rcu; + }; + struct { + spinlock_t lock; + struct list_head request_list; + } mm; + struct idr context_idr; + struct mutex context_idr_lock; + struct idr vm_idr; + struct mutex vm_idr_lock; + unsigned int bsd_engine; + atomic_t ban_score; + long unsigned int hang_timestamp; +}; + +struct drm_i915_gem_object_ops { + unsigned int flags; + int (*get_pages)(struct drm_i915_gem_object *); + void (*put_pages)(struct drm_i915_gem_object *, struct sg_table *); + void (*truncate)(struct drm_i915_gem_object *); + void (*writeback)(struct drm_i915_gem_object *); + int (*pwrite)(struct drm_i915_gem_object *, const struct drm_i915_gem_pwrite *); + int (*dmabuf_export)(struct drm_i915_gem_object *); + void (*release)(struct drm_i915_gem_object *); +}; + +struct i915_buddy_block; + +struct i915_buddy_mm { + struct list_head *free_list; + struct i915_buddy_block **roots; + unsigned int n_roots; + unsigned int max_order; + u64 chunk_size; + u64 size; +}; + +struct intel_memory_region_ops; + +struct intel_memory_region { + struct drm_i915_private *i915; + const struct intel_memory_region_ops *ops; + struct io_mapping iomap; + struct resource region; + struct drm_mm_node fake_mappable; + struct i915_buddy_mm mm; + struct mutex mm_lock; + struct kref kref; + resource_size_t io_start; + resource_size_t min_page_size; + unsigned int type; + unsigned int instance; + unsigned int id; + dma_addr_t remap_addr; + struct { + struct mutex lock; + struct list_head list; + struct list_head purgeable; + } objects; +}; + +struct intel_frontbuffer { + struct kref ref; + atomic_t bits; + struct i915_active write; + struct drm_i915_gem_object *obj; + struct callback_head rcu; +}; + +struct i915_gem_engines { + struct callback_head rcu; + unsigned int num_engines; + struct intel_context *engines[0]; +}; + +enum forcewake_domain_id { + FW_DOMAIN_ID_RENDER = 0, + FW_DOMAIN_ID_BLITTER = 1, + FW_DOMAIN_ID_MEDIA = 2, + FW_DOMAIN_ID_MEDIA_VDBOX0 = 3, + FW_DOMAIN_ID_MEDIA_VDBOX1 = 4, + FW_DOMAIN_ID_MEDIA_VDBOX2 = 5, + FW_DOMAIN_ID_MEDIA_VDBOX3 = 6, + FW_DOMAIN_ID_MEDIA_VEBOX0 = 7, + FW_DOMAIN_ID_MEDIA_VEBOX1 = 8, + FW_DOMAIN_ID_COUNT = 9, +}; + +struct intel_forcewake_range { + u32 start; + u32 end; + enum forcewake_domains domains; +}; + +struct intel_uncore_forcewake_domain { + struct intel_uncore *uncore; + enum forcewake_domain_id id; + enum forcewake_domains mask; + unsigned int wake_count; + bool active; + struct hrtimer timer; + u32 *reg_set; + u32 *reg_ack; +}; + +struct guc_ct_buffer_desc { + u32 addr; + u64 host_private; + u32 size; + u32 head; + u32 tail; + u32 is_in_error; + u32 fence; + u32 status; + u32 owner; + u32 owner_sub_id; + u32 reserved[5]; +} __attribute__((packed)); + +enum guc_log_buffer_type { + GUC_ISR_LOG_BUFFER = 0, + GUC_DPC_LOG_BUFFER = 1, + GUC_CRASH_DUMP_LOG_BUFFER = 2, + GUC_MAX_LOG_BUFFER = 3, +}; + +struct i915_page_table { + struct i915_page_dma base; + atomic_t used; +}; + +struct i915_page_directory { + struct i915_page_table pt; + spinlock_t lock; + void *entry[512]; +}; + +struct i915_ppgtt { + struct i915_address_space vm; + struct i915_page_directory *pd; +}; + +struct i915_buddy_block { + u64 header; + struct i915_buddy_block *left; + struct i915_buddy_block *right; + struct i915_buddy_block *parent; + void *private; + struct list_head link; + struct list_head tmp_link; +}; + +enum intel_region_id { + INTEL_REGION_SMEM = 0, + INTEL_REGION_LMEM = 1, + INTEL_REGION_STOLEN = 2, + INTEL_REGION_UNKNOWN = 3, +}; + +struct intel_memory_region_ops { + unsigned int flags; + int (*init)(struct intel_memory_region *); + void (*release)(struct intel_memory_region *); + struct drm_i915_gem_object * (*create_object)(struct intel_memory_region *, resource_size_t, unsigned int); +}; + +struct drm_i915_error_object; + +struct i915_error_uc { + struct intel_uc_fw guc_fw; + struct intel_uc_fw huc_fw; + struct drm_i915_error_object *guc_log; +}; + +struct drm_i915_error_object { + u64 gtt_offset; + u64 gtt_size; + u32 gtt_page_sizes; + int num_pages; + int page_count; + int unused; + u32 *pages[0]; +}; + +struct drm_i915_error_context { + char comm[16]; + pid_t pid; + int active; + int guilty; + struct i915_sched_attr sched_attr; +}; + +struct drm_i915_error_request { + long unsigned int flags; + long int jiffies; + pid_t pid; + u32 context; + u32 seqno; + u32 start; + u32 head; + u32 tail; + struct i915_sched_attr sched_attr; +}; + +struct drm_i915_error_engine { + const struct intel_engine_cs *engine; + bool idle; + int num_requests; + u32 reset_count; + u32 rq_head; + u32 rq_post; + u32 rq_tail; + u32 cpu_ring_head; + u32 cpu_ring_tail; + u32 start; + u32 tail; + u32 head; + u32 ctl; + u32 mode; + u32 hws; + u32 ipeir; + u32 ipehr; + u32 bbstate; + u32 instpm; + u32 instps; + u64 bbaddr; + u64 acthd; + u32 fault_reg; + u64 faddr; + u32 rc_psmi; + struct intel_instdone instdone; + struct drm_i915_error_context context; + struct drm_i915_error_object *ringbuffer; + struct drm_i915_error_object *batchbuffer; + struct drm_i915_error_object *wa_batchbuffer; + struct drm_i915_error_object *ctx; + struct drm_i915_error_object *hws_page; + struct drm_i915_error_object **user_bo; + long int user_bo_count; + struct drm_i915_error_object *wa_ctx; + struct drm_i915_error_object *default_state; + struct drm_i915_error_request *requests; + struct drm_i915_error_request execlist[2]; + unsigned int num_ports; + struct { + u32 gfx_mode; + union { + u64 pdp[4]; + u32 pp_dir_base; + }; + } vm_info; + struct drm_i915_error_engine *next; +}; + +struct intel_overlay_error_state; + +struct intel_display_error_state; + +struct i915_gpu_state { + struct kref ref; + ktime_t time; + ktime_t boottime; + ktime_t uptime; + long unsigned int capture; + struct drm_i915_private *i915; + char error_msg[128]; + bool simulated; + bool awake; + bool wakelock; + bool suspended; + int iommu; + u32 reset_count; + u32 suspend_count; + struct intel_device_info device_info; + struct intel_runtime_info runtime_info; + struct intel_driver_caps driver_caps; + struct i915_params params; + struct i915_error_uc uc; + u32 eir; + u32 pgtbl_er; + u32 ier; + u32 gtier[6]; + u32 ngtier; + u32 ccid; + u32 derrmr; + u32 forcewake; + u32 error; + u32 err_int; + u32 fault_data0; + u32 fault_data1; + u32 done_reg; + u32 gac_eco; + u32 gam_ecochk; + u32 gab_ctl; + u32 gfx_mode; + u32 gtt_cache; + u32 aux_err; + u32 sfc_done[4]; + u32 gam_done; + u32 nfence; + u64 fence[32]; + struct intel_overlay_error_state *overlay; + struct intel_display_error_state *display; + struct drm_i915_error_engine *engine; + struct scatterlist *sgl; + struct scatterlist *fit; +}; + +struct i915_oa_format { + u32 format; + int size; +}; + +struct i915_oa_reg { + i915_reg_t addr; + u32 value; +}; + +struct i915_perf_stream_ops { + void (*enable)(struct i915_perf_stream *); + void (*disable)(struct i915_perf_stream *); + void (*poll_wait)(struct i915_perf_stream *, struct file *, poll_table *); + int (*wait_unlocked)(struct i915_perf_stream *); + int (*read)(struct i915_perf_stream *, char *, size_t, size_t *); + void (*destroy)(struct i915_perf_stream *); +}; + +struct i915_perf_stream { + struct i915_perf *perf; + struct intel_uncore *uncore; + struct intel_engine_cs *engine; + u32 sample_flags; + int sample_size; + struct i915_gem_context *ctx; + bool enabled; + bool hold_preemption; + const struct i915_perf_stream_ops *ops; + struct i915_oa_config *oa_config; + struct llist_head oa_config_bos; + struct intel_context *pinned_ctx; + u32 specific_ctx_id; + u32 specific_ctx_id_mask; + struct hrtimer poll_check_timer; + wait_queue_head_t poll_wq; + bool pollin; + bool periodic; + int period_exponent; + struct { + struct i915_vma *vma; + u8 *vaddr; + u32 last_ctx_id; + int format; + int format_size; + int size_exponent; + spinlock_t ptr_lock; + struct { + u32 offset; + } tails[2]; + unsigned int aged_tail_idx; + u64 aging_timestamp; + u32 head; + } oa_buffer; + struct i915_vma *noa_wait; +}; + +enum hpd_pin { + HPD_NONE = 0, + HPD_TV = 0, + HPD_CRT = 1, + HPD_SDVO_B = 2, + HPD_SDVO_C = 3, + HPD_PORT_A = 4, + HPD_PORT_B = 5, + HPD_PORT_C = 6, + HPD_PORT_D = 7, + HPD_PORT_E = 8, + HPD_PORT_F = 9, + HPD_PORT_G = 10, + HPD_PORT_H = 11, + HPD_PORT_I = 12, + HPD_NUM_PINS = 13, +}; + +struct dpll { + int n; + int m1; + int m2; + int p1; + int p2; + int dot; + int vco; + int m; + int p; +}; + +struct icl_port_dpll { + struct intel_shared_dpll *pll; + struct intel_dpll_hw_state hw_state; +}; + +struct intel_scaler { + int in_use; + u32 mode; +}; + +struct intel_crtc_scaler_state { + struct intel_scaler scalers[2]; + unsigned int scaler_users; + int scaler_id; +}; + +struct intel_wm_level { + bool enable; + u32 pri_val; + u32 spr_val; + u32 cur_val; + u32 fbc_val; +}; + +struct intel_pipe_wm { + struct intel_wm_level wm[5]; + u32 linetime; + bool fbc_wm_enabled; + bool pipe_enabled; + bool sprites_enabled; + bool sprites_scaled; +}; + +struct skl_wm_level { + u16 min_ddb_alloc; + u16 plane_res_b; + u8 plane_res_l; + bool plane_en; + bool ignore_lines; +}; + +struct skl_plane_wm { + struct skl_wm_level wm[8]; + struct skl_wm_level uv_wm[8]; + struct skl_wm_level trans_wm; + bool is_planar; +}; + +struct skl_pipe_wm { + struct skl_plane_wm planes[8]; + u32 linetime; +}; + +struct skl_ddb_entry { + u16 start; + u16 end; +}; + +struct vlv_wm_state { + struct g4x_pipe_wm wm[3]; + struct g4x_sr_wm sr[3]; + u8 num_levels; + bool cxsr; +}; + +struct vlv_fifo_state { + u16 plane[8]; +}; + +struct g4x_wm_state { + struct g4x_pipe_wm wm; + struct g4x_sr_wm sr; + struct g4x_sr_wm hpll; + bool cxsr; + bool hpll_en; + bool fbc_en; +}; + +struct intel_crtc_wm_state { + union { + struct { + struct intel_pipe_wm intermediate; + struct intel_pipe_wm optimal; + } ilk; + struct { + struct skl_pipe_wm optimal; + struct skl_ddb_entry ddb; + struct skl_ddb_entry plane_ddb_y[8]; + struct skl_ddb_entry plane_ddb_uv[8]; + } skl; + struct { + struct g4x_pipe_wm raw[3]; + struct vlv_wm_state intermediate; + struct vlv_wm_state optimal; + struct vlv_fifo_state fifo_state; + } vlv; + struct { + struct g4x_pipe_wm raw[3]; + struct g4x_wm_state intermediate; + struct g4x_wm_state optimal; + } g4x; + }; + bool need_postvbl_update; +}; + +enum intel_output_format { + INTEL_OUTPUT_FORMAT_INVALID = 0, + INTEL_OUTPUT_FORMAT_RGB = 1, + INTEL_OUTPUT_FORMAT_YCBCR420 = 2, + INTEL_OUTPUT_FORMAT_YCBCR444 = 3, +}; + +struct intel_crtc_state { + struct drm_crtc_state base; + long unsigned int quirks; + unsigned int fb_bits; + bool update_pipe; + bool disable_cxsr; + bool update_wm_pre; + bool update_wm_post; + bool fifo_changed; + bool preload_luts; + int pipe_src_w; + int pipe_src_h; + unsigned int pixel_rate; + bool has_pch_encoder; + bool has_infoframe; + enum transcoder cpu_transcoder; + bool limited_color_range; + unsigned int output_types; + bool has_hdmi_sink; + bool has_audio; + bool dither; + bool dither_force_disable; + bool clock_set; + bool sdvo_tv_clock; + bool bw_constrained; + struct dpll dpll; + struct intel_shared_dpll *shared_dpll; + struct intel_dpll_hw_state dpll_hw_state; + struct icl_port_dpll icl_port_dplls[2]; + struct { + u32 ctrl; + u32 div; + } dsi_pll; + int pipe_bpp; + struct intel_link_m_n dp_m_n; + struct intel_link_m_n dp_m2_n2; + bool has_drrs; + bool has_psr; + bool has_psr2; + u32 dc3co_exitline; + int port_clock; + unsigned int pixel_multiplier; + u8 lane_count; + u8 lane_lat_optim_mask; + u8 min_voltage_level; + struct { + u32 control; + u32 pgm_ratios; + u32 lvds_border_bits; + } gmch_pfit; + struct { + u32 pos; + u32 size; + bool enabled; + bool force_thru; + } pch_pfit; + int fdi_lanes; + struct intel_link_m_n fdi_m_n; + bool ips_enabled; + bool crc_enabled; + bool enable_fbc; + bool double_wide; + int pbn; + struct intel_crtc_scaler_state scaler_state; + enum pipe hsw_workaround_pipe; + bool disable_lp_wm; + struct intel_crtc_wm_state wm; + int min_cdclk[8]; + u32 data_rate[8]; + u32 gamma_mode; + union { + u32 csc_mode; + u32 cgm_mode; + }; + u8 active_planes; + u8 nv12_planes; + u8 c8_planes; + u8 update_planes; + struct { + u32 enable; + u32 gcp; + union hdmi_infoframe avi; + union hdmi_infoframe spd; + union hdmi_infoframe hdmi; + union hdmi_infoframe drm; + } infoframes; + bool hdmi_scrambling; + bool hdmi_high_tmds_clock_ratio; + enum intel_output_format output_format; + bool lspcon_downsampling; + bool gamma_enable; + bool csc_enable; + struct { + bool compression_enable; + bool dsc_split; + u16 compressed_bpp; + u8 slice_count; + struct drm_dsc_config config; + } dsc; + bool fec_enable; + enum transcoder master_transcoder; + u8 sync_mode_slaves_mask; +}; + +struct intel_atomic_state { + struct drm_atomic_state base; + intel_wakeref_t wakeref; + struct { + struct intel_cdclk_state logical; + struct intel_cdclk_state actual; + int force_min_cdclk; + bool force_min_cdclk_changed; + enum pipe pipe; + } cdclk; + bool dpll_set; + bool modeset; + u8 active_pipe_changes; + u8 active_pipes; + int min_cdclk[4]; + u8 min_voltage_level[4]; + struct intel_shared_dpll_state shared_dpll[9]; + bool skip_intermediate_wm; + bool rps_interactive; + bool global_state_changed; + struct skl_ddb_values wm_results; + struct i915_sw_fence commit_ready; + struct llist_node freed; +}; + +struct intel_crtc { + struct drm_crtc base; + enum pipe pipe; + bool active; + u8 plane_ids_mask; + long long unsigned int enabled_power_domains; + struct intel_overlay *overlay; + struct intel_crtc_state *config; + bool cpu_fifo_underrun_disabled; + bool pch_fifo_underrun_disabled; + struct { + union { + struct intel_pipe_wm ilk; + struct vlv_wm_state vlv; + struct g4x_wm_state g4x; + } active; + } wm; + int scanline_offset; + struct { + unsigned int start_vbl_count; + ktime_t start_vbl_time; + int min_vbl; + int max_vbl; + int scanline_start; + } debug; + int num_scalers; + struct intel_dsb dsb; +}; + +struct intel_framebuffer; + +struct intel_initial_plane_config { + struct intel_framebuffer *fb; + unsigned int tiling; + int size; + u32 base; + u8 rotation; +}; + +enum intel_output_type { + INTEL_OUTPUT_UNUSED = 0, + INTEL_OUTPUT_ANALOG = 1, + INTEL_OUTPUT_DVO = 2, + INTEL_OUTPUT_SDVO = 3, + INTEL_OUTPUT_LVDS = 4, + INTEL_OUTPUT_TVOUT = 5, + INTEL_OUTPUT_HDMI = 6, + INTEL_OUTPUT_DP = 7, + INTEL_OUTPUT_EDP = 8, + INTEL_OUTPUT_DSI = 9, + INTEL_OUTPUT_DDI = 10, + INTEL_OUTPUT_DP_MST = 11, +}; + +enum intel_hotplug_state { + INTEL_HOTPLUG_UNCHANGED = 0, + INTEL_HOTPLUG_CHANGED = 1, + INTEL_HOTPLUG_RETRY = 2, +}; + +struct intel_connector; + +struct intel_encoder { + struct drm_encoder base; + enum intel_output_type type; + enum port port; + u16 cloneable; + u8 pipe_mask; + enum intel_hotplug_state (*hotplug)(struct intel_encoder *, struct intel_connector *, bool); + enum intel_output_type (*compute_output_type)(struct intel_encoder *, struct intel_crtc_state *, struct drm_connector_state *); + int (*compute_config)(struct intel_encoder *, struct intel_crtc_state *, struct drm_connector_state *); + void (*update_prepare)(struct intel_atomic_state *, struct intel_encoder *, struct intel_crtc *); + void (*pre_pll_enable)(struct intel_encoder *, const struct intel_crtc_state *, const struct drm_connector_state *); + void (*pre_enable)(struct intel_encoder *, const struct intel_crtc_state *, const struct drm_connector_state *); + void (*enable)(struct intel_encoder *, const struct intel_crtc_state *, const struct drm_connector_state *); + void (*update_complete)(struct intel_atomic_state *, struct intel_encoder *, struct intel_crtc *); + void (*disable)(struct intel_encoder *, const struct intel_crtc_state *, const struct drm_connector_state *); + void (*post_disable)(struct intel_encoder *, const struct intel_crtc_state *, const struct drm_connector_state *); + void (*post_pll_disable)(struct intel_encoder *, const struct intel_crtc_state *, const struct drm_connector_state *); + void (*update_pipe)(struct intel_encoder *, const struct intel_crtc_state *, const struct drm_connector_state *); + bool (*get_hw_state)(struct intel_encoder *, enum pipe *); + void (*get_config)(struct intel_encoder *, struct intel_crtc_state *); + void (*get_power_domains)(struct intel_encoder *, struct intel_crtc_state *); + void (*suspend)(struct intel_encoder *); + enum hpd_pin hpd_pin; + enum intel_display_power_domain power_domain; + const struct drm_connector *audio_connector; +}; + +struct intel_dp_compliance_data { + long unsigned int edid; + u8 video_pattern; + u16 hdisplay; + u16 vdisplay; + u8 bpc; +}; + +struct intel_dp_compliance { + long unsigned int test_type; + struct intel_dp_compliance_data test_data; + bool test_active; + int test_link_rate; + u8 test_lane_count; +}; + +struct intel_dp_mst_encoder; + +struct intel_dp { + i915_reg_t output_reg; + u32 DP; + int link_rate; + u8 lane_count; + u8 sink_count; + bool link_mst; + bool link_trained; + bool has_audio; + bool reset_link_params; + u8 dpcd[15]; + u8 psr_dpcd[2]; + u8 downstream_ports[16]; + u8 edp_dpcd[3]; + u8 dsc_dpcd[15]; + u8 fec_capable; + short: 16; + int num_source_rates; + int: 32; + const int *source_rates; + int num_sink_rates; + int sink_rates[8]; + bool use_rate_select; + int: 24; + int num_common_rates; + int common_rates[8]; + int max_link_lane_count; + int max_link_rate; + struct drm_dp_desc desc; + int: 32; + struct drm_dp_aux aux; + u32 aux_busy_last_status; + u8 train_set[4]; + int panel_power_up_delay; + int panel_power_down_delay; + int panel_power_cycle_delay; + int backlight_on_delay; + int backlight_off_delay; + int: 32; + struct delayed_work panel_vdd_work; + bool want_panel_vdd; + long: 56; + long unsigned int last_power_on; + long unsigned int last_backlight_off; + ktime_t panel_power_off_time; + struct notifier_block edp_notifier; + enum pipe pps_pipe; + enum pipe active_pipe; + bool pps_reset; + struct edp_power_seq pps_delays; + bool can_mst; + bool is_mst; + int: 24; + int active_mst_links; + struct { + i915_reg_t dp_tp_ctl; + i915_reg_t dp_tp_status; + } regs; + int: 32; + struct intel_connector *attached_connector; + struct intel_dp_mst_encoder *mst_encoders[4]; + struct drm_dp_mst_topology_mgr mst_mgr; + u32 (*get_aux_clock_divider)(struct intel_dp *, int); + u32 (*get_aux_send_ctl)(struct intel_dp *, int, u32); + i915_reg_t (*aux_ch_ctl_reg)(struct intel_dp *); + i915_reg_t (*aux_ch_data_reg)(struct intel_dp *, int); + void (*prepare_link_retrain)(struct intel_dp *); + struct intel_dp_compliance compliance; + bool force_dsc_en; + long: 56; +} __attribute__((packed)); + +struct child_device_config { + u16 handle; + u16 device_type; + union { + u8 device_id[10]; + struct { + u8 i2c_speed; + u8 dp_onboard_redriver; + u8 dp_ondock_redriver; + u8 hdmi_level_shifter_value: 5; + u8 hdmi_max_data_rate: 3; + u16 dtd_buf_ptr; + u8 edidless_efp: 1; + u8 compression_enable: 1; + u8 compression_method: 1; + u8 ganged_edp: 1; + u8 reserved0: 4; + u8 compression_structure_index: 4; + u8 reserved1: 4; + u8 slave_port; + u8 reserved2; + }; + }; + u16 addin_offset; + u8 dvo_port; + u8 i2c_pin; + u8 slave_addr; + u8 ddc_pin; + u16 edid_ptr; + u8 dvo_cfg; + union { + struct { + u8 dvo2_port; + u8 i2c2_pin; + u8 slave2_addr; + u8 ddc2_pin; + }; + struct { + u8 efp_routed: 1; + u8 lane_reversal: 1; + u8 lspcon: 1; + u8 iboost: 1; + u8 hpd_invert: 1; + u8 use_vbt_vswing: 1; + u8 flag_reserved: 2; + u8 hdmi_support: 1; + u8 dp_support: 1; + u8 tmds_support: 1; + u8 support_reserved: 5; + u8 aux_channel; + u8 dongle_detect; + }; + }; + u8 pipe_cap: 2; + u8 sdvo_stall: 1; + u8 hpd_status: 2; + u8 integrated_encoder: 1; + u8 capabilities_reserved: 2; + u8 dvo_wiring; + union { + u8 dvo2_wiring; + u8 mipi_bridge_type; + }; + u16 extended_type; + u8 dvo_function; + u8 dp_usb_type_c: 1; + u8 tbt: 1; + u8 flags2_reserved: 2; + u8 dp_port_trace_length: 4; + u8 dp_gpio_index; + u16 dp_gpio_pin_num; + u8 dp_iboost_level: 4; + u8 hdmi_iboost_level: 4; + u8 dp_max_link_rate: 2; + u8 dp_max_link_rate_reserved: 6; +} __attribute__((packed)); + +struct intel_dpll_mgr { + const struct dpll_info *dpll_info; + bool (*get_dplls)(struct intel_atomic_state *, struct intel_crtc *, struct intel_encoder *); + void (*put_dplls)(struct intel_atomic_state *, struct intel_crtc *); + void (*update_active_dpll)(struct intel_atomic_state *, struct intel_crtc *, struct intel_encoder *); + void (*dump_hw_state)(struct drm_i915_private *, const struct intel_dpll_hw_state *); +}; + +struct intel_fbdev { + struct drm_fb_helper helper; + struct intel_framebuffer *fb; + struct i915_vma *vma; + long unsigned int vma_flags; + async_cookie_t cookie; + int preferred_bpp; + bool hpd_suspended: 1; + bool hpd_waiting: 1; + struct mutex hpd_lock; +}; + +struct vlv_s0ix_state { + u32 wr_watermark; + u32 gfx_prio_ctrl; + u32 arb_mode; + u32 gfx_pend_tlb0; + u32 gfx_pend_tlb1; + u32 lra_limits[13]; + u32 media_max_req_count; + u32 gfx_max_req_count; + u32 render_hwsp; + u32 ecochk; + u32 bsd_hwsp; + u32 blt_hwsp; + u32 tlb_rd_addr; + u32 g3dctl; + u32 gsckgctl; + u32 mbctl; + u32 ucgctl1; + u32 ucgctl3; + u32 rcgctl1; + u32 rcgctl2; + u32 rstctl; + u32 misccpctl; + u32 gfxpause; + u32 rpdeuhwtc; + u32 rpdeuc; + u32 ecobus; + u32 pwrdwnupctl; + u32 rp_down_timeout; + u32 rp_deucsw; + u32 rcubmabdtmr; + u32 rcedata; + u32 spare2gh; + u32 gt_imr; + u32 gt_ier; + u32 pm_imr; + u32 pm_ier; + u32 gt_scratch[8]; + u32 tilectl; + u32 gt_fifoctl; + u32 gtlc_wake_ctrl; + u32 gtlc_survive; + u32 pmwgicz; + u32 gu_ctl0; + u32 gu_ctl1; + u32 pcbr; + u32 clock_gate_dis2; +}; + +struct dram_dimm_info { + u8 size; + u8 width; + u8 ranks; +}; + +struct dram_channel_info { + struct dram_dimm_info dimm_l; + struct dram_dimm_info dimm_s; + u8 ranks; + bool is_16gb_dimm; +}; + +struct intel_framebuffer { + struct drm_framebuffer base; + struct intel_frontbuffer *frontbuffer; + struct intel_rotation_info rot_info; + struct { + unsigned int x; + unsigned int y; + } normal[2]; + struct { + unsigned int x; + unsigned int y; + unsigned int pitch; + } rotated[2]; +}; + +struct pwm_device; + +struct intel_panel { + struct drm_display_mode *fixed_mode; + struct drm_display_mode *downclock_mode; + struct { + bool present; + u32 level; + u32 min; + u32 max; + bool enabled; + bool combination_mode; + bool active_low_pwm; + bool alternate_pwm_increment; + bool util_pin_active_low; + u8 controller; + struct pwm_device *pwm; + struct backlight_device *device; + int (*setup)(struct intel_connector *, enum pipe); + u32 (*get)(struct intel_connector *); + void (*set)(const struct drm_connector_state *, u32); + void (*disable)(const struct drm_connector_state *); + void (*enable)(const struct intel_crtc_state *, const struct drm_connector_state *); + u32 (*hz_to_pwm)(struct intel_connector *, u32); + void (*power)(struct intel_connector *, bool); + } backlight; +}; + +struct intel_hdcp_shim; + +struct intel_hdcp { + const struct intel_hdcp_shim *shim; + struct mutex mutex; + u64 value; + struct delayed_work check_work; + struct work_struct prop_work; + bool hdcp_encrypted; + bool hdcp2_supported; + bool hdcp2_encrypted; + u8 content_type; + struct hdcp_port_data port_data; + bool is_paired; + bool is_repeater; + u32 seq_num_v; + u32 seq_num_m; + wait_queue_head_t cp_irq_queue; + atomic_t cp_irq_count; + int cp_irq_count_cached; + enum transcoder cpu_transcoder; +}; + +struct intel_connector { + struct drm_connector base; + struct intel_encoder *encoder; + u32 acpi_device_id; + bool (*get_hw_state)(struct intel_connector *); + struct intel_panel panel; + struct edid *edid; + struct edid *detect_edid; + u8 polled; + void *port; + struct intel_dp *mst_port; + struct work_struct modeset_retry_work; + struct intel_hdcp hdcp; +}; + +struct intel_digital_port; + +struct intel_hdcp_shim { + int (*write_an_aksv)(struct intel_digital_port *, u8 *); + int (*read_bksv)(struct intel_digital_port *, u8 *); + int (*read_bstatus)(struct intel_digital_port *, u8 *); + int (*repeater_present)(struct intel_digital_port *, bool *); + int (*read_ri_prime)(struct intel_digital_port *, u8 *); + int (*read_ksv_ready)(struct intel_digital_port *, bool *); + int (*read_ksv_fifo)(struct intel_digital_port *, int, u8 *); + int (*read_v_prime_part)(struct intel_digital_port *, int, u32 *); + int (*toggle_signalling)(struct intel_digital_port *, bool); + bool (*check_link)(struct intel_digital_port *); + int (*hdcp_capable)(struct intel_digital_port *, bool *); + enum hdcp_wired_protocol protocol; + int (*hdcp_2_2_capable)(struct intel_digital_port *, bool *); + int (*write_2_2_msg)(struct intel_digital_port *, void *, size_t); + int (*read_2_2_msg)(struct intel_digital_port *, u8, void *, size_t); + int (*config_stream_type)(struct intel_digital_port *, bool, u8); + int (*check_2_2_link)(struct intel_digital_port *); +}; + +struct cec_notifier; + +struct intel_hdmi { + i915_reg_t hdmi_reg; + int ddc_bus; + struct { + enum drm_dp_dual_mode_type type; + int max_tmds_clock; + } dp_dual_mode; + bool has_hdmi_sink; + bool has_audio; + struct intel_connector *attached_connector; + struct cec_notifier *cec_notifier; +}; + +enum lspcon_vendor { + LSPCON_VENDOR_MCA = 0, + LSPCON_VENDOR_PARADE = 1, +}; + +struct intel_lspcon { + bool active; + enum drm_lspcon_mode mode; + enum lspcon_vendor vendor; +}; + +struct intel_digital_port { + struct intel_encoder base; + u32 saved_port_bits; + struct intel_dp dp; + struct intel_hdmi hdmi; + struct intel_lspcon lspcon; + enum irqreturn (*hpd_pulse)(struct intel_digital_port *, bool); + bool release_cl2_override; + u8 max_lanes; + enum aux_ch aux_ch; + enum intel_display_power_domain ddi_io_power_domain; + struct mutex tc_lock; + intel_wakeref_t tc_lock_wakeref; + int tc_link_refcount; + bool tc_legacy_port: 1; + char tc_port_name[8]; + enum tc_port_mode tc_mode; + enum phy_fia tc_phy_fia; + u8 tc_phy_fia_idx; + void (*write_infoframe)(struct intel_encoder *, const struct intel_crtc_state *, unsigned int, const void *, ssize_t); + void (*read_infoframe)(struct intel_encoder *, const struct intel_crtc_state *, unsigned int, void *, ssize_t); + void (*set_infoframes)(struct intel_encoder *, bool, const struct intel_crtc_state *, const struct drm_connector_state *); + u32 (*infoframes_enabled)(struct intel_encoder *, const struct intel_crtc_state *); +}; + +enum vlv_wm_level { + VLV_WM_LEVEL_PM2 = 0, + VLV_WM_LEVEL_PM5 = 1, + VLV_WM_LEVEL_DDR_DVFS = 2, + NUM_VLV_WM_LEVELS = 3, +}; + +enum g4x_wm_level { + G4X_WM_LEVEL_NORMAL = 0, + G4X_WM_LEVEL_SR = 1, + G4X_WM_LEVEL_HPLL = 2, + NUM_G4X_WM_LEVELS = 3, +}; + +struct intel_dp_mst_encoder { + struct intel_encoder base; + enum pipe pipe; + struct intel_digital_port *primary; + struct intel_connector *connector; +}; + +enum tc_port { + PORT_TC_NONE = -1, + PORT_TC1 = 0, + PORT_TC2 = 1, + PORT_TC3 = 2, + PORT_TC4 = 3, + PORT_TC5 = 4, + PORT_TC6 = 5, + I915_MAX_TC_PORTS = 6, +}; + +typedef bool (*long_pulse_detect_func)(enum hpd_pin, u32); + +enum drm_i915_gem_engine_class { + I915_ENGINE_CLASS_RENDER = 0, + I915_ENGINE_CLASS_COPY = 1, + I915_ENGINE_CLASS_VIDEO = 2, + I915_ENGINE_CLASS_VIDEO_ENHANCE = 3, + I915_ENGINE_CLASS_INVALID = -1, +}; + +struct drm_i915_getparam { + __s32 param; + int *value; +}; + +typedef struct drm_i915_getparam drm_i915_getparam_t; + +enum vga_switcheroo_state { + VGA_SWITCHEROO_OFF = 0, + VGA_SWITCHEROO_ON = 1, + VGA_SWITCHEROO_NOT_FOUND = 2, +}; + +enum vga_switcheroo_client_id { + VGA_SWITCHEROO_UNKNOWN_ID = 4096, + VGA_SWITCHEROO_IGD = 0, + VGA_SWITCHEROO_DIS = 1, + VGA_SWITCHEROO_MAX_CLIENTS = 2, +}; + +struct vga_switcheroo_client_ops { + void (*set_gpu_state)(struct pci_dev *, enum vga_switcheroo_state); + void (*reprobe)(struct pci_dev *); + bool (*can_switch)(struct pci_dev *); + void (*gpu_bound)(struct pci_dev *, enum vga_switcheroo_client_id); +}; + +enum { + VLV_IOSF_SB_BUNIT = 0, + VLV_IOSF_SB_CCK = 1, + VLV_IOSF_SB_CCU = 2, + VLV_IOSF_SB_DPIO = 3, + VLV_IOSF_SB_FLISDSI = 4, + VLV_IOSF_SB_GPIO = 5, + VLV_IOSF_SB_NC = 6, + VLV_IOSF_SB_PUNIT = 7, +}; + +struct intel_css_header { + u32 module_type; + u32 header_len; + u32 header_ver; + u32 module_id; + u32 module_vendor; + u32 date; + u32 size; + u32 key_size; + u32 modulus_size; + u32 exponent_size; + u32 reserved1[12]; + u32 version; + u32 reserved2[8]; + u32 kernel_header_info; +}; + +struct intel_fw_info { + u8 reserved1; + u8 dmc_id; + char stepping; + char substepping; + u32 offset; + u32 reserved2; +}; + +struct intel_package_header { + u8 header_len; + u8 header_ver; + u8 reserved[10]; + u32 num_entries; +}; + +struct intel_dmc_header_base { + u32 signature; + u8 header_len; + u8 header_ver; + u16 dmcc_ver; + u32 project; + u32 fw_size; + u32 fw_version; +}; + +struct intel_dmc_header_v1 { + struct intel_dmc_header_base base; + u32 mmio_count; + u32 mmioaddr[8]; + u32 mmiodata[8]; + char dfile[32]; + u32 reserved1[2]; +}; + +struct intel_dmc_header_v3 { + struct intel_dmc_header_base base; + u32 start_mmioaddr; + u32 reserved[9]; + char dfile[32]; + u32 mmio_count; + u32 mmioaddr[20]; + u32 mmiodata[20]; +}; + +struct stepping_info { + char stepping; + char substepping; +}; + +enum intel_memory_type { + INTEL_MEMORY_SYSTEM = 0, + INTEL_MEMORY_LOCAL = 1, + INTEL_MEMORY_STOLEN = 2, +}; + +struct drm_intel_sprite_colorkey { + __u32 plane_id; + __u32 min_value; + __u32 channel_mask; + __u32 max_value; + __u32 flags; +}; + +typedef struct { + u32 val; +} uint_fixed_16_16_t; + +struct skl_wm_params { + bool x_tiled; + bool y_tiled; + bool rc_surface; + bool is_planar; + u32 width; + u8 cpp; + u32 plane_pixel_rate; + u32 y_min_scanlines; + u32 plane_bytes_per_line; + uint_fixed_16_16_t plane_blocks_per_line; + uint_fixed_16_16_t y_tile_minimum; + u32 linetime_us; + u32 dbuf_block_size; +}; + +struct intel_wm_config { + unsigned int num_pipes_active; + bool sprites_enabled; + bool sprites_scaled; +}; + +struct intel_plane; + +struct intel_plane_state { + struct drm_plane_state base; + struct i915_ggtt_view view; + struct i915_vma *vma; + long unsigned int flags; + struct { + u32 offset; + u32 stride; + int x; + int y; + } color_plane[2]; + u32 ctl; + u32 color_ctl; + int scaler_id; + struct intel_plane *planar_linked_plane; + u32 planar_slave; + struct drm_intel_sprite_colorkey ckey; +}; + +struct intel_plane { + struct drm_plane base; + enum i9xx_plane_id i9xx_plane; + enum plane_id id; + enum pipe pipe; + bool has_fbc; + bool has_ccs; + u32 frontbuffer_bit; + struct { + u32 base; + u32 cntl; + u32 size; + } cursor; + unsigned int (*max_stride)(struct intel_plane *, u32, u64, unsigned int); + void (*update_plane)(struct intel_plane *, const struct intel_crtc_state *, const struct intel_plane_state *); + void (*update_slave)(struct intel_plane *, const struct intel_crtc_state *, const struct intel_plane_state *); + void (*disable_plane)(struct intel_plane *, const struct intel_crtc_state *); + bool (*get_hw_state)(struct intel_plane *, enum pipe *); + int (*check_plane)(struct intel_crtc_state *, struct intel_plane_state *); + int (*min_cdclk)(const struct intel_crtc_state *, const struct intel_plane_state *); +}; + +struct intel_watermark_params { + u16 fifo_size; + u16 max_wm; + u8 default_wm; + u8 guard_size; + u8 cacheline_size; +}; + +struct cxsr_latency { + bool is_desktop: 1; + bool is_ddr3: 1; + u16 fsb_freq; + u16 mem_freq; + u16 display_sr; + u16 display_hpll_disable; + u16 cursor_sr; + u16 cursor_hpll_disable; +}; + +struct ilk_wm_maximums { + u16 pri; + u16 spr; + u16 cur; + u16 fbc; +}; + +enum intel_sbi_destination { + SBI_ICLK = 0, + SBI_MPHY = 1, +}; + +struct drm_i915_reg_read { + __u64 offset; + __u64 val; +}; + +enum ack_type { + ACK_CLEAR = 0, + ACK_SET = 1, +}; + +struct reg_whitelist { + i915_reg_t offset_ldw; + i915_reg_t offset_udw; + u16 gen_mask; + u8 size; +}; + +struct remap_pfn { + struct mm_struct *mm; + long unsigned int pfn; + pgprot_t prot; +}; + +enum i915_sw_fence_notify { + FENCE_COMPLETE = 0, + FENCE_FREE = 1, +}; + +typedef int (*i915_sw_fence_notify_t)(struct i915_sw_fence *, enum i915_sw_fence_notify); + +enum { + DEBUG_FENCE_IDLE = 0, + DEBUG_FENCE_NOTIFY = 1, +}; + +struct i915_sw_dma_fence_cb_timer { + struct i915_sw_dma_fence_cb base; + struct dma_fence *dma; + struct timer_list timer; + struct irq_work work; + struct callback_head rcu; +}; + +struct dma_fence_work; + +struct dma_fence_work_ops { + const char *name; + int (*work)(struct dma_fence_work *); + void (*release)(struct dma_fence_work *); +}; + +struct dma_fence_work { + struct dma_fence dma; + spinlock_t lock; + struct i915_sw_fence chain; + struct i915_sw_dma_fence_cb cb; + struct work_struct work; + const struct dma_fence_work_ops *ops; +}; + +struct i915_syncmap___2 { + u64 prefix; + unsigned int height; + unsigned int bitmap; + struct i915_syncmap___2 *parent; +}; + +struct i915_user_extension { + __u64 next_extension; + __u32 name; + __u32 flags; + __u32 rsvd[4]; +}; + +typedef int (*i915_user_extension_fn)(struct i915_user_extension *, void *); + +struct drm_i915_getparam32 { + s32 param; + u32 value; +}; + +struct i915_gem_engines_iter { + unsigned int idx; + const struct i915_gem_engines *engines; +}; + +struct guc_execlist_context { + u32 context_desc; + u32 context_id; + u32 ring_status; + u32 ring_lrca; + u32 ring_begin; + u32 ring_end; + u32 ring_next_free_location; + u32 ring_current_tail_pointer_value; + u8 engine_state_submit_value; + u8 engine_state_wait_value; + u16 pagefault_count; + u16 engine_submit_queue_count; +} __attribute__((packed)); + +struct guc_stage_desc { + u32 sched_common_area; + u32 stage_id; + u32 pas_id; + u8 engines_used; + u64 db_trigger_cpu; + u32 db_trigger_uk; + u64 db_trigger_phy; + u16 db_id; + struct guc_execlist_context lrc[5]; + u8 attribute; + u32 priority; + u32 wq_sampled_tail_offset; + u32 wq_total_submit_enqueues; + u32 process_desc; + u32 wq_addr; + u32 wq_size; + u32 engine_presence; + u8 engine_suspended; + u8 reserved0[3]; + u64 reserved1[1]; + u64 desc_private; +} __attribute__((packed)); + +enum i915_map_type { + I915_MAP_WB = 0, + I915_MAP_WC = 1, + I915_MAP_FORCE_WB = -2147483648, + I915_MAP_FORCE_WC = -2147483647, +}; + +struct intel_guc_client { + struct i915_vma *vma; + void *vaddr; + struct intel_guc *guc; + u32 priority; + u32 stage_id; + u32 proc_desc_offset; + u16 doorbell_id; + long unsigned int doorbell_offset; + spinlock_t wq_lock; +}; + +struct file_stats { + struct i915_address_space *vm; + long unsigned int count; + u64 total; + u64 unbound; + u64 active; + u64 inactive; + u64 closed; +}; + +struct i915_debugfs_files { + const char *name; + const struct file_operations *fops; +}; + +struct dpcd_block { + unsigned int offset; + unsigned int end; + size_t size; + bool edp; +}; + +struct i915_str_attribute { + struct device_attribute attr; + const char *str; +}; + +struct i915_ext_attribute { + struct device_attribute attr; + long unsigned int val; +}; + +enum { + I915_FENCE_FLAG_ACTIVE = 3, + I915_FENCE_FLAG_SIGNAL = 4, +}; + +typedef void (*i915_global_func_t)(); + +struct i915_global { + struct list_head link; + i915_global_func_t shrink; + i915_global_func_t exit; +}; + +struct i915_global_context { + struct i915_global base; + struct kmem_cache *slab_ce; +}; + +struct engine_mmio_base { + u32 gen: 8; + u32 base: 24; +}; + +struct engine_info { + unsigned int hw_id; + u8 class; + u8 instance; + struct engine_mmio_base mmio_bases[3]; +}; + +struct measure_breadcrumb { + struct i915_request rq; + struct intel_timeline timeline; + struct intel_ring ring; + u32 cs[1024]; +}; + +enum { + I915_PRIORITY_MIN = -1024, + I915_PRIORITY_NORMAL = 0, + I915_PRIORITY_MAX = 1024, + I915_PRIORITY_HEARTBEAT = 1025, + I915_PRIORITY_DISPLAY = 1026, +}; + +struct intel_engine_pool_node { + struct i915_active active; + struct drm_i915_gem_object *obj; + struct list_head link; + struct intel_engine_pool *pool; +}; + +struct legacy_ring { + struct intel_gt *gt; + u8 class; + u8 instance; +}; + +struct ia_constants { + unsigned int min_gpu_freq; + unsigned int max_gpu_freq; + unsigned int min_ring_freq; + unsigned int max_ia_freq; +}; + +enum { + INTEL_ADVANCED_CONTEXT = 0, + INTEL_LEGACY_32B_CONTEXT = 1, + INTEL_ADVANCED_AD_CONTEXT = 2, + INTEL_LEGACY_64B_CONTEXT = 3, +}; + +enum { + INTEL_CONTEXT_SCHEDULE_IN = 0, + INTEL_CONTEXT_SCHEDULE_OUT = 1, + INTEL_CONTEXT_SCHEDULE_PREEMPTED = 2, +}; + +enum intel_gt_scratch_field { + INTEL_GT_SCRATCH_FIELD_DEFAULT = 0, + INTEL_GT_SCRATCH_FIELD_RENDER_FLUSH = 128, + INTEL_GT_SCRATCH_FIELD_COHERENTL3_WA = 256, + INTEL_GT_SCRATCH_FIELD_PERF_CS_GPR = 2048, + INTEL_GT_SCRATCH_FIELD_PERF_PREDICATE_RESULT_1 = 2096, +}; + +struct ve_node { + struct rb_node rb; + int prio; +}; + +struct ve_bond { + const struct intel_engine_cs *master; + intel_engine_mask_t sibling_mask; +}; + +struct virtual_engine { + struct intel_engine_cs base; + struct intel_context context; + struct i915_request *request; + struct ve_node nodes[8]; + struct ve_bond *bonds; + unsigned int num_bonds; + unsigned int num_siblings; + struct intel_engine_cs *siblings[0]; +}; + +struct lri { + i915_reg_t reg; + u32 value; +}; + +typedef u32 * (*wa_bb_func_t)(struct intel_engine_cs *, u32 *); + +enum i915_mocs_table_index { + I915_MOCS_UNCACHED = 0, + I915_MOCS_PTE = 1, + I915_MOCS_CACHED = 2, +}; + +struct drm_i915_mocs_entry { + u32 control_value; + u16 l3cc_value; + u16 used; +}; + +struct drm_i915_mocs_table { + unsigned int size; + unsigned int n_entries; + const struct drm_i915_mocs_entry *table; +}; + +struct intel_renderstate_rodata { + const u32 *reloc; + const u32 *batch; + const u32 batch_items; +}; + +struct intel_renderstate { + const struct intel_renderstate_rodata *rodata; + struct drm_i915_gem_object *obj; + struct i915_vma *vma; + u32 batch_offset; + u32 batch_size; + u32 aux_offset; + u32 aux_size; +}; + +struct intel_wedge_me { + struct delayed_work work; + struct intel_gt *gt; + const char *name; +}; + +typedef int (*reset_func)(struct intel_gt *, intel_engine_mask_t, unsigned int); + +struct cparams { + u16 i; + u16 t; + u16 m; + u16 c; +}; + +struct intel_timeline_hwsp; + +struct intel_timeline_cacheline { + struct i915_active active; + struct intel_timeline_hwsp *hwsp; + void *vaddr; +}; + +struct intel_timeline_hwsp { + struct intel_gt *gt; + struct intel_gt_timelines *gt_timelines; + struct list_head free_link; + struct i915_vma *vma; + u64 free_bitmap; +}; + +struct drm_i915_gem_busy { + __u32 handle; + __u32 busy; +}; + +enum fb_op_origin { + ORIGIN_GTT = 0, + ORIGIN_CPU = 1, + ORIGIN_CS = 2, + ORIGIN_FLIP = 3, + ORIGIN_DIRTYFB = 4, +}; + +struct clflush { + struct dma_fence_work base; + struct drm_i915_gem_object *obj; +}; + +struct i915_sleeve { + struct i915_vma *vma; + struct drm_i915_gem_object *obj; + struct sg_table *pages; + struct i915_page_sizes page_sizes; +}; + +struct clear_pages_work { + struct dma_fence dma; + struct dma_fence_cb cb; + struct i915_sw_fence wait; + struct work_struct work; + struct irq_work irq_work; + struct i915_sleeve *sleeve; + struct intel_context *ce; + u32 value; +}; + +struct i915_engine_class_instance { + __u16 engine_class; + __u16 engine_instance; +}; + +struct drm_i915_gem_context_create_ext { + __u32 ctx_id; + __u32 flags; + __u64 extensions; +}; + +struct drm_i915_gem_context_param { + __u32 ctx_id; + __u32 size; + __u64 param; + __u64 value; +}; + +struct drm_i915_gem_context_param_sseu { + struct i915_engine_class_instance engine; + __u32 flags; + __u64 slice_mask; + __u64 subslice_mask; + __u16 min_eus_per_subslice; + __u16 max_eus_per_subslice; + __u32 rsvd; +}; + +struct i915_context_engines_load_balance { + struct i915_user_extension base; + __u16 engine_index; + __u16 num_siblings; + __u32 flags; + __u64 mbz64; + struct i915_engine_class_instance engines[0]; +}; + +struct i915_context_engines_bond { + struct i915_user_extension base; + struct i915_engine_class_instance master; + __u16 virtual_index; + __u16 num_bonds; + __u64 flags; + __u64 mbz64[4]; + struct i915_engine_class_instance engines[0]; +}; + +struct i915_context_param_engines { + __u64 extensions; + struct i915_engine_class_instance engines[0]; +}; + +struct drm_i915_gem_context_create_ext_setparam { + struct i915_user_extension base; + struct drm_i915_gem_context_param param; +}; + +struct drm_i915_gem_context_create_ext_clone { + struct i915_user_extension base; + __u32 clone_id; + __u32 flags; + __u64 rsvd; +}; + +struct drm_i915_gem_context_destroy { + __u32 ctx_id; + __u32 pad; +}; + +struct drm_i915_gem_vm_control { + __u64 extensions; + __u32 flags; + __u32 vm_id; +}; + +struct drm_i915_reset_stats { + __u32 ctx_id; + __u32 flags; + __u32 reset_count; + __u32 batch_active; + __u32 batch_pending; + __u32 pad; +}; + +struct radix_tree_iter { + long unsigned int index; + long unsigned int next_index; + long unsigned int tags; + struct xa_node *node; +}; + +enum { + RADIX_TREE_ITER_TAG_MASK = 15, + RADIX_TREE_ITER_TAGGED = 16, + RADIX_TREE_ITER_CONTIG = 32, +}; + +struct i915_lut_handle { + struct list_head obj_link; + struct i915_gem_context *ctx; + u32 handle; +}; + +struct i915_global_gem_context { + struct i915_global base; + struct kmem_cache *slab_luts; +}; + +struct context_barrier_task { + struct i915_active base; + void (*task)(void *); + void *data; +}; + +struct set_engines { + struct i915_gem_context *ctx; + struct i915_gem_engines *engines; +}; + +struct create_ext { + struct i915_gem_context *ctx; + struct drm_i915_file_private *fpriv; +}; + +struct drm_i915_gem_set_domain { + __u32 handle; + __u32 read_domains; + __u32 write_domain; +}; + +struct drm_i915_gem_caching { + __u32 handle; + __u32 caching; +}; + +struct i915_vma_work; + +struct drm_i915_gem_relocation_entry { + __u32 target_handle; + __u32 delta; + __u64 offset; + __u64 presumed_offset; + __u32 read_domains; + __u32 write_domain; +}; + +struct drm_i915_gem_exec_object { + __u32 handle; + __u32 relocation_count; + __u64 relocs_ptr; + __u64 alignment; + __u64 offset; +}; + +struct drm_i915_gem_execbuffer { + __u64 buffers_ptr; + __u32 buffer_count; + __u32 batch_start_offset; + __u32 batch_len; + __u32 DR1; + __u32 DR4; + __u32 num_cliprects; + __u64 cliprects_ptr; +}; + +struct drm_i915_gem_exec_object2 { + __u32 handle; + __u32 relocation_count; + __u64 relocs_ptr; + __u64 alignment; + __u64 offset; + __u64 flags; + union { + __u64 rsvd1; + __u64 pad_to_size; + }; + __u64 rsvd2; +}; + +struct drm_i915_gem_exec_fence { + __u32 handle; + __u32 flags; +}; + +struct drm_i915_gem_execbuffer2 { + __u64 buffers_ptr; + __u32 buffer_count; + __u32 batch_start_offset; + __u32 batch_len; + __u32 DR1; + __u32 DR4; + __u32 num_cliprects; + __u64 cliprects_ptr; + __u64 flags; + __u64 rsvd1; + __u64 rsvd2; +}; + +enum { + FORCE_CPU_RELOC = 1, + FORCE_GTT_RELOC = 2, + FORCE_GPU_RELOC = 3, +}; + +struct reloc_cache { + struct drm_mm_node node; + long unsigned int vaddr; + long unsigned int page; + unsigned int gen; + bool use_64bit_reloc: 1; + bool has_llc: 1; + bool has_fence: 1; + bool needs_unfenced: 1; + struct intel_context *ce; + struct i915_request *rq; + u32 *rq_cmd; + unsigned int rq_size; +}; + +struct i915_execbuffer { + struct drm_i915_private *i915; + struct drm_file *file; + struct drm_i915_gem_execbuffer2 *args; + struct drm_i915_gem_exec_object2 *exec; + struct i915_vma **vma; + unsigned int *flags; + struct intel_engine_cs *engine; + struct intel_context *context; + struct i915_gem_context *gem_context; + struct i915_request *request; + struct i915_vma *batch; + unsigned int buffer_count; + struct list_head unbound; + struct list_head relocs; + struct reloc_cache reloc_cache; + u64 invalid_flags; + u32 context_flags; + u32 batch_start_offset; + u32 batch_len; + u32 batch_flags; + int lut_size; + struct hlist_head *buckets; +}; + +struct stub_fence { + struct dma_fence dma; + struct i915_sw_fence chain; +}; + +enum i915_mm_subclass { + I915_MM_NORMAL = 0, + I915_MM_SHRINKER = 1, +}; + +struct i915_global_object { + struct i915_global base; + struct kmem_cache *slab_objects; +}; + +struct drm_i915_gem_mmap { + __u32 handle; + __u32 pad; + __u64 offset; + __u64 size; + __u64 addr_ptr; + __u64 flags; +}; + +struct drm_i915_gem_mmap_gtt { + __u32 handle; + __u32 pad; + __u64 offset; +}; + +struct sgt_iter { + struct scatterlist *sgp; + union { + long unsigned int pfn; + dma_addr_t dma; + }; + unsigned int curr; + unsigned int max; +}; + +struct drm_i915_gem_set_tiling { + __u32 handle; + __u32 tiling_mode; + __u32 stride; + __u32 swizzle_mode; +}; + +struct drm_i915_gem_get_tiling { + __u32 handle; + __u32 tiling_mode; + __u32 swizzle_mode; + __u32 phys_swizzle_mode; +}; + +struct drm_i915_gem_userptr { + __u64 user_ptr; + __u64 user_size; + __u32 flags; + __u32 handle; +}; + +struct i915_mmu_notifier; + +struct i915_mm_struct { + struct mm_struct *mm; + struct drm_i915_private *i915; + struct i915_mmu_notifier *mn; + struct hlist_node node; + struct kref kref; + struct work_struct work; +}; + +struct i915_mmu_object { + struct i915_mmu_notifier *mn; + struct drm_i915_gem_object *obj; + struct interval_tree_node it; +}; + +struct i915_mmu_notifier { + spinlock_t lock; + struct hlist_node node; + struct mmu_notifier mn; + struct rb_root_cached objects; + struct i915_mm_struct *mm; +}; + +struct get_pages_work { + struct work_struct work; + struct drm_i915_gem_object *obj; + struct task_struct *task; +}; + +struct dma_fence_array { + struct dma_fence base; + spinlock_t lock; + unsigned int num_fences; + atomic_t num_pending; + struct dma_fence **fences; + struct irq_work work; +}; + +struct drm_i915_gem_wait { + __u32 bo_handle; + __u32 flags; + __s64 timeout_ns; +}; + +struct active_node { + struct i915_active_fence base; + struct i915_active *ref; + struct rb_node node; + u64 timeline; +}; + +struct i915_global_active { + struct i915_global base; + struct kmem_cache *slab_cache; +}; + +struct i915_global_block { + struct i915_global base; + struct kmem_cache *slab_blocks; +}; + +struct drm_i915_cmd_descriptor { + u32 flags; + struct { + u32 value; + u32 mask; + } cmd; + union { + u32 fixed; + u32 mask; + } length; + struct { + u32 offset; + u32 mask; + u32 step; + } reg; + struct { + u32 offset; + u32 mask; + u32 expected; + u32 condition_offset; + u32 condition_mask; + } bits[3]; +}; + +struct drm_i915_cmd_table { + const struct drm_i915_cmd_descriptor *table; + int count; +}; + +struct drm_i915_reg_descriptor { + i915_reg_t addr; + u32 mask; + u32 value; +}; + +struct cmd_node { + const struct drm_i915_cmd_descriptor *desc; + struct hlist_node node; +}; + +typedef u32 gen6_pte_t; + +typedef u64 gen8_pte_t; + +struct gen6_ppgtt { + struct i915_ppgtt base; + struct i915_vma *vma; + gen6_pte_t *pd_addr; + atomic_t pin_count; + struct mutex pin_mutex; + bool scan_for_unused_pt; +}; + +enum vgt_g2v_type { + VGT_G2V_PPGTT_L3_PAGE_TABLE_CREATE = 2, + VGT_G2V_PPGTT_L3_PAGE_TABLE_DESTROY = 3, + VGT_G2V_PPGTT_L4_PAGE_TABLE_CREATE = 4, + VGT_G2V_PPGTT_L4_PAGE_TABLE_DESTROY = 5, + VGT_G2V_EXECLIST_CONTEXT_CREATE = 6, + VGT_G2V_EXECLIST_CONTEXT_DESTROY = 7, + VGT_G2V_MAX = 8, +}; + +struct sgt_dma { + struct scatterlist *sg; + dma_addr_t dma; + dma_addr_t max; +}; + +struct insert_page { + struct i915_address_space *vm; + dma_addr_t addr; + u64 offset; + enum i915_cache_level level; +}; + +struct insert_entries { + struct i915_address_space *vm; + struct i915_vma *vma; + enum i915_cache_level level; + u32 flags; +}; + +struct clear_range { + struct i915_address_space *vm; + u64 start; + u64 length; +}; + +struct drm_i915_gem_create { + __u64 size; + __u32 handle; + __u32 pad; +}; + +struct drm_i915_gem_pread { + __u32 handle; + __u32 pad; + __u64 offset; + __u64 size; + __u64 data_ptr; +}; + +struct drm_i915_gem_sw_finish { + __u32 handle; +}; + +struct drm_i915_gem_get_aperture { + __u64 aper_size; + __u64 aper_available_size; +}; + +struct drm_i915_gem_madvise { + __u32 handle; + __u32 madv; + __u32 retained; +}; + +struct park_work { + struct rcu_work work; + int epoch; +}; + +struct drm_i915_perf_oa_config { + char uuid[36]; + __u32 n_mux_regs; + __u32 n_boolean_regs; + __u32 n_flex_regs; + __u64 mux_regs_ptr; + __u64 boolean_regs_ptr; + __u64 flex_regs_ptr; +}; + +struct drm_i915_query_item { + __u64 query_id; + __s32 length; + __u32 flags; + __u64 data_ptr; +}; + +struct drm_i915_query { + __u32 num_items; + __u32 flags; + __u64 items_ptr; +}; + +struct drm_i915_query_topology_info { + __u16 flags; + __u16 max_slices; + __u16 max_subslices; + __u16 max_eus_per_subslice; + __u16 subslice_offset; + __u16 subslice_stride; + __u16 eu_offset; + __u16 eu_stride; + __u8 data[0]; +}; + +struct drm_i915_engine_info { + struct i915_engine_class_instance engine; + __u32 rsvd0; + __u64 flags; + __u64 capabilities; + __u64 rsvd1[4]; +}; + +struct drm_i915_query_engine_info { + __u32 num_engines; + __u32 rsvd[3]; + struct drm_i915_engine_info engines[0]; +}; + +struct drm_i915_query_perf_config { + union { + __u64 n_configs; + __u64 config; + char uuid[36]; + }; + __u32 flags; + __u8 data[0]; +}; + +struct execute_cb { + struct list_head link; + struct irq_work work; + struct i915_sw_fence *fence; + void (*hook)(struct i915_request *, struct dma_fence *); + struct i915_request *signal; +}; + +struct i915_global_request { + struct i915_global base; + struct kmem_cache *slab_requests; + struct kmem_cache *slab_dependencies; + struct kmem_cache *slab_execute_cbs; +}; + +struct request_wait { + struct dma_fence_cb cb; + struct task_struct *tsk; +}; + +struct i915_global_scheduler { + struct i915_global base; + struct kmem_cache *slab_dependencies; + struct kmem_cache *slab_priorities; +}; + +struct sched_cache { + struct list_head *priolist; +}; + +struct trace_event_raw_intel_pipe_enable { + struct trace_entry ent; + u32 frame[3]; + u32 scanline[3]; + enum pipe pipe; + char __data[0]; +}; + +struct trace_event_raw_intel_pipe_disable { + struct trace_entry ent; + u32 frame[3]; + u32 scanline[3]; + enum pipe pipe; + char __data[0]; +}; + +struct trace_event_raw_intel_pipe_crc { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + u32 crcs[5]; + char __data[0]; +}; + +struct trace_event_raw_intel_cpu_fifo_underrun { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + char __data[0]; +}; + +struct trace_event_raw_intel_pch_fifo_underrun { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + char __data[0]; +}; + +struct trace_event_raw_intel_memory_cxsr { + struct trace_entry ent; + u32 frame[3]; + u32 scanline[3]; + bool old; + bool new; + char __data[0]; +}; + +struct trace_event_raw_g4x_wm { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + u16 primary; + u16 sprite; + u16 cursor; + u16 sr_plane; + u16 sr_cursor; + u16 sr_fbc; + u16 hpll_plane; + u16 hpll_cursor; + u16 hpll_fbc; + bool cxsr; + bool hpll; + bool fbc; + char __data[0]; +}; + +struct trace_event_raw_vlv_wm { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + u32 level; + u32 cxsr; + u32 primary; + u32 sprite0; + u32 sprite1; + u32 cursor; + u32 sr_plane; + u32 sr_cursor; + char __data[0]; +}; + +struct trace_event_raw_vlv_fifo_size { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + u32 sprite0_start; + u32 sprite1_start; + u32 fifo_size; + char __data[0]; +}; + +struct trace_event_raw_intel_update_plane { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + int src[4]; + int dst[4]; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_intel_disable_plane { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_i915_pipe_update_start { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + u32 min; + u32 max; + char __data[0]; +}; + +struct trace_event_raw_i915_pipe_update_vblank_evaded { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + u32 min; + u32 max; + char __data[0]; +}; + +struct trace_event_raw_i915_pipe_update_end { + struct trace_entry ent; + enum pipe pipe; + u32 frame; + u32 scanline; + char __data[0]; +}; + +struct trace_event_raw_i915_gem_object_create { + struct trace_entry ent; + struct drm_i915_gem_object *obj; + u64 size; + char __data[0]; +}; + +struct trace_event_raw_i915_gem_shrink { + struct trace_entry ent; + int dev; + long unsigned int target; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_i915_vma_bind { + struct trace_entry ent; + struct drm_i915_gem_object *obj; + struct i915_address_space *vm; + u64 offset; + u64 size; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_i915_vma_unbind { + struct trace_entry ent; + struct drm_i915_gem_object *obj; + struct i915_address_space *vm; + u64 offset; + u64 size; + char __data[0]; +}; + +struct trace_event_raw_i915_gem_object_pwrite { + struct trace_entry ent; + struct drm_i915_gem_object *obj; + u64 offset; + u64 len; + char __data[0]; +}; + +struct trace_event_raw_i915_gem_object_pread { + struct trace_entry ent; + struct drm_i915_gem_object *obj; + u64 offset; + u64 len; + char __data[0]; +}; + +struct trace_event_raw_i915_gem_object_fault { + struct trace_entry ent; + struct drm_i915_gem_object *obj; + u64 index; + bool gtt; + bool write; + char __data[0]; +}; + +struct trace_event_raw_i915_gem_object { + struct trace_entry ent; + struct drm_i915_gem_object *obj; + char __data[0]; +}; + +struct trace_event_raw_i915_gem_evict { + struct trace_entry ent; + u32 dev; + struct i915_address_space *vm; + u64 size; + u64 align; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_i915_gem_evict_node { + struct trace_entry ent; + u32 dev; + struct i915_address_space *vm; + u64 start; + u64 size; + long unsigned int color; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_i915_gem_evict_vm { + struct trace_entry ent; + u32 dev; + struct i915_address_space *vm; + char __data[0]; +}; + +struct trace_event_raw_i915_request_queue { + struct trace_entry ent; + u32 dev; + u64 ctx; + u16 class; + u16 instance; + u32 seqno; + u32 flags; + char __data[0]; +}; + +struct trace_event_raw_i915_request { + struct trace_entry ent; + u32 dev; + u64 ctx; + u16 class; + u16 instance; + u32 seqno; + char __data[0]; +}; + +struct trace_event_raw_i915_request_wait_begin { + struct trace_entry ent; + u32 dev; + u64 ctx; + u16 class; + u16 instance; + u32 seqno; + unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_i915_reg_rw { + struct trace_entry ent; + u64 val; + u32 reg; + u16 write; + u16 len; + char __data[0]; +}; + +struct trace_event_raw_intel_gpu_freq_change { + struct trace_entry ent; + u32 freq; + char __data[0]; +}; + +struct trace_event_raw_i915_ppgtt { + struct trace_entry ent; + struct i915_address_space *vm; + u32 dev; + char __data[0]; +}; + +struct trace_event_raw_i915_context { + struct trace_entry ent; + u32 dev; + struct i915_gem_context *ctx; + struct i915_address_space *vm; + char __data[0]; +}; + +struct trace_event_data_offsets_intel_pipe_enable {}; + +struct trace_event_data_offsets_intel_pipe_disable {}; + +struct trace_event_data_offsets_intel_pipe_crc {}; + +struct trace_event_data_offsets_intel_cpu_fifo_underrun {}; + +struct trace_event_data_offsets_intel_pch_fifo_underrun {}; + +struct trace_event_data_offsets_intel_memory_cxsr {}; + +struct trace_event_data_offsets_g4x_wm {}; + +struct trace_event_data_offsets_vlv_wm {}; + +struct trace_event_data_offsets_vlv_fifo_size {}; + +struct trace_event_data_offsets_intel_update_plane { + u32 name; +}; + +struct trace_event_data_offsets_intel_disable_plane { + u32 name; +}; + +struct trace_event_data_offsets_i915_pipe_update_start {}; + +struct trace_event_data_offsets_i915_pipe_update_vblank_evaded {}; + +struct trace_event_data_offsets_i915_pipe_update_end {}; + +struct trace_event_data_offsets_i915_gem_object_create {}; + +struct trace_event_data_offsets_i915_gem_shrink {}; + +struct trace_event_data_offsets_i915_vma_bind {}; + +struct trace_event_data_offsets_i915_vma_unbind {}; + +struct trace_event_data_offsets_i915_gem_object_pwrite {}; + +struct trace_event_data_offsets_i915_gem_object_pread {}; + +struct trace_event_data_offsets_i915_gem_object_fault {}; + +struct trace_event_data_offsets_i915_gem_object {}; + +struct trace_event_data_offsets_i915_gem_evict {}; + +struct trace_event_data_offsets_i915_gem_evict_node {}; + +struct trace_event_data_offsets_i915_gem_evict_vm {}; + +struct trace_event_data_offsets_i915_request_queue {}; + +struct trace_event_data_offsets_i915_request {}; + +struct trace_event_data_offsets_i915_request_wait_begin {}; + +struct trace_event_data_offsets_i915_reg_rw {}; + +struct trace_event_data_offsets_intel_gpu_freq_change {}; + +struct trace_event_data_offsets_i915_ppgtt {}; + +struct trace_event_data_offsets_i915_context {}; + +struct i915_global_vma { + struct i915_global base; + struct kmem_cache *slab_vmas; +}; + +struct i915_vma_work___2 { + struct dma_fence_work base; + struct i915_vma *vma; + enum i915_cache_level cache_level; + unsigned int flags; +}; + +struct uc_css_header { + u32 module_type; + u32 header_size_dw; + u32 header_version; + u32 module_id; + u32 module_vendor; + u32 date; + u32 size_dw; + u32 key_size_dw; + u32 modulus_size_dw; + u32 exponent_size_dw; + u32 time; + char username[8]; + char buildnumber[12]; + u32 sw_version; + u32 reserved[14]; + u32 header_info; +}; + +struct uc_fw_blob { + u8 major; + u8 minor; + const char *path; +} __attribute__((packed)); + +struct uc_fw_platform_requirement { + enum intel_platform p; + u8 rev; + struct uc_fw_blob blobs[2]; +} __attribute__((packed)); + +enum intel_guc_msg_type { + INTEL_GUC_MSG_TYPE_REQUEST = 0, + INTEL_GUC_MSG_TYPE_RESPONSE = 15, +}; + +enum intel_guc_action { + INTEL_GUC_ACTION_DEFAULT = 0, + INTEL_GUC_ACTION_REQUEST_PREEMPTION = 2, + INTEL_GUC_ACTION_REQUEST_ENGINE_RESET = 3, + INTEL_GUC_ACTION_ALLOCATE_DOORBELL = 16, + INTEL_GUC_ACTION_DEALLOCATE_DOORBELL = 32, + INTEL_GUC_ACTION_LOG_BUFFER_FILE_FLUSH_COMPLETE = 48, + INTEL_GUC_ACTION_UK_LOG_ENABLE_LOGGING = 64, + INTEL_GUC_ACTION_FORCE_LOG_BUFFER_FLUSH = 770, + INTEL_GUC_ACTION_ENTER_S_STATE = 1281, + INTEL_GUC_ACTION_EXIT_S_STATE = 1282, + INTEL_GUC_ACTION_SLPC_REQUEST = 12291, + INTEL_GUC_ACTION_SAMPLE_FORCEWAKE = 12293, + INTEL_GUC_ACTION_AUTHENTICATE_HUC = 16384, + INTEL_GUC_ACTION_REGISTER_COMMAND_TRANSPORT_BUFFER = 17669, + INTEL_GUC_ACTION_DEREGISTER_COMMAND_TRANSPORT_BUFFER = 17670, + INTEL_GUC_ACTION_LIMIT = 17671, +}; + +enum intel_guc_sleep_state_status { + INTEL_GUC_SLEEP_STATE_SUCCESS = 1, + INTEL_GUC_SLEEP_STATE_PREEMPT_TO_IDLE_FAILED = 2, + INTEL_GUC_SLEEP_STATE_ENGINE_RESET_FAILED = 3, +}; + +enum intel_guc_response_status { + INTEL_GUC_RESPONSE_STATUS_SUCCESS = 0, + INTEL_GUC_RESPONSE_STATUS_GENERIC_FAIL = 61440, +}; + +enum intel_guc_recv_message { + INTEL_GUC_RECV_MSG_CRASH_DUMP_POSTED = 2, + INTEL_GUC_RECV_MSG_FLUSH_LOG_BUFFER = 8, +}; + +struct guc_policy { + u32 execution_quantum; + u32 preemption_time; + u32 fault_time; + u32 policy_flags; + u32 reserved[8]; +}; + +struct guc_policies { + struct guc_policy policy[20]; + u32 submission_queue_depth[5]; + u32 dpc_promote_time; + u32 is_valid; + u32 max_num_work_items; + u32 reserved[4]; +}; + +struct guc_mmio_reg { + u32 offset; + u32 value; + u32 flags; +}; + +struct guc_mmio_regset { + struct guc_mmio_reg registers[64]; + u32 values_valid; + u32 number_of_registers; +}; + +struct guc_mmio_reg_state { + struct guc_mmio_regset engine_reg[80]; + u32 reserved[98]; +}; + +struct guc_gt_system_info { + u32 slice_enabled; + u32 rcs_enabled; + u32 reserved0; + u32 bcs_enabled; + u32 vdbox_enable_mask; + u32 vdbox_sfc_support_mask; + u32 vebox_enable_mask; + u32 reserved[9]; +}; + +struct guc_ct_pool_entry { + struct guc_ct_buffer_desc desc; + u32 reserved[7]; +} __attribute__((packed)); + +struct guc_clients_info { + u32 clients_num; + u32 reserved0[13]; + u32 ct_pool_addr; + u32 ct_pool_count; + u32 reserved[4]; +}; + +struct guc_ads { + u32 reg_state_addr; + u32 reg_state_buffer; + u32 scheduler_policies; + u32 gt_system_info; + u32 clients_info; + u32 control_data; + u32 golden_context_lrca[5]; + u32 eng_state_size[5]; + u32 reserved[16]; +}; + +struct __guc_ads_blob { + struct guc_ads ads; + struct guc_policies policies; + struct guc_mmio_reg_state reg_state; + struct guc_gt_system_info system_info; + struct guc_clients_info clients_info; + struct guc_ct_pool_entry ct_pool[2]; + u8 reg_state_buffer[40960]; +}; + +struct ct_request { + struct list_head link; + u32 fence; + u32 status; + u32 response_len; + u32 *response_buf; +}; + +struct ct_incoming_request { + struct list_head link; + u32 msg[0]; +}; + +enum { + CTB_SEND = 0, + CTB_RECV = 1, +}; + +enum { + CTB_OWNER_HOST = 0, +}; + +struct guc_log_buffer_state { + u32 marker[2]; + u32 read_ptr; + u32 write_ptr; + u32 size; + u32 sampled_write_ptr; + union { + struct { + u32 flush_to_file: 1; + u32 buffer_full_cnt: 4; + u32 reserved: 27; + }; + u32 flags; + }; + u32 version; +}; + +struct guc_wq_item { + u32 header; + u32 context_desc; + u32 submit_element_info; + u32 fence_id; +}; + +struct guc_process_desc { + u32 stage_id; + u64 db_base_addr; + u32 head; + u32 tail; + u32 error_offset; + u64 wq_base_addr; + u32 wq_size_bytes; + u32 wq_status; + u32 engine_presence; + u32 priority; + u32 reserved[30]; +} __attribute__((packed)); + +struct guc_doorbell_info { + u32 db_status; + u32 cookie; + u32 reserved[14]; +}; + +enum hdmi_force_audio { + HDMI_AUDIO_OFF_DVI = -2, + HDMI_AUDIO_OFF = -1, + HDMI_AUDIO_AUTO = 0, + HDMI_AUDIO_ON = 1, +}; + +struct intel_digital_connector_state { + struct drm_connector_state base; + enum hdmi_force_audio force_audio; + int broadcast_rgb; +}; + +struct component_ops { + int (*bind)(struct device *, struct device *, void *); + void (*unbind)(struct device *, struct device *, void *); +}; + +struct drm_audio_component_ops { + struct module *owner; + long unsigned int (*get_power)(struct device *); + void (*put_power)(struct device *, long unsigned int); + void (*codec_wake_override)(struct device *, bool); + int (*get_cdclk_freq)(struct device *); + int (*sync_audio_rate)(struct device *, int, int, int); + int (*get_eld)(struct device *, int, int, bool *, unsigned char *, int); +}; + +struct drm_audio_component; + +struct drm_audio_component_audio_ops { + void *audio_ptr; + void (*pin_eld_notify)(void *, int, int); + int (*pin2port)(void *, int); + int (*master_bind)(struct device *, struct drm_audio_component *); + void (*master_unbind)(struct device *, struct drm_audio_component *); +}; + +struct drm_audio_component { + struct device *dev; + const struct drm_audio_component_ops *ops; + const struct drm_audio_component_audio_ops *audio_ops; +}; + +enum i915_component_type { + I915_COMPONENT_AUDIO = 1, + I915_COMPONENT_HDCP = 2, +}; + +struct i915_audio_component { + struct drm_audio_component base; + int aud_sample_rate[9]; +}; + +struct dp_aud_n_m { + int sample_rate; + int clock; + u16 m; + u16 n; +}; + +struct hdmi_aud_ncts { + int sample_rate; + int clock; + int n; + int cts; +}; + +enum phy { + PHY_NONE = -1, + PHY_A = 0, + PHY_B = 1, + PHY_C = 2, + PHY_D = 3, + PHY_E = 4, + PHY_F = 5, + PHY_G = 6, + PHY_H = 7, + PHY_I = 8, + I915_MAX_PHYS = 9, +}; + +enum mipi_seq_element { + MIPI_SEQ_ELEM_END = 0, + MIPI_SEQ_ELEM_SEND_PKT = 1, + MIPI_SEQ_ELEM_DELAY = 2, + MIPI_SEQ_ELEM_GPIO = 3, + MIPI_SEQ_ELEM_I2C = 4, + MIPI_SEQ_ELEM_SPI = 5, + MIPI_SEQ_ELEM_PMIC = 6, + MIPI_SEQ_ELEM_MAX = 7, +}; + +struct vbt_header { + u8 signature[20]; + u16 version; + u16 header_size; + u16 vbt_size; + u8 vbt_checksum; + u8 reserved0; + u32 bdb_offset; + u32 aim_offset[4]; +}; + +struct bdb_header { + u8 signature[16]; + u16 version; + u16 header_size; + u16 bdb_size; +}; + +enum bdb_block_id { + BDB_GENERAL_FEATURES = 1, + BDB_GENERAL_DEFINITIONS = 2, + BDB_OLD_TOGGLE_LIST = 3, + BDB_MODE_SUPPORT_LIST = 4, + BDB_GENERIC_MODE_TABLE = 5, + BDB_EXT_MMIO_REGS = 6, + BDB_SWF_IO = 7, + BDB_SWF_MMIO = 8, + BDB_PSR = 9, + BDB_MODE_REMOVAL_TABLE = 10, + BDB_CHILD_DEVICE_TABLE = 11, + BDB_DRIVER_FEATURES = 12, + BDB_DRIVER_PERSISTENCE = 13, + BDB_EXT_TABLE_PTRS = 14, + BDB_DOT_CLOCK_OVERRIDE = 15, + BDB_DISPLAY_SELECT = 16, + BDB_DRIVER_ROTATION = 18, + BDB_DISPLAY_REMOVE = 19, + BDB_OEM_CUSTOM = 20, + BDB_EFP_LIST = 21, + BDB_SDVO_LVDS_OPTIONS = 22, + BDB_SDVO_PANEL_DTDS = 23, + BDB_SDVO_LVDS_PNP_IDS = 24, + BDB_SDVO_LVDS_POWER_SEQ = 25, + BDB_TV_OPTIONS = 26, + BDB_EDP = 27, + BDB_LVDS_OPTIONS = 40, + BDB_LVDS_LFP_DATA_PTRS = 41, + BDB_LVDS_LFP_DATA = 42, + BDB_LVDS_BACKLIGHT = 43, + BDB_LVDS_POWER = 44, + BDB_MIPI_CONFIG = 52, + BDB_MIPI_SEQUENCE = 53, + BDB_COMPRESSION_PARAMETERS = 56, + BDB_SKIP = 254, +}; + +struct bdb_general_features { + u8 panel_fitting: 2; + u8 flexaim: 1; + u8 msg_enable: 1; + u8 clear_screen: 3; + u8 color_flip: 1; + u8 download_ext_vbt: 1; + u8 enable_ssc: 1; + u8 ssc_freq: 1; + u8 enable_lfp_on_override: 1; + u8 disable_ssc_ddt: 1; + u8 underscan_vga_timings: 1; + u8 display_clock_mode: 1; + u8 vbios_hotplug_support: 1; + u8 disable_smooth_vision: 1; + u8 single_dvi: 1; + u8 rotate_180: 1; + u8 fdi_rx_polarity_inverted: 1; + u8 vbios_extended_mode: 1; + u8 copy_ilfp_dtd_to_sdvo_lvds_dtd: 1; + u8 panel_best_fit_timing: 1; + u8 ignore_strap_state: 1; + u8 legacy_monitor_detect; + u8 int_crt_support: 1; + u8 int_tv_support: 1; + u8 int_efp_support: 1; + u8 dp_ssc_enable: 1; + u8 dp_ssc_freq: 1; + u8 dp_ssc_dongle_supported: 1; + u8 rsvd11: 2; +}; + +enum vbt_gmbus_ddi { + DDC_BUS_DDI_B = 1, + DDC_BUS_DDI_C = 2, + DDC_BUS_DDI_D = 3, + DDC_BUS_DDI_F = 4, + ICL_DDC_BUS_DDI_A = 1, + ICL_DDC_BUS_DDI_B = 2, + TGL_DDC_BUS_DDI_C = 3, + ICL_DDC_BUS_PORT_1 = 4, + ICL_DDC_BUS_PORT_2 = 5, + ICL_DDC_BUS_PORT_3 = 6, + ICL_DDC_BUS_PORT_4 = 7, + TGL_DDC_BUS_PORT_5 = 8, + TGL_DDC_BUS_PORT_6 = 9, +}; + +struct bdb_general_definitions { + u8 crt_ddc_gmbus_pin; + u8 dpms_acpi: 1; + u8 skip_boot_crt_detect: 1; + u8 dpms_aim: 1; + u8 rsvd1: 5; + u8 boot_display[2]; + u8 child_dev_size; + u8 devices[0]; +}; + +struct psr_table { + u8 full_link: 1; + u8 require_aux_to_wakeup: 1; + u8 feature_bits_rsvd: 6; + u8 idle_frames: 4; + u8 lines_to_wait: 3; + u8 wait_times_rsvd: 1; + u16 tp1_wakeup_time; + u16 tp2_tp3_wakeup_time; +}; + +struct bdb_psr { + struct psr_table psr_table[16]; + u32 psr2_tp2_tp3_wakeup_time; +}; + +struct bdb_driver_features { + u8 boot_dev_algorithm: 1; + u8 block_display_switch: 1; + u8 allow_display_switch: 1; + u8 hotplug_dvo: 1; + u8 dual_view_zoom: 1; + u8 int15h_hook: 1; + u8 sprite_in_clone: 1; + u8 primary_lfp_id: 1; + u16 boot_mode_x; + u16 boot_mode_y; + u8 boot_mode_bpp; + u8 boot_mode_refresh; + u16 enable_lfp_primary: 1; + u16 selective_mode_pruning: 1; + u16 dual_frequency: 1; + u16 render_clock_freq: 1; + u16 nt_clone_support: 1; + u16 power_scheme_ui: 1; + u16 sprite_display_assign: 1; + u16 cui_aspect_scaling: 1; + u16 preserve_aspect_ratio: 1; + u16 sdvo_device_power_down: 1; + u16 crt_hotplug: 1; + u16 lvds_config: 2; + u16 tv_hotplug: 1; + u16 hdmi_config: 2; + u8 static_display: 1; + u8 reserved2: 7; + u16 legacy_crt_max_x; + u16 legacy_crt_max_y; + u8 legacy_crt_max_refresh; + u8 hdmi_termination; + u8 custom_vbt_version; + u16 rmpm_enabled: 1; + u16 s2ddt_enabled: 1; + u16 dpst_enabled: 1; + u16 bltclt_enabled: 1; + u16 adb_enabled: 1; + u16 drrs_enabled: 1; + u16 grs_enabled: 1; + u16 gpmt_enabled: 1; + u16 tbt_enabled: 1; + u16 psr_enabled: 1; + u16 ips_enabled: 1; + u16 reserved3: 4; + u16 pc_feature_valid: 1; +} __attribute__((packed)); + +struct bdb_sdvo_lvds_options { + u8 panel_backlight; + u8 h40_set_panel_type; + u8 panel_type; + u8 ssc_clk_freq; + u16 als_low_trip; + u16 als_high_trip; + u8 sclalarcoeff_tab_row_num; + u8 sclalarcoeff_tab_row_size; + u8 coefficient[8]; + u8 panel_misc_bits_1; + u8 panel_misc_bits_2; + u8 panel_misc_bits_3; + u8 panel_misc_bits_4; +}; + +struct lvds_dvo_timing { + u16 clock; + u8 hactive_lo; + u8 hblank_lo; + u8 hblank_hi: 4; + u8 hactive_hi: 4; + u8 vactive_lo; + u8 vblank_lo; + u8 vblank_hi: 4; + u8 vactive_hi: 4; + u8 hsync_off_lo; + u8 hsync_pulse_width_lo; + u8 vsync_pulse_width_lo: 4; + u8 vsync_off_lo: 4; + u8 vsync_pulse_width_hi: 2; + u8 vsync_off_hi: 2; + u8 hsync_pulse_width_hi: 2; + u8 hsync_off_hi: 2; + u8 himage_lo; + u8 vimage_lo; + u8 vimage_hi: 4; + u8 himage_hi: 4; + u8 h_border; + u8 v_border; + u8 rsvd1: 3; + u8 digital: 2; + u8 vsync_positive: 1; + u8 hsync_positive: 1; + u8 non_interlaced: 1; +}; + +struct bdb_sdvo_panel_dtds { + struct lvds_dvo_timing dtds[4]; +}; + +struct edp_fast_link_params { + u8 rate: 4; + u8 lanes: 4; + u8 preemphasis: 4; + u8 vswing: 4; +}; + +struct edp_pwm_delays { + u16 pwm_on_to_backlight_enable; + u16 backlight_disable_to_pwm_off; +}; + +struct edp_full_link_params { + u8 preemphasis: 4; + u8 vswing: 4; +}; + +struct bdb_edp { + struct edp_power_seq power_seqs[16]; + u32 color_depth; + struct edp_fast_link_params fast_link_params[16]; + u32 sdrrs_msa_timing_delay; + u16 edp_s3d_feature; + u16 edp_t3_optimization; + u64 edp_vswing_preemph; + u16 fast_link_training; + u16 dpcd_600h_write_required; + struct edp_pwm_delays pwm_delays[16]; + u16 full_link_params_provided; + struct edp_full_link_params full_link_params[16]; +} __attribute__((packed)); + +struct bdb_lvds_options { + u8 panel_type; + u8 panel_type2; + u8 pfit_mode: 2; + u8 pfit_text_mode_enhanced: 1; + u8 pfit_gfx_mode_enhanced: 1; + u8 pfit_ratio_auto: 1; + u8 pixel_dither: 1; + u8 lvds_edid: 1; + u8 rsvd2: 1; + u8 rsvd4; + u32 lvds_panel_channel_bits; + u16 ssc_bits; + u16 ssc_freq; + u16 ssc_ddt; + u16 panel_color_depth; + u32 dps_panel_type_bits; + u32 blt_control_type_bits; + u16 lcdvcc_s0_enable; + u32 rotation; +} __attribute__((packed)); + +struct lvds_lfp_data_ptr { + u16 fp_timing_offset; + u8 fp_table_size; + u16 dvo_timing_offset; + u8 dvo_table_size; + u16 panel_pnp_id_offset; + u8 pnp_table_size; +} __attribute__((packed)); + +struct bdb_lvds_lfp_data_ptrs { + u8 lvds_entries; + struct lvds_lfp_data_ptr ptr[16]; +} __attribute__((packed)); + +struct lvds_fp_timing { + u16 x_res; + u16 y_res; + u32 lvds_reg; + u32 lvds_reg_val; + u32 pp_on_reg; + u32 pp_on_reg_val; + u32 pp_off_reg; + u32 pp_off_reg_val; + u32 pp_cycle_reg; + u32 pp_cycle_reg_val; + u32 pfit_reg; + u32 pfit_reg_val; + u16 terminator; +} __attribute__((packed)); + +struct lvds_pnp_id { + u16 mfg_name; + u16 product_code; + u32 serial; + u8 mfg_week; + u8 mfg_year; +} __attribute__((packed)); + +struct lvds_lfp_data_entry { + struct lvds_fp_timing fp_timing; + struct lvds_dvo_timing dvo_timing; + struct lvds_pnp_id pnp_id; +} __attribute__((packed)); + +struct bdb_lvds_lfp_data { + struct lvds_lfp_data_entry data[16]; +}; + +struct lfp_backlight_data_entry { + u8 type: 2; + u8 active_low_pwm: 1; + u8 obsolete1: 5; + u16 pwm_freq_hz; + u8 min_brightness; + u8 obsolete2; + u8 obsolete3; +} __attribute__((packed)); + +struct lfp_backlight_control_method { + u8 type: 4; + u8 controller: 4; +}; + +struct bdb_lfp_backlight_data { + u8 entry_size; + struct lfp_backlight_data_entry data[16]; + u8 level[16]; + struct lfp_backlight_control_method backlight_control[16]; +} __attribute__((packed)); + +struct bdb_mipi_config { + struct mipi_config config[6]; + struct mipi_pps_data pps[6]; +}; + +struct bdb_mipi_sequence { + u8 version; + u8 data[0]; +}; + +struct intel_bw_state { + struct drm_private_state base; + unsigned int data_rate[4]; + u8 num_active_planes[4]; +}; + +struct intel_qgv_point { + u16 dclk; + u16 t_rp; + u16 t_rdpre; + u16 t_rc; + u16 t_ras; + u16 t_rcd; +}; + +struct intel_qgv_info { + struct intel_qgv_point points[3]; + u8 num_points; + u8 num_channels; + u8 t_bl; + enum intel_dram_type dram_type; +}; + +struct intel_sa_info { + u16 displayrtids; + u8 deburst; + u8 deprogbwlimit; +}; + +struct drm_color_ctm { + __u64 matrix[9]; +}; + +enum { + PROCMON_0_85V_DOT_0 = 0, + PROCMON_0_95V_DOT_0 = 1, + PROCMON_0_95V_DOT_1 = 2, + PROCMON_1_05V_DOT_0 = 3, + PROCMON_1_05V_DOT_1 = 4, +}; + +struct cnl_procmon { + u32 dw1; + u32 dw9; + u32 dw10; +}; + +enum intel_broadcast_rgb { + INTEL_BROADCAST_RGB_AUTO = 0, + INTEL_BROADCAST_RGB_FULL = 1, + INTEL_BROADCAST_RGB_LIMITED = 2, +}; + +enum hdmi_packet_type { + HDMI_PACKET_TYPE_NULL = 0, + HDMI_PACKET_TYPE_AUDIO_CLOCK_REGEN = 1, + HDMI_PACKET_TYPE_AUDIO_SAMPLE = 2, + HDMI_PACKET_TYPE_GENERAL_CONTROL = 3, + HDMI_PACKET_TYPE_ACP = 4, + HDMI_PACKET_TYPE_ISRC1 = 5, + HDMI_PACKET_TYPE_ISRC2 = 6, + HDMI_PACKET_TYPE_ONE_BIT_AUDIO_SAMPLE = 7, + HDMI_PACKET_TYPE_DST_AUDIO = 8, + HDMI_PACKET_TYPE_HBR_AUDIO_STREAM = 9, + HDMI_PACKET_TYPE_GAMUT_METADATA = 10, +}; + +struct drm_i915_get_pipe_from_crtc_id { + __u32 crtc_id; + __u32 pipe; +}; + +enum dpio_channel { + DPIO_CH0 = 0, + DPIO_CH1 = 1, +}; + +struct intel_cursor_error_state { + u32 control; + u32 position; + u32 base; + u32 size; +}; + +struct intel_pipe_error_state { + bool power_domain_on; + u32 source; + u32 stat; +}; + +struct intel_plane_error_state { + u32 control; + u32 stride; + u32 size; + u32 pos; + u32 addr; + u32 surface; + u32 tile_offset; +}; + +struct intel_transcoder_error_state { + bool available; + bool power_domain_on; + enum transcoder cpu_transcoder; + u32 conf; + u32 htotal; + u32 hblank; + u32 hsync; + u32 vtotal; + u32 vblank; + u32 vsync; +}; + +struct intel_display_error_state { + u32 power_well_driver; + struct intel_cursor_error_state cursor[4]; + struct intel_pipe_error_state pipe[4]; + struct intel_plane_error_state plane[4]; + struct intel_transcoder_error_state transcoder[5]; +}; + +struct drm_i915_error_state_buf { + struct drm_i915_private *i915; + struct scatterlist *sgl; + struct scatterlist *cur; + struct scatterlist *end; + char *buf; + size_t bytes; + size_t size; + loff_t iter; + int err; +}; + +enum link_m_n_set { + M1_N1 = 0, + M2_N2 = 1, +}; + +struct intel_load_detect_pipe { + struct drm_atomic_state *restore_state; +}; + +struct intel_limit { + struct { + int min; + int max; + } dot; + struct { + int min; + int max; + } vco; + struct { + int min; + int max; + } n; + struct { + int min; + int max; + } m; + struct { + int min; + int max; + } m1; + struct { + int min; + int max; + } m2; + struct { + int min; + int max; + } p; + struct { + int min; + int max; + } p1; + struct { + int dot_limit; + int p2_slow; + int p2_fast; + } p2; +}; + +struct wait_rps_boost { + struct wait_queue_entry wait; + struct drm_crtc *crtc; + struct i915_request *request; +}; + +struct skl_hw_state { + struct skl_ddb_entry ddb_y[8]; + struct skl_ddb_entry ddb_uv[8]; + struct skl_ddb_allocation ddb; + struct skl_pipe_wm wm; +}; + +enum skl_power_gate { + SKL_PG0 = 0, + SKL_PG1 = 1, + SKL_PG2 = 2, + ICL_PG3 = 3, + ICL_PG4 = 4, +}; + +struct bxt_ddi_phy_info { + bool dual_channel; + enum dpio_phy rcomp_phy; + int reset_delay; + u32 pwron_mask; + struct { + enum port port; + } channel[2]; +}; + +struct hsw_wrpll_rnp { + unsigned int p; + unsigned int n2; + unsigned int r2; +}; + +struct skl_dpll_regs { + i915_reg_t ctl; + i915_reg_t cfgcr1; + i915_reg_t cfgcr2; +}; + +struct skl_wrpll_context { + u64 min_deviation; + u64 central_freq; + u64 dco_freq; + unsigned int p; +}; + +struct skl_wrpll_params { + u32 dco_fraction; + u32 dco_integer; + u32 qdiv_ratio; + u32 qdiv_mode; + u32 kdiv; + u32 pdiv; + u32 central_freq; +}; + +struct bxt_clk_div { + int clock; + u32 p1; + u32 p2; + u32 m2_int; + u32 m2_frac; + bool m2_frac_en; + u32 n; + int vco; +}; + +struct icl_combo_pll_params { + int clock; + struct skl_wrpll_params wrpll; +}; + +struct hdcp2_rep_stream_manage { + u8 msg_id; + u8 seq_num_m[3]; + __be16 k; + struct hdcp2_streamid_type streams[1]; +}; + +enum hdcp_port_type { + HDCP_PORT_TYPE_INVALID = 0, + HDCP_PORT_TYPE_INTEGRATED = 1, + HDCP_PORT_TYPE_LSPCON = 2, + HDCP_PORT_TYPE_CPDP = 3, +}; + +enum check_link_response { + HDCP_LINK_PROTECTED = 0, + HDCP_TOPOLOGY_CHANGE = 1, + HDCP_LINK_INTEGRITY_FAILURE = 2, + HDCP_REAUTH_REQUEST = 3, +}; + +struct intel_hdmi_lpe_audio_port_pdata { + u8 eld[128]; + int port; + int pipe; + int ls_clock; + bool dp_output; +}; + +struct intel_hdmi_lpe_audio_pdata { + struct intel_hdmi_lpe_audio_port_pdata port[3]; + int num_ports; + int num_pipes; + void (*notify_audio_lpe)(struct platform_device *, int); + spinlock_t lpe_audio_slock; +}; + +struct drm_intel_overlay_put_image { + __u32 flags; + __u32 bo_handle; + __u16 stride_Y; + __u16 stride_UV; + __u32 offset_Y; + __u32 offset_U; + __u32 offset_V; + __u16 src_width; + __u16 src_height; + __u16 src_scan_width; + __u16 src_scan_height; + __u32 crtc_id; + __u16 dst_x; + __u16 dst_y; + __u16 dst_width; + __u16 dst_height; +}; + +struct drm_intel_overlay_attrs { + __u32 flags; + __u32 color_key; + __s32 brightness; + __u32 contrast; + __u32 saturation; + __u32 gamma0; + __u32 gamma1; + __u32 gamma2; + __u32 gamma3; + __u32 gamma4; + __u32 gamma5; +}; + +struct overlay_registers { + u32 OBUF_0Y; + u32 OBUF_1Y; + u32 OBUF_0U; + u32 OBUF_0V; + u32 OBUF_1U; + u32 OBUF_1V; + u32 OSTRIDE; + u32 YRGB_VPH; + u32 UV_VPH; + u32 HORZ_PH; + u32 INIT_PHS; + u32 DWINPOS; + u32 DWINSZ; + u32 SWIDTH; + u32 SWIDTHSW; + u32 SHEIGHT; + u32 YRGBSCALE; + u32 UVSCALE; + u32 OCLRC0; + u32 OCLRC1; + u32 DCLRKV; + u32 DCLRKM; + u32 SCLRKVH; + u32 SCLRKVL; + u32 SCLRKEN; + u32 OCONFIG; + u32 OCMD; + u32 RESERVED1; + u32 OSTART_0Y; + u32 OSTART_1Y; + u32 OSTART_0U; + u32 OSTART_0V; + u32 OSTART_1U; + u32 OSTART_1V; + u32 OTILEOFF_0Y; + u32 OTILEOFF_1Y; + u32 OTILEOFF_0U; + u32 OTILEOFF_0V; + u32 OTILEOFF_1U; + u32 OTILEOFF_1V; + u32 FASTHSCALE; + u32 UVSCALEV; + u32 RESERVEDC[86]; + u16 Y_VCOEFS[51]; + u16 RESERVEDD[77]; + u16 Y_HCOEFS[85]; + u16 RESERVEDE[171]; + u16 UV_VCOEFS[51]; + u16 RESERVEDF[77]; + u16 UV_HCOEFS[51]; + u16 RESERVEDG[77]; +}; + +struct intel_overlay_error_state { + struct overlay_registers regs; + long unsigned int base; + u32 dovsta; + u32 isr; +}; + +struct intel_overlay { + struct drm_i915_private *i915; + struct intel_context *context; + struct intel_crtc *crtc; + struct i915_vma *vma; + struct i915_vma *old_vma; + bool active; + bool pfit_active; + u32 pfit_vscale_ratio; + u32 color_key: 24; + u32 color_key_enabled: 1; + u32 brightness; + u32 contrast; + u32 saturation; + u32 old_xscale; + u32 old_yscale; + struct drm_i915_gem_object *reg_bo; + struct overlay_registers *regs; + u32 flip_addr; + struct i915_active last_flip; + void (*flip_complete)(struct intel_overlay *); +}; + +struct dp_sdp { + struct dp_sdp_header sdp_header; + u8 db[32]; +}; + +struct intel_quirk { + int device; + int subsystem_vendor; + int subsystem_device; + void (*hook)(struct drm_i915_private *); +}; + +struct intel_dmi_quirk { + void (*hook)(struct drm_i915_private *); + struct dmi_system_id (*dmi_id_list)[0]; +}; + +struct opregion_header { + u8 signature[16]; + u32 size; + struct { + u8 rsvd; + u8 revision; + u8 minor; + u8 major; + } over; + u8 bios_ver[32]; + u8 vbios_ver[16]; + u8 driver_ver[16]; + u32 mboxes; + u32 driver_model; + u32 pcon; + u8 dver[32]; + u8 rsvd[124]; +}; + +struct opregion_acpi { + u32 drdy; + u32 csts; + u32 cevt; + u8 rsvd1[20]; + u32 didl[8]; + u32 cpdl[8]; + u32 cadl[8]; + u32 nadl[8]; + u32 aslp; + u32 tidx; + u32 chpd; + u32 clid; + u32 cdck; + u32 sxsw; + u32 evts; + u32 cnot; + u32 nrdy; + u32 did2[7]; + u32 cpd2[7]; + u8 rsvd2[4]; +}; + +struct opregion_swsci { + u32 scic; + u32 parm; + u32 dslp; + u8 rsvd[244]; +}; + +struct opregion_asle { + u32 ardy; + u32 aslc; + u32 tche; + u32 alsi; + u32 bclp; + u32 pfit; + u32 cblv; + u16 bclm[20]; + u32 cpfm; + u32 epfm; + u8 plut[74]; + u32 pfmb; + u32 cddv; + u32 pcft; + u32 srot; + u32 iuer; + u64 fdss; + u32 fdsp; + u32 stat; + u64 rvda; + u32 rvds; + u8 rsvd[58]; +} __attribute__((packed)); + +struct intel_dvo_dev_ops; + +struct intel_dvo_device { + const char *name; + int type; + i915_reg_t dvo_reg; + i915_reg_t dvo_srcdim_reg; + u32 gpio; + int slave_addr; + const struct intel_dvo_dev_ops *dev_ops; + void *dev_priv; + struct i2c_adapter *i2c_bus; +}; + +struct intel_dvo_dev_ops { + bool (*init)(struct intel_dvo_device *, struct i2c_adapter *); + void (*create_resources)(struct intel_dvo_device *); + void (*dpms)(struct intel_dvo_device *, bool); + int (*mode_valid)(struct intel_dvo_device *, struct drm_display_mode *); + void (*prepare)(struct intel_dvo_device *); + void (*commit)(struct intel_dvo_device *); + void (*mode_set)(struct intel_dvo_device *, const struct drm_display_mode *, const struct drm_display_mode *); + enum drm_connector_status (*detect)(struct intel_dvo_device *); + bool (*get_hw_state)(struct intel_dvo_device *); + struct drm_display_mode * (*get_modes)(struct intel_dvo_device *); + void (*destroy)(struct intel_dvo_device *); + void (*dump_regs)(struct intel_dvo_device *); +}; + +struct ch7017_priv { + u8 dummy; +}; + +struct ch7xxx_id_struct { + u8 vid; + char *name; +}; + +struct ch7xxx_did_struct { + u8 did; + char *name; +}; + +struct ch7xxx_priv { + bool quiet; +}; + +struct ivch_priv { + bool quiet; + u16 width; + u16 height; + u16 reg_backup[24]; +}; + +enum { + MODE_640x480 = 0, + MODE_800x600 = 1, + MODE_1024x768 = 2, +}; + +struct ns2501_reg { + u8 offset; + u8 value; +}; + +struct ns2501_configuration { + u8 sync; + u8 conf; + u8 syncb; + u8 dither; + u8 pll_a; + u16 pll_b; + u16 hstart; + u16 hstop; + u16 vstart; + u16 vstop; + u16 vsync; + u16 vtotal; + u16 hpos; + u16 vpos; + u16 voffs; + u16 hscale; + u16 vscale; +}; + +struct ns2501_priv { + bool quiet; + const struct ns2501_configuration *conf; +}; + +struct sil164_priv { + bool quiet; +}; + +struct tfp410_priv { + bool quiet; +}; + +struct intel_dsi_host; + +struct intel_dsi { + struct intel_encoder base; + struct intel_dsi_host *dsi_hosts[9]; + intel_wakeref_t io_wakeref[9]; + struct gpio_desc *gpio_panel; + struct intel_connector *attached_connector; + union { + u16 ports; + u16 phys; + }; + bool hs; + int channel; + u16 operation_mode; + unsigned int lane_count; + enum mipi_dsi_pixel_format pixel_format; + u32 video_mode_format; + u8 eotp_pkt; + u8 clock_stop; + u8 escape_clk_div; + u8 dual_link; + u16 dcs_backlight_ports; + u16 dcs_cabc_ports; + bool bgr_enabled; + u8 pixel_overlap; + u32 port_bits; + u32 bw_timer; + u32 dphy_reg; + u32 dphy_data_lane_reg; + u32 video_frmt_cfg_bits; + u16 lp_byte_clk; + u16 hs_tx_timeout; + u16 lp_rx_timeout; + u16 turn_arnd_val; + u16 rst_timer_val; + u16 hs_to_lp_count; + u16 clk_lp_to_hs_count; + u16 clk_hs_to_lp_count; + u16 init_count; + u32 pclk; + u16 burst_mode_ratio; + u16 backlight_off_delay; + u16 backlight_on_delay; + u16 panel_on_delay; + u16 panel_off_delay; + u16 panel_pwr_cycle_delay; +}; + +struct intel_dsi_host { + struct mipi_dsi_host base; + struct intel_dsi *intel_dsi; + enum port port; + struct mipi_dsi_device *device; +}; + +struct intel_crt { + struct intel_encoder base; + struct intel_connector *connector; + bool force_hotplug_required; + i915_reg_t adpa_reg; +}; + +struct ddi_buf_trans { + u32 trans1; + u32 trans2; + u8 i_boost; +}; + +struct bxt_ddi_buf_trans { + u8 margin; + u8 scale; + u8 enable; + u8 deemphasis; +}; + +struct cnl_ddi_buf_trans { + u8 dw2_swing_sel; + u8 dw7_n_scalar; + u8 dw4_cursor_coeff; + u8 dw4_post_cursor_2; + u8 dw4_post_cursor_1; +}; + +struct icl_mg_phy_ddi_buf_trans { + u32 cri_txdeemph_override_5_0; + u32 cri_txdeemph_override_11_6; + u32 cri_txdeemph_override_17_12; +}; + +struct tgl_dkl_phy_ddi_buf_trans { + u32 dkl_vswing_control; + u32 dkl_preshoot_control; + u32 dkl_de_emphasis_control; +}; + +struct link_config_limits { + int min_clock; + int max_clock; + int min_lane_count; + int max_lane_count; + int min_bpp; + int max_bpp; +}; + +struct dp_link_dpll { + int clock; + struct dpll dpll; +}; + +typedef bool (*vlv_pipe_check)(struct drm_i915_private *, enum pipe); + +struct pps_registers { + i915_reg_t pp_ctrl; + i915_reg_t pp_stat; + i915_reg_t pp_on; + i915_reg_t pp_off; + i915_reg_t pp_div; +}; + +struct hdcp2_dp_errata_stream_type { + u8 msg_id; + u8 stream_type; +}; + +struct hdcp2_dp_msg_data { + u8 msg_id; + u32 offset; + bool msg_detectable; + u32 timeout; + u32 timeout2; +}; + +struct gpio_map { + u16 base_offset; + bool init; +}; + +typedef const u8 * (*fn_mipi_elem_exec)(struct intel_dsi *, const u8 *); + +struct intel_dvo { + struct intel_encoder base; + struct intel_dvo_device dev; + struct intel_connector *attached_connector; + bool panel_wants_dither; +}; + +enum i915_gpio { + GPIOA = 0, + GPIOB = 1, + GPIOC = 2, + GPIOD = 3, + GPIOE = 4, + GPIOF = 5, + GPIOG = 6, + GPIOH = 7, + __GPIOI_UNUSED = 8, + GPIOJ = 9, + GPIOK = 10, + GPIOL = 11, + GPIOM = 12, + GPION = 13, + GPIOO = 14, +}; + +struct gmbus_pin { + const char *name; + enum i915_gpio gpio; +}; + +struct hdcp2_hdmi_msg_timeout { + u8 msg_id; + u16 timeout; +}; + +enum vga_switcheroo_handler_flags_t { + VGA_SWITCHEROO_CAN_SWITCH_DDC = 1, + VGA_SWITCHEROO_NEEDS_EDP_CONFIG = 2, +}; + +struct intel_lvds_pps { + int t1_t2; + int t3; + int t4; + int t5; + int tx; + int divider; + int port; + bool powerdown_on_reset; +}; + +struct intel_lvds_encoder { + struct intel_encoder base; + bool is_dual_link; + i915_reg_t reg; + u32 a3_power; + struct intel_lvds_pps init_pps; + u32 init_lvds_val; + struct intel_connector *attached_connector; +}; + +enum pwm_polarity { + PWM_POLARITY_NORMAL = 0, + PWM_POLARITY_INVERSED = 1, +}; + +struct pwm_args { + unsigned int period; + enum pwm_polarity polarity; +}; + +struct pwm_state { + unsigned int period; + unsigned int duty_cycle; + enum pwm_polarity polarity; + bool enabled; +}; + +struct pwm_chip; + +struct pwm_device { + const char *label; + long unsigned int flags; + unsigned int hwpwm; + unsigned int pwm; + struct pwm_chip *chip; + void *chip_data; + struct pwm_args args; + struct pwm_state state; +}; + +struct pwm_ops; + +struct pwm_chip { + struct device *dev; + const struct pwm_ops *ops; + int base; + unsigned int npwm; + struct pwm_device * (*of_xlate)(struct pwm_chip *, const struct of_phandle_args *); + unsigned int of_pwm_n_cells; + struct list_head list; + struct pwm_device *pwms; +}; + +struct pwm_capture; + +struct pwm_ops { + int (*request)(struct pwm_chip *, struct pwm_device *); + void (*free)(struct pwm_chip *, struct pwm_device *); + int (*capture)(struct pwm_chip *, struct pwm_device *, struct pwm_capture *, long unsigned int); + int (*apply)(struct pwm_chip *, struct pwm_device *, const struct pwm_state *); + void (*get_state)(struct pwm_chip *, struct pwm_device *, struct pwm_state *); + struct module *owner; + int (*config)(struct pwm_chip *, struct pwm_device *, int, int); + int (*set_polarity)(struct pwm_chip *, struct pwm_device *, enum pwm_polarity); + int (*enable)(struct pwm_chip *, struct pwm_device *); + void (*disable)(struct pwm_chip *, struct pwm_device *); +}; + +struct pwm_capture { + unsigned int period; + unsigned int duty_cycle; +}; + +struct intel_sdvo_caps { + u8 vendor_id; + u8 device_id; + u8 device_rev_id; + u8 sdvo_version_major; + u8 sdvo_version_minor; + unsigned int sdvo_inputs_mask: 2; + unsigned int smooth_scaling: 1; + unsigned int sharp_scaling: 1; + unsigned int up_scaling: 1; + unsigned int down_scaling: 1; + unsigned int stall_support: 1; + unsigned int pad: 1; + u16 output_flags; +}; + +struct intel_sdvo_dtd { + struct { + u16 clock; + u8 h_active; + u8 h_blank; + u8 h_high; + u8 v_active; + u8 v_blank; + u8 v_high; + } part1; + struct { + u8 h_sync_off; + u8 h_sync_width; + u8 v_sync_off_width; + u8 sync_off_width_high; + u8 dtd_flags; + u8 sdvo_flags; + u8 v_sync_off_high; + u8 reserved; + } part2; +}; + +struct intel_sdvo_pixel_clock_range { + u16 min; + u16 max; +}; + +struct intel_sdvo_preferred_input_timing_args { + u16 clock; + u16 width; + u16 height; + u8 interlace: 1; + u8 scaled: 1; + u8 pad: 6; +} __attribute__((packed)); + +struct intel_sdvo_get_trained_inputs_response { + unsigned int input0_trained: 1; + unsigned int input1_trained: 1; + unsigned int pad: 6; +} __attribute__((packed)); + +struct intel_sdvo_in_out_map { + u16 in0; + u16 in1; +}; + +struct intel_sdvo_set_target_input_args { + unsigned int target_1: 1; + unsigned int pad: 7; +} __attribute__((packed)); + +struct intel_sdvo_tv_format { + unsigned int ntsc_m: 1; + unsigned int ntsc_j: 1; + unsigned int ntsc_443: 1; + unsigned int pal_b: 1; + unsigned int pal_d: 1; + unsigned int pal_g: 1; + unsigned int pal_h: 1; + unsigned int pal_i: 1; + unsigned int pal_m: 1; + unsigned int pal_n: 1; + unsigned int pal_nc: 1; + unsigned int pal_60: 1; + unsigned int secam_b: 1; + unsigned int secam_d: 1; + unsigned int secam_g: 1; + unsigned int secam_k: 1; + unsigned int secam_k1: 1; + unsigned int secam_l: 1; + unsigned int secam_60: 1; + unsigned int hdtv_std_smpte_240m_1080i_59: 1; + unsigned int hdtv_std_smpte_240m_1080i_60: 1; + unsigned int hdtv_std_smpte_260m_1080i_59: 1; + unsigned int hdtv_std_smpte_260m_1080i_60: 1; + unsigned int hdtv_std_smpte_274m_1080i_50: 1; + unsigned int hdtv_std_smpte_274m_1080i_59: 1; + unsigned int hdtv_std_smpte_274m_1080i_60: 1; + unsigned int hdtv_std_smpte_274m_1080p_23: 1; + unsigned int hdtv_std_smpte_274m_1080p_24: 1; + unsigned int hdtv_std_smpte_274m_1080p_25: 1; + unsigned int hdtv_std_smpte_274m_1080p_29: 1; + unsigned int hdtv_std_smpte_274m_1080p_30: 1; + unsigned int hdtv_std_smpte_274m_1080p_50: 1; + unsigned int hdtv_std_smpte_274m_1080p_59: 1; + unsigned int hdtv_std_smpte_274m_1080p_60: 1; + unsigned int hdtv_std_smpte_295m_1080i_50: 1; + unsigned int hdtv_std_smpte_295m_1080p_50: 1; + unsigned int hdtv_std_smpte_296m_720p_59: 1; + unsigned int hdtv_std_smpte_296m_720p_60: 1; + unsigned int hdtv_std_smpte_296m_720p_50: 1; + unsigned int hdtv_std_smpte_293m_480p_59: 1; + unsigned int hdtv_std_smpte_170m_480i_59: 1; + unsigned int hdtv_std_iturbt601_576i_50: 1; + unsigned int hdtv_std_iturbt601_576p_50: 1; + unsigned int hdtv_std_eia_7702a_480i_60: 1; + unsigned int hdtv_std_eia_7702a_480p_60: 1; + unsigned int pad: 3; +} __attribute__((packed)); + +struct intel_sdvo_sdtv_resolution_request { + unsigned int ntsc_m: 1; + unsigned int ntsc_j: 1; + unsigned int ntsc_443: 1; + unsigned int pal_b: 1; + unsigned int pal_d: 1; + unsigned int pal_g: 1; + unsigned int pal_h: 1; + unsigned int pal_i: 1; + unsigned int pal_m: 1; + unsigned int pal_n: 1; + unsigned int pal_nc: 1; + unsigned int pal_60: 1; + unsigned int secam_b: 1; + unsigned int secam_d: 1; + unsigned int secam_g: 1; + unsigned int secam_k: 1; + unsigned int secam_k1: 1; + unsigned int secam_l: 1; + unsigned int secam_60: 1; + unsigned int pad: 5; +} __attribute__((packed)); + +struct intel_sdvo_enhancements_reply { + unsigned int flicker_filter: 1; + unsigned int flicker_filter_adaptive: 1; + unsigned int flicker_filter_2d: 1; + unsigned int saturation: 1; + unsigned int hue: 1; + unsigned int brightness: 1; + unsigned int contrast: 1; + unsigned int overscan_h: 1; + unsigned int overscan_v: 1; + unsigned int hpos: 1; + unsigned int vpos: 1; + unsigned int sharpness: 1; + unsigned int dot_crawl: 1; + unsigned int dither: 1; + unsigned int tv_chroma_filter: 1; + unsigned int tv_luma_filter: 1; +} __attribute__((packed)); + +struct intel_sdvo_encode { + u8 dvi_rev; + u8 hdmi_rev; +}; + +struct intel_sdvo { + struct intel_encoder base; + struct i2c_adapter *i2c; + u8 slave_addr; + long: 56; + struct i2c_adapter ddc; + i915_reg_t sdvo_reg; + u16 controlled_output; + struct intel_sdvo_caps caps; + short: 16; + int pixel_clock_min; + int pixel_clock_max; + u16 attached_output; + u16 hotplug_active; + enum port port; + bool has_hdmi_monitor; + bool has_hdmi_audio; + u8 ddc_bus; + u8 dtd_sdvo_flags; + int: 32; +} __attribute__((packed)); + +struct intel_sdvo_connector { + struct intel_connector base; + u16 output_flag; + u8 tv_format_supported[19]; + int format_supported_num; + struct drm_property *tv_format; + struct drm_property *left; + struct drm_property *right; + struct drm_property *top; + struct drm_property *bottom; + struct drm_property *hpos; + struct drm_property *vpos; + struct drm_property *contrast; + struct drm_property *saturation; + struct drm_property *hue; + struct drm_property *sharpness; + struct drm_property *flicker_filter; + struct drm_property *flicker_filter_adaptive; + struct drm_property *flicker_filter_2d; + struct drm_property *tv_chroma_filter; + struct drm_property *tv_luma_filter; + struct drm_property *dot_crawl; + struct drm_property *brightness; + u32 max_hscan; + u32 max_vscan; + bool is_hdmi; +}; + +struct intel_sdvo_connector_state { + struct intel_digital_connector_state base; + struct { + unsigned int overscan_h; + unsigned int overscan_v; + unsigned int hpos; + unsigned int vpos; + unsigned int sharpness; + unsigned int flicker_filter; + unsigned int flicker_filter_2d; + unsigned int flicker_filter_adaptive; + unsigned int chroma_filter; + unsigned int luma_filter; + unsigned int dot_crawl; + } tv; +}; + +struct intel_tv { + struct intel_encoder base; + int type; +}; + +struct video_levels { + u16 blank; + u16 black; + u8 burst; +}; + +struct color_conversion { + u16 ry; + u16 gy; + u16 by; + u16 ay; + u16 ru; + u16 gu; + u16 bu; + u16 au; + u16 rv; + u16 gv; + u16 bv; + u16 av; +}; + +struct tv_mode { + const char *name; + u32 clock; + u16 refresh; + u8 oversample; + u8 hsync_end; + u16 hblank_start; + u16 hblank_end; + u16 htotal; + bool progressive: 1; + bool trilevel_sync: 1; + bool component_only: 1; + u8 vsync_start_f1; + u8 vsync_start_f2; + u8 vsync_len; + bool veq_ena: 1; + u8 veq_start_f1; + u8 veq_start_f2; + u8 veq_len; + u8 vi_end_f1; + u8 vi_end_f2; + u16 nbr_end; + bool burst_ena: 1; + u8 hburst_start; + u8 hburst_len; + u8 vburst_start_f1; + u16 vburst_end_f1; + u8 vburst_start_f2; + u16 vburst_end_f2; + u8 vburst_start_f3; + u16 vburst_end_f3; + u8 vburst_start_f4; + u16 vburst_end_f4; + u16 dda2_size; + u16 dda3_size; + u8 dda1_inc; + u16 dda2_inc; + u16 dda3_inc; + u32 sc_reset; + bool pal_burst: 1; + const struct video_levels *composite_levels; + const struct video_levels *svideo_levels; + const struct color_conversion *composite_color; + const struct color_conversion *svideo_color; + const u32 *filter_table; +}; + +struct intel_tv_connector_state { + struct drm_connector_state base; + struct { + u16 top; + u16 bottom; + } margins; + bool bypass_vfilter; +}; + +struct input_res { + u16 w; + u16 h; +}; + +struct drm_dsc_pps_infoframe { + struct dp_sdp_header pps_header; + struct drm_dsc_picture_parameter_set pps_payload; +}; + +enum ROW_INDEX_BPP { + ROW_INDEX_6BPP = 0, + ROW_INDEX_8BPP = 1, + ROW_INDEX_10BPP = 2, + ROW_INDEX_12BPP = 3, + ROW_INDEX_15BPP = 4, + MAX_ROW_INDEX = 5, +}; + +enum COLUMN_INDEX_BPC { + COLUMN_INDEX_8BPC = 0, + COLUMN_INDEX_10BPC = 1, + COLUMN_INDEX_12BPC = 2, + COLUMN_INDEX_14BPC = 3, + COLUMN_INDEX_16BPC = 4, + MAX_COLUMN_INDEX = 5, +}; + +struct rc_parameters { + u16 initial_xmit_delay; + u8 first_line_bpg_offset; + u16 initial_offset; + u8 flatness_min_qp; + u8 flatness_max_qp; + u8 rc_quant_incr_limit0; + u8 rc_quant_incr_limit1; + struct drm_dsc_rc_range_parameters rc_range_params[15]; +}; + +enum drm_i915_oa_format { + I915_OA_FORMAT_A13 = 1, + I915_OA_FORMAT_A29 = 2, + I915_OA_FORMAT_A13_B8_C8 = 3, + I915_OA_FORMAT_B4_C8 = 4, + I915_OA_FORMAT_A45_B8_C8 = 5, + I915_OA_FORMAT_B4_C8_A16 = 6, + I915_OA_FORMAT_C4_B8 = 7, + I915_OA_FORMAT_A12 = 8, + I915_OA_FORMAT_A12_B8_C8 = 9, + I915_OA_FORMAT_A32u40_A4u32_B8_C8 = 10, + I915_OA_FORMAT_MAX = 11, +}; + +enum drm_i915_perf_property_id { + DRM_I915_PERF_PROP_CTX_HANDLE = 1, + DRM_I915_PERF_PROP_SAMPLE_OA = 2, + DRM_I915_PERF_PROP_OA_METRICS_SET = 3, + DRM_I915_PERF_PROP_OA_FORMAT = 4, + DRM_I915_PERF_PROP_OA_EXPONENT = 5, + DRM_I915_PERF_PROP_HOLD_PREEMPTION = 6, + DRM_I915_PERF_PROP_MAX = 7, +}; + +struct drm_i915_perf_open_param { + __u32 flags; + __u32 num_properties; + __u64 properties_ptr; +}; + +struct drm_i915_perf_record_header { + __u32 type; + __u16 pad; + __u16 size; +}; + +enum drm_i915_perf_record_type { + DRM_I915_PERF_RECORD_SAMPLE = 1, + DRM_I915_PERF_RECORD_OA_REPORT_LOST = 2, + DRM_I915_PERF_RECORD_OA_BUFFER_LOST = 3, + DRM_I915_PERF_RECORD_MAX = 4, +}; + +struct perf_open_properties { + u32 sample_flags; + u64 single_context: 1; + u64 hold_preemption: 1; + u64 ctx_handle; + int metrics_set; + int oa_format; + bool oa_periodic; + int oa_period_exponent; + struct intel_engine_cs *engine; +}; + +struct i915_oa_config_bo { + struct llist_node node; + struct i915_oa_config *oa_config; + struct i915_vma *vma; +}; + +struct flex { + i915_reg_t reg; + u32 offset; + u32 value; +}; + +struct compress { + struct pagevec pool; + struct z_stream_s zstream; + void *tmp; + bool wc; +}; + +struct capture_vma { + struct capture_vma *next; + void **slot; +}; + +struct _balloon_info_ { + struct drm_mm_node space[4]; +}; + +struct vga_device { + struct list_head list; + struct pci_dev *pdev; + unsigned int decodes; + unsigned int owns; + unsigned int locks; + unsigned int io_lock_cnt; + unsigned int mem_lock_cnt; + unsigned int io_norm_cnt; + unsigned int mem_norm_cnt; + bool bridge_has_one_vga; + void *cookie; + void (*irq_set_state)(void *, bool); + unsigned int (*set_vga_decode)(void *, bool); +}; + +struct vga_arb_user_card { + struct pci_dev *pdev; + unsigned int mem_cnt; + unsigned int io_cnt; +}; + +struct vga_arb_private { + struct list_head list; + struct pci_dev *target; + struct vga_arb_user_card cards[16]; + spinlock_t lock; +}; + +struct cb_id { + __u32 idx; + __u32 val; +}; + +struct cn_msg { + struct cb_id id; + __u32 seq; + __u32 ack; + __u16 len; + __u16 flags; + __u8 data[0]; +}; + +struct cn_queue_dev { + atomic_t refcnt; + unsigned char name[32]; + struct list_head queue_list; + spinlock_t queue_lock; + struct sock *nls; +}; + +struct cn_callback_id { + unsigned char name[32]; + struct cb_id id; +}; + +struct cn_callback_entry { + struct list_head callback_entry; + refcount_t refcnt; + struct cn_queue_dev *pdev; + struct cn_callback_id id; + void (*callback)(struct cn_msg *, struct netlink_skb_parms *); + u32 seq; + u32 group; +}; + +struct cn_dev { + struct cb_id id; + u32 seq; + u32 groups; + struct sock *nls; + struct cn_queue_dev *cbdev; +}; + +enum proc_cn_mcast_op { + PROC_CN_MCAST_LISTEN = 1, + PROC_CN_MCAST_IGNORE = 2, +}; + +struct fork_proc_event { + __kernel_pid_t parent_pid; + __kernel_pid_t parent_tgid; + __kernel_pid_t child_pid; + __kernel_pid_t child_tgid; +}; + +struct exec_proc_event { + __kernel_pid_t process_pid; + __kernel_pid_t process_tgid; +}; + +struct id_proc_event { + __kernel_pid_t process_pid; + __kernel_pid_t process_tgid; + union { + __u32 ruid; + __u32 rgid; + } r; + union { + __u32 euid; + __u32 egid; + } e; +}; + +struct sid_proc_event { + __kernel_pid_t process_pid; + __kernel_pid_t process_tgid; +}; + +struct ptrace_proc_event { + __kernel_pid_t process_pid; + __kernel_pid_t process_tgid; + __kernel_pid_t tracer_pid; + __kernel_pid_t tracer_tgid; +}; + +struct comm_proc_event { + __kernel_pid_t process_pid; + __kernel_pid_t process_tgid; + char comm[16]; +}; + +struct coredump_proc_event { + __kernel_pid_t process_pid; + __kernel_pid_t process_tgid; + __kernel_pid_t parent_pid; + __kernel_pid_t parent_tgid; +}; + +struct exit_proc_event { + __kernel_pid_t process_pid; + __kernel_pid_t process_tgid; + __u32 exit_code; + __u32 exit_signal; + __kernel_pid_t parent_pid; + __kernel_pid_t parent_tgid; +}; + +struct proc_event { + enum what what; + __u32 cpu; + __u64 timestamp_ns; + union { + struct { + __u32 err; + } ack; + struct fork_proc_event fork; + struct exec_proc_event exec; + struct id_proc_event id; + struct sid_proc_event sid; + struct ptrace_proc_event ptrace; + struct comm_proc_event comm; + struct coredump_proc_event coredump; + struct exit_proc_event exit; + } event_data; +}; + +struct component_master_ops { + int (*bind)(struct device *); + void (*unbind)(struct device *); +}; + +struct component; + +struct component_match_array { + void *data; + int (*compare)(struct device *, void *); + int (*compare_typed)(struct device *, int, void *); + void (*release)(struct device *, void *); + struct component *component; + bool duplicate; +}; + +struct master; + +struct component { + struct list_head node; + struct master *master; + bool bound; + const struct component_ops *ops; + int subcomponent; + struct device *dev; +}; + +struct component_match { + size_t alloc; + size_t num; + struct component_match_array *compare; +}; + +struct master { + struct list_head node; + bool bound; + const struct component_master_ops *ops; + struct device *dev; + struct component_match *match; + struct dentry *dentry; +}; + +struct wake_irq { + struct device *dev; + unsigned int status; + int irq; + const char *name; +}; + +enum dpm_order { + DPM_ORDER_NONE = 0, + DPM_ORDER_DEV_AFTER_PARENT = 1, + DPM_ORDER_PARENT_BEFORE_DEV = 2, + DPM_ORDER_DEV_LAST = 3, +}; + +struct subsys_private { + struct kset subsys; + struct kset *devices_kset; + struct list_head interfaces; + struct mutex mutex; + struct kset *drivers_kset; + struct klist klist_devices; + struct klist klist_drivers; + struct blocking_notifier_head bus_notifier; + unsigned int drivers_autoprobe: 1; + struct bus_type *bus; + struct kset glue_dirs; + struct class *class; +}; + +struct driver_private { + struct kobject kobj; + struct klist klist_devices; + struct klist_node knode_bus; + struct module_kobject *mkobj; + struct device_driver *driver; +}; + +struct device_private { + struct klist klist_children; + struct klist_node knode_parent; + struct klist_node knode_driver; + struct klist_node knode_bus; + struct klist_node knode_class; + struct list_head deferred_probe; + struct device_driver *async_driver; + struct device *device; + u8 dead: 1; +}; + +union device_attr_group_devres { + const struct attribute_group *group; + const struct attribute_group **groups; +}; + +struct class_dir { + struct kobject kobj; + struct class *class; +}; + +struct root_device { + struct device dev; + struct module *owner; +}; + +struct subsys_dev_iter { + struct klist_iter ki; + const struct device_type *type; +}; + +struct device_attach_data { + struct device *dev; + bool check_async; + bool want_async; + bool have_async; +}; + +struct class_compat { + struct kobject *kobj; +}; + +struct platform_object { + struct platform_device pdev; + char name[0]; +}; + +struct cpu_attr { + struct device_attribute attr; + const struct cpumask * const map; +}; + +struct probe { + struct probe *next; + dev_t dev; + long unsigned int range; + struct module *owner; + kobj_probe_t___2 *get; + int (*lock)(dev_t, void *); + void *data; +}; + +struct kobj_map___2 { + struct probe *probes[255]; + struct mutex *lock; +}; + +struct devres_node { + struct list_head entry; + dr_release_t release; + const char *name; + size_t size; +}; + +struct devres { + struct devres_node node; + u8 data[0]; +}; + +struct devres_group { + struct devres_node node[2]; + void *id; + int color; +}; + +struct action_devres { + void *data; + void (*action)(void *); +}; + +struct pages_devres { + long unsigned int addr; + unsigned int order; +}; + +struct attribute_container { + struct list_head node; + struct klist containers; + struct class *class; + const struct attribute_group *grp; + struct device_attribute **attrs; + int (*match)(struct attribute_container *, struct device *); + long unsigned int flags; +}; + +struct internal_container { + struct klist_node node; + struct attribute_container *cont; + struct device classdev; +}; + +struct transport_container; + +struct transport_class { + struct class class; + int (*setup)(struct transport_container *, struct device *, struct device *); + int (*configure)(struct transport_container *, struct device *, struct device *); + int (*remove)(struct transport_container *, struct device *, struct device *); +}; + +struct transport_container { + struct attribute_container ac; + const struct attribute_group *statistics; +}; + +struct anon_transport_class { + struct transport_class tclass; + struct attribute_container container; +}; + +struct reset_control; + +struct mii_bus; + +struct mdio_device { + struct device dev; + struct mii_bus *bus; + char modalias[32]; + int (*bus_match)(struct device *, struct device_driver *); + void (*device_free)(struct mdio_device *); + void (*device_remove)(struct mdio_device *); + int addr; + int flags; + struct gpio_desc *reset_gpio; + struct reset_control *reset_ctrl; + unsigned int reset_assert_delay; + unsigned int reset_deassert_delay; +}; + +struct phy_c45_device_ids { + u32 devices_in_package; + u32 device_ids[8]; +}; + +enum phy_state { + PHY_DOWN = 0, + PHY_READY = 1, + PHY_HALTED = 2, + PHY_UP = 3, + PHY_RUNNING = 4, + PHY_NOLINK = 5, +}; + +typedef enum { + PHY_INTERFACE_MODE_NA = 0, + PHY_INTERFACE_MODE_INTERNAL = 1, + PHY_INTERFACE_MODE_MII = 2, + PHY_INTERFACE_MODE_GMII = 3, + PHY_INTERFACE_MODE_SGMII = 4, + PHY_INTERFACE_MODE_TBI = 5, + PHY_INTERFACE_MODE_REVMII = 6, + PHY_INTERFACE_MODE_RMII = 7, + PHY_INTERFACE_MODE_RGMII = 8, + PHY_INTERFACE_MODE_RGMII_ID = 9, + PHY_INTERFACE_MODE_RGMII_RXID = 10, + PHY_INTERFACE_MODE_RGMII_TXID = 11, + PHY_INTERFACE_MODE_RTBI = 12, + PHY_INTERFACE_MODE_SMII = 13, + PHY_INTERFACE_MODE_XGMII = 14, + PHY_INTERFACE_MODE_MOCA = 15, + PHY_INTERFACE_MODE_QSGMII = 16, + PHY_INTERFACE_MODE_TRGMII = 17, + PHY_INTERFACE_MODE_1000BASEX = 18, + PHY_INTERFACE_MODE_2500BASEX = 19, + PHY_INTERFACE_MODE_RXAUI = 20, + PHY_INTERFACE_MODE_XAUI = 21, + PHY_INTERFACE_MODE_10GKR = 22, + PHY_INTERFACE_MODE_USXGMII = 23, + PHY_INTERFACE_MODE_MAX = 24, +} phy_interface_t; + +struct phylink; + +struct phy_driver; + +struct phy_device { + struct mdio_device mdio; + struct phy_driver *drv; + u32 phy_id; + struct phy_c45_device_ids c45_ids; + unsigned int is_c45: 1; + unsigned int is_internal: 1; + unsigned int is_pseudo_fixed_link: 1; + unsigned int is_gigabit_capable: 1; + unsigned int has_fixups: 1; + unsigned int suspended: 1; + unsigned int sysfs_links: 1; + unsigned int loopback_enabled: 1; + unsigned int autoneg: 1; + unsigned int link: 1; + unsigned int autoneg_complete: 1; + unsigned int interrupts: 1; + enum phy_state state; + u32 dev_flags; + phy_interface_t interface; + int speed; + int duplex; + int pause; + int asym_pause; + long unsigned int supported[2]; + long unsigned int advertising[2]; + long unsigned int lp_advertising[2]; + long unsigned int adv_old[2]; + u32 eee_broken_modes; + int irq; + void *priv; + struct delayed_work state_queue; + struct mutex lock; + bool sfp_bus_attached; + struct sfp_bus *sfp_bus; + struct phylink *phylink; + struct net_device *attached_dev; + u8 mdix; + u8 mdix_ctrl; + void (*phy_link_change)(struct phy_device *, bool, bool); + void (*adjust_link)(struct net_device *); +}; + +struct mii_bus { + struct module *owner; + const char *name; + char id[61]; + void *priv; + int (*read)(struct mii_bus *, int, int); + int (*write)(struct mii_bus *, int, int, u16); + int (*reset)(struct mii_bus *); + struct mutex mdio_lock; + struct device *parent; + enum { + MDIOBUS_ALLOCATED = 1, + MDIOBUS_REGISTERED = 2, + MDIOBUS_UNREGISTERED = 3, + MDIOBUS_RELEASED = 4, + } state; + struct device dev; + struct mdio_device *mdio_map[32]; + u32 phy_mask; + u32 phy_ignore_ta_mask; + int irq[32]; + int reset_delay_us; + struct gpio_desc *reset_gpiod; +}; + +struct mdio_driver_common { + struct device_driver driver; + int flags; +}; + +struct phy_driver { + struct mdio_driver_common mdiodrv; + u32 phy_id; + char *name; + u32 phy_id_mask; + const long unsigned int * const features; + u32 flags; + const void *driver_data; + int (*soft_reset)(struct phy_device *); + int (*config_init)(struct phy_device *); + int (*probe)(struct phy_device *); + int (*get_features)(struct phy_device *); + int (*suspend)(struct phy_device *); + int (*resume)(struct phy_device *); + int (*config_aneg)(struct phy_device *); + int (*aneg_done)(struct phy_device *); + int (*read_status)(struct phy_device *); + int (*ack_interrupt)(struct phy_device *); + int (*config_intr)(struct phy_device *); + int (*did_interrupt)(struct phy_device *); + int (*handle_interrupt)(struct phy_device *); + void (*remove)(struct phy_device *); + int (*match_phy_device)(struct phy_device *); + int (*ts_info)(struct phy_device *, struct ethtool_ts_info *); + int (*hwtstamp)(struct phy_device *, struct ifreq *); + bool (*rxtstamp)(struct phy_device *, struct sk_buff *, int); + void (*txtstamp)(struct phy_device *, struct sk_buff *, int); + int (*set_wol)(struct phy_device *, struct ethtool_wolinfo *); + void (*get_wol)(struct phy_device *, struct ethtool_wolinfo *); + void (*link_change_notify)(struct phy_device *); + int (*read_mmd)(struct phy_device *, int, u16); + int (*write_mmd)(struct phy_device *, int, u16, u16); + int (*read_page)(struct phy_device *); + int (*write_page)(struct phy_device *, int); + int (*module_info)(struct phy_device *, struct ethtool_modinfo *); + int (*module_eeprom)(struct phy_device *, struct ethtool_eeprom *, u8 *); + int (*get_sset_count)(struct phy_device *); + void (*get_strings)(struct phy_device *, u8 *); + void (*get_stats)(struct phy_device *, struct ethtool_stats *, u64 *); + int (*get_tunable)(struct phy_device *, struct ethtool_tunable *, void *); + int (*set_tunable)(struct phy_device *, struct ethtool_tunable *, const void *); + int (*set_loopback)(struct phy_device *, bool); +}; + +struct device_connection { + struct fwnode_handle *fwnode; + const char *endpoint[2]; + const char *id; + struct list_head list; +}; + +typedef void * (*devcon_match_fn_t)(struct device_connection *, int, void *); + +struct software_node; + +struct software_node_ref_args { + const struct software_node *node; + unsigned int nargs; + u64 args[8]; +}; + +struct software_node_reference; + +struct software_node { + const char *name; + const struct software_node *parent; + const struct property_entry *properties; + const struct software_node_reference *references; +}; + +struct software_node_reference { + const char *name; + unsigned int nrefs; + const struct software_node_ref_args *refs; +}; + +struct swnode { + int id; + struct kobject kobj; + struct fwnode_handle fwnode; + const struct software_node *node; + struct ida child_ids; + struct list_head entry; + struct list_head children; + struct swnode *parent; + unsigned int allocated: 1; +}; + +struct req { + struct req *next; + struct completion done; + int err; + const char *name; + umode_t mode; + kuid_t uid; + kgid_t gid; + struct device *dev; +}; + +typedef int (*pm_callback_t)(struct device *); + +struct pm_clk_notifier_block { + struct notifier_block nb; + struct dev_pm_domain *pm_domain; + char *con_ids[0]; +}; + +enum pce_status { + PCE_STATUS_NONE = 0, + PCE_STATUS_ACQUIRED = 1, + PCE_STATUS_ENABLED = 2, + PCE_STATUS_ERROR = 3, +}; + +struct pm_clock_entry { + struct list_head node; + char *con_id; + struct clk *clk; + enum pce_status status; +}; + +enum fw_opt { + FW_OPT_UEVENT = 1, + FW_OPT_NOWAIT = 2, + FW_OPT_USERHELPER = 4, + FW_OPT_NO_WARN = 8, + FW_OPT_NOCACHE = 16, + FW_OPT_NOFALLBACK = 32, +}; + +enum fw_status { + FW_STATUS_UNKNOWN = 0, + FW_STATUS_LOADING = 1, + FW_STATUS_DONE = 2, + FW_STATUS_ABORTED = 3, +}; + +struct fw_state { + struct completion completion; + enum fw_status status; +}; + +struct firmware_cache; + +struct fw_priv { + struct kref ref; + struct list_head list; + struct firmware_cache *fwc; + struct fw_state fw_st; + void *data; + size_t size; + size_t allocated_size; + const char *fw_name; +}; + +struct firmware_cache { + spinlock_t lock; + struct list_head head; + int state; + spinlock_t name_lock; + struct list_head fw_names; + struct delayed_work work; + struct notifier_block pm_notify; +}; + +struct fw_cache_entry { + struct list_head list; + const char *name; +}; + +struct fw_name_devm { + long unsigned int magic; + const char *name; +}; + +struct firmware_work { + struct work_struct work; + struct module *module; + const char *name; + struct device *device; + void *context; + void (*cont)(const struct firmware *, void *); + enum fw_opt opt_flags; +}; + +struct node_access_nodes { + struct device dev; + struct list_head list_node; + unsigned int access; +}; + +struct node_attr { + struct device_attribute attr; + enum node_states state; +}; + +enum regcache_type { + REGCACHE_NONE = 0, + REGCACHE_RBTREE = 1, + REGCACHE_COMPRESSED = 2, + REGCACHE_FLAT = 3, +}; + +struct reg_default { + unsigned int reg; + unsigned int def; +}; + +struct reg_sequence { + unsigned int reg; + unsigned int def; + unsigned int delay_us; +}; + +enum regmap_endian { + REGMAP_ENDIAN_DEFAULT = 0, + REGMAP_ENDIAN_BIG = 1, + REGMAP_ENDIAN_LITTLE = 2, + REGMAP_ENDIAN_NATIVE = 3, +}; + +struct regmap_range { + unsigned int range_min; + unsigned int range_max; +}; + +struct regmap_access_table { + const struct regmap_range *yes_ranges; + unsigned int n_yes_ranges; + const struct regmap_range *no_ranges; + unsigned int n_no_ranges; +}; + +typedef void (*regmap_lock)(void *); + +typedef void (*regmap_unlock)(void *); + +struct regmap_range_cfg; + +struct regmap_config { + const char *name; + int reg_bits; + int reg_stride; + int pad_bits; + int val_bits; + bool (*writeable_reg)(struct device *, unsigned int); + bool (*readable_reg)(struct device *, unsigned int); + bool (*volatile_reg)(struct device *, unsigned int); + bool (*precious_reg)(struct device *, unsigned int); + bool (*writeable_noinc_reg)(struct device *, unsigned int); + bool (*readable_noinc_reg)(struct device *, unsigned int); + bool disable_locking; + regmap_lock lock; + regmap_unlock unlock; + void *lock_arg; + int (*reg_read)(void *, unsigned int, unsigned int *); + int (*reg_write)(void *, unsigned int, unsigned int); + bool fast_io; + unsigned int max_register; + const struct regmap_access_table *wr_table; + const struct regmap_access_table *rd_table; + const struct regmap_access_table *volatile_table; + const struct regmap_access_table *precious_table; + const struct regmap_access_table *wr_noinc_table; + const struct regmap_access_table *rd_noinc_table; + const struct reg_default *reg_defaults; + unsigned int num_reg_defaults; + enum regcache_type cache_type; + const void *reg_defaults_raw; + unsigned int num_reg_defaults_raw; + long unsigned int read_flag_mask; + long unsigned int write_flag_mask; + bool zero_flag_mask; + bool use_single_read; + bool use_single_write; + bool can_multi_write; + enum regmap_endian reg_format_endian; + enum regmap_endian val_format_endian; + const struct regmap_range_cfg *ranges; + unsigned int num_ranges; + bool use_hwlock; + unsigned int hwlock_id; + unsigned int hwlock_mode; +}; + +struct regmap_range_cfg { + const char *name; + unsigned int range_min; + unsigned int range_max; + unsigned int selector_reg; + unsigned int selector_mask; + int selector_shift; + unsigned int window_start; + unsigned int window_len; +}; + +typedef int (*regmap_hw_write)(void *, const void *, size_t); + +typedef int (*regmap_hw_gather_write)(void *, const void *, size_t, const void *, size_t); + +struct regmap_async; + +typedef int (*regmap_hw_async_write)(void *, const void *, size_t, const void *, size_t, struct regmap_async *); + +struct regmap; + +struct regmap_async { + struct list_head list; + struct regmap *map; + void *work_buf; +}; + +typedef int (*regmap_hw_read)(void *, const void *, size_t, void *, size_t); + +typedef int (*regmap_hw_reg_read)(void *, unsigned int, unsigned int *); + +typedef int (*regmap_hw_reg_write)(void *, unsigned int, unsigned int); + +typedef int (*regmap_hw_reg_update_bits)(void *, unsigned int, unsigned int, unsigned int); + +typedef struct regmap_async * (*regmap_hw_async_alloc)(); + +typedef void (*regmap_hw_free_context)(void *); + +struct regmap_bus { + bool fast_io; + regmap_hw_write write; + regmap_hw_gather_write gather_write; + regmap_hw_async_write async_write; + regmap_hw_reg_write reg_write; + regmap_hw_reg_update_bits reg_update_bits; + regmap_hw_read read; + regmap_hw_reg_read reg_read; + regmap_hw_free_context free_context; + regmap_hw_async_alloc async_alloc; + u8 read_flag_mask; + enum regmap_endian reg_format_endian_default; + enum regmap_endian val_format_endian_default; + size_t max_raw_read; + size_t max_raw_write; +}; + +struct reg_field { + unsigned int reg; + unsigned int lsb; + unsigned int msb; + unsigned int id_size; + unsigned int id_offset; +}; + +struct regmap_format { + size_t buf_size; + size_t reg_bytes; + size_t pad_bytes; + size_t val_bytes; + void (*format_write)(struct regmap *, unsigned int, unsigned int); + void (*format_reg)(void *, unsigned int, unsigned int); + void (*format_val)(void *, unsigned int, unsigned int); + unsigned int (*parse_val)(const void *); + void (*parse_inplace)(void *); +}; + +struct hwspinlock; + +struct regcache_ops; + +struct regmap { + union { + struct mutex mutex; + struct { + spinlock_t spinlock; + long unsigned int spinlock_flags; + }; + }; + regmap_lock lock; + regmap_unlock unlock; + void *lock_arg; + gfp_t alloc_flags; + struct device *dev; + void *work_buf; + struct regmap_format format; + const struct regmap_bus *bus; + void *bus_context; + const char *name; + bool async; + spinlock_t async_lock; + wait_queue_head_t async_waitq; + struct list_head async_list; + struct list_head async_free; + int async_ret; + bool debugfs_disable; + struct dentry *debugfs; + const char *debugfs_name; + unsigned int debugfs_reg_len; + unsigned int debugfs_val_len; + unsigned int debugfs_tot_len; + struct list_head debugfs_off_cache; + struct mutex cache_lock; + unsigned int max_register; + bool (*writeable_reg)(struct device *, unsigned int); + bool (*readable_reg)(struct device *, unsigned int); + bool (*volatile_reg)(struct device *, unsigned int); + bool (*precious_reg)(struct device *, unsigned int); + bool (*writeable_noinc_reg)(struct device *, unsigned int); + bool (*readable_noinc_reg)(struct device *, unsigned int); + const struct regmap_access_table *wr_table; + const struct regmap_access_table *rd_table; + const struct regmap_access_table *volatile_table; + const struct regmap_access_table *precious_table; + const struct regmap_access_table *wr_noinc_table; + const struct regmap_access_table *rd_noinc_table; + int (*reg_read)(void *, unsigned int, unsigned int *); + int (*reg_write)(void *, unsigned int, unsigned int); + int (*reg_update_bits)(void *, unsigned int, unsigned int, unsigned int); + bool defer_caching; + long unsigned int read_flag_mask; + long unsigned int write_flag_mask; + int reg_shift; + int reg_stride; + int reg_stride_order; + const struct regcache_ops *cache_ops; + enum regcache_type cache_type; + unsigned int cache_size_raw; + unsigned int cache_word_size; + unsigned int num_reg_defaults; + unsigned int num_reg_defaults_raw; + bool cache_only; + bool cache_bypass; + bool cache_free; + struct reg_default *reg_defaults; + const void *reg_defaults_raw; + void *cache; + bool cache_dirty; + bool no_sync_defaults; + struct reg_sequence *patch; + int patch_regs; + bool use_single_read; + bool use_single_write; + bool can_multi_write; + size_t max_raw_read; + size_t max_raw_write; + struct rb_root range_tree; + void *selector_work_buf; + struct hwspinlock *hwlock; +}; + +struct regcache_ops { + const char *name; + enum regcache_type type; + int (*init)(struct regmap *); + int (*exit)(struct regmap *); + void (*debugfs_init)(struct regmap *); + int (*read)(struct regmap *, unsigned int, unsigned int *); + int (*write)(struct regmap *, unsigned int, unsigned int); + int (*sync)(struct regmap *, unsigned int, unsigned int); + int (*drop)(struct regmap *, unsigned int, unsigned int); +}; + +struct regmap_range_node { + struct rb_node node; + const char *name; + struct regmap *map; + unsigned int range_min; + unsigned int range_max; + unsigned int selector_reg; + unsigned int selector_mask; + int selector_shift; + unsigned int window_start; + unsigned int window_len; +}; + +struct regmap_field { + struct regmap *regmap; + unsigned int mask; + unsigned int shift; + unsigned int reg; + unsigned int id_size; + unsigned int id_offset; +}; + +struct trace_event_raw_regmap_reg { + struct trace_entry ent; + u32 __data_loc_name; + unsigned int reg; + unsigned int val; + char __data[0]; +}; + +struct trace_event_raw_regmap_block { + struct trace_entry ent; + u32 __data_loc_name; + unsigned int reg; + int count; + char __data[0]; +}; + +struct trace_event_raw_regcache_sync { + struct trace_entry ent; + u32 __data_loc_name; + u32 __data_loc_status; + u32 __data_loc_type; + int type; + char __data[0]; +}; + +struct trace_event_raw_regmap_bool { + struct trace_entry ent; + u32 __data_loc_name; + int flag; + char __data[0]; +}; + +struct trace_event_raw_regmap_async { + struct trace_entry ent; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_regcache_drop_region { + struct trace_entry ent; + u32 __data_loc_name; + unsigned int from; + unsigned int to; + char __data[0]; +}; + +struct trace_event_data_offsets_regmap_reg { + u32 name; +}; + +struct trace_event_data_offsets_regmap_block { + u32 name; +}; + +struct trace_event_data_offsets_regcache_sync { + u32 name; + u32 status; + u32 type; +}; + +struct trace_event_data_offsets_regmap_bool { + u32 name; +}; + +struct trace_event_data_offsets_regmap_async { + u32 name; +}; + +struct trace_event_data_offsets_regcache_drop_region { + u32 name; +}; + +struct regcache_rbtree_node { + void *block; + long int *cache_present; + unsigned int base_reg; + unsigned int blklen; + struct rb_node node; +}; + +struct regcache_rbtree_ctx { + struct rb_root root; + struct regcache_rbtree_node *cached_rbnode; +}; + +struct regmap_debugfs_off_cache { + struct list_head list; + off_t min; + off_t max; + unsigned int base_reg; + unsigned int max_reg; +}; + +struct regmap_debugfs_node { + struct regmap *map; + const char *name; + struct list_head link; +}; + +typedef void (*irq_write_msi_msg_t)(struct msi_desc *, struct msi_msg *); + +struct platform_msi_priv_data { + struct device *dev; + void *host_data; + msi_alloc_info_t arg; + irq_write_msi_msg_t write_msg; + int devid; +}; + +typedef long unsigned int __kernel_old_dev_t; + +enum { + LO_FLAGS_READ_ONLY = 1, + LO_FLAGS_AUTOCLEAR = 4, + LO_FLAGS_PARTSCAN = 8, + LO_FLAGS_DIRECT_IO = 16, +}; + +struct loop_info { + int lo_number; + __kernel_old_dev_t lo_device; + long unsigned int lo_inode; + __kernel_old_dev_t lo_rdevice; + int lo_offset; + int lo_encrypt_type; + int lo_encrypt_key_size; + int lo_flags; + char lo_name[64]; + unsigned char lo_encrypt_key[32]; + long unsigned int lo_init[2]; + char reserved[4]; +}; + +struct loop_info64 { + __u64 lo_device; + __u64 lo_inode; + __u64 lo_rdevice; + __u64 lo_offset; + __u64 lo_sizelimit; + __u32 lo_number; + __u32 lo_encrypt_type; + __u32 lo_encrypt_key_size; + __u32 lo_flags; + __u8 lo_file_name[64]; + __u8 lo_crypt_name[64]; + __u8 lo_encrypt_key[32]; + __u64 lo_init[2]; +}; + +enum { + Lo_unbound = 0, + Lo_bound = 1, + Lo_rundown = 2, +}; + +struct loop_func_table; + +struct loop_device { + int lo_number; + atomic_t lo_refcnt; + loff_t lo_offset; + loff_t lo_sizelimit; + int lo_flags; + int (*transfer)(struct loop_device *, int, struct page *, unsigned int, struct page *, unsigned int, int, sector_t); + char lo_file_name[64]; + char lo_crypt_name[64]; + char lo_encrypt_key[32]; + int lo_encrypt_key_size; + struct loop_func_table *lo_encryption; + __u32 lo_init[2]; + kuid_t lo_key_owner; + int (*ioctl)(struct loop_device *, int, long unsigned int); + struct file *lo_backing_file; + struct block_device *lo_device; + void *key_data; + gfp_t old_gfp_mask; + spinlock_t lo_lock; + int lo_state; + struct kthread_worker worker; + struct task_struct *worker_task; + bool use_dio; + bool sysfs_inited; + struct request_queue *lo_queue; + struct blk_mq_tag_set tag_set; + struct gendisk *lo_disk; +}; + +struct loop_func_table { + int number; + int (*transfer)(struct loop_device *, int, struct page *, unsigned int, struct page *, unsigned int, int, sector_t); + int (*init)(struct loop_device *, const struct loop_info64 *); + int (*release)(struct loop_device *); + int (*ioctl)(struct loop_device *, int, long unsigned int); + struct module *owner; +}; + +struct loop_cmd { + struct kthread_work work; + bool use_aio; + atomic_t ref; + long int ret; + struct kiocb iocb; + struct bio_vec *bvec; + struct cgroup_subsys_state *css; +}; + +struct compat_loop_info { + compat_int_t lo_number; + compat_dev_t lo_device; + compat_ulong_t lo_inode; + compat_dev_t lo_rdevice; + compat_int_t lo_offset; + compat_int_t lo_encrypt_type; + compat_int_t lo_encrypt_key_size; + compat_int_t lo_flags; + char lo_name[64]; + unsigned char lo_encrypt_key[32]; + compat_ulong_t lo_init[2]; + char reserved[4]; +}; + +struct dma_buf_sync { + __u64 flags; +}; + +struct dma_buf_list { + struct list_head head; + struct mutex lock; +}; + +struct trace_event_raw_dma_fence { + struct trace_entry ent; + u32 __data_loc_driver; + u32 __data_loc_timeline; + unsigned int context; + unsigned int seqno; + char __data[0]; +}; + +struct trace_event_data_offsets_dma_fence { + u32 driver; + u32 timeline; +}; + +struct default_wait_cb { + struct dma_fence_cb base; + struct task_struct *task; +}; + +struct dma_fence_array_cb { + struct dma_fence_cb cb; + struct dma_fence_array *array; +}; + +enum seqno_fence_condition { + SEQNO_FENCE_WAIT_GEQUAL = 0, + SEQNO_FENCE_WAIT_NONZERO = 1, +}; + +struct seqno_fence { + struct dma_fence base; + const struct dma_fence_ops *ops; + struct dma_buf *sync_buf; + uint32_t seqno_ofs; + enum seqno_fence_condition condition; +}; + +struct sync_merge_data { + char name[32]; + __s32 fd2; + __s32 fence; + __u32 flags; + __u32 pad; +}; + +struct sync_fence_info { + char obj_name[32]; + char driver_name[32]; + __s32 status; + __u32 flags; + __u64 timestamp_ns; +}; + +struct sync_file_info { + char name[32]; + __s32 status; + __u32 flags; + __u32 num_fences; + __u32 pad; + __u64 sync_fence_info; +}; + +struct scsi_sense_hdr { + u8 response_code; + u8 sense_key; + u8 asc; + u8 ascq; + u8 byte4; + u8 byte5; + u8 byte6; + u8 additional_length; +}; + +typedef __u64 blist_flags_t; + +enum scsi_device_state { + SDEV_CREATED = 1, + SDEV_RUNNING = 2, + SDEV_CANCEL = 3, + SDEV_DEL = 4, + SDEV_QUIESCE = 5, + SDEV_OFFLINE = 6, + SDEV_TRANSPORT_OFFLINE = 7, + SDEV_BLOCK = 8, + SDEV_CREATED_BLOCK = 9, +}; + +struct scsi_vpd { + struct callback_head rcu; + int len; + unsigned char data[0]; +}; + +struct Scsi_Host; + +struct scsi_target; + +struct scsi_device_handler; + +struct scsi_device { + struct Scsi_Host *host; + struct request_queue *request_queue; + struct list_head siblings; + struct list_head same_target_siblings; + atomic_t device_busy; + atomic_t device_blocked; + spinlock_t list_lock; + struct list_head cmd_list; + struct list_head starved_entry; + short unsigned int queue_depth; + short unsigned int max_queue_depth; + short unsigned int last_queue_full_depth; + short unsigned int last_queue_full_count; + long unsigned int last_queue_full_time; + long unsigned int queue_ramp_up_period; + long unsigned int last_queue_ramp_up; + unsigned int id; + unsigned int channel; + u64 lun; + unsigned int manufacturer; + unsigned int sector_size; + void *hostdata; + unsigned char type; + char scsi_level; + char inq_periph_qual; + struct mutex inquiry_mutex; + unsigned char inquiry_len; + unsigned char *inquiry; + const char *vendor; + const char *model; + const char *rev; + struct scsi_vpd *vpd_pg0; + struct scsi_vpd *vpd_pg83; + struct scsi_vpd *vpd_pg80; + struct scsi_vpd *vpd_pg89; + unsigned char current_tag; + struct scsi_target *sdev_target; + blist_flags_t sdev_bflags; + unsigned int eh_timeout; + unsigned int removable: 1; + unsigned int changed: 1; + unsigned int busy: 1; + unsigned int lockable: 1; + unsigned int locked: 1; + unsigned int borken: 1; + unsigned int disconnect: 1; + unsigned int soft_reset: 1; + unsigned int sdtr: 1; + unsigned int wdtr: 1; + unsigned int ppr: 1; + unsigned int tagged_supported: 1; + unsigned int simple_tags: 1; + unsigned int was_reset: 1; + unsigned int expecting_cc_ua: 1; + unsigned int use_10_for_rw: 1; + unsigned int use_10_for_ms: 1; + unsigned int no_report_opcodes: 1; + unsigned int no_write_same: 1; + unsigned int use_16_for_rw: 1; + unsigned int skip_ms_page_8: 1; + unsigned int skip_ms_page_3f: 1; + unsigned int skip_vpd_pages: 1; + unsigned int try_vpd_pages: 1; + unsigned int use_192_bytes_for_3f: 1; + unsigned int no_start_on_add: 1; + unsigned int allow_restart: 1; + unsigned int manage_start_stop: 1; + unsigned int start_stop_pwr_cond: 1; + unsigned int no_uld_attach: 1; + unsigned int select_no_atn: 1; + unsigned int fix_capacity: 1; + unsigned int guess_capacity: 1; + unsigned int retry_hwerror: 1; + unsigned int last_sector_bug: 1; + unsigned int no_read_disc_info: 1; + unsigned int no_read_capacity_16: 1; + unsigned int try_rc_10_first: 1; + unsigned int security_supported: 1; + unsigned int is_visible: 1; + unsigned int wce_default_on: 1; + unsigned int no_dif: 1; + unsigned int broken_fua: 1; + unsigned int lun_in_cdb: 1; + unsigned int unmap_limit_for_ws: 1; + unsigned int rpm_autosuspend: 1; + atomic_t disk_events_disable_depth; + long unsigned int supported_events[1]; + long unsigned int pending_events[1]; + struct list_head event_list; + struct work_struct event_work; + unsigned int max_device_blocked; + atomic_t iorequest_cnt; + atomic_t iodone_cnt; + atomic_t ioerr_cnt; + struct device sdev_gendev; + struct device sdev_dev; + struct execute_work ew; + struct work_struct requeue_work; + struct scsi_device_handler *handler; + void *handler_data; + unsigned char access_state; + struct mutex state_mutex; + enum scsi_device_state sdev_state; + struct task_struct *quiesced_by; + long unsigned int sdev_data[0]; +}; + +enum scsi_host_state { + SHOST_CREATED = 1, + SHOST_RUNNING = 2, + SHOST_CANCEL = 3, + SHOST_DEL = 4, + SHOST_RECOVERY = 5, + SHOST_CANCEL_RECOVERY = 6, + SHOST_DEL_RECOVERY = 7, +}; + +struct scsi_host_template; + +struct scsi_transport_template; + +struct Scsi_Host { + struct list_head __devices; + struct list_head __targets; + struct list_head starved_list; + spinlock_t default_lock; + spinlock_t *host_lock; + struct mutex scan_mutex; + struct list_head eh_cmd_q; + struct task_struct *ehandler; + struct completion *eh_action; + wait_queue_head_t host_wait; + struct scsi_host_template *hostt; + struct scsi_transport_template *transportt; + struct blk_mq_tag_set tag_set; + atomic_t host_blocked; + unsigned int host_failed; + unsigned int host_eh_scheduled; + unsigned int host_no; + int eh_deadline; + long unsigned int last_reset; + unsigned int max_channel; + unsigned int max_id; + u64 max_lun; + unsigned int unique_id; + short unsigned int max_cmd_len; + int this_id; + int can_queue; + short int cmd_per_lun; + short unsigned int sg_tablesize; + short unsigned int sg_prot_tablesize; + unsigned int max_sectors; + unsigned int max_segment_size; + long unsigned int dma_boundary; + long unsigned int virt_boundary_mask; + unsigned int nr_hw_queues; + unsigned int active_mode: 2; + unsigned int unchecked_isa_dma: 1; + unsigned int host_self_blocked: 1; + unsigned int reverse_ordering: 1; + unsigned int tmf_in_progress: 1; + unsigned int async_scan: 1; + unsigned int eh_noresume: 1; + unsigned int no_write_same: 1; + unsigned int use_cmd_list: 1; + unsigned int short_inquiry: 1; + unsigned int no_scsi2_lun_in_cdb: 1; + char work_q_name[20]; + struct workqueue_struct *work_q; + struct workqueue_struct *tmf_work_q; + unsigned int max_host_blocked; + unsigned int prot_capabilities; + unsigned char prot_guard_type; + long unsigned int base; + long unsigned int io_port; + unsigned char n_io_port; + unsigned char dma_channel; + unsigned int irq; + enum scsi_host_state shost_state; + struct device shost_gendev; + struct device shost_dev; + void *shost_data; + struct device *dma_dev; + long unsigned int hostdata[0]; +}; + +enum scsi_target_state { + STARGET_CREATED = 1, + STARGET_RUNNING = 2, + STARGET_REMOVE = 3, + STARGET_CREATED_REMOVE = 4, + STARGET_DEL = 5, +}; + +struct scsi_target { + struct scsi_device *starget_sdev_user; + struct list_head siblings; + struct list_head devices; + struct device dev; + struct kref reap_ref; + unsigned int channel; + unsigned int id; + unsigned int create: 1; + unsigned int single_lun: 1; + unsigned int pdt_1f_for_no_lun: 1; + unsigned int no_report_luns: 1; + unsigned int expecting_lun_change: 1; + atomic_t target_busy; + atomic_t target_blocked; + unsigned int can_queue; + unsigned int max_target_blocked; + char scsi_level; + enum scsi_target_state state; + void *hostdata; + long unsigned int starget_data[0]; +}; + +struct scsi_data_buffer { + struct sg_table table; + unsigned int length; +}; + +struct scsi_pointer { + char *ptr; + int this_residual; + struct scatterlist *buffer; + int buffers_residual; + dma_addr_t dma_handle; + volatile int Status; + volatile int Message; + volatile int have_data_in; + volatile int sent_command; + volatile int phase; +}; + +struct scsi_cmnd { + struct scsi_request req; + struct scsi_device *device; + struct list_head list; + struct list_head eh_entry; + struct delayed_work abort_work; + struct callback_head rcu; + int eh_eflags; + long unsigned int jiffies_at_alloc; + int retries; + int allowed; + unsigned char prot_op; + unsigned char prot_type; + unsigned char prot_flags; + short unsigned int cmd_len; + enum dma_data_direction sc_data_direction; + unsigned char *cmnd; + struct scsi_data_buffer sdb; + struct scsi_data_buffer *prot_sdb; + unsigned int underflow; + unsigned int transfersize; + struct request *request; + unsigned char *sense_buffer; + void (*scsi_done)(struct scsi_cmnd *); + struct scsi_pointer SCp; + unsigned char *host_scribble; + int result; + int flags; + long unsigned int state; + unsigned char tag; +}; + +enum scsi_prot_operations { + SCSI_PROT_NORMAL = 0, + SCSI_PROT_READ_INSERT = 1, + SCSI_PROT_WRITE_STRIP = 2, + SCSI_PROT_READ_STRIP = 3, + SCSI_PROT_WRITE_INSERT = 4, + SCSI_PROT_READ_PASS = 5, + SCSI_PROT_WRITE_PASS = 6, +}; + +struct scsi_driver { + struct device_driver gendrv; + void (*rescan)(struct device *); + blk_status_t (*init_command)(struct scsi_cmnd *); + void (*uninit_command)(struct scsi_cmnd *); + int (*done)(struct scsi_cmnd *); + int (*eh_action)(struct scsi_cmnd *, int); + void (*eh_reset)(struct scsi_cmnd *); +}; + +struct scsi_host_cmd_pool; + +struct scsi_host_template { + struct module *module; + const char *name; + const char * (*info)(struct Scsi_Host *); + int (*ioctl)(struct scsi_device *, unsigned int, void *); + int (*compat_ioctl)(struct scsi_device *, unsigned int, void *); + int (*queuecommand)(struct Scsi_Host *, struct scsi_cmnd *); + void (*commit_rqs)(struct Scsi_Host *, u16); + int (*eh_abort_handler)(struct scsi_cmnd *); + int (*eh_device_reset_handler)(struct scsi_cmnd *); + int (*eh_target_reset_handler)(struct scsi_cmnd *); + int (*eh_bus_reset_handler)(struct scsi_cmnd *); + int (*eh_host_reset_handler)(struct scsi_cmnd *); + int (*slave_alloc)(struct scsi_device *); + int (*slave_configure)(struct scsi_device *); + void (*slave_destroy)(struct scsi_device *); + int (*target_alloc)(struct scsi_target *); + void (*target_destroy)(struct scsi_target *); + int (*scan_finished)(struct Scsi_Host *, long unsigned int); + void (*scan_start)(struct Scsi_Host *); + int (*change_queue_depth)(struct scsi_device *, int); + int (*map_queues)(struct Scsi_Host *); + int (*bios_param)(struct scsi_device *, struct block_device *, sector_t, int *); + void (*unlock_native_capacity)(struct scsi_device *); + int (*show_info)(struct seq_file *, struct Scsi_Host *); + int (*write_info)(struct Scsi_Host *, char *, int); + enum blk_eh_timer_return (*eh_timed_out)(struct scsi_cmnd *); + int (*host_reset)(struct Scsi_Host *, int); + const char *proc_name; + struct proc_dir_entry *proc_dir; + int can_queue; + int this_id; + short unsigned int sg_tablesize; + short unsigned int sg_prot_tablesize; + unsigned int max_sectors; + unsigned int max_segment_size; + long unsigned int dma_boundary; + long unsigned int virt_boundary_mask; + short int cmd_per_lun; + unsigned char present; + int tag_alloc_policy; + unsigned int track_queue_depth: 1; + unsigned int supported_mode: 2; + unsigned int unchecked_isa_dma: 1; + unsigned int emulated: 1; + unsigned int skip_settle_delay: 1; + unsigned int no_write_same: 1; + unsigned int force_blk_mq: 1; + unsigned int max_host_blocked; + struct device_attribute **shost_attrs; + struct device_attribute **sdev_attrs; + const struct attribute_group **sdev_groups; + u64 vendor_id; + unsigned int cmd_size; + struct scsi_host_cmd_pool *cmd_pool; + int rpm_autosuspend_delay; +}; + +struct trace_event_raw_scsi_dispatch_cmd_start { + struct trace_entry ent; + unsigned int host_no; + unsigned int channel; + unsigned int id; + unsigned int lun; + unsigned int opcode; + unsigned int cmd_len; + unsigned int data_sglen; + unsigned int prot_sglen; + unsigned char prot_op; + u32 __data_loc_cmnd; + char __data[0]; +}; + +struct trace_event_raw_scsi_dispatch_cmd_error { + struct trace_entry ent; + unsigned int host_no; + unsigned int channel; + unsigned int id; + unsigned int lun; + int rtn; + unsigned int opcode; + unsigned int cmd_len; + unsigned int data_sglen; + unsigned int prot_sglen; + unsigned char prot_op; + u32 __data_loc_cmnd; + char __data[0]; +}; + +struct trace_event_raw_scsi_cmd_done_timeout_template { + struct trace_entry ent; + unsigned int host_no; + unsigned int channel; + unsigned int id; + unsigned int lun; + int result; + unsigned int opcode; + unsigned int cmd_len; + unsigned int data_sglen; + unsigned int prot_sglen; + unsigned char prot_op; + u32 __data_loc_cmnd; + char __data[0]; +}; + +struct trace_event_raw_scsi_eh_wakeup { + struct trace_entry ent; + unsigned int host_no; + char __data[0]; +}; + +struct trace_event_data_offsets_scsi_dispatch_cmd_start { + u32 cmnd; +}; + +struct trace_event_data_offsets_scsi_dispatch_cmd_error { + u32 cmnd; +}; + +struct trace_event_data_offsets_scsi_cmd_done_timeout_template { + u32 cmnd; +}; + +struct trace_event_data_offsets_scsi_eh_wakeup {}; + +struct scsi_transport_template { + struct transport_container host_attrs; + struct transport_container target_attrs; + struct transport_container device_attrs; + int (*user_scan)(struct Scsi_Host *, uint, uint, u64); + int device_size; + int device_private_offset; + int target_size; + int target_private_offset; + int host_size; + unsigned int create_work_queue: 1; + void (*eh_strategy_handler)(struct Scsi_Host *); +}; + +struct scsi_idlun { + __u32 dev_id; + __u32 host_unique_id; +}; + +typedef void (*activate_complete)(void *, int); + +struct scsi_device_handler { + struct list_head list; + struct module *module; + const char *name; + int (*check_sense)(struct scsi_device *, struct scsi_sense_hdr *); + int (*attach)(struct scsi_device *); + void (*detach)(struct scsi_device *); + int (*activate)(struct scsi_device *, activate_complete, void *); + blk_status_t (*prep_fn)(struct scsi_device *, struct request *); + int (*set_params)(struct scsi_device *, const char *); + void (*rescan)(struct scsi_device *); +}; + +struct scsi_eh_save { + int result; + unsigned int resid_len; + int eh_eflags; + enum dma_data_direction data_direction; + unsigned int underflow; + unsigned char cmd_len; + unsigned char prot_op; + unsigned char *cmnd; + struct scsi_data_buffer sdb; + unsigned char eh_cmnd[16]; + struct scatterlist sense_sgl; +}; + +struct scsi_varlen_cdb_hdr { + __u8 opcode; + __u8 control; + __u8 misc[5]; + __u8 additional_cdb_length; + __be16 service_action; +}; + +struct scsi_mode_data { + __u32 length; + __u16 block_descriptor_length; + __u8 medium_type; + __u8 device_specific; + __u8 header_length; + __u8 longlba: 1; +}; + +struct scsi_event { + enum scsi_device_event evt_type; + struct list_head node; +}; + +enum scsi_host_prot_capabilities { + SHOST_DIF_TYPE1_PROTECTION = 1, + SHOST_DIF_TYPE2_PROTECTION = 2, + SHOST_DIF_TYPE3_PROTECTION = 4, + SHOST_DIX_TYPE0_PROTECTION = 8, + SHOST_DIX_TYPE1_PROTECTION = 16, + SHOST_DIX_TYPE2_PROTECTION = 32, + SHOST_DIX_TYPE3_PROTECTION = 64, +}; + +enum { + ACTION_FAIL = 0, + ACTION_REPREP = 1, + ACTION_RETRY = 2, + ACTION_DELAYED_RETRY = 3, +}; + +struct value_name_pair; + +struct sa_name_list { + int opcode; + const struct value_name_pair *arr; + int arr_sz; +}; + +struct value_name_pair { + int value; + const char *name; +}; + +struct error_info { + short unsigned int code12; + short unsigned int size; +}; + +struct error_info2 { + unsigned char code1; + unsigned char code2_min; + unsigned char code2_max; + const char *str; + const char *fmt; +}; + +struct scsi_lun { + __u8 scsi_lun[8]; +}; + +enum scsi_timeouts { + SCSI_DEFAULT_EH_TIMEOUT = 10000, +}; + +enum scsi_scan_mode { + SCSI_SCAN_INITIAL = 0, + SCSI_SCAN_RESCAN = 1, + SCSI_SCAN_MANUAL = 2, +}; + +struct async_scan_data { + struct list_head list; + struct Scsi_Host *shost; + struct completion prev_finished; +}; + +enum scsi_devinfo_key { + SCSI_DEVINFO_GLOBAL = 0, + SCSI_DEVINFO_SPI = 1, +}; + +struct scsi_dev_info_list { + struct list_head dev_info_list; + char vendor[8]; + char model[16]; + blist_flags_t flags; + unsigned int compatible; +}; + +struct scsi_dev_info_list_table { + struct list_head node; + struct list_head scsi_dev_info_list; + const char *name; + int key; +}; + +struct double_list { + struct list_head *top; + struct list_head *bottom; +}; + +struct spi_transport_attrs { + int period; + int min_period; + int offset; + int max_offset; + unsigned int width: 1; + unsigned int max_width: 1; + unsigned int iu: 1; + unsigned int max_iu: 1; + unsigned int dt: 1; + unsigned int qas: 1; + unsigned int max_qas: 1; + unsigned int wr_flow: 1; + unsigned int rd_strm: 1; + unsigned int rti: 1; + unsigned int pcomp_en: 1; + unsigned int hold_mcs: 1; + unsigned int initial_dv: 1; + long unsigned int flags; + unsigned int support_sync: 1; + unsigned int support_wide: 1; + unsigned int support_dt: 1; + unsigned int support_dt_only; + unsigned int support_ius; + unsigned int support_qas; + unsigned int dv_pending: 1; + unsigned int dv_in_progress: 1; + struct mutex dv_mutex; +}; + +enum spi_signal_type { + SPI_SIGNAL_UNKNOWN = 1, + SPI_SIGNAL_SE = 2, + SPI_SIGNAL_LVD = 3, + SPI_SIGNAL_HVD = 4, +}; + +struct spi_host_attrs { + enum spi_signal_type signalling; +}; + +struct spi_function_template { + void (*get_period)(struct scsi_target *); + void (*set_period)(struct scsi_target *, int); + void (*get_offset)(struct scsi_target *); + void (*set_offset)(struct scsi_target *, int); + void (*get_width)(struct scsi_target *); + void (*set_width)(struct scsi_target *, int); + void (*get_iu)(struct scsi_target *); + void (*set_iu)(struct scsi_target *, int); + void (*get_dt)(struct scsi_target *); + void (*set_dt)(struct scsi_target *, int); + void (*get_qas)(struct scsi_target *); + void (*set_qas)(struct scsi_target *, int); + void (*get_wr_flow)(struct scsi_target *); + void (*set_wr_flow)(struct scsi_target *, int); + void (*get_rd_strm)(struct scsi_target *); + void (*set_rd_strm)(struct scsi_target *, int); + void (*get_rti)(struct scsi_target *); + void (*set_rti)(struct scsi_target *, int); + void (*get_pcomp_en)(struct scsi_target *); + void (*set_pcomp_en)(struct scsi_target *, int); + void (*get_hold_mcs)(struct scsi_target *); + void (*set_hold_mcs)(struct scsi_target *, int); + void (*get_signalling)(struct Scsi_Host *); + void (*set_signalling)(struct Scsi_Host *, enum spi_signal_type); + int (*deny_binding)(struct scsi_target *); + long unsigned int show_period: 1; + long unsigned int show_offset: 1; + long unsigned int show_width: 1; + long unsigned int show_iu: 1; + long unsigned int show_dt: 1; + long unsigned int show_qas: 1; + long unsigned int show_wr_flow: 1; + long unsigned int show_rd_strm: 1; + long unsigned int show_rti: 1; + long unsigned int show_pcomp_en: 1; + long unsigned int show_hold_mcs: 1; +}; + +enum { + SPI_BLIST_NOIUS = 1, +}; + +struct spi_internal { + struct scsi_transport_template t; + struct spi_function_template *f; +}; + +enum spi_compare_returns { + SPI_COMPARE_SUCCESS = 0, + SPI_COMPARE_FAILURE = 1, + SPI_COMPARE_SKIP_TEST = 2, +}; + +struct work_queue_wrapper { + struct work_struct work; + struct scsi_device *sdev; +}; + +enum bip_flags { + BIP_BLOCK_INTEGRITY = 1, + BIP_MAPPED_INTEGRITY = 2, + BIP_CTRL_NOCHECK = 4, + BIP_DISK_NOCHECK = 8, + BIP_IP_CHECKSUM = 16, +}; + +enum t10_dif_type { + T10_PI_TYPE0_PROTECTION = 0, + T10_PI_TYPE1_PROTECTION = 1, + T10_PI_TYPE2_PROTECTION = 2, + T10_PI_TYPE3_PROTECTION = 3, +}; + +enum scsi_prot_flags { + SCSI_PROT_TRANSFER_PI = 1, + SCSI_PROT_GUARD_CHECK = 2, + SCSI_PROT_REF_CHECK = 4, + SCSI_PROT_REF_INCREMENT = 8, + SCSI_PROT_IP_CHECKSUM = 16, +}; + +enum { + SD_EXT_CDB_SIZE = 32, + SD_MEMPOOL_SIZE = 2, +}; + +enum { + SD_DEF_XFER_BLOCKS = 65535, + SD_MAX_XFER_BLOCKS = -1, + SD_MAX_WS10_BLOCKS = 65535, + SD_MAX_WS16_BLOCKS = 8388607, +}; + +enum { + SD_LBP_FULL = 0, + SD_LBP_UNMAP = 1, + SD_LBP_WS16 = 2, + SD_LBP_WS10 = 3, + SD_LBP_ZERO = 4, + SD_LBP_DISABLE = 5, +}; + +enum { + SD_ZERO_WRITE = 0, + SD_ZERO_WS = 1, + SD_ZERO_WS16_UNMAP = 2, + SD_ZERO_WS10_UNMAP = 3, +}; + +struct opal_dev; + +struct scsi_disk { + struct scsi_driver *driver; + struct scsi_device *device; + struct device dev; + struct gendisk *disk; + struct opal_dev *opal_dev; + atomic_t openers; + sector_t capacity; + u32 max_xfer_blocks; + u32 opt_xfer_blocks; + u32 max_ws_blocks; + u32 max_unmap_blocks; + u32 unmap_granularity; + u32 unmap_alignment; + u32 index; + unsigned int physical_block_size; + unsigned int max_medium_access_timeouts; + unsigned int medium_access_timed_out; + u8 media_present; + u8 write_prot; + u8 protection_type; + u8 provisioning_mode; + u8 zeroing_mode; + unsigned int ATO: 1; + unsigned int cache_override: 1; + unsigned int WCE: 1; + unsigned int RCD: 1; + unsigned int DPOFUA: 1; + unsigned int first_scan: 1; + unsigned int lbpme: 1; + unsigned int lbprz: 1; + unsigned int lbpu: 1; + unsigned int lbpws: 1; + unsigned int lbpws10: 1; + unsigned int lbpvpd: 1; + unsigned int ws10: 1; + unsigned int ws16: 1; + unsigned int rc_basis: 2; + unsigned int zoned: 2; + unsigned int urswrz: 1; + unsigned int security: 1; + unsigned int ignore_medium_access_errors: 1; +}; + +struct cdrom_mcn { + __u8 medium_catalog_number[14]; +}; + +struct packet_command { + unsigned char cmd[12]; + unsigned char *buffer; + unsigned int buflen; + int stat; + struct scsi_sense_hdr *sshdr; + unsigned char data_direction; + int quiet; + int timeout; + void *reserved[1]; +}; + +struct cdrom_device_ops; + +struct cdrom_device_info { + const struct cdrom_device_ops *ops; + struct list_head list; + struct gendisk *disk; + void *handle; + int mask; + int speed; + int capacity; + unsigned int options: 30; + unsigned int mc_flags: 2; + unsigned int vfs_events; + unsigned int ioctl_events; + int use_count; + char name[20]; + __u8 sanyo_slot: 2; + __u8 keeplocked: 1; + __u8 reserved: 5; + int cdda_method; + __u8 last_sense; + __u8 media_written; + short unsigned int mmc3_profile; + int for_data; + int (*exit)(struct cdrom_device_info *); + int mrw_mode_page; +}; + +struct cdrom_device_ops { + int (*open)(struct cdrom_device_info *, int); + void (*release)(struct cdrom_device_info *); + int (*drive_status)(struct cdrom_device_info *, int); + unsigned int (*check_events)(struct cdrom_device_info *, unsigned int, int); + int (*media_changed)(struct cdrom_device_info *, int); + int (*tray_move)(struct cdrom_device_info *, int); + int (*lock_door)(struct cdrom_device_info *, int); + int (*select_speed)(struct cdrom_device_info *, int); + int (*select_disc)(struct cdrom_device_info *, int); + int (*get_last_session)(struct cdrom_device_info *, struct cdrom_multisession *); + int (*get_mcn)(struct cdrom_device_info *, struct cdrom_mcn *); + int (*reset)(struct cdrom_device_info *); + int (*audio_ioctl)(struct cdrom_device_info *, unsigned int, void *); + const int capability; + int (*generic_packet)(struct cdrom_device_info *, struct packet_command *); +}; + +enum { + mechtype_caddy = 0, + mechtype_tray = 1, + mechtype_popup = 2, + mechtype_individual_changer = 4, + mechtype_cartridge_changer = 5, +}; + +struct event_header { + __be16 data_len; + __u8 notification_class: 3; + __u8 reserved1: 4; + __u8 nea: 1; + __u8 supp_event_class; +}; + +struct media_event_desc { + __u8 media_event_code: 4; + __u8 reserved1: 4; + __u8 door_open: 1; + __u8 media_present: 1; + __u8 reserved2: 6; + __u8 start_slot; + __u8 end_slot; +}; + +struct scsi_cd { + struct scsi_driver *driver; + unsigned int capacity; + struct scsi_device *device; + unsigned int vendor; + long unsigned int ms_offset; + unsigned int writeable: 1; + unsigned int use: 1; + unsigned int xa_flag: 1; + unsigned int readcd_known: 1; + unsigned int readcd_cdda: 1; + unsigned int media_present: 1; + int tur_mismatch; + bool tur_changed: 1; + bool get_event_changed: 1; + bool ignore_get_event: 1; + struct cdrom_device_info cdi; + struct kref kref; + struct gendisk *disk; +}; + +typedef struct scsi_cd Scsi_CD; + +struct cdrom_ti { + __u8 cdti_trk0; + __u8 cdti_ind0; + __u8 cdti_trk1; + __u8 cdti_ind1; +}; + +struct cdrom_tochdr { + __u8 cdth_trk0; + __u8 cdth_trk1; +}; + +struct ccs_modesel_head { + __u8 _r1; + __u8 medium; + __u8 _r2; + __u8 block_desc_length; + __u8 density; + __u8 number_blocks_hi; + __u8 number_blocks_med; + __u8 number_blocks_lo; + __u8 _r3; + __u8 block_length_hi; + __u8 block_length_med; + __u8 block_length_lo; +}; + +typedef struct sg_io_hdr sg_io_hdr_t; + +struct sg_scsi_id { + int host_no; + int channel; + int scsi_id; + int lun; + int scsi_type; + short int h_cmd_per_lun; + short int d_queue_depth; + int unused[2]; +}; + +typedef struct sg_scsi_id sg_scsi_id_t; + +struct sg_req_info { + char req_state; + char orphan; + char sg_io_owned; + char problem; + int pack_id; + void *usr_ptr; + unsigned int duration; + int unused; +}; + +typedef struct sg_req_info sg_req_info_t; + +struct sg_header { + int pack_len; + int reply_len; + int pack_id; + int result; + unsigned int twelve_byte: 1; + unsigned int target_status: 5; + unsigned int host_status: 8; + unsigned int driver_status: 8; + unsigned int other_flags: 10; + unsigned char sense_buffer[16]; +}; + +struct sg_scatter_hold { + short unsigned int k_use_sg; + unsigned int sglist_len; + unsigned int bufflen; + struct page **pages; + int page_order; + char dio_in_use; + unsigned char cmd_opcode; +}; + +typedef struct sg_scatter_hold Sg_scatter_hold; + +struct sg_fd; + +struct sg_request { + struct list_head entry; + struct sg_fd *parentfp; + Sg_scatter_hold data; + sg_io_hdr_t header; + unsigned char sense_b[96]; + char res_used; + char orphan; + char sg_io_owned; + char done; + struct request *rq; + struct bio *bio; + struct execute_work ew; +}; + +typedef struct sg_request Sg_request; + +struct sg_device; + +struct sg_fd { + struct list_head sfd_siblings; + struct sg_device *parentdp; + wait_queue_head_t read_wait; + rwlock_t rq_list_lock; + struct mutex f_mutex; + int timeout; + int timeout_user; + Sg_scatter_hold reserve; + struct list_head rq_list; + struct fasync_struct *async_qp; + Sg_request req_arr[16]; + char force_packid; + char cmd_q; + unsigned char next_cmd_len; + char keep_orphan; + char mmap_called; + char res_in_use; + struct kref f_ref; + struct execute_work ew; +}; + +struct sg_device { + struct scsi_device *device; + wait_queue_head_t open_wait; + struct mutex open_rel_lock; + int sg_tablesize; + u32 index; + struct list_head sfds; + rwlock_t sfd_lock; + atomic_t detaching; + bool exclude; + int open_cnt; + char sgdebug; + struct gendisk *disk; + struct cdev *cdev; + struct kref d_ref; +}; + +typedef struct sg_fd Sg_fd; + +typedef struct sg_device Sg_device; + +struct compat_sg_req_info { + char req_state; + char orphan; + char sg_io_owned; + char problem; + int pack_id; + compat_uptr_t usr_ptr; + unsigned int duration; + int unused; +}; + +struct sg_proc_deviter { + loff_t index; + size_t max; +}; + +enum { + ATA_MAX_DEVICES = 2, + ATA_MAX_PRD = 256, + ATA_SECT_SIZE = 512, + ATA_MAX_SECTORS_128 = 128, + ATA_MAX_SECTORS = 256, + ATA_MAX_SECTORS_1024 = 1024, + ATA_MAX_SECTORS_LBA48 = 65535, + ATA_MAX_SECTORS_TAPE = 65535, + ATA_MAX_TRIM_RNUM = 64, + ATA_ID_WORDS = 256, + ATA_ID_CONFIG = 0, + ATA_ID_CYLS = 1, + ATA_ID_HEADS = 3, + ATA_ID_SECTORS = 6, + ATA_ID_SERNO = 10, + ATA_ID_BUF_SIZE = 21, + ATA_ID_FW_REV = 23, + ATA_ID_PROD = 27, + ATA_ID_MAX_MULTSECT = 47, + ATA_ID_DWORD_IO = 48, + ATA_ID_TRUSTED = 48, + ATA_ID_CAPABILITY = 49, + ATA_ID_OLD_PIO_MODES = 51, + ATA_ID_OLD_DMA_MODES = 52, + ATA_ID_FIELD_VALID = 53, + ATA_ID_CUR_CYLS = 54, + ATA_ID_CUR_HEADS = 55, + ATA_ID_CUR_SECTORS = 56, + ATA_ID_MULTSECT = 59, + ATA_ID_LBA_CAPACITY = 60, + ATA_ID_SWDMA_MODES = 62, + ATA_ID_MWDMA_MODES = 63, + ATA_ID_PIO_MODES = 64, + ATA_ID_EIDE_DMA_MIN = 65, + ATA_ID_EIDE_DMA_TIME = 66, + ATA_ID_EIDE_PIO = 67, + ATA_ID_EIDE_PIO_IORDY = 68, + ATA_ID_ADDITIONAL_SUPP = 69, + ATA_ID_QUEUE_DEPTH = 75, + ATA_ID_SATA_CAPABILITY = 76, + ATA_ID_SATA_CAPABILITY_2 = 77, + ATA_ID_FEATURE_SUPP = 78, + ATA_ID_MAJOR_VER = 80, + ATA_ID_COMMAND_SET_1 = 82, + ATA_ID_COMMAND_SET_2 = 83, + ATA_ID_CFSSE = 84, + ATA_ID_CFS_ENABLE_1 = 85, + ATA_ID_CFS_ENABLE_2 = 86, + ATA_ID_CSF_DEFAULT = 87, + ATA_ID_UDMA_MODES = 88, + ATA_ID_HW_CONFIG = 93, + ATA_ID_SPG = 98, + ATA_ID_LBA_CAPACITY_2 = 100, + ATA_ID_SECTOR_SIZE = 106, + ATA_ID_WWN = 108, + ATA_ID_LOGICAL_SECTOR_SIZE = 117, + ATA_ID_COMMAND_SET_3 = 119, + ATA_ID_COMMAND_SET_4 = 120, + ATA_ID_LAST_LUN = 126, + ATA_ID_DLF = 128, + ATA_ID_CSFO = 129, + ATA_ID_CFA_POWER = 160, + ATA_ID_CFA_KEY_MGMT = 162, + ATA_ID_CFA_MODES = 163, + ATA_ID_DATA_SET_MGMT = 169, + ATA_ID_SCT_CMD_XPORT = 206, + ATA_ID_ROT_SPEED = 217, + ATA_ID_PIO4 = 2, + ATA_ID_SERNO_LEN = 20, + ATA_ID_FW_REV_LEN = 8, + ATA_ID_PROD_LEN = 40, + ATA_ID_WWN_LEN = 8, + ATA_PCI_CTL_OFS = 2, + ATA_PIO0 = 1, + ATA_PIO1 = 3, + ATA_PIO2 = 7, + ATA_PIO3 = 15, + ATA_PIO4 = 31, + ATA_PIO5 = 63, + ATA_PIO6 = 127, + ATA_PIO4_ONLY = 16, + ATA_SWDMA0 = 1, + ATA_SWDMA1 = 3, + ATA_SWDMA2 = 7, + ATA_SWDMA2_ONLY = 4, + ATA_MWDMA0 = 1, + ATA_MWDMA1 = 3, + ATA_MWDMA2 = 7, + ATA_MWDMA3 = 15, + ATA_MWDMA4 = 31, + ATA_MWDMA12_ONLY = 6, + ATA_MWDMA2_ONLY = 4, + ATA_UDMA0 = 1, + ATA_UDMA1 = 3, + ATA_UDMA2 = 7, + ATA_UDMA3 = 15, + ATA_UDMA4 = 31, + ATA_UDMA5 = 63, + ATA_UDMA6 = 127, + ATA_UDMA7 = 255, + ATA_UDMA24_ONLY = 20, + ATA_UDMA_MASK_40C = 7, + ATA_PRD_SZ = 8, + ATA_PRD_TBL_SZ = 2048, + ATA_PRD_EOT = -2147483648, + ATA_DMA_TABLE_OFS = 4, + ATA_DMA_STATUS = 2, + ATA_DMA_CMD = 0, + ATA_DMA_WR = 8, + ATA_DMA_START = 1, + ATA_DMA_INTR = 4, + ATA_DMA_ERR = 2, + ATA_DMA_ACTIVE = 1, + ATA_HOB = 128, + ATA_NIEN = 2, + ATA_LBA = 64, + ATA_DEV1 = 16, + ATA_DEVICE_OBS = 160, + ATA_DEVCTL_OBS = 8, + ATA_BUSY = 128, + ATA_DRDY = 64, + ATA_DF = 32, + ATA_DSC = 16, + ATA_DRQ = 8, + ATA_CORR = 4, + ATA_SENSE = 2, + ATA_ERR = 1, + ATA_SRST = 4, + ATA_ICRC = 128, + ATA_BBK = 128, + ATA_UNC = 64, + ATA_MC = 32, + ATA_IDNF = 16, + ATA_MCR = 8, + ATA_ABORTED = 4, + ATA_TRK0NF = 2, + ATA_AMNF = 1, + ATAPI_LFS = 240, + ATAPI_EOM = 2, + ATAPI_ILI = 1, + ATAPI_IO = 2, + ATAPI_COD = 1, + ATA_REG_DATA = 0, + ATA_REG_ERR = 1, + ATA_REG_NSECT = 2, + ATA_REG_LBAL = 3, + ATA_REG_LBAM = 4, + ATA_REG_LBAH = 5, + ATA_REG_DEVICE = 6, + ATA_REG_STATUS = 7, + ATA_REG_FEATURE = 1, + ATA_REG_CMD = 7, + ATA_REG_BYTEL = 4, + ATA_REG_BYTEH = 5, + ATA_REG_DEVSEL = 6, + ATA_REG_IRQ = 2, + ATA_CMD_DEV_RESET = 8, + ATA_CMD_CHK_POWER = 229, + ATA_CMD_STANDBY = 226, + ATA_CMD_IDLE = 227, + ATA_CMD_EDD = 144, + ATA_CMD_DOWNLOAD_MICRO = 146, + ATA_CMD_DOWNLOAD_MICRO_DMA = 147, + ATA_CMD_NOP = 0, + ATA_CMD_FLUSH = 231, + ATA_CMD_FLUSH_EXT = 234, + ATA_CMD_ID_ATA = 236, + ATA_CMD_ID_ATAPI = 161, + ATA_CMD_SERVICE = 162, + ATA_CMD_READ = 200, + ATA_CMD_READ_EXT = 37, + ATA_CMD_READ_QUEUED = 38, + ATA_CMD_READ_STREAM_EXT = 43, + ATA_CMD_READ_STREAM_DMA_EXT = 42, + ATA_CMD_WRITE = 202, + ATA_CMD_WRITE_EXT = 53, + ATA_CMD_WRITE_QUEUED = 54, + ATA_CMD_WRITE_STREAM_EXT = 59, + ATA_CMD_WRITE_STREAM_DMA_EXT = 58, + ATA_CMD_WRITE_FUA_EXT = 61, + ATA_CMD_WRITE_QUEUED_FUA_EXT = 62, + ATA_CMD_FPDMA_READ = 96, + ATA_CMD_FPDMA_WRITE = 97, + ATA_CMD_NCQ_NON_DATA = 99, + ATA_CMD_FPDMA_SEND = 100, + ATA_CMD_FPDMA_RECV = 101, + ATA_CMD_PIO_READ = 32, + ATA_CMD_PIO_READ_EXT = 36, + ATA_CMD_PIO_WRITE = 48, + ATA_CMD_PIO_WRITE_EXT = 52, + ATA_CMD_READ_MULTI = 196, + ATA_CMD_READ_MULTI_EXT = 41, + ATA_CMD_WRITE_MULTI = 197, + ATA_CMD_WRITE_MULTI_EXT = 57, + ATA_CMD_WRITE_MULTI_FUA_EXT = 206, + ATA_CMD_SET_FEATURES = 239, + ATA_CMD_SET_MULTI = 198, + ATA_CMD_PACKET = 160, + ATA_CMD_VERIFY = 64, + ATA_CMD_VERIFY_EXT = 66, + ATA_CMD_WRITE_UNCORR_EXT = 69, + ATA_CMD_STANDBYNOW1 = 224, + ATA_CMD_IDLEIMMEDIATE = 225, + ATA_CMD_SLEEP = 230, + ATA_CMD_INIT_DEV_PARAMS = 145, + ATA_CMD_READ_NATIVE_MAX = 248, + ATA_CMD_READ_NATIVE_MAX_EXT = 39, + ATA_CMD_SET_MAX = 249, + ATA_CMD_SET_MAX_EXT = 55, + ATA_CMD_READ_LOG_EXT = 47, + ATA_CMD_WRITE_LOG_EXT = 63, + ATA_CMD_READ_LOG_DMA_EXT = 71, + ATA_CMD_WRITE_LOG_DMA_EXT = 87, + ATA_CMD_TRUSTED_NONDATA = 91, + ATA_CMD_TRUSTED_RCV = 92, + ATA_CMD_TRUSTED_RCV_DMA = 93, + ATA_CMD_TRUSTED_SND = 94, + ATA_CMD_TRUSTED_SND_DMA = 95, + ATA_CMD_PMP_READ = 228, + ATA_CMD_PMP_READ_DMA = 233, + ATA_CMD_PMP_WRITE = 232, + ATA_CMD_PMP_WRITE_DMA = 235, + ATA_CMD_CONF_OVERLAY = 177, + ATA_CMD_SEC_SET_PASS = 241, + ATA_CMD_SEC_UNLOCK = 242, + ATA_CMD_SEC_ERASE_PREP = 243, + ATA_CMD_SEC_ERASE_UNIT = 244, + ATA_CMD_SEC_FREEZE_LOCK = 245, + ATA_CMD_SEC_DISABLE_PASS = 246, + ATA_CMD_CONFIG_STREAM = 81, + ATA_CMD_SMART = 176, + ATA_CMD_MEDIA_LOCK = 222, + ATA_CMD_MEDIA_UNLOCK = 223, + ATA_CMD_DSM = 6, + ATA_CMD_CHK_MED_CRD_TYP = 209, + ATA_CMD_CFA_REQ_EXT_ERR = 3, + ATA_CMD_CFA_WRITE_NE = 56, + ATA_CMD_CFA_TRANS_SECT = 135, + ATA_CMD_CFA_ERASE = 192, + ATA_CMD_CFA_WRITE_MULT_NE = 205, + ATA_CMD_REQ_SENSE_DATA = 11, + ATA_CMD_SANITIZE_DEVICE = 180, + ATA_CMD_ZAC_MGMT_IN = 74, + ATA_CMD_ZAC_MGMT_OUT = 159, + ATA_CMD_RESTORE = 16, + ATA_SUBCMD_FPDMA_RECV_RD_LOG_DMA_EXT = 1, + ATA_SUBCMD_FPDMA_RECV_ZAC_MGMT_IN = 2, + ATA_SUBCMD_FPDMA_SEND_DSM = 0, + ATA_SUBCMD_FPDMA_SEND_WR_LOG_DMA_EXT = 2, + ATA_SUBCMD_NCQ_NON_DATA_ABORT_QUEUE = 0, + ATA_SUBCMD_NCQ_NON_DATA_SET_FEATURES = 5, + ATA_SUBCMD_NCQ_NON_DATA_ZERO_EXT = 6, + ATA_SUBCMD_NCQ_NON_DATA_ZAC_MGMT_OUT = 7, + ATA_SUBCMD_ZAC_MGMT_IN_REPORT_ZONES = 0, + ATA_SUBCMD_ZAC_MGMT_OUT_CLOSE_ZONE = 1, + ATA_SUBCMD_ZAC_MGMT_OUT_FINISH_ZONE = 2, + ATA_SUBCMD_ZAC_MGMT_OUT_OPEN_ZONE = 3, + ATA_SUBCMD_ZAC_MGMT_OUT_RESET_WRITE_POINTER = 4, + ATA_LOG_DIRECTORY = 0, + ATA_LOG_SATA_NCQ = 16, + ATA_LOG_NCQ_NON_DATA = 18, + ATA_LOG_NCQ_SEND_RECV = 19, + ATA_LOG_IDENTIFY_DEVICE = 48, + ATA_LOG_SECURITY = 6, + ATA_LOG_SATA_SETTINGS = 8, + ATA_LOG_ZONED_INFORMATION = 9, + ATA_LOG_DEVSLP_OFFSET = 48, + ATA_LOG_DEVSLP_SIZE = 8, + ATA_LOG_DEVSLP_MDAT = 0, + ATA_LOG_DEVSLP_MDAT_MASK = 31, + ATA_LOG_DEVSLP_DETO = 1, + ATA_LOG_DEVSLP_VALID = 7, + ATA_LOG_DEVSLP_VALID_MASK = 128, + ATA_LOG_NCQ_PRIO_OFFSET = 9, + ATA_LOG_NCQ_SEND_RECV_SUBCMDS_OFFSET = 0, + ATA_LOG_NCQ_SEND_RECV_SUBCMDS_DSM = 1, + ATA_LOG_NCQ_SEND_RECV_DSM_OFFSET = 4, + ATA_LOG_NCQ_SEND_RECV_DSM_TRIM = 1, + ATA_LOG_NCQ_SEND_RECV_RD_LOG_OFFSET = 8, + ATA_LOG_NCQ_SEND_RECV_RD_LOG_SUPPORTED = 1, + ATA_LOG_NCQ_SEND_RECV_WR_LOG_OFFSET = 12, + ATA_LOG_NCQ_SEND_RECV_WR_LOG_SUPPORTED = 1, + ATA_LOG_NCQ_SEND_RECV_ZAC_MGMT_OFFSET = 16, + ATA_LOG_NCQ_SEND_RECV_ZAC_MGMT_OUT_SUPPORTED = 1, + ATA_LOG_NCQ_SEND_RECV_ZAC_MGMT_IN_SUPPORTED = 2, + ATA_LOG_NCQ_SEND_RECV_SIZE = 20, + ATA_LOG_NCQ_NON_DATA_SUBCMDS_OFFSET = 0, + ATA_LOG_NCQ_NON_DATA_ABORT_OFFSET = 0, + ATA_LOG_NCQ_NON_DATA_ABORT_NCQ = 1, + ATA_LOG_NCQ_NON_DATA_ABORT_ALL = 2, + ATA_LOG_NCQ_NON_DATA_ABORT_STREAMING = 4, + ATA_LOG_NCQ_NON_DATA_ABORT_NON_STREAMING = 8, + ATA_LOG_NCQ_NON_DATA_ABORT_SELECTED = 16, + ATA_LOG_NCQ_NON_DATA_ZAC_MGMT_OFFSET = 28, + ATA_LOG_NCQ_NON_DATA_ZAC_MGMT_OUT = 1, + ATA_LOG_NCQ_NON_DATA_SIZE = 64, + ATA_CMD_READ_LONG = 34, + ATA_CMD_READ_LONG_ONCE = 35, + ATA_CMD_WRITE_LONG = 50, + ATA_CMD_WRITE_LONG_ONCE = 51, + SETFEATURES_XFER = 3, + XFER_UDMA_7 = 71, + XFER_UDMA_6 = 70, + XFER_UDMA_5 = 69, + XFER_UDMA_4 = 68, + XFER_UDMA_3 = 67, + XFER_UDMA_2 = 66, + XFER_UDMA_1 = 65, + XFER_UDMA_0 = 64, + XFER_MW_DMA_4 = 36, + XFER_MW_DMA_3 = 35, + XFER_MW_DMA_2 = 34, + XFER_MW_DMA_1 = 33, + XFER_MW_DMA_0 = 32, + XFER_SW_DMA_2 = 18, + XFER_SW_DMA_1 = 17, + XFER_SW_DMA_0 = 16, + XFER_PIO_6 = 14, + XFER_PIO_5 = 13, + XFER_PIO_4 = 12, + XFER_PIO_3 = 11, + XFER_PIO_2 = 10, + XFER_PIO_1 = 9, + XFER_PIO_0 = 8, + XFER_PIO_SLOW = 0, + SETFEATURES_WC_ON = 2, + SETFEATURES_WC_OFF = 130, + SETFEATURES_RA_ON = 170, + SETFEATURES_RA_OFF = 85, + SETFEATURES_AAM_ON = 66, + SETFEATURES_AAM_OFF = 194, + SETFEATURES_SPINUP = 7, + SETFEATURES_SPINUP_TIMEOUT = 30000, + SETFEATURES_SATA_ENABLE = 16, + SETFEATURES_SATA_DISABLE = 144, + SATA_FPDMA_OFFSET = 1, + SATA_FPDMA_AA = 2, + SATA_DIPM = 3, + SATA_FPDMA_IN_ORDER = 4, + SATA_AN = 5, + SATA_SSP = 6, + SATA_DEVSLP = 9, + SETFEATURE_SENSE_DATA = 195, + ATA_SET_MAX_ADDR = 0, + ATA_SET_MAX_PASSWD = 1, + ATA_SET_MAX_LOCK = 2, + ATA_SET_MAX_UNLOCK = 3, + ATA_SET_MAX_FREEZE_LOCK = 4, + ATA_SET_MAX_PASSWD_DMA = 5, + ATA_SET_MAX_UNLOCK_DMA = 6, + ATA_DCO_RESTORE = 192, + ATA_DCO_FREEZE_LOCK = 193, + ATA_DCO_IDENTIFY = 194, + ATA_DCO_SET = 195, + ATA_SMART_ENABLE = 216, + ATA_SMART_READ_VALUES = 208, + ATA_SMART_READ_THRESHOLDS = 209, + ATA_DSM_TRIM = 1, + ATA_SMART_LBAM_PASS = 79, + ATA_SMART_LBAH_PASS = 194, + ATAPI_PKT_DMA = 1, + ATAPI_DMADIR = 4, + ATAPI_CDB_LEN = 16, + SATA_PMP_MAX_PORTS = 15, + SATA_PMP_CTRL_PORT = 15, + SATA_PMP_GSCR_DWORDS = 128, + SATA_PMP_GSCR_PROD_ID = 0, + SATA_PMP_GSCR_REV = 1, + SATA_PMP_GSCR_PORT_INFO = 2, + SATA_PMP_GSCR_ERROR = 32, + SATA_PMP_GSCR_ERROR_EN = 33, + SATA_PMP_GSCR_FEAT = 64, + SATA_PMP_GSCR_FEAT_EN = 96, + SATA_PMP_PSCR_STATUS = 0, + SATA_PMP_PSCR_ERROR = 1, + SATA_PMP_PSCR_CONTROL = 2, + SATA_PMP_FEAT_BIST = 1, + SATA_PMP_FEAT_PMREQ = 2, + SATA_PMP_FEAT_DYNSSC = 4, + SATA_PMP_FEAT_NOTIFY = 8, + ATA_CBL_NONE = 0, + ATA_CBL_PATA40 = 1, + ATA_CBL_PATA80 = 2, + ATA_CBL_PATA40_SHORT = 3, + ATA_CBL_PATA_UNK = 4, + ATA_CBL_PATA_IGN = 5, + ATA_CBL_SATA = 6, + SCR_STATUS = 0, + SCR_ERROR = 1, + SCR_CONTROL = 2, + SCR_ACTIVE = 3, + SCR_NOTIFICATION = 4, + SERR_DATA_RECOVERED = 1, + SERR_COMM_RECOVERED = 2, + SERR_DATA = 256, + SERR_PERSISTENT = 512, + SERR_PROTOCOL = 1024, + SERR_INTERNAL = 2048, + SERR_PHYRDY_CHG = 65536, + SERR_PHY_INT_ERR = 131072, + SERR_COMM_WAKE = 262144, + SERR_10B_8B_ERR = 524288, + SERR_DISPARITY = 1048576, + SERR_CRC = 2097152, + SERR_HANDSHAKE = 4194304, + SERR_LINK_SEQ_ERR = 8388608, + SERR_TRANS_ST_ERROR = 16777216, + SERR_UNRECOG_FIS = 33554432, + SERR_DEV_XCHG = 67108864, +}; + +enum ata_prot_flags { + ATA_PROT_FLAG_PIO = 1, + ATA_PROT_FLAG_DMA = 2, + ATA_PROT_FLAG_NCQ = 4, + ATA_PROT_FLAG_ATAPI = 8, + ATA_PROT_UNKNOWN = 255, + ATA_PROT_NODATA = 0, + ATA_PROT_PIO = 1, + ATA_PROT_DMA = 2, + ATA_PROT_NCQ_NODATA = 4, + ATA_PROT_NCQ = 6, + ATAPI_PROT_NODATA = 8, + ATAPI_PROT_PIO = 9, + ATAPI_PROT_DMA = 10, +}; + +struct ata_bmdma_prd { + __le32 addr; + __le32 flags_len; +}; + +enum { + ATA_MSG_DRV = 1, + ATA_MSG_INFO = 2, + ATA_MSG_PROBE = 4, + ATA_MSG_WARN = 8, + ATA_MSG_MALLOC = 16, + ATA_MSG_CTL = 32, + ATA_MSG_INTR = 64, + ATA_MSG_ERR = 128, +}; + +enum { + LIBATA_MAX_PRD = 128, + LIBATA_DUMB_MAX_PRD = 64, + ATA_DEF_QUEUE = 1, + ATA_MAX_QUEUE = 32, + ATA_TAG_INTERNAL = 32, + ATA_SHORT_PAUSE = 16, + ATAPI_MAX_DRAIN = 16384, + ATA_ALL_DEVICES = 3, + ATA_SHT_EMULATED = 1, + ATA_SHT_THIS_ID = -1, + ATA_TFLAG_LBA48 = 1, + ATA_TFLAG_ISADDR = 2, + ATA_TFLAG_DEVICE = 4, + ATA_TFLAG_WRITE = 8, + ATA_TFLAG_LBA = 16, + ATA_TFLAG_FUA = 32, + ATA_TFLAG_POLLING = 64, + ATA_DFLAG_LBA = 1, + ATA_DFLAG_LBA48 = 2, + ATA_DFLAG_CDB_INTR = 4, + ATA_DFLAG_NCQ = 8, + ATA_DFLAG_FLUSH_EXT = 16, + ATA_DFLAG_ACPI_PENDING = 32, + ATA_DFLAG_ACPI_FAILED = 64, + ATA_DFLAG_AN = 128, + ATA_DFLAG_TRUSTED = 256, + ATA_DFLAG_DMADIR = 1024, + ATA_DFLAG_CFG_MASK = 4095, + ATA_DFLAG_PIO = 4096, + ATA_DFLAG_NCQ_OFF = 8192, + ATA_DFLAG_SLEEPING = 32768, + ATA_DFLAG_DUBIOUS_XFER = 65536, + ATA_DFLAG_NO_UNLOAD = 131072, + ATA_DFLAG_UNLOCK_HPA = 262144, + ATA_DFLAG_NCQ_SEND_RECV = 524288, + ATA_DFLAG_NCQ_PRIO = 1048576, + ATA_DFLAG_NCQ_PRIO_ENABLE = 2097152, + ATA_DFLAG_INIT_MASK = 16777215, + ATA_DFLAG_DETACH = 16777216, + ATA_DFLAG_DETACHED = 33554432, + ATA_DFLAG_DA = 67108864, + ATA_DFLAG_DEVSLP = 134217728, + ATA_DFLAG_ACPI_DISABLED = 268435456, + ATA_DFLAG_D_SENSE = 536870912, + ATA_DFLAG_ZAC = 1073741824, + ATA_DEV_UNKNOWN = 0, + ATA_DEV_ATA = 1, + ATA_DEV_ATA_UNSUP = 2, + ATA_DEV_ATAPI = 3, + ATA_DEV_ATAPI_UNSUP = 4, + ATA_DEV_PMP = 5, + ATA_DEV_PMP_UNSUP = 6, + ATA_DEV_SEMB = 7, + ATA_DEV_SEMB_UNSUP = 8, + ATA_DEV_ZAC = 9, + ATA_DEV_ZAC_UNSUP = 10, + ATA_DEV_NONE = 11, + ATA_LFLAG_NO_HRST = 2, + ATA_LFLAG_NO_SRST = 4, + ATA_LFLAG_ASSUME_ATA = 8, + ATA_LFLAG_ASSUME_SEMB = 16, + ATA_LFLAG_ASSUME_CLASS = 24, + ATA_LFLAG_NO_RETRY = 32, + ATA_LFLAG_DISABLED = 64, + ATA_LFLAG_SW_ACTIVITY = 128, + ATA_LFLAG_NO_LPM = 256, + ATA_LFLAG_RST_ONCE = 512, + ATA_LFLAG_CHANGED = 1024, + ATA_LFLAG_NO_DB_DELAY = 2048, + ATA_FLAG_SLAVE_POSS = 1, + ATA_FLAG_SATA = 2, + ATA_FLAG_NO_LPM = 4, + ATA_FLAG_NO_LOG_PAGE = 32, + ATA_FLAG_NO_ATAPI = 64, + ATA_FLAG_PIO_DMA = 128, + ATA_FLAG_PIO_LBA48 = 256, + ATA_FLAG_PIO_POLLING = 512, + ATA_FLAG_NCQ = 1024, + ATA_FLAG_NO_POWEROFF_SPINDOWN = 2048, + ATA_FLAG_NO_HIBERNATE_SPINDOWN = 4096, + ATA_FLAG_DEBUGMSG = 8192, + ATA_FLAG_FPDMA_AA = 16384, + ATA_FLAG_IGN_SIMPLEX = 32768, + ATA_FLAG_NO_IORDY = 65536, + ATA_FLAG_ACPI_SATA = 131072, + ATA_FLAG_AN = 262144, + ATA_FLAG_PMP = 524288, + ATA_FLAG_FPDMA_AUX = 1048576, + ATA_FLAG_EM = 2097152, + ATA_FLAG_SW_ACTIVITY = 4194304, + ATA_FLAG_NO_DIPM = 8388608, + ATA_FLAG_SAS_HOST = 16777216, + ATA_PFLAG_EH_PENDING = 1, + ATA_PFLAG_EH_IN_PROGRESS = 2, + ATA_PFLAG_FROZEN = 4, + ATA_PFLAG_RECOVERED = 8, + ATA_PFLAG_LOADING = 16, + ATA_PFLAG_SCSI_HOTPLUG = 64, + ATA_PFLAG_INITIALIZING = 128, + ATA_PFLAG_RESETTING = 256, + ATA_PFLAG_UNLOADING = 512, + ATA_PFLAG_UNLOADED = 1024, + ATA_PFLAG_SUSPENDED = 131072, + ATA_PFLAG_PM_PENDING = 262144, + ATA_PFLAG_INIT_GTM_VALID = 524288, + ATA_PFLAG_PIO32 = 1048576, + ATA_PFLAG_PIO32CHANGE = 2097152, + ATA_PFLAG_EXTERNAL = 4194304, + ATA_QCFLAG_ACTIVE = 1, + ATA_QCFLAG_DMAMAP = 2, + ATA_QCFLAG_IO = 8, + ATA_QCFLAG_RESULT_TF = 16, + ATA_QCFLAG_CLEAR_EXCL = 32, + ATA_QCFLAG_QUIET = 64, + ATA_QCFLAG_RETRY = 128, + ATA_QCFLAG_FAILED = 65536, + ATA_QCFLAG_SENSE_VALID = 131072, + ATA_QCFLAG_EH_SCHEDULED = 262144, + ATA_HOST_SIMPLEX = 1, + ATA_HOST_STARTED = 2, + ATA_HOST_PARALLEL_SCAN = 4, + ATA_HOST_IGNORE_ATA = 8, + ATA_TMOUT_BOOT = 30000, + ATA_TMOUT_BOOT_QUICK = 7000, + ATA_TMOUT_INTERNAL_QUICK = 5000, + ATA_TMOUT_MAX_PARK = 30000, + ATA_TMOUT_FF_WAIT_LONG = 2000, + ATA_TMOUT_FF_WAIT = 800, + ATA_WAIT_AFTER_RESET = 150, + ATA_TMOUT_PMP_SRST_WAIT = 5000, + ATA_TMOUT_SPURIOUS_PHY = 10000, + BUS_UNKNOWN = 0, + BUS_DMA = 1, + BUS_IDLE = 2, + BUS_NOINTR = 3, + BUS_NODATA = 4, + BUS_TIMER = 5, + BUS_PIO = 6, + BUS_EDD = 7, + BUS_IDENTIFY = 8, + BUS_PACKET = 9, + PORT_UNKNOWN = 0, + PORT_ENABLED = 1, + PORT_DISABLED = 2, + ATA_NR_PIO_MODES = 7, + ATA_NR_MWDMA_MODES = 5, + ATA_NR_UDMA_MODES = 8, + ATA_SHIFT_PIO = 0, + ATA_SHIFT_MWDMA = 7, + ATA_SHIFT_UDMA = 12, + ATA_SHIFT_PRIO = 6, + ATA_PRIO_HIGH = 2, + ATA_DMA_PAD_SZ = 4, + ATA_ERING_SIZE = 32, + ATA_DEFER_LINK = 1, + ATA_DEFER_PORT = 2, + ATA_EH_DESC_LEN = 80, + ATA_EH_REVALIDATE = 1, + ATA_EH_SOFTRESET = 2, + ATA_EH_HARDRESET = 4, + ATA_EH_RESET = 6, + ATA_EH_ENABLE_LINK = 8, + ATA_EH_PARK = 32, + ATA_EH_PERDEV_MASK = 33, + ATA_EH_ALL_ACTIONS = 15, + ATA_EHI_HOTPLUGGED = 1, + ATA_EHI_NO_AUTOPSY = 4, + ATA_EHI_QUIET = 8, + ATA_EHI_NO_RECOVERY = 16, + ATA_EHI_DID_SOFTRESET = 65536, + ATA_EHI_DID_HARDRESET = 131072, + ATA_EHI_PRINTINFO = 262144, + ATA_EHI_SETMODE = 524288, + ATA_EHI_POST_SETMODE = 1048576, + ATA_EHI_DID_RESET = 196608, + ATA_EHI_TO_SLAVE_MASK = 12, + ATA_EH_MAX_TRIES = 5, + ATA_LINK_RESUME_TRIES = 5, + ATA_PROBE_MAX_TRIES = 3, + ATA_EH_DEV_TRIES = 3, + ATA_EH_PMP_TRIES = 5, + ATA_EH_PMP_LINK_TRIES = 3, + SATA_PMP_RW_TIMEOUT = 3000, + ATA_EH_CMD_TIMEOUT_TABLE_SIZE = 6, + ATA_HORKAGE_DIAGNOSTIC = 1, + ATA_HORKAGE_NODMA = 2, + ATA_HORKAGE_NONCQ = 4, + ATA_HORKAGE_MAX_SEC_128 = 8, + ATA_HORKAGE_BROKEN_HPA = 16, + ATA_HORKAGE_DISABLE = 32, + ATA_HORKAGE_HPA_SIZE = 64, + ATA_HORKAGE_IVB = 256, + ATA_HORKAGE_STUCK_ERR = 512, + ATA_HORKAGE_BRIDGE_OK = 1024, + ATA_HORKAGE_ATAPI_MOD16_DMA = 2048, + ATA_HORKAGE_FIRMWARE_WARN = 4096, + ATA_HORKAGE_1_5_GBPS = 8192, + ATA_HORKAGE_NOSETXFER = 16384, + ATA_HORKAGE_BROKEN_FPDMA_AA = 32768, + ATA_HORKAGE_DUMP_ID = 65536, + ATA_HORKAGE_MAX_SEC_LBA48 = 131072, + ATA_HORKAGE_ATAPI_DMADIR = 262144, + ATA_HORKAGE_NO_NCQ_TRIM = 524288, + ATA_HORKAGE_NOLPM = 1048576, + ATA_HORKAGE_WD_BROKEN_LPM = 2097152, + ATA_HORKAGE_ZERO_AFTER_TRIM = 4194304, + ATA_HORKAGE_NO_DMA_LOG = 8388608, + ATA_HORKAGE_NOTRIM = 16777216, + ATA_HORKAGE_MAX_SEC_1024 = 33554432, + ATA_DMA_MASK_ATA = 1, + ATA_DMA_MASK_ATAPI = 2, + ATA_DMA_MASK_CFA = 4, + ATAPI_READ = 0, + ATAPI_WRITE = 1, + ATAPI_READ_CD = 2, + ATAPI_PASS_THRU = 3, + ATAPI_MISC = 4, + ATA_TIMING_SETUP = 1, + ATA_TIMING_ACT8B = 2, + ATA_TIMING_REC8B = 4, + ATA_TIMING_CYC8B = 8, + ATA_TIMING_8BIT = 14, + ATA_TIMING_ACTIVE = 16, + ATA_TIMING_RECOVER = 32, + ATA_TIMING_DMACK_HOLD = 64, + ATA_TIMING_CYCLE = 128, + ATA_TIMING_UDMA = 256, + ATA_TIMING_ALL = 511, + ATA_ACPI_FILTER_SETXFER = 1, + ATA_ACPI_FILTER_LOCK = 2, + ATA_ACPI_FILTER_DIPM = 4, + ATA_ACPI_FILTER_FPDMA_OFFSET = 8, + ATA_ACPI_FILTER_FPDMA_AA = 16, + ATA_ACPI_FILTER_DEFAULT = 7, +}; + +enum ata_xfer_mask { + ATA_MASK_PIO = 127, + ATA_MASK_MWDMA = 3968, + ATA_MASK_UDMA = 1044480, +}; + +enum ata_completion_errors { + AC_ERR_OK = 0, + AC_ERR_DEV = 1, + AC_ERR_HSM = 2, + AC_ERR_TIMEOUT = 4, + AC_ERR_MEDIA = 8, + AC_ERR_ATA_BUS = 16, + AC_ERR_HOST_BUS = 32, + AC_ERR_SYSTEM = 64, + AC_ERR_INVALID = 128, + AC_ERR_OTHER = 256, + AC_ERR_NODEV_HINT = 512, + AC_ERR_NCQ = 1024, +}; + +enum ata_lpm_policy { + ATA_LPM_UNKNOWN = 0, + ATA_LPM_MAX_POWER = 1, + ATA_LPM_MED_POWER = 2, + ATA_LPM_MED_POWER_WITH_DIPM = 3, + ATA_LPM_MIN_POWER_WITH_PARTIAL = 4, + ATA_LPM_MIN_POWER = 5, +}; + +struct ata_queued_cmd; + +typedef void (*ata_qc_cb_t)(struct ata_queued_cmd *); + +struct ata_taskfile { + long unsigned int flags; + u8 protocol; + u8 ctl; + u8 hob_feature; + u8 hob_nsect; + u8 hob_lbal; + u8 hob_lbam; + u8 hob_lbah; + u8 feature; + u8 nsect; + u8 lbal; + u8 lbam; + u8 lbah; + u8 device; + u8 command; + u32 auxiliary; +}; + +struct ata_port; + +struct ata_device; + +struct ata_queued_cmd { + struct ata_port *ap; + struct ata_device *dev; + struct scsi_cmnd *scsicmd; + void (*scsidone)(struct scsi_cmnd *); + struct ata_taskfile tf; + u8 cdb[16]; + long unsigned int flags; + unsigned int tag; + unsigned int hw_tag; + unsigned int n_elem; + unsigned int orig_n_elem; + int dma_dir; + unsigned int sect_size; + unsigned int nbytes; + unsigned int extrabytes; + unsigned int curbytes; + struct scatterlist sgent; + struct scatterlist *sg; + struct scatterlist *cursg; + unsigned int cursg_ofs; + unsigned int err_mask; + struct ata_taskfile result_tf; + ata_qc_cb_t complete_fn; + void *private_data; + void *lldd_task; +}; + +struct ata_link; + +typedef int (*ata_prereset_fn_t)(struct ata_link *, long unsigned int); + +struct ata_eh_info { + struct ata_device *dev; + u32 serror; + unsigned int err_mask; + unsigned int action; + unsigned int dev_action[2]; + unsigned int flags; + unsigned int probe_mask; + char desc[80]; + int desc_len; +}; + +struct ata_eh_context { + struct ata_eh_info i; + int tries[2]; + int cmd_timeout_idx[12]; + unsigned int classes[2]; + unsigned int did_probe_mask; + unsigned int unloaded_mask; + unsigned int saved_ncq_enabled; + u8 saved_xfer_mode[2]; + long unsigned int last_reset; +}; + +struct ata_ering_entry { + unsigned int eflags; + unsigned int err_mask; + u64 timestamp; +}; + +struct ata_ering { + int cursor; + struct ata_ering_entry ring[32]; +}; + +struct ata_device { + struct ata_link *link; + unsigned int devno; + unsigned int horkage; + long unsigned int flags; + struct scsi_device *sdev; + void *private_data; + union acpi_object *gtf_cache; + unsigned int gtf_filter; + struct device tdev; + u64 n_sectors; + u64 n_native_sectors; + unsigned int class; + long unsigned int unpark_deadline; + u8 pio_mode; + u8 dma_mode; + u8 xfer_mode; + unsigned int xfer_shift; + unsigned int multi_count; + unsigned int max_sectors; + unsigned int cdb_len; + long unsigned int pio_mask; + long unsigned int mwdma_mask; + long unsigned int udma_mask; + u16 cylinders; + u16 heads; + u16 sectors; + long: 16; + long: 64; + union { + u16 id[256]; + u32 gscr[128]; + }; + u8 devslp_timing[8]; + u8 ncq_send_recv_cmds[20]; + u8 ncq_non_data_cmds[64]; + u32 zac_zoned_cap; + u32 zac_zones_optimal_open; + u32 zac_zones_optimal_nonseq; + u32 zac_zones_max_open; + int spdn_cnt; + struct ata_ering ering; + long: 64; +}; + +struct ata_link { + struct ata_port *ap; + int pmp; + struct device tdev; + unsigned int active_tag; + u32 sactive; + unsigned int flags; + u32 saved_scontrol; + unsigned int hw_sata_spd_limit; + unsigned int sata_spd_limit; + unsigned int sata_spd; + enum ata_lpm_policy lpm_policy; + struct ata_eh_info eh_info; + struct ata_eh_context eh_context; + long: 64; + long: 64; + long: 64; + long: 64; + struct ata_device device[2]; + long unsigned int last_lpm_change; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +typedef int (*ata_reset_fn_t)(struct ata_link *, unsigned int *, long unsigned int); + +typedef void (*ata_postreset_fn_t)(struct ata_link *, unsigned int *); + +enum sw_activity { + OFF = 0, + BLINK_ON = 1, + BLINK_OFF = 2, +}; + +struct ata_ioports { + void *cmd_addr; + void *data_addr; + void *error_addr; + void *feature_addr; + void *nsect_addr; + void *lbal_addr; + void *lbam_addr; + void *lbah_addr; + void *device_addr; + void *status_addr; + void *command_addr; + void *altstatus_addr; + void *ctl_addr; + void *bmdma_addr; + void *scr_addr; +}; + +struct ata_port_operations; + +struct ata_host { + spinlock_t lock; + struct device *dev; + void * const *iomap; + unsigned int n_ports; + unsigned int n_tags; + void *private_data; + struct ata_port_operations *ops; + long unsigned int flags; + struct kref kref; + struct mutex eh_mutex; + struct task_struct *eh_owner; + struct ata_port *simplex_claimed; + struct ata_port *ports[0]; +}; + +struct ata_port_operations { + int (*qc_defer)(struct ata_queued_cmd *); + int (*check_atapi_dma)(struct ata_queued_cmd *); + enum ata_completion_errors (*qc_prep)(struct ata_queued_cmd *); + unsigned int (*qc_issue)(struct ata_queued_cmd *); + bool (*qc_fill_rtf)(struct ata_queued_cmd *); + int (*cable_detect)(struct ata_port *); + long unsigned int (*mode_filter)(struct ata_device *, long unsigned int); + void (*set_piomode)(struct ata_port *, struct ata_device *); + void (*set_dmamode)(struct ata_port *, struct ata_device *); + int (*set_mode)(struct ata_link *, struct ata_device **); + unsigned int (*read_id)(struct ata_device *, struct ata_taskfile *, u16 *); + void (*dev_config)(struct ata_device *); + void (*freeze)(struct ata_port *); + void (*thaw)(struct ata_port *); + ata_prereset_fn_t prereset; + ata_reset_fn_t softreset; + ata_reset_fn_t hardreset; + ata_postreset_fn_t postreset; + ata_prereset_fn_t pmp_prereset; + ata_reset_fn_t pmp_softreset; + ata_reset_fn_t pmp_hardreset; + ata_postreset_fn_t pmp_postreset; + void (*error_handler)(struct ata_port *); + void (*lost_interrupt)(struct ata_port *); + void (*post_internal_cmd)(struct ata_queued_cmd *); + void (*sched_eh)(struct ata_port *); + void (*end_eh)(struct ata_port *); + int (*scr_read)(struct ata_link *, unsigned int, u32 *); + int (*scr_write)(struct ata_link *, unsigned int, u32); + void (*pmp_attach)(struct ata_port *); + void (*pmp_detach)(struct ata_port *); + int (*set_lpm)(struct ata_link *, enum ata_lpm_policy, unsigned int); + int (*port_suspend)(struct ata_port *, pm_message_t); + int (*port_resume)(struct ata_port *); + int (*port_start)(struct ata_port *); + void (*port_stop)(struct ata_port *); + void (*host_stop)(struct ata_host *); + void (*sff_dev_select)(struct ata_port *, unsigned int); + void (*sff_set_devctl)(struct ata_port *, u8); + u8 (*sff_check_status)(struct ata_port *); + u8 (*sff_check_altstatus)(struct ata_port *); + void (*sff_tf_load)(struct ata_port *, const struct ata_taskfile *); + void (*sff_tf_read)(struct ata_port *, struct ata_taskfile *); + void (*sff_exec_command)(struct ata_port *, const struct ata_taskfile *); + unsigned int (*sff_data_xfer)(struct ata_queued_cmd *, unsigned char *, unsigned int, int); + void (*sff_irq_on)(struct ata_port *); + bool (*sff_irq_check)(struct ata_port *); + void (*sff_irq_clear)(struct ata_port *); + void (*sff_drain_fifo)(struct ata_queued_cmd *); + void (*bmdma_setup)(struct ata_queued_cmd *); + void (*bmdma_start)(struct ata_queued_cmd *); + void (*bmdma_stop)(struct ata_queued_cmd *); + u8 (*bmdma_status)(struct ata_port *); + ssize_t (*em_show)(struct ata_port *, char *); + ssize_t (*em_store)(struct ata_port *, const char *, size_t); + ssize_t (*sw_activity_show)(struct ata_device *, char *); + ssize_t (*sw_activity_store)(struct ata_device *, enum sw_activity); + ssize_t (*transmit_led_message)(struct ata_port *, u32, ssize_t); + void (*phy_reset)(struct ata_port *); + void (*eng_timeout)(struct ata_port *); + const struct ata_port_operations *inherits; +}; + +struct ata_port_stats { + long unsigned int unhandled_irq; + long unsigned int idle_irq; + long unsigned int rw_reqbuf; +}; + +struct ata_acpi_drive { + u32 pio; + u32 dma; +}; + +struct ata_acpi_gtm { + struct ata_acpi_drive drive[2]; + u32 flags; +}; + +struct ata_port { + struct Scsi_Host *scsi_host; + struct ata_port_operations *ops; + spinlock_t *lock; + long unsigned int flags; + unsigned int pflags; + unsigned int print_id; + unsigned int local_port_no; + unsigned int port_no; + struct ata_ioports ioaddr; + u8 ctl; + u8 last_ctl; + struct ata_link *sff_pio_task_link; + struct delayed_work sff_pio_task; + struct ata_bmdma_prd *bmdma_prd; + dma_addr_t bmdma_prd_dma; + unsigned int pio_mask; + unsigned int mwdma_mask; + unsigned int udma_mask; + unsigned int cbl; + struct ata_queued_cmd qcmd[33]; + long unsigned int sas_tag_allocated; + u64 qc_active; + int nr_active_links; + unsigned int sas_last_tag; + long: 64; + struct ata_link link; + struct ata_link *slave_link; + int nr_pmp_links; + struct ata_link *pmp_link; + struct ata_link *excl_link; + struct ata_port_stats stats; + struct ata_host *host; + struct device *dev; + struct device tdev; + struct mutex scsi_scan_mutex; + struct delayed_work hotplug_task; + struct work_struct scsi_rescan_task; + unsigned int hsm_task_state; + u32 msg_enable; + struct list_head eh_done_q; + wait_queue_head_t eh_wait_q; + int eh_tries; + struct completion park_req_pending; + pm_message_t pm_mesg; + enum ata_lpm_policy target_lpm_policy; + struct timer_list fastdrain_timer; + long unsigned int fastdrain_cnt; + int em_message_type; + void *private_data; + struct ata_acpi_gtm __acpi_init_gtm; + int: 32; + u8 sector_buf[512]; +}; + +struct ata_port_info { + long unsigned int flags; + long unsigned int link_flags; + long unsigned int pio_mask; + long unsigned int mwdma_mask; + long unsigned int udma_mask; + struct ata_port_operations *port_ops; + void *private_data; +}; + +struct ata_timing { + short unsigned int mode; + short unsigned int setup; + short unsigned int act8b; + short unsigned int rec8b; + short unsigned int cyc8b; + short unsigned int active; + short unsigned int recover; + short unsigned int dmack_hold; + short unsigned int cycle; + short unsigned int udma; +}; + +struct pci_bits { + unsigned int reg; + unsigned int width; + long unsigned int mask; + long unsigned int val; +}; + +enum ata_link_iter_mode { + ATA_LITER_EDGE = 0, + ATA_LITER_HOST_FIRST = 1, + ATA_LITER_PMP_FIRST = 2, +}; + +enum ata_dev_iter_mode { + ATA_DITER_ENABLED = 0, + ATA_DITER_ENABLED_REVERSE = 1, + ATA_DITER_ALL = 2, + ATA_DITER_ALL_REVERSE = 3, +}; + +struct trace_event_raw_ata_qc_issue { + struct trace_entry ent; + unsigned int ata_port; + unsigned int ata_dev; + unsigned int tag; + unsigned char cmd; + unsigned char dev; + unsigned char lbal; + unsigned char lbam; + unsigned char lbah; + unsigned char nsect; + unsigned char feature; + unsigned char hob_lbal; + unsigned char hob_lbam; + unsigned char hob_lbah; + unsigned char hob_nsect; + unsigned char hob_feature; + unsigned char ctl; + unsigned char proto; + long unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_ata_qc_complete_template { + struct trace_entry ent; + unsigned int ata_port; + unsigned int ata_dev; + unsigned int tag; + unsigned char status; + unsigned char dev; + unsigned char lbal; + unsigned char lbam; + unsigned char lbah; + unsigned char nsect; + unsigned char error; + unsigned char hob_lbal; + unsigned char hob_lbam; + unsigned char hob_lbah; + unsigned char hob_nsect; + unsigned char hob_feature; + unsigned char ctl; + long unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_ata_eh_link_autopsy { + struct trace_entry ent; + unsigned int ata_port; + unsigned int ata_dev; + unsigned int eh_action; + unsigned int eh_err_mask; + char __data[0]; +}; + +struct trace_event_raw_ata_eh_link_autopsy_qc { + struct trace_entry ent; + unsigned int ata_port; + unsigned int ata_dev; + unsigned int tag; + unsigned int qc_flags; + unsigned int eh_err_mask; + char __data[0]; +}; + +struct trace_event_data_offsets_ata_qc_issue {}; + +struct trace_event_data_offsets_ata_qc_complete_template {}; + +struct trace_event_data_offsets_ata_eh_link_autopsy {}; + +struct trace_event_data_offsets_ata_eh_link_autopsy_qc {}; + +enum { + ATA_READID_POSTRESET = 1, + ATA_DNXFER_PIO = 0, + ATA_DNXFER_DMA = 1, + ATA_DNXFER_40C = 2, + ATA_DNXFER_FORCE_PIO = 3, + ATA_DNXFER_FORCE_PIO0 = 4, + ATA_DNXFER_QUIET = -2147483648, +}; + +struct ata_force_param { + const char *name; + unsigned int cbl; + int spd_limit; + long unsigned int xfer_mask; + unsigned int horkage_on; + unsigned int horkage_off; + unsigned int lflags; +}; + +struct ata_force_ent { + int port; + int device; + struct ata_force_param param; +}; + +struct ata_xfer_ent { + int shift; + int bits; + u8 base; +}; + +struct ata_blacklist_entry { + const char *model_num; + const char *model_rev; + long unsigned int horkage; +}; + +typedef unsigned int (*ata_xlat_func_t)(struct ata_queued_cmd *); + +struct ata_scsi_args { + struct ata_device *dev; + u16 *id; + struct scsi_cmnd *cmd; +}; + +enum ata_lpm_hints { + ATA_LPM_EMPTY = 1, + ATA_LPM_HIPM = 2, + ATA_LPM_WAKE_ONLY = 4, +}; + +enum { + ATA_EH_SPDN_NCQ_OFF = 1, + ATA_EH_SPDN_SPEED_DOWN = 2, + ATA_EH_SPDN_FALLBACK_TO_PIO = 4, + ATA_EH_SPDN_KEEP_ERRORS = 8, + ATA_EFLAG_IS_IO = 1, + ATA_EFLAG_DUBIOUS_XFER = 2, + ATA_EFLAG_OLD_ER = -2147483648, + ATA_ECAT_NONE = 0, + ATA_ECAT_ATA_BUS = 1, + ATA_ECAT_TOUT_HSM = 2, + ATA_ECAT_UNK_DEV = 3, + ATA_ECAT_DUBIOUS_NONE = 4, + ATA_ECAT_DUBIOUS_ATA_BUS = 5, + ATA_ECAT_DUBIOUS_TOUT_HSM = 6, + ATA_ECAT_DUBIOUS_UNK_DEV = 7, + ATA_ECAT_NR = 8, + ATA_EH_CMD_DFL_TIMEOUT = 5000, + ATA_EH_RESET_COOL_DOWN = 5000, + ATA_EH_PRERESET_TIMEOUT = 10000, + ATA_EH_FASTDRAIN_INTERVAL = 3000, + ATA_EH_UA_TRIES = 5, + ATA_EH_PROBE_TRIAL_INTERVAL = 60000, + ATA_EH_PROBE_TRIALS = 2, +}; + +struct ata_eh_cmd_timeout_ent { + const u8 *commands; + const long unsigned int *timeouts; +}; + +struct speed_down_verdict_arg { + u64 since; + int xfer_ok; + int nr_errors[8]; +}; + +struct ata_internal { + struct scsi_transport_template t; + struct device_attribute private_port_attrs[3]; + struct device_attribute private_link_attrs[3]; + struct device_attribute private_dev_attrs[9]; + struct transport_container link_attr_cont; + struct transport_container dev_attr_cont; + struct device_attribute *link_attrs[4]; + struct device_attribute *port_attrs[4]; + struct device_attribute *dev_attrs[10]; +}; + +struct ata_show_ering_arg { + char *buf; + int written; +}; + +enum hsm_task_states { + HSM_ST_IDLE = 0, + HSM_ST_FIRST = 1, + HSM_ST = 2, + HSM_ST_LAST = 3, + HSM_ST_ERR = 4, +}; + +struct ata_acpi_gtf { + u8 tf[7]; +}; + +struct ata_acpi_hotplug_context { + struct acpi_hotplug_context hp; + union { + struct ata_port *ap; + struct ata_device *dev; + } data; +}; + +struct regulator; + +struct phy_configure_opts_mipi_dphy { + unsigned int clk_miss; + unsigned int clk_post; + unsigned int clk_pre; + unsigned int clk_prepare; + unsigned int clk_settle; + unsigned int clk_term_en; + unsigned int clk_trail; + unsigned int clk_zero; + unsigned int d_term_en; + unsigned int eot; + unsigned int hs_exit; + unsigned int hs_prepare; + unsigned int hs_settle; + unsigned int hs_skip; + unsigned int hs_trail; + unsigned int hs_zero; + unsigned int init; + unsigned int lpx; + unsigned int ta_get; + unsigned int ta_go; + unsigned int ta_sure; + unsigned int wakeup; + long unsigned int hs_clk_rate; + long unsigned int lp_clk_rate; + unsigned char lanes; +}; + +enum phy_mode { + PHY_MODE_INVALID = 0, + PHY_MODE_USB_HOST = 1, + PHY_MODE_USB_HOST_LS = 2, + PHY_MODE_USB_HOST_FS = 3, + PHY_MODE_USB_HOST_HS = 4, + PHY_MODE_USB_HOST_SS = 5, + PHY_MODE_USB_DEVICE = 6, + PHY_MODE_USB_DEVICE_LS = 7, + PHY_MODE_USB_DEVICE_FS = 8, + PHY_MODE_USB_DEVICE_HS = 9, + PHY_MODE_USB_DEVICE_SS = 10, + PHY_MODE_USB_OTG = 11, + PHY_MODE_UFS_HS_A = 12, + PHY_MODE_UFS_HS_B = 13, + PHY_MODE_PCIE = 14, + PHY_MODE_ETHERNET = 15, + PHY_MODE_MIPI_DPHY = 16, + PHY_MODE_SATA = 17, + PHY_MODE_LVDS = 18, +}; + +union phy_configure_opts { + struct phy_configure_opts_mipi_dphy mipi_dphy; +}; + +struct phy___2; + +struct phy_ops { + int (*init)(struct phy___2 *); + int (*exit)(struct phy___2 *); + int (*power_on)(struct phy___2 *); + int (*power_off)(struct phy___2 *); + int (*set_mode)(struct phy___2 *, enum phy_mode, int); + int (*configure)(struct phy___2 *, union phy_configure_opts *); + int (*validate)(struct phy___2 *, enum phy_mode, int, union phy_configure_opts *); + int (*reset)(struct phy___2 *); + int (*calibrate)(struct phy___2 *); + void (*release)(struct phy___2 *); + struct module *owner; +}; + +struct phy_attrs { + u32 bus_width; + enum phy_mode mode; +}; + +struct phy___2 { + struct device dev; + int id; + const struct phy_ops *ops; + struct mutex mutex; + int init_count; + int power_count; + struct phy_attrs attrs; + struct regulator *pwr; +}; + +enum { + AHCI_MAX_PORTS = 32, + AHCI_MAX_CLKS = 5, + AHCI_MAX_SG = 168, + AHCI_DMA_BOUNDARY = -1, + AHCI_MAX_CMDS = 32, + AHCI_CMD_SZ = 32, + AHCI_CMD_SLOT_SZ = 1024, + AHCI_RX_FIS_SZ = 256, + AHCI_CMD_TBL_CDB = 64, + AHCI_CMD_TBL_HDR_SZ = 128, + AHCI_CMD_TBL_SZ = 2816, + AHCI_CMD_TBL_AR_SZ = 90112, + AHCI_PORT_PRIV_DMA_SZ = 91392, + AHCI_PORT_PRIV_FBS_DMA_SZ = 95232, + AHCI_IRQ_ON_SG = -2147483648, + AHCI_CMD_ATAPI = 32, + AHCI_CMD_WRITE = 64, + AHCI_CMD_PREFETCH = 128, + AHCI_CMD_RESET = 256, + AHCI_CMD_CLR_BUSY = 1024, + RX_FIS_PIO_SETUP = 32, + RX_FIS_D2H_REG = 64, + RX_FIS_SDB = 88, + RX_FIS_UNK = 96, + HOST_CAP = 0, + HOST_CTL = 4, + HOST_IRQ_STAT = 8, + HOST_PORTS_IMPL = 12, + HOST_VERSION = 16, + HOST_EM_LOC = 28, + HOST_EM_CTL = 32, + HOST_CAP2 = 36, + HOST_RESET = 1, + HOST_IRQ_EN = 2, + HOST_MRSM = 4, + HOST_AHCI_EN = -2147483648, + HOST_CAP_SXS = 32, + HOST_CAP_EMS = 64, + HOST_CAP_CCC = 128, + HOST_CAP_PART = 8192, + HOST_CAP_SSC = 16384, + HOST_CAP_PIO_MULTI = 32768, + HOST_CAP_FBS = 65536, + HOST_CAP_PMP = 131072, + HOST_CAP_ONLY = 262144, + HOST_CAP_CLO = 16777216, + HOST_CAP_LED = 33554432, + HOST_CAP_ALPM = 67108864, + HOST_CAP_SSS = 134217728, + HOST_CAP_MPS = 268435456, + HOST_CAP_SNTF = 536870912, + HOST_CAP_NCQ = 1073741824, + HOST_CAP_64 = -2147483648, + HOST_CAP2_BOH = 1, + HOST_CAP2_NVMHCI = 2, + HOST_CAP2_APST = 4, + HOST_CAP2_SDS = 8, + HOST_CAP2_SADM = 16, + HOST_CAP2_DESO = 32, + PORT_LST_ADDR = 0, + PORT_LST_ADDR_HI = 4, + PORT_FIS_ADDR = 8, + PORT_FIS_ADDR_HI = 12, + PORT_IRQ_STAT = 16, + PORT_IRQ_MASK = 20, + PORT_CMD = 24, + PORT_TFDATA = 32, + PORT_SIG = 36, + PORT_CMD_ISSUE = 56, + PORT_SCR_STAT = 40, + PORT_SCR_CTL = 44, + PORT_SCR_ERR = 48, + PORT_SCR_ACT = 52, + PORT_SCR_NTF = 60, + PORT_FBS = 64, + PORT_DEVSLP = 68, + PORT_IRQ_COLD_PRES = -2147483648, + PORT_IRQ_TF_ERR = 1073741824, + PORT_IRQ_HBUS_ERR = 536870912, + PORT_IRQ_HBUS_DATA_ERR = 268435456, + PORT_IRQ_IF_ERR = 134217728, + PORT_IRQ_IF_NONFATAL = 67108864, + PORT_IRQ_OVERFLOW = 16777216, + PORT_IRQ_BAD_PMP = 8388608, + PORT_IRQ_PHYRDY = 4194304, + PORT_IRQ_DEV_ILCK = 128, + PORT_IRQ_CONNECT = 64, + PORT_IRQ_SG_DONE = 32, + PORT_IRQ_UNK_FIS = 16, + PORT_IRQ_SDB_FIS = 8, + PORT_IRQ_DMAS_FIS = 4, + PORT_IRQ_PIOS_FIS = 2, + PORT_IRQ_D2H_REG_FIS = 1, + PORT_IRQ_FREEZE = 683671632, + PORT_IRQ_ERROR = 2025848912, + DEF_PORT_IRQ = 2025848959, + PORT_CMD_ASP = 134217728, + PORT_CMD_ALPE = 67108864, + PORT_CMD_ATAPI = 16777216, + PORT_CMD_FBSCP = 4194304, + PORT_CMD_ESP = 2097152, + PORT_CMD_HPCP = 262144, + PORT_CMD_PMP = 131072, + PORT_CMD_LIST_ON = 32768, + PORT_CMD_FIS_ON = 16384, + PORT_CMD_FIS_RX = 16, + PORT_CMD_CLO = 8, + PORT_CMD_POWER_ON = 4, + PORT_CMD_SPIN_UP = 2, + PORT_CMD_START = 1, + PORT_CMD_ICC_MASK = -268435456, + PORT_CMD_ICC_ACTIVE = 268435456, + PORT_CMD_ICC_PARTIAL = 536870912, + PORT_CMD_ICC_SLUMBER = 1610612736, + PORT_FBS_DWE_OFFSET = 16, + PORT_FBS_ADO_OFFSET = 12, + PORT_FBS_DEV_OFFSET = 8, + PORT_FBS_DEV_MASK = 3840, + PORT_FBS_SDE = 4, + PORT_FBS_DEC = 2, + PORT_FBS_EN = 1, + PORT_DEVSLP_DM_OFFSET = 25, + PORT_DEVSLP_DM_MASK = 503316480, + PORT_DEVSLP_DITO_OFFSET = 15, + PORT_DEVSLP_MDAT_OFFSET = 10, + PORT_DEVSLP_DETO_OFFSET = 2, + PORT_DEVSLP_DSP = 2, + PORT_DEVSLP_ADSE = 1, + AHCI_HFLAG_NO_NCQ = 1, + AHCI_HFLAG_IGN_IRQ_IF_ERR = 2, + AHCI_HFLAG_IGN_SERR_INTERNAL = 4, + AHCI_HFLAG_32BIT_ONLY = 8, + AHCI_HFLAG_MV_PATA = 16, + AHCI_HFLAG_NO_MSI = 32, + AHCI_HFLAG_NO_PMP = 64, + AHCI_HFLAG_SECT255 = 256, + AHCI_HFLAG_YES_NCQ = 512, + AHCI_HFLAG_NO_SUSPEND = 1024, + AHCI_HFLAG_SRST_TOUT_IS_OFFLINE = 2048, + AHCI_HFLAG_NO_SNTF = 4096, + AHCI_HFLAG_NO_FPDMA_AA = 8192, + AHCI_HFLAG_YES_FBS = 16384, + AHCI_HFLAG_DELAY_ENGINE = 32768, + AHCI_HFLAG_NO_DEVSLP = 131072, + AHCI_HFLAG_NO_FBS = 262144, + AHCI_HFLAG_MULTI_MSI = 1048576, + AHCI_HFLAG_WAKE_BEFORE_STOP = 4194304, + AHCI_HFLAG_YES_ALPM = 8388608, + AHCI_HFLAG_NO_WRITE_TO_RO = 16777216, + AHCI_HFLAG_IS_MOBILE = 33554432, + AHCI_HFLAG_SUSPEND_PHYS = 67108864, + AHCI_FLAG_COMMON = 393346, + ICH_MAP = 144, + PCS_6 = 146, + PCS_7 = 148, + EM_MAX_SLOTS = 8, + EM_MAX_RETRY = 5, + EM_CTL_RST = 512, + EM_CTL_TM = 256, + EM_CTL_MR = 1, + EM_CTL_ALHD = 67108864, + EM_CTL_XMT = 33554432, + EM_CTL_SMB = 16777216, + EM_CTL_SGPIO = 524288, + EM_CTL_SES = 262144, + EM_CTL_SAFTE = 131072, + EM_CTL_LED = 65536, + EM_MSG_TYPE_LED = 1, + EM_MSG_TYPE_SAFTE = 2, + EM_MSG_TYPE_SES2 = 4, + EM_MSG_TYPE_SGPIO = 8, +}; + +struct ahci_cmd_hdr { + __le32 opts; + __le32 status; + __le32 tbl_addr; + __le32 tbl_addr_hi; + __le32 reserved[4]; +}; + +struct ahci_em_priv { + enum sw_activity blink_policy; + struct timer_list timer; + long unsigned int saved_activity; + long unsigned int activity; + long unsigned int led_state; + struct ata_link *link; +}; + +struct ahci_port_priv { + struct ata_link *active_link; + struct ahci_cmd_hdr *cmd_slot; + dma_addr_t cmd_slot_dma; + void *cmd_tbl; + dma_addr_t cmd_tbl_dma; + void *rx_fis; + dma_addr_t rx_fis_dma; + unsigned int ncq_saw_d2h: 1; + unsigned int ncq_saw_dmas: 1; + unsigned int ncq_saw_sdb: 1; + spinlock_t lock; + u32 intr_mask; + bool fbs_supported; + bool fbs_enabled; + int fbs_last_dev; + struct ahci_em_priv em_priv[8]; + char *irq_desc; +}; + +struct ahci_host_priv { + unsigned int flags; + u32 force_port_map; + u32 mask_port_map; + void *mmio; + u32 cap; + u32 cap2; + u32 version; + u32 port_map; + u32 saved_cap; + u32 saved_cap2; + u32 saved_port_map; + u32 em_loc; + u32 em_buf_sz; + u32 em_msg_type; + bool got_runtime_pm; + struct clk *clks[5]; + struct reset_control *rsts; + struct regulator **target_pwrs; + struct regulator *ahci_regulator; + struct regulator *phy_regulator; + struct phy___2 **phys; + unsigned int nports; + void *plat_data; + unsigned int irq; + void (*start_engine)(struct ata_port *); + int (*stop_engine)(struct ata_port *); + irqreturn_t (*irq_handler)(int, void *); + int (*get_irq_vector)(struct ata_host *, int); +}; + +enum { + AHCI_PCI_BAR_STA2X11 = 0, + AHCI_PCI_BAR_CAVIUM = 0, + AHCI_PCI_BAR_ENMOTUS = 2, + AHCI_PCI_BAR_CAVIUM_GEN5 = 4, + AHCI_PCI_BAR_STANDARD = 5, +}; + +enum board_ids { + board_ahci = 0, + board_ahci_ign_iferr = 1, + board_ahci_mobile = 2, + board_ahci_nomsi = 3, + board_ahci_noncq = 4, + board_ahci_nosntf = 5, + board_ahci_yes_fbs = 6, + board_ahci_al = 7, + board_ahci_avn = 8, + board_ahci_mcp65 = 9, + board_ahci_mcp77 = 10, + board_ahci_mcp89 = 11, + board_ahci_mv = 12, + board_ahci_sb600 = 13, + board_ahci_sb700 = 14, + board_ahci_vt8251 = 15, + board_ahci_pcs7 = 16, + board_ahci_mcp_linux = 9, + board_ahci_mcp67 = 9, + board_ahci_mcp73 = 9, + board_ahci_mcp79 = 10, +}; + +struct ahci_sg { + __le32 addr; + __le32 addr_hi; + __le32 reserved; + __le32 flags_size; +}; + +enum { + PIIX_IOCFG = 84, + ICH5_PMR = 144, + ICH5_PCS = 146, + PIIX_SIDPR_BAR = 5, + PIIX_SIDPR_LEN = 16, + PIIX_SIDPR_IDX = 0, + PIIX_SIDPR_DATA = 4, + PIIX_FLAG_CHECKINTR = 268435456, + PIIX_FLAG_SIDPR = 536870912, + PIIX_PATA_FLAGS = 1, + PIIX_SATA_FLAGS = 268435458, + PIIX_FLAG_PIO16 = 1073741824, + PIIX_80C_PRI = 48, + PIIX_80C_SEC = 192, + P0 = 0, + P1 = 1, + P2 = 2, + P3 = 3, + IDE = -1, + NA = -2, + RV = -3, + PIIX_AHCI_DEVICE = 6, + PIIX_HOST_BROKEN_SUSPEND = 16777216, +}; + +enum piix_controller_ids { + piix_pata_mwdma = 0, + piix_pata_33 = 1, + ich_pata_33 = 2, + ich_pata_66 = 3, + ich_pata_100 = 4, + ich_pata_100_nomwdma1 = 5, + ich5_sata = 6, + ich6_sata = 7, + ich6m_sata = 8, + ich8_sata = 9, + ich8_2port_sata = 10, + ich8m_apple_sata = 11, + tolapai_sata = 12, + piix_pata_vmw = 13, + ich8_sata_snb = 14, + ich8_2port_sata_snb = 15, + ich8_2port_sata_byt = 16, +}; + +struct piix_map_db { + const u32 mask; + const u16 port_enable; + int map[0]; +}; + +struct piix_host_priv { + const int *map; + u32 saved_iocfg; + void *sidpr; +}; + +struct ich_laptop { + u16 device; + u16 subvendor; + u16 subdevice; +}; + +enum { + D0TIM = 128, + D1TIM = 132, + PM = 7, + MDM = 768, + UDM = 458752, + PPE = 1073741824, + USD = -2147483648, +}; + +struct ethtool_cmd { + __u32 cmd; + __u32 supported; + __u32 advertising; + __u16 speed; + __u8 duplex; + __u8 port; + __u8 phy_address; + __u8 transceiver; + __u8 autoneg; + __u8 mdio_support; + __u32 maxtxpkt; + __u32 maxrxpkt; + __u16 speed_hi; + __u8 eth_tp_mdix; + __u8 eth_tp_mdix_ctrl; + __u32 lp_advertising; + __u32 reserved[2]; +}; + +enum netdev_state_t { + __LINK_STATE_START = 0, + __LINK_STATE_PRESENT = 1, + __LINK_STATE_NOCARRIER = 2, + __LINK_STATE_LINKWATCH_PENDING = 3, + __LINK_STATE_DORMANT = 4, +}; + +struct mii_ioctl_data { + __u16 phy_id; + __u16 reg_num; + __u16 val_in; + __u16 val_out; +}; + +struct mii_if_info { + int phy_id; + int advertising; + int phy_id_mask; + int reg_num_mask; + unsigned int full_duplex: 1; + unsigned int force_media: 1; + unsigned int supports_gmii: 1; + struct net_device *dev; + int (*mdio_read)(struct net_device *, int, int); + void (*mdio_write)(struct net_device *, int, int, int); +}; + +struct devprobe2 { + struct net_device * (*probe)(int); + int status; +}; + +enum { + NETIF_F_SG_BIT = 0, + NETIF_F_IP_CSUM_BIT = 1, + __UNUSED_NETIF_F_1 = 2, + NETIF_F_HW_CSUM_BIT = 3, + NETIF_F_IPV6_CSUM_BIT = 4, + NETIF_F_HIGHDMA_BIT = 5, + NETIF_F_FRAGLIST_BIT = 6, + NETIF_F_HW_VLAN_CTAG_TX_BIT = 7, + NETIF_F_HW_VLAN_CTAG_RX_BIT = 8, + NETIF_F_HW_VLAN_CTAG_FILTER_BIT = 9, + NETIF_F_VLAN_CHALLENGED_BIT = 10, + NETIF_F_GSO_BIT = 11, + NETIF_F_LLTX_BIT = 12, + NETIF_F_NETNS_LOCAL_BIT = 13, + NETIF_F_GRO_BIT = 14, + NETIF_F_LRO_BIT = 15, + NETIF_F_GSO_SHIFT = 16, + NETIF_F_TSO_BIT = 16, + NETIF_F_GSO_ROBUST_BIT = 17, + NETIF_F_TSO_ECN_BIT = 18, + NETIF_F_TSO_MANGLEID_BIT = 19, + NETIF_F_TSO6_BIT = 20, + NETIF_F_FSO_BIT = 21, + NETIF_F_GSO_GRE_BIT = 22, + NETIF_F_GSO_GRE_CSUM_BIT = 23, + NETIF_F_GSO_IPXIP4_BIT = 24, + NETIF_F_GSO_IPXIP6_BIT = 25, + NETIF_F_GSO_UDP_TUNNEL_BIT = 26, + NETIF_F_GSO_UDP_TUNNEL_CSUM_BIT = 27, + NETIF_F_GSO_PARTIAL_BIT = 28, + NETIF_F_GSO_TUNNEL_REMCSUM_BIT = 29, + NETIF_F_GSO_SCTP_BIT = 30, + NETIF_F_GSO_ESP_BIT = 31, + NETIF_F_GSO_UDP_BIT = 32, + NETIF_F_GSO_UDP_L4_BIT = 33, + NETIF_F_GSO_LAST = 33, + NETIF_F_FCOE_CRC_BIT = 34, + NETIF_F_SCTP_CRC_BIT = 35, + NETIF_F_FCOE_MTU_BIT = 36, + NETIF_F_NTUPLE_BIT = 37, + NETIF_F_RXHASH_BIT = 38, + NETIF_F_RXCSUM_BIT = 39, + NETIF_F_NOCACHE_COPY_BIT = 40, + NETIF_F_LOOPBACK_BIT = 41, + NETIF_F_RXFCS_BIT = 42, + NETIF_F_RXALL_BIT = 43, + NETIF_F_HW_VLAN_STAG_TX_BIT = 44, + NETIF_F_HW_VLAN_STAG_RX_BIT = 45, + NETIF_F_HW_VLAN_STAG_FILTER_BIT = 46, + NETIF_F_HW_L2FW_DOFFLOAD_BIT = 47, + NETIF_F_HW_TC_BIT = 48, + NETIF_F_HW_ESP_BIT = 49, + NETIF_F_HW_ESP_TX_CSUM_BIT = 50, + NETIF_F_RX_UDP_TUNNEL_PORT_BIT = 51, + NETIF_F_HW_TLS_TX_BIT = 52, + NETIF_F_HW_TLS_RX_BIT = 53, + NETIF_F_GRO_HW_BIT = 54, + NETIF_F_HW_TLS_RECORD_BIT = 55, + NETDEV_FEATURE_COUNT = 56, +}; + +typedef struct bio_vec skb_frag_t; + +struct skb_shared_hwtstamps { + ktime_t hwtstamp; +}; + +enum { + SKBTX_HW_TSTAMP = 1, + SKBTX_SW_TSTAMP = 2, + SKBTX_IN_PROGRESS = 4, + SKBTX_DEV_ZEROCOPY = 8, + SKBTX_WIFI_STATUS = 16, + SKBTX_SHARED_FRAG = 32, + SKBTX_SCHED_TSTAMP = 64, +}; + +struct skb_shared_info { + __u8 __unused; + __u8 meta_len; + __u8 nr_frags; + __u8 tx_flags; + short unsigned int gso_size; + short unsigned int gso_segs; + struct sk_buff *frag_list; + struct skb_shared_hwtstamps hwtstamps; + unsigned int gso_type; + u32 tskey; + atomic_t dataref; + void *destructor_arg; + skb_frag_t frags[17]; +}; + +enum net_device_flags { + IFF_UP = 1, + IFF_BROADCAST = 2, + IFF_DEBUG = 4, + IFF_LOOPBACK = 8, + IFF_POINTOPOINT = 16, + IFF_NOTRAILERS = 32, + IFF_RUNNING = 64, + IFF_NOARP = 128, + IFF_PROMISC = 256, + IFF_ALLMULTI = 512, + IFF_MASTER = 1024, + IFF_SLAVE = 2048, + IFF_MULTICAST = 4096, + IFF_PORTSEL = 8192, + IFF_AUTOMEDIA = 16384, + IFF_DYNAMIC = 32768, + IFF_LOWER_UP = 65536, + IFF_DORMANT = 131072, + IFF_ECHO = 262144, +}; + +enum netdev_priv_flags { + IFF_802_1Q_VLAN = 1, + IFF_EBRIDGE = 2, + IFF_BONDING = 4, + IFF_ISATAP = 8, + IFF_WAN_HDLC = 16, + IFF_XMIT_DST_RELEASE = 32, + IFF_DONT_BRIDGE = 64, + IFF_DISABLE_NETPOLL = 128, + IFF_MACVLAN_PORT = 256, + IFF_BRIDGE_PORT = 512, + IFF_OVS_DATAPATH = 1024, + IFF_TX_SKB_SHARING = 2048, + IFF_UNICAST_FLT = 4096, + IFF_TEAM_PORT = 8192, + IFF_SUPP_NOFCS = 16384, + IFF_LIVE_ADDR_CHANGE = 32768, + IFF_MACVLAN = 65536, + IFF_XMIT_DST_RELEASE_PERM = 131072, + IFF_L3MDEV_MASTER = 262144, + IFF_NO_QUEUE = 524288, + IFF_OPENVSWITCH = 1048576, + IFF_L3MDEV_SLAVE = 2097152, + IFF_TEAM = 4194304, + IFF_RXFH_CONFIGURED = 8388608, + IFF_PHONY_HEADROOM = 16777216, + IFF_MACSEC = 33554432, + IFF_NO_RX_HANDLER = 67108864, + IFF_FAILOVER = 134217728, + IFF_FAILOVER_SLAVE = 268435456, + IFF_L3MDEV_RX_HANDLER = 536870912, + IFF_LIVE_RENAME_OK = 1073741824, +}; + +struct netpoll; + +struct netpoll_info { + refcount_t refcnt; + struct semaphore dev_lock; + struct sk_buff_head txq; + struct delayed_work tx_work; + struct netpoll *netpoll; + struct callback_head rcu; +}; + +union inet_addr { + __u32 all[4]; + __be32 ip; + __be32 ip6[4]; + struct in_addr in; + struct in6_addr in6; +}; + +struct netpoll { + struct net_device *dev; + char dev_name[16]; + const char *name; + union inet_addr local_ip; + union inet_addr remote_ip; + bool ipv6; + u16 local_port; + u16 remote_port; + u8 remote_mac[6]; +}; + +struct netconsole_target { + struct list_head list; + bool enabled; + bool extended; + struct netpoll np; +}; + +struct mdio_board_info { + const char *bus_id; + char modalias[32]; + int mdio_addr; + const void *platform_data; +}; + +struct mdio_board_entry { + struct list_head list; + struct mdio_board_info board_info; +}; + +struct phy_setting { + u32 speed; + u8 duplex; + u8 bit; +}; + +struct phy_fixup { + struct list_head list; + char bus_id[64]; + u32 phy_uid; + u32 phy_uid_mask; + int (*run)(struct phy_device *); +}; + +struct sfp_eeprom_base { + u8 phys_id; + u8 phys_ext_id; + u8 connector; + u8 if_1x_copper_passive: 1; + u8 if_1x_copper_active: 1; + u8 if_1x_lx: 1; + u8 if_1x_sx: 1; + u8 e10g_base_sr: 1; + u8 e10g_base_lr: 1; + u8 e10g_base_lrm: 1; + u8 e10g_base_er: 1; + u8 sonet_oc3_short_reach: 1; + u8 sonet_oc3_smf_intermediate_reach: 1; + u8 sonet_oc3_smf_long_reach: 1; + u8 unallocated_5_3: 1; + u8 sonet_oc12_short_reach: 1; + u8 sonet_oc12_smf_intermediate_reach: 1; + u8 sonet_oc12_smf_long_reach: 1; + u8 unallocated_5_7: 1; + u8 sonet_oc48_short_reach: 1; + u8 sonet_oc48_intermediate_reach: 1; + u8 sonet_oc48_long_reach: 1; + u8 sonet_reach_bit2: 1; + u8 sonet_reach_bit1: 1; + u8 sonet_oc192_short_reach: 1; + u8 escon_smf_1310_laser: 1; + u8 escon_mmf_1310_led: 1; + u8 e1000_base_sx: 1; + u8 e1000_base_lx: 1; + u8 e1000_base_cx: 1; + u8 e1000_base_t: 1; + u8 e100_base_lx: 1; + u8 e100_base_fx: 1; + u8 e_base_bx10: 1; + u8 e_base_px: 1; + u8 fc_tech_electrical_inter_enclosure: 1; + u8 fc_tech_lc: 1; + u8 fc_tech_sa: 1; + u8 fc_ll_m: 1; + u8 fc_ll_l: 1; + u8 fc_ll_i: 1; + u8 fc_ll_s: 1; + u8 fc_ll_v: 1; + u8 unallocated_8_0: 1; + u8 unallocated_8_1: 1; + u8 sfp_ct_passive: 1; + u8 sfp_ct_active: 1; + u8 fc_tech_ll: 1; + u8 fc_tech_sl: 1; + u8 fc_tech_sn: 1; + u8 fc_tech_electrical_intra_enclosure: 1; + u8 fc_media_sm: 1; + u8 unallocated_9_1: 1; + u8 fc_media_m5: 1; + u8 fc_media_m6: 1; + u8 fc_media_tv: 1; + u8 fc_media_mi: 1; + u8 fc_media_tp: 1; + u8 fc_media_tw: 1; + u8 fc_speed_100: 1; + u8 unallocated_10_1: 1; + u8 fc_speed_200: 1; + u8 fc_speed_3200: 1; + u8 fc_speed_400: 1; + u8 fc_speed_1600: 1; + u8 fc_speed_800: 1; + u8 fc_speed_1200: 1; + u8 encoding; + u8 br_nominal; + u8 rate_id; + u8 link_len[6]; + char vendor_name[16]; + u8 extended_cc; + char vendor_oui[3]; + char vendor_pn[16]; + char vendor_rev[4]; + union { + __be16 optical_wavelength; + __be16 cable_compliance; + struct { + u8 sff8431_app_e: 1; + u8 fc_pi_4_app_h: 1; + u8 reserved60_2: 6; + u8 reserved61: 8; + } passive; + struct { + u8 sff8431_app_e: 1; + u8 fc_pi_4_app_h: 1; + u8 sff8431_lim: 1; + u8 fc_pi_4_lim: 1; + u8 reserved60_4: 4; + u8 reserved61: 8; + } active; + }; + u8 reserved62; + u8 cc_base; +}; + +struct sfp_eeprom_ext { + __be16 options; + u8 br_max; + u8 br_min; + char vendor_sn[16]; + char datecode[8]; + u8 diagmon; + u8 enhopts; + u8 sff8472_compliance; + u8 cc_ext; +}; + +struct sfp_eeprom_id { + struct sfp_eeprom_base base; + struct sfp_eeprom_ext ext; +}; + +struct sfp_upstream_ops { + void (*attach)(void *, struct sfp_bus *); + void (*detach)(void *, struct sfp_bus *); + int (*module_insert)(void *, const struct sfp_eeprom_id *); + void (*module_remove)(void *); + void (*link_down)(void *); + void (*link_up)(void *); + int (*connect_phy)(void *, struct phy_device *); + void (*disconnect_phy)(void *); +}; + +struct trace_event_raw_mdio_access { + struct trace_entry ent; + char busid[61]; + char read; + u8 addr; + u16 val; + unsigned int regnum; + char __data[0]; +}; + +struct trace_event_data_offsets_mdio_access {}; + +struct mdio_driver { + struct mdio_driver_common mdiodrv; + int (*probe)(struct mdio_device *); + void (*remove)(struct mdio_device *); +}; + +struct mdio_device_id { + __u32 phy_id; + __u32 phy_id_mask; +}; + +enum { + SKB_GSO_TCPV4 = 1, + SKB_GSO_DODGY = 2, + SKB_GSO_TCP_ECN = 4, + SKB_GSO_TCP_FIXEDID = 8, + SKB_GSO_TCPV6 = 16, + SKB_GSO_FCOE = 32, + SKB_GSO_GRE = 64, + SKB_GSO_GRE_CSUM = 128, + SKB_GSO_IPXIP4 = 256, + SKB_GSO_IPXIP6 = 512, + SKB_GSO_UDP_TUNNEL = 1024, + SKB_GSO_UDP_TUNNEL_CSUM = 2048, + SKB_GSO_PARTIAL = 4096, + SKB_GSO_TUNNEL_REMCSUM = 8192, + SKB_GSO_SCTP = 16384, + SKB_GSO_ESP = 32768, + SKB_GSO_UDP = 65536, + SKB_GSO_UDP_L4 = 131072, +}; + +enum ethtool_stringset { + ETH_SS_TEST = 0, + ETH_SS_STATS = 1, + ETH_SS_PRIV_FLAGS = 2, + ETH_SS_NTUPLE_FILTERS = 3, + ETH_SS_FEATURES = 4, + ETH_SS_RSS_HASH_FUNCS = 5, + ETH_SS_TUNABLES = 6, + ETH_SS_PHY_STATS = 7, + ETH_SS_PHY_TUNABLES = 8, +}; + +enum ethtool_test_flags { + ETH_TEST_FL_OFFLINE = 1, + ETH_TEST_FL_FAILED = 2, + ETH_TEST_FL_EXTERNAL_LB = 4, + ETH_TEST_FL_EXTERNAL_LB_DONE = 8, +}; + +enum { + ETH_RSS_HASH_TOP_BIT = 0, + ETH_RSS_HASH_XOR_BIT = 1, + ETH_RSS_HASH_CRC32_BIT = 2, + ETH_RSS_HASH_FUNCS_COUNT = 3, +}; + +struct netdev_hw_addr { + struct list_head list; + unsigned char addr[32]; + unsigned char type; + bool global_use; + int sync_cnt; + int refcount; + int synced; + struct callback_head callback_head; +}; + +enum gro_result { + GRO_MERGED = 0, + GRO_MERGED_FREE = 1, + GRO_HELD = 2, + GRO_NORMAL = 3, + GRO_DROP = 4, + GRO_CONSUMED = 5, +}; + +typedef enum gro_result gro_result_t; + +enum netdev_queue_state_t { + __QUEUE_STATE_DRV_XOFF = 0, + __QUEUE_STATE_STACK_XOFF = 1, + __QUEUE_STATE_FROZEN = 2, +}; + +enum skb_free_reason { + SKB_REASON_CONSUMED = 0, + SKB_REASON_DROPPED = 1, +}; + +enum { + NETIF_MSG_DRV = 1, + NETIF_MSG_PROBE = 2, + NETIF_MSG_LINK = 4, + NETIF_MSG_TIMER = 8, + NETIF_MSG_IFDOWN = 16, + NETIF_MSG_IFUP = 32, + NETIF_MSG_RX_ERR = 64, + NETIF_MSG_TX_ERR = 128, + NETIF_MSG_TX_QUEUED = 256, + NETIF_MSG_INTR = 512, + NETIF_MSG_TX_DONE = 1024, + NETIF_MSG_RX_STATUS = 2048, + NETIF_MSG_PKTDATA = 4096, + NETIF_MSG_HW = 8192, + NETIF_MSG_WOL = 16384, +}; + +enum { + SOF_TIMESTAMPING_TX_HARDWARE = 1, + SOF_TIMESTAMPING_TX_SOFTWARE = 2, + SOF_TIMESTAMPING_RX_HARDWARE = 4, + SOF_TIMESTAMPING_RX_SOFTWARE = 8, + SOF_TIMESTAMPING_SOFTWARE = 16, + SOF_TIMESTAMPING_SYS_HARDWARE = 32, + SOF_TIMESTAMPING_RAW_HARDWARE = 64, + SOF_TIMESTAMPING_OPT_ID = 128, + SOF_TIMESTAMPING_TX_SCHED = 256, + SOF_TIMESTAMPING_TX_ACK = 512, + SOF_TIMESTAMPING_OPT_CMSG = 1024, + SOF_TIMESTAMPING_OPT_TSONLY = 2048, + SOF_TIMESTAMPING_OPT_STATS = 4096, + SOF_TIMESTAMPING_OPT_PKTINFO = 8192, + SOF_TIMESTAMPING_OPT_TX_SWHW = 16384, + SOF_TIMESTAMPING_LAST = 16384, + SOF_TIMESTAMPING_MASK = 32767, +}; + +struct hwtstamp_config { + int flags; + int tx_type; + int rx_filter; +}; + +enum hwtstamp_tx_types { + HWTSTAMP_TX_OFF = 0, + HWTSTAMP_TX_ON = 1, + HWTSTAMP_TX_ONESTEP_SYNC = 2, +}; + +enum hwtstamp_rx_filters { + HWTSTAMP_FILTER_NONE = 0, + HWTSTAMP_FILTER_ALL = 1, + HWTSTAMP_FILTER_SOME = 2, + HWTSTAMP_FILTER_PTP_V1_L4_EVENT = 3, + HWTSTAMP_FILTER_PTP_V1_L4_SYNC = 4, + HWTSTAMP_FILTER_PTP_V1_L4_DELAY_REQ = 5, + HWTSTAMP_FILTER_PTP_V2_L4_EVENT = 6, + HWTSTAMP_FILTER_PTP_V2_L4_SYNC = 7, + HWTSTAMP_FILTER_PTP_V2_L4_DELAY_REQ = 8, + HWTSTAMP_FILTER_PTP_V2_L2_EVENT = 9, + HWTSTAMP_FILTER_PTP_V2_L2_SYNC = 10, + HWTSTAMP_FILTER_PTP_V2_L2_DELAY_REQ = 11, + HWTSTAMP_FILTER_PTP_V2_EVENT = 12, + HWTSTAMP_FILTER_PTP_V2_SYNC = 13, + HWTSTAMP_FILTER_PTP_V2_DELAY_REQ = 14, + HWTSTAMP_FILTER_NTP_ALL = 15, +}; + +struct sensor_device_attribute { + struct device_attribute dev_attr; + int index; +}; + +struct ptp_clock_time { + __s64 sec; + __u32 nsec; + __u32 reserved; +}; + +struct ptp_extts_request { + unsigned int index; + unsigned int flags; + unsigned int rsv[2]; +}; + +struct ptp_perout_request { + struct ptp_clock_time start; + struct ptp_clock_time period; + unsigned int index; + unsigned int flags; + unsigned int rsv[4]; +}; + +enum ptp_pin_function { + PTP_PF_NONE = 0, + PTP_PF_EXTTS = 1, + PTP_PF_PEROUT = 2, + PTP_PF_PHYSYNC = 3, +}; + +struct ptp_pin_desc { + char name[64]; + unsigned int index; + unsigned int func; + unsigned int chan; + unsigned int rsv[5]; +}; + +struct ptp_clock_request { + enum { + PTP_CLK_REQ_EXTTS = 0, + PTP_CLK_REQ_PEROUT = 1, + PTP_CLK_REQ_PPS = 2, + } type; + union { + struct ptp_extts_request extts; + struct ptp_perout_request perout; + }; +}; + +struct ptp_system_timestamp { + struct timespec64 pre_ts; + struct timespec64 post_ts; +}; + +struct ptp_clock_info { + struct module *owner; + char name[16]; + s32 max_adj; + int n_alarm; + int n_ext_ts; + int n_per_out; + int n_pins; + int pps; + struct ptp_pin_desc *pin_config; + int (*adjfine)(struct ptp_clock_info *, long int); + int (*adjfreq)(struct ptp_clock_info *, s32); + int (*adjtime)(struct ptp_clock_info *, s64); + int (*gettime64)(struct ptp_clock_info *, struct timespec64 *); + int (*gettimex64)(struct ptp_clock_info *, struct timespec64 *, struct ptp_system_timestamp *); + int (*getcrosststamp)(struct ptp_clock_info *, struct system_device_crosststamp *); + int (*settime64)(struct ptp_clock_info *, const struct timespec64 *); + int (*enable)(struct ptp_clock_info *, struct ptp_clock_request *, int); + int (*verify)(struct ptp_clock_info *, unsigned int, enum ptp_pin_function, unsigned int); + long int (*do_aux_work)(struct ptp_clock_info *); +}; + +struct tg3_tx_buffer_desc { + u32 addr_hi; + u32 addr_lo; + u32 len_flags; + u32 vlan_tag; +}; + +struct tg3_rx_buffer_desc { + u32 addr_hi; + u32 addr_lo; + u32 idx_len; + u32 type_flags; + u32 ip_tcp_csum; + u32 err_vlan; + u32 reserved; + u32 opaque; +}; + +struct tg3_ext_rx_buffer_desc { + struct { + u32 addr_hi; + u32 addr_lo; + } addrlist[3]; + u32 len2_len1; + u32 resv_len3; + struct tg3_rx_buffer_desc std; +}; + +struct tg3_internal_buffer_desc { + u32 addr_hi; + u32 addr_lo; + u32 nic_mbuf; + u16 len; + u16 cqid_sqid; + u32 flags; + u32 __cookie1; + u32 __cookie2; + u32 __cookie3; +}; + +struct tg3_hw_status { + u32 status; + u32 status_tag; + u16 rx_jumbo_consumer; + u16 rx_consumer; + u16 rx_mini_consumer; + u16 reserved; + struct { + u16 rx_producer; + u16 tx_consumer; + } idx[16]; +}; + +typedef struct { + u32 high; + u32 low; +} tg3_stat64_t; + +struct tg3_hw_stats { + u8 __reserved0[256]; + tg3_stat64_t rx_octets; + u64 __reserved1; + tg3_stat64_t rx_fragments; + tg3_stat64_t rx_ucast_packets; + tg3_stat64_t rx_mcast_packets; + tg3_stat64_t rx_bcast_packets; + tg3_stat64_t rx_fcs_errors; + tg3_stat64_t rx_align_errors; + tg3_stat64_t rx_xon_pause_rcvd; + tg3_stat64_t rx_xoff_pause_rcvd; + tg3_stat64_t rx_mac_ctrl_rcvd; + tg3_stat64_t rx_xoff_entered; + tg3_stat64_t rx_frame_too_long_errors; + tg3_stat64_t rx_jabbers; + tg3_stat64_t rx_undersize_packets; + tg3_stat64_t rx_in_length_errors; + tg3_stat64_t rx_out_length_errors; + tg3_stat64_t rx_64_or_less_octet_packets; + tg3_stat64_t rx_65_to_127_octet_packets; + tg3_stat64_t rx_128_to_255_octet_packets; + tg3_stat64_t rx_256_to_511_octet_packets; + tg3_stat64_t rx_512_to_1023_octet_packets; + tg3_stat64_t rx_1024_to_1522_octet_packets; + tg3_stat64_t rx_1523_to_2047_octet_packets; + tg3_stat64_t rx_2048_to_4095_octet_packets; + tg3_stat64_t rx_4096_to_8191_octet_packets; + tg3_stat64_t rx_8192_to_9022_octet_packets; + u64 __unused0[37]; + tg3_stat64_t tx_octets; + u64 __reserved2; + tg3_stat64_t tx_collisions; + tg3_stat64_t tx_xon_sent; + tg3_stat64_t tx_xoff_sent; + tg3_stat64_t tx_flow_control; + tg3_stat64_t tx_mac_errors; + tg3_stat64_t tx_single_collisions; + tg3_stat64_t tx_mult_collisions; + tg3_stat64_t tx_deferred; + u64 __reserved3; + tg3_stat64_t tx_excessive_collisions; + tg3_stat64_t tx_late_collisions; + tg3_stat64_t tx_collide_2times; + tg3_stat64_t tx_collide_3times; + tg3_stat64_t tx_collide_4times; + tg3_stat64_t tx_collide_5times; + tg3_stat64_t tx_collide_6times; + tg3_stat64_t tx_collide_7times; + tg3_stat64_t tx_collide_8times; + tg3_stat64_t tx_collide_9times; + tg3_stat64_t tx_collide_10times; + tg3_stat64_t tx_collide_11times; + tg3_stat64_t tx_collide_12times; + tg3_stat64_t tx_collide_13times; + tg3_stat64_t tx_collide_14times; + tg3_stat64_t tx_collide_15times; + tg3_stat64_t tx_ucast_packets; + tg3_stat64_t tx_mcast_packets; + tg3_stat64_t tx_bcast_packets; + tg3_stat64_t tx_carrier_sense_errors; + tg3_stat64_t tx_discards; + tg3_stat64_t tx_errors; + u64 __unused1[31]; + tg3_stat64_t COS_rx_packets[16]; + tg3_stat64_t COS_rx_filter_dropped; + tg3_stat64_t dma_writeq_full; + tg3_stat64_t dma_write_prioq_full; + tg3_stat64_t rxbds_empty; + tg3_stat64_t rx_discards; + tg3_stat64_t rx_errors; + tg3_stat64_t rx_threshold_hit; + u64 __unused2[9]; + tg3_stat64_t COS_out_packets[16]; + tg3_stat64_t dma_readq_full; + tg3_stat64_t dma_read_prioq_full; + tg3_stat64_t tx_comp_queue_full; + tg3_stat64_t ring_set_send_prod_index; + tg3_stat64_t ring_status_update; + tg3_stat64_t nic_irqs; + tg3_stat64_t nic_avoided_irqs; + tg3_stat64_t nic_tx_threshold_hit; + tg3_stat64_t mbuf_lwm_thresh_hit; + u8 __reserved4[312]; +}; + +struct tg3_ocir { + u32 signature; + u16 version_flags; + u16 refresh_int; + u32 refresh_tmr; + u32 update_tmr; + u32 dst_base_addr; + u16 src_hdr_offset; + u16 src_hdr_length; + u16 src_data_offset; + u16 src_data_length; + u16 dst_hdr_offset; + u16 dst_data_offset; + u16 dst_reg_upd_offset; + u16 dst_sem_offset; + u32 reserved1[2]; + u32 port0_flags; + u32 port1_flags; + u32 port2_flags; + u32 port3_flags; + u32 reserved2[1]; +}; + +struct ring_info { + u8 *data; + dma_addr_t mapping; +}; + +struct tg3_tx_ring_info { + struct sk_buff *skb; + dma_addr_t mapping; + bool fragmented; +}; + +struct tg3_link_config { + u32 advertising; + u32 speed; + u8 duplex; + u8 autoneg; + u8 flowctrl; + u8 active_flowctrl; + u8 active_duplex; + u32 active_speed; + u32 rmt_adv; +}; + +struct tg3_bufmgr_config { + u32 mbuf_read_dma_low_water; + u32 mbuf_mac_rx_low_water; + u32 mbuf_high_water; + u32 mbuf_read_dma_low_water_jumbo; + u32 mbuf_mac_rx_low_water_jumbo; + u32 mbuf_high_water_jumbo; + u32 dma_low_water; + u32 dma_high_water; +}; + +struct tg3_ethtool_stats { + u64 rx_octets; + u64 rx_fragments; + u64 rx_ucast_packets; + u64 rx_mcast_packets; + u64 rx_bcast_packets; + u64 rx_fcs_errors; + u64 rx_align_errors; + u64 rx_xon_pause_rcvd; + u64 rx_xoff_pause_rcvd; + u64 rx_mac_ctrl_rcvd; + u64 rx_xoff_entered; + u64 rx_frame_too_long_errors; + u64 rx_jabbers; + u64 rx_undersize_packets; + u64 rx_in_length_errors; + u64 rx_out_length_errors; + u64 rx_64_or_less_octet_packets; + u64 rx_65_to_127_octet_packets; + u64 rx_128_to_255_octet_packets; + u64 rx_256_to_511_octet_packets; + u64 rx_512_to_1023_octet_packets; + u64 rx_1024_to_1522_octet_packets; + u64 rx_1523_to_2047_octet_packets; + u64 rx_2048_to_4095_octet_packets; + u64 rx_4096_to_8191_octet_packets; + u64 rx_8192_to_9022_octet_packets; + u64 tx_octets; + u64 tx_collisions; + u64 tx_xon_sent; + u64 tx_xoff_sent; + u64 tx_flow_control; + u64 tx_mac_errors; + u64 tx_single_collisions; + u64 tx_mult_collisions; + u64 tx_deferred; + u64 tx_excessive_collisions; + u64 tx_late_collisions; + u64 tx_collide_2times; + u64 tx_collide_3times; + u64 tx_collide_4times; + u64 tx_collide_5times; + u64 tx_collide_6times; + u64 tx_collide_7times; + u64 tx_collide_8times; + u64 tx_collide_9times; + u64 tx_collide_10times; + u64 tx_collide_11times; + u64 tx_collide_12times; + u64 tx_collide_13times; + u64 tx_collide_14times; + u64 tx_collide_15times; + u64 tx_ucast_packets; + u64 tx_mcast_packets; + u64 tx_bcast_packets; + u64 tx_carrier_sense_errors; + u64 tx_discards; + u64 tx_errors; + u64 dma_writeq_full; + u64 dma_write_prioq_full; + u64 rxbds_empty; + u64 rx_discards; + u64 rx_errors; + u64 rx_threshold_hit; + u64 dma_readq_full; + u64 dma_read_prioq_full; + u64 tx_comp_queue_full; + u64 ring_set_send_prod_index; + u64 ring_status_update; + u64 nic_irqs; + u64 nic_avoided_irqs; + u64 nic_tx_threshold_hit; + u64 mbuf_lwm_thresh_hit; +}; + +struct tg3_rx_prodring_set { + u32 rx_std_prod_idx; + u32 rx_std_cons_idx; + u32 rx_jmb_prod_idx; + u32 rx_jmb_cons_idx; + struct tg3_rx_buffer_desc *rx_std; + struct tg3_ext_rx_buffer_desc *rx_jmb; + struct ring_info *rx_std_buffers; + struct ring_info *rx_jmb_buffers; + dma_addr_t rx_std_mapping; + dma_addr_t rx_jmb_mapping; +}; + +struct tg3; + +struct tg3_napi { + struct napi_struct napi; + struct tg3 *tp; + struct tg3_hw_status *hw_status; + u32 chk_msi_cnt; + u32 last_tag; + u32 last_irq_tag; + u32 int_mbox; + u32 coal_now; + long: 32; + long: 64; + long: 64; + u32 consmbox; + u32 rx_rcb_ptr; + u32 last_rx_cons; + u16 *rx_rcb_prod_idx; + struct tg3_rx_prodring_set prodring; + struct tg3_rx_buffer_desc *rx_rcb; + long: 64; + long: 64; + long: 64; + long: 64; + u32 tx_prod; + u32 tx_cons; + u32 tx_pending; + u32 last_tx_cons; + u32 prodmbox; + struct tg3_tx_buffer_desc *tx_ring; + struct tg3_tx_ring_info *tx_buffers; + dma_addr_t status_mapping; + dma_addr_t rx_rcb_mapping; + dma_addr_t tx_desc_mapping; + char irq_lbl[16]; + unsigned int irq_vec; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct ptp_clock; + +struct tg3 { + unsigned int irq_sync; + spinlock_t lock; + spinlock_t indirect_lock; + u32 (*read32)(struct tg3 *, u32); + void (*write32)(struct tg3 *, u32, u32); + u32 (*read32_mbox)(struct tg3 *, u32); + void (*write32_mbox)(struct tg3 *, u32, u32); + void *regs; + void *aperegs; + struct net_device *dev; + struct pci_dev *pdev; + u32 coal_now; + u32 msg_enable; + struct ptp_clock_info ptp_info; + struct ptp_clock *ptp_clock; + s64 ptp_adjust; + void (*write32_tx_mbox)(struct tg3 *, u32, u32); + u32 dma_limit; + u32 txq_req; + u32 txq_cnt; + u32 txq_max; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct tg3_napi napi[5]; + void (*write32_rx_mbox)(struct tg3 *, u32, u32); + u32 rx_copy_thresh; + u32 rx_std_ring_mask; + u32 rx_jmb_ring_mask; + u32 rx_ret_ring_mask; + u32 rx_pending; + u32 rx_jumbo_pending; + u32 rx_std_max_post; + u32 rx_offset; + u32 rx_pkt_map_sz; + u32 rxq_req; + u32 rxq_cnt; + u32 rxq_max; + bool rx_refill; + long unsigned int rx_dropped; + long unsigned int tx_dropped; + struct rtnl_link_stats64 net_stats_prev; + struct tg3_ethtool_stats estats_prev; + long unsigned int tg3_flags[2]; + union { + long unsigned int phy_crc_errors; + long unsigned int last_event_jiffies; + }; + struct timer_list timer; + u16 timer_counter; + u16 timer_multiplier; + u32 timer_offset; + u16 asf_counter; + u16 asf_multiplier; + u32 serdes_counter; + struct tg3_link_config link_config; + struct tg3_bufmgr_config bufmgr_config; + u32 rx_mode; + u32 tx_mode; + u32 mac_mode; + u32 mi_mode; + u32 misc_host_ctrl; + u32 grc_mode; + u32 grc_local_ctrl; + u32 dma_rwctrl; + u32 coalesce_mode; + u32 pwrmgmt_thresh; + u32 rxptpctl; + u32 pci_chip_rev_id; + u16 pci_cmd; + u8 pci_cacheline_sz; + u8 pci_lat_timer; + int pci_fn; + int msi_cap; + int pcix_cap; + int pcie_readrq; + struct mii_bus *mdio_bus; + int old_link; + u8 phy_addr; + u8 phy_ape_lock; + u32 phy_id; + u32 phy_flags; + u32 led_ctrl; + u32 phy_otp; + u32 setlpicnt; + u8 rss_ind_tbl[128]; + char board_part_number[24]; + char fw_ver[32]; + u32 nic_sram_data_cfg; + u32 pci_clock_ctrl; + struct pci_dev *pdev_peer; + struct tg3_hw_stats *hw_stats; + dma_addr_t stats_mapping; + struct work_struct reset_task; + int nvram_lock_cnt; + u32 nvram_size; + u32 nvram_pagesize; + u32 nvram_jedecnum; + unsigned int irq_max; + unsigned int irq_cnt; + struct ethtool_coalesce coal; + struct ethtool_eee eee; + const char *fw_needed; + const struct firmware *fw; + u32 fw_len; + struct device *hwmon_dev; + bool link_up; + bool pcierr_recovery; + u32 ape_hb; + long unsigned int ape_hb_interval; + long unsigned int ape_hb_jiffies; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +enum TG3_FLAGS { + TG3_FLAG_TAGGED_STATUS = 0, + TG3_FLAG_TXD_MBOX_HWBUG = 1, + TG3_FLAG_USE_LINKCHG_REG = 2, + TG3_FLAG_ERROR_PROCESSED = 3, + TG3_FLAG_ENABLE_ASF = 4, + TG3_FLAG_ASPM_WORKAROUND = 5, + TG3_FLAG_POLL_SERDES = 6, + TG3_FLAG_POLL_CPMU_LINK = 7, + TG3_FLAG_MBOX_WRITE_REORDER = 8, + TG3_FLAG_PCIX_TARGET_HWBUG = 9, + TG3_FLAG_WOL_SPEED_100MB = 10, + TG3_FLAG_WOL_ENABLE = 11, + TG3_FLAG_EEPROM_WRITE_PROT = 12, + TG3_FLAG_NVRAM = 13, + TG3_FLAG_NVRAM_BUFFERED = 14, + TG3_FLAG_SUPPORT_MSI = 15, + TG3_FLAG_SUPPORT_MSIX = 16, + TG3_FLAG_USING_MSI = 17, + TG3_FLAG_USING_MSIX = 18, + TG3_FLAG_PCIX_MODE = 19, + TG3_FLAG_PCI_HIGH_SPEED = 20, + TG3_FLAG_PCI_32BIT = 21, + TG3_FLAG_SRAM_USE_CONFIG = 22, + TG3_FLAG_TX_RECOVERY_PENDING = 23, + TG3_FLAG_WOL_CAP = 24, + TG3_FLAG_JUMBO_RING_ENABLE = 25, + TG3_FLAG_PAUSE_AUTONEG = 26, + TG3_FLAG_CPMU_PRESENT = 27, + TG3_FLAG_40BIT_DMA_BUG = 28, + TG3_FLAG_BROKEN_CHECKSUMS = 29, + TG3_FLAG_JUMBO_CAPABLE = 30, + TG3_FLAG_CHIP_RESETTING = 31, + TG3_FLAG_INIT_COMPLETE = 32, + TG3_FLAG_MAX_RXPEND_64 = 33, + TG3_FLAG_PCI_EXPRESS = 34, + TG3_FLAG_ASF_NEW_HANDSHAKE = 35, + TG3_FLAG_HW_AUTONEG = 36, + TG3_FLAG_IS_NIC = 37, + TG3_FLAG_FLASH = 38, + TG3_FLAG_FW_TSO = 39, + TG3_FLAG_HW_TSO_1 = 40, + TG3_FLAG_HW_TSO_2 = 41, + TG3_FLAG_HW_TSO_3 = 42, + TG3_FLAG_TSO_CAPABLE = 43, + TG3_FLAG_TSO_BUG = 44, + TG3_FLAG_ICH_WORKAROUND = 45, + TG3_FLAG_1SHOT_MSI = 46, + TG3_FLAG_NO_FWARE_REPORTED = 47, + TG3_FLAG_NO_NVRAM_ADDR_TRANS = 48, + TG3_FLAG_ENABLE_APE = 49, + TG3_FLAG_PROTECTED_NVRAM = 50, + TG3_FLAG_5701_DMA_BUG = 51, + TG3_FLAG_USE_PHYLIB = 52, + TG3_FLAG_MDIOBUS_INITED = 53, + TG3_FLAG_LRG_PROD_RING_CAP = 54, + TG3_FLAG_RGMII_INBAND_DISABLE = 55, + TG3_FLAG_RGMII_EXT_IBND_RX_EN = 56, + TG3_FLAG_RGMII_EXT_IBND_TX_EN = 57, + TG3_FLAG_CLKREQ_BUG = 58, + TG3_FLAG_NO_NVRAM = 59, + TG3_FLAG_ENABLE_RSS = 60, + TG3_FLAG_ENABLE_TSS = 61, + TG3_FLAG_SHORT_DMA_BUG = 62, + TG3_FLAG_USE_JUMBO_BDFLAG = 63, + TG3_FLAG_L1PLLPD_EN = 64, + TG3_FLAG_APE_HAS_NCSI = 65, + TG3_FLAG_TX_TSTAMP_EN = 66, + TG3_FLAG_4K_FIFO_LIMIT = 67, + TG3_FLAG_5719_5720_RDMA_BUG = 68, + TG3_FLAG_RESET_TASK_PENDING = 69, + TG3_FLAG_PTP_CAPABLE = 70, + TG3_FLAG_5705_PLUS = 71, + TG3_FLAG_IS_5788 = 72, + TG3_FLAG_5750_PLUS = 73, + TG3_FLAG_5780_CLASS = 74, + TG3_FLAG_5755_PLUS = 75, + TG3_FLAG_57765_PLUS = 76, + TG3_FLAG_57765_CLASS = 77, + TG3_FLAG_5717_PLUS = 78, + TG3_FLAG_IS_SSB_CORE = 79, + TG3_FLAG_FLUSH_POSTED_WRITES = 80, + TG3_FLAG_ROBOSWITCH = 81, + TG3_FLAG_ONE_DMA_AT_ONCE = 82, + TG3_FLAG_RGMII_MODE = 83, + TG3_FLAG_NUMBER_OF_FLAGS = 84, +}; + +struct tg3_firmware_hdr { + __be32 version; + __be32 base_addr; + __be32 len; +}; + +struct tg3_fiber_aneginfo { + int state; + u32 flags; + long unsigned int link_time; + long unsigned int cur_time; + u32 ability_match_cfg; + int ability_match_count; + char ability_match; + char idle_match; + char ack_match; + u32 txconfig; + u32 rxconfig; +}; + +struct subsys_tbl_ent { + u16 subsys_vendor; + u16 subsys_devid; + u32 phy_id; +}; + +struct tg3_dev_id { + u32 vendor; + u32 device; +}; + +struct tg3_dev_id___2 { + u32 vendor; + u32 device; + u32 rev; +}; + +struct mem_entry { + u32 offset; + u32 len; +}; + +enum mac { + mac_82557_D100_A = 0, + mac_82557_D100_B = 1, + mac_82557_D100_C = 2, + mac_82558_D101_A4 = 4, + mac_82558_D101_B0 = 5, + mac_82559_D101M = 8, + mac_82559_D101S = 9, + mac_82550_D102 = 12, + mac_82550_D102_C = 13, + mac_82551_E = 14, + mac_82551_F = 15, + mac_82551_10 = 16, + mac_unknown = 255, +}; + +enum phy___3 { + phy_100a = 992, + phy_100c = 55575208, + phy_82555_tx = 22020776, + phy_nsc_tx = 1543512064, + phy_82562_et = 53478056, + phy_82562_em = 52429480, + phy_82562_ek = 51380904, + phy_82562_eh = 24117928, + phy_82552_v = -798949299, + phy_unknown = -1, +}; + +struct csr { + struct { + u8 status; + u8 stat_ack; + u8 cmd_lo; + u8 cmd_hi; + u32 gen_ptr; + } scb; + u32 port; + u16 flash_ctrl; + u8 eeprom_ctrl_lo; + u8 eeprom_ctrl_hi; + u32 mdi_ctrl; + u32 rx_dma_count; +}; + +enum scb_status { + rus_no_res = 8, + rus_ready = 16, + rus_mask = 60, +}; + +enum ru_state { + RU_SUSPENDED = 0, + RU_RUNNING = 1, + RU_UNINITIALIZED = -1, +}; + +enum scb_stat_ack { + stat_ack_not_ours = 0, + stat_ack_sw_gen = 4, + stat_ack_rnr = 16, + stat_ack_cu_idle = 32, + stat_ack_frame_rx = 64, + stat_ack_cu_cmd_done = 128, + stat_ack_not_present = 255, + stat_ack_rx = 84, + stat_ack_tx = 160, +}; + +enum scb_cmd_hi { + irq_mask_none = 0, + irq_mask_all = 1, + irq_sw_gen = 2, +}; + +enum scb_cmd_lo { + cuc_nop = 0, + ruc_start = 1, + ruc_load_base = 6, + cuc_start = 16, + cuc_resume = 32, + cuc_dump_addr = 64, + cuc_dump_stats = 80, + cuc_load_base = 96, + cuc_dump_reset = 112, +}; + +enum cuc_dump { + cuc_dump_complete = 40965, + cuc_dump_reset_complete = 40967, +}; + +enum port___2 { + software_reset = 0, + selftest = 1, + selective_reset = 2, +}; + +enum eeprom_ctrl_lo { + eesk = 1, + eecs = 2, + eedi = 4, + eedo = 8, +}; + +enum mdi_ctrl { + mdi_write = 67108864, + mdi_read = 134217728, + mdi_ready = 268435456, +}; + +enum eeprom_op { + op_write = 5, + op_read = 6, + op_ewds = 16, + op_ewen = 19, +}; + +enum eeprom_offsets { + eeprom_cnfg_mdix = 3, + eeprom_phy_iface = 6, + eeprom_id = 10, + eeprom_config_asf = 13, + eeprom_smbus_addr = 144, +}; + +enum eeprom_cnfg_mdix { + eeprom_mdix_enabled = 128, +}; + +enum eeprom_phy_iface { + NoSuchPhy = 0, + I82553AB = 1, + I82553C = 2, + I82503 = 3, + DP83840 = 4, + S80C240 = 5, + S80C24 = 6, + I82555 = 7, + DP83840A = 10, +}; + +enum eeprom_id { + eeprom_id_wol = 32, +}; + +enum eeprom_config_asf { + eeprom_asf = 32768, + eeprom_gcl = 16384, +}; + +enum cb_status { + cb_complete = 32768, + cb_ok = 8192, +}; + +enum cb_command { + cb_nop = 0, + cb_iaaddr = 1, + cb_config = 2, + cb_multi = 3, + cb_tx = 4, + cb_ucode = 5, + cb_dump = 6, + cb_tx_sf = 8, + cb_tx_nc = 16, + cb_cid = 7936, + cb_i = 8192, + cb_s = 16384, + cb_el = 32768, +}; + +struct rfd { + __le16 status; + __le16 command; + __le32 link; + __le32 rbd; + __le16 actual_size; + __le16 size; +}; + +struct rx { + struct rx *next; + struct rx *prev; + struct sk_buff *skb; + dma_addr_t dma_addr; +}; + +struct config { + u8 byte_count: 6; + u8 pad0: 2; + u8 rx_fifo_limit: 4; + u8 tx_fifo_limit: 3; + u8 pad1: 1; + u8 adaptive_ifs; + u8 mwi_enable: 1; + u8 type_enable: 1; + u8 read_align_enable: 1; + u8 term_write_cache_line: 1; + u8 pad3: 4; + u8 rx_dma_max_count: 7; + u8 pad4: 1; + u8 tx_dma_max_count: 7; + u8 dma_max_count_enable: 1; + u8 late_scb_update: 1; + u8 direct_rx_dma: 1; + u8 tno_intr: 1; + u8 cna_intr: 1; + u8 standard_tcb: 1; + u8 standard_stat_counter: 1; + u8 rx_save_overruns: 1; + u8 rx_save_bad_frames: 1; + u8 rx_discard_short_frames: 1; + u8 tx_underrun_retry: 2; + u8 pad7: 2; + u8 rx_extended_rfd: 1; + u8 tx_two_frames_in_fifo: 1; + u8 tx_dynamic_tbd: 1; + u8 mii_mode: 1; + u8 pad8: 6; + u8 csma_disabled: 1; + u8 rx_tcpudp_checksum: 1; + u8 pad9: 3; + u8 vlan_arp_tco: 1; + u8 link_status_wake: 1; + u8 arp_wake: 1; + u8 mcmatch_wake: 1; + u8 pad10: 3; + u8 no_source_addr_insertion: 1; + u8 preamble_length: 2; + u8 loopback: 2; + u8 linear_priority: 3; + u8 pad11: 5; + u8 linear_priority_mode: 1; + u8 pad12: 3; + u8 ifs: 4; + u8 ip_addr_lo; + u8 ip_addr_hi; + u8 promiscuous_mode: 1; + u8 broadcast_disabled: 1; + u8 wait_after_win: 1; + u8 pad15_1: 1; + u8 ignore_ul_bit: 1; + u8 crc_16_bit: 1; + u8 pad15_2: 1; + u8 crs_or_cdt: 1; + u8 fc_delay_lo; + u8 fc_delay_hi; + u8 rx_stripping: 1; + u8 tx_padding: 1; + u8 rx_crc_transfer: 1; + u8 rx_long_ok: 1; + u8 fc_priority_threshold: 3; + u8 pad18: 1; + u8 addr_wake: 1; + u8 magic_packet_disable: 1; + u8 fc_disable: 1; + u8 fc_restop: 1; + u8 fc_restart: 1; + u8 fc_reject: 1; + u8 full_duplex_force: 1; + u8 full_duplex_pin: 1; + u8 pad20_1: 5; + u8 fc_priority_location: 1; + u8 multi_ia: 1; + u8 pad20_2: 1; + u8 pad21_1: 3; + u8 multicast_all: 1; + u8 pad21_2: 4; + u8 rx_d102_mode: 1; + u8 rx_vlan_drop: 1; + u8 pad22: 6; + u8 pad_d102[9]; +}; + +struct multi { + __le16 count; + u8 addr[386]; +}; + +struct cb { + __le16 status; + __le16 command; + __le32 link; + union { + u8 iaaddr[6]; + __le32 ucode[134]; + struct config config; + struct multi multi; + struct { + u32 tbd_array; + u16 tcb_byte_count; + u8 threshold; + u8 tbd_count; + struct { + __le32 buf_addr; + __le16 size; + u16 eol; + } tbd; + } tcb; + __le32 dump_buffer_addr; + } u; + struct cb *next; + struct cb *prev; + dma_addr_t dma_addr; + struct sk_buff *skb; +}; + +enum loopback { + lb_none = 0, + lb_mac = 1, + lb_phy = 3, +}; + +struct stats { + __le32 tx_good_frames; + __le32 tx_max_collisions; + __le32 tx_late_collisions; + __le32 tx_underruns; + __le32 tx_lost_crs; + __le32 tx_deferred; + __le32 tx_single_collisions; + __le32 tx_multiple_collisions; + __le32 tx_total_collisions; + __le32 rx_good_frames; + __le32 rx_crc_errors; + __le32 rx_alignment_errors; + __le32 rx_resource_errors; + __le32 rx_overrun_errors; + __le32 rx_cdt_errors; + __le32 rx_short_frame_errors; + __le32 fc_xmt_pause; + __le32 fc_rcv_pause; + __le32 fc_rcv_unsupported; + __le16 xmt_tco_frames; + __le16 rcv_tco_frames; + __le32 complete; +}; + +struct mem { + struct { + u32 signature; + u32 result; + } selftest; + struct stats stats; + u8 dump_buf[596]; +}; + +struct param_range { + u32 min; + u32 max; + u32 count; +}; + +struct params { + struct param_range rfds; + struct param_range cbs; +}; + +struct nic { + u32 msg_enable; + struct net_device *netdev; + struct pci_dev *pdev; + u16 (*mdio_ctrl)(struct nic *, u32, u32, u32, u16); + long: 64; + long: 64; + long: 64; + long: 64; + struct rx *rxs; + struct rx *rx_to_use; + struct rx *rx_to_clean; + struct rfd blank_rfd; + enum ru_state ru_running; + long: 32; + long: 64; + long: 64; + spinlock_t cb_lock; + spinlock_t cmd_lock; + struct csr *csr; + enum scb_cmd_lo cuc_cmd; + unsigned int cbs_avail; + struct napi_struct napi; + struct cb *cbs; + struct cb *cb_to_use; + struct cb *cb_to_send; + struct cb *cb_to_clean; + __le16 tx_command; + long: 48; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + enum { + ich = 1, + promiscuous = 2, + multicast_all = 4, + wol_magic = 8, + ich_10h_workaround = 16, + } flags; + enum mac mac; + enum phy___3 phy; + struct params params; + struct timer_list watchdog; + struct mii_if_info mii; + struct work_struct tx_timeout_task; + enum loopback loopback; + struct mem *mem; + dma_addr_t dma_addr; + struct dma_pool___2 *cbs_pool; + dma_addr_t cbs_dma_addr; + u8 adaptive_ifs; + u8 tx_threshold; + u32 tx_frames; + u32 tx_collisions; + u32 tx_deferred; + u32 tx_single_collisions; + u32 tx_multiple_collisions; + u32 tx_fc_pause; + u32 tx_tco_frames; + u32 rx_fc_pause; + u32 rx_fc_unsupported; + u32 rx_tco_frames; + u32 rx_short_frame_errors; + u32 rx_over_length_errors; + u16 eeprom_wc; + __le16 eeprom[256]; + spinlock_t mdio_lock; + const struct firmware *fw; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct vlan_hdr { + __be16 h_vlan_TCI; + __be16 h_vlan_encapsulated_proto; +}; + +struct qdisc_walker { + int stop; + int skip; + int count; + int (*fn)(struct Qdisc *, long unsigned int, struct qdisc_walker *); +}; + +typedef enum { + e1000_undefined = 0, + e1000_82542_rev2_0 = 1, + e1000_82542_rev2_1 = 2, + e1000_82543 = 3, + e1000_82544 = 4, + e1000_82540 = 5, + e1000_82545 = 6, + e1000_82545_rev_3 = 7, + e1000_82546 = 8, + e1000_ce4100 = 9, + e1000_82546_rev_3 = 10, + e1000_82541 = 11, + e1000_82541_rev_2 = 12, + e1000_82547 = 13, + e1000_82547_rev_2 = 14, + e1000_num_macs = 15, +} e1000_mac_type; + +typedef enum { + e1000_eeprom_uninitialized = 0, + e1000_eeprom_spi = 1, + e1000_eeprom_microwire = 2, + e1000_eeprom_flash = 3, + e1000_eeprom_none = 4, + e1000_num_eeprom_types = 5, +} e1000_eeprom_type; + +typedef enum { + e1000_media_type_copper = 0, + e1000_media_type_fiber = 1, + e1000_media_type_internal_serdes = 2, + e1000_num_media_types = 3, +} e1000_media_type; + +enum { + e1000_10_half = 0, + e1000_10_full = 1, + e1000_100_half = 2, + e1000_100_full = 3, +}; + +typedef enum { + E1000_FC_NONE = 0, + E1000_FC_RX_PAUSE = 1, + E1000_FC_TX_PAUSE = 2, + E1000_FC_FULL = 3, + E1000_FC_DEFAULT = 255, +} e1000_fc_type; + +struct e1000_shadow_ram { + u16 eeprom_word; + bool modified; +}; + +typedef enum { + e1000_bus_type_unknown = 0, + e1000_bus_type_pci = 1, + e1000_bus_type_pcix = 2, + e1000_bus_type_reserved = 3, +} e1000_bus_type; + +typedef enum { + e1000_bus_speed_unknown = 0, + e1000_bus_speed_33 = 1, + e1000_bus_speed_66 = 2, + e1000_bus_speed_100 = 3, + e1000_bus_speed_120 = 4, + e1000_bus_speed_133 = 5, + e1000_bus_speed_reserved = 6, +} e1000_bus_speed; + +typedef enum { + e1000_bus_width_unknown = 0, + e1000_bus_width_32 = 1, + e1000_bus_width_64 = 2, + e1000_bus_width_reserved = 3, +} e1000_bus_width; + +typedef enum { + e1000_cable_length_50 = 0, + e1000_cable_length_50_80 = 1, + e1000_cable_length_80_110 = 2, + e1000_cable_length_110_140 = 3, + e1000_cable_length_140 = 4, + e1000_cable_length_undefined = 255, +} e1000_cable_length; + +typedef enum { + e1000_10bt_ext_dist_enable_normal = 0, + e1000_10bt_ext_dist_enable_lower = 1, + e1000_10bt_ext_dist_enable_undefined = 255, +} e1000_10bt_ext_dist_enable; + +typedef enum { + e1000_rev_polarity_normal = 0, + e1000_rev_polarity_reversed = 1, + e1000_rev_polarity_undefined = 255, +} e1000_rev_polarity; + +typedef enum { + e1000_downshift_normal = 0, + e1000_downshift_activated = 1, + e1000_downshift_undefined = 255, +} e1000_downshift; + +typedef enum { + e1000_smart_speed_default = 0, + e1000_smart_speed_on = 1, + e1000_smart_speed_off = 2, +} e1000_smart_speed; + +typedef enum { + e1000_polarity_reversal_enabled = 0, + e1000_polarity_reversal_disabled = 1, + e1000_polarity_reversal_undefined = 255, +} e1000_polarity_reversal; + +typedef enum { + e1000_auto_x_mode_manual_mdi = 0, + e1000_auto_x_mode_manual_mdix = 1, + e1000_auto_x_mode_auto1 = 2, + e1000_auto_x_mode_auto2 = 3, + e1000_auto_x_mode_undefined = 255, +} e1000_auto_x_mode; + +typedef enum { + e1000_1000t_rx_status_not_ok = 0, + e1000_1000t_rx_status_ok = 1, + e1000_1000t_rx_status_undefined = 255, +} e1000_1000t_rx_status; + +typedef enum { + e1000_phy_m88 = 0, + e1000_phy_igp = 1, + e1000_phy_8211 = 2, + e1000_phy_8201 = 3, + e1000_phy_undefined = 255, +} e1000_phy_type; + +typedef enum { + e1000_ms_hw_default = 0, + e1000_ms_force_master = 1, + e1000_ms_force_slave = 2, + e1000_ms_auto = 3, +} e1000_ms_type; + +typedef enum { + e1000_ffe_config_enabled = 0, + e1000_ffe_config_active = 1, + e1000_ffe_config_blocked = 2, +} e1000_ffe_config; + +typedef enum { + e1000_dsp_config_disabled = 0, + e1000_dsp_config_enabled = 1, + e1000_dsp_config_activated = 2, + e1000_dsp_config_undefined = 255, +} e1000_dsp_config; + +struct e1000_phy_info { + e1000_cable_length cable_length; + e1000_10bt_ext_dist_enable extended_10bt_distance; + e1000_rev_polarity cable_polarity; + e1000_downshift downshift; + e1000_polarity_reversal polarity_correction; + e1000_auto_x_mode mdix_mode; + e1000_1000t_rx_status local_rx; + e1000_1000t_rx_status remote_rx; +}; + +struct e1000_phy_stats { + u32 idle_errors; + u32 receive_errors; +}; + +struct e1000_eeprom_info { + e1000_eeprom_type type; + u16 word_size; + u16 opcode_bits; + u16 address_bits; + u16 delay_usec; + u16 page_size; +}; + +struct e1000_host_mng_dhcp_cookie { + u32 signature; + u8 status; + u8 reserved0; + u16 vlan_id; + u32 reserved1; + u16 reserved2; + u8 reserved3; + u8 checksum; +}; + +struct e1000_rx_desc { + __le64 buffer_addr; + __le16 length; + __le16 csum; + u8 status; + u8 errors; + __le16 special; +}; + +struct e1000_tx_desc { + __le64 buffer_addr; + union { + __le32 data; + struct { + __le16 length; + u8 cso; + u8 cmd; + } flags; + } lower; + union { + __le32 data; + struct { + u8 status; + u8 css; + __le16 special; + } fields; + } upper; +}; + +struct e1000_context_desc { + union { + __le32 ip_config; + struct { + u8 ipcss; + u8 ipcso; + __le16 ipcse; + } ip_fields; + } lower_setup; + union { + __le32 tcp_config; + struct { + u8 tucss; + u8 tucso; + __le16 tucse; + } tcp_fields; + } upper_setup; + __le32 cmd_and_length; + union { + __le32 data; + struct { + u8 status; + u8 hdr_len; + __le16 mss; + } fields; + } tcp_seg_setup; +}; + +struct e1000_hw_stats { + u64 crcerrs; + u64 algnerrc; + u64 symerrs; + u64 rxerrc; + u64 txerrc; + u64 mpc; + u64 scc; + u64 ecol; + u64 mcc; + u64 latecol; + u64 colc; + u64 dc; + u64 tncrs; + u64 sec; + u64 cexterr; + u64 rlec; + u64 xonrxc; + u64 xontxc; + u64 xoffrxc; + u64 xofftxc; + u64 fcruc; + u64 prc64; + u64 prc127; + u64 prc255; + u64 prc511; + u64 prc1023; + u64 prc1522; + u64 gprc; + u64 bprc; + u64 mprc; + u64 gptc; + u64 gorcl; + u64 gorch; + u64 gotcl; + u64 gotch; + u64 rnbc; + u64 ruc; + u64 rfc; + u64 roc; + u64 rlerrc; + u64 rjc; + u64 mgprc; + u64 mgpdc; + u64 mgptc; + u64 torl; + u64 torh; + u64 totl; + u64 toth; + u64 tpr; + u64 tpt; + u64 ptc64; + u64 ptc127; + u64 ptc255; + u64 ptc511; + u64 ptc1023; + u64 ptc1522; + u64 mptc; + u64 bptc; + u64 tsctc; + u64 tsctfc; + u64 iac; + u64 icrxptc; + u64 icrxatc; + u64 ictxptc; + u64 ictxatc; + u64 ictxqec; + u64 ictxqmtc; + u64 icrxdmtc; + u64 icrxoc; +}; + +struct e1000_hw { + u8 *hw_addr; + u8 *flash_address; + void *ce4100_gbe_mdio_base_virt; + e1000_mac_type mac_type; + e1000_phy_type phy_type; + u32 phy_init_script; + e1000_media_type media_type; + void *back; + struct e1000_shadow_ram *eeprom_shadow_ram; + u32 flash_bank_size; + u32 flash_base_addr; + e1000_fc_type fc; + e1000_bus_speed bus_speed; + e1000_bus_width bus_width; + e1000_bus_type bus_type; + struct e1000_eeprom_info eeprom; + e1000_ms_type master_slave; + e1000_ms_type original_master_slave; + e1000_ffe_config ffe_config_state; + u32 asf_firmware_present; + u32 eeprom_semaphore_present; + long unsigned int io_base; + u32 phy_id; + u32 phy_revision; + u32 phy_addr; + u32 original_fc; + u32 txcw; + u32 autoneg_failed; + u32 max_frame_size; + u32 min_frame_size; + u32 mc_filter_type; + u32 num_mc_addrs; + u32 collision_delta; + u32 tx_packet_delta; + u32 ledctl_default; + u32 ledctl_mode1; + u32 ledctl_mode2; + bool tx_pkt_filtering; + struct e1000_host_mng_dhcp_cookie mng_cookie; + u16 phy_spd_default; + u16 autoneg_advertised; + u16 pci_cmd_word; + u16 fc_high_water; + u16 fc_low_water; + u16 fc_pause_time; + u16 current_ifs_val; + u16 ifs_min_val; + u16 ifs_max_val; + u16 ifs_step_size; + u16 ifs_ratio; + u16 device_id; + u16 vendor_id; + u16 subsystem_id; + u16 subsystem_vendor_id; + u8 revision_id; + u8 autoneg; + u8 mdix; + u8 forced_speed_duplex; + u8 wait_autoneg_complete; + u8 dma_fairness; + u8 mac_addr[6]; + u8 perm_mac_addr[6]; + bool disable_polarity_correction; + bool speed_downgraded; + e1000_smart_speed smart_speed; + e1000_dsp_config dsp_config_state; + bool get_link_status; + bool serdes_has_link; + bool tbi_compatibility_en; + bool tbi_compatibility_on; + bool laa_is_present; + bool phy_reset_disable; + bool initialize_hw_bits_disable; + bool fc_send_xon; + bool fc_strict_ieee; + bool report_tx_early; + bool adaptive_ifs; + bool ifs_params_forced; + bool in_ifs_mode; + bool mng_reg_access_disabled; + bool leave_av_bit_off; + bool bad_tx_carr_stats_fd; + bool has_smbus; +}; + +struct e1000_tx_buffer { + struct sk_buff *skb; + dma_addr_t dma; + long unsigned int time_stamp; + u16 length; + u16 next_to_watch; + bool mapped_as_page; + short unsigned int segs; + unsigned int bytecount; +}; + +struct e1000_rx_buffer { + union { + struct page *page; + u8 *data; + } rxbuf; + dma_addr_t dma; +}; + +struct e1000_tx_ring { + void *desc; + dma_addr_t dma; + unsigned int size; + unsigned int count; + unsigned int next_to_use; + unsigned int next_to_clean; + struct e1000_tx_buffer *buffer_info; + u16 tdh; + u16 tdt; + bool last_tx_tso; +}; + +struct e1000_rx_ring { + void *desc; + dma_addr_t dma; + unsigned int size; + unsigned int count; + unsigned int next_to_use; + unsigned int next_to_clean; + struct e1000_rx_buffer *buffer_info; + struct sk_buff *rx_skb_top; + int cpu; + u16 rdh; + u16 rdt; +}; + +struct e1000_adapter { + long unsigned int active_vlans[64]; + u16 mng_vlan_id; + u32 bd_number; + u32 rx_buffer_len; + u32 wol; + u32 smartspeed; + u32 en_mng_pt; + u16 link_speed; + u16 link_duplex; + spinlock_t stats_lock; + unsigned int total_tx_bytes; + unsigned int total_tx_packets; + unsigned int total_rx_bytes; + unsigned int total_rx_packets; + u32 itr; + u32 itr_setting; + u16 tx_itr; + u16 rx_itr; + u8 fc_autoneg; + struct e1000_tx_ring *tx_ring; + unsigned int restart_queue; + u32 txd_cmd; + u32 tx_int_delay; + u32 tx_abs_int_delay; + u32 gotcl; + u64 gotcl_old; + u64 tpt_old; + u64 colc_old; + u32 tx_timeout_count; + u32 tx_fifo_head; + u32 tx_head_addr; + u32 tx_fifo_size; + u8 tx_timeout_factor; + atomic_t tx_fifo_stall; + bool pcix_82544; + bool detect_tx_hung; + bool dump_buffers; + bool (*clean_rx)(struct e1000_adapter *, struct e1000_rx_ring *, int *, int); + void (*alloc_rx_buf)(struct e1000_adapter *, struct e1000_rx_ring *, int); + struct e1000_rx_ring *rx_ring; + struct napi_struct napi; + int num_tx_queues; + int num_rx_queues; + u64 hw_csum_err; + u64 hw_csum_good; + u32 alloc_rx_buff_failed; + u32 rx_int_delay; + u32 rx_abs_int_delay; + bool rx_csum; + u32 gorcl; + u64 gorcl_old; + struct net_device *netdev; + struct pci_dev *pdev; + struct e1000_hw hw; + struct e1000_hw_stats stats; + struct e1000_phy_info phy_info; + struct e1000_phy_stats phy_stats; + u32 test_icr; + struct e1000_tx_ring test_tx_ring; + struct e1000_rx_ring test_rx_ring; + int msg_enable; + bool tso_force; + bool smart_power_down; + bool quad_port_a; + long unsigned int flags; + u32 eeprom_wol; + int bars; + int need_ioport; + bool discarding; + struct work_struct reset_task; + struct delayed_work watchdog_task; + struct delayed_work fifo_stall_task; + struct delayed_work phy_info_task; +}; + +enum e1000_state_t { + __E1000_TESTING = 0, + __E1000_RESETTING = 1, + __E1000_DOWN = 2, + __E1000_DISABLED = 3, +}; + +enum latency_range { + lowest_latency = 0, + low_latency = 1, + bulk_latency = 2, + latency_invalid = 255, +}; + +struct my_u { + __le64 a; + __le64 b; +}; + +enum { + e1000_igp_cable_length_10 = 10, + e1000_igp_cable_length_20 = 20, + e1000_igp_cable_length_30 = 30, + e1000_igp_cable_length_40 = 40, + e1000_igp_cable_length_50 = 50, + e1000_igp_cable_length_60 = 60, + e1000_igp_cable_length_70 = 70, + e1000_igp_cable_length_80 = 80, + e1000_igp_cable_length_90 = 90, + e1000_igp_cable_length_100 = 100, + e1000_igp_cable_length_110 = 110, + e1000_igp_cable_length_115 = 115, + e1000_igp_cable_length_120 = 120, + e1000_igp_cable_length_130 = 130, + e1000_igp_cable_length_140 = 140, + e1000_igp_cable_length_150 = 150, + e1000_igp_cable_length_160 = 160, + e1000_igp_cable_length_170 = 170, + e1000_igp_cable_length_180 = 180, +}; + +enum { + NETDEV_STATS = 0, + E1000_STATS = 1, +}; + +struct e1000_stats { + char stat_string[32]; + int type; + int sizeof_stat; + int stat_offset; +}; + +struct e1000_opt_list { + int i; + char *str; +}; + +struct e1000_option { + enum { + enable_option = 0, + range_option = 1, + list_option = 2, + } type; + const char *name; + const char *err; + int def; + union { + struct { + int min; + int max; + } r; + struct { + int nr; + const struct e1000_opt_list *p; + } l; + } arg; +}; + +enum e1000_mac_type { + e1000_82571 = 0, + e1000_82572 = 1, + e1000_82573 = 2, + e1000_82574 = 3, + e1000_82583 = 4, + e1000_80003es2lan = 5, + e1000_ich8lan = 6, + e1000_ich9lan = 7, + e1000_ich10lan = 8, + e1000_pchlan = 9, + e1000_pch2lan = 10, + e1000_pch_lpt = 11, + e1000_pch_spt = 12, + e1000_pch_cnp = 13, + e1000_pch_tgp = 14, +}; + +enum e1000_media_type { + e1000_media_type_unknown = 0, + e1000_media_type_copper___2 = 1, + e1000_media_type_fiber___2 = 2, + e1000_media_type_internal_serdes___2 = 3, + e1000_num_media_types___2 = 4, +}; + +enum e1000_nvm_type { + e1000_nvm_unknown = 0, + e1000_nvm_none = 1, + e1000_nvm_eeprom_spi = 2, + e1000_nvm_flash_hw = 3, + e1000_nvm_flash_sw = 4, +}; + +enum e1000_nvm_override { + e1000_nvm_override_none = 0, + e1000_nvm_override_spi_small = 1, + e1000_nvm_override_spi_large = 2, +}; + +enum e1000_phy_type { + e1000_phy_unknown = 0, + e1000_phy_none = 1, + e1000_phy_m88___2 = 2, + e1000_phy_igp___2 = 3, + e1000_phy_igp_2 = 4, + e1000_phy_gg82563 = 5, + e1000_phy_igp_3 = 6, + e1000_phy_ife = 7, + e1000_phy_bm = 8, + e1000_phy_82578 = 9, + e1000_phy_82577 = 10, + e1000_phy_82579 = 11, + e1000_phy_i217 = 12, +}; + +enum e1000_bus_width { + e1000_bus_width_unknown___2 = 0, + e1000_bus_width_pcie_x1 = 1, + e1000_bus_width_pcie_x2 = 2, + e1000_bus_width_pcie_x4 = 4, + e1000_bus_width_pcie_x8 = 8, + e1000_bus_width_32___2 = 9, + e1000_bus_width_64___2 = 10, + e1000_bus_width_reserved___2 = 11, +}; + +enum e1000_1000t_rx_status { + e1000_1000t_rx_status_not_ok___2 = 0, + e1000_1000t_rx_status_ok___2 = 1, + e1000_1000t_rx_status_undefined___2 = 255, +}; + +enum e1000_rev_polarity { + e1000_rev_polarity_normal___2 = 0, + e1000_rev_polarity_reversed___2 = 1, + e1000_rev_polarity_undefined___2 = 255, +}; + +enum e1000_fc_mode { + e1000_fc_none = 0, + e1000_fc_rx_pause = 1, + e1000_fc_tx_pause = 2, + e1000_fc_full = 3, + e1000_fc_default = 255, +}; + +enum e1000_ms_type { + e1000_ms_hw_default___2 = 0, + e1000_ms_force_master___2 = 1, + e1000_ms_force_slave___2 = 2, + e1000_ms_auto___2 = 3, +}; + +enum e1000_smart_speed { + e1000_smart_speed_default___2 = 0, + e1000_smart_speed_on___2 = 1, + e1000_smart_speed_off___2 = 2, +}; + +enum e1000_serdes_link_state { + e1000_serdes_link_down = 0, + e1000_serdes_link_autoneg_progress = 1, + e1000_serdes_link_autoneg_complete = 2, + e1000_serdes_link_forced_up = 3, +}; + +struct e1000_hw_stats___2 { + u64 crcerrs; + u64 algnerrc; + u64 symerrs; + u64 rxerrc; + u64 mpc; + u64 scc; + u64 ecol; + u64 mcc; + u64 latecol; + u64 colc; + u64 dc; + u64 tncrs; + u64 sec; + u64 cexterr; + u64 rlec; + u64 xonrxc; + u64 xontxc; + u64 xoffrxc; + u64 xofftxc; + u64 fcruc; + u64 prc64; + u64 prc127; + u64 prc255; + u64 prc511; + u64 prc1023; + u64 prc1522; + u64 gprc; + u64 bprc; + u64 mprc; + u64 gptc; + u64 gorc; + u64 gotc; + u64 rnbc; + u64 ruc; + u64 rfc; + u64 roc; + u64 rjc; + u64 mgprc; + u64 mgpdc; + u64 mgptc; + u64 tor; + u64 tot; + u64 tpr; + u64 tpt; + u64 ptc64; + u64 ptc127; + u64 ptc255; + u64 ptc511; + u64 ptc1023; + u64 ptc1522; + u64 mptc; + u64 bptc; + u64 tsctc; + u64 tsctfc; + u64 iac; + u64 icrxptc; + u64 icrxatc; + u64 ictxptc; + u64 ictxatc; + u64 ictxqec; + u64 ictxqmtc; + u64 icrxdmtc; + u64 icrxoc; +}; + +struct e1000_hw___2; + +struct e1000_mac_operations { + s32 (*id_led_init)(struct e1000_hw___2 *); + s32 (*blink_led)(struct e1000_hw___2 *); + bool (*check_mng_mode)(struct e1000_hw___2 *); + s32 (*check_for_link)(struct e1000_hw___2 *); + s32 (*cleanup_led)(struct e1000_hw___2 *); + void (*clear_hw_cntrs)(struct e1000_hw___2 *); + void (*clear_vfta)(struct e1000_hw___2 *); + s32 (*get_bus_info)(struct e1000_hw___2 *); + void (*set_lan_id)(struct e1000_hw___2 *); + s32 (*get_link_up_info)(struct e1000_hw___2 *, u16 *, u16 *); + s32 (*led_on)(struct e1000_hw___2 *); + s32 (*led_off)(struct e1000_hw___2 *); + void (*update_mc_addr_list)(struct e1000_hw___2 *, u8 *, u32); + s32 (*reset_hw)(struct e1000_hw___2 *); + s32 (*init_hw)(struct e1000_hw___2 *); + s32 (*setup_link)(struct e1000_hw___2 *); + s32 (*setup_physical_interface)(struct e1000_hw___2 *); + s32 (*setup_led)(struct e1000_hw___2 *); + void (*write_vfta)(struct e1000_hw___2 *, u32, u32); + void (*config_collision_dist)(struct e1000_hw___2 *); + int (*rar_set)(struct e1000_hw___2 *, u8 *, u32); + s32 (*read_mac_addr)(struct e1000_hw___2 *); + u32 (*rar_get_count)(struct e1000_hw___2 *); +}; + +struct e1000_mac_info { + struct e1000_mac_operations ops; + u8 addr[6]; + u8 perm_addr[6]; + enum e1000_mac_type type; + u32 collision_delta; + u32 ledctl_default; + u32 ledctl_mode1; + u32 ledctl_mode2; + u32 mc_filter_type; + u32 tx_packet_delta; + u32 txcw; + u16 current_ifs_val; + u16 ifs_max_val; + u16 ifs_min_val; + u16 ifs_ratio; + u16 ifs_step_size; + u16 mta_reg_count; + u32 mta_shadow[128]; + u16 rar_entry_count; + u8 forced_speed_duplex; + bool adaptive_ifs; + bool has_fwsm; + bool arc_subsystem_valid; + bool autoneg; + bool autoneg_failed; + bool get_link_status; + bool in_ifs_mode; + bool serdes_has_link; + bool tx_pkt_filtering; + enum e1000_serdes_link_state serdes_link_state; +}; + +struct e1000_fc_info { + u32 high_water; + u32 low_water; + u16 pause_time; + u16 refresh_time; + bool send_xon; + bool strict_ieee; + enum e1000_fc_mode current_mode; + enum e1000_fc_mode requested_mode; +}; + +struct e1000_phy_operations { + s32 (*acquire)(struct e1000_hw___2 *); + s32 (*cfg_on_link_up)(struct e1000_hw___2 *); + s32 (*check_polarity)(struct e1000_hw___2 *); + s32 (*check_reset_block)(struct e1000_hw___2 *); + s32 (*commit)(struct e1000_hw___2 *); + s32 (*force_speed_duplex)(struct e1000_hw___2 *); + s32 (*get_cfg_done)(struct e1000_hw___2 *); + s32 (*get_cable_length)(struct e1000_hw___2 *); + s32 (*get_info)(struct e1000_hw___2 *); + s32 (*set_page)(struct e1000_hw___2 *, u16); + s32 (*read_reg)(struct e1000_hw___2 *, u32, u16 *); + s32 (*read_reg_locked)(struct e1000_hw___2 *, u32, u16 *); + s32 (*read_reg_page)(struct e1000_hw___2 *, u32, u16 *); + void (*release)(struct e1000_hw___2 *); + s32 (*reset)(struct e1000_hw___2 *); + s32 (*set_d0_lplu_state)(struct e1000_hw___2 *, bool); + s32 (*set_d3_lplu_state)(struct e1000_hw___2 *, bool); + s32 (*write_reg)(struct e1000_hw___2 *, u32, u16); + s32 (*write_reg_locked)(struct e1000_hw___2 *, u32, u16); + s32 (*write_reg_page)(struct e1000_hw___2 *, u32, u16); + void (*power_up)(struct e1000_hw___2 *); + void (*power_down)(struct e1000_hw___2 *); +}; + +struct e1000_phy_info___2 { + struct e1000_phy_operations ops; + enum e1000_phy_type type; + enum e1000_1000t_rx_status local_rx; + enum e1000_1000t_rx_status remote_rx; + enum e1000_ms_type ms_type; + enum e1000_ms_type original_ms_type; + enum e1000_rev_polarity cable_polarity; + enum e1000_smart_speed smart_speed; + u32 addr; + u32 id; + u32 reset_delay_us; + u32 revision; + enum e1000_media_type media_type; + u16 autoneg_advertised; + u16 autoneg_mask; + u16 cable_length; + u16 max_cable_length; + u16 min_cable_length; + u8 mdix; + bool disable_polarity_correction; + bool is_mdix; + bool polarity_correction; + bool speed_downgraded; + bool autoneg_wait_to_complete; +}; + +struct e1000_nvm_operations { + s32 (*acquire)(struct e1000_hw___2 *); + s32 (*read)(struct e1000_hw___2 *, u16, u16, u16 *); + void (*release)(struct e1000_hw___2 *); + void (*reload)(struct e1000_hw___2 *); + s32 (*update)(struct e1000_hw___2 *); + s32 (*valid_led_default)(struct e1000_hw___2 *, u16 *); + s32 (*validate)(struct e1000_hw___2 *); + s32 (*write)(struct e1000_hw___2 *, u16, u16, u16 *); +}; + +struct e1000_nvm_info { + struct e1000_nvm_operations ops; + enum e1000_nvm_type type; + enum e1000_nvm_override override; + u32 flash_bank_size; + u32 flash_base_addr; + u16 word_size; + u16 delay_usec; + u16 address_bits; + u16 opcode_bits; + u16 page_size; +}; + +struct e1000_bus_info { + enum e1000_bus_width width; + u16 func; +}; + +struct e1000_dev_spec_82571 { + bool laa_is_present; + u32 smb_counter; +}; + +struct e1000_dev_spec_80003es2lan { + bool mdic_wa_enable; +}; + +struct e1000_shadow_ram___2 { + u16 value; + bool modified; +}; + +enum e1000_ulp_state { + e1000_ulp_state_unknown = 0, + e1000_ulp_state_off = 1, + e1000_ulp_state_on = 2, +}; + +struct e1000_dev_spec_ich8lan { + bool kmrn_lock_loss_workaround_enabled; + struct e1000_shadow_ram___2 shadow_ram[2048]; + bool nvm_k1_enabled; + bool eee_disable; + u16 eee_lp_ability; + enum e1000_ulp_state ulp_state; +}; + +struct e1000_adapter___2; + +struct e1000_hw___2 { + struct e1000_adapter___2 *adapter; + void *hw_addr; + void *flash_address; + struct e1000_mac_info mac; + struct e1000_fc_info fc; + struct e1000_phy_info___2 phy; + struct e1000_nvm_info nvm; + struct e1000_bus_info bus; + struct e1000_host_mng_dhcp_cookie mng_cookie; + union { + struct e1000_dev_spec_82571 e82571; + struct e1000_dev_spec_80003es2lan e80003es2lan; + struct e1000_dev_spec_ich8lan ich8lan; + } dev_spec; +}; + +struct e1000_phy_regs { + u16 bmcr; + u16 bmsr; + u16 advertise; + u16 lpa; + u16 expansion; + u16 ctrl1000; + u16 stat1000; + u16 estatus; +}; + +struct e1000_buffer; + +struct e1000_ring { + struct e1000_adapter___2 *adapter; + void *desc; + dma_addr_t dma; + unsigned int size; + unsigned int count; + u16 next_to_use; + u16 next_to_clean; + void *head; + void *tail; + struct e1000_buffer *buffer_info; + char name[21]; + u32 ims_val; + u32 itr_val; + void *itr_register; + int set_itr; + struct sk_buff *rx_skb_top; +}; + +struct e1000_info; + +struct e1000_adapter___2 { + struct timer_list watchdog_timer; + struct timer_list phy_info_timer; + struct timer_list blink_timer; + struct work_struct reset_task; + struct work_struct watchdog_task; + const struct e1000_info *ei; + long unsigned int active_vlans[64]; + u32 bd_number; + u32 rx_buffer_len; + u16 mng_vlan_id; + u16 link_speed; + u16 link_duplex; + u16 eeprom_vers; + long unsigned int state; + u32 itr; + u32 itr_setting; + u16 tx_itr; + u16 rx_itr; + long: 32; + long: 64; + long: 64; + long: 64; + struct e1000_ring *tx_ring; + u32 tx_fifo_limit; + struct napi_struct napi; + unsigned int uncorr_errors; + unsigned int corr_errors; + unsigned int restart_queue; + u32 txd_cmd; + bool detect_tx_hung; + bool tx_hang_recheck; + u8 tx_timeout_factor; + u32 tx_int_delay; + u32 tx_abs_int_delay; + unsigned int total_tx_bytes; + unsigned int total_tx_packets; + unsigned int total_rx_bytes; + unsigned int total_rx_packets; + u64 tpt_old; + u64 colc_old; + u32 gotc; + u64 gotc_old; + u32 tx_timeout_count; + u32 tx_fifo_head; + u32 tx_head_addr; + u32 tx_fifo_size; + u32 tx_dma_failed; + u32 tx_hwtstamp_timeouts; + u32 tx_hwtstamp_skipped; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + bool (*clean_rx)(struct e1000_ring *, int *, int); + void (*alloc_rx_buf)(struct e1000_ring *, int, gfp_t); + struct e1000_ring *rx_ring; + u32 rx_int_delay; + u32 rx_abs_int_delay; + u64 hw_csum_err; + u64 hw_csum_good; + u64 rx_hdr_split; + u32 gorc; + u64 gorc_old; + u32 alloc_rx_buff_failed; + u32 rx_dma_failed; + u32 rx_hwtstamp_cleared; + unsigned int rx_ps_pages; + u16 rx_ps_bsize0; + u32 max_frame_size; + u32 min_frame_size; + struct net_device *netdev; + struct pci_dev *pdev; + struct e1000_hw___2 hw; + spinlock_t stats64_lock; + struct e1000_hw_stats___2 stats; + struct e1000_phy_info___2 phy_info; + struct e1000_phy_stats phy_stats; + struct e1000_phy_regs phy_regs; + struct e1000_ring test_tx_ring; + struct e1000_ring test_rx_ring; + u32 test_icr; + u32 msg_enable; + unsigned int num_vectors; + struct msix_entry *msix_entries; + int int_mode; + u32 eiac_mask; + u32 eeprom_wol; + u32 wol; + u32 pba; + u32 max_hw_frame_size; + bool fc_autoneg; + unsigned int flags; + unsigned int flags2; + struct work_struct downshift_task; + struct work_struct update_phy_task; + struct work_struct print_hang_task; + int phy_hang_count; + u16 tx_ring_count; + u16 rx_ring_count; + struct hwtstamp_config hwtstamp_config; + struct delayed_work systim_overflow_work; + struct sk_buff *tx_hwtstamp_skb; + long unsigned int tx_hwtstamp_start; + struct work_struct tx_hwtstamp_work; + spinlock_t systim_lock; + struct cyclecounter cc; + struct timecounter tc; + struct ptp_clock *ptp_clock; + struct ptp_clock_info ptp_clock_info; + struct pm_qos_request pm_qos_req; + s32 ptp_delta; + u16 eee_advert; +}; + +struct e1000_ps_page { + struct page *page; + u64 dma; +}; + +struct e1000_buffer { + dma_addr_t dma; + struct sk_buff *skb; + union { + struct { + long unsigned int time_stamp; + u16 length; + u16 next_to_watch; + unsigned int segs; + unsigned int bytecount; + u16 mapped_as_page; + }; + struct { + struct e1000_ps_page *ps_pages; + struct page *page; + }; + }; +}; + +struct e1000_info { + enum e1000_mac_type mac; + unsigned int flags; + unsigned int flags2; + u32 pba; + u32 max_hw_frame_size; + s32 (*get_variants)(struct e1000_adapter___2 *); + const struct e1000_mac_operations *mac_ops; + const struct e1000_phy_operations *phy_ops; + const struct e1000_nvm_operations *nvm_ops; +}; + +enum e1000_state_t___2 { + __E1000_TESTING___2 = 0, + __E1000_RESETTING___2 = 1, + __E1000_ACCESS_SHARED_RESOURCE = 2, + __E1000_DOWN___2 = 3, +}; + +struct ich8_hsfsts { + u16 flcdone: 1; + u16 flcerr: 1; + u16 dael: 1; + u16 berasesz: 2; + u16 flcinprog: 1; + u16 reserved1: 2; + u16 reserved2: 6; + u16 fldesvalid: 1; + u16 flockdn: 1; +}; + +union ich8_hws_flash_status { + struct ich8_hsfsts hsf_status; + u16 regval; +}; + +struct ich8_hsflctl { + u16 flcgo: 1; + u16 flcycle: 2; + u16 reserved: 5; + u16 fldbcount: 2; + u16 flockdn: 6; +}; + +union ich8_hws_flash_ctrl { + struct ich8_hsflctl hsf_ctrl; + u16 regval; +}; + +struct ich8_pr { + u32 base: 13; + u32 reserved1: 2; + u32 rpe: 1; + u32 limit: 13; + u32 reserved2: 2; + u32 wpe: 1; +}; + +union ich8_flash_protected_range { + struct ich8_pr range; + u32 regval; +}; + +struct e1000_host_mng_command_header { + u8 command_id; + u8 checksum; + u16 reserved1; + u16 reserved2; + u16 command_length; +}; + +enum e1000_mng_mode { + e1000_mng_mode_none = 0, + e1000_mng_mode_asf = 1, + e1000_mng_mode_pt = 2, + e1000_mng_mode_ipmi = 3, + e1000_mng_mode_host_if_only = 4, +}; + +struct e1000_option___2 { + enum { + enable_option___2 = 0, + range_option___2 = 1, + list_option___2 = 2, + } type; + const char *name; + const char *err; + int def; + union { + struct { + int min; + int max; + } r; + struct { + int nr; + struct e1000_opt_list *p; + } l; + } arg; +}; + +union e1000_rx_desc_extended { + struct { + __le64 buffer_addr; + __le64 reserved; + } read; + struct { + struct { + __le32 mrq; + union { + __le32 rss; + struct { + __le16 ip_id; + __le16 csum; + } csum_ip; + } hi_dword; + } lower; + struct { + __le32 status_error; + __le16 length; + __le16 vlan; + } upper; + } wb; +}; + +enum pkt_hash_types { + PKT_HASH_TYPE_NONE = 0, + PKT_HASH_TYPE_L2 = 1, + PKT_HASH_TYPE_L3 = 2, + PKT_HASH_TYPE_L4 = 3, +}; + +union e1000_rx_desc_packet_split { + struct { + __le64 buffer_addr[4]; + } read; + struct { + struct { + __le32 mrq; + union { + __le32 rss; + struct { + __le16 ip_id; + __le16 csum; + } csum_ip; + } hi_dword; + } lower; + struct { + __le32 status_error; + __le16 length0; + __le16 vlan; + } middle; + struct { + __le16 header_status; + __le16 length[3]; + } upper; + __le64 reserved; + } wb; +}; + +enum e1000_boards { + board_82571 = 0, + board_82572 = 1, + board_82573 = 2, + board_82574 = 3, + board_82583 = 4, + board_80003es2lan = 5, + board_ich8lan = 6, + board_ich9lan = 7, + board_ich10lan = 8, + board_pchlan = 9, + board_pch2lan = 10, + board_pch_lpt = 11, + board_pch_spt = 12, + board_pch_cnp = 13, +}; + +struct e1000_reg_info { + u32 ofs; + char *name; +}; + +struct my_u0 { + __le64 a; + __le64 b; +}; + +struct my_u1 { + __le64 a; + __le64 b; + __le64 c; + __le64 d; +}; + +enum { + PCI_DEV_REG1 = 64, + PCI_DEV_REG2 = 68, + PCI_DEV_STATUS = 124, + PCI_DEV_REG3 = 128, + PCI_DEV_REG4 = 132, + PCI_DEV_REG5 = 136, + PCI_CFG_REG_0 = 144, + PCI_CFG_REG_1 = 148, + PSM_CONFIG_REG0 = 152, + PSM_CONFIG_REG1 = 156, + PSM_CONFIG_REG2 = 352, + PSM_CONFIG_REG3 = 356, + PSM_CONFIG_REG4 = 360, + PCI_LDO_CTRL = 188, +}; + +enum pci_dev_reg_1 { + PCI_Y2_PIG_ENA = -2147483648, + PCI_Y2_DLL_DIS = 1073741824, + PCI_SW_PWR_ON_RST = 1073741824, + PCI_Y2_PHY2_COMA = 536870912, + PCI_Y2_PHY1_COMA = 268435456, + PCI_Y2_PHY2_POWD = 134217728, + PCI_Y2_PHY1_POWD = 67108864, + PCI_Y2_PME_LEGACY = 32768, + PCI_PHY_LNK_TIM_MSK = 768, + PCI_ENA_L1_EVENT = 128, + PCI_ENA_GPHY_LNK = 64, + PCI_FORCE_PEX_L1 = 32, +}; + +enum pci_dev_reg_2 { + PCI_VPD_WR_THR = -16777216, + PCI_DEV_SEL = 16646144, + PCI_VPD_ROM_SZ = 114688, + PCI_PATCH_DIR = 3840, + PCI_EXT_PATCHS = 240, + PCI_EN_DUMMY_RD = 8, + PCI_REV_DESC = 4, + PCI_USEDATA64 = 1, +}; + +enum pci_dev_reg_3 { + P_CLK_ASF_REGS_DIS = 262144, + P_CLK_COR_REGS_D0_DIS = 131072, + P_CLK_MACSEC_DIS = 131072, + P_CLK_PCI_REGS_D0_DIS = 65536, + P_CLK_COR_YTB_ARB_DIS = 32768, + P_CLK_MAC_LNK1_D3_DIS = 16384, + P_CLK_COR_LNK1_D0_DIS = 8192, + P_CLK_MAC_LNK1_D0_DIS = 4096, + P_CLK_COR_LNK1_D3_DIS = 2048, + P_CLK_PCI_MST_ARB_DIS = 1024, + P_CLK_COR_REGS_D3_DIS = 512, + P_CLK_PCI_REGS_D3_DIS = 256, + P_CLK_REF_LNK1_GM_DIS = 128, + P_CLK_COR_LNK1_GM_DIS = 64, + P_CLK_PCI_COMMON_DIS = 32, + P_CLK_COR_COMMON_DIS = 16, + P_CLK_PCI_LNK1_BMU_DIS = 8, + P_CLK_COR_LNK1_BMU_DIS = 4, + P_CLK_PCI_LNK1_BIU_DIS = 2, + P_CLK_COR_LNK1_BIU_DIS = 1, + PCIE_OUR3_WOL_D3_COLD_SET = 406548, +}; + +enum pci_dev_reg_4 { + P_PEX_LTSSM_STAT_MSK = -33554432, + P_PEX_LTSSM_L1_STAT = 52, + P_PEX_LTSSM_DET_STAT = 1, + P_TIMER_VALUE_MSK = 16711680, + P_FORCE_ASPM_REQUEST = 32768, + P_ASPM_GPHY_LINK_DOWN = 16384, + P_ASPM_INT_FIFO_EMPTY = 8192, + P_ASPM_CLKRUN_REQUEST = 4096, + P_ASPM_FORCE_CLKREQ_ENA = 16, + P_ASPM_CLKREQ_PAD_CTL = 8, + P_ASPM_A1_MODE_SELECT = 4, + P_CLK_GATE_PEX_UNIT_ENA = 2, + P_CLK_GATE_ROOT_COR_ENA = 1, + P_ASPM_CONTROL_MSK = 61440, +}; + +enum pci_dev_reg_5 { + P_CTL_DIV_CORE_CLK_ENA = -2147483648, + P_CTL_SRESET_VMAIN_AV = 1073741824, + P_CTL_BYPASS_VMAIN_AV = 536870912, + P_CTL_TIM_VMAIN_AV_MSK = 402653184, + P_REL_PCIE_RST_DE_ASS = 67108864, + P_REL_GPHY_REC_PACKET = 33554432, + P_REL_INT_FIFO_N_EMPTY = 16777216, + P_REL_MAIN_PWR_AVAIL = 8388608, + P_REL_CLKRUN_REQ_REL = 4194304, + P_REL_PCIE_RESET_ASS = 2097152, + P_REL_PME_ASSERTED = 1048576, + P_REL_PCIE_EXIT_L1_ST = 524288, + P_REL_LOADER_NOT_FIN = 262144, + P_REL_PCIE_RX_EX_IDLE = 131072, + P_REL_GPHY_LINK_UP = 65536, + P_GAT_PCIE_RST_ASSERTED = 1024, + P_GAT_GPHY_N_REC_PACKET = 512, + P_GAT_INT_FIFO_EMPTY = 256, + P_GAT_MAIN_PWR_N_AVAIL = 128, + P_GAT_CLKRUN_REQ_REL = 64, + P_GAT_PCIE_RESET_ASS = 32, + P_GAT_PME_DE_ASSERTED = 16, + P_GAT_PCIE_ENTER_L1_ST = 8, + P_GAT_LOADER_FINISHED = 4, + P_GAT_PCIE_RX_EL_IDLE = 2, + P_GAT_GPHY_LINK_DOWN = 1, + PCIE_OUR5_EVENT_CLK_D3_SET = 50987786, +}; + +enum { + PSM_CONFIG_REG4_TIMER_PHY_LINK_DETECT_MSK = 240, + PSM_CONFIG_REG4_TIMER_PHY_LINK_DETECT_BASE = 4, + PSM_CONFIG_REG4_DEBUG_TIMER = 2, + PSM_CONFIG_REG4_RST_PHY_LINK_DETECT = 1, +}; + +enum csr_regs { + B0_RAP = 0, + B0_CTST = 4, + B0_POWER_CTRL = 7, + B0_ISRC = 8, + B0_IMSK = 12, + B0_HWE_ISRC = 16, + B0_HWE_IMSK = 20, + B0_Y2_SP_ISRC2 = 28, + B0_Y2_SP_ISRC3 = 32, + B0_Y2_SP_EISR = 36, + B0_Y2_SP_LISR = 40, + B0_Y2_SP_ICR = 44, + B2_MAC_1 = 256, + B2_MAC_2 = 264, + B2_MAC_3 = 272, + B2_CONN_TYP = 280, + B2_PMD_TYP = 281, + B2_MAC_CFG = 282, + B2_CHIP_ID = 283, + B2_E_0 = 284, + B2_Y2_CLK_GATE = 285, + B2_Y2_HW_RES = 286, + B2_E_3 = 287, + B2_Y2_CLK_CTRL = 288, + B2_TI_INI = 304, + B2_TI_VAL = 308, + B2_TI_CTRL = 312, + B2_TI_TEST = 313, + B2_TST_CTRL1 = 344, + B2_TST_CTRL2 = 345, + B2_GP_IO = 348, + B2_I2C_CTRL = 352, + B2_I2C_DATA = 356, + B2_I2C_IRQ = 360, + B2_I2C_SW = 364, + Y2_PEX_PHY_DATA = 368, + Y2_PEX_PHY_ADDR = 370, + B3_RAM_ADDR = 384, + B3_RAM_DATA_LO = 388, + B3_RAM_DATA_HI = 392, + B3_RI_WTO_R1 = 400, + B3_RI_WTO_XA1 = 401, + B3_RI_WTO_XS1 = 402, + B3_RI_RTO_R1 = 403, + B3_RI_RTO_XA1 = 404, + B3_RI_RTO_XS1 = 405, + B3_RI_WTO_R2 = 406, + B3_RI_WTO_XA2 = 407, + B3_RI_WTO_XS2 = 408, + B3_RI_RTO_R2 = 409, + B3_RI_RTO_XA2 = 410, + B3_RI_RTO_XS2 = 411, + B3_RI_TO_VAL = 412, + B3_RI_CTRL = 416, + B3_RI_TEST = 418, + B3_MA_TOINI_RX1 = 432, + B3_MA_TOINI_RX2 = 433, + B3_MA_TOINI_TX1 = 434, + B3_MA_TOINI_TX2 = 435, + B3_MA_TOVAL_RX1 = 436, + B3_MA_TOVAL_RX2 = 437, + B3_MA_TOVAL_TX1 = 438, + B3_MA_TOVAL_TX2 = 439, + B3_MA_TO_CTRL = 440, + B3_MA_TO_TEST = 442, + B3_MA_RCINI_RX1 = 448, + B3_MA_RCINI_RX2 = 449, + B3_MA_RCINI_TX1 = 450, + B3_MA_RCINI_TX2 = 451, + B3_MA_RCVAL_RX1 = 452, + B3_MA_RCVAL_RX2 = 453, + B3_MA_RCVAL_TX1 = 454, + B3_MA_RCVAL_TX2 = 455, + B3_MA_RC_CTRL = 456, + B3_MA_RC_TEST = 458, + B3_PA_TOINI_RX1 = 464, + B3_PA_TOINI_RX2 = 468, + B3_PA_TOINI_TX1 = 472, + B3_PA_TOINI_TX2 = 476, + B3_PA_TOVAL_RX1 = 480, + B3_PA_TOVAL_RX2 = 484, + B3_PA_TOVAL_TX1 = 488, + B3_PA_TOVAL_TX2 = 492, + B3_PA_CTRL = 496, + B3_PA_TEST = 498, + Y2_CFG_SPC = 7168, + Y2_CFG_AER = 7424, +}; + +enum { + Y2_VMAIN_AVAIL = 131072, + Y2_VAUX_AVAIL = 65536, + Y2_HW_WOL_ON = 32768, + Y2_HW_WOL_OFF = 16384, + Y2_ASF_ENABLE = 8192, + Y2_ASF_DISABLE = 4096, + Y2_CLK_RUN_ENA = 2048, + Y2_CLK_RUN_DIS = 1024, + Y2_LED_STAT_ON = 512, + Y2_LED_STAT_OFF = 256, + CS_ST_SW_IRQ = 128, + CS_CL_SW_IRQ = 64, + CS_STOP_DONE = 32, + CS_STOP_MAST = 16, + CS_MRST_CLR = 8, + CS_MRST_SET = 4, + CS_RST_CLR = 2, + CS_RST_SET = 1, +}; + +enum { + PC_VAUX_ENA = 128, + PC_VAUX_DIS = 64, + PC_VCC_ENA = 32, + PC_VCC_DIS = 16, + PC_VAUX_ON = 8, + PC_VAUX_OFF = 4, + PC_VCC_ON = 2, + PC_VCC_OFF = 1, +}; + +enum { + Y2_IS_HW_ERR = -2147483648, + Y2_IS_STAT_BMU = 1073741824, + Y2_IS_ASF = 536870912, + Y2_IS_CPU_TO = 268435456, + Y2_IS_POLL_CHK = 134217728, + Y2_IS_TWSI_RDY = 67108864, + Y2_IS_IRQ_SW = 33554432, + Y2_IS_TIMINT = 16777216, + Y2_IS_IRQ_PHY2 = 4096, + Y2_IS_IRQ_MAC2 = 2048, + Y2_IS_CHK_RX2 = 1024, + Y2_IS_CHK_TXS2 = 512, + Y2_IS_CHK_TXA2 = 256, + Y2_IS_PSM_ACK = 128, + Y2_IS_PTP_TIST = 64, + Y2_IS_PHY_QLNK = 32, + Y2_IS_IRQ_PHY1 = 16, + Y2_IS_IRQ_MAC1 = 8, + Y2_IS_CHK_RX1 = 4, + Y2_IS_CHK_TXS1 = 2, + Y2_IS_CHK_TXA1 = 1, + Y2_IS_BASE = -1073741824, + Y2_IS_PORT_1 = 29, + Y2_IS_PORT_2 = 7424, + Y2_IS_ERROR = -2147480307, +}; + +enum { + Y2_IS_TIST_OV = 536870912, + Y2_IS_SENSOR = 268435456, + Y2_IS_MST_ERR = 134217728, + Y2_IS_IRQ_STAT = 67108864, + Y2_IS_PCI_EXP = 33554432, + Y2_IS_PCI_NEXP = 16777216, + Y2_IS_PAR_RD2 = 8192, + Y2_IS_PAR_WR2 = 4096, + Y2_IS_PAR_MAC2 = 2048, + Y2_IS_PAR_RX2 = 1024, + Y2_IS_TCP_TXS2 = 512, + Y2_IS_TCP_TXA2 = 256, + Y2_IS_PAR_RD1 = 32, + Y2_IS_PAR_WR1 = 16, + Y2_IS_PAR_MAC1 = 8, + Y2_IS_PAR_RX1 = 4, + Y2_IS_TCP_TXS1 = 2, + Y2_IS_TCP_TXA1 = 1, + Y2_HWE_L1_MASK = 63, + Y2_HWE_L2_MASK = 16128, + Y2_HWE_ALL_MASK = 738213695, +}; + +enum { + DPT_START = 2, + DPT_STOP = 1, +}; + +enum { + TST_FRC_DPERR_MR = 128, + TST_FRC_DPERR_MW = 64, + TST_FRC_DPERR_TR = 32, + TST_FRC_DPERR_TW = 16, + TST_FRC_APERR_M = 8, + TST_FRC_APERR_T = 4, + TST_CFG_WRITE_ON = 2, + TST_CFG_WRITE_OFF = 1, +}; + +enum { + GLB_GPIO_CLK_DEB_ENA = -2147483648, + GLB_GPIO_CLK_DBG_MSK = 1006632960, + GLB_GPIO_INT_RST_D3_DIS = 32768, + GLB_GPIO_LED_PAD_SPEED_UP = 16384, + GLB_GPIO_STAT_RACE_DIS = 8192, + GLB_GPIO_TEST_SEL_MSK = 6144, + GLB_GPIO_TEST_SEL_BASE = 2048, + GLB_GPIO_RAND_ENA = 1024, + GLB_GPIO_RAND_BIT_1 = 512, +}; + +enum { + CFG_CHIP_R_MSK = 240, + CFG_DIS_M2_CLK = 2, + CFG_SNG_MAC = 1, +}; + +enum { + CHIP_ID_YUKON_XL = 179, + CHIP_ID_YUKON_EC_U = 180, + CHIP_ID_YUKON_EX = 181, + CHIP_ID_YUKON_EC = 182, + CHIP_ID_YUKON_FE = 183, + CHIP_ID_YUKON_FE_P = 184, + CHIP_ID_YUKON_SUPR = 185, + CHIP_ID_YUKON_UL_2 = 186, + CHIP_ID_YUKON_OPT = 188, + CHIP_ID_YUKON_PRM = 189, + CHIP_ID_YUKON_OP_2 = 190, +}; + +enum yukon_xl_rev { + CHIP_REV_YU_XL_A0 = 0, + CHIP_REV_YU_XL_A1 = 1, + CHIP_REV_YU_XL_A2 = 2, + CHIP_REV_YU_XL_A3 = 3, +}; + +enum yukon_ec_rev { + CHIP_REV_YU_EC_A1 = 0, + CHIP_REV_YU_EC_A2 = 1, + CHIP_REV_YU_EC_A3 = 2, +}; + +enum yukon_ec_u_rev { + CHIP_REV_YU_EC_U_A0 = 1, + CHIP_REV_YU_EC_U_A1 = 2, + CHIP_REV_YU_EC_U_B0 = 3, + CHIP_REV_YU_EC_U_B1 = 5, +}; + +enum yukon_fe_p_rev { + CHIP_REV_YU_FE2_A0 = 0, +}; + +enum yukon_ex_rev { + CHIP_REV_YU_EX_A0 = 1, + CHIP_REV_YU_EX_B0 = 2, +}; + +enum yukon_supr_rev { + CHIP_REV_YU_SU_A0 = 0, + CHIP_REV_YU_SU_B0 = 1, + CHIP_REV_YU_SU_B1 = 3, +}; + +enum yukon_prm_rev { + CHIP_REV_YU_PRM_Z1 = 1, + CHIP_REV_YU_PRM_A0 = 2, +}; + +enum { + Y2_STATUS_LNK2_INAC = 128, + Y2_CLK_GAT_LNK2_DIS = 64, + Y2_COR_CLK_LNK2_DIS = 32, + Y2_PCI_CLK_LNK2_DIS = 16, + Y2_STATUS_LNK1_INAC = 8, + Y2_CLK_GAT_LNK1_DIS = 4, + Y2_COR_CLK_LNK1_DIS = 2, + Y2_PCI_CLK_LNK1_DIS = 1, +}; + +enum { + CFG_LED_MODE_MSK = 28, + CFG_LINK_2_AVAIL = 2, + CFG_LINK_1_AVAIL = 1, +}; + +enum { + Y2_CLK_DIV_VAL_MSK = 16711680, + Y2_CLK_DIV_VAL2_MSK = 14680064, + Y2_CLK_SELECT2_MSK = 2031616, + Y2_CLK_DIV_ENA = 2, + Y2_CLK_DIV_DIS = 1, +}; + +enum { + TIM_START = 4, + TIM_STOP = 2, + TIM_CLR_IRQ = 1, +}; + +enum { + PEX_RD_ACCESS = -2147483648, + PEX_DB_ACCESS = 1073741824, +}; + +enum { + RI_CLR_RD_PERR = 512, + RI_CLR_WR_PERR = 256, + RI_RST_CLR = 2, + RI_RST_SET = 1, +}; + +enum { + TXA_ENA_FSYNC = 128, + TXA_DIS_FSYNC = 64, + TXA_ENA_ALLOC = 32, + TXA_DIS_ALLOC = 16, + TXA_START_RC = 8, + TXA_STOP_RC = 4, + TXA_ENA_ARB = 2, + TXA_DIS_ARB = 1, +}; + +enum { + TXA_ITI_INI = 512, + TXA_ITI_VAL = 516, + TXA_LIM_INI = 520, + TXA_LIM_VAL = 524, + TXA_CTRL = 528, + TXA_TEST = 529, + TXA_STAT = 530, + RSS_KEY = 544, + RSS_CFG = 584, +}; + +enum { + HASH_TCP_IPV6_EX_CTRL = 32, + HASH_IPV6_EX_CTRL = 16, + HASH_TCP_IPV6_CTRL = 8, + HASH_IPV6_CTRL = 4, + HASH_TCP_IPV4_CTRL = 2, + HASH_IPV4_CTRL = 1, + HASH_ALL = 63, +}; + +enum { + B6_EXT_REG = 768, + B7_CFG_SPC = 896, + B8_RQ1_REGS = 1024, + B8_RQ2_REGS = 1152, + B8_TS1_REGS = 1536, + B8_TA1_REGS = 1664, + B8_TS2_REGS = 1792, + B8_TA2_REGS = 1920, + B16_RAM_REGS = 2048, +}; + +enum { + B8_Q_REGS = 1024, + Q_D = 0, + Q_VLAN = 32, + Q_DONE = 36, + Q_AC_L = 40, + Q_AC_H = 44, + Q_BC = 48, + Q_CSR = 52, + Q_TEST = 56, + Q_WM = 64, + Q_AL = 66, + Q_RSP = 68, + Q_RSL = 70, + Q_RP = 72, + Q_RL = 74, + Q_WP = 76, + Q_WSP = 77, + Q_WL = 78, + Q_WSL = 79, +}; + +enum { + F_TX_CHK_AUTO_OFF = -2147483648, + F_TX_CHK_AUTO_ON = 1073741824, + F_M_RX_RAM_DIS = 16777216, +}; + +enum { + Y2_B8_PREF_REGS = 1104, + PREF_UNIT_CTRL = 0, + PREF_UNIT_LAST_IDX = 4, + PREF_UNIT_ADDR_LO = 8, + PREF_UNIT_ADDR_HI = 12, + PREF_UNIT_GET_IDX = 16, + PREF_UNIT_PUT_IDX = 20, + PREF_UNIT_FIFO_WP = 32, + PREF_UNIT_FIFO_RP = 36, + PREF_UNIT_FIFO_WM = 40, + PREF_UNIT_FIFO_LEV = 44, + PREF_UNIT_MASK_IDX = 4095, +}; + +enum { + RB_START = 0, + RB_END = 4, + RB_WP = 8, + RB_RP = 12, + RB_RX_UTPP = 16, + RB_RX_LTPP = 20, + RB_RX_UTHP = 24, + RB_RX_LTHP = 28, + RB_PC = 32, + RB_LEV = 36, + RB_CTRL = 40, + RB_TST1 = 41, + RB_TST2 = 42, +}; + +enum { + Q_R1 = 0, + Q_R2 = 128, + Q_XS1 = 512, + Q_XA1 = 640, + Q_XS2 = 768, + Q_XA2 = 896, +}; + +enum { + PHY_ADDR_MARV = 0, +}; + +enum { + LNK_SYNC_INI = 3120, + LNK_SYNC_VAL = 3124, + LNK_SYNC_CTRL = 3128, + LNK_SYNC_TST = 3129, + LNK_LED_REG = 3132, + RX_GMF_EA = 3136, + RX_GMF_AF_THR = 3140, + RX_GMF_CTRL_T = 3144, + RX_GMF_FL_MSK = 3148, + RX_GMF_FL_THR = 3152, + RX_GMF_FL_CTRL = 3154, + RX_GMF_TR_THR = 3156, + RX_GMF_UP_THR = 3160, + RX_GMF_LP_THR = 3162, + RX_GMF_VLAN = 3164, + RX_GMF_WP = 3168, + RX_GMF_WLEV = 3176, + RX_GMF_RP = 3184, + RX_GMF_RLEV = 3192, +}; + +enum { + BMU_IDLE = -2147483648, + BMU_RX_TCP_PKT = 1073741824, + BMU_RX_IP_PKT = 536870912, + BMU_ENA_RX_RSS_HASH = 32768, + BMU_DIS_RX_RSS_HASH = 16384, + BMU_ENA_RX_CHKSUM = 8192, + BMU_DIS_RX_CHKSUM = 4096, + BMU_CLR_IRQ_PAR = 2048, + BMU_CLR_IRQ_TCP = 2048, + BMU_CLR_IRQ_CHK = 1024, + BMU_STOP = 512, + BMU_START = 256, + BMU_FIFO_OP_ON = 128, + BMU_FIFO_OP_OFF = 64, + BMU_FIFO_ENA = 32, + BMU_FIFO_RST = 16, + BMU_OP_ON = 8, + BMU_OP_OFF = 4, + BMU_RST_CLR = 2, + BMU_RST_SET = 1, + BMU_CLR_RESET = 22, + BMU_OPER_INIT = 3368, + BMU_WM_DEFAULT = 1536, + BMU_WM_PEX = 128, +}; + +enum { + TBMU_TEST_BMU_TX_CHK_AUTO_OFF = -2147483648, + TBMU_TEST_BMU_TX_CHK_AUTO_ON = 1073741824, + TBMU_TEST_HOME_ADD_PAD_FIX1_EN = 536870912, + TBMU_TEST_HOME_ADD_PAD_FIX1_DIS = 268435456, + TBMU_TEST_ROUTING_ADD_FIX_EN = 134217728, + TBMU_TEST_ROUTING_ADD_FIX_DIS = 67108864, + TBMU_TEST_HOME_ADD_FIX_EN = 33554432, + TBMU_TEST_HOME_ADD_FIX_DIS = 16777216, + TBMU_TEST_TEST_RSPTR_ON = 4194304, + TBMU_TEST_TEST_RSPTR_OFF = 2097152, + TBMU_TEST_TESTSTEP_RSPTR = 1048576, + TBMU_TEST_TEST_RPTR_ON = 262144, + TBMU_TEST_TEST_RPTR_OFF = 131072, + TBMU_TEST_TESTSTEP_RPTR = 65536, + TBMU_TEST_TEST_WSPTR_ON = 16384, + TBMU_TEST_TEST_WSPTR_OFF = 8192, + TBMU_TEST_TESTSTEP_WSPTR = 4096, + TBMU_TEST_TEST_WPTR_ON = 1024, + TBMU_TEST_TEST_WPTR_OFF = 512, + TBMU_TEST_TESTSTEP_WPTR = 256, + TBMU_TEST_TEST_REQ_NB_ON = 64, + TBMU_TEST_TEST_REQ_NB_OFF = 32, + TBMU_TEST_TESTSTEP_REQ_NB = 16, + TBMU_TEST_TEST_DONE_IDX_ON = 4, + TBMU_TEST_TEST_DONE_IDX_OFF = 2, + TBMU_TEST_TESTSTEP_DONE_IDX = 1, +}; + +enum { + PREF_UNIT_OP_ON = 8, + PREF_UNIT_OP_OFF = 4, + PREF_UNIT_RST_CLR = 2, + PREF_UNIT_RST_SET = 1, +}; + +enum { + RB_ENA_STFWD = 32, + RB_DIS_STFWD = 16, + RB_ENA_OP_MD = 8, + RB_DIS_OP_MD = 4, + RB_RST_CLR = 2, + RB_RST_SET = 1, +}; + +enum { + TX_GMF_EA = 3392, + TX_GMF_AE_THR = 3396, + TX_GMF_CTRL_T = 3400, + TX_GMF_WP = 3424, + TX_GMF_WSP = 3428, + TX_GMF_WLEV = 3432, + TX_GMF_RP = 3440, + TX_GMF_RSTP = 3444, + TX_GMF_RLEV = 3448, + ECU_AE_THR = 112, + ECU_TXFF_LEV = 416, + ECU_JUMBO_WM = 128, +}; + +enum { + B28_DPT_INI = 3584, + B28_DPT_VAL = 3588, + B28_DPT_CTRL = 3592, + B28_DPT_TST = 3594, +}; + +enum { + GMAC_TI_ST_VAL = 3604, + GMAC_TI_ST_CTRL = 3608, + GMAC_TI_ST_TST = 3610, +}; + +enum { + CPU_WDOG = 3656, + CPU_CNTR = 3660, + CPU_TIM = 3664, + CPU_AHB_ADDR = 3668, + CPU_AHB_WDATA = 3672, + CPU_AHB_RDATA = 3676, + HCU_MAP_BASE = 3680, + CPU_AHB_CTRL = 3684, + HCU_CCSR = 3688, + HCU_HCSR = 3692, +}; + +enum { + B28_Y2_SMB_CONFIG = 3648, + B28_Y2_SMB_CSD_REG = 3652, + B28_Y2_ASF_IRQ_V_BASE = 3680, + B28_Y2_ASF_STAT_CMD = 3688, + B28_Y2_ASF_HOST_COM = 3692, + B28_Y2_DATA_REG_1 = 3696, + B28_Y2_DATA_REG_2 = 3700, + B28_Y2_DATA_REG_3 = 3704, + B28_Y2_DATA_REG_4 = 3708, +}; + +enum { + STAT_CTRL = 3712, + STAT_LAST_IDX = 3716, + STAT_LIST_ADDR_LO = 3720, + STAT_LIST_ADDR_HI = 3724, + STAT_TXA1_RIDX = 3728, + STAT_TXS1_RIDX = 3730, + STAT_TXA2_RIDX = 3732, + STAT_TXS2_RIDX = 3734, + STAT_TX_IDX_TH = 3736, + STAT_PUT_IDX = 3740, + STAT_FIFO_WP = 3744, + STAT_FIFO_RP = 3748, + STAT_FIFO_RSP = 3750, + STAT_FIFO_LEVEL = 3752, + STAT_FIFO_SHLVL = 3754, + STAT_FIFO_WM = 3756, + STAT_FIFO_ISR_WM = 3757, + STAT_LEV_TIMER_INI = 3760, + STAT_LEV_TIMER_CNT = 3764, + STAT_LEV_TIMER_CTRL = 3768, + STAT_LEV_TIMER_TEST = 3769, + STAT_TX_TIMER_INI = 3776, + STAT_TX_TIMER_CNT = 3780, + STAT_TX_TIMER_CTRL = 3784, + STAT_TX_TIMER_TEST = 3785, + STAT_ISR_TIMER_INI = 3792, + STAT_ISR_TIMER_CNT = 3796, + STAT_ISR_TIMER_CTRL = 3800, + STAT_ISR_TIMER_TEST = 3801, +}; + +enum { + LINKLED_OFF = 1, + LINKLED_ON = 2, + LINKLED_LINKSYNC_OFF = 4, + LINKLED_LINKSYNC_ON = 8, + LINKLED_BLINK_OFF = 16, + LINKLED_BLINK_ON = 32, +}; + +enum { + GMAC_CTRL = 3840, + GPHY_CTRL = 3844, + GMAC_IRQ_SRC = 3848, + GMAC_IRQ_MSK = 3852, + GMAC_LINK_CTRL = 3856, + WOL_CTRL_STAT = 3872, + WOL_MATCH_CTL = 3874, + WOL_MATCH_RES = 3875, + WOL_MAC_ADDR = 3876, + WOL_PATT_RPTR = 3884, + WOL_PATT_LEN_LO = 3888, + WOL_PATT_LEN_HI = 3892, + WOL_PATT_CNT_0 = 3896, + WOL_PATT_CNT_4 = 3900, +}; + +enum { + BASE_GMAC_1 = 10240, + BASE_GMAC_2 = 14336, +}; + +enum { + PHY_MARV_CTRL = 0, + PHY_MARV_STAT = 1, + PHY_MARV_ID0 = 2, + PHY_MARV_ID1 = 3, + PHY_MARV_AUNE_ADV = 4, + PHY_MARV_AUNE_LP = 5, + PHY_MARV_AUNE_EXP = 6, + PHY_MARV_NEPG = 7, + PHY_MARV_NEPG_LP = 8, + PHY_MARV_1000T_CTRL = 9, + PHY_MARV_1000T_STAT = 10, + PHY_MARV_EXT_STAT = 15, + PHY_MARV_PHY_CTRL = 16, + PHY_MARV_PHY_STAT = 17, + PHY_MARV_INT_MASK = 18, + PHY_MARV_INT_STAT = 19, + PHY_MARV_EXT_CTRL = 20, + PHY_MARV_RXE_CNT = 21, + PHY_MARV_EXT_ADR = 22, + PHY_MARV_PORT_IRQ = 23, + PHY_MARV_LED_CTRL = 24, + PHY_MARV_LED_OVER = 25, + PHY_MARV_EXT_CTRL_2 = 26, + PHY_MARV_EXT_P_STAT = 27, + PHY_MARV_CABLE_DIAG = 28, + PHY_MARV_PAGE_ADDR = 29, + PHY_MARV_PAGE_DATA = 30, + PHY_MARV_FE_LED_PAR = 22, + PHY_MARV_FE_LED_SER = 23, + PHY_MARV_FE_VCT_TX = 26, + PHY_MARV_FE_VCT_RX = 27, + PHY_MARV_FE_SPEC_2 = 28, +}; + +enum { + PHY_CT_RESET = 32768, + PHY_CT_LOOP = 16384, + PHY_CT_SPS_LSB = 8192, + PHY_CT_ANE = 4096, + PHY_CT_PDOWN = 2048, + PHY_CT_ISOL = 1024, + PHY_CT_RE_CFG = 512, + PHY_CT_DUP_MD = 256, + PHY_CT_COL_TST = 128, + PHY_CT_SPS_MSB = 64, +}; + +enum { + PHY_CT_SP1000 = 64, + PHY_CT_SP100 = 8192, + PHY_CT_SP10 = 0, +}; + +enum { + PHY_MARV_ID0_VAL = 321, + PHY_BCOM_ID1_A1 = 24641, + PHY_BCOM_ID1_B2 = 24643, + PHY_BCOM_ID1_C0 = 24644, + PHY_BCOM_ID1_C5 = 24647, + PHY_MARV_ID1_B0 = 3107, + PHY_MARV_ID1_B2 = 3109, + PHY_MARV_ID1_C2 = 3266, + PHY_MARV_ID1_Y2 = 3217, + PHY_MARV_ID1_FE = 3203, + PHY_MARV_ID1_ECU = 3248, +}; + +enum { + PHY_AN_NXT_PG = 32768, + PHY_AN_ACK = 16384, + PHY_AN_RF = 8192, + PHY_AN_PAUSE_ASYM = 2048, + PHY_AN_PAUSE_CAP = 1024, + PHY_AN_100BASE4 = 512, + PHY_AN_100FULL = 256, + PHY_AN_100HALF = 128, + PHY_AN_10FULL = 64, + PHY_AN_10HALF = 32, + PHY_AN_CSMA = 1, + PHY_AN_SEL = 31, + PHY_AN_FULL = 321, + PHY_AN_ALL = 480, +}; + +enum { + PHY_M_AN_NXT_PG = 32768, + PHY_M_AN_ACK = 16384, + PHY_M_AN_RF = 8192, + PHY_M_AN_ASP = 2048, + PHY_M_AN_PC = 1024, + PHY_M_AN_100_T4 = 512, + PHY_M_AN_100_FD = 256, + PHY_M_AN_100_HD = 128, + PHY_M_AN_10_FD = 64, + PHY_M_AN_10_HD = 32, + PHY_M_AN_SEL_MSK = 496, +}; + +enum { + PHY_M_AN_ASP_X = 256, + PHY_M_AN_PC_X = 128, + PHY_M_AN_1000X_AHD = 64, + PHY_M_AN_1000X_AFD = 32, +}; + +enum { + PHY_M_P_NO_PAUSE_X = 0, + PHY_M_P_SYM_MD_X = 128, + PHY_M_P_ASYM_MD_X = 256, + PHY_M_P_BOTH_MD_X = 384, +}; + +enum { + PHY_M_1000C_TEST = 57344, + PHY_M_1000C_MSE = 4096, + PHY_M_1000C_MSC = 2048, + PHY_M_1000C_MPD = 1024, + PHY_M_1000C_AFD = 512, + PHY_M_1000C_AHD = 256, +}; + +enum { + PHY_M_PC_TX_FFD_MSK = 49152, + PHY_M_PC_RX_FFD_MSK = 12288, + PHY_M_PC_ASS_CRS_TX = 2048, + PHY_M_PC_FL_GOOD = 1024, + PHY_M_PC_EN_DET_MSK = 768, + PHY_M_PC_ENA_EXT_D = 128, + PHY_M_PC_MDIX_MSK = 96, + PHY_M_PC_DIS_125CLK = 16, + PHY_M_PC_MAC_POW_UP = 8, + PHY_M_PC_SQE_T_ENA = 4, + PHY_M_PC_POL_R_DIS = 2, + PHY_M_PC_DIS_JABBER = 1, +}; + +enum { + PHY_M_PC_MAN_MDI = 0, + PHY_M_PC_MAN_MDIX = 1, + PHY_M_PC_ENA_AUTO = 3, +}; + +enum { + PHY_M_PC_COP_TX_DIS = 8, + PHY_M_PC_POW_D_ENA = 4, +}; + +enum { + PHY_M_PC_ENA_DTE_DT = 32768, + PHY_M_PC_ENA_ENE_DT = 16384, + PHY_M_PC_DIS_NLP_CK = 8192, + PHY_M_PC_ENA_LIP_NP = 4096, + PHY_M_PC_DIS_NLP_GN = 2048, + PHY_M_PC_DIS_SCRAMB = 512, + PHY_M_PC_DIS_FEFI = 256, + PHY_M_PC_SH_TP_SEL = 64, + PHY_M_PC_RX_FD_MSK = 12, +}; + +enum { + PHY_M_PS_SPEED_MSK = 49152, + PHY_M_PS_SPEED_1000 = 32768, + PHY_M_PS_SPEED_100 = 16384, + PHY_M_PS_SPEED_10 = 0, + PHY_M_PS_FULL_DUP = 8192, + PHY_M_PS_PAGE_REC = 4096, + PHY_M_PS_SPDUP_RES = 2048, + PHY_M_PS_LINK_UP = 1024, + PHY_M_PS_CABLE_MSK = 896, + PHY_M_PS_MDI_X_STAT = 64, + PHY_M_PS_DOWNS_STAT = 32, + PHY_M_PS_ENDET_STAT = 16, + PHY_M_PS_TX_P_EN = 8, + PHY_M_PS_RX_P_EN = 4, + PHY_M_PS_POL_REV = 2, + PHY_M_PS_JABBER = 1, +}; + +enum { + PHY_M_IS_AN_ERROR = 32768, + PHY_M_IS_LSP_CHANGE = 16384, + PHY_M_IS_DUP_CHANGE = 8192, + PHY_M_IS_AN_PR = 4096, + PHY_M_IS_AN_COMPL = 2048, + PHY_M_IS_LST_CHANGE = 1024, + PHY_M_IS_SYMB_ERROR = 512, + PHY_M_IS_FALSE_CARR = 256, + PHY_M_IS_FIFO_ERROR = 128, + PHY_M_IS_MDI_CHANGE = 64, + PHY_M_IS_DOWNSH_DET = 32, + PHY_M_IS_END_CHANGE = 16, + PHY_M_IS_DTE_CHANGE = 4, + PHY_M_IS_POL_CHANGE = 2, + PHY_M_IS_JABBER = 1, + PHY_M_DEF_MSK = 25600, + PHY_M_AN_MSK = 34816, +}; + +enum { + PHY_M_EC_ENA_BC_EXT = 32768, + PHY_M_EC_ENA_LIN_LB = 16384, + PHY_M_EC_DIS_LINK_P = 4096, + PHY_M_EC_M_DSC_MSK = 3072, + PHY_M_EC_S_DSC_MSK = 768, + PHY_M_EC_M_DSC_MSK2 = 3584, + PHY_M_EC_DOWN_S_ENA = 256, + PHY_M_EC_RX_TIM_CT = 128, + PHY_M_EC_MAC_S_MSK = 112, + PHY_M_EC_FIB_AN_ENA = 8, + PHY_M_EC_DTE_D_ENA = 4, + PHY_M_EC_TX_TIM_CT = 2, + PHY_M_EC_TRANS_DIS = 1, + PHY_M_10B_TE_ENABLE = 128, +}; + +enum { + PHY_M_PC_DIS_LINK_Pa = 32768, + PHY_M_PC_DSC_MSK = 28672, + PHY_M_PC_DOWN_S_ENA = 2048, +}; + +enum { + MAC_TX_CLK_0_MHZ = 2, + MAC_TX_CLK_2_5_MHZ = 6, + MAC_TX_CLK_25_MHZ = 7, +}; + +enum { + PHY_M_LEDC_DIS_LED = 32768, + PHY_M_LEDC_PULS_MSK = 28672, + PHY_M_LEDC_F_INT = 2048, + PHY_M_LEDC_BL_R_MSK = 1792, + PHY_M_LEDC_DP_C_LSB = 128, + PHY_M_LEDC_TX_C_LSB = 64, + PHY_M_LEDC_LK_C_MSK = 56, +}; + +enum { + PHY_M_LEDC_LINK_MSK = 24, + PHY_M_LEDC_DP_CTRL = 4, + PHY_M_LEDC_DP_C_MSB = 4, + PHY_M_LEDC_RX_CTRL = 2, + PHY_M_LEDC_TX_CTRL = 1, + PHY_M_LEDC_TX_C_MSB = 1, +}; + +enum { + PHY_M_POLC_LS1M_MSK = 61440, + PHY_M_POLC_IS0M_MSK = 3840, + PHY_M_POLC_LOS_MSK = 192, + PHY_M_POLC_INIT_MSK = 48, + PHY_M_POLC_STA1_MSK = 12, + PHY_M_POLC_STA0_MSK = 3, +}; + +enum { + PULS_NO_STR = 0, + PULS_21MS = 1, + PULS_42MS = 2, + PULS_84MS = 3, + PULS_170MS = 4, + PULS_340MS = 5, + PULS_670MS = 6, + PULS_1300MS = 7, +}; + +enum { + BLINK_42MS = 0, + BLINK_84MS = 1, + BLINK_170MS = 2, + BLINK_340MS = 3, + BLINK_670MS = 4, +}; + +enum led_mode { + MO_LED_NORM = 0, + MO_LED_BLINK = 1, + MO_LED_OFF = 2, + MO_LED_ON = 3, +}; + +enum { + PHY_M_FC_AUTO_SEL = 32768, + PHY_M_FC_AN_REG_ACC = 16384, + PHY_M_FC_RESOLUTION = 8192, + PHY_M_SER_IF_AN_BP = 4096, + PHY_M_SER_IF_BP_ST = 2048, + PHY_M_IRQ_POLARITY = 1024, + PHY_M_DIS_AUT_MED = 512, + PHY_M_UNDOC1 = 128, + PHY_M_DTE_POW_STAT = 16, + PHY_M_MODE_MASK = 15, +}; + +enum { + PHY_M_FELP_LED2_MSK = 3840, + PHY_M_FELP_LED1_MSK = 240, + PHY_M_FELP_LED0_MSK = 15, +}; + +enum { + LED_PAR_CTRL_COLX = 0, + LED_PAR_CTRL_ERROR = 1, + LED_PAR_CTRL_DUPLEX = 2, + LED_PAR_CTRL_DP_COL = 3, + LED_PAR_CTRL_SPEED = 4, + LED_PAR_CTRL_LINK = 5, + LED_PAR_CTRL_TX = 6, + LED_PAR_CTRL_RX = 7, + LED_PAR_CTRL_ACT = 8, + LED_PAR_CTRL_LNK_RX = 9, + LED_PAR_CTRL_LNK_AC = 10, + LED_PAR_CTRL_ACT_BL = 11, + LED_PAR_CTRL_TX_BL = 12, + LED_PAR_CTRL_RX_BL = 13, + LED_PAR_CTRL_COL_BL = 14, + LED_PAR_CTRL_INACT = 15, +}; + +enum { + PHY_M_FESC_DIS_WAIT = 4, + PHY_M_FESC_ENA_MCLK = 2, + PHY_M_FESC_SEL_CL_A = 1, +}; + +enum { + PHY_M_FIB_FORCE_LNK = 1024, + PHY_M_FIB_SIGD_POL = 512, + PHY_M_FIB_TX_DIS = 8, +}; + +enum { + PHY_M_MAC_MD_MSK = 896, + PHY_M_MAC_GMIF_PUP = 8, + PHY_M_MAC_MD_AUTO = 3, + PHY_M_MAC_MD_COPPER = 5, + PHY_M_MAC_MD_1000BX = 7, +}; + +enum { + PHY_M_LEDC_LOS_MSK = 61440, + PHY_M_LEDC_INIT_MSK = 3840, + PHY_M_LEDC_STA1_MSK = 240, + PHY_M_LEDC_STA0_MSK = 15, +}; + +enum { + GM_GP_STAT = 0, + GM_GP_CTRL = 4, + GM_TX_CTRL = 8, + GM_RX_CTRL = 12, + GM_TX_FLOW_CTRL = 16, + GM_TX_PARAM = 20, + GM_SERIAL_MODE = 24, + GM_SRC_ADDR_1L = 28, + GM_SRC_ADDR_1M = 32, + GM_SRC_ADDR_1H = 36, + GM_SRC_ADDR_2L = 40, + GM_SRC_ADDR_2M = 44, + GM_SRC_ADDR_2H = 48, + GM_MC_ADDR_H1 = 52, + GM_MC_ADDR_H2 = 56, + GM_MC_ADDR_H3 = 60, + GM_MC_ADDR_H4 = 64, + GM_TX_IRQ_SRC = 68, + GM_RX_IRQ_SRC = 72, + GM_TR_IRQ_SRC = 76, + GM_TX_IRQ_MSK = 80, + GM_RX_IRQ_MSK = 84, + GM_TR_IRQ_MSK = 88, + GM_SMI_CTRL = 128, + GM_SMI_DATA = 132, + GM_PHY_ADDR = 136, + GM_MIB_CNT_BASE = 256, + GM_MIB_CNT_END = 604, +}; + +enum { + GM_RXF_UC_OK = 256, + GM_RXF_BC_OK = 264, + GM_RXF_MPAUSE = 272, + GM_RXF_MC_OK = 280, + GM_RXF_FCS_ERR = 288, + GM_RXO_OK_LO = 304, + GM_RXO_OK_HI = 312, + GM_RXO_ERR_LO = 320, + GM_RXO_ERR_HI = 328, + GM_RXF_SHT = 336, + GM_RXE_FRAG = 344, + GM_RXF_64B = 352, + GM_RXF_127B = 360, + GM_RXF_255B = 368, + GM_RXF_511B = 376, + GM_RXF_1023B = 384, + GM_RXF_1518B = 392, + GM_RXF_MAX_SZ = 400, + GM_RXF_LNG_ERR = 408, + GM_RXF_JAB_PKT = 416, + GM_RXE_FIFO_OV = 432, + GM_TXF_UC_OK = 448, + GM_TXF_BC_OK = 456, + GM_TXF_MPAUSE = 464, + GM_TXF_MC_OK = 472, + GM_TXO_OK_LO = 480, + GM_TXO_OK_HI = 488, + GM_TXF_64B = 496, + GM_TXF_127B = 504, + GM_TXF_255B = 512, + GM_TXF_511B = 520, + GM_TXF_1023B = 528, + GM_TXF_1518B = 536, + GM_TXF_MAX_SZ = 544, + GM_TXF_COL = 560, + GM_TXF_LAT_COL = 568, + GM_TXF_ABO_COL = 576, + GM_TXF_MUL_COL = 584, + GM_TXF_SNG_COL = 592, + GM_TXE_FIFO_UR = 600, +}; + +enum { + GM_GPCR_PROM_ENA = 16384, + GM_GPCR_FC_TX_DIS = 8192, + GM_GPCR_TX_ENA = 4096, + GM_GPCR_RX_ENA = 2048, + GM_GPCR_BURST_ENA = 1024, + GM_GPCR_LOOP_ENA = 512, + GM_GPCR_PART_ENA = 256, + GM_GPCR_GIGS_ENA = 128, + GM_GPCR_FL_PASS = 64, + GM_GPCR_DUP_FULL = 32, + GM_GPCR_FC_RX_DIS = 16, + GM_GPCR_SPEED_100 = 8, + GM_GPCR_AU_DUP_DIS = 4, + GM_GPCR_AU_FCT_DIS = 2, + GM_GPCR_AU_SPD_DIS = 1, +}; + +enum { + GM_TXCR_FORCE_JAM = 32768, + GM_TXCR_CRC_DIS = 16384, + GM_TXCR_PAD_DIS = 8192, + GM_TXCR_COL_THR_MSK = 7168, +}; + +enum { + GM_RXCR_UCF_ENA = 32768, + GM_RXCR_MCF_ENA = 16384, + GM_RXCR_CRC_DIS = 8192, + GM_RXCR_PASS_FC = 4096, +}; + +enum { + GM_TXPA_JAMLEN_MSK = 49152, + GM_TXPA_JAMIPG_MSK = 15872, + GM_TXPA_JAMDAT_MSK = 496, + GM_TXPA_BO_LIM_MSK = 15, + TX_JAM_LEN_DEF = 3, + TX_JAM_IPG_DEF = 11, + TX_IPG_JAM_DEF = 28, + TX_BOF_LIM_DEF = 4, +}; + +enum { + GM_SMOD_DATABL_MSK = 63488, + GM_SMOD_LIMIT_4 = 1024, + GM_SMOD_VLAN_ENA = 512, + GM_SMOD_JUMBO_ENA = 256, + GM_NEW_FLOW_CTRL = 64, + GM_SMOD_IPG_MSK = 31, +}; + +enum { + GM_SMI_CT_PHY_A_MSK = 63488, + GM_SMI_CT_REG_A_MSK = 1984, + GM_SMI_CT_OP_RD = 32, + GM_SMI_CT_RD_VAL = 16, + GM_SMI_CT_BUSY = 8, +}; + +enum { + GM_PAR_MIB_CLR = 32, + GM_PAR_MIB_TST = 16, +}; + +enum { + GMR_FS_LEN = 2147418112, + GMR_FS_VLAN = 8192, + GMR_FS_JABBER = 4096, + GMR_FS_UN_SIZE = 2048, + GMR_FS_MC = 1024, + GMR_FS_BC = 512, + GMR_FS_RX_OK = 256, + GMR_FS_GOOD_FC = 128, + GMR_FS_BAD_FC = 64, + GMR_FS_MII_ERR = 32, + GMR_FS_LONG_ERR = 16, + GMR_FS_FRAGMENT = 8, + GMR_FS_CRC_ERR = 2, + GMR_FS_RX_FF_OV = 1, + GMR_FS_ANY_ERR = 6267, +}; + +enum { + RX_GCLKMAC_ENA = -2147483648, + RX_GCLKMAC_OFF = 1073741824, + RX_STFW_DIS = 536870912, + RX_STFW_ENA = 268435456, + RX_TRUNC_ON = 134217728, + RX_TRUNC_OFF = 67108864, + RX_VLAN_STRIP_ON = 33554432, + RX_VLAN_STRIP_OFF = 16777216, + RX_MACSEC_FLUSH_ON = 8388608, + RX_MACSEC_FLUSH_OFF = 4194304, + RX_MACSEC_ASF_FLUSH_ON = 2097152, + RX_MACSEC_ASF_FLUSH_OFF = 1048576, + GMF_RX_OVER_ON = 524288, + GMF_RX_OVER_OFF = 262144, + GMF_ASF_RX_OVER_ON = 131072, + GMF_ASF_RX_OVER_OFF = 65536, + GMF_WP_TST_ON = 16384, + GMF_WP_TST_OFF = 8192, + GMF_WP_STEP = 4096, + GMF_RP_TST_ON = 1024, + GMF_RP_TST_OFF = 512, + GMF_RP_STEP = 256, + GMF_RX_F_FL_ON = 128, + GMF_RX_F_FL_OFF = 64, + GMF_CLI_RX_FO = 32, + GMF_CLI_RX_C = 16, + GMF_OPER_ON = 8, + GMF_OPER_OFF = 4, + GMF_RST_CLR = 2, + GMF_RST_SET = 1, + RX_GMF_FL_THR_DEF = 10, + GMF_RX_CTRL_DEF = 136, +}; + +enum { + RX_IPV6_SA_MOB_ENA = 512, + RX_IPV6_SA_MOB_DIS = 256, + RX_IPV6_DA_MOB_ENA = 128, + RX_IPV6_DA_MOB_DIS = 64, + RX_PTR_SYNCDLY_ENA = 32, + RX_PTR_SYNCDLY_DIS = 16, + RX_ASF_NEWFLAG_ENA = 8, + RX_ASF_NEWFLAG_DIS = 4, + RX_FLSH_MISSPKT_ENA = 2, + RX_FLSH_MISSPKT_DIS = 1, +}; + +enum { + TX_DYN_WM_ENA = 3, +}; + +enum { + TX_STFW_DIS = -2147483648, + TX_STFW_ENA = 1073741824, + TX_VLAN_TAG_ON = 33554432, + TX_VLAN_TAG_OFF = 16777216, + TX_PCI_JUM_ENA = 8388608, + TX_PCI_JUM_DIS = 4194304, + GMF_WSP_TST_ON = 262144, + GMF_WSP_TST_OFF = 131072, + GMF_WSP_STEP = 65536, + GMF_CLI_TX_FU = 64, + GMF_CLI_TX_FC = 32, + GMF_CLI_TX_PE = 16, +}; + +enum { + GMT_ST_START = 4, + GMT_ST_STOP = 2, + GMT_ST_CLR_IRQ = 1, +}; + +enum { + Y2_ASF_OS_PRES = 16, + Y2_ASF_RESET = 8, + Y2_ASF_RUNNING = 4, + Y2_ASF_CLR_HSTI = 2, + Y2_ASF_IRQ = 1, + Y2_ASF_UC_STATE = 12, + Y2_ASF_CLK_HALT = 0, +}; + +enum { + HCU_CCSR_SMBALERT_MONITOR = 134217728, + HCU_CCSR_CPU_SLEEP = 67108864, + HCU_CCSR_CS_TO = 33554432, + HCU_CCSR_WDOG = 16777216, + HCU_CCSR_CLR_IRQ_HOST = 131072, + HCU_CCSR_SET_IRQ_HCU = 65536, + HCU_CCSR_AHB_RST = 512, + HCU_CCSR_CPU_RST_MODE = 256, + HCU_CCSR_SET_SYNC_CPU = 32, + HCU_CCSR_CPU_CLK_DIVIDE_MSK = 24, + HCU_CCSR_CPU_CLK_DIVIDE_BASE = 8, + HCU_CCSR_OS_PRSNT = 4, + HCU_CCSR_UC_STATE_MSK = 3, + HCU_CCSR_UC_STATE_BASE = 1, + HCU_CCSR_ASF_RESET = 0, + HCU_CCSR_ASF_HALTED = 2, + HCU_CCSR_ASF_RUNNING = 1, +}; + +enum { + SC_STAT_CLR_IRQ = 16, + SC_STAT_OP_ON = 8, + SC_STAT_OP_OFF = 4, + SC_STAT_RST_CLR = 2, + SC_STAT_RST_SET = 1, +}; + +enum { + GMC_SET_RST = 32768, + GMC_SEC_RST_OFF = 16384, + GMC_BYP_MACSECRX_ON = 8192, + GMC_BYP_MACSECRX_OFF = 4096, + GMC_BYP_MACSECTX_ON = 2048, + GMC_BYP_MACSECTX_OFF = 1024, + GMC_BYP_RETR_ON = 512, + GMC_BYP_RETR_OFF = 256, + GMC_H_BURST_ON = 128, + GMC_H_BURST_OFF = 64, + GMC_F_LOOPB_ON = 32, + GMC_F_LOOPB_OFF = 16, + GMC_PAUSE_ON = 8, + GMC_PAUSE_OFF = 4, + GMC_RST_CLR = 2, + GMC_RST_SET = 1, +}; + +enum { + GPC_TX_PAUSE = 1073741824, + GPC_RX_PAUSE = 536870912, + GPC_SPEED = 402653184, + GPC_LINK = 67108864, + GPC_DUPLEX = 33554432, + GPC_CLOCK = 16777216, + GPC_PDOWN = 8388608, + GPC_TSTMODE = 4194304, + GPC_REG18 = 2097152, + GPC_REG12SEL = 1572864, + GPC_REG18SEL = 393216, + GPC_SPILOCK = 65536, + GPC_LEDMUX = 49152, + GPC_INTPOL = 8192, + GPC_DETECT = 4096, + GPC_1000HD = 2048, + GPC_SLAVE = 1024, + GPC_PAUSE = 512, + GPC_LEDCTL = 192, + GPC_RST_CLR = 2, + GPC_RST_SET = 1, +}; + +enum { + GM_IS_TX_CO_OV = 32, + GM_IS_RX_CO_OV = 16, + GM_IS_TX_FF_UR = 8, + GM_IS_TX_COMPL = 4, + GM_IS_RX_FF_OR = 2, + GM_IS_RX_COMPL = 1, +}; + +enum { + GMLC_RST_CLR = 2, + GMLC_RST_SET = 1, +}; + +enum { + WOL_CTL_LINK_CHG_OCC = 32768, + WOL_CTL_MAGIC_PKT_OCC = 16384, + WOL_CTL_PATTERN_OCC = 8192, + WOL_CTL_CLEAR_RESULT = 4096, + WOL_CTL_ENA_PME_ON_LINK_CHG = 2048, + WOL_CTL_DIS_PME_ON_LINK_CHG = 1024, + WOL_CTL_ENA_PME_ON_MAGIC_PKT = 512, + WOL_CTL_DIS_PME_ON_MAGIC_PKT = 256, + WOL_CTL_ENA_PME_ON_PATTERN = 128, + WOL_CTL_DIS_PME_ON_PATTERN = 64, + WOL_CTL_ENA_LINK_CHG_UNIT = 32, + WOL_CTL_DIS_LINK_CHG_UNIT = 16, + WOL_CTL_ENA_MAGIC_PKT_UNIT = 8, + WOL_CTL_DIS_MAGIC_PKT_UNIT = 4, + WOL_CTL_ENA_PATTERN_UNIT = 2, + WOL_CTL_DIS_PATTERN_UNIT = 1, +}; + +enum { + UDPTCP = 1, + CALSUM = 2, + WR_SUM = 4, + INIT_SUM = 8, + LOCK_SUM = 16, + INS_VLAN = 32, + EOP = 128, +}; + +enum { + HW_OWNER = 128, + OP_TCPWRITE = 17, + OP_TCPSTART = 18, + OP_TCPINIT = 20, + OP_TCPLCK = 24, + OP_TCPCHKSUM = 18, + OP_TCPIS = 22, + OP_TCPLW = 25, + OP_TCPLSW = 27, + OP_TCPLISW = 31, + OP_ADDR64 = 33, + OP_VLAN = 34, + OP_ADDR64VLAN = 35, + OP_LRGLEN = 36, + OP_LRGLENVLAN = 38, + OP_MSS = 40, + OP_MSSVLAN = 42, + OP_BUFFER = 64, + OP_PACKET = 65, + OP_LARGESEND = 67, + OP_LSOV2 = 69, + OP_RXSTAT = 96, + OP_RXTIMESTAMP = 97, + OP_RXVLAN = 98, + OP_RXCHKS = 100, + OP_RXCHKSVLAN = 102, + OP_RXTIMEVLAN = 99, + OP_RSS_HASH = 101, + OP_TXINDEXLE = 104, + OP_MACSEC = 108, + OP_PUTIDX = 112, +}; + +enum status_css { + CSS_TCPUDPCSOK = 128, + CSS_ISUDP = 64, + CSS_ISTCP = 32, + CSS_ISIPFRAG = 16, + CSS_ISIPV6 = 8, + CSS_IPV4CSUMOK = 4, + CSS_ISIPV4 = 2, + CSS_LINK_BIT = 1, +}; + +struct sky2_tx_le { + __le32 addr; + __le16 length; + u8 ctrl; + u8 opcode; +}; + +struct sky2_rx_le { + __le32 addr; + __le16 length; + u8 ctrl; + u8 opcode; +}; + +struct sky2_status_le { + __le32 status; + __le16 length; + u8 css; + u8 opcode; +}; + +struct tx_ring_info { + struct sk_buff *skb; + long unsigned int flags; + dma_addr_t mapaddr; + __u32 maplen; +}; + +struct rx_ring_info { + struct sk_buff *skb; + dma_addr_t data_addr; + __u32 data_size; + dma_addr_t frag_addr[2]; +}; + +enum flow_control { + FC_NONE = 0, + FC_TX = 1, + FC_RX = 2, + FC_BOTH = 3, +}; + +struct sky2_stats { + struct u64_stats_sync syncp; + u64 packets; + u64 bytes; +}; + +struct sky2_hw; + +struct sky2_port { + struct sky2_hw *hw; + struct net_device *netdev; + unsigned int port; + u32 msg_enable; + spinlock_t phy_lock; + struct tx_ring_info *tx_ring; + struct sky2_tx_le *tx_le; + struct sky2_stats tx_stats; + u16 tx_ring_size; + u16 tx_cons; + u16 tx_prod; + u16 tx_next; + u16 tx_pending; + u16 tx_last_mss; + u32 tx_last_upper; + u32 tx_tcpsum; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct rx_ring_info *rx_ring; + struct sky2_rx_le *rx_le; + struct sky2_stats rx_stats; + u16 rx_next; + u16 rx_put; + u16 rx_pending; + u16 rx_data_size; + u16 rx_nfrags; + long unsigned int last_rx; + struct { + long unsigned int last; + u32 mac_rp; + u8 mac_lev; + u8 fifo_rp; + u8 fifo_lev; + } check; + dma_addr_t rx_le_map; + dma_addr_t tx_le_map; + u16 advertising; + u16 speed; + u8 wol; + u8 duplex; + u16 flags; + enum flow_control flow_mode; + enum flow_control flow_status; + long: 64; + long: 64; + long: 64; +}; + +struct sky2_hw { + void *regs; + struct pci_dev *pdev; + struct napi_struct napi; + struct net_device *dev[2]; + long unsigned int flags; + u8 chip_id; + u8 chip_rev; + u8 pmd_type; + u8 ports; + struct sky2_status_le *st_le; + u32 st_size; + u32 st_idx; + dma_addr_t st_dma; + struct timer_list watchdog_timer; + struct work_struct restart_work; + wait_queue_head_t msi_wait; + char irq_name[0]; +}; + +struct sky2_stat { + char name[32]; + u16 offset; +}; + +struct vlan_ethhdr { + unsigned char h_dest[6]; + unsigned char h_source[6]; + __be16 h_vlan_proto; + __be16 h_vlan_TCI; + __be16 h_vlan_encapsulated_proto; +}; + +enum { + NvRegIrqStatus = 0, + NvRegIrqMask = 4, + NvRegUnknownSetupReg6 = 8, + NvRegPollingInterval = 12, + NvRegMSIMap0 = 32, + NvRegMSIMap1 = 36, + NvRegMSIIrqMask = 48, + NvRegMisc1 = 128, + NvRegMacReset = 52, + NvRegTransmitterControl = 132, + NvRegTransmitterStatus = 136, + NvRegPacketFilterFlags = 140, + NvRegOffloadConfig = 144, + NvRegReceiverControl = 148, + NvRegReceiverStatus = 152, + NvRegSlotTime = 156, + NvRegTxDeferral = 160, + NvRegRxDeferral = 164, + NvRegMacAddrA = 168, + NvRegMacAddrB = 172, + NvRegMulticastAddrA = 176, + NvRegMulticastAddrB = 180, + NvRegMulticastMaskA = 184, + NvRegMulticastMaskB = 188, + NvRegPhyInterface = 192, + NvRegBackOffControl = 196, + NvRegTxRingPhysAddr = 256, + NvRegRxRingPhysAddr = 260, + NvRegRingSizes = 264, + NvRegTransmitPoll = 268, + NvRegLinkSpeed = 272, + NvRegUnknownSetupReg5 = 304, + NvRegTxWatermark = 316, + NvRegTxRxControl = 324, + NvRegTxRingPhysAddrHigh = 328, + NvRegRxRingPhysAddrHigh = 332, + NvRegTxPauseFrame = 368, + NvRegTxPauseFrameLimit = 372, + NvRegMIIStatus = 384, + NvRegMIIMask = 388, + NvRegAdapterControl = 392, + NvRegMIISpeed = 396, + NvRegMIIControl = 400, + NvRegMIIData = 404, + NvRegTxUnicast = 416, + NvRegTxMulticast = 420, + NvRegTxBroadcast = 424, + NvRegWakeUpFlags = 512, + NvRegMgmtUnitGetVersion = 516, + NvRegMgmtUnitVersion = 520, + NvRegPowerCap = 616, + NvRegPowerState = 620, + NvRegMgmtUnitControl = 632, + NvRegTxCnt = 640, + NvRegTxZeroReXmt = 644, + NvRegTxOneReXmt = 648, + NvRegTxManyReXmt = 652, + NvRegTxLateCol = 656, + NvRegTxUnderflow = 660, + NvRegTxLossCarrier = 664, + NvRegTxExcessDef = 668, + NvRegTxRetryErr = 672, + NvRegRxFrameErr = 676, + NvRegRxExtraByte = 680, + NvRegRxLateCol = 684, + NvRegRxRunt = 688, + NvRegRxFrameTooLong = 692, + NvRegRxOverflow = 696, + NvRegRxFCSErr = 700, + NvRegRxFrameAlignErr = 704, + NvRegRxLenErr = 708, + NvRegRxUnicast = 712, + NvRegRxMulticast = 716, + NvRegRxBroadcast = 720, + NvRegTxDef = 724, + NvRegTxFrame = 728, + NvRegRxCnt = 732, + NvRegTxPause = 736, + NvRegRxPause = 740, + NvRegRxDropFrame = 744, + NvRegVlanControl = 768, + NvRegMSIXMap0 = 992, + NvRegMSIXMap1 = 996, + NvRegMSIXIrqStatus = 1008, + NvRegPowerState2 = 1536, +}; + +struct ring_desc { + __le32 buf; + __le32 flaglen; +}; + +struct ring_desc_ex { + __le32 bufhigh; + __le32 buflow; + __le32 txvlan; + __le32 flaglen; +}; + +union ring_type { + struct ring_desc *orig; + struct ring_desc_ex *ex; +}; + +struct nv_ethtool_str { + char name[32]; +}; + +struct nv_ethtool_stats { + u64 tx_bytes; + u64 tx_zero_rexmt; + u64 tx_one_rexmt; + u64 tx_many_rexmt; + u64 tx_late_collision; + u64 tx_fifo_errors; + u64 tx_carrier_errors; + u64 tx_excess_deferral; + u64 tx_retry_error; + u64 rx_frame_error; + u64 rx_extra_byte; + u64 rx_late_collision; + u64 rx_runt; + u64 rx_frame_too_long; + u64 rx_over_errors; + u64 rx_crc_errors; + u64 rx_frame_align_error; + u64 rx_length_error; + u64 rx_unicast; + u64 rx_multicast; + u64 rx_broadcast; + u64 rx_packets; + u64 rx_errors_total; + u64 tx_errors_total; + u64 tx_deferral; + u64 tx_packets; + u64 rx_bytes; + u64 tx_pause; + u64 rx_pause; + u64 rx_drop_frame; + u64 tx_unicast; + u64 tx_multicast; + u64 tx_broadcast; +}; + +struct register_test { + __u32 reg; + __u32 mask; +}; + +struct nv_skb_map { + struct sk_buff *skb; + dma_addr_t dma; + unsigned int dma_len: 31; + unsigned int dma_single: 1; + struct ring_desc_ex *first_tx_desc; + struct nv_skb_map *next_tx_ctx; +}; + +struct nv_txrx_stats { + u64 stat_rx_packets; + u64 stat_rx_bytes; + u64 stat_rx_missed_errors; + u64 stat_rx_dropped; + u64 stat_tx_packets; + u64 stat_tx_bytes; + u64 stat_tx_dropped; +}; + +struct fe_priv { + spinlock_t lock; + struct net_device *dev; + struct napi_struct napi; + spinlock_t hwstats_lock; + struct nv_ethtool_stats estats; + int in_shutdown; + u32 linkspeed; + int duplex; + int autoneg; + int fixed_mode; + int phyaddr; + int wolenabled; + unsigned int phy_oui; + unsigned int phy_model; + unsigned int phy_rev; + u16 gigabit; + int intr_test; + int recover_error; + int quiet_count; + dma_addr_t ring_addr; + struct pci_dev *pci_dev; + u32 orig_mac[2]; + u32 events; + u32 irqmask; + u32 desc_ver; + u32 txrxctl_bits; + u32 vlanctl_bits; + u32 driver_data; + u32 device_id; + u32 register_size; + u32 mac_in_use; + int mgmt_version; + int mgmt_sema; + void *base; + union ring_type get_rx; + union ring_type put_rx; + union ring_type last_rx; + struct nv_skb_map *get_rx_ctx; + struct nv_skb_map *put_rx_ctx; + struct nv_skb_map *last_rx_ctx; + struct nv_skb_map *rx_skb; + union ring_type rx_ring; + unsigned int rx_buf_sz; + unsigned int pkt_limit; + struct timer_list oom_kick; + struct timer_list nic_poll; + struct timer_list stats_poll; + u32 nic_poll_irq; + int rx_ring_size; + struct u64_stats_sync swstats_rx_syncp; + struct nv_txrx_stats *txrx_stats; + int need_linktimer; + long unsigned int link_timeout; + union ring_type get_tx; + union ring_type put_tx; + union ring_type last_tx; + struct nv_skb_map *get_tx_ctx; + struct nv_skb_map *put_tx_ctx; + struct nv_skb_map *last_tx_ctx; + struct nv_skb_map *tx_skb; + union ring_type tx_ring; + u32 tx_flags; + int tx_ring_size; + int tx_limit; + u32 tx_pkts_in_progress; + struct nv_skb_map *tx_change_owner; + struct nv_skb_map *tx_end_flip; + int tx_stop; + struct u64_stats_sync swstats_tx_syncp; + u32 msi_flags; + struct msix_entry msi_x_entry[8]; + u32 pause_flags; + u32 saved_config_space[385]; + char name_rx[19]; + char name_tx[19]; + char name_other[22]; +}; + +enum { + NV_OPTIMIZATION_MODE_THROUGHPUT = 0, + NV_OPTIMIZATION_MODE_CPU = 1, + NV_OPTIMIZATION_MODE_DYNAMIC = 2, +}; + +enum { + NV_MSI_INT_DISABLED = 0, + NV_MSI_INT_ENABLED = 1, +}; + +enum { + NV_MSIX_INT_DISABLED = 0, + NV_MSIX_INT_ENABLED = 1, +}; + +enum { + NV_DMA_64BIT_DISABLED = 0, + NV_DMA_64BIT_ENABLED = 1, +}; + +enum { + NV_CROSSOVER_DETECTION_DISABLED = 0, + NV_CROSSOVER_DETECTION_ENABLED = 1, +}; + +enum { + HAS_MII_XCVR = 65536, + HAS_CHIP_XCVR = 131072, + HAS_LNK_CHNG = 262144, +}; + +enum { + RTL8139 = 0, + RTL8129 = 1, +}; + +enum RTL8139_registers { + MAC0 = 0, + MAR0 = 8, + TxStatus0 = 16, + TxAddr0 = 32, + RxBuf = 48, + ChipCmd = 55, + RxBufPtr = 56, + RxBufAddr = 58, + IntrMask = 60, + IntrStatus = 62, + TxConfig = 64, + RxConfig = 68, + Timer = 72, + RxMissed = 76, + Cfg9346 = 80, + Config0 = 81, + Config1 = 82, + TimerInt = 84, + MediaStatus = 88, + Config3 = 89, + Config4 = 90, + HltClk = 91, + MultiIntr = 92, + TxSummary = 96, + BasicModeCtrl = 98, + BasicModeStatus = 100, + NWayAdvert = 102, + NWayLPAR = 104, + NWayExpansion = 106, + FIFOTMS = 112, + CSCR = 116, + PARA78 = 120, + FlashReg = 212, + PARA7c = 124, + Config5 = 216, +}; + +enum ClearBitMasks { + MultiIntrClear = 61440, + ChipCmdClear = 226, + Config1Clear = 206, +}; + +enum ChipCmdBits { + CmdReset = 16, + CmdRxEnb = 8, + CmdTxEnb = 4, + RxBufEmpty = 1, +}; + +enum IntrStatusBits { + PCIErr = 32768, + PCSTimeout = 16384, + RxFIFOOver = 64, + RxUnderrun = 32, + RxOverflow = 16, + TxErr = 8, + TxOK = 4, + RxErr = 2, + RxOK = 1, + RxAckBits = 81, +}; + +enum TxStatusBits { + TxHostOwns = 8192, + TxUnderrun = 16384, + TxStatOK = 32768, + TxOutOfWindow = 536870912, + TxAborted = 1073741824, + TxCarrierLost = -2147483648, +}; + +enum RxStatusBits { + RxMulticast = 32768, + RxPhysical = 16384, + RxBroadcast = 8192, + RxBadSymbol = 32, + RxRunt = 16, + RxTooLong = 8, + RxCRCErr = 4, + RxBadAlign = 2, + RxStatusOK = 1, +}; + +enum rx_mode_bits { + AcceptErr = 32, + AcceptRunt = 16, + AcceptBroadcast = 8, + AcceptMulticast = 4, + AcceptMyPhys = 2, + AcceptAllPhys = 1, +}; + +enum tx_config_bits { + TxIFGShift = 24, + TxIFG84 = 0, + TxIFG88 = 16777216, + TxIFG92 = 33554432, + TxIFG96 = 50331648, + TxLoopBack = 393216, + TxCRC = 65536, + TxClearAbt = 1, + TxDMAShift = 8, + TxRetryShift = 4, + TxVersionMask = 2088763392, +}; + +enum Config1Bits { + Cfg1_PM_Enable = 1, + Cfg1_VPD_Enable = 2, + Cfg1_PIO = 4, + Cfg1_MMIO = 8, + LWAKE = 16, + Cfg1_Driver_Load = 32, + Cfg1_LED0 = 64, + Cfg1_LED1 = 128, + SLEEP = 2, + PWRDN = 1, +}; + +enum Config3Bits { + Cfg3_FBtBEn = 1, + Cfg3_FuncRegEn = 2, + Cfg3_CLKRUN_En = 4, + Cfg3_CardB_En = 8, + Cfg3_LinkUp = 16, + Cfg3_Magic = 32, + Cfg3_PARM_En = 64, + Cfg3_GNTSel = 128, +}; + +enum Config4Bits { + LWPTN = 4, +}; + +enum Config5Bits { + Cfg5_PME_STS = 1, + Cfg5_LANWake = 2, + Cfg5_LDPS = 4, + Cfg5_FIFOAddrPtr = 8, + Cfg5_UWF = 16, + Cfg5_MWF = 32, + Cfg5_BWF = 64, +}; + +enum CSCRBits { + CSCR_LinkOKBit = 1024, + CSCR_LinkChangeBit = 2048, + CSCR_LinkStatusBits = 61440, + CSCR_LinkDownOffCmd = 960, + CSCR_LinkDownCmd = 62400, +}; + +enum Cfg9346Bits { + Cfg9346_Lock = 0, + Cfg9346_Unlock = 192, +}; + +typedef enum { + CH_8139 = 0, + CH_8139_K = 1, + CH_8139A = 2, + CH_8139A_G = 3, + CH_8139B = 4, + CH_8130 = 5, + CH_8139C = 6, + CH_8100 = 7, + CH_8100B_8139D = 8, + CH_8101 = 9, +} chip_t; + +enum chip_flags { + HasHltClk = 1, + HasLWake = 2, +}; + +struct rtl_extra_stats { + long unsigned int early_rx; + long unsigned int tx_buf_mapped; + long unsigned int tx_timeouts; + long unsigned int rx_lost_in_ring; +}; + +struct rtl8139_stats { + u64 packets; + u64 bytes; + struct u64_stats_sync syncp; +}; + +struct rtl8139_private { + void *mmio_addr; + int drv_flags; + struct pci_dev *pci_dev; + u32 msg_enable; + struct napi_struct napi; + struct net_device *dev; + unsigned char *rx_ring; + unsigned int cur_rx; + struct rtl8139_stats rx_stats; + dma_addr_t rx_ring_dma; + unsigned int tx_flag; + long unsigned int cur_tx; + long unsigned int dirty_tx; + struct rtl8139_stats tx_stats; + unsigned char *tx_buf[4]; + unsigned char *tx_bufs; + dma_addr_t tx_bufs_dma; + signed char phys[4]; + char twistie; + char twist_row; + char twist_col; + unsigned int watchdog_fired: 1; + unsigned int default_port: 4; + unsigned int have_thread: 1; + spinlock_t lock; + spinlock_t rx_lock; + chip_t chipset; + u32 rx_config; + struct rtl_extra_stats xstats; + struct delayed_work thread; + struct mii_if_info mii; + unsigned int regs_len; + long unsigned int fifo_copy_timeout; +}; + +struct rtl8169_private; + +typedef void (*rtl_fw_write_t)(struct rtl8169_private *, int, int); + +enum mac_version { + RTL_GIGA_MAC_VER_02 = 0, + RTL_GIGA_MAC_VER_03 = 1, + RTL_GIGA_MAC_VER_04 = 2, + RTL_GIGA_MAC_VER_05 = 3, + RTL_GIGA_MAC_VER_06 = 4, + RTL_GIGA_MAC_VER_07 = 5, + RTL_GIGA_MAC_VER_08 = 6, + RTL_GIGA_MAC_VER_09 = 7, + RTL_GIGA_MAC_VER_10 = 8, + RTL_GIGA_MAC_VER_11 = 9, + RTL_GIGA_MAC_VER_12 = 10, + RTL_GIGA_MAC_VER_13 = 11, + RTL_GIGA_MAC_VER_14 = 12, + RTL_GIGA_MAC_VER_15 = 13, + RTL_GIGA_MAC_VER_16 = 14, + RTL_GIGA_MAC_VER_17 = 15, + RTL_GIGA_MAC_VER_18 = 16, + RTL_GIGA_MAC_VER_19 = 17, + RTL_GIGA_MAC_VER_20 = 18, + RTL_GIGA_MAC_VER_21 = 19, + RTL_GIGA_MAC_VER_22 = 20, + RTL_GIGA_MAC_VER_23 = 21, + RTL_GIGA_MAC_VER_24 = 22, + RTL_GIGA_MAC_VER_25 = 23, + RTL_GIGA_MAC_VER_26 = 24, + RTL_GIGA_MAC_VER_27 = 25, + RTL_GIGA_MAC_VER_28 = 26, + RTL_GIGA_MAC_VER_29 = 27, + RTL_GIGA_MAC_VER_30 = 28, + RTL_GIGA_MAC_VER_31 = 29, + RTL_GIGA_MAC_VER_32 = 30, + RTL_GIGA_MAC_VER_33 = 31, + RTL_GIGA_MAC_VER_34 = 32, + RTL_GIGA_MAC_VER_35 = 33, + RTL_GIGA_MAC_VER_36 = 34, + RTL_GIGA_MAC_VER_37 = 35, + RTL_GIGA_MAC_VER_38 = 36, + RTL_GIGA_MAC_VER_39 = 37, + RTL_GIGA_MAC_VER_40 = 38, + RTL_GIGA_MAC_VER_41 = 39, + RTL_GIGA_MAC_VER_42 = 40, + RTL_GIGA_MAC_VER_43 = 41, + RTL_GIGA_MAC_VER_44 = 42, + RTL_GIGA_MAC_VER_45 = 43, + RTL_GIGA_MAC_VER_46 = 44, + RTL_GIGA_MAC_VER_47 = 45, + RTL_GIGA_MAC_VER_48 = 46, + RTL_GIGA_MAC_VER_49 = 47, + RTL_GIGA_MAC_VER_50 = 48, + RTL_GIGA_MAC_VER_51 = 49, + RTL_GIGA_MAC_VER_52 = 50, + RTL_GIGA_MAC_VER_60 = 51, + RTL_GIGA_MAC_VER_61 = 52, + RTL_GIGA_MAC_NONE = 53, +}; + +struct rtl8169_stats { + u64 packets; + u64 bytes; + struct u64_stats_sync syncp; +}; + +struct ring_info___2 { + struct sk_buff *skb; + u32 len; +}; + +struct rtl8169_tc_offsets { + bool inited; + __le64 tx_errors; + __le32 tx_multi_collision; + __le16 tx_aborted; +}; + +struct TxDesc; + +struct RxDesc; + +struct rtl8169_counters; + +struct rtl_fw; + +struct rtl8169_private { + void *mmio_addr; + struct pci_dev *pci_dev; + struct net_device *dev; + struct phy_device *phydev; + struct napi_struct napi; + u32 msg_enable; + enum mac_version mac_version; + u32 cur_rx; + u32 cur_tx; + u32 dirty_tx; + struct rtl8169_stats rx_stats; + struct rtl8169_stats tx_stats; + struct TxDesc *TxDescArray; + struct RxDesc *RxDescArray; + dma_addr_t TxPhyAddr; + dma_addr_t RxPhyAddr; + struct page *Rx_databuff[256]; + struct ring_info___2 tx_skb[64]; + u16 cp_cmd; + u32 irq_mask; + struct clk *clk; + struct { + long unsigned int flags[1]; + struct mutex mutex; + struct work_struct work; + } wk; + unsigned int irq_enabled: 1; + unsigned int supports_gmii: 1; + unsigned int aspm_manageable: 1; + dma_addr_t counters_phys_addr; + struct rtl8169_counters *counters; + struct rtl8169_tc_offsets tc_offset; + u32 saved_wolopts; + int eee_adv; + const char *fw_name; + struct rtl_fw *rtl_fw; + u32 ocp_base; +}; + +typedef int (*rtl_fw_read_t)(struct rtl8169_private *, int); + +struct rtl_fw_phy_action { + __le32 *code; + size_t size; +}; + +struct rtl_fw { + rtl_fw_write_t phy_write; + rtl_fw_read_t phy_read; + rtl_fw_write_t mac_mcu_write; + rtl_fw_read_t mac_mcu_read; + const struct firmware *fw; + const char *fw_name; + struct device *dev; + char version[32]; + struct rtl_fw_phy_action phy_action; +}; + +enum rtl_registers { + MAC0___2 = 0, + MAC4 = 4, + MAR0___2 = 8, + CounterAddrLow = 16, + CounterAddrHigh = 20, + TxDescStartAddrLow = 32, + TxDescStartAddrHigh = 36, + TxHDescStartAddrLow = 40, + TxHDescStartAddrHigh = 44, + FLASH = 48, + ERSR = 54, + ChipCmd___2 = 55, + TxPoll = 56, + IntrMask___2 = 60, + IntrStatus___2 = 62, + TxConfig___2 = 64, + RxConfig___2 = 68, + RxMissed___2 = 76, + Cfg9346___2 = 80, + Config0___2 = 81, + Config1___2 = 82, + Config2 = 83, + Config3___2 = 84, + Config4___2 = 85, + Config5___2 = 86, + PHYAR = 96, + PHYstatus = 108, + RxMaxSize = 218, + CPlusCmd = 224, + IntrMitigate = 226, + RxDescAddrLow = 228, + RxDescAddrHigh = 232, + EarlyTxThres = 236, + MaxTxPacketSize = 236, + FuncEvent = 240, + FuncEventMask = 244, + FuncPresetState = 248, + IBCR0 = 248, + IBCR2 = 249, + IBIMR0 = 250, + IBISR0 = 251, + FuncForceEvent = 252, +}; + +enum rtl8168_8101_registers { + CSIDR = 100, + CSIAR = 104, + PMCH = 111, + EPHYAR = 128, + DLLPR = 208, + DBG_REG = 209, + TWSI = 210, + MCU = 211, + EFUSEAR = 220, + MISC_1 = 242, +}; + +enum rtl8168_registers { + LED_FREQ = 26, + EEE_LED = 27, + ERIDR = 112, + ERIAR = 116, + EPHY_RXER_NUM = 124, + OCPDR = 176, + OCPAR = 180, + GPHY_OCP = 184, + RDSAR1 = 208, + MISC = 240, +}; + +enum rtl8125_registers { + IntrMask_8125 = 56, + IntrStatus_8125 = 60, + TxPoll_8125 = 144, + MAC0_BKP = 6624, +}; + +enum rtl_register_content { + SYSErr = 32768, + PCSTimeout___2 = 16384, + SWInt = 256, + TxDescUnavail = 128, + RxFIFOOver___2 = 64, + LinkChg = 32, + RxOverflow___2 = 16, + TxErr___2 = 8, + TxOK___2 = 4, + RxErr___2 = 2, + RxOK___2 = 1, + RxRWT = 4194304, + RxRES = 2097152, + RxRUNT = 1048576, + RxCRC = 524288, + StopReq = 128, + CmdReset___2 = 16, + CmdRxEnb___2 = 8, + CmdTxEnb___2 = 4, + RxBufEmpty___2 = 1, + HPQ = 128, + NPQ = 64, + FSWInt = 1, + Cfg9346_Lock___2 = 0, + Cfg9346_Unlock___2 = 192, + AcceptErr___2 = 32, + AcceptRunt___2 = 16, + AcceptBroadcast___2 = 8, + AcceptMulticast___2 = 4, + AcceptMyPhys___2 = 2, + AcceptAllPhys___2 = 1, + TxInterFrameGapShift = 24, + TxDMAShift___2 = 8, + LEDS1 = 128, + LEDS0 = 64, + Speed_down = 16, + MEMMAP = 8, + IOMAP = 4, + VPD = 2, + PMEnable = 1, + ClkReqEn = 128, + MSIEnable = 32, + PCI_Clock_66MHz = 1, + PCI_Clock_33MHz = 0, + MagicPacket = 32, + LinkUp = 16, + Jumbo_En0 = 4, + Rdy_to_L23 = 2, + Beacon_en = 1, + Jumbo_En1 = 2, + BWF = 64, + MWF = 32, + UWF = 16, + Spi_en = 8, + LanWake = 2, + PMEStatus = 1, + ASPM_en = 1, + EnableBist = 32768, + Mac_dbgo_oe = 16384, + Normal_mode = 8192, + Force_half_dup = 4096, + Force_rxflow_en = 2048, + Force_txflow_en = 1024, + Cxpl_dbg_sel = 512, + ASF = 256, + PktCntrDisable = 128, + Mac_dbgo_sel = 28, + RxVlan = 64, + RxChkSum = 32, + PCIDAC = 16, + PCIMulRW = 8, + TBI_Enable = 128, + TxFlowCtrl = 64, + RxFlowCtrl = 32, + _1000bpsF = 16, + _100bps = 8, + _10bps = 4, + LinkStatus = 2, + FullDup = 1, + CounterReset = 1, + CounterDump = 8, + MagicPacket_v2 = 65536, +}; + +enum rtl_desc_bit { + DescOwn = -2147483648, + RingEnd = 1073741824, + FirstFrag = 536870912, + LastFrag = 268435456, +}; + +enum rtl_tx_desc_bit { + TD_LSO = 134217728, + TxVlanTag = 131072, +}; + +enum rtl_tx_desc_bit_0 { + TD0_TCP_CS = 65536, + TD0_UDP_CS = 131072, + TD0_IP_CS = 262144, +}; + +enum rtl_tx_desc_bit_1 { + TD1_GTSENV4 = 67108864, + TD1_GTSENV6 = 33554432, + TD1_IPv6_CS = 268435456, + TD1_IPv4_CS = 536870912, + TD1_TCP_CS = 1073741824, + TD1_UDP_CS = -2147483648, +}; + +enum rtl_rx_desc_bit { + PID1 = 262144, + PID0 = 131072, + IPFail = 65536, + UDPFail = 32768, + TCPFail = 16384, + RxVlanTag = 65536, +}; + +struct TxDesc { + __le32 opts1; + __le32 opts2; + __le64 addr; +}; + +struct RxDesc { + __le32 opts1; + __le32 opts2; + __le64 addr; +}; + +struct rtl8169_counters { + __le64 tx_packets; + __le64 rx_packets; + __le64 tx_errors; + __le32 rx_errors; + __le16 rx_missed; + __le16 align_errors; + __le32 tx_one_collision; + __le32 tx_multi_collision; + __le64 rx_unicast; + __le64 rx_broadcast; + __le32 rx_multicast; + __le16 tx_aborted; + __le16 tx_underun; +}; + +enum rtl_flag { + RTL_FLAG_TASK_ENABLED = 0, + RTL_FLAG_TASK_RESET_PENDING = 1, + RTL_FLAG_MAX = 2, +}; + +typedef void (*rtl_generic_fct)(struct rtl8169_private *); + +struct rtl_cond { + bool (*check)(struct rtl8169_private *); + const char *msg; +}; + +struct rtl_coalesce_scale { + u32 nsecs[2]; +}; + +struct rtl_coalesce_info { + u32 speed; + struct rtl_coalesce_scale scalev[4]; +}; + +struct phy_reg { + u16 reg; + u16 val; +}; + +struct ephy_info { + unsigned int offset; + u16 mask; + u16 bits; +}; + +struct rtl_mac_info { + u16 mask; + u16 val; + u16 mac_version; +}; + +enum rtl_fw_opcode { + PHY_READ = 0, + PHY_DATA_OR = 1, + PHY_DATA_AND = 2, + PHY_BJMPN = 3, + PHY_MDIO_CHG = 4, + PHY_CLEAR_READCOUNT = 7, + PHY_WRITE = 8, + PHY_READCOUNT_EQ_SKIP = 9, + PHY_COMP_EQ_SKIPN = 10, + PHY_COMP_NEQ_SKIPN = 11, + PHY_WRITE_PREVIOUS = 12, + PHY_SKIPN = 13, + PHY_DELAY_MS = 14, +}; + +struct fw_info { + u32 magic; + char version[32]; + __le32 fw_start; + __le32 fw_len; + u8 chksum; +} __attribute__((packed)); + +struct ohci { + void *registers; +}; + +struct cdrom_msf { + __u8 cdmsf_min0; + __u8 cdmsf_sec0; + __u8 cdmsf_frame0; + __u8 cdmsf_min1; + __u8 cdmsf_sec1; + __u8 cdmsf_frame1; +}; + +struct cdrom_volctrl { + __u8 channel0; + __u8 channel1; + __u8 channel2; + __u8 channel3; +}; + +struct cdrom_subchnl { + __u8 cdsc_format; + __u8 cdsc_audiostatus; + __u8 cdsc_adr: 4; + __u8 cdsc_ctrl: 4; + __u8 cdsc_trk; + __u8 cdsc_ind; + union cdrom_addr cdsc_absaddr; + union cdrom_addr cdsc_reladdr; +}; + +struct cdrom_blk { + unsigned int from; + short unsigned int len; +}; + +struct dvd_layer { + __u8 book_version: 4; + __u8 book_type: 4; + __u8 min_rate: 4; + __u8 disc_size: 4; + __u8 layer_type: 4; + __u8 track_path: 1; + __u8 nlayers: 2; + char: 1; + __u8 track_density: 4; + __u8 linear_density: 4; + __u8 bca: 1; + __u32 start_sector; + __u32 end_sector; + __u32 end_sector_l0; +}; + +struct dvd_physical { + __u8 type; + __u8 layer_num; + struct dvd_layer layer[4]; +}; + +struct dvd_copyright { + __u8 type; + __u8 layer_num; + __u8 cpst; + __u8 rmi; +}; + +struct dvd_disckey { + __u8 type; + unsigned int agid: 2; + __u8 value[2048]; +}; + +struct dvd_bca { + __u8 type; + int len; + __u8 value[188]; +}; + +struct dvd_manufact { + __u8 type; + __u8 layer_num; + int len; + __u8 value[2048]; +}; + +typedef union { + __u8 type; + struct dvd_physical physical; + struct dvd_copyright copyright; + struct dvd_disckey disckey; + struct dvd_bca bca; + struct dvd_manufact manufact; +} dvd_struct; + +typedef __u8 dvd_key[5]; + +typedef __u8 dvd_challenge[10]; + +struct dvd_lu_send_agid { + __u8 type; + unsigned int agid: 2; +}; + +struct dvd_host_send_challenge { + __u8 type; + unsigned int agid: 2; + dvd_challenge chal; +}; + +struct dvd_send_key { + __u8 type; + unsigned int agid: 2; + dvd_key key; +}; + +struct dvd_lu_send_challenge { + __u8 type; + unsigned int agid: 2; + dvd_challenge chal; +}; + +struct dvd_lu_send_title_key { + __u8 type; + unsigned int agid: 2; + dvd_key title_key; + int lba; + unsigned int cpm: 1; + unsigned int cp_sec: 1; + unsigned int cgms: 2; +}; + +struct dvd_lu_send_asf { + __u8 type; + unsigned int agid: 2; + unsigned int asf: 1; +}; + +struct dvd_host_send_rpcstate { + __u8 type; + __u8 pdrc; +}; + +struct dvd_lu_send_rpcstate { + __u8 type: 2; + __u8 vra: 3; + __u8 ucca: 3; + __u8 region_mask; + __u8 rpc_scheme; +}; + +typedef union { + __u8 type; + struct dvd_lu_send_agid lsa; + struct dvd_host_send_challenge hsc; + struct dvd_send_key lsk; + struct dvd_lu_send_challenge lsc; + struct dvd_send_key hsk; + struct dvd_lu_send_title_key lstk; + struct dvd_lu_send_asf lsasf; + struct dvd_host_send_rpcstate hrpcs; + struct dvd_lu_send_rpcstate lrpcs; +} dvd_authinfo; + +struct mrw_feature_desc { + __be16 feature_code; + __u8 curr: 1; + __u8 persistent: 1; + __u8 feature_version: 4; + __u8 reserved1: 2; + __u8 add_len; + __u8 write: 1; + __u8 reserved2: 7; + __u8 reserved3; + __u8 reserved4; + __u8 reserved5; +}; + +struct rwrt_feature_desc { + __be16 feature_code; + __u8 curr: 1; + __u8 persistent: 1; + __u8 feature_version: 4; + __u8 reserved1: 2; + __u8 add_len; + __u32 last_lba; + __u32 block_size; + __u16 blocking; + __u8 page_present: 1; + __u8 reserved2: 7; + __u8 reserved3; +}; + +typedef struct { + __be16 disc_information_length; + __u8 disc_status: 2; + __u8 border_status: 2; + __u8 erasable: 1; + __u8 reserved1: 3; + __u8 n_first_track; + __u8 n_sessions_lsb; + __u8 first_track_lsb; + __u8 last_track_lsb; + __u8 mrw_status: 2; + __u8 dbit: 1; + __u8 reserved2: 2; + __u8 uru: 1; + __u8 dbc_v: 1; + __u8 did_v: 1; + __u8 disc_type; + __u8 n_sessions_msb; + __u8 first_track_msb; + __u8 last_track_msb; + __u32 disc_id; + __u32 lead_in; + __u32 lead_out; + __u8 disc_bar_code[8]; + __u8 reserved3; + __u8 n_opc; +} disc_information; + +typedef struct { + __be16 track_information_length; + __u8 track_lsb; + __u8 session_lsb; + __u8 reserved1; + __u8 track_mode: 4; + __u8 copy: 1; + __u8 damage: 1; + __u8 reserved2: 2; + __u8 data_mode: 4; + __u8 fp: 1; + __u8 packet: 1; + __u8 blank: 1; + __u8 rt: 1; + __u8 nwa_v: 1; + __u8 lra_v: 1; + __u8 reserved3: 6; + __be32 track_start; + __be32 next_writable; + __be32 free_blocks; + __be32 fixed_packet_size; + __be32 track_size; + __be32 last_rec_address; +} track_information; + +struct mode_page_header { + __be16 mode_data_length; + __u8 medium_type; + __u8 reserved1; + __u8 reserved2; + __u8 reserved3; + __be16 desc_length; +}; + +typedef struct { + int data; + int audio; + int cdi; + int xa; + long int error; +} tracktype; + +struct cdrom_mechstat_header { + __u8 curslot: 5; + __u8 changer_state: 2; + __u8 fault: 1; + __u8 reserved1: 4; + __u8 door_open: 1; + __u8 mech_state: 3; + __u8 curlba[3]; + __u8 nslots; + __u16 slot_tablelen; +}; + +struct cdrom_slot { + __u8 change: 1; + __u8 reserved1: 6; + __u8 disc_present: 1; + __u8 reserved2[3]; +}; + +struct cdrom_changer_info { + struct cdrom_mechstat_header hdr; + struct cdrom_slot slots[256]; +}; + +struct modesel_head { + __u8 reserved1; + __u8 medium; + __u8 reserved2; + __u8 block_desc_length; + __u8 density; + __u8 number_of_blocks_hi; + __u8 number_of_blocks_med; + __u8 number_of_blocks_lo; + __u8 reserved3; + __u8 block_length_hi; + __u8 block_length_med; + __u8 block_length_lo; +}; + +typedef struct { + __u16 report_key_length; + __u8 reserved1; + __u8 reserved2; + __u8 ucca: 3; + __u8 vra: 3; + __u8 type_code: 2; + __u8 region_mask; + __u8 rpc_scheme; + __u8 reserved3; +} rpc_state_t; + +struct cdrom_sysctl_settings { + char info[1000]; + int autoclose; + int autoeject; + int debug; + int lock; + int check; +}; + +enum cdrom_print_option { + CTL_NAME = 0, + CTL_SPEED = 1, + CTL_SLOTS = 2, + CTL_CAPABILITY = 3, +}; + +struct socket_state_t { + u_int flags; + u_int csc_mask; + u_char Vcc; + u_char Vpp; + u_char io_irq; +}; + +typedef struct socket_state_t socket_state_t; + +struct pccard_io_map { + u_char map; + u_char flags; + u_short speed; + phys_addr_t start; + phys_addr_t stop; +}; + +struct pccard_mem_map { + u_char map; + u_char flags; + u_short speed; + phys_addr_t static_start; + u_int card_start; + struct resource *res; +}; + +typedef struct pccard_mem_map pccard_mem_map; + +struct io_window_t { + u_int InUse; + u_int Config; + struct resource *res; +}; + +typedef struct io_window_t io_window_t; + +struct pcmcia_socket; + +struct pccard_operations { + int (*init)(struct pcmcia_socket *); + int (*suspend)(struct pcmcia_socket *); + int (*get_status)(struct pcmcia_socket *, u_int *); + int (*set_socket)(struct pcmcia_socket *, socket_state_t *); + int (*set_io_map)(struct pcmcia_socket *, struct pccard_io_map *); + int (*set_mem_map)(struct pcmcia_socket *, struct pccard_mem_map *); +}; + +struct pccard_resource_ops; + +struct pcmcia_callback; + +struct pcmcia_socket { + struct module *owner; + socket_state_t socket; + u_int state; + u_int suspended_state; + u_short functions; + u_short lock_count; + pccard_mem_map cis_mem; + void *cis_virt; + io_window_t io[2]; + pccard_mem_map win[4]; + struct list_head cis_cache; + size_t fake_cis_len; + u8 *fake_cis; + struct list_head socket_list; + struct completion socket_released; + unsigned int sock; + u_int features; + u_int irq_mask; + u_int map_size; + u_int io_offset; + u_int pci_irq; + struct pci_dev *cb_dev; + u8 resource_setup_done; + struct pccard_operations *ops; + struct pccard_resource_ops *resource_ops; + void *resource_data; + void (*zoom_video)(struct pcmcia_socket *, int); + int (*power_hook)(struct pcmcia_socket *, int); + void (*tune_bridge)(struct pcmcia_socket *, struct pci_bus *); + struct task_struct *thread; + struct completion thread_done; + unsigned int thread_events; + unsigned int sysfs_events; + struct mutex skt_mutex; + struct mutex ops_mutex; + spinlock_t thread_lock; + struct pcmcia_callback *callback; + struct list_head devices_list; + u8 device_count; + u8 pcmcia_pfc; + atomic_t present; + unsigned int pcmcia_irq; + struct device dev; + void *driver_data; + int resume_status; +}; + +struct pccard_resource_ops { + int (*validate_mem)(struct pcmcia_socket *); + int (*find_io)(struct pcmcia_socket *, unsigned int, unsigned int *, unsigned int, unsigned int, struct resource **); + struct resource * (*find_mem)(long unsigned int, long unsigned int, long unsigned int, int, struct pcmcia_socket *); + int (*init)(struct pcmcia_socket *); + void (*exit)(struct pcmcia_socket *); +}; + +struct pcmcia_callback { + struct module *owner; + int (*add)(struct pcmcia_socket *); + int (*remove)(struct pcmcia_socket *); + void (*requery)(struct pcmcia_socket *); + int (*validate)(struct pcmcia_socket *, unsigned int *); + int (*suspend)(struct pcmcia_socket *); + int (*early_resume)(struct pcmcia_socket *); + int (*resume)(struct pcmcia_socket *); +}; + +enum { + PCMCIA_IOPORT_0 = 0, + PCMCIA_IOPORT_1 = 1, + PCMCIA_IOMEM_0 = 2, + PCMCIA_IOMEM_1 = 3, + PCMCIA_IOMEM_2 = 4, + PCMCIA_IOMEM_3 = 5, + PCMCIA_NUM_RESOURCES = 6, +}; + +typedef unsigned char cisdata_t; + +struct cistpl_longlink_mfc_t { + u_char nfn; + struct { + u_char space; + u_int addr; + } fn[8]; +}; + +typedef struct cistpl_longlink_mfc_t cistpl_longlink_mfc_t; + +struct cistpl_vers_1_t { + u_char major; + u_char minor; + u_char ns; + u_char ofs[4]; + char str[254]; +}; + +typedef struct cistpl_vers_1_t cistpl_vers_1_t; + +struct cistpl_manfid_t { + u_short manf; + u_short card; +}; + +typedef struct cistpl_manfid_t cistpl_manfid_t; + +struct cistpl_funcid_t { + u_char func; + u_char sysinit; +}; + +typedef struct cistpl_funcid_t cistpl_funcid_t; + +struct cistpl_config_t { + u_char last_idx; + u_int base; + u_int rmask[4]; + u_char subtuples; +}; + +typedef struct cistpl_config_t cistpl_config_t; + +struct cistpl_device_geo_t { + u_char ngeo; + struct { + u_char buswidth; + u_int erase_block; + u_int read_block; + u_int write_block; + u_int partition; + u_int interleave; + } geo[4]; +}; + +typedef struct cistpl_device_geo_t cistpl_device_geo_t; + +struct pcmcia_device_id { + __u16 match_flags; + __u16 manf_id; + __u16 card_id; + __u8 func_id; + __u8 function; + __u8 device_no; + __u32 prod_id_hash[4]; + const char *prod_id[4]; + kernel_ulong_t driver_info; + char *cisfile; +}; + +struct pcmcia_dynids { + struct mutex lock; + struct list_head list; +}; + +struct pcmcia_device; + +struct pcmcia_driver { + const char *name; + int (*probe)(struct pcmcia_device *); + void (*remove)(struct pcmcia_device *); + int (*suspend)(struct pcmcia_device *); + int (*resume)(struct pcmcia_device *); + struct module *owner; + const struct pcmcia_device_id *id_table; + struct device_driver drv; + struct pcmcia_dynids dynids; +}; + +struct config_t; + +struct pcmcia_device { + struct pcmcia_socket *socket; + char *devname; + u8 device_no; + u8 func; + struct config_t *function_config; + struct list_head socket_device_list; + unsigned int irq; + struct resource *resource[6]; + resource_size_t card_addr; + unsigned int vpp; + unsigned int config_flags; + unsigned int config_base; + unsigned int config_index; + unsigned int config_regs; + unsigned int io_lines; + u16 suspended: 1; + u16 _irq: 1; + u16 _io: 1; + u16 _win: 4; + u16 _locked: 1; + u16 allow_func_id_match: 1; + u16 has_manf_id: 1; + u16 has_card_id: 1; + u16 has_func_id: 1; + u16 reserved: 4; + u8 func_id; + u16 manf_id; + u16 card_id; + char *prod_id[4]; + u64 dma_mask; + struct device dev; + void *priv; + unsigned int open; +}; + +struct config_t { + struct kref ref; + unsigned int state; + struct resource io[2]; + struct resource mem[4]; +}; + +typedef struct config_t config_t; + +struct pcmcia_dynid { + struct list_head node; + struct pcmcia_device_id id; +}; + +typedef long unsigned int u_long; + +typedef struct pccard_io_map pccard_io_map; + +struct cistpl_longlink_t { + u_int addr; +}; + +typedef struct cistpl_longlink_t cistpl_longlink_t; + +struct cistpl_checksum_t { + u_short addr; + u_short len; + u_char sum; +}; + +typedef struct cistpl_checksum_t cistpl_checksum_t; + +struct cistpl_altstr_t { + u_char ns; + u_char ofs[4]; + char str[254]; +}; + +typedef struct cistpl_altstr_t cistpl_altstr_t; + +struct cistpl_device_t { + u_char ndev; + struct { + u_char type; + u_char wp; + u_int speed; + u_int size; + } dev[4]; +}; + +typedef struct cistpl_device_t cistpl_device_t; + +struct cistpl_jedec_t { + u_char nid; + struct { + u_char mfr; + u_char info; + } id[4]; +}; + +typedef struct cistpl_jedec_t cistpl_jedec_t; + +struct cistpl_funce_t { + u_char type; + u_char data[0]; +}; + +typedef struct cistpl_funce_t cistpl_funce_t; + +struct cistpl_bar_t { + u_char attr; + u_int size; +}; + +typedef struct cistpl_bar_t cistpl_bar_t; + +struct cistpl_power_t { + u_char present; + u_char flags; + u_int param[7]; +}; + +typedef struct cistpl_power_t cistpl_power_t; + +struct cistpl_timing_t { + u_int wait; + u_int waitscale; + u_int ready; + u_int rdyscale; + u_int reserved; + u_int rsvscale; +}; + +typedef struct cistpl_timing_t cistpl_timing_t; + +struct cistpl_io_t { + u_char flags; + u_char nwin; + struct { + u_int base; + u_int len; + } win[16]; +}; + +typedef struct cistpl_io_t cistpl_io_t; + +struct cistpl_irq_t { + u_int IRQInfo1; + u_int IRQInfo2; +}; + +typedef struct cistpl_irq_t cistpl_irq_t; + +struct cistpl_mem_t { + u_char flags; + u_char nwin; + struct { + u_int len; + u_int card_addr; + u_int host_addr; + } win[8]; +}; + +typedef struct cistpl_mem_t cistpl_mem_t; + +struct cistpl_cftable_entry_t { + u_char index; + u_short flags; + u_char interface; + cistpl_power_t vcc; + cistpl_power_t vpp1; + cistpl_power_t vpp2; + cistpl_timing_t timing; + cistpl_io_t io; + cistpl_irq_t irq; + cistpl_mem_t mem; + u_char subtuples; +}; + +typedef struct cistpl_cftable_entry_t cistpl_cftable_entry_t; + +struct cistpl_cftable_entry_cb_t { + u_char index; + u_int flags; + cistpl_power_t vcc; + cistpl_power_t vpp1; + cistpl_power_t vpp2; + u_char io; + cistpl_irq_t irq; + u_char mem; + u_char subtuples; +}; + +typedef struct cistpl_cftable_entry_cb_t cistpl_cftable_entry_cb_t; + +struct cistpl_vers_2_t { + u_char vers; + u_char comply; + u_short dindex; + u_char vspec8; + u_char vspec9; + u_char nhdr; + u_char vendor; + u_char info; + char str[244]; +}; + +typedef struct cistpl_vers_2_t cistpl_vers_2_t; + +struct cistpl_org_t { + u_char data_org; + char desc[30]; +}; + +typedef struct cistpl_org_t cistpl_org_t; + +struct cistpl_format_t { + u_char type; + u_char edc; + u_int offset; + u_int length; +}; + +typedef struct cistpl_format_t cistpl_format_t; + +union cisparse_t { + cistpl_device_t device; + cistpl_checksum_t checksum; + cistpl_longlink_t longlink; + cistpl_longlink_mfc_t longlink_mfc; + cistpl_vers_1_t version_1; + cistpl_altstr_t altstr; + cistpl_jedec_t jedec; + cistpl_manfid_t manfid; + cistpl_funcid_t funcid; + cistpl_funce_t funce; + cistpl_bar_t bar; + cistpl_config_t config; + cistpl_cftable_entry_t cftable_entry; + cistpl_cftable_entry_cb_t cftable_entry_cb; + cistpl_device_geo_t device_geo; + cistpl_vers_2_t vers_2; + cistpl_org_t org; + cistpl_format_t format; +}; + +typedef union cisparse_t cisparse_t; + +struct tuple_t { + u_int Attributes; + cisdata_t DesiredTuple; + u_int Flags; + u_int LinkOffset; + u_int CISOffset; + cisdata_t TupleCode; + cisdata_t TupleLink; + cisdata_t TupleOffset; + cisdata_t TupleDataMax; + cisdata_t TupleDataLen; + cisdata_t *TupleData; +}; + +typedef struct tuple_t tuple_t; + +struct cis_cache_entry { + struct list_head node; + unsigned int addr; + unsigned int len; + unsigned int attr; + unsigned char cache[0]; +}; + +struct tuple_flags { + u_int link_space: 4; + u_int has_link: 1; + u_int mfc_fn: 3; + u_int space: 4; +}; + +struct pcmcia_cfg_mem { + struct pcmcia_device *p_dev; + int (*conf_check)(struct pcmcia_device *, void *); + void *priv_data; + cisparse_t parse; + cistpl_cftable_entry_t dflt; +}; + +struct pcmcia_loop_mem { + struct pcmcia_device *p_dev; + void *priv_data; + int (*loop_tuple)(struct pcmcia_device *, tuple_t *, void *); +}; + +struct pcmcia_loop_get { + size_t len; + cisdata_t **buf; +}; + +struct resource_map { + u_long base; + u_long num; + struct resource_map *next; +}; + +struct socket_data { + struct resource_map mem_db; + struct resource_map mem_db_valid; + struct resource_map io_db; +}; + +struct pcmcia_align_data { + long unsigned int mask; + long unsigned int offset; + struct resource_map *map; +}; + +struct yenta_socket; + +struct cardbus_type { + int (*override)(struct yenta_socket *); + void (*save_state)(struct yenta_socket *); + void (*restore_state)(struct yenta_socket *); + int (*sock_init)(struct yenta_socket *); +}; + +struct yenta_socket { + struct pci_dev *dev; + int cb_irq; + int io_irq; + void *base; + struct timer_list poll_timer; + struct pcmcia_socket socket; + struct cardbus_type *type; + u32 flags; + unsigned int probe_status; + unsigned int private[8]; + u32 saved_state[2]; +}; + +enum { + CARDBUS_TYPE_DEFAULT = -1, + CARDBUS_TYPE_TI = 0, + CARDBUS_TYPE_TI113X = 1, + CARDBUS_TYPE_TI12XX = 2, + CARDBUS_TYPE_TI1250 = 3, + CARDBUS_TYPE_RICOH = 4, + CARDBUS_TYPE_TOPIC95 = 5, + CARDBUS_TYPE_TOPIC97 = 6, + CARDBUS_TYPE_O2MICRO = 7, + CARDBUS_TYPE_ENE = 8, +}; + +enum usb_device_speed { + USB_SPEED_UNKNOWN = 0, + USB_SPEED_LOW = 1, + USB_SPEED_FULL = 2, + USB_SPEED_HIGH = 3, + USB_SPEED_WIRELESS = 4, + USB_SPEED_SUPER = 5, + USB_SPEED_SUPER_PLUS = 6, +}; + +enum usb_device_state { + USB_STATE_NOTATTACHED = 0, + USB_STATE_ATTACHED = 1, + USB_STATE_POWERED = 2, + USB_STATE_RECONNECTING = 3, + USB_STATE_UNAUTHENTICATED = 4, + USB_STATE_DEFAULT = 5, + USB_STATE_ADDRESS = 6, + USB_STATE_CONFIGURED = 7, + USB_STATE_SUSPENDED = 8, +}; + +enum usb_otg_state { + OTG_STATE_UNDEFINED = 0, + OTG_STATE_B_IDLE = 1, + OTG_STATE_B_SRP_INIT = 2, + OTG_STATE_B_PERIPHERAL = 3, + OTG_STATE_B_WAIT_ACON = 4, + OTG_STATE_B_HOST = 5, + OTG_STATE_A_IDLE = 6, + OTG_STATE_A_WAIT_VRISE = 7, + OTG_STATE_A_WAIT_BCON = 8, + OTG_STATE_A_HOST = 9, + OTG_STATE_A_SUSPEND = 10, + OTG_STATE_A_PERIPHERAL = 11, + OTG_STATE_A_WAIT_VFALL = 12, + OTG_STATE_A_VBUS_ERR = 13, +}; + +enum usb_dr_mode { + USB_DR_MODE_UNKNOWN = 0, + USB_DR_MODE_HOST = 1, + USB_DR_MODE_PERIPHERAL = 2, + USB_DR_MODE_OTG = 3, +}; + +struct usb_device_id { + __u16 match_flags; + __u16 idVendor; + __u16 idProduct; + __u16 bcdDevice_lo; + __u16 bcdDevice_hi; + __u8 bDeviceClass; + __u8 bDeviceSubClass; + __u8 bDeviceProtocol; + __u8 bInterfaceClass; + __u8 bInterfaceSubClass; + __u8 bInterfaceProtocol; + __u8 bInterfaceNumber; + kernel_ulong_t driver_info; +}; + +struct usb_descriptor_header { + __u8 bLength; + __u8 bDescriptorType; +}; + +struct usb_device_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __le16 bcdUSB; + __u8 bDeviceClass; + __u8 bDeviceSubClass; + __u8 bDeviceProtocol; + __u8 bMaxPacketSize0; + __le16 idVendor; + __le16 idProduct; + __le16 bcdDevice; + __u8 iManufacturer; + __u8 iProduct; + __u8 iSerialNumber; + __u8 bNumConfigurations; +}; + +struct usb_config_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __le16 wTotalLength; + __u8 bNumInterfaces; + __u8 bConfigurationValue; + __u8 iConfiguration; + __u8 bmAttributes; + __u8 bMaxPower; +} __attribute__((packed)); + +struct usb_interface_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bInterfaceNumber; + __u8 bAlternateSetting; + __u8 bNumEndpoints; + __u8 bInterfaceClass; + __u8 bInterfaceSubClass; + __u8 bInterfaceProtocol; + __u8 iInterface; +}; + +struct usb_endpoint_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bEndpointAddress; + __u8 bmAttributes; + __le16 wMaxPacketSize; + __u8 bInterval; + __u8 bRefresh; + __u8 bSynchAddress; +} __attribute__((packed)); + +struct usb_ssp_isoc_ep_comp_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __le16 wReseved; + __le32 dwBytesPerInterval; +}; + +struct usb_ss_ep_comp_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bMaxBurst; + __u8 bmAttributes; + __le16 wBytesPerInterval; +}; + +struct usb_interface_assoc_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bFirstInterface; + __u8 bInterfaceCount; + __u8 bFunctionClass; + __u8 bFunctionSubClass; + __u8 bFunctionProtocol; + __u8 iFunction; +}; + +struct usb_bos_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __le16 wTotalLength; + __u8 bNumDeviceCaps; +} __attribute__((packed)); + +struct usb_ext_cap_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDevCapabilityType; + __le32 bmAttributes; +} __attribute__((packed)); + +struct usb_ss_cap_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDevCapabilityType; + __u8 bmAttributes; + __le16 wSpeedSupported; + __u8 bFunctionalitySupport; + __u8 bU1devExitLat; + __le16 bU2DevExitLat; +}; + +struct usb_ss_container_id_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDevCapabilityType; + __u8 bReserved; + __u8 ContainerID[16]; +}; + +struct usb_ssp_cap_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDevCapabilityType; + __u8 bReserved; + __le32 bmAttributes; + __le16 wFunctionalitySupport; + __le16 wReserved; + __le32 bmSublinkSpeedAttr[1]; +}; + +struct usb_ptm_cap_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDevCapabilityType; +}; + +enum usb3_link_state { + USB3_LPM_U0 = 0, + USB3_LPM_U1 = 1, + USB3_LPM_U2 = 2, + USB3_LPM_U3 = 3, +}; + +struct ep_device; + +struct usb_host_endpoint { + struct usb_endpoint_descriptor desc; + struct usb_ss_ep_comp_descriptor ss_ep_comp; + struct usb_ssp_isoc_ep_comp_descriptor ssp_isoc_ep_comp; + char: 8; + struct list_head urb_list; + void *hcpriv; + struct ep_device *ep_dev; + unsigned char *extra; + int extralen; + int enabled; + int streams; + int: 32; +} __attribute__((packed)); + +struct usb_host_interface { + struct usb_interface_descriptor desc; + int extralen; + unsigned char *extra; + struct usb_host_endpoint *endpoint; + char *string; +}; + +enum usb_interface_condition { + USB_INTERFACE_UNBOUND = 0, + USB_INTERFACE_BINDING = 1, + USB_INTERFACE_BOUND = 2, + USB_INTERFACE_UNBINDING = 3, +}; + +struct usb_interface { + struct usb_host_interface *altsetting; + struct usb_host_interface *cur_altsetting; + unsigned int num_altsetting; + struct usb_interface_assoc_descriptor *intf_assoc; + int minor; + enum usb_interface_condition condition; + unsigned int sysfs_files_created: 1; + unsigned int ep_devs_created: 1; + unsigned int unregistering: 1; + unsigned int needs_remote_wakeup: 1; + unsigned int needs_altsetting0: 1; + unsigned int needs_binding: 1; + unsigned int resetting_device: 1; + unsigned int authorized: 1; + struct device dev; + struct device *usb_dev; + struct work_struct reset_ws; +}; + +struct usb_interface_cache { + unsigned int num_altsetting; + struct kref ref; + struct usb_host_interface altsetting[0]; +}; + +struct usb_host_config { + struct usb_config_descriptor desc; + char *string; + struct usb_interface_assoc_descriptor *intf_assoc[16]; + struct usb_interface *interface[32]; + struct usb_interface_cache *intf_cache[32]; + unsigned char *extra; + int extralen; +}; + +struct usb_host_bos { + struct usb_bos_descriptor *desc; + struct usb_ext_cap_descriptor *ext_cap; + struct usb_ss_cap_descriptor *ss_cap; + struct usb_ssp_cap_descriptor *ssp_cap; + struct usb_ss_container_id_descriptor *ss_id; + struct usb_ptm_cap_descriptor *ptm_cap; +}; + +struct usb_devmap { + long unsigned int devicemap[2]; +}; + +struct usb_device; + +struct mon_bus; + +struct usb_bus { + struct device *controller; + struct device *sysdev; + int busnum; + const char *bus_name; + u8 uses_pio_for_control; + u8 otg_port; + unsigned int is_b_host: 1; + unsigned int b_hnp_enable: 1; + unsigned int no_stop_on_short: 1; + unsigned int no_sg_constraint: 1; + unsigned int sg_tablesize; + int devnum_next; + struct mutex devnum_next_mutex; + struct usb_devmap devmap; + struct usb_device *root_hub; + struct usb_bus *hs_companion; + int bandwidth_allocated; + int bandwidth_int_reqs; + int bandwidth_isoc_reqs; + unsigned int resuming_ports; + struct mon_bus *mon_bus; + int monitored; +}; + +struct wusb_dev; + +enum usb_device_removable { + USB_DEVICE_REMOVABLE_UNKNOWN = 0, + USB_DEVICE_REMOVABLE = 1, + USB_DEVICE_FIXED = 2, +}; + +struct usb2_lpm_parameters { + unsigned int besl; + int timeout; +}; + +struct usb3_lpm_parameters { + unsigned int mel; + unsigned int pel; + unsigned int sel; + int timeout; +}; + +struct usb_tt; + +struct usb_device { + int devnum; + char devpath[16]; + u32 route; + enum usb_device_state state; + enum usb_device_speed speed; + unsigned int rx_lanes; + unsigned int tx_lanes; + struct usb_tt *tt; + int ttport; + unsigned int toggle[2]; + struct usb_device *parent; + struct usb_bus *bus; + struct usb_host_endpoint ep0; + struct device dev; + struct usb_device_descriptor descriptor; + struct usb_host_bos *bos; + struct usb_host_config *config; + struct usb_host_config *actconfig; + struct usb_host_endpoint *ep_in[16]; + struct usb_host_endpoint *ep_out[16]; + char **rawdescriptors; + short unsigned int bus_mA; + u8 portnum; + u8 level; + u8 devaddr; + unsigned int can_submit: 1; + unsigned int persist_enabled: 1; + unsigned int have_langid: 1; + unsigned int authorized: 1; + unsigned int authenticated: 1; + unsigned int wusb: 1; + unsigned int lpm_capable: 1; + unsigned int usb2_hw_lpm_capable: 1; + unsigned int usb2_hw_lpm_besl_capable: 1; + unsigned int usb2_hw_lpm_enabled: 1; + unsigned int usb2_hw_lpm_allowed: 1; + unsigned int usb3_lpm_u1_enabled: 1; + unsigned int usb3_lpm_u2_enabled: 1; + int string_langid; + char *product; + char *manufacturer; + char *serial; + struct list_head filelist; + int maxchild; + u32 quirks; + atomic_t urbnum; + long unsigned int active_duration; + long unsigned int connect_time; + unsigned int do_remote_wakeup: 1; + unsigned int reset_resume: 1; + unsigned int port_is_suspended: 1; + struct wusb_dev *wusb_dev; + int slot_id; + enum usb_device_removable removable; + struct usb2_lpm_parameters l1_params; + struct usb3_lpm_parameters u1_params; + struct usb3_lpm_parameters u2_params; + unsigned int lpm_disable_count; + u16 hub_delay; +}; + +enum usb_port_connect_type { + USB_PORT_CONNECT_TYPE_UNKNOWN = 0, + USB_PORT_CONNECT_TYPE_HOT_PLUG = 1, + USB_PORT_CONNECT_TYPE_HARD_WIRED = 2, + USB_PORT_NOT_USED = 3, +}; + +struct usb_tt { + struct usb_device *hub; + int multi; + unsigned int think_time; + void *hcpriv; + spinlock_t lock; + struct list_head clear_list; + struct work_struct clear_work; +}; + +struct usb_dynids { + spinlock_t lock; + struct list_head list; +}; + +struct usbdrv_wrap { + struct device_driver driver; + int for_devices; +}; + +struct usb_driver { + const char *name; + int (*probe)(struct usb_interface *, const struct usb_device_id *); + void (*disconnect)(struct usb_interface *); + int (*unlocked_ioctl)(struct usb_interface *, unsigned int, void *); + int (*suspend)(struct usb_interface *, pm_message_t); + int (*resume)(struct usb_interface *); + int (*reset_resume)(struct usb_interface *); + int (*pre_reset)(struct usb_interface *); + int (*post_reset)(struct usb_interface *); + const struct usb_device_id *id_table; + const struct attribute_group **dev_groups; + struct usb_dynids dynids; + struct usbdrv_wrap drvwrap; + unsigned int no_dynamic_id: 1; + unsigned int supports_autosuspend: 1; + unsigned int disable_hub_initiated_lpm: 1; + unsigned int soft_unbind: 1; +}; + +struct usb_device_driver { + const char *name; + int (*probe)(struct usb_device *); + void (*disconnect)(struct usb_device *); + int (*suspend)(struct usb_device *, pm_message_t); + int (*resume)(struct usb_device *, pm_message_t); + const struct attribute_group **dev_groups; + struct usbdrv_wrap drvwrap; + unsigned int supports_autosuspend: 1; +}; + +struct usb_iso_packet_descriptor { + unsigned int offset; + unsigned int length; + unsigned int actual_length; + int status; +}; + +struct usb_anchor { + struct list_head urb_list; + wait_queue_head_t wait; + spinlock_t lock; + atomic_t suspend_wakeups; + unsigned int poisoned: 1; +}; + +struct urb; + +typedef void (*usb_complete_t)(struct urb *); + +struct urb { + struct kref kref; + int unlinked; + void *hcpriv; + atomic_t use_count; + atomic_t reject; + struct list_head urb_list; + struct list_head anchor_list; + struct usb_anchor *anchor; + struct usb_device *dev; + struct usb_host_endpoint *ep; + unsigned int pipe; + unsigned int stream_id; + int status; + unsigned int transfer_flags; + void *transfer_buffer; + dma_addr_t transfer_dma; + struct scatterlist *sg; + int num_mapped_sgs; + int num_sgs; + u32 transfer_buffer_length; + u32 actual_length; + unsigned char *setup_packet; + dma_addr_t setup_dma; + int start_frame; + int number_of_packets; + int interval; + int error_count; + void *context; + usb_complete_t complete; + struct usb_iso_packet_descriptor iso_frame_desc[0]; +}; + +struct giveback_urb_bh { + bool running; + spinlock_t lock; + struct list_head head; + struct tasklet_struct bh; + struct usb_host_endpoint *completing_ep; +}; + +enum usb_dev_authorize_policy { + USB_DEVICE_AUTHORIZE_NONE = 0, + USB_DEVICE_AUTHORIZE_ALL = 1, + USB_DEVICE_AUTHORIZE_INTERNAL = 2, +}; + +struct usb_phy_roothub; + +struct hc_driver; + +struct usb_phy; + +struct usb_hcd { + struct usb_bus self; + struct kref kref; + const char *product_desc; + int speed; + char irq_descr[24]; + struct timer_list rh_timer; + struct urb *status_urb; + struct work_struct wakeup_work; + struct work_struct died_work; + const struct hc_driver *driver; + struct usb_phy *usb_phy; + struct usb_phy_roothub *phy_roothub; + long unsigned int flags; + enum usb_dev_authorize_policy dev_policy; + unsigned int rh_registered: 1; + unsigned int rh_pollable: 1; + unsigned int msix_enabled: 1; + unsigned int msi_enabled: 1; + unsigned int skip_phy_initialization: 1; + unsigned int uses_new_polling: 1; + unsigned int wireless: 1; + unsigned int has_tt: 1; + unsigned int amd_resume_bug: 1; + unsigned int can_do_streams: 1; + unsigned int tpl_support: 1; + unsigned int cant_recv_wakeups: 1; + unsigned int irq; + void *regs; + resource_size_t rsrc_start; + resource_size_t rsrc_len; + unsigned int power_budget; + struct giveback_urb_bh high_prio_bh; + struct giveback_urb_bh low_prio_bh; + struct mutex *address0_mutex; + struct mutex *bandwidth_mutex; + struct usb_hcd *shared_hcd; + struct usb_hcd *primary_hcd; + struct dma_pool___2 *pool[4]; + int state; + struct gen_pool *localmem_pool; + long unsigned int hcd_priv[0]; +}; + +struct hc_driver { + const char *description; + const char *product_desc; + size_t hcd_priv_size; + irqreturn_t (*irq)(struct usb_hcd *); + int flags; + int (*reset)(struct usb_hcd *); + int (*start)(struct usb_hcd *); + int (*pci_suspend)(struct usb_hcd *, bool); + int (*pci_resume)(struct usb_hcd *, bool); + void (*stop)(struct usb_hcd *); + void (*shutdown)(struct usb_hcd *); + int (*get_frame_number)(struct usb_hcd *); + int (*urb_enqueue)(struct usb_hcd *, struct urb *, gfp_t); + int (*urb_dequeue)(struct usb_hcd *, struct urb *, int); + int (*map_urb_for_dma)(struct usb_hcd *, struct urb *, gfp_t); + void (*unmap_urb_for_dma)(struct usb_hcd *, struct urb *); + void (*endpoint_disable)(struct usb_hcd *, struct usb_host_endpoint *); + void (*endpoint_reset)(struct usb_hcd *, struct usb_host_endpoint *); + int (*hub_status_data)(struct usb_hcd *, char *); + int (*hub_control)(struct usb_hcd *, u16, u16, u16, char *, u16); + int (*bus_suspend)(struct usb_hcd *); + int (*bus_resume)(struct usb_hcd *); + int (*start_port_reset)(struct usb_hcd *, unsigned int); + long unsigned int (*get_resuming_ports)(struct usb_hcd *); + void (*relinquish_port)(struct usb_hcd *, int); + int (*port_handed_over)(struct usb_hcd *, int); + void (*clear_tt_buffer_complete)(struct usb_hcd *, struct usb_host_endpoint *); + int (*alloc_dev)(struct usb_hcd *, struct usb_device *); + void (*free_dev)(struct usb_hcd *, struct usb_device *); + int (*alloc_streams)(struct usb_hcd *, struct usb_device *, struct usb_host_endpoint **, unsigned int, unsigned int, gfp_t); + int (*free_streams)(struct usb_hcd *, struct usb_device *, struct usb_host_endpoint **, unsigned int, gfp_t); + int (*add_endpoint)(struct usb_hcd *, struct usb_device *, struct usb_host_endpoint *); + int (*drop_endpoint)(struct usb_hcd *, struct usb_device *, struct usb_host_endpoint *); + int (*check_bandwidth)(struct usb_hcd *, struct usb_device *); + void (*reset_bandwidth)(struct usb_hcd *, struct usb_device *); + int (*address_device)(struct usb_hcd *, struct usb_device *); + int (*enable_device)(struct usb_hcd *, struct usb_device *); + int (*update_hub_device)(struct usb_hcd *, struct usb_device *, struct usb_tt *, gfp_t); + int (*reset_device)(struct usb_hcd *, struct usb_device *); + int (*update_device)(struct usb_hcd *, struct usb_device *); + int (*set_usb2_hw_lpm)(struct usb_hcd *, struct usb_device *, int); + int (*enable_usb3_lpm_timeout)(struct usb_hcd *, struct usb_device *, enum usb3_link_state); + int (*disable_usb3_lpm_timeout)(struct usb_hcd *, struct usb_device *, enum usb3_link_state); + int (*find_raw_port_number)(struct usb_hcd *, int); + int (*port_power)(struct usb_hcd *, int, bool); +}; + +enum usb_phy_type { + USB_PHY_TYPE_UNDEFINED = 0, + USB_PHY_TYPE_USB2 = 1, + USB_PHY_TYPE_USB3 = 2, +}; + +enum usb_phy_events { + USB_EVENT_NONE = 0, + USB_EVENT_VBUS = 1, + USB_EVENT_ID = 2, + USB_EVENT_CHARGER = 3, + USB_EVENT_ENUMERATED = 4, +}; + +struct extcon_dev; + +enum usb_charger_type { + UNKNOWN_TYPE = 0, + SDP_TYPE = 1, + DCP_TYPE = 2, + CDP_TYPE = 3, + ACA_TYPE = 4, +}; + +enum usb_charger_state { + USB_CHARGER_DEFAULT = 0, + USB_CHARGER_PRESENT = 1, + USB_CHARGER_ABSENT = 2, +}; + +struct usb_charger_current { + unsigned int sdp_min; + unsigned int sdp_max; + unsigned int dcp_min; + unsigned int dcp_max; + unsigned int cdp_min; + unsigned int cdp_max; + unsigned int aca_min; + unsigned int aca_max; +}; + +struct usb_otg; + +struct usb_phy_io_ops; + +struct usb_phy { + struct device *dev; + const char *label; + unsigned int flags; + enum usb_phy_type type; + enum usb_phy_events last_event; + struct usb_otg *otg; + struct device *io_dev; + struct usb_phy_io_ops *io_ops; + void *io_priv; + struct extcon_dev *edev; + struct extcon_dev *id_edev; + struct notifier_block vbus_nb; + struct notifier_block id_nb; + struct notifier_block type_nb; + enum usb_charger_type chg_type; + enum usb_charger_state chg_state; + struct usb_charger_current chg_cur; + struct work_struct chg_work; + struct atomic_notifier_head notifier; + u16 port_status; + u16 port_change; + struct list_head head; + int (*init)(struct usb_phy *); + void (*shutdown)(struct usb_phy *); + int (*set_vbus)(struct usb_phy *, int); + int (*set_power)(struct usb_phy *, unsigned int); + int (*set_suspend)(struct usb_phy *, int); + int (*set_wakeup)(struct usb_phy *, bool); + int (*notify_connect)(struct usb_phy *, enum usb_device_speed); + int (*notify_disconnect)(struct usb_phy *, enum usb_device_speed); + enum usb_charger_type (*charger_detect)(struct usb_phy *); +}; + +struct usb_port_status { + __le16 wPortStatus; + __le16 wPortChange; + __le32 dwExtPortStatus; +}; + +struct usb_hub_status { + __le16 wHubStatus; + __le16 wHubChange; +}; + +struct usb_hub_descriptor { + __u8 bDescLength; + __u8 bDescriptorType; + __u8 bNbrPorts; + __le16 wHubCharacteristics; + __u8 bPwrOn2PwrGood; + __u8 bHubContrCurrent; + union { + struct { + __u8 DeviceRemovable[4]; + __u8 PortPwrCtrlMask[4]; + } hs; + struct { + __u8 bHubHdrDecLat; + __le16 wHubDelay; + __le16 DeviceRemovable; + } __attribute__((packed)) ss; + } u; +} __attribute__((packed)); + +struct usb_mon_operations { + void (*urb_submit)(struct usb_bus *, struct urb *); + void (*urb_submit_error)(struct usb_bus *, struct urb *, int); + void (*urb_complete)(struct usb_bus *, struct urb *, int); +}; + +struct usb_phy_io_ops { + int (*read)(struct usb_phy *, u32); + int (*write)(struct usb_phy *, u32, u32); +}; + +struct usb_gadget; + +struct usb_otg { + u8 default_a; + struct phy___2 *phy; + struct usb_phy *usb_phy; + struct usb_bus *host; + struct usb_gadget *gadget; + enum usb_otg_state state; + int (*set_host)(struct usb_otg *, struct usb_bus *); + int (*set_peripheral)(struct usb_otg *, struct usb_gadget *); + int (*set_vbus)(struct usb_otg *, bool); + int (*start_srp)(struct usb_otg *); + int (*start_hnp)(struct usb_otg *); +}; + +typedef u32 usb_port_location_t; + +struct usb_port; + +struct usb_hub { + struct device *intfdev; + struct usb_device *hdev; + struct kref kref; + struct urb *urb; + u8 (*buffer)[8]; + union { + struct usb_hub_status hub; + struct usb_port_status port; + } *status; + struct mutex status_mutex; + int error; + int nerrors; + long unsigned int event_bits[1]; + long unsigned int change_bits[1]; + long unsigned int removed_bits[1]; + long unsigned int wakeup_bits[1]; + long unsigned int power_bits[1]; + long unsigned int child_usage_bits[1]; + long unsigned int warm_reset_bits[1]; + struct usb_hub_descriptor *descriptor; + struct usb_tt tt; + unsigned int mA_per_port; + unsigned int wakeup_enabled_descendants; + unsigned int limited_power: 1; + unsigned int quiescing: 1; + unsigned int disconnected: 1; + unsigned int in_reset: 1; + unsigned int quirk_check_port_auto_suspend: 1; + unsigned int has_indicators: 1; + u8 indicator[31]; + struct delayed_work leds; + struct delayed_work init_work; + struct work_struct events; + spinlock_t irq_urb_lock; + struct timer_list irq_urb_retry; + struct usb_port **ports; +}; + +struct usb_dev_state; + +struct usb_port { + struct usb_device *child; + struct device dev; + struct usb_dev_state *port_owner; + struct usb_port *peer; + struct dev_pm_qos_request *req; + enum usb_port_connect_type connect_type; + usb_port_location_t location; + struct mutex status_lock; + u32 over_current_count; + u8 portnum; + u32 quirks; + unsigned int is_superspeed: 1; + unsigned int usb3_lpm_u1_permit: 1; + unsigned int usb3_lpm_u2_permit: 1; +}; + +struct find_interface_arg { + int minor; + struct device_driver *drv; +}; + +struct each_dev_arg { + void *data; + int (*fn)(struct usb_device *, void *); +}; + +struct usb_qualifier_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __le16 bcdUSB; + __u8 bDeviceClass; + __u8 bDeviceSubClass; + __u8 bDeviceProtocol; + __u8 bMaxPacketSize0; + __u8 bNumConfigurations; + __u8 bRESERVED; +}; + +struct usb_set_sel_req { + __u8 u1_sel; + __u8 u1_pel; + __le16 u2_sel; + __le16 u2_pel; +}; + +struct usbdevfs_hub_portinfo { + char nports; + char port[127]; +}; + +enum hub_led_mode { + INDICATOR_AUTO = 0, + INDICATOR_CYCLE = 1, + INDICATOR_GREEN_BLINK = 2, + INDICATOR_GREEN_BLINK_OFF = 3, + INDICATOR_AMBER_BLINK = 4, + INDICATOR_AMBER_BLINK_OFF = 5, + INDICATOR_ALT_BLINK = 6, + INDICATOR_ALT_BLINK_OFF = 7, +}; + +struct usb_tt_clear { + struct list_head clear_list; + unsigned int tt; + u16 devinfo; + struct usb_hcd *hcd; + struct usb_host_endpoint *ep; +}; + +enum hub_activation_type { + HUB_INIT = 0, + HUB_INIT2 = 1, + HUB_INIT3 = 2, + HUB_POST_RESET = 3, + HUB_RESUME = 4, + HUB_RESET_RESUME = 5, +}; + +enum hub_quiescing_type { + HUB_DISCONNECT = 0, + HUB_PRE_RESET = 1, + HUB_SUSPEND = 2, +}; + +struct usb_ctrlrequest { + __u8 bRequestType; + __u8 bRequest; + __le16 wValue; + __le16 wIndex; + __le16 wLength; +}; + +enum usb_led_event { + USB_LED_EVENT_HOST = 0, + USB_LED_EVENT_GADGET = 1, +}; + +struct usb_sg_request { + int status; + size_t bytes; + spinlock_t lock; + struct usb_device *dev; + int pipe; + int entries; + struct urb **urbs; + int count; + struct completion complete; +}; + +struct usb_cdc_header_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __le16 bcdCDC; +} __attribute__((packed)); + +struct usb_cdc_call_mgmt_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __u8 bmCapabilities; + __u8 bDataInterface; +}; + +struct usb_cdc_acm_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __u8 bmCapabilities; +}; + +struct usb_cdc_union_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __u8 bMasterInterface0; + __u8 bSlaveInterface0; +}; + +struct usb_cdc_country_functional_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __u8 iCountryCodeRelDate; + __le16 wCountyCode0; +}; + +struct usb_cdc_network_terminal_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __u8 bEntityId; + __u8 iName; + __u8 bChannelIndex; + __u8 bPhysicalInterface; +}; + +struct usb_cdc_ether_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __u8 iMACAddress; + __le32 bmEthernetStatistics; + __le16 wMaxSegmentSize; + __le16 wNumberMCFilters; + __u8 bNumberPowerFilters; +} __attribute__((packed)); + +struct usb_cdc_dmm_desc { + __u8 bFunctionLength; + __u8 bDescriptorType; + __u8 bDescriptorSubtype; + __u16 bcdVersion; + __le16 wMaxCommand; +} __attribute__((packed)); + +struct usb_cdc_mdlm_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __le16 bcdVersion; + __u8 bGUID[16]; +} __attribute__((packed)); + +struct usb_cdc_mdlm_detail_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __u8 bGuidDescriptorType; + __u8 bDetailData[0]; +}; + +struct usb_cdc_obex_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __le16 bcdVersion; +} __attribute__((packed)); + +struct usb_cdc_ncm_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __le16 bcdNcmVersion; + __u8 bmNetworkCapabilities; +} __attribute__((packed)); + +struct usb_cdc_mbim_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __le16 bcdMBIMVersion; + __le16 wMaxControlMessage; + __u8 bNumberFilters; + __u8 bMaxFilterSize; + __le16 wMaxSegmentSize; + __u8 bmNetworkCapabilities; +} __attribute__((packed)); + +struct usb_cdc_mbim_extended_desc { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDescriptorSubType; + __le16 bcdMBIMExtendedVersion; + __u8 bMaxOutstandingCommandMessages; + __le16 wMTU; +} __attribute__((packed)); + +struct usb_cdc_parsed_header { + struct usb_cdc_union_desc *usb_cdc_union_desc; + struct usb_cdc_header_desc *usb_cdc_header_desc; + struct usb_cdc_call_mgmt_descriptor *usb_cdc_call_mgmt_descriptor; + struct usb_cdc_acm_descriptor *usb_cdc_acm_descriptor; + struct usb_cdc_country_functional_desc *usb_cdc_country_functional_desc; + struct usb_cdc_network_terminal_desc *usb_cdc_network_terminal_desc; + struct usb_cdc_ether_desc *usb_cdc_ether_desc; + struct usb_cdc_dmm_desc *usb_cdc_dmm_desc; + struct usb_cdc_mdlm_desc *usb_cdc_mdlm_desc; + struct usb_cdc_mdlm_detail_desc *usb_cdc_mdlm_detail_desc; + struct usb_cdc_obex_desc *usb_cdc_obex_desc; + struct usb_cdc_ncm_desc *usb_cdc_ncm_desc; + struct usb_cdc_mbim_desc *usb_cdc_mbim_desc; + struct usb_cdc_mbim_extended_desc *usb_cdc_mbim_extended_desc; + bool phonet_magic_present; +}; + +struct api_context { + struct completion done; + int status; +}; + +struct set_config_request { + struct usb_device *udev; + int config; + struct work_struct work; + struct list_head node; +}; + +struct usb_dynid { + struct list_head node; + struct usb_device_id id; +}; + +struct usb_dev_cap_header { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDevCapabilityType; +}; + +struct usb_class_driver { + char *name; + char * (*devnode)(struct device *, umode_t *); + const struct file_operations *fops; + int minor_base; +}; + +struct usb_class { + struct kref kref; + struct class *class; +}; + +struct ep_device { + struct usb_endpoint_descriptor *desc; + struct usb_device *udev; + struct device dev; +}; + +struct usbdevfs_ctrltransfer { + __u8 bRequestType; + __u8 bRequest; + __u16 wValue; + __u16 wIndex; + __u16 wLength; + __u32 timeout; + void *data; +}; + +struct usbdevfs_bulktransfer { + unsigned int ep; + unsigned int len; + unsigned int timeout; + void *data; +}; + +struct usbdevfs_setinterface { + unsigned int interface; + unsigned int altsetting; +}; + +struct usbdevfs_disconnectsignal { + unsigned int signr; + void *context; +}; + +struct usbdevfs_getdriver { + unsigned int interface; + char driver[256]; +}; + +struct usbdevfs_connectinfo { + unsigned int devnum; + unsigned char slow; +}; + +struct usbdevfs_conninfo_ex { + __u32 size; + __u32 busnum; + __u32 devnum; + __u32 speed; + __u8 num_ports; + __u8 ports[7]; +}; + +struct usbdevfs_iso_packet_desc { + unsigned int length; + unsigned int actual_length; + unsigned int status; +}; + +struct usbdevfs_urb { + unsigned char type; + unsigned char endpoint; + int status; + unsigned int flags; + void *buffer; + int buffer_length; + int actual_length; + int start_frame; + union { + int number_of_packets; + unsigned int stream_id; + }; + int error_count; + unsigned int signr; + void *usercontext; + struct usbdevfs_iso_packet_desc iso_frame_desc[0]; +}; + +struct usbdevfs_ioctl { + int ifno; + int ioctl_code; + void *data; +}; + +struct usbdevfs_disconnect_claim { + unsigned int interface; + unsigned int flags; + char driver[256]; +}; + +struct usbdevfs_streams { + unsigned int num_streams; + unsigned int num_eps; + unsigned char eps[0]; +}; + +struct usbdevfs_ctrltransfer32 { + u8 bRequestType; + u8 bRequest; + u16 wValue; + u16 wIndex; + u16 wLength; + u32 timeout; + compat_caddr_t data; +}; + +struct usbdevfs_bulktransfer32 { + compat_uint_t ep; + compat_uint_t len; + compat_uint_t timeout; + compat_caddr_t data; +}; + +struct usbdevfs_disconnectsignal32 { + compat_int_t signr; + compat_caddr_t context; +}; + +struct usbdevfs_urb32 { + unsigned char type; + unsigned char endpoint; + compat_int_t status; + compat_uint_t flags; + compat_caddr_t buffer; + compat_int_t buffer_length; + compat_int_t actual_length; + compat_int_t start_frame; + compat_int_t number_of_packets; + compat_int_t error_count; + compat_uint_t signr; + compat_caddr_t usercontext; + struct usbdevfs_iso_packet_desc iso_frame_desc[0]; +}; + +struct usbdevfs_ioctl32 { + s32 ifno; + s32 ioctl_code; + compat_caddr_t data; +}; + +struct usb_dev_state___2 { + struct list_head list; + struct usb_device *dev; + struct file *file; + spinlock_t lock; + struct list_head async_pending; + struct list_head async_completed; + struct list_head memory_list; + wait_queue_head_t wait; + wait_queue_head_t wait_for_resume; + unsigned int discsignr; + struct pid *disc_pid; + const struct cred *cred; + sigval_t disccontext; + long unsigned int ifclaimed; + u32 disabled_bulk_eps; + long unsigned int interface_allowed_mask; + int not_yet_resumed; + bool suspend_allowed; + bool privileges_dropped; +}; + +struct usb_memory { + struct list_head memlist; + int vma_use_count; + int urb_use_count; + u32 size; + void *mem; + dma_addr_t dma_handle; + long unsigned int vm_start; + struct usb_dev_state___2 *ps; +}; + +struct async { + struct list_head asynclist; + struct usb_dev_state___2 *ps; + struct pid *pid; + const struct cred *cred; + unsigned int signr; + unsigned int ifnum; + void *userbuffer; + void *userurb; + sigval_t userurb_sigval; + struct urb *urb; + struct usb_memory *usbm; + unsigned int mem_usage; + int status; + u8 bulk_addr; + u8 bulk_status; +}; + +enum snoop_when { + SUBMIT = 0, + COMPLETE = 1, +}; + +struct quirk_entry { + u16 vid; + u16 pid; + u32 flags; +}; + +struct device_connect_event { + atomic_t count; + wait_queue_head_t wait; +}; + +struct class_info { + int class; + char *class_name; +}; + +struct usb_phy_roothub___2 { + struct phy___2 *phy; + struct list_head list; +}; + +typedef void (*companion_fn)(struct pci_dev *, struct usb_hcd *, struct pci_dev *, struct usb_hcd *); + +struct mon_bus { + struct list_head bus_link; + spinlock_t lock; + struct usb_bus *u_bus; + int text_inited; + int bin_inited; + struct dentry *dent_s; + struct dentry *dent_t; + struct dentry *dent_u; + struct device *classdev; + int nreaders; + struct list_head r_list; + struct kref ref; + unsigned int cnt_events; + unsigned int cnt_text_lost; +}; + +struct mon_reader { + struct list_head r_link; + struct mon_bus *m_bus; + void *r_data; + void (*rnf_submit)(void *, struct urb *); + void (*rnf_error)(void *, struct urb *, int); + void (*rnf_complete)(void *, struct urb *, int); +}; + +struct snap { + int slen; + char str[80]; +}; + +struct mon_iso_desc { + int status; + unsigned int offset; + unsigned int length; +}; + +struct mon_event_text { + struct list_head e_link; + int type; + long unsigned int id; + unsigned int tstamp; + int busnum; + char devnum; + char epnum; + char is_in; + char xfertype; + int length; + int status; + int interval; + int start_frame; + int error_count; + char setup_flag; + char data_flag; + int numdesc; + struct mon_iso_desc isodesc[5]; + unsigned char setup[8]; + unsigned char data[32]; +}; + +struct mon_reader_text { + struct kmem_cache *e_slab; + int nevents; + struct list_head e_list; + struct mon_reader r; + wait_queue_head_t wait; + int printf_size; + size_t printf_offset; + size_t printf_togo; + char *printf_buf; + struct mutex printf_lock; + char slab_name[30]; +}; + +struct mon_text_ptr { + int cnt; + int limit; + char *pbuf; +}; + +struct iso_rec { + int error_count; + int numdesc; +}; + +struct mon_bin_hdr { + u64 id; + unsigned char type; + unsigned char xfer_type; + unsigned char epnum; + unsigned char devnum; + short unsigned int busnum; + char flag_setup; + char flag_data; + s64 ts_sec; + s32 ts_usec; + int status; + unsigned int len_urb; + unsigned int len_cap; + union { + unsigned char setup[8]; + struct iso_rec iso; + } s; + int interval; + int start_frame; + unsigned int xfer_flags; + unsigned int ndesc; +}; + +struct mon_bin_isodesc { + int iso_status; + unsigned int iso_off; + unsigned int iso_len; + u32 _pad; +}; + +struct mon_bin_stats { + u32 queued; + u32 dropped; +}; + +struct mon_bin_get { + struct mon_bin_hdr *hdr; + void *data; + size_t alloc; +}; + +struct mon_bin_mfetch { + u32 *offvec; + u32 nfetch; + u32 nflush; +}; + +struct mon_bin_get32 { + u32 hdr32; + u32 data32; + u32 alloc32; +}; + +struct mon_bin_mfetch32 { + u32 offvec32; + u32 nfetch32; + u32 nflush32; +}; + +struct mon_pgmap { + struct page *pg; + unsigned char *ptr; +}; + +struct mon_reader_bin { + spinlock_t b_lock; + unsigned int b_size; + unsigned int b_cnt; + unsigned int b_in; + unsigned int b_out; + unsigned int b_read; + struct mon_pgmap *b_vec; + wait_queue_head_t b_wait; + struct mutex fetch_lock; + int mmap_active; + struct mon_reader r; + unsigned int cnt_lost; +}; + +enum amd_chipset_gen { + NOT_AMD_CHIPSET = 0, + AMD_CHIPSET_SB600 = 1, + AMD_CHIPSET_SB700 = 2, + AMD_CHIPSET_SB800 = 3, + AMD_CHIPSET_HUDSON2 = 4, + AMD_CHIPSET_BOLTON = 5, + AMD_CHIPSET_YANGTZE = 6, + AMD_CHIPSET_TAISHAN = 7, + AMD_CHIPSET_UNKNOWN = 8, +}; + +struct amd_chipset_type { + enum amd_chipset_gen gen; + u8 rev; +}; + +struct amd_chipset_info { + struct pci_dev *nb_dev; + struct pci_dev *smbus_dev; + int nb_type; + struct amd_chipset_type sb_type; + int isoc_reqs; + int probe_count; + bool need_pll_quirk; +}; + +struct ehci_per_sched { + struct usb_device *udev; + struct usb_host_endpoint *ep; + struct list_head ps_list; + u16 tt_usecs; + u16 cs_mask; + u16 period; + u16 phase; + u8 bw_phase; + u8 phase_uf; + u8 usecs; + u8 c_usecs; + u8 bw_uperiod; + u8 bw_period; +}; + +enum ehci_rh_state { + EHCI_RH_HALTED = 0, + EHCI_RH_SUSPENDED = 1, + EHCI_RH_RUNNING = 2, + EHCI_RH_STOPPING = 3, +}; + +enum ehci_hrtimer_event { + EHCI_HRTIMER_POLL_ASS = 0, + EHCI_HRTIMER_POLL_PSS = 1, + EHCI_HRTIMER_POLL_DEAD = 2, + EHCI_HRTIMER_UNLINK_INTR = 3, + EHCI_HRTIMER_FREE_ITDS = 4, + EHCI_HRTIMER_ACTIVE_UNLINK = 5, + EHCI_HRTIMER_START_UNLINK_INTR = 6, + EHCI_HRTIMER_ASYNC_UNLINKS = 7, + EHCI_HRTIMER_IAA_WATCHDOG = 8, + EHCI_HRTIMER_DISABLE_PERIODIC = 9, + EHCI_HRTIMER_DISABLE_ASYNC = 10, + EHCI_HRTIMER_IO_WATCHDOG = 11, + EHCI_HRTIMER_NUM_EVENTS = 12, +}; + +struct ehci_caps; + +struct ehci_regs; + +struct ehci_dbg_port; + +struct ehci_qh; + +union ehci_shadow; + +struct ehci_itd; + +struct ehci_sitd; + +struct ehci_hcd { + enum ehci_hrtimer_event next_hrtimer_event; + unsigned int enabled_hrtimer_events; + ktime_t hr_timeouts[12]; + struct hrtimer hrtimer; + int PSS_poll_count; + int ASS_poll_count; + int died_poll_count; + struct ehci_caps *caps; + struct ehci_regs *regs; + struct ehci_dbg_port *debug; + __u32 hcs_params; + spinlock_t lock; + enum ehci_rh_state rh_state; + bool scanning: 1; + bool need_rescan: 1; + bool intr_unlinking: 1; + bool iaa_in_progress: 1; + bool async_unlinking: 1; + bool shutdown: 1; + struct ehci_qh *qh_scan_next; + struct ehci_qh *async; + struct ehci_qh *dummy; + struct list_head async_unlink; + struct list_head async_idle; + unsigned int async_unlink_cycle; + unsigned int async_count; + __le32 old_current; + __le32 old_token; + unsigned int periodic_size; + __le32 *periodic; + dma_addr_t periodic_dma; + struct list_head intr_qh_list; + unsigned int i_thresh; + union ehci_shadow *pshadow; + struct list_head intr_unlink_wait; + struct list_head intr_unlink; + unsigned int intr_unlink_wait_cycle; + unsigned int intr_unlink_cycle; + unsigned int now_frame; + unsigned int last_iso_frame; + unsigned int intr_count; + unsigned int isoc_count; + unsigned int periodic_count; + unsigned int uframe_periodic_max; + struct list_head cached_itd_list; + struct ehci_itd *last_itd_to_free; + struct list_head cached_sitd_list; + struct ehci_sitd *last_sitd_to_free; + long unsigned int reset_done[15]; + long unsigned int bus_suspended; + long unsigned int companion_ports; + long unsigned int owned_ports; + long unsigned int port_c_suspend; + long unsigned int suspended_ports; + long unsigned int resuming_ports; + struct dma_pool___2 *qh_pool; + struct dma_pool___2 *qtd_pool; + struct dma_pool___2 *itd_pool; + struct dma_pool___2 *sitd_pool; + unsigned int random_frame; + long unsigned int next_statechange; + ktime_t last_periodic_enable; + u32 command; + unsigned int no_selective_suspend: 1; + unsigned int has_fsl_port_bug: 1; + unsigned int has_fsl_hs_errata: 1; + unsigned int has_fsl_susp_errata: 1; + unsigned int big_endian_mmio: 1; + unsigned int big_endian_desc: 1; + unsigned int big_endian_capbase: 1; + unsigned int has_amcc_usb23: 1; + unsigned int need_io_watchdog: 1; + unsigned int amd_pll_fix: 1; + unsigned int use_dummy_qh: 1; + unsigned int has_synopsys_hc_bug: 1; + unsigned int frame_index_bug: 1; + unsigned int need_oc_pp_cycle: 1; + unsigned int imx28_write_fix: 1; + __le32 *ohci_hcctrl_reg; + unsigned int has_hostpc: 1; + unsigned int has_tdi_phy_lpm: 1; + unsigned int has_ppcd: 1; + u8 sbrn; + u8 bandwidth[64]; + u8 tt_budget[64]; + struct list_head tt_list; + long unsigned int priv[0]; +}; + +struct ehci_caps { + u32 hc_capbase; + u32 hcs_params; + u32 hcc_params; + u8 portroute[8]; +}; + +struct ehci_regs { + u32 command; + u32 status; + u32 intr_enable; + u32 frame_index; + u32 segment; + u32 frame_list; + u32 async_next; + u32 reserved1[2]; + u32 txfill_tuning; + u32 reserved2[6]; + u32 configured_flag; + u32 port_status[0]; + u32 reserved3[9]; + u32 usbmode; + u32 reserved4[6]; + u32 hostpc[0]; + u32 reserved5[17]; + u32 usbmode_ex; +}; + +struct ehci_dbg_port { + u32 control; + u32 pids; + u32 data03; + u32 data47; + u32 address; +}; + +struct ehci_fstn; + +union ehci_shadow { + struct ehci_qh *qh; + struct ehci_itd *itd; + struct ehci_sitd *sitd; + struct ehci_fstn *fstn; + __le32 *hw_next; + void *ptr; +}; + +struct ehci_qh_hw; + +struct ehci_qtd; + +struct ehci_qh { + struct ehci_qh_hw *hw; + dma_addr_t qh_dma; + union ehci_shadow qh_next; + struct list_head qtd_list; + struct list_head intr_node; + struct ehci_qtd *dummy; + struct list_head unlink_node; + struct ehci_per_sched ps; + unsigned int unlink_cycle; + u8 qh_state; + u8 xacterrs; + u8 unlink_reason; + u8 gap_uf; + unsigned int is_out: 1; + unsigned int clearing_tt: 1; + unsigned int dequeue_during_giveback: 1; + unsigned int should_be_inactive: 1; +}; + +struct ehci_iso_stream; + +struct ehci_itd { + __le32 hw_next; + __le32 hw_transaction[8]; + __le32 hw_bufp[7]; + __le32 hw_bufp_hi[7]; + dma_addr_t itd_dma; + union ehci_shadow itd_next; + struct urb *urb; + struct ehci_iso_stream *stream; + struct list_head itd_list; + unsigned int frame; + unsigned int pg; + unsigned int index[8]; + long: 64; +}; + +struct ehci_sitd { + __le32 hw_next; + __le32 hw_fullspeed_ep; + __le32 hw_uframe; + __le32 hw_results; + __le32 hw_buf[2]; + __le32 hw_backpointer; + __le32 hw_buf_hi[2]; + dma_addr_t sitd_dma; + union ehci_shadow sitd_next; + struct urb *urb; + struct ehci_iso_stream *stream; + struct list_head sitd_list; + unsigned int frame; + unsigned int index; +}; + +struct ehci_qtd { + __le32 hw_next; + __le32 hw_alt_next; + __le32 hw_token; + __le32 hw_buf[5]; + __le32 hw_buf_hi[5]; + dma_addr_t qtd_dma; + struct list_head qtd_list; + struct urb *urb; + size_t length; +}; + +struct ehci_fstn { + __le32 hw_next; + __le32 hw_prev; + dma_addr_t fstn_dma; + union ehci_shadow fstn_next; + long: 64; +}; + +struct ehci_qh_hw { + __le32 hw_next; + __le32 hw_info1; + __le32 hw_info2; + __le32 hw_current; + __le32 hw_qtd_next; + __le32 hw_alt_next; + __le32 hw_token; + __le32 hw_buf[5]; + __le32 hw_buf_hi[5]; + long: 32; + long: 64; + long: 64; + long: 64; +}; + +struct ehci_iso_packet { + u64 bufp; + __le32 transaction; + u8 cross; + u32 buf1; +}; + +struct ehci_iso_sched { + struct list_head td_list; + unsigned int span; + unsigned int first_packet; + struct ehci_iso_packet packet[0]; +}; + +struct ehci_iso_stream { + struct ehci_qh_hw *hw; + u8 bEndpointAddress; + u8 highspeed; + struct list_head td_list; + struct list_head free_list; + struct ehci_per_sched ps; + unsigned int next_uframe; + __le32 splits; + u16 uperiod; + u16 maxp; + unsigned int bandwidth; + __le32 buf0; + __le32 buf1; + __le32 buf2; + __le32 address; +}; + +struct ehci_tt { + u16 bandwidth[8]; + struct list_head tt_list; + struct list_head ps_list; + struct usb_tt *usb_tt; + int tt_port; +}; + +struct ehci_driver_overrides { + size_t extra_priv_size; + int (*reset)(struct usb_hcd *); + int (*port_power)(struct usb_hcd *, int, bool); +}; + +typedef __u32 __hc32; + +typedef __u16 __hc16; + +struct td; + +struct ed { + __hc32 hwINFO; + __hc32 hwTailP; + __hc32 hwHeadP; + __hc32 hwNextED; + dma_addr_t dma; + struct td *dummy; + struct ed *ed_next; + struct ed *ed_prev; + struct list_head td_list; + struct list_head in_use_list; + u8 state; + u8 type; + u8 branch; + u16 interval; + u16 load; + u16 last_iso; + u16 tick; + unsigned int takeback_wdh_cnt; + struct td *pending_td; + long: 64; +}; + +struct td { + __hc32 hwINFO; + __hc32 hwCBP; + __hc32 hwNextTD; + __hc32 hwBE; + __hc16 hwPSW[2]; + __u8 index; + struct ed *ed; + struct td *td_hash; + struct td *next_dl_td; + struct urb *urb; + dma_addr_t td_dma; + dma_addr_t data_dma; + struct list_head td_list; + long: 64; +}; + +struct ohci_hcca { + __hc32 int_table[32]; + __hc32 frame_no; + __hc32 done_head; + u8 reserved_for_hc[116]; + u8 what[4]; +}; + +struct ohci_roothub_regs { + __hc32 a; + __hc32 b; + __hc32 status; + __hc32 portstatus[15]; +}; + +struct ohci_regs { + __hc32 revision; + __hc32 control; + __hc32 cmdstatus; + __hc32 intrstatus; + __hc32 intrenable; + __hc32 intrdisable; + __hc32 hcca; + __hc32 ed_periodcurrent; + __hc32 ed_controlhead; + __hc32 ed_controlcurrent; + __hc32 ed_bulkhead; + __hc32 ed_bulkcurrent; + __hc32 donehead; + __hc32 fminterval; + __hc32 fmremaining; + __hc32 fmnumber; + __hc32 periodicstart; + __hc32 lsthresh; + struct ohci_roothub_regs roothub; + long: 64; + long: 64; +}; + +struct urb_priv { + struct ed *ed; + u16 length; + u16 td_cnt; + struct list_head pending; + struct td *td[0]; +}; + +typedef struct urb_priv urb_priv_t; + +enum ohci_rh_state { + OHCI_RH_HALTED = 0, + OHCI_RH_SUSPENDED = 1, + OHCI_RH_RUNNING = 2, +}; + +struct ohci_hcd { + spinlock_t lock; + struct ohci_regs *regs; + struct ohci_hcca *hcca; + dma_addr_t hcca_dma; + struct ed *ed_rm_list; + struct ed *ed_bulktail; + struct ed *ed_controltail; + struct ed *periodic[32]; + void (*start_hnp)(struct ohci_hcd *); + struct dma_pool___2 *td_cache; + struct dma_pool___2 *ed_cache; + struct td *td_hash[64]; + struct td *dl_start; + struct td *dl_end; + struct list_head pending; + struct list_head eds_in_use; + enum ohci_rh_state rh_state; + int num_ports; + int load[32]; + u32 hc_control; + long unsigned int next_statechange; + u32 fminterval; + unsigned int autostop: 1; + unsigned int working: 1; + unsigned int restart_work: 1; + long unsigned int flags; + unsigned int prev_frame_no; + unsigned int wdh_cnt; + unsigned int prev_wdh_cnt; + u32 prev_donehead; + struct timer_list io_watchdog; + struct work_struct nec_work; + struct dentry *debug_dir; + long unsigned int priv[0]; +}; + +struct ohci_driver_overrides { + const char *product_desc; + size_t extra_priv_size; + int (*reset)(struct usb_hcd *); +}; + +struct debug_buffer { + ssize_t (*fill_func)(struct debug_buffer *); + struct ohci_hcd *ohci; + struct mutex mutex; + size_t count; + char *page; +}; + +struct uhci_td; + +struct uhci_qh { + __le32 link; + __le32 element; + dma_addr_t dma_handle; + struct list_head node; + struct usb_host_endpoint *hep; + struct usb_device *udev; + struct list_head queue; + struct uhci_td *dummy_td; + struct uhci_td *post_td; + struct usb_iso_packet_descriptor *iso_packet_desc; + long unsigned int advance_jiffies; + unsigned int unlink_frame; + unsigned int period; + short int phase; + short int load; + unsigned int iso_frame; + int state; + int type; + int skel; + unsigned int initial_toggle: 1; + unsigned int needs_fixup: 1; + unsigned int is_stopped: 1; + unsigned int wait_expired: 1; + unsigned int bandwidth_reserved: 1; +}; + +struct uhci_td { + __le32 link; + __le32 status; + __le32 token; + __le32 buffer; + dma_addr_t dma_handle; + struct list_head list; + int frame; + struct list_head fl_list; +}; + +enum uhci_rh_state { + UHCI_RH_RESET = 0, + UHCI_RH_SUSPENDED = 1, + UHCI_RH_AUTO_STOPPED = 2, + UHCI_RH_RESUMING = 3, + UHCI_RH_SUSPENDING = 4, + UHCI_RH_RUNNING = 5, + UHCI_RH_RUNNING_NODEVS = 6, +}; + +struct uhci_hcd { + struct dentry *dentry; + long unsigned int io_addr; + void *regs; + struct dma_pool___2 *qh_pool; + struct dma_pool___2 *td_pool; + struct uhci_td *term_td; + struct uhci_qh *skelqh[11]; + struct uhci_qh *next_qh; + spinlock_t lock; + dma_addr_t frame_dma_handle; + __le32 *frame; + void **frame_cpu; + enum uhci_rh_state rh_state; + long unsigned int auto_stop_time; + unsigned int frame_number; + unsigned int is_stopped; + unsigned int last_iso_frame; + unsigned int cur_iso_frame; + unsigned int scan_in_progress: 1; + unsigned int need_rescan: 1; + unsigned int dead: 1; + unsigned int RD_enable: 1; + unsigned int is_initialized: 1; + unsigned int fsbr_is_on: 1; + unsigned int fsbr_is_wanted: 1; + unsigned int fsbr_expiring: 1; + struct timer_list fsbr_timer; + unsigned int oc_low: 1; + unsigned int wait_for_hp: 1; + unsigned int big_endian_mmio: 1; + unsigned int big_endian_desc: 1; + unsigned int is_aspeed: 1; + long unsigned int port_c_suspend; + long unsigned int resuming_ports; + long unsigned int ports_timeout; + struct list_head idle_qh_list; + int rh_numports; + wait_queue_head_t waitqh; + int num_waiting; + int total_load; + short int load[32]; + struct clk *clk; + void (*reset_hc)(struct uhci_hcd *); + int (*check_and_reset_hc)(struct uhci_hcd *); + void (*configure_hc)(struct uhci_hcd *); + int (*resume_detect_interrupts_are_broken)(struct uhci_hcd *); + int (*global_suspend_mode_is_broken)(struct uhci_hcd *); +}; + +struct urb_priv___2 { + struct list_head node; + struct urb *urb; + struct uhci_qh *qh; + struct list_head td_list; + unsigned int fsbr: 1; +}; + +struct xhci_cap_regs { + __le32 hc_capbase; + __le32 hcs_params1; + __le32 hcs_params2; + __le32 hcs_params3; + __le32 hcc_params; + __le32 db_off; + __le32 run_regs_off; + __le32 hcc_params2; +}; + +struct xhci_op_regs { + __le32 command; + __le32 status; + __le32 page_size; + __le32 reserved1; + __le32 reserved2; + __le32 dev_notification; + __le64 cmd_ring; + __le32 reserved3[4]; + __le64 dcbaa_ptr; + __le32 config_reg; + __le32 reserved4[241]; + __le32 port_status_base; + __le32 port_power_base; + __le32 port_link_base; + __le32 reserved5; + __le32 reserved6[1016]; +}; + +struct xhci_intr_reg { + __le32 irq_pending; + __le32 irq_control; + __le32 erst_size; + __le32 rsvd; + __le64 erst_base; + __le64 erst_dequeue; +}; + +struct xhci_run_regs { + __le32 microframe_index; + __le32 rsvd[7]; + struct xhci_intr_reg ir_set[128]; +}; + +struct xhci_doorbell_array { + __le32 doorbell[256]; +}; + +struct xhci_container_ctx { + unsigned int type; + int size; + u8 *bytes; + dma_addr_t dma; +}; + +struct xhci_slot_ctx { + __le32 dev_info; + __le32 dev_info2; + __le32 tt_info; + __le32 dev_state; + __le32 reserved[4]; +}; + +struct xhci_ep_ctx { + __le32 ep_info; + __le32 ep_info2; + __le64 deq; + __le32 tx_info; + __le32 reserved[3]; +}; + +struct xhci_input_control_ctx { + __le32 drop_flags; + __le32 add_flags; + __le32 rsvd2[6]; +}; + +union xhci_trb; + +struct xhci_command { + struct xhci_container_ctx *in_ctx; + u32 status; + int slot_id; + struct completion *completion; + union xhci_trb *command_trb; + struct list_head cmd_list; +}; + +struct xhci_link_trb { + __le64 segment_ptr; + __le32 intr_target; + __le32 control; +}; + +struct xhci_transfer_event { + __le64 buffer; + __le32 transfer_len; + __le32 flags; +}; + +struct xhci_event_cmd { + __le64 cmd_trb; + __le32 status; + __le32 flags; +}; + +struct xhci_generic_trb { + __le32 field[4]; +}; + +union xhci_trb { + struct xhci_link_trb link; + struct xhci_transfer_event trans_event; + struct xhci_event_cmd event_cmd; + struct xhci_generic_trb generic; +}; + +struct xhci_stream_ctx { + __le64 stream_ring; + __le32 reserved[2]; +}; + +struct xhci_ring; + +struct xhci_stream_info { + struct xhci_ring **stream_rings; + unsigned int num_streams; + struct xhci_stream_ctx *stream_ctx_array; + unsigned int num_stream_ctxs; + dma_addr_t ctx_array_dma; + struct xarray trb_address_map; + struct xhci_command *free_streams_command; +}; + +enum xhci_ring_type { + TYPE_CTRL = 0, + TYPE_ISOC = 1, + TYPE_BULK = 2, + TYPE_INTR = 3, + TYPE_STREAM = 4, + TYPE_COMMAND = 5, + TYPE_EVENT = 6, +}; + +struct xhci_segment; + +struct xhci_ring { + struct xhci_segment *first_seg; + struct xhci_segment *last_seg; + union xhci_trb *enqueue; + struct xhci_segment *enq_seg; + union xhci_trb *dequeue; + struct xhci_segment *deq_seg; + struct list_head td_list; + u32 cycle_state; + unsigned int err_count; + unsigned int stream_id; + unsigned int num_segs; + unsigned int num_trbs_free; + unsigned int num_trbs_free_temp; + unsigned int bounce_buf_len; + enum xhci_ring_type type; + bool last_td_was_short; + struct xarray *trb_address_map; +}; + +struct xhci_bw_info { + unsigned int ep_interval; + unsigned int mult; + unsigned int num_packets; + unsigned int max_packet_size; + unsigned int max_esit_payload; + unsigned int type; +}; + +struct xhci_hcd; + +struct xhci_virt_ep { + struct xhci_ring *ring; + struct xhci_stream_info *stream_info; + struct xhci_ring *new_ring; + unsigned int ep_state; + struct list_head cancelled_td_list; + struct timer_list stop_cmd_timer; + struct xhci_hcd *xhci; + struct xhci_segment *queued_deq_seg; + union xhci_trb *queued_deq_ptr; + bool skip; + struct xhci_bw_info bw_info; + struct list_head bw_endpoint_list; + int next_frame_id; + bool use_extended_tbc; +}; + +struct xhci_erst_entry; + +struct xhci_erst { + struct xhci_erst_entry *entries; + unsigned int num_entries; + dma_addr_t erst_dma_addr; + unsigned int erst_size; +}; + +struct s3_save { + u32 command; + u32 dev_nt; + u64 dcbaa_ptr; + u32 config_reg; + u32 irq_pending; + u32 irq_control; + u32 erst_size; + u64 erst_base; + u64 erst_dequeue; +}; + +struct xhci_bus_state { + long unsigned int bus_suspended; + long unsigned int next_statechange; + u32 port_c_suspend; + u32 suspended_ports; + u32 port_remote_wakeup; + long unsigned int resume_done[31]; + long unsigned int resuming_ports; + long unsigned int rexit_ports; + struct completion rexit_done[31]; +}; + +struct xhci_port; + +struct xhci_hub { + struct xhci_port **ports; + unsigned int num_ports; + struct usb_hcd *hcd; + struct xhci_bus_state bus_state; + u8 maj_rev; + u8 min_rev; + u32 *psi; + u8 psi_count; + u8 psi_uid_count; +}; + +struct xhci_device_context_array; + +struct xhci_scratchpad; + +struct xhci_virt_device; + +struct xhci_root_port_bw_info; + +struct xhci_hcd { + struct usb_hcd *main_hcd; + struct usb_hcd *shared_hcd; + struct xhci_cap_regs *cap_regs; + struct xhci_op_regs *op_regs; + struct xhci_run_regs *run_regs; + struct xhci_doorbell_array *dba; + struct xhci_intr_reg *ir_set; + __u32 hcs_params1; + __u32 hcs_params2; + __u32 hcs_params3; + __u32 hcc_params; + __u32 hcc_params2; + spinlock_t lock; + u8 sbrn; + u16 hci_version; + u8 max_slots; + u8 max_interrupters; + u8 max_ports; + u8 isoc_threshold; + u32 imod_interval; + int event_ring_max; + int page_size; + int page_shift; + int msix_count; + struct clk *clk; + struct clk *reg_clk; + struct xhci_device_context_array *dcbaa; + struct xhci_ring *cmd_ring; + unsigned int cmd_ring_state; + struct list_head cmd_list; + unsigned int cmd_ring_reserved_trbs; + struct delayed_work cmd_timer; + struct completion cmd_ring_stop_completion; + struct xhci_command *current_cmd; + struct xhci_ring *event_ring; + struct xhci_erst erst; + struct xhci_scratchpad *scratchpad; + struct list_head lpm_failed_devs; + struct mutex mutex; + struct xhci_command *lpm_command; + struct xhci_virt_device *devs[256]; + struct xhci_root_port_bw_info *rh_bw; + struct dma_pool___2 *device_pool; + struct dma_pool___2 *segment_pool; + struct dma_pool___2 *small_streams_pool; + struct dma_pool___2 *medium_streams_pool; + unsigned int xhc_state; + u32 command; + struct s3_save s3; + long long unsigned int quirks; + unsigned int num_active_eps; + unsigned int limit_active_eps; + struct xhci_port *hw_ports; + struct xhci_hub usb2_rhub; + struct xhci_hub usb3_rhub; + unsigned int hw_lpm_support: 1; + unsigned int broken_suspend: 1; + u32 *ext_caps; + unsigned int num_ext_caps; + struct timer_list comp_mode_recovery_timer; + u32 port_status_u0; + u16 test_mode; + struct dentry *debugfs_root; + struct dentry *debugfs_slots; + struct list_head regset_list; + void *dbc; + long unsigned int priv[0]; +}; + +struct xhci_segment { + union xhci_trb *trbs; + struct xhci_segment *next; + dma_addr_t dma; + dma_addr_t bounce_dma; + void *bounce_buf; + unsigned int bounce_offs; + unsigned int bounce_len; +}; + +enum xhci_overhead_type { + LS_OVERHEAD_TYPE = 0, + FS_OVERHEAD_TYPE = 1, + HS_OVERHEAD_TYPE = 2, +}; + +struct xhci_interval_bw { + unsigned int num_packets; + struct list_head endpoints; + unsigned int overhead[3]; +}; + +struct xhci_interval_bw_table { + unsigned int interval0_esit_payload; + struct xhci_interval_bw interval_bw[16]; + unsigned int bw_used; + unsigned int ss_bw_in; + unsigned int ss_bw_out; +}; + +struct xhci_tt_bw_info; + +struct xhci_virt_device { + struct usb_device *udev; + struct xhci_container_ctx *out_ctx; + struct xhci_container_ctx *in_ctx; + struct xhci_virt_ep eps[31]; + u8 fake_port; + u8 real_port; + struct xhci_interval_bw_table *bw_table; + struct xhci_tt_bw_info *tt_info; + long unsigned int flags; + u16 current_mel; + void *debugfs_private; +}; + +struct xhci_tt_bw_info { + struct list_head tt_list; + int slot_id; + int ttport; + struct xhci_interval_bw_table bw_table; + int active_eps; +}; + +struct xhci_root_port_bw_info { + struct list_head tts; + unsigned int num_active_tts; + struct xhci_interval_bw_table bw_table; +}; + +struct xhci_device_context_array { + __le64 dev_context_ptrs[256]; + dma_addr_t dma; +}; + +enum xhci_setup_dev { + SETUP_CONTEXT_ONLY = 0, + SETUP_CONTEXT_ADDRESS = 1, +}; + +struct xhci_td { + struct list_head td_list; + struct list_head cancelled_td_list; + struct urb *urb; + struct xhci_segment *start_seg; + union xhci_trb *first_trb; + union xhci_trb *last_trb; + struct xhci_segment *bounce_seg; + bool urb_length_set; +}; + +struct xhci_dequeue_state { + struct xhci_segment *new_deq_seg; + union xhci_trb *new_deq_ptr; + int new_cycle_state; + unsigned int stream_id; +}; + +struct xhci_erst_entry { + __le64 seg_addr; + __le32 seg_size; + __le32 rsvd; +}; + +struct xhci_scratchpad { + u64 *sp_array; + dma_addr_t sp_dma; + void **sp_buffers; +}; + +struct urb_priv___3 { + int num_tds; + int num_tds_done; + struct xhci_td td[0]; +}; + +struct xhci_port { + __le32 *addr; + int hw_portnum; + int hcd_portnum; + struct xhci_hub *rhub; +}; + +struct xhci_driver_overrides { + size_t extra_priv_size; + int (*reset)(struct usb_hcd *); + int (*start)(struct usb_hcd *); +}; + +typedef void (*xhci_get_quirks_t)(struct device *, struct xhci_hcd *); + +enum xhci_ep_reset_type { + EP_HARD_RESET = 0, + EP_SOFT_RESET = 1, +}; + +struct kfifo { + union { + struct __kfifo kfifo; + unsigned char *type; + const unsigned char *const_type; + char (*rectype)[0]; + void *ptr; + const void *ptr_const; + }; + unsigned char buf[0]; +}; + +struct dbc_regs { + __le32 capability; + __le32 doorbell; + __le32 ersts; + __le32 __reserved_0; + __le64 erstba; + __le64 erdp; + __le32 control; + __le32 status; + __le32 portsc; + __le32 __reserved_1; + __le64 dccp; + __le32 devinfo1; + __le32 devinfo2; +}; + +struct dbc_str_descs { + char string0[64]; + char manufacturer[64]; + char product[64]; + char serial[64]; +}; + +enum dbc_state { + DS_DISABLED = 0, + DS_INITIALIZED = 1, + DS_ENABLED = 2, + DS_CONNECTED = 3, + DS_CONFIGURED = 4, + DS_STALLED = 5, +}; + +struct dbc_ep; + +struct dbc_request { + void *buf; + unsigned int length; + dma_addr_t dma; + void (*complete)(struct xhci_hcd *, struct dbc_request *); + struct list_head list_pool; + int status; + unsigned int actual; + struct dbc_ep *dep; + struct list_head list_pending; + dma_addr_t trb_dma; + union xhci_trb *trb; + unsigned int direction: 1; +}; + +struct xhci_dbc; + +struct dbc_ep { + struct xhci_dbc *dbc; + struct list_head list_pending; + struct xhci_ring *ring; + unsigned int direction: 1; +}; + +struct dbc_port { + struct tty_port port; + spinlock_t port_lock; + struct list_head read_pool; + struct list_head read_queue; + unsigned int n_read; + struct tasklet_struct push; + struct list_head write_pool; + struct kfifo write_fifo; + bool registered; + struct dbc_ep *in; + struct dbc_ep *out; +}; + +struct xhci_dbc { + spinlock_t lock; + struct xhci_hcd *xhci; + struct dbc_regs *regs; + struct xhci_ring *ring_evt; + struct xhci_ring *ring_in; + struct xhci_ring *ring_out; + struct xhci_erst erst; + struct xhci_container_ctx *ctx; + struct dbc_str_descs *string; + dma_addr_t string_dma; + size_t string_size; + enum dbc_state state; + struct delayed_work event_work; + unsigned int resume_required: 1; + struct dbc_ep eps[2]; + struct dbc_port port; +}; + +struct trace_event_raw_xhci_log_msg { + struct trace_entry ent; + u32 __data_loc_msg; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_ctx { + struct trace_entry ent; + int ctx_64; + unsigned int ctx_type; + dma_addr_t ctx_dma; + u8 *ctx_va; + unsigned int ctx_ep_num; + int slot_id; + u32 __data_loc_ctx_data; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_trb { + struct trace_entry ent; + u32 type; + u32 field0; + u32 field1; + u32 field2; + u32 field3; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_free_virt_dev { + struct trace_entry ent; + void *vdev; + long long unsigned int out_ctx; + long long unsigned int in_ctx; + u8 fake_port; + u8 real_port; + u16 current_mel; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_virt_dev { + struct trace_entry ent; + void *vdev; + long long unsigned int out_ctx; + long long unsigned int in_ctx; + int devnum; + int state; + int speed; + u8 portnum; + u8 level; + int slot_id; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_urb { + struct trace_entry ent; + void *urb; + unsigned int pipe; + unsigned int stream; + int status; + unsigned int flags; + int num_mapped_sgs; + int num_sgs; + int length; + int actual; + int epnum; + int dir_in; + int type; + int slot_id; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_ep_ctx { + struct trace_entry ent; + u32 info; + u32 info2; + u64 deq; + u32 tx_info; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_slot_ctx { + struct trace_entry ent; + u32 info; + u32 info2; + u32 tt_info; + u32 state; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_ctrl_ctx { + struct trace_entry ent; + u32 drop; + u32 add; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_ring { + struct trace_entry ent; + u32 type; + void *ring; + dma_addr_t enq; + dma_addr_t deq; + dma_addr_t enq_seg; + dma_addr_t deq_seg; + unsigned int num_segs; + unsigned int stream_id; + unsigned int cycle_state; + unsigned int num_trbs_free; + unsigned int bounce_buf_len; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_portsc { + struct trace_entry ent; + u32 portnum; + u32 portsc; + char __data[0]; +}; + +struct trace_event_raw_xhci_log_doorbell { + struct trace_entry ent; + u32 slot; + u32 doorbell; + char __data[0]; +}; + +struct trace_event_raw_xhci_dbc_log_request { + struct trace_entry ent; + struct dbc_request *req; + bool dir; + unsigned int actual; + unsigned int length; + int status; + char __data[0]; +}; + +struct trace_event_data_offsets_xhci_log_msg { + u32 msg; +}; + +struct trace_event_data_offsets_xhci_log_ctx { + u32 ctx_data; +}; + +struct trace_event_data_offsets_xhci_log_trb {}; + +struct trace_event_data_offsets_xhci_log_free_virt_dev {}; + +struct trace_event_data_offsets_xhci_log_virt_dev {}; + +struct trace_event_data_offsets_xhci_log_urb {}; + +struct trace_event_data_offsets_xhci_log_ep_ctx {}; + +struct trace_event_data_offsets_xhci_log_slot_ctx {}; + +struct trace_event_data_offsets_xhci_log_ctrl_ctx {}; + +struct trace_event_data_offsets_xhci_log_ring {}; + +struct trace_event_data_offsets_xhci_log_portsc {}; + +struct trace_event_data_offsets_xhci_log_doorbell {}; + +struct trace_event_data_offsets_xhci_dbc_log_request {}; + +struct xhci_regset { + char name[32]; + struct debugfs_regset32 regset; + size_t nregs; + struct list_head list; +}; + +struct xhci_file_map { + const char *name; + int (*show)(struct seq_file *, void *); +}; + +struct xhci_ep_priv { + char name[32]; + struct dentry *root; +}; + +struct xhci_slot_priv { + char name[32]; + struct dentry *root; + struct xhci_ep_priv *eps[31]; + struct xhci_virt_device *dev; +}; + +struct usblp { + struct usb_device *dev; + struct mutex wmut; + struct mutex mut; + spinlock_t lock; + char *readbuf; + char *statusbuf; + struct usb_anchor urbs; + wait_queue_head_t rwait; + wait_queue_head_t wwait; + int readcount; + int ifnum; + struct usb_interface *intf; + struct { + int alt_setting; + struct usb_endpoint_descriptor *epwrite; + struct usb_endpoint_descriptor *epread; + } protocol[4]; + int current_protocol; + int minor; + int wcomplete; + int rcomplete; + int wstatus; + int rstatus; + unsigned int quirks; + unsigned int flags; + unsigned char used; + unsigned char present; + unsigned char bidir; + unsigned char no_paper; + unsigned char *device_id_string; +}; + +struct quirk_printer_struct { + __u16 vendorId; + __u16 productId; + unsigned int quirks; +}; + +enum { + US_FL_SINGLE_LUN = 1, + US_FL_NEED_OVERRIDE = 2, + US_FL_SCM_MULT_TARG = 4, + US_FL_FIX_INQUIRY = 8, + US_FL_FIX_CAPACITY = 16, + US_FL_IGNORE_RESIDUE = 32, + US_FL_BULK32 = 64, + US_FL_NOT_LOCKABLE = 128, + US_FL_GO_SLOW = 256, + US_FL_NO_WP_DETECT = 512, + US_FL_MAX_SECTORS_64 = 1024, + US_FL_IGNORE_DEVICE = 2048, + US_FL_CAPACITY_HEURISTICS = 4096, + US_FL_MAX_SECTORS_MIN = 8192, + US_FL_BULK_IGNORE_TAG = 16384, + US_FL_SANE_SENSE = 32768, + US_FL_CAPACITY_OK = 65536, + US_FL_BAD_SENSE = 131072, + US_FL_NO_READ_DISC_INFO = 262144, + US_FL_NO_READ_CAPACITY_16 = 524288, + US_FL_INITIAL_READ10 = 1048576, + US_FL_WRITE_CACHE = 2097152, + US_FL_NEEDS_CAP16 = 4194304, + US_FL_IGNORE_UAS = 8388608, + US_FL_BROKEN_FUA = 16777216, + US_FL_NO_ATA_1X = 33554432, + US_FL_NO_REPORT_OPCODES = 67108864, + US_FL_MAX_SECTORS_240 = 134217728, + US_FL_NO_REPORT_LUNS = 268435456, + US_FL_ALWAYS_SYNC = 536870912, +}; + +struct us_data; + +struct us_unusual_dev { + const char *vendorName; + const char *productName; + __u8 useProtocol; + __u8 useTransport; + int (*initFunction)(struct us_data *); +}; + +typedef int (*trans_cmnd)(struct scsi_cmnd *, struct us_data *); + +typedef int (*trans_reset)(struct us_data *); + +typedef void (*proto_cmnd)(struct scsi_cmnd *, struct us_data *); + +typedef void (*extra_data_destructor)(void *); + +typedef void (*pm_hook)(struct us_data *, int); + +struct us_data { + struct mutex dev_mutex; + struct usb_device *pusb_dev; + struct usb_interface *pusb_intf; + struct us_unusual_dev *unusual_dev; + long unsigned int fflags; + long unsigned int dflags; + unsigned int send_bulk_pipe; + unsigned int recv_bulk_pipe; + unsigned int send_ctrl_pipe; + unsigned int recv_ctrl_pipe; + unsigned int recv_intr_pipe; + char *transport_name; + char *protocol_name; + __le32 bcs_signature; + u8 subclass; + u8 protocol; + u8 max_lun; + u8 ifnum; + u8 ep_bInterval; + trans_cmnd transport; + trans_reset transport_reset; + proto_cmnd proto_handler; + struct scsi_cmnd *srb; + unsigned int tag; + char scsi_name[32]; + struct urb *current_urb; + struct usb_ctrlrequest *cr; + struct usb_sg_request current_sg; + unsigned char *iobuf; + dma_addr_t iobuf_dma; + struct task_struct *ctl_thread; + struct completion cmnd_ready; + struct completion notify; + wait_queue_head_t delay_wait; + struct delayed_work scan_dwork; + void *extra; + extra_data_destructor extra_destructor; + pm_hook suspend_resume_hook; + int use_last_sector_hacks; + int last_sector_retries; +}; + +enum xfer_buf_dir { + TO_XFER_BUF = 0, + FROM_XFER_BUF = 1, +}; + +struct bulk_cb_wrap { + __le32 Signature; + __u32 Tag; + __le32 DataTransferLength; + __u8 Flags; + __u8 Lun; + __u8 Length; + __u8 CDB[16]; +}; + +struct bulk_cs_wrap { + __le32 Signature; + __u32 Tag; + __le32 Residue; + __u8 Status; +}; + +struct swoc_info { + __u8 rev; + __u8 reserved[8]; + __u16 LinuxSKU; + __u16 LinuxVer; + __u8 reserved2[47]; +} __attribute__((packed)); + +struct ignore_entry { + u16 vid; + u16 pid; + u16 bcdmin; + u16 bcdmax; +}; + +struct usb_debug_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __u8 bDebugInEndpoint; + __u8 bDebugOutEndpoint; +}; + +struct ehci_dev { + u32 bus; + u32 slot; + u32 func; +}; + +typedef void (*set_debug_port_t)(int); + +struct usb_hcd___2; + +struct serio_device_id { + __u8 type; + __u8 extra; + __u8 id; + __u8 proto; +}; + +struct serio_driver; + +struct serio { + void *port_data; + char name[32]; + char phys[32]; + char firmware_id[128]; + bool manual_bind; + struct serio_device_id id; + spinlock_t lock; + int (*write)(struct serio *, unsigned char); + int (*open)(struct serio *); + void (*close)(struct serio *); + int (*start)(struct serio *); + void (*stop)(struct serio *); + struct serio *parent; + struct list_head child_node; + struct list_head children; + unsigned int depth; + struct serio_driver *drv; + struct mutex drv_mutex; + struct device dev; + struct list_head node; + struct mutex *ps2_cmd_mutex; +}; + +struct serio_driver { + const char *description; + const struct serio_device_id *id_table; + bool manual_bind; + void (*write_wakeup)(struct serio *); + irqreturn_t (*interrupt)(struct serio *, unsigned char, unsigned int); + int (*connect)(struct serio *, struct serio_driver *); + int (*reconnect)(struct serio *); + int (*fast_reconnect)(struct serio *); + void (*disconnect)(struct serio *); + void (*cleanup)(struct serio *); + struct device_driver driver; +}; + +enum serio_event_type { + SERIO_RESCAN_PORT = 0, + SERIO_RECONNECT_PORT = 1, + SERIO_RECONNECT_SUBTREE = 2, + SERIO_REGISTER_PORT = 3, + SERIO_ATTACH_DRIVER = 4, +}; + +struct serio_event { + enum serio_event_type type; + void *object; + struct module *owner; + struct list_head node; +}; + +enum i8042_controller_reset_mode { + I8042_RESET_NEVER = 0, + I8042_RESET_ALWAYS = 1, + I8042_RESET_ON_S2RAM = 2, +}; + +struct i8042_port { + struct serio *serio; + int irq; + bool exists; + bool driver_bound; + signed char mux; +}; + +struct serport { + struct tty_struct *tty; + wait_queue_head_t wait; + struct serio *serio; + struct serio_device_id id; + spinlock_t lock; + long unsigned int flags; +}; + +struct ps2dev { + struct serio *serio; + struct mutex cmd_mutex; + wait_queue_head_t wait; + long unsigned int flags; + u8 cmdbuf[8]; + u8 cmdcnt; + u8 nak; +}; + +struct input_mt_slot { + int abs[14]; + unsigned int frame; + unsigned int key; +}; + +struct input_mt { + int trkid; + int num_slots; + int slot; + unsigned int flags; + unsigned int frame; + int *red; + struct input_mt_slot slots[0]; +}; + +union input_seq_state { + struct { + short unsigned int pos; + bool mutex_acquired; + }; + void *p; +}; + +struct input_devres { + struct input_dev *input; +}; + +struct input_event { + __kernel_ulong_t __sec; + __kernel_ulong_t __usec; + __u16 type; + __u16 code; + __s32 value; +}; + +struct input_event_compat { + compat_ulong_t sec; + compat_ulong_t usec; + __u16 type; + __u16 code; + __s32 value; +}; + +struct ff_periodic_effect_compat { + __u16 waveform; + __u16 period; + __s16 magnitude; + __s16 offset; + __u16 phase; + struct ff_envelope envelope; + __u32 custom_len; + compat_uptr_t custom_data; +}; + +struct ff_effect_compat { + __u16 type; + __s16 id; + __u16 direction; + struct ff_trigger trigger; + struct ff_replay replay; + union { + struct ff_constant_effect constant; + struct ff_ramp_effect ramp; + struct ff_periodic_effect_compat periodic; + struct ff_condition_effect condition[2]; + struct ff_rumble_effect rumble; + } u; +}; + +struct input_mt_pos { + s16 x; + s16 y; +}; + +struct input_dev_poller { + void (*poll)(struct input_dev *); + unsigned int poll_interval; + unsigned int poll_interval_max; + unsigned int poll_interval_min; + struct input_dev *input; + struct delayed_work work; +}; + +struct ml_effect_state { + struct ff_effect *effect; + long unsigned int flags; + int count; + long unsigned int play_at; + long unsigned int stop_at; + long unsigned int adj_at; +}; + +struct ml_device { + void *private; + struct ml_effect_state states[16]; + int gain; + struct timer_list timer; + struct input_dev *dev; + int (*play_effect)(struct input_dev *, void *, struct ff_effect *); +}; + +struct input_polled_dev { + void *private; + void (*open)(struct input_polled_dev *); + void (*close)(struct input_polled_dev *); + void (*poll)(struct input_polled_dev *); + unsigned int poll_interval; + unsigned int poll_interval_max; + unsigned int poll_interval_min; + struct input_dev *input; + struct delayed_work work; + bool devres_managed; +}; + +struct input_polled_devres { + struct input_polled_dev *polldev; +}; + +struct key_entry { + int type; + u32 code; + union { + u16 keycode; + struct { + u8 code; + u8 value; + } sw; + }; +}; + +struct led_init_data { + struct fwnode_handle *fwnode; + const char *default_label; + const char *devicename; + bool devname_mandatory; +}; + +struct input_led { + struct led_classdev cdev; + struct input_handle *handle; + unsigned int code; +}; + +struct input_leds { + struct input_handle handle; + unsigned int num_leds; + struct input_led leds[0]; +}; + +struct input_mask { + __u32 type; + __u32 codes_size; + __u64 codes_ptr; +}; + +struct evdev_client; + +struct evdev { + int open; + struct input_handle handle; + wait_queue_head_t wait; + struct evdev_client *grab; + struct list_head client_list; + spinlock_t client_lock; + struct mutex mutex; + struct device dev; + struct cdev cdev; + bool exist; +}; + +struct evdev_client { + unsigned int head; + unsigned int tail; + unsigned int packet_head; + spinlock_t buffer_lock; + struct fasync_struct *fasync; + struct evdev *evdev; + struct list_head node; + enum input_clock_type clk_type; + bool revoked; + long unsigned int *evmasks[32]; + unsigned int bufsize; + struct input_event buffer[0]; +}; + +struct atkbd { + struct ps2dev ps2dev; + struct input_dev *dev; + char name[64]; + char phys[32]; + short unsigned int id; + short unsigned int keycode[512]; + long unsigned int force_release_mask[8]; + unsigned char set; + bool translated; + bool extra; + bool write; + bool softrepeat; + bool softraw; + bool scroll; + bool enabled; + unsigned char emul; + bool resend; + bool release; + long unsigned int xl_bit; + unsigned int last; + long unsigned int time; + long unsigned int err_count; + struct delayed_work event_work; + long unsigned int event_jiffies; + long unsigned int event_mask; + struct mutex mutex; +}; + +enum psmouse_state { + PSMOUSE_IGNORE = 0, + PSMOUSE_INITIALIZING = 1, + PSMOUSE_RESYNCING = 2, + PSMOUSE_CMD_MODE = 3, + PSMOUSE_ACTIVATED = 4, +}; + +typedef enum { + PSMOUSE_BAD_DATA = 0, + PSMOUSE_GOOD_DATA = 1, + PSMOUSE_FULL_PACKET = 2, +} psmouse_ret_t; + +enum psmouse_scale { + PSMOUSE_SCALE11 = 0, + PSMOUSE_SCALE21 = 1, +}; + +enum psmouse_type { + PSMOUSE_NONE = 0, + PSMOUSE_PS2 = 1, + PSMOUSE_PS2PP = 2, + PSMOUSE_THINKPS = 3, + PSMOUSE_GENPS = 4, + PSMOUSE_IMPS = 5, + PSMOUSE_IMEX = 6, + PSMOUSE_SYNAPTICS = 7, + PSMOUSE_ALPS = 8, + PSMOUSE_LIFEBOOK = 9, + PSMOUSE_TRACKPOINT = 10, + PSMOUSE_TOUCHKIT_PS2 = 11, + PSMOUSE_CORTRON = 12, + PSMOUSE_HGPK = 13, + PSMOUSE_ELANTECH = 14, + PSMOUSE_FSP = 15, + PSMOUSE_SYNAPTICS_RELATIVE = 16, + PSMOUSE_CYPRESS = 17, + PSMOUSE_FOCALTECH = 18, + PSMOUSE_VMMOUSE = 19, + PSMOUSE_BYD = 20, + PSMOUSE_SYNAPTICS_SMBUS = 21, + PSMOUSE_ELANTECH_SMBUS = 22, + PSMOUSE_AUTO = 23, +}; + +struct psmouse; + +struct psmouse_protocol { + enum psmouse_type type; + bool maxproto; + bool ignore_parity; + bool try_passthru; + bool smbus_companion; + const char *name; + const char *alias; + int (*detect)(struct psmouse *, bool); + int (*init)(struct psmouse *); +}; + +struct psmouse { + void *private; + struct input_dev *dev; + struct ps2dev ps2dev; + struct delayed_work resync_work; + const char *vendor; + const char *name; + const struct psmouse_protocol *protocol; + unsigned char packet[8]; + unsigned char badbyte; + unsigned char pktcnt; + unsigned char pktsize; + unsigned char oob_data_type; + unsigned char extra_buttons; + bool acks_disable_command; + unsigned int model; + long unsigned int last; + long unsigned int out_of_sync_cnt; + long unsigned int num_resyncs; + enum psmouse_state state; + char devname[64]; + char phys[32]; + unsigned int rate; + unsigned int resolution; + unsigned int resetafter; + unsigned int resync_time; + bool smartscroll; + psmouse_ret_t (*protocol_handler)(struct psmouse *); + void (*set_rate)(struct psmouse *, unsigned int); + void (*set_resolution)(struct psmouse *, unsigned int); + void (*set_scale)(struct psmouse *, enum psmouse_scale); + int (*reconnect)(struct psmouse *); + int (*fast_reconnect)(struct psmouse *); + void (*disconnect)(struct psmouse *); + void (*cleanup)(struct psmouse *); + int (*poll)(struct psmouse *); + void (*pt_activate)(struct psmouse *); + void (*pt_deactivate)(struct psmouse *); +}; + +struct psmouse_attribute { + struct device_attribute dattr; + void *data; + ssize_t (*show)(struct psmouse *, void *, char *); + ssize_t (*set)(struct psmouse *, void *, const char *, size_t); + bool protect; +}; + +struct rmi_2d_axis_alignment { + bool swap_axes; + bool flip_x; + bool flip_y; + u16 clip_x_low; + u16 clip_y_low; + u16 clip_x_high; + u16 clip_y_high; + u16 offset_x; + u16 offset_y; + u8 delta_x_threshold; + u8 delta_y_threshold; +}; + +enum rmi_sensor_type { + rmi_sensor_default = 0, + rmi_sensor_touchscreen = 1, + rmi_sensor_touchpad = 2, +}; + +struct rmi_2d_sensor_platform_data { + struct rmi_2d_axis_alignment axis_align; + enum rmi_sensor_type sensor_type; + int x_mm; + int y_mm; + int disable_report_mask; + u16 rezero_wait; + bool topbuttonpad; + bool kernel_tracking; + int dmax; + int dribble; + int palm_detect; +}; + +struct rmi_f30_data { + bool buttonpad; + bool trackstick_buttons; + bool disable; +}; + +enum rmi_reg_state { + RMI_REG_STATE_DEFAULT = 0, + RMI_REG_STATE_OFF = 1, + RMI_REG_STATE_ON = 2, +}; + +struct rmi_f01_power_management { + enum rmi_reg_state nosleep; + u8 wakeup_threshold; + u8 doze_holdoff; + u8 doze_interval; +}; + +struct rmi_device_platform_data_spi { + u32 block_delay_us; + u32 split_read_block_delay_us; + u32 read_delay_us; + u32 write_delay_us; + u32 split_read_byte_delay_us; + u32 pre_delay_us; + u32 post_delay_us; + u8 bits_per_word; + u16 mode; + void *cs_assert_data; + int (*cs_assert)(const void *, const bool); +}; + +struct rmi_device_platform_data { + int reset_delay_ms; + int irq; + struct rmi_device_platform_data_spi spi_data; + struct rmi_2d_sensor_platform_data sensor_pdata; + struct rmi_f01_power_management power_management; + struct rmi_f30_data f30_data; +}; + +enum synaptics_pkt_type { + SYN_NEWABS = 0, + SYN_NEWABS_STRICT = 1, + SYN_NEWABS_RELAXED = 2, + SYN_OLDABS = 3, +}; + +struct synaptics_hw_state { + int x; + int y; + int z; + int w; + unsigned int left: 1; + unsigned int right: 1; + unsigned int middle: 1; + unsigned int up: 1; + unsigned int down: 1; + u8 ext_buttons; + s8 scroll; +}; + +struct synaptics_device_info { + u32 model_id; + u32 firmware_id; + u32 board_id; + u32 capabilities; + u32 ext_cap; + u32 ext_cap_0c; + u32 ext_cap_10; + u32 identity; + u32 x_res; + u32 y_res; + u32 x_max; + u32 y_max; + u32 x_min; + u32 y_min; +}; + +struct synaptics_data { + struct synaptics_device_info info; + enum synaptics_pkt_type pkt_type; + u8 mode; + int scroll; + bool absolute_mode; + bool disable_gesture; + struct serio *pt_port; + struct synaptics_hw_state agm; + unsigned int agm_count; + long unsigned int press_start; + bool press; + bool report_press; + bool is_forcepad; +}; + +struct min_max_quirk { + const char * const *pnp_ids; + struct { + u32 min; + u32 max; + } board_id; + u32 x_min; + u32 x_max; + u32 y_min; + u32 y_max; +}; + +enum { + SYNAPTICS_INTERTOUCH_NOT_SET = -1, + SYNAPTICS_INTERTOUCH_OFF = 0, + SYNAPTICS_INTERTOUCH_ON = 1, +}; + +struct focaltech_finger_state { + bool active; + bool valid; + unsigned int x; + unsigned int y; +}; + +struct focaltech_hw_state { + struct focaltech_finger_state fingers[5]; + unsigned int width; + bool pressed; +}; + +struct focaltech_data { + unsigned int x_max; + unsigned int y_max; + struct focaltech_hw_state state; +}; + +enum SS4_PACKET_ID { + SS4_PACKET_ID_IDLE = 0, + SS4_PACKET_ID_ONE = 1, + SS4_PACKET_ID_TWO = 2, + SS4_PACKET_ID_MULTI = 3, + SS4_PACKET_ID_STICK = 4, +}; + +enum V7_PACKET_ID { + V7_PACKET_ID_IDLE = 0, + V7_PACKET_ID_TWO = 1, + V7_PACKET_ID_MULTI = 2, + V7_PACKET_ID_NEW = 3, + V7_PACKET_ID_UNKNOWN = 4, +}; + +struct alps_protocol_info { + u16 version; + u8 byte0; + u8 mask0; + unsigned int flags; +}; + +struct alps_model_info { + u8 signature[3]; + struct alps_protocol_info protocol_info; +}; + +struct alps_nibble_commands { + int command; + unsigned char data; +}; + +struct alps_bitmap_point { + int start_bit; + int num_bits; +}; + +struct alps_fields { + unsigned int x_map; + unsigned int y_map; + unsigned int fingers; + int pressure; + struct input_mt_pos st; + struct input_mt_pos mt[4]; + unsigned int first_mp: 1; + unsigned int is_mp: 1; + unsigned int left: 1; + unsigned int right: 1; + unsigned int middle: 1; + unsigned int ts_left: 1; + unsigned int ts_right: 1; + unsigned int ts_middle: 1; +}; + +struct alps_data { + struct psmouse *psmouse; + struct input_dev *dev2; + struct input_dev *dev3; + char phys2[32]; + char phys3[32]; + struct delayed_work dev3_register_work; + const struct alps_nibble_commands *nibble_commands; + int addr_command; + u16 proto_version; + u8 byte0; + u8 mask0; + u8 dev_id[3]; + u8 fw_ver[3]; + int flags; + int x_max; + int y_max; + int x_bits; + int y_bits; + unsigned int x_res; + unsigned int y_res; + int (*hw_init)(struct psmouse *); + void (*process_packet)(struct psmouse *); + int (*decode_fields)(struct alps_fields *, unsigned char *, struct psmouse *); + void (*set_abs_params)(struct alps_data *, struct input_dev *); + int prev_fin; + int multi_packet; + int second_touch; + unsigned char multi_data[6]; + struct alps_fields f; + u8 quirks; + struct timer_list timer; +}; + +struct byd_data { + struct timer_list timer; + struct psmouse *psmouse; + s32 abs_x; + s32 abs_y; + volatile long unsigned int last_touch_time; + bool btn_left; + bool btn_right; + bool touch; +}; + +struct ps2pp_info { + u8 model; + u8 kind; + u16 features; +}; + +struct lifebook_data { + struct input_dev *dev2; + char phys[32]; +}; + +struct trackpoint_data { + u8 variant_id; + u8 firmware_id; + u8 sensitivity; + u8 speed; + u8 inertia; + u8 reach; + u8 draghys; + u8 mindrag; + u8 thresh; + u8 upthresh; + u8 ztime; + u8 jenks; + u8 drift_time; + bool press_to_select; + bool skipback; + bool ext_dev; +}; + +struct trackpoint_attr_data { + size_t field_offset; + u8 command; + u8 mask; + bool inverted; + u8 power_on_default; +}; + +struct cytp_contact { + int x; + int y; + int z; +}; + +struct cytp_report_data { + int contact_cnt; + struct cytp_contact contacts[2]; + unsigned int left: 1; + unsigned int right: 1; + unsigned int middle: 1; + unsigned int tap: 1; +}; + +struct cytp_data { + int fw_version; + int pkt_size; + int mode; + int tp_min_pressure; + int tp_max_pressure; + int tp_width; + int tp_high; + int tp_max_abs_x; + int tp_max_abs_y; + int tp_res_x; + int tp_res_y; + int tp_metrics_supported; +}; + +struct psmouse_smbus_dev { + struct i2c_board_info board; + struct psmouse *psmouse; + struct i2c_client *client; + struct list_head node; + bool dead; + bool need_deactivate; +}; + +struct psmouse_smbus_removal_work { + struct work_struct work; + struct i2c_client *client; +}; + +struct touchscreen_properties { + unsigned int max_x; + unsigned int max_y; + bool invert_x; + bool invert_y; + bool swap_x_y; +}; + +struct trace_event_raw_rtc_time_alarm_class { + struct trace_entry ent; + time64_t secs; + int err; + char __data[0]; +}; + +struct trace_event_raw_rtc_irq_set_freq { + struct trace_entry ent; + int freq; + int err; + char __data[0]; +}; + +struct trace_event_raw_rtc_irq_set_state { + struct trace_entry ent; + int enabled; + int err; + char __data[0]; +}; + +struct trace_event_raw_rtc_alarm_irq_enable { + struct trace_entry ent; + unsigned int enabled; + int err; + char __data[0]; +}; + +struct trace_event_raw_rtc_offset_class { + struct trace_entry ent; + long int offset; + int err; + char __data[0]; +}; + +struct trace_event_raw_rtc_timer_class { + struct trace_entry ent; + struct rtc_timer *timer; + ktime_t expires; + ktime_t period; + char __data[0]; +}; + +struct trace_event_data_offsets_rtc_time_alarm_class {}; + +struct trace_event_data_offsets_rtc_irq_set_freq {}; + +struct trace_event_data_offsets_rtc_irq_set_state {}; + +struct trace_event_data_offsets_rtc_alarm_irq_enable {}; + +struct trace_event_data_offsets_rtc_offset_class {}; + +struct trace_event_data_offsets_rtc_timer_class {}; + +enum { + none = 0, + day = 1, + month = 2, + year = 3, +}; + +struct nvmem_cell_info { + const char *name; + unsigned int offset; + unsigned int bytes; + unsigned int bit_offset; + unsigned int nbits; +}; + +typedef int (*nvmem_reg_read_t)(void *, unsigned int, void *, size_t); + +typedef int (*nvmem_reg_write_t)(void *, unsigned int, void *, size_t); + +enum nvmem_type { + NVMEM_TYPE_UNKNOWN = 0, + NVMEM_TYPE_EEPROM = 1, + NVMEM_TYPE_OTP = 2, + NVMEM_TYPE_BATTERY_BACKED = 3, +}; + +struct nvmem_config { + struct device *dev; + const char *name; + int id; + struct module *owner; + const struct nvmem_cell_info *cells; + int ncells; + enum nvmem_type type; + bool read_only; + bool root_only; + bool no_of_node; + nvmem_reg_read_t reg_read; + nvmem_reg_write_t reg_write; + int size; + int word_size; + int stride; + void *priv; + bool compat; + struct device *base_dev; +}; + +struct nvmem_device; + +struct cmos_rtc_board_info { + void (*wake_on)(struct device *); + void (*wake_off)(struct device *); + u32 flags; + int address_space; + u8 rtc_day_alarm; + u8 rtc_mon_alarm; + u8 rtc_century; +}; + +struct cmos_rtc { + struct rtc_device *rtc; + struct device *dev; + int irq; + struct resource *iomem; + time64_t alarm_expires; + void (*wake_on)(struct device *); + void (*wake_off)(struct device *); + u8 enabled_wake; + u8 suspend_ctrl; + u8 day_alrm; + u8 mon_alrm; + u8 century; + struct rtc_wkalrm saved_wkalrm; +}; + +struct i2c_devinfo { + struct list_head list; + int busnum; + struct i2c_board_info board_info; +}; + +struct i2c_device_identity { + u16 manufacturer_id; + u16 part_id; + u8 die_revision; +}; + +struct i2c_timings { + u32 bus_freq_hz; + u32 scl_rise_ns; + u32 scl_fall_ns; + u32 scl_int_delay_ns; + u32 sda_fall_ns; + u32 sda_hold_ns; + u32 digital_filter_width_ns; + u32 analog_filter_cutoff_freq_hz; +}; + +struct trace_event_raw_i2c_write { + struct trace_entry ent; + int adapter_nr; + __u16 msg_nr; + __u16 addr; + __u16 flags; + __u16 len; + u32 __data_loc_buf; + char __data[0]; +}; + +struct trace_event_raw_i2c_read { + struct trace_entry ent; + int adapter_nr; + __u16 msg_nr; + __u16 addr; + __u16 flags; + __u16 len; + char __data[0]; +}; + +struct trace_event_raw_i2c_reply { + struct trace_entry ent; + int adapter_nr; + __u16 msg_nr; + __u16 addr; + __u16 flags; + __u16 len; + u32 __data_loc_buf; + char __data[0]; +}; + +struct trace_event_raw_i2c_result { + struct trace_entry ent; + int adapter_nr; + __u16 nr_msgs; + __s16 ret; + char __data[0]; +}; + +struct trace_event_data_offsets_i2c_write { + u32 buf; +}; + +struct trace_event_data_offsets_i2c_read {}; + +struct trace_event_data_offsets_i2c_reply { + u32 buf; +}; + +struct trace_event_data_offsets_i2c_result {}; + +struct i2c_dummy_devres { + struct i2c_client *client; +}; + +struct i2c_cmd_arg { + unsigned int cmd; + void *arg; +}; + +struct class_compat___2; + +struct i2c_smbus_alert_setup { + int irq; +}; + +struct trace_event_raw_smbus_write { + struct trace_entry ent; + int adapter_nr; + __u16 addr; + __u16 flags; + __u8 command; + __u8 len; + __u32 protocol; + __u8 buf[34]; + char __data[0]; +}; + +struct trace_event_raw_smbus_read { + struct trace_entry ent; + int adapter_nr; + __u16 flags; + __u16 addr; + __u8 command; + __u32 protocol; + __u8 buf[34]; + char __data[0]; +}; + +struct trace_event_raw_smbus_reply { + struct trace_entry ent; + int adapter_nr; + __u16 addr; + __u16 flags; + __u8 command; + __u8 len; + __u32 protocol; + __u8 buf[34]; + char __data[0]; +}; + +struct trace_event_raw_smbus_result { + struct trace_entry ent; + int adapter_nr; + __u16 addr; + __u16 flags; + __u8 read_write; + __u8 command; + __s16 res; + __u32 protocol; + char __data[0]; +}; + +struct trace_event_data_offsets_smbus_write {}; + +struct trace_event_data_offsets_smbus_read {}; + +struct trace_event_data_offsets_smbus_reply {}; + +struct trace_event_data_offsets_smbus_result {}; + +struct i2c_acpi_handler_data { + struct acpi_connection_info info; + struct i2c_adapter *adapter; +}; + +struct gsb_buffer { + u8 status; + u8 len; + union { + u16 wdata; + u8 bdata; + u8 data[0]; + }; +}; + +struct i2c_acpi_lookup { + struct i2c_board_info *info; + acpi_handle adapter_handle; + acpi_handle device_handle; + acpi_handle search_handle; + int n; + int index; + u32 speed; + u32 min_speed; + u32 force_speed; +}; + +struct i2c_smbus_alert { + struct work_struct alert; + struct i2c_client *ara; +}; + +struct alert_data { + short unsigned int addr; + enum i2c_alert_protocol type; + unsigned int data; +}; + +struct itco_wdt_platform_data { + char name[32]; + unsigned int version; + void *no_reboot_priv; + int (*update_no_reboot_bit)(void *, bool); +}; + +struct i801_priv { + struct i2c_adapter adapter; + long unsigned int smba; + unsigned char original_hstcfg; + unsigned char original_slvcmd; + struct pci_dev *pci_dev; + unsigned int features; + wait_queue_head_t waitq; + u8 status; + u8 cmd; + bool is_read; + int count; + int len; + u8 *data; + struct platform_device *tco_pdev; + bool acpi_reserved; + struct mutex acpi_lock; +}; + +struct dmi_onboard_device_info { + const char *name; + u8 type; + short unsigned int i2c_addr; + const char *i2c_type; +}; + +struct pps_ktime { + __s64 sec; + __s32 nsec; + __u32 flags; +}; + +struct pps_ktime_compat { + __s64 sec; + __s32 nsec; + __u32 flags; +}; + +struct pps_kinfo { + __u32 assert_sequence; + __u32 clear_sequence; + struct pps_ktime assert_tu; + struct pps_ktime clear_tu; + int current_mode; +}; + +struct pps_kinfo_compat { + __u32 assert_sequence; + __u32 clear_sequence; + struct pps_ktime_compat assert_tu; + struct pps_ktime_compat clear_tu; + int current_mode; +} __attribute__((packed)); + +struct pps_kparams { + int api_version; + int mode; + struct pps_ktime assert_off_tu; + struct pps_ktime clear_off_tu; +}; + +struct pps_fdata { + struct pps_kinfo info; + struct pps_ktime timeout; +}; + +struct pps_fdata_compat { + struct pps_kinfo_compat info; + struct pps_ktime_compat timeout; +} __attribute__((packed)); + +struct pps_bind_args { + int tsformat; + int edge; + int consumer; +}; + +struct pps_device; + +struct pps_source_info { + char name[32]; + char path[32]; + int mode; + void (*echo)(struct pps_device *, int, void *); + struct module *owner; + struct device *dev; +}; + +struct pps_device { + struct pps_source_info info; + struct pps_kparams params; + __u32 assert_sequence; + __u32 clear_sequence; + struct pps_ktime assert_tu; + struct pps_ktime clear_tu; + int current_mode; + unsigned int last_ev; + wait_queue_head_t queue; + unsigned int id; + const void *lookup_cookie; + struct cdev cdev; + struct device *dev; + struct fasync_struct *async_queue; + spinlock_t lock; +}; + +struct pps_event_time { + struct timespec64 ts_real; +}; + +struct ptp_extts_event { + struct ptp_clock_time t; + unsigned int index; + unsigned int flags; + unsigned int rsv[2]; +}; + +enum ptp_clock_events { + PTP_CLOCK_ALARM = 0, + PTP_CLOCK_EXTTS = 1, + PTP_CLOCK_PPS = 2, + PTP_CLOCK_PPSUSR = 3, +}; + +struct ptp_clock_event { + int type; + int index; + union { + u64 timestamp; + struct pps_event_time pps_times; + }; +}; + +struct timestamp_event_queue { + struct ptp_extts_event buf[128]; + int head; + int tail; + spinlock_t lock; +}; + +struct ptp_clock___2 { + struct posix_clock clock; + struct device dev; + struct ptp_clock_info *info; + dev_t devid; + int index; + struct pps_device *pps_source; + long int dialed_frequency; + struct timestamp_event_queue tsevq; + struct mutex tsevq_mux; + struct mutex pincfg_mux; + wait_queue_head_t tsev_wq; + int defunct; + struct device_attribute *pin_dev_attr; + struct attribute **pin_attr; + struct attribute_group pin_attr_group; + const struct attribute_group *pin_attr_groups[2]; + struct kthread_worker *kworker; + struct kthread_delayed_work aux_work; +}; + +struct ptp_clock_caps { + int max_adj; + int n_alarm; + int n_ext_ts; + int n_per_out; + int pps; + int n_pins; + int cross_timestamping; + int rsv[13]; +}; + +struct ptp_sys_offset { + unsigned int n_samples; + unsigned int rsv[3]; + struct ptp_clock_time ts[51]; +}; + +struct ptp_sys_offset_extended { + unsigned int n_samples; + unsigned int rsv[3]; + struct ptp_clock_time ts[75]; +}; + +struct ptp_sys_offset_precise { + struct ptp_clock_time device; + struct ptp_clock_time sys_realtime; + struct ptp_clock_time sys_monoraw; + unsigned int rsv[4]; +}; + +enum power_supply_notifier_events { + PSY_EVENT_PROP_CHANGED = 0, +}; + +struct power_supply_battery_ocv_table { + int ocv; + int capacity; +}; + +struct power_supply_battery_info { + int energy_full_design_uwh; + int charge_full_design_uah; + int voltage_min_design_uv; + int voltage_max_design_uv; + int precharge_current_ua; + int charge_term_current_ua; + int constant_charge_current_max_ua; + int constant_charge_voltage_max_uv; + int factory_internal_resistance_uohm; + int ocv_temp[20]; + struct power_supply_battery_ocv_table *ocv_table[20]; + int ocv_table_size[20]; +}; + +struct psy_am_i_supplied_data { + struct power_supply *psy; + unsigned int count; +}; + +enum hwmon_sensor_types { + hwmon_chip = 0, + hwmon_temp = 1, + hwmon_in = 2, + hwmon_curr = 3, + hwmon_power = 4, + hwmon_energy = 5, + hwmon_humidity = 6, + hwmon_fan = 7, + hwmon_pwm = 8, + hwmon_max = 9, +}; + +enum hwmon_temp_attributes { + hwmon_temp_input = 0, + hwmon_temp_type = 1, + hwmon_temp_lcrit = 2, + hwmon_temp_lcrit_hyst = 3, + hwmon_temp_min = 4, + hwmon_temp_min_hyst = 5, + hwmon_temp_max = 6, + hwmon_temp_max_hyst = 7, + hwmon_temp_crit = 8, + hwmon_temp_crit_hyst = 9, + hwmon_temp_emergency = 10, + hwmon_temp_emergency_hyst = 11, + hwmon_temp_alarm = 12, + hwmon_temp_lcrit_alarm = 13, + hwmon_temp_min_alarm = 14, + hwmon_temp_max_alarm = 15, + hwmon_temp_crit_alarm = 16, + hwmon_temp_emergency_alarm = 17, + hwmon_temp_fault = 18, + hwmon_temp_offset = 19, + hwmon_temp_label = 20, + hwmon_temp_lowest = 21, + hwmon_temp_highest = 22, + hwmon_temp_reset_history = 23, +}; + +enum hwmon_in_attributes { + hwmon_in_input = 0, + hwmon_in_min = 1, + hwmon_in_max = 2, + hwmon_in_lcrit = 3, + hwmon_in_crit = 4, + hwmon_in_average = 5, + hwmon_in_lowest = 6, + hwmon_in_highest = 7, + hwmon_in_reset_history = 8, + hwmon_in_label = 9, + hwmon_in_alarm = 10, + hwmon_in_min_alarm = 11, + hwmon_in_max_alarm = 12, + hwmon_in_lcrit_alarm = 13, + hwmon_in_crit_alarm = 14, + hwmon_in_enable = 15, +}; + +enum hwmon_curr_attributes { + hwmon_curr_input = 0, + hwmon_curr_min = 1, + hwmon_curr_max = 2, + hwmon_curr_lcrit = 3, + hwmon_curr_crit = 4, + hwmon_curr_average = 5, + hwmon_curr_lowest = 6, + hwmon_curr_highest = 7, + hwmon_curr_reset_history = 8, + hwmon_curr_label = 9, + hwmon_curr_alarm = 10, + hwmon_curr_min_alarm = 11, + hwmon_curr_max_alarm = 12, + hwmon_curr_lcrit_alarm = 13, + hwmon_curr_crit_alarm = 14, +}; + +struct hwmon_ops { + umode_t (*is_visible)(const void *, enum hwmon_sensor_types, u32, int); + int (*read)(struct device *, enum hwmon_sensor_types, u32, int, long int *); + int (*read_string)(struct device *, enum hwmon_sensor_types, u32, int, const char **); + int (*write)(struct device *, enum hwmon_sensor_types, u32, int, long int); +}; + +struct hwmon_channel_info { + enum hwmon_sensor_types type; + const u32 *config; +}; + +struct hwmon_chip_info { + const struct hwmon_ops *ops; + const struct hwmon_channel_info **info; +}; + +struct power_supply_hwmon { + struct power_supply *psy; + long unsigned int *props; +}; + +enum hwmon_chip_attributes { + hwmon_chip_temp_reset_history = 0, + hwmon_chip_in_reset_history = 1, + hwmon_chip_curr_reset_history = 2, + hwmon_chip_power_reset_history = 3, + hwmon_chip_register_tz = 4, + hwmon_chip_update_interval = 5, + hwmon_chip_alarms = 6, + hwmon_chip_samples = 7, + hwmon_chip_curr_samples = 8, + hwmon_chip_in_samples = 9, + hwmon_chip_power_samples = 10, + hwmon_chip_temp_samples = 11, +}; + +enum hwmon_power_attributes { + hwmon_power_average = 0, + hwmon_power_average_interval = 1, + hwmon_power_average_interval_max = 2, + hwmon_power_average_interval_min = 3, + hwmon_power_average_highest = 4, + hwmon_power_average_lowest = 5, + hwmon_power_average_max = 6, + hwmon_power_average_min = 7, + hwmon_power_input = 8, + hwmon_power_input_highest = 9, + hwmon_power_input_lowest = 10, + hwmon_power_reset_history = 11, + hwmon_power_accuracy = 12, + hwmon_power_cap = 13, + hwmon_power_cap_hyst = 14, + hwmon_power_cap_max = 15, + hwmon_power_cap_min = 16, + hwmon_power_min = 17, + hwmon_power_max = 18, + hwmon_power_crit = 19, + hwmon_power_lcrit = 20, + hwmon_power_label = 21, + hwmon_power_alarm = 22, + hwmon_power_cap_alarm = 23, + hwmon_power_min_alarm = 24, + hwmon_power_max_alarm = 25, + hwmon_power_lcrit_alarm = 26, + hwmon_power_crit_alarm = 27, +}; + +enum hwmon_energy_attributes { + hwmon_energy_input = 0, + hwmon_energy_label = 1, +}; + +enum hwmon_humidity_attributes { + hwmon_humidity_input = 0, + hwmon_humidity_label = 1, + hwmon_humidity_min = 2, + hwmon_humidity_min_hyst = 3, + hwmon_humidity_max = 4, + hwmon_humidity_max_hyst = 5, + hwmon_humidity_alarm = 6, + hwmon_humidity_fault = 7, +}; + +enum hwmon_fan_attributes { + hwmon_fan_input = 0, + hwmon_fan_label = 1, + hwmon_fan_min = 2, + hwmon_fan_max = 3, + hwmon_fan_div = 4, + hwmon_fan_pulses = 5, + hwmon_fan_target = 6, + hwmon_fan_alarm = 7, + hwmon_fan_min_alarm = 8, + hwmon_fan_max_alarm = 9, + hwmon_fan_fault = 10, +}; + +enum hwmon_pwm_attributes { + hwmon_pwm_input = 0, + hwmon_pwm_enable = 1, + hwmon_pwm_mode = 2, + hwmon_pwm_freq = 3, +}; + +struct trace_event_raw_hwmon_attr_class { + struct trace_entry ent; + int index; + u32 __data_loc_attr_name; + long int val; + char __data[0]; +}; + +struct trace_event_raw_hwmon_attr_show_string { + struct trace_entry ent; + int index; + u32 __data_loc_attr_name; + u32 __data_loc_label; + char __data[0]; +}; + +struct trace_event_data_offsets_hwmon_attr_class { + u32 attr_name; +}; + +struct trace_event_data_offsets_hwmon_attr_show_string { + u32 attr_name; + u32 label; +}; + +struct hwmon_device { + const char *name; + struct device dev; + const struct hwmon_chip_info *chip; + struct attribute_group group; + const struct attribute_group **groups; +}; + +struct hwmon_device_attribute { + struct device_attribute dev_attr; + const struct hwmon_ops *ops; + enum hwmon_sensor_types type; + u32 attr; + int index; + char name[32]; +}; + +struct trace_event_raw_thermal_temperature { + struct trace_entry ent; + u32 __data_loc_thermal_zone; + int id; + int temp_prev; + int temp; + char __data[0]; +}; + +struct trace_event_raw_cdev_update { + struct trace_entry ent; + u32 __data_loc_type; + long unsigned int target; + char __data[0]; +}; + +struct trace_event_raw_thermal_zone_trip { + struct trace_entry ent; + u32 __data_loc_thermal_zone; + int id; + int trip; + enum thermal_trip_type trip_type; + char __data[0]; +}; + +struct trace_event_data_offsets_thermal_temperature { + u32 thermal_zone; +}; + +struct trace_event_data_offsets_cdev_update { + u32 type; +}; + +struct trace_event_data_offsets_thermal_zone_trip { + u32 thermal_zone; +}; + +struct thermal_instance { + int id; + char name[20]; + struct thermal_zone_device *tz; + struct thermal_cooling_device *cdev; + int trip; + bool initialized; + long unsigned int upper; + long unsigned int lower; + long unsigned int target; + char attr_name[20]; + struct device_attribute attr; + char weight_attr_name[20]; + struct device_attribute weight_attr; + struct list_head tz_node; + struct list_head cdev_node; + unsigned int weight; +}; + +struct thermal_hwmon_device { + char type[20]; + struct device *device; + int count; + struct list_head tz_list; + struct list_head node; +}; + +struct thermal_hwmon_attr { + struct device_attribute attr; + char name[16]; +}; + +struct thermal_hwmon_temp { + struct list_head hwmon_node; + struct thermal_zone_device *tz; + struct thermal_hwmon_attr temp_input; + struct thermal_hwmon_attr temp_crit; +}; + +struct mdp_device_descriptor_s { + __u32 number; + __u32 major; + __u32 minor; + __u32 raid_disk; + __u32 state; + __u32 reserved[27]; +}; + +typedef struct mdp_device_descriptor_s mdp_disk_t; + +struct mdp_superblock_s { + __u32 md_magic; + __u32 major_version; + __u32 minor_version; + __u32 patch_version; + __u32 gvalid_words; + __u32 set_uuid0; + __u32 ctime; + __u32 level; + __u32 size; + __u32 nr_disks; + __u32 raid_disks; + __u32 md_minor; + __u32 not_persistent; + __u32 set_uuid1; + __u32 set_uuid2; + __u32 set_uuid3; + __u32 gstate_creserved[16]; + __u32 utime; + __u32 state; + __u32 active_disks; + __u32 working_disks; + __u32 failed_disks; + __u32 spare_disks; + __u32 sb_csum; + __u32 events_lo; + __u32 events_hi; + __u32 cp_events_lo; + __u32 cp_events_hi; + __u32 recovery_cp; + __u64 reshape_position; + __u32 new_level; + __u32 delta_disks; + __u32 new_layout; + __u32 new_chunk; + __u32 gstate_sreserved[14]; + __u32 layout; + __u32 chunk_size; + __u32 root_pv; + __u32 root_block; + __u32 pstate_reserved[60]; + mdp_disk_t disks[27]; + __u32 reserved[0]; + mdp_disk_t this_disk; +}; + +typedef struct mdp_superblock_s mdp_super_t; + +struct mdp_superblock_1 { + __le32 magic; + __le32 major_version; + __le32 feature_map; + __le32 pad0; + __u8 set_uuid[16]; + char set_name[32]; + __le64 ctime; + __le32 level; + __le32 layout; + __le64 size; + __le32 chunksize; + __le32 raid_disks; + union { + __le32 bitmap_offset; + struct { + __le16 offset; + __le16 size; + } ppl; + }; + __le32 new_level; + __le64 reshape_position; + __le32 delta_disks; + __le32 new_layout; + __le32 new_chunk; + __le32 new_offset; + __le64 data_offset; + __le64 data_size; + __le64 super_offset; + union { + __le64 recovery_offset; + __le64 journal_tail; + }; + __le32 dev_number; + __le32 cnt_corrected_read; + __u8 device_uuid[16]; + __u8 devflags; + __u8 bblog_shift; + __le16 bblog_size; + __le32 bblog_offset; + __le64 utime; + __le64 events; + __le64 resync_offset; + __le32 sb_csum; + __le32 max_dev; + __u8 pad3[32]; + __le16 dev_roles[0]; +}; + +struct mdu_version_s { + int major; + int minor; + int patchlevel; +}; + +typedef struct mdu_version_s mdu_version_t; + +struct mdu_bitmap_file_s { + char pathname[4096]; +}; + +typedef struct mdu_bitmap_file_s mdu_bitmap_file_t; + +struct mddev; + +struct md_rdev; + +struct md_cluster_operations { + int (*join)(struct mddev *, int); + int (*leave)(struct mddev *); + int (*slot_number)(struct mddev *); + int (*resync_info_update)(struct mddev *, sector_t, sector_t); + void (*resync_info_get)(struct mddev *, sector_t *, sector_t *); + int (*metadata_update_start)(struct mddev *); + int (*metadata_update_finish)(struct mddev *); + void (*metadata_update_cancel)(struct mddev *); + int (*resync_start)(struct mddev *); + int (*resync_finish)(struct mddev *); + int (*area_resyncing)(struct mddev *, int, sector_t, sector_t); + int (*add_new_disk)(struct mddev *, struct md_rdev *); + void (*add_new_disk_cancel)(struct mddev *); + int (*new_disk_ack)(struct mddev *, bool); + int (*remove_disk)(struct mddev *, struct md_rdev *); + void (*load_bitmaps)(struct mddev *, int); + int (*gather_bitmaps)(struct md_rdev *); + int (*resize_bitmaps)(struct mddev *, sector_t, sector_t); + int (*lock_all_bitmaps)(struct mddev *); + void (*unlock_all_bitmaps)(struct mddev *); + void (*update_size)(struct mddev *, sector_t); +}; + +struct md_cluster_info; + +struct md_personality; + +struct md_thread; + +struct bitmap; + +struct mddev { + void *private; + struct md_personality *pers; + dev_t unit; + int md_minor; + struct list_head disks; + long unsigned int flags; + long unsigned int sb_flags; + int suspended; + atomic_t active_io; + int ro; + int sysfs_active; + struct gendisk *gendisk; + struct kobject kobj; + int hold_active; + int major_version; + int minor_version; + int patch_version; + int persistent; + int external; + char metadata_type[17]; + int chunk_sectors; + time64_t ctime; + time64_t utime; + int level; + int layout; + char clevel[16]; + int raid_disks; + int max_disks; + sector_t dev_sectors; + sector_t array_sectors; + int external_size; + __u64 events; + int can_decrease_events; + char uuid[16]; + sector_t reshape_position; + int delta_disks; + int new_level; + int new_layout; + int new_chunk_sectors; + int reshape_backwards; + struct md_thread *thread; + struct md_thread *sync_thread; + char *last_sync_action; + sector_t curr_resync; + sector_t curr_resync_completed; + long unsigned int resync_mark; + sector_t resync_mark_cnt; + sector_t curr_mark_cnt; + sector_t resync_max_sectors; + atomic64_t resync_mismatches; + sector_t suspend_lo; + sector_t suspend_hi; + int sync_speed_min; + int sync_speed_max; + int parallel_resync; + int ok_start_degraded; + long unsigned int recovery; + int recovery_disabled; + int in_sync; + struct mutex open_mutex; + struct mutex reconfig_mutex; + atomic_t active; + atomic_t openers; + int changed; + int degraded; + atomic_t recovery_active; + wait_queue_head_t recovery_wait; + sector_t recovery_cp; + sector_t resync_min; + sector_t resync_max; + struct kernfs_node *sysfs_state; + struct kernfs_node *sysfs_action; + struct work_struct del_work; + spinlock_t lock; + wait_queue_head_t sb_wait; + atomic_t pending_writes; + unsigned int safemode; + unsigned int safemode_delay; + struct timer_list safemode_timer; + struct percpu_ref writes_pending; + int sync_checkers; + struct request_queue *queue; + struct bitmap *bitmap; + struct { + struct file *file; + loff_t offset; + long unsigned int space; + loff_t default_offset; + long unsigned int default_space; + struct mutex mutex; + long unsigned int chunksize; + long unsigned int daemon_sleep; + long unsigned int max_write_behind; + int external; + int nodes; + char cluster_name[64]; + } bitmap_info; + atomic_t max_corr_read_errors; + struct list_head all_mddevs; + struct attribute_group *to_remove; + struct bio_set bio_set; + struct bio_set sync_set; + struct bio *flush_bio; + atomic_t flush_pending; + ktime_t start_flush; + ktime_t last_flush; + struct work_struct flush_work; + struct work_struct event_work; + mempool_t *wb_info_pool; + void (*sync_super)(struct mddev *, struct md_rdev *); + struct md_cluster_info *cluster_info; + unsigned int good_device_nr; + bool has_superblocks: 1; + bool fail_last_dev: 1; +}; + +struct md_rdev { + struct list_head same_set; + sector_t sectors; + struct mddev *mddev; + int last_events; + struct block_device *meta_bdev; + struct block_device *bdev; + struct page *sb_page; + struct page *bb_page; + int sb_loaded; + __u64 sb_events; + sector_t data_offset; + sector_t new_data_offset; + sector_t sb_start; + int sb_size; + int preferred_minor; + struct kobject kobj; + long unsigned int flags; + wait_queue_head_t blocked_wait; + int desc_nr; + int raid_disk; + int new_raid_disk; + int saved_raid_disk; + union { + sector_t recovery_offset; + sector_t journal_tail; + }; + atomic_t nr_pending; + atomic_t read_errors; + time64_t last_read_error; + atomic_t corrected_errors; + struct list_head wb_list; + spinlock_t wb_list_lock; + wait_queue_head_t wb_io_wait; + struct work_struct del_work; + struct kernfs_node *sysfs_state; + struct badblocks badblocks; + struct { + short int offset; + unsigned int size; + sector_t sector; + } ppl; +}; + +enum flag_bits { + Faulty = 0, + In_sync = 1, + Bitmap_sync = 2, + WriteMostly = 3, + AutoDetected = 4, + Blocked = 5, + WriteErrorSeen = 6, + FaultRecorded = 7, + BlockedBadBlocks = 8, + WantReplacement = 9, + Replacement = 10, + Candidate = 11, + Journal = 12, + ClusterRemove = 13, + RemoveSynchronized = 14, + ExternalBbl = 15, + FailFast = 16, + LastDev = 17, + WBCollisionCheck = 18, +}; + +enum mddev_flags { + MD_ARRAY_FIRST_USE = 0, + MD_CLOSING = 1, + MD_JOURNAL_CLEAN = 2, + MD_HAS_JOURNAL = 3, + MD_CLUSTER_RESYNC_LOCKED = 4, + MD_FAILFAST_SUPPORTED = 5, + MD_HAS_PPL = 6, + MD_HAS_MULTIPLE_PPLS = 7, + MD_ALLOW_SB_UPDATE = 8, + MD_UPDATING_SB = 9, + MD_NOT_READY = 10, + MD_BROKEN = 11, +}; + +enum mddev_sb_flags { + MD_SB_CHANGE_DEVS = 0, + MD_SB_CHANGE_CLEAN = 1, + MD_SB_CHANGE_PENDING = 2, + MD_SB_NEED_REWRITE = 3, +}; + +struct md_personality { + char *name; + int level; + struct list_head list; + struct module *owner; + bool (*make_request)(struct mddev *, struct bio *); + int (*run)(struct mddev *); + int (*start)(struct mddev *); + void (*free)(struct mddev *, void *); + void (*status)(struct seq_file *, struct mddev *); + void (*error_handler)(struct mddev *, struct md_rdev *); + int (*hot_add_disk)(struct mddev *, struct md_rdev *); + int (*hot_remove_disk)(struct mddev *, struct md_rdev *); + int (*spare_active)(struct mddev *); + sector_t (*sync_request)(struct mddev *, sector_t, int *); + int (*resize)(struct mddev *, sector_t); + sector_t (*size)(struct mddev *, sector_t, int); + int (*check_reshape)(struct mddev *); + int (*start_reshape)(struct mddev *); + void (*finish_reshape)(struct mddev *); + void (*update_reshape_pos)(struct mddev *); + void (*quiesce)(struct mddev *, int); + void * (*takeover)(struct mddev *); + int (*congested)(struct mddev *, int); + int (*change_consistency_policy)(struct mddev *, const char *); +}; + +struct md_thread { + void (*run)(struct md_thread *); + struct mddev *mddev; + wait_queue_head_t wqueue; + long unsigned int flags; + struct task_struct *tsk; + long unsigned int timeout; + void *private; +}; + +struct bitmap_page; + +struct bitmap_counts { + spinlock_t lock; + struct bitmap_page *bp; + long unsigned int pages; + long unsigned int missing_pages; + long unsigned int chunkshift; + long unsigned int chunks; +}; + +struct bitmap_storage { + struct file *file; + struct page *sb_page; + struct page **filemap; + long unsigned int *filemap_attr; + long unsigned int file_pages; + long unsigned int bytes; +}; + +struct bitmap { + struct bitmap_counts counts; + struct mddev *mddev; + __u64 events_cleared; + int need_sync; + struct bitmap_storage storage; + long unsigned int flags; + int allclean; + atomic_t behind_writes; + long unsigned int behind_writes_used; + long unsigned int daemon_lastrun; + long unsigned int last_end_sync; + atomic_t pending_writes; + wait_queue_head_t write_wait; + wait_queue_head_t overflow_wait; + wait_queue_head_t behind_wait; + struct kernfs_node *sysfs_can_clear; + int cluster_slot; +}; + +enum recovery_flags { + MD_RECOVERY_RUNNING = 0, + MD_RECOVERY_SYNC = 1, + MD_RECOVERY_RECOVER = 2, + MD_RECOVERY_INTR = 3, + MD_RECOVERY_DONE = 4, + MD_RECOVERY_NEEDED = 5, + MD_RECOVERY_REQUESTED = 6, + MD_RECOVERY_CHECK = 7, + MD_RECOVERY_RESHAPE = 8, + MD_RECOVERY_FROZEN = 9, + MD_RECOVERY_ERROR = 10, + MD_RECOVERY_WAIT = 11, + MD_RESYNCING_REMOTE = 12, +}; + +struct md_sysfs_entry { + struct attribute attr; + ssize_t (*show)(struct mddev *, char *); + ssize_t (*store)(struct mddev *, const char *, size_t); +}; + +struct bitmap_page { + char *map; + unsigned int hijacked: 1; + unsigned int pending: 1; + unsigned int count: 30; +}; + +struct super_type { + char *name; + struct module *owner; + int (*load_super)(struct md_rdev *, struct md_rdev *, int); + int (*validate_super)(struct mddev *, struct md_rdev *); + void (*sync_super)(struct mddev *, struct md_rdev *); + long long unsigned int (*rdev_size_change)(struct md_rdev *, sector_t); + int (*allow_new_offset)(struct md_rdev *, long long unsigned int); +}; + +struct rdev_sysfs_entry { + struct attribute attr; + ssize_t (*show)(struct md_rdev *, char *); + ssize_t (*store)(struct md_rdev *, const char *, size_t); +}; + +enum array_state { + clear = 0, + inactive = 1, + suspended = 2, + readonly = 3, + read_auto = 4, + clean = 5, + active = 6, + write_pending = 7, + active_idle = 8, + broken = 9, + bad_word = 10, +}; + +struct detected_devices_node { + struct list_head list; + dev_t dev; +}; + +typedef __u16 bitmap_counter_t; + +enum bitmap_state { + BITMAP_STALE = 1, + BITMAP_WRITE_ERROR = 2, + BITMAP_HOSTENDIAN = 15, +}; + +struct bitmap_super_s { + __le32 magic; + __le32 version; + __u8 uuid[16]; + __le64 events; + __le64 events_cleared; + __le64 sync_size; + __le32 state; + __le32 chunksize; + __le32 daemon_sleep; + __le32 write_behind; + __le32 sectors_reserved; + __le32 nodes; + __u8 cluster_name[64]; + __u8 pad[120]; +}; + +typedef struct bitmap_super_s bitmap_super_t; + +enum bitmap_page_attr { + BITMAP_PAGE_DIRTY = 0, + BITMAP_PAGE_PENDING = 1, + BITMAP_PAGE_NEEDWRITE = 2, +}; + +enum dm_queue_mode { + DM_TYPE_NONE = 0, + DM_TYPE_BIO_BASED = 1, + DM_TYPE_REQUEST_BASED = 2, + DM_TYPE_DAX_BIO_BASED = 3, + DM_TYPE_NVME_BIO_BASED = 4, +}; + +typedef enum { + STATUSTYPE_INFO = 0, + STATUSTYPE_TABLE = 1, +} status_type_t; + +union map_info___2 { + void *ptr; +}; + +struct dm_target; + +typedef int (*dm_ctr_fn)(struct dm_target *, unsigned int, char **); + +struct dm_table; + +struct target_type; + +struct dm_target { + struct dm_table *table; + struct target_type *type; + sector_t begin; + sector_t len; + uint32_t max_io_len; + unsigned int num_flush_bios; + unsigned int num_discard_bios; + unsigned int num_secure_erase_bios; + unsigned int num_write_same_bios; + unsigned int num_write_zeroes_bios; + unsigned int per_io_data_size; + void *private; + char *error; + bool flush_supported: 1; + bool discards_supported: 1; +}; + +typedef void (*dm_dtr_fn)(struct dm_target *); + +typedef int (*dm_map_fn)(struct dm_target *, struct bio *); + +typedef int (*dm_clone_and_map_request_fn)(struct dm_target *, struct request *, union map_info___2 *, struct request **); + +typedef void (*dm_release_clone_request_fn)(struct request *, union map_info___2 *); + +typedef int (*dm_endio_fn)(struct dm_target *, struct bio *, blk_status_t *); + +typedef int (*dm_request_endio_fn)(struct dm_target *, struct request *, blk_status_t, union map_info___2 *); + +typedef void (*dm_presuspend_fn)(struct dm_target *); + +typedef void (*dm_presuspend_undo_fn)(struct dm_target *); + +typedef void (*dm_postsuspend_fn)(struct dm_target *); + +typedef int (*dm_preresume_fn)(struct dm_target *); + +typedef void (*dm_resume_fn)(struct dm_target *); + +typedef void (*dm_status_fn)(struct dm_target *, status_type_t, unsigned int, char *, unsigned int); + +typedef int (*dm_message_fn)(struct dm_target *, unsigned int, char **, char *, unsigned int); + +typedef int (*dm_prepare_ioctl_fn)(struct dm_target *, struct block_device **); + +struct dm_dev; + +typedef int (*iterate_devices_callout_fn)(struct dm_target *, struct dm_dev *, sector_t, sector_t, void *); + +struct dm_dev { + struct block_device *bdev; + struct dax_device *dax_dev; + fmode_t mode; + char name[16]; +}; + +typedef int (*dm_iterate_devices_fn)(struct dm_target *, iterate_devices_callout_fn, void *); + +typedef void (*dm_io_hints_fn)(struct dm_target *, struct queue_limits *); + +typedef int (*dm_busy_fn)(struct dm_target *); + +typedef long int (*dm_dax_direct_access_fn)(struct dm_target *, long unsigned int, long int, void **, pfn_t *); + +typedef size_t (*dm_dax_copy_iter_fn)(struct dm_target *, long unsigned int, void *, size_t, struct iov_iter *); + +struct target_type { + uint64_t features; + const char *name; + struct module *module; + unsigned int version[3]; + dm_ctr_fn ctr; + dm_dtr_fn dtr; + dm_map_fn map; + dm_clone_and_map_request_fn clone_and_map_rq; + dm_release_clone_request_fn release_clone_rq; + dm_endio_fn end_io; + dm_request_endio_fn rq_end_io; + dm_presuspend_fn presuspend; + dm_presuspend_undo_fn presuspend_undo; + dm_postsuspend_fn postsuspend; + dm_preresume_fn preresume; + dm_resume_fn resume; + dm_status_fn status; + dm_message_fn message; + dm_prepare_ioctl_fn prepare_ioctl; + dm_busy_fn busy; + dm_iterate_devices_fn iterate_devices; + dm_io_hints_fn io_hints; + dm_dax_direct_access_fn direct_access; + dm_dax_copy_iter_fn dax_copy_from_iter; + dm_dax_copy_iter_fn dax_copy_to_iter; + struct list_head list; +}; + +struct dm_stats_last_position; + +struct dm_stats { + struct mutex mutex; + struct list_head list; + struct dm_stats_last_position *last; + sector_t last_sector; + unsigned int last_rw; +}; + +struct dm_stats_aux { + bool merged; + long long unsigned int duration_ns; +}; + +struct dm_kobject_holder { + struct kobject kobj; + struct completion completion; +}; + +struct mapped_device { + struct mutex suspend_lock; + struct mutex table_devices_lock; + struct list_head table_devices; + void *map; + long unsigned int flags; + struct mutex type_lock; + enum dm_queue_mode type; + int numa_node_id; + struct request_queue *queue; + atomic_t holders; + atomic_t open_count; + struct dm_target *immutable_target; + struct target_type *immutable_target_type; + char name[16]; + struct gendisk *disk; + struct dax_device *dax_dev; + struct work_struct work; + wait_queue_head_t wait; + spinlock_t deferred_lock; + struct bio_list deferred; + void *interface_ptr; + wait_queue_head_t eventq; + atomic_t event_nr; + atomic_t uevent_seq; + struct list_head uevent_list; + spinlock_t uevent_lock; + unsigned int internal_suspend_count; + struct bio_set io_bs; + struct bio_set bs; + struct workqueue_struct *wq; + struct super_block *frozen_sb; + struct hd_geometry geometry; + struct dm_kobject_holder kobj_holder; + struct block_device *bdev; + struct dm_stats stats; + struct blk_mq_tag_set *tag_set; + bool init_tio_pdu: 1; + struct srcu_struct io_barrier; +}; + +struct dax_operations { + long int (*direct_access)(struct dax_device *, long unsigned int, long int, void **, pfn_t *); + bool (*dax_supported)(struct dax_device *, struct block_device *, int, sector_t, sector_t); + size_t (*copy_from_iter)(struct dax_device *, long unsigned int, void *, size_t, struct iov_iter *); + size_t (*copy_to_iter)(struct dax_device *, long unsigned int, void *, size_t, struct iov_iter *); +}; + +struct dm_io; + +struct clone_info { + struct dm_table *map; + struct bio *bio; + struct dm_io *io; + sector_t sector; + unsigned int sector_count; +}; + +struct dm_target_io { + unsigned int magic; + struct dm_io *io; + struct dm_target *ti; + unsigned int target_bio_nr; + unsigned int *len_ptr; + bool inside_dm_io; + struct bio clone; +}; + +struct dm_io { + unsigned int magic; + struct mapped_device *md; + blk_status_t status; + atomic_t io_count; + struct bio *orig_bio; + long unsigned int start_time; + spinlock_t endio_lock; + struct dm_stats_aux stats_aux; + struct dm_target_io tio; +}; + +struct dm_md_mempools { + struct bio_set bs; + struct bio_set io_bs; +}; + +struct table_device { + struct list_head list; + refcount_t count; + struct dm_dev dm_dev; +}; + +struct dm_pr { + u64 old_key; + u64 new_key; + u32 flags; + bool fail_early; +}; + +struct dm_md_mempools___2; + +struct dm_table { + struct mapped_device *md; + enum dm_queue_mode type; + unsigned int depth; + unsigned int counts[16]; + sector_t *index[16]; + unsigned int num_targets; + unsigned int num_allocated; + sector_t *highs; + struct dm_target *targets; + struct target_type *immutable_target_type; + bool integrity_supported: 1; + bool singleton: 1; + unsigned int integrity_added: 1; + fmode_t mode; + struct list_head devices; + void (*event_fn)(void *); + void *event_context; + struct dm_md_mempools___2 *mempools; + struct list_head target_callbacks; +}; + +struct dm_target_callbacks { + struct list_head list; + int (*congested_fn)(struct dm_target_callbacks *, int); +}; + +struct dm_arg_set { + unsigned int argc; + char **argv; +}; + +struct dm_arg { + unsigned int min; + unsigned int max; + char *error; +}; + +struct dm_dev_internal { + struct list_head list; + refcount_t count; + struct dm_dev *dm_dev; +}; + +enum suspend_mode { + PRESUSPEND = 0, + PRESUSPEND_UNDO = 1, + POSTSUSPEND = 2, +}; + +struct linear_c { + struct dm_dev *dev; + sector_t start; +}; + +struct stripe { + struct dm_dev *dev; + sector_t physical_start; + atomic_t error_count; +}; + +struct stripe_c { + uint32_t stripes; + int stripes_shift; + sector_t stripe_width; + uint32_t chunk_size; + int chunk_size_shift; + struct dm_target *ti; + struct work_struct trigger_event; + struct stripe stripe[0]; +}; + +struct dm_ioctl { + __u32 version[3]; + __u32 data_size; + __u32 data_start; + __u32 target_count; + __s32 open_count; + __u32 flags; + __u32 event_nr; + __u32 padding; + __u64 dev; + char name[128]; + char uuid[129]; + char data[7]; +}; + +struct dm_target_spec { + __u64 sector_start; + __u64 length; + __s32 status; + __u32 next; + char target_type[16]; +}; + +struct dm_target_deps { + __u32 count; + __u32 padding; + __u64 dev[0]; +}; + +struct dm_name_list { + __u64 dev; + __u32 next; + char name[0]; +}; + +struct dm_target_versions { + __u32 next; + __u32 version[3]; + char name[0]; +}; + +struct dm_target_msg { + __u64 sector; + char message[0]; +}; + +enum { + DM_VERSION_CMD = 0, + DM_REMOVE_ALL_CMD = 1, + DM_LIST_DEVICES_CMD = 2, + DM_DEV_CREATE_CMD = 3, + DM_DEV_REMOVE_CMD = 4, + DM_DEV_RENAME_CMD = 5, + DM_DEV_SUSPEND_CMD = 6, + DM_DEV_STATUS_CMD = 7, + DM_DEV_WAIT_CMD = 8, + DM_TABLE_LOAD_CMD = 9, + DM_TABLE_CLEAR_CMD = 10, + DM_TABLE_DEPS_CMD = 11, + DM_TABLE_STATUS_CMD = 12, + DM_LIST_VERSIONS_CMD = 13, + DM_TARGET_MSG_CMD = 14, + DM_DEV_SET_GEOMETRY_CMD = 15, + DM_DEV_ARM_POLL_CMD = 16, + DM_GET_TARGET_VERSION_CMD = 17, +}; + +struct dm_file { + volatile unsigned int global_event_nr; +}; + +struct hash_cell { + struct list_head name_list; + struct list_head uuid_list; + char *name; + char *uuid; + struct mapped_device *md; + struct dm_table *new_map; +}; + +struct vers_iter { + size_t param_size; + struct dm_target_versions *vers; + struct dm_target_versions *old_vers; + char *end; + uint32_t flags; +}; + +typedef int (*ioctl_fn___2)(struct file *, struct dm_ioctl *, size_t); + +struct dm_io_region { + struct block_device *bdev; + sector_t sector; + sector_t count; +}; + +struct page_list { + struct page_list *next; + struct page *page; +}; + +typedef void (*io_notify_fn)(long unsigned int, void *); + +enum dm_io_mem_type { + DM_IO_PAGE_LIST = 0, + DM_IO_BIO = 1, + DM_IO_VMA = 2, + DM_IO_KMEM = 3, +}; + +struct dm_io_memory { + enum dm_io_mem_type type; + unsigned int offset; + union { + struct page_list *pl; + struct bio *bio; + void *vma; + void *addr; + } ptr; +}; + +struct dm_io_notify { + io_notify_fn fn; + void *context; +}; + +struct dm_io_client; + +struct dm_io_request { + int bi_op; + int bi_op_flags; + struct dm_io_memory mem; + struct dm_io_notify notify; + struct dm_io_client *client; +}; + +struct dm_io_client { + mempool_t pool; + struct bio_set bios; +}; + +struct io { + long unsigned int error_bits; + atomic_t count; + struct dm_io_client *client; + io_notify_fn callback; + void *context; + void *vma_invalidate_address; + long unsigned int vma_invalidate_size; + long: 64; +}; + +struct dpages { + void (*get_page)(struct dpages *, struct page **, long unsigned int *, unsigned int *); + void (*next_page)(struct dpages *); + union { + unsigned int context_u; + struct bvec_iter context_bi; + }; + void *context_ptr; + void *vma_invalidate_address; + long unsigned int vma_invalidate_size; +}; + +struct sync_io { + long unsigned int error_bits; + struct completion wait; +}; + +struct dm_kcopyd_throttle { + unsigned int throttle; + unsigned int num_io_jobs; + unsigned int io_period; + unsigned int total_period; + unsigned int last_jiffies; +}; + +typedef void (*dm_kcopyd_notify_fn)(int, long unsigned int, void *); + +struct dm_kcopyd_client { + struct page_list *pages; + unsigned int nr_reserved_pages; + unsigned int nr_free_pages; + unsigned int sub_job_size; + struct dm_io_client *io_client; + wait_queue_head_t destroyq; + mempool_t job_pool; + struct workqueue_struct *kcopyd_wq; + struct work_struct kcopyd_work; + struct dm_kcopyd_throttle *throttle; + atomic_t nr_jobs; + spinlock_t job_lock; + struct list_head callback_jobs; + struct list_head complete_jobs; + struct list_head io_jobs; + struct list_head pages_jobs; +}; + +struct kcopyd_job { + struct dm_kcopyd_client *kc; + struct list_head list; + long unsigned int flags; + int read_err; + long unsigned int write_err; + int rw; + struct dm_io_region source; + unsigned int num_dests; + struct dm_io_region dests[8]; + struct page_list *pages; + dm_kcopyd_notify_fn fn; + void *context; + struct mutex lock; + atomic_t sub_jobs; + sector_t progress; + sector_t write_offset; + struct kcopyd_job *master_job; +}; + +struct dm_sysfs_attr { + struct attribute attr; + ssize_t (*show)(struct mapped_device *, char *); + ssize_t (*store)(struct mapped_device *, const char *, size_t); +}; + +struct dm_stats_last_position { + sector_t last_sector; + unsigned int last_rw; +}; + +struct dm_stat_percpu { + long long unsigned int sectors[2]; + long long unsigned int ios[2]; + long long unsigned int merges[2]; + long long unsigned int ticks[2]; + long long unsigned int io_ticks[2]; + long long unsigned int io_ticks_total; + long long unsigned int time_in_queue; + long long unsigned int *histogram; +}; + +struct dm_stat_shared { + atomic_t in_flight[2]; + long long unsigned int stamp; + struct dm_stat_percpu tmp; +}; + +struct dm_stat { + struct list_head list_entry; + int id; + unsigned int stat_flags; + size_t n_entries; + sector_t start; + sector_t end; + sector_t step; + unsigned int n_histogram_entries; + long long unsigned int *histogram_boundaries; + const char *program_id; + const char *aux_data; + struct callback_head callback_head; + size_t shared_alloc_size; + size_t percpu_alloc_size; + size_t histogram_alloc_size; + struct dm_stat_percpu *stat_percpu[64]; + struct dm_stat_shared stat_shared[0]; +}; + +struct dm_rq_target_io; + +struct dm_rq_clone_bio_info { + struct bio *orig; + struct dm_rq_target_io *tio; + struct bio clone; +}; + +struct dm_rq_target_io { + struct mapped_device *md; + struct dm_target *ti; + struct request *orig; + struct request *clone; + struct kthread_work work; + blk_status_t error; + union map_info___2 info; + struct dm_stats_aux stats_aux; + long unsigned int duration_jiffies; + unsigned int n_sectors; + unsigned int completed; +}; + +struct dm_bio_details { + struct gendisk *bi_disk; + u8 bi_partno; + long unsigned int bi_flags; + struct bvec_iter bi_iter; +}; + +typedef sector_t region_t; + +struct dm_dirty_log_type; + +struct dm_dirty_log { + struct dm_dirty_log_type *type; + int (*flush_callback_fn)(struct dm_target *); + void *context; +}; + +struct dm_dirty_log_type { + const char *name; + struct module *module; + struct list_head list; + int (*ctr)(struct dm_dirty_log *, struct dm_target *, unsigned int, char **); + void (*dtr)(struct dm_dirty_log *); + int (*presuspend)(struct dm_dirty_log *); + int (*postsuspend)(struct dm_dirty_log *); + int (*resume)(struct dm_dirty_log *); + uint32_t (*get_region_size)(struct dm_dirty_log *); + int (*is_clean)(struct dm_dirty_log *, region_t); + int (*in_sync)(struct dm_dirty_log *, region_t, int); + int (*flush)(struct dm_dirty_log *); + void (*mark_region)(struct dm_dirty_log *, region_t); + void (*clear_region)(struct dm_dirty_log *, region_t); + int (*get_resync_work)(struct dm_dirty_log *, region_t *); + void (*set_region_sync)(struct dm_dirty_log *, region_t, int); + region_t (*get_sync_count)(struct dm_dirty_log *); + int (*status)(struct dm_dirty_log *, status_type_t, char *, unsigned int); + int (*is_remote_recovering)(struct dm_dirty_log *, region_t); +}; + +enum dm_rh_region_states { + DM_RH_CLEAN = 1, + DM_RH_DIRTY = 2, + DM_RH_NOSYNC = 4, + DM_RH_RECOVERING = 8, +}; + +enum dm_raid1_error { + DM_RAID1_WRITE_ERROR = 0, + DM_RAID1_FLUSH_ERROR = 1, + DM_RAID1_SYNC_ERROR = 2, + DM_RAID1_READ_ERROR = 3, +}; + +struct mirror_set; + +struct mirror { + struct mirror_set *ms; + atomic_t error_count; + long unsigned int error_type; + struct dm_dev *dev; + sector_t offset; +}; + +struct dm_region_hash; + +struct dm_kcopyd_client___2; + +struct mirror_set { + struct dm_target *ti; + struct list_head list; + uint64_t features; + spinlock_t lock; + struct bio_list reads; + struct bio_list writes; + struct bio_list failures; + struct bio_list holds; + struct dm_region_hash *rh; + struct dm_kcopyd_client___2 *kcopyd_client; + struct dm_io_client *io_client; + region_t nr_regions; + int in_sync; + int log_failure; + int leg_failure; + atomic_t suspend; + atomic_t default_mirror; + struct workqueue_struct *kmirrord_wq; + struct work_struct kmirrord_work; + struct timer_list timer; + long unsigned int timer_pending; + struct work_struct trigger_event; + unsigned int nr_mirrors; + struct mirror mirror[0]; +}; + +struct dm_raid1_bio_record { + struct mirror *m; + struct dm_bio_details details; + region_t write_region; +}; + +struct dm_region; + +struct log_header_disk { + __le32 magic; + __le32 version; + __le64 nr_regions; +}; + +struct log_header_core { + uint32_t magic; + uint32_t version; + uint64_t nr_regions; +}; + +enum sync { + DEFAULTSYNC = 0, + NOSYNC = 1, + FORCESYNC = 2, +}; + +struct log_c { + struct dm_target *ti; + int touched_dirtied; + int touched_cleaned; + int flush_failed; + uint32_t region_size; + unsigned int region_count; + region_t sync_count; + unsigned int bitset_uint32_count; + uint32_t *clean_bits; + uint32_t *sync_bits; + uint32_t *recovering_bits; + int sync_search; + enum sync sync; + struct dm_io_request io_req; + int log_dev_failed; + int log_dev_flush_failed; + struct dm_dev *log_dev; + struct log_header_core header; + struct dm_io_region header_location; + struct log_header_disk *disk_header; +}; + +struct dm_region_hash___2 { + uint32_t region_size; + unsigned int region_shift; + struct dm_dirty_log *log; + rwlock_t hash_lock; + unsigned int mask; + unsigned int nr_buckets; + unsigned int prime; + unsigned int shift; + struct list_head *buckets; + int flush_failure; + unsigned int max_recovery; + spinlock_t region_lock; + atomic_t recovery_in_flight; + struct list_head clean_regions; + struct list_head quiesced_regions; + struct list_head recovered_regions; + struct list_head failed_recovered_regions; + struct semaphore recovery_count; + mempool_t region_pool; + void *context; + sector_t target_begin; + void (*dispatch_bios)(void *, struct bio_list *); + void (*wakeup_workers)(void *); + void (*wakeup_all_recovery_waiters)(void *); +}; + +struct dm_region___2 { + struct dm_region_hash___2 *rh; + region_t key; + int state; + struct list_head hash_list; + struct list_head list; + atomic_t pending; + struct bio_list delayed_bios; +}; + +enum { + EDAC_REPORTING_ENABLED = 0, + EDAC_REPORTING_DISABLED = 1, + EDAC_REPORTING_FORCE = 2, +}; + +enum dev_type { + DEV_UNKNOWN = 0, + DEV_X1 = 1, + DEV_X2 = 2, + DEV_X4 = 3, + DEV_X8 = 4, + DEV_X16 = 5, + DEV_X32 = 6, + DEV_X64 = 7, +}; + +enum hw_event_mc_err_type { + HW_EVENT_ERR_CORRECTED = 0, + HW_EVENT_ERR_UNCORRECTED = 1, + HW_EVENT_ERR_DEFERRED = 2, + HW_EVENT_ERR_FATAL = 3, + HW_EVENT_ERR_INFO = 4, +}; + +enum mem_type { + MEM_EMPTY = 0, + MEM_RESERVED = 1, + MEM_UNKNOWN = 2, + MEM_FPM = 3, + MEM_EDO = 4, + MEM_BEDO = 5, + MEM_SDR = 6, + MEM_RDR = 7, + MEM_DDR = 8, + MEM_RDDR = 9, + MEM_RMBS = 10, + MEM_DDR2 = 11, + MEM_FB_DDR2 = 12, + MEM_RDDR2 = 13, + MEM_XDR = 14, + MEM_DDR3 = 15, + MEM_RDDR3 = 16, + MEM_LRDDR3 = 17, + MEM_DDR4 = 18, + MEM_RDDR4 = 19, + MEM_LRDDR4 = 20, + MEM_NVDIMM = 21, +}; + +enum edac_type { + EDAC_UNKNOWN = 0, + EDAC_NONE = 1, + EDAC_RESERVED = 2, + EDAC_PARITY = 3, + EDAC_EC = 4, + EDAC_SECDED = 5, + EDAC_S2ECD2ED = 6, + EDAC_S4ECD4ED = 7, + EDAC_S8ECD8ED = 8, + EDAC_S16ECD16ED = 9, +}; + +enum scrub_type { + SCRUB_UNKNOWN = 0, + SCRUB_NONE = 1, + SCRUB_SW_PROG = 2, + SCRUB_SW_SRC = 3, + SCRUB_SW_PROG_SRC = 4, + SCRUB_SW_TUNABLE = 5, + SCRUB_HW_PROG = 6, + SCRUB_HW_SRC = 7, + SCRUB_HW_PROG_SRC = 8, + SCRUB_HW_TUNABLE = 9, +}; + +enum edac_mc_layer_type { + EDAC_MC_LAYER_BRANCH = 0, + EDAC_MC_LAYER_CHANNEL = 1, + EDAC_MC_LAYER_SLOT = 2, + EDAC_MC_LAYER_CHIP_SELECT = 3, + EDAC_MC_LAYER_ALL_MEM = 4, +}; + +struct edac_mc_layer { + enum edac_mc_layer_type type; + unsigned int size; + bool is_virt_csrow; +}; + +struct mem_ctl_info; + +struct dimm_info { + struct device dev; + char label[32]; + unsigned int location[3]; + struct mem_ctl_info *mci; + unsigned int idx; + u32 grain; + enum dev_type dtype; + enum mem_type mtype; + enum edac_type edac_mode; + u32 nr_pages; + unsigned int csrow; + unsigned int cschannel; + u16 smbios_handle; +}; + +struct mcidev_sysfs_attribute; + +struct edac_raw_error_desc { + char location[256]; + char label[296]; + long int grain; + u16 error_count; + int top_layer; + int mid_layer; + int low_layer; + long unsigned int page_frame_number; + long unsigned int offset_in_page; + long unsigned int syndrome; + const char *msg; + const char *other_detail; + bool enable_per_layer_report; +}; + +struct csrow_info; + +struct mem_ctl_info { + struct device dev; + struct bus_type *bus; + struct list_head link; + struct module *owner; + long unsigned int mtype_cap; + long unsigned int edac_ctl_cap; + long unsigned int edac_cap; + long unsigned int scrub_cap; + enum scrub_type scrub_mode; + int (*set_sdram_scrub_rate)(struct mem_ctl_info *, u32); + int (*get_sdram_scrub_rate)(struct mem_ctl_info *); + void (*edac_check)(struct mem_ctl_info *); + long unsigned int (*ctl_page_to_phys)(struct mem_ctl_info *, long unsigned int); + int mc_idx; + struct csrow_info **csrows; + unsigned int nr_csrows; + unsigned int num_cschannel; + unsigned int n_layers; + struct edac_mc_layer *layers; + bool csbased; + unsigned int tot_dimms; + struct dimm_info **dimms; + struct device *pdev; + const char *mod_name; + const char *ctl_name; + const char *dev_name; + void *pvt_info; + long unsigned int start_time; + u32 ce_noinfo_count; + u32 ue_noinfo_count; + u32 ue_mc; + u32 ce_mc; + u32 *ce_per_layer[3]; + u32 *ue_per_layer[3]; + struct completion complete; + const struct mcidev_sysfs_attribute *mc_driver_sysfs_attributes; + struct delayed_work work; + struct edac_raw_error_desc error_desc; + int op_state; + struct dentry *debugfs; + u8 fake_inject_layer[3]; + bool fake_inject_ue; + u16 fake_inject_count; +}; + +struct rank_info { + int chan_idx; + struct csrow_info *csrow; + struct dimm_info *dimm; + u32 ce_count; +}; + +struct csrow_info { + struct device dev; + long unsigned int first_page; + long unsigned int last_page; + long unsigned int page_mask; + int csrow_idx; + u32 ue_count; + u32 ce_count; + struct mem_ctl_info *mci; + u32 nr_channels; + struct rank_info **channels; +}; + +struct edac_device_counter { + u32 ue_count; + u32 ce_count; +}; + +struct edac_device_ctl_info; + +struct edac_dev_sysfs_attribute { + struct attribute attr; + ssize_t (*show)(struct edac_device_ctl_info *, char *); + ssize_t (*store)(struct edac_device_ctl_info *, const char *, size_t); +}; + +struct edac_device_instance; + +struct edac_device_ctl_info { + struct list_head link; + struct module *owner; + int dev_idx; + int log_ue; + int log_ce; + int panic_on_ue; + unsigned int poll_msec; + long unsigned int delay; + struct edac_dev_sysfs_attribute *sysfs_attributes; + struct bus_type *edac_subsys; + int op_state; + struct delayed_work work; + void (*edac_check)(struct edac_device_ctl_info *); + struct device *dev; + const char *mod_name; + const char *ctl_name; + const char *dev_name; + void *pvt_info; + long unsigned int start_time; + struct completion removal_complete; + char name[32]; + u32 nr_instances; + struct edac_device_instance *instances; + struct edac_device_counter counters; + struct kobject kobj; +}; + +struct edac_device_block; + +struct edac_dev_sysfs_block_attribute { + struct attribute attr; + ssize_t (*show)(struct kobject *, struct attribute *, char *); + ssize_t (*store)(struct kobject *, struct attribute *, const char *, size_t); + struct edac_device_block *block; + unsigned int value; +}; + +struct edac_device_block { + struct edac_device_instance *instance; + char name[32]; + struct edac_device_counter counters; + int nr_attribs; + struct edac_dev_sysfs_block_attribute *block_attributes; + struct kobject kobj; +}; + +struct edac_device_instance { + struct edac_device_ctl_info *ctl; + char name[35]; + struct edac_device_counter counters; + u32 nr_blocks; + struct edac_device_block *blocks; + struct kobject kobj; +}; + +struct dev_ch_attribute { + struct device_attribute attr; + unsigned int channel; +}; + +struct ctl_info_attribute { + struct attribute attr; + ssize_t (*show)(struct edac_device_ctl_info *, char *); + ssize_t (*store)(struct edac_device_ctl_info *, const char *, size_t); +}; + +struct instance_attribute { + struct attribute attr; + ssize_t (*show)(struct edac_device_instance *, char *); + ssize_t (*store)(struct edac_device_instance *, const char *, size_t); +}; + +struct edac_pci_counter { + atomic_t pe_count; + atomic_t npe_count; +}; + +struct edac_pci_ctl_info { + struct list_head link; + int pci_idx; + struct bus_type *edac_subsys; + int op_state; + struct delayed_work work; + void (*edac_check)(struct edac_pci_ctl_info *); + struct device *dev; + const char *mod_name; + const char *ctl_name; + const char *dev_name; + void *pvt_info; + long unsigned int start_time; + struct completion complete; + char name[32]; + struct edac_pci_counter counters; + struct kobject kobj; +}; + +struct edac_pci_gen_data { + int edac_idx; +}; + +struct instance_attribute___2 { + struct attribute attr; + ssize_t (*show)(struct edac_pci_ctl_info *, char *); + ssize_t (*store)(struct edac_pci_ctl_info *, const char *, size_t); +}; + +struct edac_pci_dev_attribute { + struct attribute attr; + void *value; + ssize_t (*show)(void *, char *); + ssize_t (*store)(void *, const char *, size_t); +}; + +typedef void (*pci_parity_check_fn_t)(struct pci_dev *); + +enum tt_ids { + TT_INSTR = 0, + TT_DATA = 1, + TT_GEN = 2, + TT_RESV = 3, +}; + +enum ll_ids { + LL_RESV = 0, + LL_L1 = 1, + LL_L2 = 2, + LL_LG = 3, +}; + +enum ii_ids { + II_MEM = 0, + II_RESV = 1, + II_IO = 2, + II_GEN = 3, +}; + +enum rrrr_ids { + R4_GEN = 0, + R4_RD = 1, + R4_WR = 2, + R4_DRD = 3, + R4_DWR = 4, + R4_IRD = 5, + R4_PREF = 6, + R4_EVICT = 7, + R4_SNOOP = 8, +}; + +struct amd_decoder_ops { + bool (*mc0_mce)(u16, u8); + bool (*mc1_mce)(u16, u8); + bool (*mc2_mce)(u16, u8); +}; + +struct smca_mce_desc { + const char * const *descs; + unsigned int num_descs; +}; + +struct freq_attr { + struct attribute attr; + ssize_t (*show)(struct cpufreq_policy *, char *); + ssize_t (*store)(struct cpufreq_policy *, const char *, size_t); +}; + +struct cpufreq_driver { + char name[16]; + u8 flags; + void *driver_data; + int (*init)(struct cpufreq_policy *); + int (*verify)(struct cpufreq_policy *); + int (*setpolicy)(struct cpufreq_policy *); + int (*target)(struct cpufreq_policy *, unsigned int, unsigned int); + int (*target_index)(struct cpufreq_policy *, unsigned int); + unsigned int (*fast_switch)(struct cpufreq_policy *, unsigned int); + unsigned int (*resolve_freq)(struct cpufreq_policy *, unsigned int); + unsigned int (*get_intermediate)(struct cpufreq_policy *, unsigned int); + int (*target_intermediate)(struct cpufreq_policy *, unsigned int); + unsigned int (*get)(unsigned int); + void (*update_limits)(unsigned int); + int (*bios_limit)(int, unsigned int *); + int (*online)(struct cpufreq_policy *); + int (*offline)(struct cpufreq_policy *); + int (*exit)(struct cpufreq_policy *); + void (*stop_cpu)(struct cpufreq_policy *); + int (*suspend)(struct cpufreq_policy *); + int (*resume)(struct cpufreq_policy *); + void (*ready)(struct cpufreq_policy *); + struct freq_attr **attr; + bool boost_enabled; + int (*set_boost)(int); +}; + +struct gov_attr_set { + struct kobject kobj; + struct list_head policy_list; + struct mutex update_lock; + int usage_count; +}; + +struct governor_attr { + struct attribute attr; + ssize_t (*show)(struct gov_attr_set *, char *); + ssize_t (*store)(struct gov_attr_set *, const char *, size_t); +}; + +enum { + OD_NORMAL_SAMPLE = 0, + OD_SUB_SAMPLE = 1, +}; + +struct dbs_data { + struct gov_attr_set attr_set; + void *tuners; + unsigned int ignore_nice_load; + unsigned int sampling_rate; + unsigned int sampling_down_factor; + unsigned int up_threshold; + unsigned int io_is_busy; +}; + +struct policy_dbs_info { + struct cpufreq_policy *policy; + struct mutex update_mutex; + u64 last_sample_time; + s64 sample_delay_ns; + atomic_t work_count; + struct irq_work irq_work; + struct work_struct work; + struct dbs_data *dbs_data; + struct list_head list; + unsigned int rate_mult; + unsigned int idle_periods; + bool is_shared; + bool work_in_progress; +}; + +struct dbs_governor { + struct cpufreq_governor gov; + struct kobj_type kobj_type; + struct dbs_data *gdbs_data; + unsigned int (*gov_dbs_update)(struct cpufreq_policy *); + struct policy_dbs_info * (*alloc)(); + void (*free)(struct policy_dbs_info *); + int (*init)(struct dbs_data *); + void (*exit)(struct dbs_data *); + void (*start)(struct cpufreq_policy *); +}; + +struct od_ops { + unsigned int (*powersave_bias_target)(struct cpufreq_policy *, unsigned int, unsigned int); +}; + +struct od_policy_dbs_info { + struct policy_dbs_info policy_dbs; + unsigned int freq_lo; + unsigned int freq_lo_delay_us; + unsigned int freq_hi_delay_us; + unsigned int sample_type: 1; +}; + +struct od_dbs_tuners { + unsigned int powersave_bias; +}; + +struct cpu_dbs_info { + u64 prev_cpu_idle; + u64 prev_update_time; + u64 prev_cpu_nice; + unsigned int prev_load; + struct update_util_data update_util; + struct policy_dbs_info *policy_dbs; +}; + +enum { + UNDEFINED_CAPABLE = 0, + SYSTEM_INTEL_MSR_CAPABLE = 1, + SYSTEM_AMD_MSR_CAPABLE = 2, + SYSTEM_IO_CAPABLE = 3, +}; + +struct acpi_cpufreq_data { + unsigned int resume; + unsigned int cpu_feature; + unsigned int acpi_perf_cpu; + cpumask_var_t freqdomain_cpus; + void (*cpu_freq_write)(struct acpi_pct_register *, u32); + u32 (*cpu_freq_read)(struct acpi_pct_register *); +}; + +struct drv_cmd { + struct acpi_pct_register *reg; + u32 val; + union { + void (*write)(struct acpi_pct_register *, u32); + u32 (*read)(struct acpi_pct_register *); + } func; +}; + +enum acpi_preferred_pm_profiles { + PM_UNSPECIFIED = 0, + PM_DESKTOP = 1, + PM_MOBILE = 2, + PM_WORKSTATION = 3, + PM_ENTERPRISE_SERVER = 4, + PM_SOHO_SERVER = 5, + PM_APPLIANCE_PC = 6, + PM_PERFORMANCE_SERVER = 7, + PM_TABLET = 8, +}; + +struct sample { + int32_t core_avg_perf; + int32_t busy_scaled; + u64 aperf; + u64 mperf; + u64 tsc; + u64 time; +}; + +struct pstate_data { + int current_pstate; + int min_pstate; + int max_pstate; + int max_pstate_physical; + int scaling; + int turbo_pstate; + unsigned int max_freq; + unsigned int turbo_freq; +}; + +struct vid_data { + int min; + int max; + int turbo; + int32_t ratio; +}; + +struct global_params { + bool no_turbo; + bool turbo_disabled; + bool turbo_disabled_mf; + int max_perf_pct; + int min_perf_pct; +}; + +struct cpudata { + int cpu; + unsigned int policy; + struct update_util_data update_util; + bool update_util_set; + struct pstate_data pstate; + struct vid_data vid; + u64 last_update; + u64 last_sample_time; + u64 aperf_mperf_shift; + u64 prev_aperf; + u64 prev_mperf; + u64 prev_tsc; + u64 prev_cummulative_iowait; + struct sample sample; + int32_t min_perf_ratio; + int32_t max_perf_ratio; + struct acpi_processor_performance acpi_perf_data; + bool valid_pss_table; + unsigned int iowait_boost; + s16 epp_powersave; + s16 epp_policy; + s16 epp_default; + s16 epp_saved; + u64 hwp_req_cached; + u64 hwp_cap_cached; + u64 last_io_update; + unsigned int sched_flags; + u32 hwp_boost_min; +}; + +struct pstate_funcs { + int (*get_max)(); + int (*get_max_physical)(); + int (*get_min)(); + int (*get_turbo)(); + int (*get_scaling)(); + int (*get_aperf_mperf_shift)(); + u64 (*get_val)(struct cpudata *, int); + void (*get_vid)(struct cpudata *); +}; + +enum { + PSS = 0, + PPC = 1, +}; + +struct cpuidle_governor { + char name[16]; + struct list_head governor_list; + unsigned int rating; + int (*enable)(struct cpuidle_driver *, struct cpuidle_device *); + void (*disable)(struct cpuidle_driver *, struct cpuidle_device *); + int (*select)(struct cpuidle_driver *, struct cpuidle_device *, bool *); + void (*reflect)(struct cpuidle_device *, int); +}; + +struct cpuidle_state_kobj { + struct cpuidle_state *state; + struct cpuidle_state_usage *state_usage; + struct completion kobj_unregister; + struct kobject kobj; + struct cpuidle_device *device; +}; + +struct cpuidle_device_kobj { + struct cpuidle_device *dev; + struct completion kobj_unregister; + struct kobject kobj; +}; + +struct cpuidle_attr { + struct attribute attr; + ssize_t (*show)(struct cpuidle_device *, char *); + ssize_t (*store)(struct cpuidle_device *, const char *, size_t); +}; + +struct cpuidle_state_attr { + struct attribute attr; + ssize_t (*show)(struct cpuidle_state *, struct cpuidle_state_usage *, char *); + ssize_t (*store)(struct cpuidle_state *, struct cpuidle_state_usage *, const char *, size_t); +}; + +struct menu_device { + int needs_update; + int tick_wakeup; + u64 next_timer_ns; + unsigned int bucket; + unsigned int correction_factor[12]; + unsigned int intervals[8]; + int interval_ptr; +}; + +struct led_properties { + u32 color; + bool color_present; + const char *function; + u32 func_enum; + bool func_enum_present; + const char *label; +}; + +struct dmi_memdev_info { + const char *device; + const char *bank; + u64 size; + u16 handle; + u8 type; +}; + +struct dmi_device_attribute { + struct device_attribute dev_attr; + int field; +}; + +struct mafield { + const char *prefix; + int field; +}; + +struct firmware_map_entry { + u64 start; + u64 end; + const char *type; + struct list_head list; + struct kobject kobj; +}; + +struct memmap_attribute { + struct attribute attr; + ssize_t (*show)(struct firmware_map_entry *, char *); +}; + +struct bmp_header { + u16 id; + u32 size; +} __attribute__((packed)); + +typedef efi_status_t efi_query_variable_store_t(u32, long unsigned int, bool); + +typedef struct { + efi_guid_t guid; + u32 table; +} efi_config_table_32_t; + +typedef struct { + u32 version; + u32 length; + u64 memory_protection_attribute; +} efi_properties_table_t; + +struct efivar_operations { + efi_get_variable_t *get_variable; + efi_get_next_variable_t *get_next_variable; + efi_set_variable_t *set_variable; + efi_set_variable_t *set_variable_nonblocking; + efi_query_variable_store_t *query_variable_store; +}; + +struct efivars { + struct kset *kset; + struct kobject *kobject; + const struct efivar_operations *ops; +}; + +struct efi_variable { + efi_char16_t VariableName[512]; + efi_guid_t VendorGuid; + long unsigned int DataSize; + __u8 Data[1024]; + efi_status_t Status; + __u32 Attributes; +} __attribute__((packed)); + +struct efivar_entry { + struct efi_variable var; + struct list_head list; + struct kobject kobj; + bool scanning; + bool deleting; +}; + +struct linux_efi_random_seed { + u32 size; + u8 bits[0]; +}; + +struct linux_efi_memreserve { + int size; + atomic_t count; + phys_addr_t next; + struct { + phys_addr_t base; + phys_addr_t size; + } entry[0]; +}; + +struct efi_generic_dev_path { + u8 type; + u8 sub_type; + u16 length; +}; + +struct variable_validate { + efi_guid_t vendor; + char *name; + bool (*validate)(efi_char16_t *, int, u8 *, long unsigned int); +}; + +typedef struct { + u32 version; + u32 num_entries; + u32 desc_size; + u32 reserved; + efi_memory_desc_t entry[0]; +} efi_memory_attributes_table_t; + +struct linux_efi_tpm_eventlog { + u32 size; + u32 final_events_preboot_size; + u8 version; + u8 log[0]; +}; + +struct efi_tcg2_final_events_table { + u64 version; + u64 nr_events; + u8 events[0]; +}; + +struct tpm_digest { + u16 alg_id; + u8 digest[64]; +}; + +enum tpm_duration { + TPM_SHORT = 0, + TPM_MEDIUM = 1, + TPM_LONG = 2, + TPM_LONG_LONG = 3, + TPM_UNDEFINED = 4, + TPM_NUM_DURATIONS = 4, +}; + +struct tcg_efi_specid_event_algs { + u16 alg_id; + u16 digest_size; +}; + +struct tcg_efi_specid_event_head { + u8 signature[16]; + u32 platform_class; + u8 spec_version_minor; + u8 spec_version_major; + u8 spec_errata; + u8 uintnsize; + u32 num_algs; + struct tcg_efi_specid_event_algs digest_sizes[0]; +}; + +struct tcg_pcr_event { + u32 pcr_idx; + u32 event_type; + u8 digest[20]; + u32 event_size; + u8 event[0]; +}; + +struct tcg_event_field { + u32 event_size; + u8 event[0]; +}; + +struct tcg_pcr_event2_head { + u32 pcr_idx; + u32 event_type; + u32 count; + struct tpm_digest digests[0]; +}; + +typedef struct { + u64 length; + u64 data; +} efi_capsule_block_desc_t; + +struct compat_efi_variable { + efi_char16_t VariableName[512]; + efi_guid_t VendorGuid; + __u32 DataSize; + __u8 Data[1024]; + __u32 Status; + __u32 Attributes; +}; + +struct efivar_attribute { + struct attribute attr; + ssize_t (*show)(struct efivar_entry *, char *); + ssize_t (*store)(struct efivar_entry *, const char *, size_t); +}; + +struct efi_system_resource_entry_v1 { + efi_guid_t fw_class; + u32 fw_type; + u32 fw_version; + u32 lowest_supported_fw_version; + u32 capsule_flags; + u32 last_attempt_version; + u32 last_attempt_status; +}; + +struct efi_system_resource_table { + u32 fw_resource_count; + u32 fw_resource_count_max; + u64 fw_resource_version; + u8 entries[0]; +}; + +struct esre_entry { + union { + struct efi_system_resource_entry_v1 *esre1; + } esre; + struct kobject kobj; + struct list_head list; +}; + +struct esre_attribute { + struct attribute attr; + ssize_t (*show)(struct esre_entry *, char *); + ssize_t (*store)(struct esre_entry *, const char *, size_t); +}; + +struct efi_runtime_map_entry { + efi_memory_desc_t md; + struct kobject kobj; +}; + +struct map_attribute { + struct attribute attr; + ssize_t (*show)(struct efi_runtime_map_entry *, char *); +}; + +struct hid_device_id { + __u16 bus; + __u16 group; + __u32 vendor; + __u32 product; + kernel_ulong_t driver_data; +}; + +struct hid_item { + unsigned int format; + __u8 size; + __u8 type; + __u8 tag; + union { + __u8 u8; + __s8 s8; + __u16 u16; + __s16 s16; + __u32 u32; + __s32 s32; + __u8 *longdata; + } data; +}; + +struct hid_global { + unsigned int usage_page; + __s32 logical_minimum; + __s32 logical_maximum; + __s32 physical_minimum; + __s32 physical_maximum; + __s32 unit_exponent; + unsigned int unit; + unsigned int report_id; + unsigned int report_size; + unsigned int report_count; +}; + +struct hid_local { + unsigned int usage[12288]; + u8 usage_size[12288]; + unsigned int collection_index[12288]; + unsigned int usage_index; + unsigned int usage_minimum; + unsigned int delimiter_depth; + unsigned int delimiter_branch; +}; + +struct hid_collection { + int parent_idx; + unsigned int type; + unsigned int usage; + unsigned int level; +}; + +struct hid_usage { + unsigned int hid; + unsigned int collection_index; + unsigned int usage_index; + __s8 resolution_multiplier; + __s8 wheel_factor; + __u16 code; + __u8 type; + __s8 hat_min; + __s8 hat_max; + __s8 hat_dir; + __s16 wheel_accumulated; +}; + +struct hid_report; + +struct hid_input; + +struct hid_field { + unsigned int physical; + unsigned int logical; + unsigned int application; + struct hid_usage *usage; + unsigned int maxusage; + unsigned int flags; + unsigned int report_offset; + unsigned int report_size; + unsigned int report_count; + unsigned int report_type; + __s32 *value; + __s32 logical_minimum; + __s32 logical_maximum; + __s32 physical_minimum; + __s32 physical_maximum; + __s32 unit_exponent; + unsigned int unit; + struct hid_report *report; + unsigned int index; + struct hid_input *hidinput; + __u16 dpad; +}; + +struct hid_device; + +struct hid_report { + struct list_head list; + struct list_head hidinput_list; + unsigned int id; + unsigned int type; + unsigned int application; + struct hid_field *field[256]; + unsigned int maxfield; + unsigned int size; + struct hid_device *device; +}; + +struct hid_input { + struct list_head list; + struct hid_report *report; + struct input_dev *input; + const char *name; + bool registered; + struct list_head reports; + unsigned int application; +}; + +enum hid_type { + HID_TYPE_OTHER = 0, + HID_TYPE_USBMOUSE = 1, + HID_TYPE_USBNONE = 2, +}; + +struct hid_report_enum { + unsigned int numbered; + struct list_head report_list; + struct hid_report *report_id_hash[256]; +}; + +struct hid_driver; + +struct hid_ll_driver; + +struct hid_device { + __u8 *dev_rdesc; + unsigned int dev_rsize; + __u8 *rdesc; + unsigned int rsize; + struct hid_collection *collection; + unsigned int collection_size; + unsigned int maxcollection; + unsigned int maxapplication; + __u16 bus; + __u16 group; + __u32 vendor; + __u32 product; + __u32 version; + enum hid_type type; + unsigned int country; + struct hid_report_enum report_enum[3]; + struct work_struct led_work; + struct semaphore driver_input_lock; + struct device dev; + struct hid_driver *driver; + struct hid_ll_driver *ll_driver; + struct mutex ll_open_lock; + unsigned int ll_open_count; + long unsigned int status; + unsigned int claimed; + unsigned int quirks; + bool io_started; + struct list_head inputs; + void *hiddev; + void *hidraw; + char name[128]; + char phys[64]; + char uniq[64]; + void *driver_data; + int (*ff_init)(struct hid_device *); + int (*hiddev_connect)(struct hid_device *, unsigned int); + void (*hiddev_disconnect)(struct hid_device *); + void (*hiddev_hid_event)(struct hid_device *, struct hid_field *, struct hid_usage *, __s32); + void (*hiddev_report_event)(struct hid_device *, struct hid_report *); + short unsigned int debug; + struct dentry *debug_dir; + struct dentry *debug_rdesc; + struct dentry *debug_events; + struct list_head debug_list; + spinlock_t debug_list_lock; + wait_queue_head_t debug_wait; +}; + +struct hid_report_id; + +struct hid_usage_id; + +struct hid_driver { + char *name; + const struct hid_device_id *id_table; + struct list_head dyn_list; + spinlock_t dyn_lock; + bool (*match)(struct hid_device *, bool); + int (*probe)(struct hid_device *, const struct hid_device_id *); + void (*remove)(struct hid_device *); + const struct hid_report_id *report_table; + int (*raw_event)(struct hid_device *, struct hid_report *, u8 *, int); + const struct hid_usage_id *usage_table; + int (*event)(struct hid_device *, struct hid_field *, struct hid_usage *, __s32); + void (*report)(struct hid_device *, struct hid_report *); + __u8 * (*report_fixup)(struct hid_device *, __u8 *, unsigned int *); + int (*input_mapping)(struct hid_device *, struct hid_input *, struct hid_field *, struct hid_usage *, long unsigned int **, int *); + int (*input_mapped)(struct hid_device *, struct hid_input *, struct hid_field *, struct hid_usage *, long unsigned int **, int *); + int (*input_configured)(struct hid_device *, struct hid_input *); + void (*feature_mapping)(struct hid_device *, struct hid_field *, struct hid_usage *); + int (*suspend)(struct hid_device *, pm_message_t); + int (*resume)(struct hid_device *); + int (*reset_resume)(struct hid_device *); + struct device_driver driver; +}; + +struct hid_ll_driver { + int (*start)(struct hid_device *); + void (*stop)(struct hid_device *); + int (*open)(struct hid_device *); + void (*close)(struct hid_device *); + int (*power)(struct hid_device *, int); + int (*parse)(struct hid_device *); + void (*request)(struct hid_device *, struct hid_report *, int); + int (*wait)(struct hid_device *); + int (*raw_request)(struct hid_device *, unsigned char, __u8 *, size_t, unsigned char, int); + int (*output_report)(struct hid_device *, __u8 *, size_t); + int (*idle)(struct hid_device *, int, int, int); +}; + +struct hid_parser { + struct hid_global global; + struct hid_global global_stack[4]; + unsigned int global_stack_ptr; + struct hid_local local; + unsigned int *collection_stack; + unsigned int collection_stack_ptr; + unsigned int collection_stack_size; + struct hid_device *device; + unsigned int scan_flags; +}; + +struct hid_report_id { + __u32 report_type; +}; + +struct hid_usage_id { + __u32 usage_hid; + __u32 usage_type; + __u32 usage_code; +}; + +struct hiddev { + int minor; + int exist; + int open; + struct mutex existancelock; + wait_queue_head_t wait; + struct hid_device *hid; + struct list_head list; + spinlock_t list_lock; + bool initialized; +}; + +struct hidraw { + unsigned int minor; + int exist; + int open; + wait_queue_head_t wait; + struct hid_device *hid; + struct device *dev; + spinlock_t list_lock; + struct list_head list; +}; + +struct hid_dynid { + struct list_head list; + struct hid_device_id id; +}; + +typedef bool (*hid_usage_cmp_t)(struct hid_usage *, unsigned int, unsigned int); + +struct quirks_list_struct { + struct hid_device_id hid_bl_item; + struct list_head node; +}; + +struct hid_debug_list { + struct { + union { + struct __kfifo kfifo; + char *type; + const char *const_type; + char (*rectype)[0]; + char *ptr; + const char *ptr_const; + }; + char buf[0]; + } hid_debug_fifo; + struct fasync_struct *fasync; + struct hid_device *hdev; + struct list_head node; + struct mutex read_mutex; +}; + +struct hid_usage_entry { + unsigned int page; + unsigned int usage; + const char *description; +}; + +struct hidraw_devinfo { + __u32 bustype; + __s16 vendor; + __s16 product; +}; + +struct hidraw_report { + __u8 *value; + int len; +}; + +struct hidraw_list { + struct hidraw_report buffer[64]; + int head; + int tail; + struct fasync_struct *fasync; + struct hidraw *hidraw; + struct list_head node; + struct mutex read_mutex; +}; + +struct a4tech_sc { + long unsigned int quirks; + unsigned int hw_wheel; + __s32 delayed_value; +}; + +struct apple_sc { + long unsigned int quirks; + unsigned int fn_on; + long unsigned int pressed_numlock[12]; +}; + +struct apple_key_translation { + u16 from; + u16 to; + u8 flags; +}; + +struct lg_drv_data { + long unsigned int quirks; + void *device_props; +}; + +struct dev_type___2 { + u16 idVendor; + u16 idProduct; + const short int *ff; +}; + +struct lg4ff_wheel_data { + const u32 product_id; + u16 combine; + u16 range; + const u16 min_range; + const u16 max_range; + u8 led_state; + struct led_classdev *led[5]; + const u32 alternate_modes; + const char * const real_tag; + const char * const real_name; + const u16 real_product_id; + void (*set_range)(struct hid_device *, u16); +}; + +struct lg4ff_device_entry { + spinlock_t report_lock; + struct hid_report *report; + struct lg4ff_wheel_data wdata; +}; + +struct lg4ff_wheel { + const u32 product_id; + const short int *ff_effects; + const u16 min_range; + const u16 max_range; + void (*set_range)(struct hid_device *, u16); +}; + +struct lg4ff_compat_mode_switch { + const u8 cmd_count; + u8 cmd[0]; +}; + +struct lg4ff_wheel_ident_info { + const u32 modes; + const u16 mask; + const u16 result; + const u16 real_product_id; +}; + +struct lg4ff_multimode_wheel { + const u16 product_id; + const u32 alternate_modes; + const char *real_tag; + const char *real_name; +}; + +struct lg4ff_alternate_mode { + const u16 product_id; + const char *tag; + const char *name; +}; + +enum lg_g15_model { + LG_G15 = 0, + LG_G15_V2 = 1, + LG_G510 = 2, + LG_G510_USB_AUDIO = 3, +}; + +enum lg_g15_led_type { + LG_G15_KBD_BRIGHTNESS = 0, + LG_G15_LCD_BRIGHTNESS = 1, + LG_G15_BRIGHTNESS_MAX = 2, + LG_G15_MACRO_PRESET1 = 2, + LG_G15_MACRO_PRESET2 = 3, + LG_G15_MACRO_PRESET3 = 4, + LG_G15_MACRO_RECORD = 5, + LG_G15_LED_MAX = 6, +}; + +struct lg_g15_led { + struct led_classdev cdev; + enum led_brightness brightness; + enum lg_g15_led_type led; + u8 red; + u8 green; + u8 blue; +}; + +struct lg_g15_data { + u8 transfer_buf[20]; + struct mutex mutex; + struct work_struct work; + struct input_dev *input; + struct hid_device *hdev; + enum lg_g15_model model; + struct lg_g15_led leds[6]; + bool game_mode_enabled; +}; + +struct ms_data { + long unsigned int quirks; + struct hid_device *hdev; + struct work_struct ff_worker; + __u8 strong; + __u8 weak; + void *output_report_dmabuf; +}; + +enum { + MAGNITUDE_STRONG = 2, + MAGNITUDE_WEAK = 3, + MAGNITUDE_NUM = 4, +}; + +struct xb1s_ff_report { + __u8 report_id; + __u8 enable; + __u8 magnitude[4]; + __u8 duration_10ms; + __u8 start_delay_10ms; + __u8 loop_count; +}; + +struct ntrig_data { + __u16 x; + __u16 y; + __u16 w; + __u16 h; + __u16 id; + bool tipswitch; + bool confidence; + bool first_contact_touch; + bool reading_mt; + __u8 mt_footer[4]; + __u8 mt_foot_count; + __s8 act_state; + __s8 deactivate_slack; + __s8 activate_slack; + __u16 min_width; + __u16 min_height; + __u16 activation_width; + __u16 activation_height; + __u16 sensor_logical_width; + __u16 sensor_logical_height; + __u16 sensor_physical_width; + __u16 sensor_physical_height; +}; + +struct plff_device { + struct hid_report *report; + s32 maxval; + s32 *strong; + s32 *weak; +}; + +enum { + POWER_SUPPLY_SCOPE_UNKNOWN = 0, + POWER_SUPPLY_SCOPE_SYSTEM = 1, + POWER_SUPPLY_SCOPE_DEVICE = 2, +}; + +struct sixaxis_led { + u8 time_enabled; + u8 duty_length; + u8 enabled; + u8 duty_off; + u8 duty_on; +}; + +struct sixaxis_rumble { + u8 padding; + u8 right_duration; + u8 right_motor_on; + u8 left_duration; + u8 left_motor_force; +}; + +struct sixaxis_output_report { + u8 report_id; + struct sixaxis_rumble rumble; + u8 padding[4]; + u8 leds_bitmap; + struct sixaxis_led led[4]; + struct sixaxis_led _reserved; +}; + +union sixaxis_output_report_01 { + struct sixaxis_output_report data; + u8 buf[36]; +}; + +struct motion_output_report_02 { + u8 type; + u8 zero; + u8 r; + u8 g; + u8 b; + u8 zero2; + u8 rumble; +}; + +struct ds4_calibration_data { + int abs_code; + short int bias; + int sens_numer; + int sens_denom; +}; + +enum ds4_dongle_state { + DONGLE_DISCONNECTED = 0, + DONGLE_CALIBRATING = 1, + DONGLE_CONNECTED = 2, + DONGLE_DISABLED = 3, +}; + +enum sony_worker { + SONY_WORKER_STATE = 0, + SONY_WORKER_HOTPLUG = 1, +}; + +struct sony_sc { + spinlock_t lock; + struct list_head list_node; + struct hid_device *hdev; + struct input_dev *touchpad; + struct input_dev *sensor_dev; + struct led_classdev *leds[4]; + long unsigned int quirks; + struct work_struct hotplug_worker; + struct work_struct state_worker; + void (*send_output_report)(struct sony_sc *); + struct power_supply *battery; + struct power_supply_desc battery_desc; + int device_id; + unsigned int fw_version; + unsigned int hw_version; + u8 *output_report_dmabuf; + u8 mac_address[6]; + u8 hotplug_worker_initialized; + u8 state_worker_initialized; + u8 defer_initialization; + u8 cable_state; + u8 battery_charging; + u8 battery_capacity; + u8 led_state[4]; + u8 led_delay_on[4]; + u8 led_delay_off[4]; + u8 led_count; + bool timestamp_initialized; + u16 prev_timestamp; + unsigned int timestamp_us; + u8 ds4_bt_poll_interval; + enum ds4_dongle_state ds4_dongle_state; + struct ds4_calibration_data ds4_calib_data[6]; +}; + +struct hid_control_fifo { + unsigned char dir; + struct hid_report *report; + char *raw_report; +}; + +struct hid_output_fifo { + struct hid_report *report; + char *raw_report; +}; + +struct hid_class_descriptor { + __u8 bDescriptorType; + __le16 wDescriptorLength; +} __attribute__((packed)); + +struct hid_descriptor { + __u8 bLength; + __u8 bDescriptorType; + __le16 bcdHID; + __u8 bCountryCode; + __u8 bNumDescriptors; + struct hid_class_descriptor desc[1]; +} __attribute__((packed)); + +struct usbhid_device { + struct hid_device *hid; + struct usb_interface *intf; + int ifnum; + unsigned int bufsize; + struct urb *urbin; + char *inbuf; + dma_addr_t inbuf_dma; + struct urb *urbctrl; + struct usb_ctrlrequest *cr; + struct hid_control_fifo ctrl[256]; + unsigned char ctrlhead; + unsigned char ctrltail; + char *ctrlbuf; + dma_addr_t ctrlbuf_dma; + long unsigned int last_ctrl; + struct urb *urbout; + struct hid_output_fifo out[256]; + unsigned char outhead; + unsigned char outtail; + char *outbuf; + dma_addr_t outbuf_dma; + long unsigned int last_out; + spinlock_t lock; + long unsigned int iofl; + struct timer_list io_retry; + long unsigned int stop_retry; + unsigned int retry_delay; + struct work_struct reset_work; + wait_queue_head_t wait; +}; + +struct hiddev_event { + unsigned int hid; + int value; +}; + +struct hiddev_devinfo { + __u32 bustype; + __u32 busnum; + __u32 devnum; + __u32 ifnum; + __s16 vendor; + __s16 product; + __s16 version; + __u32 num_applications; +}; + +struct hiddev_collection_info { + __u32 index; + __u32 type; + __u32 usage; + __u32 level; +}; + +struct hiddev_report_info { + __u32 report_type; + __u32 report_id; + __u32 num_fields; +}; + +struct hiddev_field_info { + __u32 report_type; + __u32 report_id; + __u32 field_index; + __u32 maxusage; + __u32 flags; + __u32 physical; + __u32 logical; + __u32 application; + __s32 logical_minimum; + __s32 logical_maximum; + __s32 physical_minimum; + __s32 physical_maximum; + __u32 unit_exponent; + __u32 unit; +}; + +struct hiddev_usage_ref { + __u32 report_type; + __u32 report_id; + __u32 field_index; + __u32 usage_index; + __u32 usage_code; + __s32 value; +}; + +struct hiddev_usage_ref_multi { + struct hiddev_usage_ref uref; + __u32 num_values; + __s32 values[1024]; +}; + +struct hiddev_list { + struct hiddev_usage_ref buffer[2048]; + int head; + int tail; + unsigned int flags; + struct fasync_struct *fasync; + struct hiddev *hiddev; + struct list_head node; + struct mutex thread_lock; +}; + +struct pidff_usage { + struct hid_field *field; + s32 *value; +}; + +struct pidff_device { + struct hid_device *hid; + struct hid_report *reports[13]; + struct pidff_usage set_effect[7]; + struct pidff_usage set_envelope[5]; + struct pidff_usage set_condition[8]; + struct pidff_usage set_periodic[5]; + struct pidff_usage set_constant[2]; + struct pidff_usage set_ramp[3]; + struct pidff_usage device_gain[1]; + struct pidff_usage block_load[2]; + struct pidff_usage pool[3]; + struct pidff_usage effect_operation[2]; + struct pidff_usage block_free[1]; + struct hid_field *create_new_effect_type; + struct hid_field *set_effect_type; + struct hid_field *effect_direction; + struct hid_field *device_control; + struct hid_field *block_load_status; + struct hid_field *effect_operation_status; + int control_id[2]; + int type_id[11]; + int status_id[2]; + int operation_id[2]; + int pid_id[64]; +}; + +enum rfkill_type { + RFKILL_TYPE_ALL = 0, + RFKILL_TYPE_WLAN = 1, + RFKILL_TYPE_BLUETOOTH = 2, + RFKILL_TYPE_UWB = 3, + RFKILL_TYPE_WIMAX = 4, + RFKILL_TYPE_WWAN = 5, + RFKILL_TYPE_GPS = 6, + RFKILL_TYPE_FM = 7, + RFKILL_TYPE_NFC = 8, + NUM_RFKILL_TYPES = 9, +}; + +struct rfkill; + +struct rfkill_ops { + void (*poll)(struct rfkill *, void *); + void (*query)(struct rfkill *, void *); + int (*set_block)(void *, bool); +}; + +enum { + DISABLE_ASL_WLAN = 1, + DISABLE_ASL_BLUETOOTH = 2, + DISABLE_ASL_IRDA = 4, + DISABLE_ASL_CAMERA = 8, + DISABLE_ASL_TV = 16, + DISABLE_ASL_GPS = 32, + DISABLE_ASL_DISPLAYSWITCH = 64, + DISABLE_ASL_MODEM = 128, + DISABLE_ASL_CARDREADER = 256, + DISABLE_ASL_3G = 512, + DISABLE_ASL_WIMAX = 1024, + DISABLE_ASL_HWCF = 2048, +}; + +enum { + CM_ASL_WLAN = 0, + CM_ASL_BLUETOOTH = 1, + CM_ASL_IRDA = 2, + CM_ASL_1394 = 3, + CM_ASL_CAMERA = 4, + CM_ASL_TV = 5, + CM_ASL_GPS = 6, + CM_ASL_DVDROM = 7, + CM_ASL_DISPLAYSWITCH = 8, + CM_ASL_PANELBRIGHT = 9, + CM_ASL_BIOSFLASH = 10, + CM_ASL_ACPIFLASH = 11, + CM_ASL_CPUFV = 12, + CM_ASL_CPUTEMPERATURE = 13, + CM_ASL_FANCPU = 14, + CM_ASL_FANCHASSIS = 15, + CM_ASL_USBPORT1 = 16, + CM_ASL_USBPORT2 = 17, + CM_ASL_USBPORT3 = 18, + CM_ASL_MODEM = 19, + CM_ASL_CARDREADER = 20, + CM_ASL_3G = 21, + CM_ASL_WIMAX = 22, + CM_ASL_HWCF = 23, + CM_ASL_LID = 24, + CM_ASL_TYPE = 25, + CM_ASL_PANELPOWER = 26, + CM_ASL_TPD = 27, +}; + +struct eeepc_laptop { + acpi_handle handle; + u32 cm_supported; + bool cpufv_disabled; + bool hotplug_disabled; + u16 event_count[128]; + struct platform_device *platform_device; + struct acpi_device *device; + struct backlight_device *backlight_device; + struct input_dev *inputdev; + struct rfkill *wlan_rfkill; + struct rfkill *bluetooth_rfkill; + struct rfkill *wwan3g_rfkill; + struct rfkill *wimax_rfkill; + struct hotplug_slot hotplug_slot; + struct mutex hotplug_lock; + struct led_classdev tpd_led; + int tpd_led_wk; + struct workqueue_struct *led_workqueue; + struct work_struct tpd_led_work; +}; + +struct eeepc_cpufv { + int num; + int cur; +}; + +struct pmc_bit_map { + const char *name; + u32 bit_mask; +}; + +struct pmc_reg_map { + const struct pmc_bit_map *d3_sts_0; + const struct pmc_bit_map *d3_sts_1; + const struct pmc_bit_map *func_dis; + const struct pmc_bit_map *func_dis_2; + const struct pmc_bit_map *pss; +}; + +struct pmc_data { + const struct pmc_reg_map *map; + const struct pmc_clk *clks; +}; + +struct pmc_dev { + u32 base_addr; + void *regmap; + const struct pmc_reg_map *map; + struct dentry *dbgfs_dir; + bool init; +}; + +struct acpi_table_pcct { + struct acpi_table_header header; + u32 flags; + u64 reserved; +}; + +enum acpi_pcct_type { + ACPI_PCCT_TYPE_GENERIC_SUBSPACE = 0, + ACPI_PCCT_TYPE_HW_REDUCED_SUBSPACE = 1, + ACPI_PCCT_TYPE_HW_REDUCED_SUBSPACE_TYPE2 = 2, + ACPI_PCCT_TYPE_EXT_PCC_MASTER_SUBSPACE = 3, + ACPI_PCCT_TYPE_EXT_PCC_SLAVE_SUBSPACE = 4, + ACPI_PCCT_TYPE_RESERVED = 5, +}; + +struct acpi_pcct_subspace { + struct acpi_subtable_header header; + u8 reserved[6]; + u64 base_address; + u64 length; + struct acpi_generic_address doorbell_register; + u64 preserve_mask; + u64 write_mask; + u32 latency; + u32 max_access_rate; + u16 min_turnaround_time; +} __attribute__((packed)); + +struct acpi_pcct_hw_reduced_type2 { + struct acpi_subtable_header header; + u32 platform_interrupt; + u8 flags; + u8 reserved; + u64 base_address; + u64 length; + struct acpi_generic_address doorbell_register; + u64 preserve_mask; + u64 write_mask; + u32 latency; + u32 max_access_rate; + u16 min_turnaround_time; + struct acpi_generic_address platform_ack_register; + u64 ack_preserve_mask; + u64 ack_write_mask; +} __attribute__((packed)); + +struct cper_sec_proc_arm { + u32 validation_bits; + u16 err_info_num; + u16 context_info_num; + u32 section_length; + u8 affinity_level; + u8 reserved[3]; + u64 mpidr; + u64 midr; + u32 running_state; + u32 psci_state; +}; + +struct trace_event_raw_mc_event { + struct trace_entry ent; + unsigned int error_type; + u32 __data_loc_msg; + u32 __data_loc_label; + u16 error_count; + u8 mc_index; + s8 top_layer; + s8 middle_layer; + s8 lower_layer; + long int address; + u8 grain_bits; + long int syndrome; + u32 __data_loc_driver_detail; + char __data[0]; +}; + +struct trace_event_raw_arm_event { + struct trace_entry ent; + u64 mpidr; + u64 midr; + u32 running_state; + u32 psci_state; + u8 affinity; + char __data[0]; +}; + +struct trace_event_raw_non_standard_event { + struct trace_entry ent; + char sec_type[16]; + char fru_id[16]; + u32 __data_loc_fru_text; + u8 sev; + u32 len; + u32 __data_loc_buf; + char __data[0]; +}; + +struct trace_event_raw_aer_event { + struct trace_entry ent; + u32 __data_loc_dev_name; + u32 status; + u8 severity; + u8 tlp_header_valid; + u32 tlp_header[4]; + char __data[0]; +}; + +struct trace_event_data_offsets_mc_event { + u32 msg; + u32 label; + u32 driver_detail; +}; + +struct trace_event_data_offsets_arm_event {}; + +struct trace_event_data_offsets_non_standard_event { + u32 fru_text; + u32 buf; +}; + +struct trace_event_data_offsets_aer_event { + u32 dev_name; +}; + +struct nvmem_cell_lookup { + const char *nvmem_name; + const char *cell_name; + const char *dev_id; + const char *con_id; + struct list_head node; +}; + +enum { + NVMEM_ADD = 1, + NVMEM_REMOVE = 2, + NVMEM_CELL_ADD = 3, + NVMEM_CELL_REMOVE = 4, +}; + +struct nvmem_cell_table { + const char *nvmem_name; + const struct nvmem_cell_info *cells; + size_t ncells; + struct list_head node; +}; + +struct nvmem_device___2 { + struct module *owner; + struct device dev; + int stride; + int word_size; + int id; + struct kref refcnt; + size_t size; + bool read_only; + int flags; + enum nvmem_type type; + struct bin_attribute eeprom; + struct device *base_dev; + struct list_head cells; + nvmem_reg_read_t reg_read; + nvmem_reg_write_t reg_write; + void *priv; +}; + +struct nvmem_cell { + const char *name; + int offset; + int bytes; + int bit_offset; + int nbits; + struct device_node *np; + struct nvmem_device___2 *nvmem; + struct list_head node; +}; + +struct snd_shutdown_f_ops; + +struct snd_info_entry; + +struct snd_card { + int number; + char id[16]; + char driver[16]; + char shortname[32]; + char longname[80]; + char irq_descr[32]; + char mixername[80]; + char components[128]; + struct module *module; + void *private_data; + void (*private_free)(struct snd_card *); + struct list_head devices; + struct device ctl_dev; + unsigned int last_numid; + struct rw_semaphore controls_rwsem; + rwlock_t ctl_files_rwlock; + int controls_count; + int user_ctl_count; + struct list_head controls; + struct list_head ctl_files; + struct snd_info_entry *proc_root; + struct proc_dir_entry *proc_root_link; + struct list_head files_list; + struct snd_shutdown_f_ops *s_f_ops; + spinlock_t files_lock; + int shutdown; + struct completion *release_completion; + struct device *dev; + struct device card_dev; + const struct attribute_group *dev_groups[4]; + bool registered; + int sync_irq; + wait_queue_head_t remove_sleep; + unsigned int power_state; + wait_queue_head_t power_sleep; +}; + +struct snd_info_buffer; + +struct snd_info_entry_text { + void (*read)(struct snd_info_entry *, struct snd_info_buffer *); + void (*write)(struct snd_info_entry *, struct snd_info_buffer *); +}; + +struct snd_info_entry_ops; + +struct snd_info_entry { + const char *name; + umode_t mode; + long int size; + short unsigned int content; + union { + struct snd_info_entry_text text; + struct snd_info_entry_ops *ops; + } c; + struct snd_info_entry *parent; + struct module *module; + void *private_data; + void (*private_free)(struct snd_info_entry *); + struct proc_dir_entry *p; + struct mutex access; + struct list_head children; + struct list_head list; +}; + +struct snd_minor { + int type; + int card; + int device; + const struct file_operations *f_ops; + void *private_data; + struct device *dev; + struct snd_card *card_ptr; +}; + +struct snd_info_buffer { + char *buffer; + unsigned int curr; + unsigned int size; + unsigned int len; + int stop; + int error; +}; + +struct snd_info_entry_ops { + int (*open)(struct snd_info_entry *, short unsigned int, void **); + int (*release)(struct snd_info_entry *, short unsigned int, void *); + ssize_t (*read)(struct snd_info_entry *, void *, struct file *, char *, size_t, loff_t); + ssize_t (*write)(struct snd_info_entry *, void *, struct file *, const char *, size_t, loff_t); + loff_t (*llseek)(struct snd_info_entry *, void *, struct file *, loff_t, int); + __poll_t (*poll)(struct snd_info_entry *, void *, struct file *, poll_table *); + int (*ioctl)(struct snd_info_entry *, void *, struct file *, unsigned int, long unsigned int); + int (*mmap)(struct snd_info_entry *, void *, struct inode *, struct file *, struct vm_area_struct *); +}; + +enum { + SND_CTL_SUBDEV_PCM = 0, + SND_CTL_SUBDEV_RAWMIDI = 1, + SND_CTL_SUBDEV_ITEMS = 2, +}; + +struct snd_monitor_file { + struct file *file; + const struct file_operations *disconnected_f_op; + struct list_head shutdown_list; + struct list_head list; +}; + +enum snd_device_type { + SNDRV_DEV_LOWLEVEL = 0, + SNDRV_DEV_INFO = 1, + SNDRV_DEV_BUS = 2, + SNDRV_DEV_CODEC = 3, + SNDRV_DEV_PCM = 4, + SNDRV_DEV_COMPRESS = 5, + SNDRV_DEV_RAWMIDI = 6, + SNDRV_DEV_TIMER = 7, + SNDRV_DEV_SEQUENCER = 8, + SNDRV_DEV_HWDEP = 9, + SNDRV_DEV_JACK = 10, + SNDRV_DEV_CONTROL = 11, +}; + +enum snd_device_state { + SNDRV_DEV_BUILD = 0, + SNDRV_DEV_REGISTERED = 1, + SNDRV_DEV_DISCONNECTED = 2, +}; + +struct snd_device; + +struct snd_device_ops { + int (*dev_free)(struct snd_device *); + int (*dev_register)(struct snd_device *); + int (*dev_disconnect)(struct snd_device *); +}; + +struct snd_device { + struct list_head list; + struct snd_card *card; + enum snd_device_state state; + enum snd_device_type type; + void *device_data; + struct snd_device_ops *ops; +}; + +struct snd_aes_iec958 { + unsigned char status[24]; + unsigned char subcode[147]; + unsigned char pad; + unsigned char dig_subframe[4]; +}; + +struct snd_ctl_card_info { + int card; + int pad; + unsigned char id[16]; + unsigned char driver[16]; + unsigned char name[32]; + unsigned char longname[80]; + unsigned char reserved_[16]; + unsigned char mixername[80]; + unsigned char components[128]; +}; + +typedef int snd_ctl_elem_type_t; + +typedef int snd_ctl_elem_iface_t; + +struct snd_ctl_elem_id { + unsigned int numid; + snd_ctl_elem_iface_t iface; + unsigned int device; + unsigned int subdevice; + unsigned char name[44]; + unsigned int index; +}; + +struct snd_ctl_elem_list { + unsigned int offset; + unsigned int space; + unsigned int used; + unsigned int count; + struct snd_ctl_elem_id *pids; + unsigned char reserved[50]; +}; + +struct snd_ctl_elem_info { + struct snd_ctl_elem_id id; + snd_ctl_elem_type_t type; + unsigned int access; + unsigned int count; + __kernel_pid_t owner; + union { + struct { + long int min; + long int max; + long int step; + } integer; + struct { + long long int min; + long long int max; + long long int step; + } integer64; + struct { + unsigned int items; + unsigned int item; + char name[64]; + __u64 names_ptr; + unsigned int names_length; + } enumerated; + unsigned char reserved[128]; + } value; + union { + short unsigned int d[4]; + short unsigned int *d_ptr; + } dimen; + unsigned char reserved[56]; +}; + +struct snd_ctl_elem_value { + struct snd_ctl_elem_id id; + unsigned int indirect: 1; + union { + union { + long int value[128]; + long int *value_ptr; + } integer; + union { + long long int value[64]; + long long int *value_ptr; + } integer64; + union { + unsigned int item[128]; + unsigned int *item_ptr; + } enumerated; + union { + unsigned char data[512]; + unsigned char *data_ptr; + } bytes; + struct snd_aes_iec958 iec958; + } value; + struct timespec tstamp; + unsigned char reserved[112]; +}; + +struct snd_ctl_tlv { + unsigned int numid; + unsigned int length; + unsigned int tlv[0]; +}; + +enum sndrv_ctl_event_type { + SNDRV_CTL_EVENT_ELEM = 0, + SNDRV_CTL_EVENT_LAST = 0, +}; + +struct snd_ctl_event { + int type; + union { + struct { + unsigned int mask; + struct snd_ctl_elem_id id; + } elem; + unsigned char data8[60]; + } data; +}; + +struct snd_kcontrol; + +typedef int snd_kcontrol_info_t(struct snd_kcontrol *, struct snd_ctl_elem_info *); + +typedef int snd_kcontrol_get_t(struct snd_kcontrol *, struct snd_ctl_elem_value *); + +typedef int snd_kcontrol_put_t(struct snd_kcontrol *, struct snd_ctl_elem_value *); + +typedef int snd_kcontrol_tlv_rw_t(struct snd_kcontrol *, int, unsigned int, unsigned int *); + +struct snd_ctl_file; + +struct snd_kcontrol_volatile { + struct snd_ctl_file *owner; + unsigned int access; +}; + +struct snd_kcontrol { + struct list_head list; + struct snd_ctl_elem_id id; + unsigned int count; + snd_kcontrol_info_t *info; + snd_kcontrol_get_t *get; + snd_kcontrol_put_t *put; + union { + snd_kcontrol_tlv_rw_t *c; + const unsigned int *p; + } tlv; + long unsigned int private_value; + void *private_data; + void (*private_free)(struct snd_kcontrol *); + struct snd_kcontrol_volatile vd[0]; +}; + +enum { + SNDRV_CTL_TLV_OP_READ = 0, + SNDRV_CTL_TLV_OP_WRITE = 1, + SNDRV_CTL_TLV_OP_CMD = -1, +}; + +struct snd_kcontrol_new { + snd_ctl_elem_iface_t iface; + unsigned int device; + unsigned int subdevice; + const unsigned char *name; + unsigned int index; + unsigned int access; + unsigned int count; + snd_kcontrol_info_t *info; + snd_kcontrol_get_t *get; + snd_kcontrol_put_t *put; + union { + snd_kcontrol_tlv_rw_t *c; + const unsigned int *p; + } tlv; + long unsigned int private_value; +}; + +struct snd_ctl_file { + struct list_head list; + struct snd_card *card; + struct pid *pid; + int preferred_subdevice[2]; + wait_queue_head_t change_sleep; + spinlock_t read_lock; + struct fasync_struct *fasync; + int subscribed; + struct list_head events; +}; + +struct snd_kctl_event { + struct list_head list; + struct snd_ctl_elem_id id; + unsigned int mask; +}; + +typedef int (*snd_kctl_ioctl_func_t)(struct snd_card *, struct snd_ctl_file *, unsigned int, long unsigned int); + +struct snd_kctl_ioctl { + struct list_head list; + snd_kctl_ioctl_func_t fioctl; +}; + +enum snd_ctl_add_mode { + CTL_ADD_EXCLUSIVE = 0, + CTL_REPLACE = 1, + CTL_ADD_ON_REPLACE = 2, +}; + +struct user_element { + struct snd_ctl_elem_info info; + struct snd_card *card; + char *elem_data; + long unsigned int elem_data_size; + void *tlv_data; + long unsigned int tlv_data_size; + void *priv_data; +}; + +struct snd_ctl_elem_list32 { + u32 offset; + u32 space; + u32 used; + u32 count; + u32 pids; + unsigned char reserved[50]; +}; + +struct snd_ctl_elem_info32 { + struct snd_ctl_elem_id id; + s32 type; + u32 access; + u32 count; + s32 owner; + union { + struct { + s32 min; + s32 max; + s32 step; + } integer; + struct { + u64 min; + u64 max; + u64 step; + } integer64; + struct { + u32 items; + u32 item; + char name[64]; + u64 names_ptr; + u32 names_length; + } enumerated; + unsigned char reserved[128]; + } value; + unsigned char reserved[64]; +}; + +struct snd_ctl_elem_value32 { + struct snd_ctl_elem_id id; + unsigned int indirect; + union { + s32 integer[128]; + unsigned char data[512]; + } value; + unsigned char reserved[128]; +}; + +enum { + SNDRV_CTL_IOCTL_ELEM_LIST32 = -1069001456, + SNDRV_CTL_IOCTL_ELEM_INFO32 = -1055894255, + SNDRV_CTL_IOCTL_ELEM_READ32 = -1027320558, + SNDRV_CTL_IOCTL_ELEM_WRITE32 = -1027320557, + SNDRV_CTL_IOCTL_ELEM_ADD32 = -1055894249, + SNDRV_CTL_IOCTL_ELEM_REPLACE32 = -1055894248, +}; + +struct snd_pci_quirk { + short unsigned int subvendor; + short unsigned int subdevice; + short unsigned int subdevice_mask; + int value; +}; + +struct snd_info_private_data { + struct snd_info_buffer *rbuffer; + struct snd_info_buffer *wbuffer; + struct snd_info_entry *entry; + void *file_private_data; +}; + +struct link_ctl_info { + snd_ctl_elem_type_t type; + int count; + int min_val; + int max_val; +}; + +struct link_master { + struct list_head slaves; + struct link_ctl_info info; + int val; + unsigned int tlv[4]; + void (*hook)(void *, int); + void *hook_private_data; +}; + +struct link_slave { + struct list_head list; + struct link_master *master; + struct link_ctl_info info; + int vals[2]; + unsigned int flags; + struct snd_kcontrol *kctl; + struct snd_kcontrol slave; +}; + +enum snd_jack_types { + SND_JACK_HEADPHONE = 1, + SND_JACK_MICROPHONE = 2, + SND_JACK_HEADSET = 3, + SND_JACK_LINEOUT = 4, + SND_JACK_MECHANICAL = 8, + SND_JACK_VIDEOOUT = 16, + SND_JACK_AVOUT = 20, + SND_JACK_LINEIN = 32, + SND_JACK_BTN_0 = 16384, + SND_JACK_BTN_1 = 8192, + SND_JACK_BTN_2 = 4096, + SND_JACK_BTN_3 = 2048, + SND_JACK_BTN_4 = 1024, + SND_JACK_BTN_5 = 512, +}; + +struct snd_jack { + struct list_head kctl_list; + struct snd_card *card; + const char *id; + struct input_dev *input_dev; + int registered; + int type; + char name[100]; + unsigned int key[6]; + void *private_data; + void (*private_free)(struct snd_jack *); +}; + +struct snd_jack_kctl { + struct snd_kcontrol *kctl; + struct list_head list; + unsigned int mask_bits; +}; + +struct snd_hwdep_info { + unsigned int device; + int card; + unsigned char id[64]; + unsigned char name[80]; + int iface; + unsigned char reserved[64]; +}; + +struct snd_hwdep_dsp_status { + unsigned int version; + unsigned char id[32]; + unsigned int num_dsps; + unsigned int dsp_loaded; + unsigned int chip_ready; + unsigned char reserved[16]; +}; + +struct snd_hwdep_dsp_image { + unsigned int index; + unsigned char name[64]; + unsigned char *image; + size_t length; + long unsigned int driver_data; +}; + +struct snd_hwdep; + +struct snd_hwdep_ops { + long long int (*llseek)(struct snd_hwdep *, struct file *, long long int, int); + long int (*read)(struct snd_hwdep *, char *, long int, loff_t *); + long int (*write)(struct snd_hwdep *, const char *, long int, loff_t *); + int (*open)(struct snd_hwdep *, struct file *); + int (*release)(struct snd_hwdep *, struct file *); + __poll_t (*poll)(struct snd_hwdep *, struct file *, poll_table *); + int (*ioctl)(struct snd_hwdep *, struct file *, unsigned int, long unsigned int); + int (*ioctl_compat)(struct snd_hwdep *, struct file *, unsigned int, long unsigned int); + int (*mmap)(struct snd_hwdep *, struct file *, struct vm_area_struct *); + int (*dsp_status)(struct snd_hwdep *, struct snd_hwdep_dsp_status *); + int (*dsp_load)(struct snd_hwdep *, struct snd_hwdep_dsp_image *); +}; + +struct snd_hwdep { + struct snd_card *card; + struct list_head list; + int device; + char id[32]; + char name[80]; + int iface; + struct snd_hwdep_ops ops; + wait_queue_head_t open_wait; + void *private_data; + void (*private_free)(struct snd_hwdep *); + struct device dev; + struct mutex open_mutex; + int used; + unsigned int dsp_loaded; + unsigned int exclusive: 1; +}; + +struct snd_hwdep_dsp_image32 { + u32 index; + unsigned char name[64]; + u32 image; + u32 length; + u32 driver_data; +}; + +enum { + SNDRV_HWDEP_IOCTL_DSP_LOAD32 = 1079003139, +}; + +enum { + SNDRV_TIMER_CLASS_NONE = -1, + SNDRV_TIMER_CLASS_SLAVE = 0, + SNDRV_TIMER_CLASS_GLOBAL = 1, + SNDRV_TIMER_CLASS_CARD = 2, + SNDRV_TIMER_CLASS_PCM = 3, + SNDRV_TIMER_CLASS_LAST = 3, +}; + +enum { + SNDRV_TIMER_SCLASS_NONE = 0, + SNDRV_TIMER_SCLASS_APPLICATION = 1, + SNDRV_TIMER_SCLASS_SEQUENCER = 2, + SNDRV_TIMER_SCLASS_OSS_SEQUENCER = 3, + SNDRV_TIMER_SCLASS_LAST = 3, +}; + +struct snd_timer_id { + int dev_class; + int dev_sclass; + int card; + int device; + int subdevice; +}; + +struct snd_timer_ginfo { + struct snd_timer_id tid; + unsigned int flags; + int card; + unsigned char id[64]; + unsigned char name[80]; + long unsigned int reserved0; + long unsigned int resolution; + long unsigned int resolution_min; + long unsigned int resolution_max; + unsigned int clients; + unsigned char reserved[32]; +}; + +struct snd_timer_gparams { + struct snd_timer_id tid; + long unsigned int period_num; + long unsigned int period_den; + unsigned char reserved[32]; +}; + +struct snd_timer_gstatus { + struct snd_timer_id tid; + long unsigned int resolution; + long unsigned int resolution_num; + long unsigned int resolution_den; + unsigned char reserved[32]; +}; + +struct snd_timer_select { + struct snd_timer_id id; + unsigned char reserved[32]; +}; + +struct snd_timer_info { + unsigned int flags; + int card; + unsigned char id[64]; + unsigned char name[80]; + long unsigned int reserved0; + long unsigned int resolution; + unsigned char reserved[64]; +}; + +struct snd_timer_params { + unsigned int flags; + unsigned int ticks; + unsigned int queue_size; + unsigned int reserved0; + unsigned int filter; + unsigned char reserved[60]; +}; + +struct snd_timer_status { + struct timespec tstamp; + unsigned int resolution; + unsigned int lost; + unsigned int overrun; + unsigned int queue; + unsigned char reserved[64]; +}; + +struct snd_timer_read { + unsigned int resolution; + unsigned int ticks; +}; + +enum { + SNDRV_TIMER_EVENT_RESOLUTION = 0, + SNDRV_TIMER_EVENT_TICK = 1, + SNDRV_TIMER_EVENT_START = 2, + SNDRV_TIMER_EVENT_STOP = 3, + SNDRV_TIMER_EVENT_CONTINUE = 4, + SNDRV_TIMER_EVENT_PAUSE = 5, + SNDRV_TIMER_EVENT_EARLY = 6, + SNDRV_TIMER_EVENT_SUSPEND = 7, + SNDRV_TIMER_EVENT_RESUME = 8, + SNDRV_TIMER_EVENT_MSTART = 12, + SNDRV_TIMER_EVENT_MSTOP = 13, + SNDRV_TIMER_EVENT_MCONTINUE = 14, + SNDRV_TIMER_EVENT_MPAUSE = 15, + SNDRV_TIMER_EVENT_MSUSPEND = 17, + SNDRV_TIMER_EVENT_MRESUME = 18, +}; + +struct snd_timer_tread { + int event; + struct timespec tstamp; + unsigned int val; +}; + +struct snd_timer; + +struct snd_timer_hardware { + unsigned int flags; + long unsigned int resolution; + long unsigned int resolution_min; + long unsigned int resolution_max; + long unsigned int ticks; + int (*open)(struct snd_timer *); + int (*close)(struct snd_timer *); + long unsigned int (*c_resolution)(struct snd_timer *); + int (*start)(struct snd_timer *); + int (*stop)(struct snd_timer *); + int (*set_period)(struct snd_timer *, long unsigned int, long unsigned int); + int (*precise_resolution)(struct snd_timer *, long unsigned int *, long unsigned int *); +}; + +struct snd_timer { + int tmr_class; + struct snd_card *card; + struct module *module; + int tmr_device; + int tmr_subdevice; + char id[64]; + char name[80]; + unsigned int flags; + int running; + long unsigned int sticks; + void *private_data; + void (*private_free)(struct snd_timer *); + struct snd_timer_hardware hw; + spinlock_t lock; + struct list_head device_list; + struct list_head open_list_head; + struct list_head active_list_head; + struct list_head ack_list_head; + struct list_head sack_list_head; + struct tasklet_struct task_queue; + int max_instances; + int num_instances; +}; + +struct snd_timer_instance { + struct snd_timer *timer; + char *owner; + unsigned int flags; + void *private_data; + void (*private_free)(struct snd_timer_instance *); + void (*callback)(struct snd_timer_instance *, long unsigned int, long unsigned int); + void (*ccallback)(struct snd_timer_instance *, int, struct timespec *, long unsigned int); + void (*disconnect)(struct snd_timer_instance *); + void *callback_data; + long unsigned int ticks; + long unsigned int cticks; + long unsigned int pticks; + long unsigned int resolution; + long unsigned int lost; + int slave_class; + unsigned int slave_id; + struct list_head open_list; + struct list_head active_list; + struct list_head ack_list; + struct list_head slave_list_head; + struct list_head slave_active_head; + struct snd_timer_instance *master; +}; + +struct snd_timer_user { + struct snd_timer_instance *timeri; + int tread; + long unsigned int ticks; + long unsigned int overrun; + int qhead; + int qtail; + int qused; + int queue_size; + bool disconnected; + struct snd_timer_read *queue; + struct snd_timer_tread *tqueue; + spinlock_t qlock; + long unsigned int last_resolution; + unsigned int filter; + struct timespec tstamp; + wait_queue_head_t qchange_sleep; + struct fasync_struct *fasync; + struct mutex ioctl_lock; +}; + +struct snd_timer_system_private { + struct timer_list tlist; + struct snd_timer *snd_timer; + long unsigned int last_expires; + long unsigned int last_jiffies; + long unsigned int correction; +}; + +enum { + SNDRV_TIMER_IOCTL_START_OLD = 21536, + SNDRV_TIMER_IOCTL_STOP_OLD = 21537, + SNDRV_TIMER_IOCTL_CONTINUE_OLD = 21538, + SNDRV_TIMER_IOCTL_PAUSE_OLD = 21539, +}; + +struct snd_timer_gparams32 { + struct snd_timer_id tid; + u32 period_num; + u32 period_den; + unsigned char reserved[32]; +}; + +struct snd_timer_info32 { + u32 flags; + s32 card; + unsigned char id[64]; + unsigned char name[80]; + u32 reserved0; + u32 resolution; + unsigned char reserved[64]; +}; + +struct snd_timer_status32 { + struct old_timespec32 tstamp; + u32 resolution; + u32 lost; + u32 overrun; + u32 queue; + unsigned char reserved[64]; +}; + +enum { + SNDRV_TIMER_IOCTL_GPARAMS32 = 1077695492, + SNDRV_TIMER_IOCTL_INFO32 = -2132782063, + SNDRV_TIMER_IOCTL_STATUS32 = 1079530516, +}; + +struct snd_hrtimer { + struct snd_timer *timer; + struct hrtimer hrt; + bool in_callback; +}; + +typedef long unsigned int snd_pcm_uframes_t; + +typedef long int snd_pcm_sframes_t; + +enum { + SNDRV_PCM_CLASS_GENERIC = 0, + SNDRV_PCM_CLASS_MULTI = 1, + SNDRV_PCM_CLASS_MODEM = 2, + SNDRV_PCM_CLASS_DIGITIZER = 3, + SNDRV_PCM_CLASS_LAST = 3, +}; + +enum { + SNDRV_PCM_STREAM_PLAYBACK = 0, + SNDRV_PCM_STREAM_CAPTURE = 1, + SNDRV_PCM_STREAM_LAST = 1, +}; + +typedef int snd_pcm_access_t; + +typedef int snd_pcm_format_t; + +typedef int snd_pcm_subformat_t; + +typedef int snd_pcm_state_t; + +union snd_pcm_sync_id { + unsigned char id[16]; + short unsigned int id16[8]; + unsigned int id32[4]; +}; + +struct snd_pcm_info { + unsigned int device; + unsigned int subdevice; + int stream; + int card; + unsigned char id[64]; + unsigned char name[80]; + unsigned char subname[32]; + int dev_class; + int dev_subclass; + unsigned int subdevices_count; + unsigned int subdevices_avail; + union snd_pcm_sync_id sync; + unsigned char reserved[64]; +}; + +struct snd_interval { + unsigned int min; + unsigned int max; + unsigned int openmin: 1; + unsigned int openmax: 1; + unsigned int integer: 1; + unsigned int empty: 1; +}; + +struct snd_mask { + __u32 bits[8]; +}; + +struct snd_pcm_hw_params { + unsigned int flags; + struct snd_mask masks[3]; + struct snd_mask mres[5]; + struct snd_interval intervals[12]; + struct snd_interval ires[9]; + unsigned int rmask; + unsigned int cmask; + unsigned int info; + unsigned int msbits; + unsigned int rate_num; + unsigned int rate_den; + snd_pcm_uframes_t fifo_size; + unsigned char reserved[64]; +}; + +enum { + SNDRV_PCM_TSTAMP_NONE = 0, + SNDRV_PCM_TSTAMP_ENABLE = 1, + SNDRV_PCM_TSTAMP_LAST = 1, +}; + +struct snd_pcm_status { + snd_pcm_state_t state; + struct timespec trigger_tstamp; + struct timespec tstamp; + snd_pcm_uframes_t appl_ptr; + snd_pcm_uframes_t hw_ptr; + snd_pcm_sframes_t delay; + snd_pcm_uframes_t avail; + snd_pcm_uframes_t avail_max; + snd_pcm_uframes_t overrange; + snd_pcm_state_t suspended_state; + __u32 audio_tstamp_data; + struct timespec audio_tstamp; + struct timespec driver_tstamp; + __u32 audio_tstamp_accuracy; + unsigned char reserved[20]; +}; + +struct snd_pcm_mmap_status { + snd_pcm_state_t state; + int pad1; + snd_pcm_uframes_t hw_ptr; + struct timespec tstamp; + snd_pcm_state_t suspended_state; + struct timespec audio_tstamp; +}; + +struct snd_pcm_mmap_control { + snd_pcm_uframes_t appl_ptr; + snd_pcm_uframes_t avail_min; +}; + +struct snd_dma_device { + int type; + struct device *dev; +}; + +struct snd_dma_buffer { + struct snd_dma_device dev; + unsigned char *area; + dma_addr_t addr; + size_t bytes; + void *private_data; +}; + +struct snd_pcm_hardware { + unsigned int info; + u64 formats; + unsigned int rates; + unsigned int rate_min; + unsigned int rate_max; + unsigned int channels_min; + unsigned int channels_max; + size_t buffer_bytes_max; + size_t period_bytes_min; + size_t period_bytes_max; + unsigned int periods_min; + unsigned int periods_max; + size_t fifo_size; +}; + +struct snd_pcm_substream; + +struct snd_pcm_audio_tstamp_config; + +struct snd_pcm_audio_tstamp_report; + +struct snd_pcm_ops { + int (*open)(struct snd_pcm_substream *); + int (*close)(struct snd_pcm_substream *); + int (*ioctl)(struct snd_pcm_substream *, unsigned int, void *); + int (*hw_params)(struct snd_pcm_substream *, struct snd_pcm_hw_params *); + int (*hw_free)(struct snd_pcm_substream *); + int (*prepare)(struct snd_pcm_substream *); + int (*trigger)(struct snd_pcm_substream *, int); + int (*sync_stop)(struct snd_pcm_substream *); + snd_pcm_uframes_t (*pointer)(struct snd_pcm_substream *); + int (*get_time_info)(struct snd_pcm_substream *, struct timespec *, struct timespec *, struct snd_pcm_audio_tstamp_config *, struct snd_pcm_audio_tstamp_report *); + int (*fill_silence)(struct snd_pcm_substream *, int, long unsigned int, long unsigned int); + int (*copy_user)(struct snd_pcm_substream *, int, long unsigned int, void *, long unsigned int); + int (*copy_kernel)(struct snd_pcm_substream *, int, long unsigned int, void *, long unsigned int); + struct page * (*page)(struct snd_pcm_substream *, long unsigned int); + int (*mmap)(struct snd_pcm_substream *, struct vm_area_struct *); + int (*ack)(struct snd_pcm_substream *); +}; + +struct snd_pcm_group { + spinlock_t lock; + struct mutex mutex; + struct list_head substreams; + refcount_t refs; +}; + +struct snd_pcm; + +struct snd_pcm_str; + +struct snd_pcm_runtime; + +struct snd_pcm_substream { + struct snd_pcm *pcm; + struct snd_pcm_str *pstr; + void *private_data; + int number; + char name[32]; + int stream; + struct pm_qos_request latency_pm_qos_req; + size_t buffer_bytes_max; + struct snd_dma_buffer dma_buffer; + size_t dma_max; + const struct snd_pcm_ops *ops; + struct snd_pcm_runtime *runtime; + struct snd_timer *timer; + unsigned int timer_running: 1; + long int wait_time; + struct snd_pcm_substream *next; + struct list_head link_list; + struct snd_pcm_group self_group; + struct snd_pcm_group *group; + int ref_count; + atomic_t mmap_count; + unsigned int f_flags; + void (*pcm_release)(struct snd_pcm_substream *); + struct pid *pid; + struct snd_info_entry *proc_root; + unsigned int hw_opened: 1; + unsigned int managed_buffer_alloc: 1; +}; + +struct snd_pcm_audio_tstamp_config { + u32 type_requested: 4; + u32 report_delay: 1; +}; + +struct snd_pcm_audio_tstamp_report { + u32 valid: 1; + u32 actual_type: 4; + u32 accuracy_report: 1; + u32 accuracy; +}; + +struct snd_pcm_hw_rule; + +typedef int (*snd_pcm_hw_rule_func_t)(struct snd_pcm_hw_params *, struct snd_pcm_hw_rule *); + +struct snd_pcm_hw_rule { + unsigned int cond; + int var; + int deps[4]; + snd_pcm_hw_rule_func_t func; + void *private; +}; + +struct snd_pcm_hw_constraints { + struct snd_mask masks[3]; + struct snd_interval intervals[12]; + unsigned int rules_num; + unsigned int rules_all; + struct snd_pcm_hw_rule *rules; +}; + +struct snd_pcm_runtime { + struct snd_pcm_substream *trigger_master; + struct timespec trigger_tstamp; + bool trigger_tstamp_latched; + int overrange; + snd_pcm_uframes_t avail_max; + snd_pcm_uframes_t hw_ptr_base; + snd_pcm_uframes_t hw_ptr_interrupt; + long unsigned int hw_ptr_jiffies; + long unsigned int hw_ptr_buffer_jiffies; + snd_pcm_sframes_t delay; + u64 hw_ptr_wrap; + snd_pcm_access_t access; + snd_pcm_format_t format; + snd_pcm_subformat_t subformat; + unsigned int rate; + unsigned int channels; + snd_pcm_uframes_t period_size; + unsigned int periods; + snd_pcm_uframes_t buffer_size; + snd_pcm_uframes_t min_align; + size_t byte_align; + unsigned int frame_bits; + unsigned int sample_bits; + unsigned int info; + unsigned int rate_num; + unsigned int rate_den; + unsigned int no_period_wakeup: 1; + int tstamp_mode; + unsigned int period_step; + snd_pcm_uframes_t start_threshold; + snd_pcm_uframes_t stop_threshold; + snd_pcm_uframes_t silence_threshold; + snd_pcm_uframes_t silence_size; + snd_pcm_uframes_t boundary; + snd_pcm_uframes_t silence_start; + snd_pcm_uframes_t silence_filled; + union snd_pcm_sync_id sync; + struct snd_pcm_mmap_status *status; + struct snd_pcm_mmap_control *control; + snd_pcm_uframes_t twake; + wait_queue_head_t sleep; + wait_queue_head_t tsleep; + struct fasync_struct *fasync; + bool stop_operating; + void *private_data; + void (*private_free)(struct snd_pcm_runtime *); + struct snd_pcm_hardware hw; + struct snd_pcm_hw_constraints hw_constraints; + unsigned int timer_resolution; + int tstamp_type; + unsigned char *dma_area; + dma_addr_t dma_addr; + size_t dma_bytes; + struct snd_dma_buffer *dma_buffer_p; + unsigned int buffer_changed: 1; + struct snd_pcm_audio_tstamp_config audio_tstamp_config; + struct snd_pcm_audio_tstamp_report audio_tstamp_report; + struct timespec driver_tstamp; +}; + +struct snd_pcm_str { + int stream; + struct snd_pcm *pcm; + unsigned int substream_count; + unsigned int substream_opened; + struct snd_pcm_substream *substream; + struct snd_info_entry *proc_root; + struct snd_kcontrol *chmap_kctl; + struct device dev; +}; + +struct snd_pcm { + struct snd_card *card; + struct list_head list; + int device; + unsigned int info_flags; + short unsigned int dev_class; + short unsigned int dev_subclass; + char id[64]; + char name[80]; + struct snd_pcm_str streams[2]; + struct mutex open_mutex; + wait_queue_head_t open_wait; + void *private_data; + void (*private_free)(struct snd_pcm *); + bool internal; + bool nonatomic; + bool no_device_suspend; +}; + +typedef u32 u_int32_t; + +typedef u64 u_int64_t; + +enum { + SNDRV_PCM_MMAP_OFFSET_DATA = 0, + SNDRV_PCM_MMAP_OFFSET_STATUS = -2147483648, + SNDRV_PCM_MMAP_OFFSET_CONTROL = -2130706432, +}; + +typedef int snd_pcm_hw_param_t; + +struct snd_pcm_sw_params { + int tstamp_mode; + unsigned int period_step; + unsigned int sleep_min; + snd_pcm_uframes_t avail_min; + snd_pcm_uframes_t xfer_align; + snd_pcm_uframes_t start_threshold; + snd_pcm_uframes_t stop_threshold; + snd_pcm_uframes_t silence_threshold; + snd_pcm_uframes_t silence_size; + snd_pcm_uframes_t boundary; + unsigned int proto; + unsigned int tstamp_type; + unsigned char reserved[56]; +}; + +struct snd_pcm_channel_info { + unsigned int channel; + __kernel_off_t offset; + unsigned int first; + unsigned int step; +}; + +enum { + SNDRV_PCM_AUDIO_TSTAMP_TYPE_COMPAT = 0, + SNDRV_PCM_AUDIO_TSTAMP_TYPE_DEFAULT = 1, + SNDRV_PCM_AUDIO_TSTAMP_TYPE_LINK = 2, + SNDRV_PCM_AUDIO_TSTAMP_TYPE_LINK_ABSOLUTE = 3, + SNDRV_PCM_AUDIO_TSTAMP_TYPE_LINK_ESTIMATED = 4, + SNDRV_PCM_AUDIO_TSTAMP_TYPE_LINK_SYNCHRONIZED = 5, + SNDRV_PCM_AUDIO_TSTAMP_TYPE_LAST = 5, +}; + +struct snd_pcm_sync_ptr { + unsigned int flags; + union { + struct snd_pcm_mmap_status status; + unsigned char reserved[64]; + } s; + union { + struct snd_pcm_mmap_control control; + unsigned char reserved[64]; + } c; +}; + +struct snd_xferi { + snd_pcm_sframes_t result; + void *buf; + snd_pcm_uframes_t frames; +}; + +struct snd_xfern { + snd_pcm_sframes_t result; + void **bufs; + snd_pcm_uframes_t frames; +}; + +enum { + SNDRV_PCM_TSTAMP_TYPE_GETTIMEOFDAY = 0, + SNDRV_PCM_TSTAMP_TYPE_MONOTONIC = 1, + SNDRV_PCM_TSTAMP_TYPE_MONOTONIC_RAW = 2, + SNDRV_PCM_TSTAMP_TYPE_LAST = 2, +}; + +struct snd_pcm_file { + struct snd_pcm_substream *substream; + int no_compat_mmap; + unsigned int user_pversion; +}; + +struct snd_pcm_hw_constraint_list { + const unsigned int *list; + unsigned int count; + unsigned int mask; +}; + +struct snd_pcm_hw_params_old { + unsigned int flags; + unsigned int masks[3]; + struct snd_interval intervals[12]; + unsigned int rmask; + unsigned int cmask; + unsigned int info; + unsigned int msbits; + unsigned int rate_num; + unsigned int rate_den; + snd_pcm_uframes_t fifo_size; + unsigned char reserved[64]; +}; + +struct action_ops { + int (*pre_action)(struct snd_pcm_substream *, int); + int (*do_action)(struct snd_pcm_substream *, int); + void (*undo_action)(struct snd_pcm_substream *, int); + void (*post_action)(struct snd_pcm_substream *, int); +}; + +struct snd_pcm_hw_params32 { + u32 flags; + struct snd_mask masks[3]; + struct snd_mask mres[5]; + struct snd_interval intervals[12]; + struct snd_interval ires[9]; + u32 rmask; + u32 cmask; + u32 info; + u32 msbits; + u32 rate_num; + u32 rate_den; + u32 fifo_size; + unsigned char reserved[64]; +}; + +struct snd_pcm_sw_params32 { + s32 tstamp_mode; + u32 period_step; + u32 sleep_min; + u32 avail_min; + u32 xfer_align; + u32 start_threshold; + u32 stop_threshold; + u32 silence_threshold; + u32 silence_size; + u32 boundary; + u32 proto; + u32 tstamp_type; + unsigned char reserved[56]; +}; + +struct snd_pcm_channel_info32 { + u32 channel; + u32 offset; + u32 first; + u32 step; +}; + +struct snd_pcm_status32 { + s32 state; + struct old_timespec32 trigger_tstamp; + struct old_timespec32 tstamp; + u32 appl_ptr; + u32 hw_ptr; + s32 delay; + u32 avail; + u32 avail_max; + u32 overrange; + s32 suspended_state; + u32 audio_tstamp_data; + struct old_timespec32 audio_tstamp; + struct old_timespec32 driver_tstamp; + u32 audio_tstamp_accuracy; + unsigned char reserved[36]; +}; + +struct snd_xferi32 { + s32 result; + u32 buf; + u32 frames; +}; + +struct snd_xfern32 { + s32 result; + u32 bufs; + u32 frames; +}; + +struct snd_pcm_mmap_status32 { + s32 state; + s32 pad1; + u32 hw_ptr; + struct old_timespec32 tstamp; + s32 suspended_state; + struct old_timespec32 audio_tstamp; +}; + +struct snd_pcm_mmap_control32 { + u32 appl_ptr; + u32 avail_min; +}; + +struct snd_pcm_sync_ptr32 { + u32 flags; + union { + struct snd_pcm_mmap_status32 status; + unsigned char reserved[64]; + } s; + union { + struct snd_pcm_mmap_control32 control; + unsigned char reserved[64]; + } c; +}; + +enum { + SNDRV_PCM_IOCTL_HW_REFINE32 = -1034141424, + SNDRV_PCM_IOCTL_HW_PARAMS32 = -1034141423, + SNDRV_PCM_IOCTL_SW_PARAMS32 = -1066909421, + SNDRV_PCM_IOCTL_STATUS32 = -2140389088, + SNDRV_PCM_IOCTL_STATUS_EXT32 = -1066647260, + SNDRV_PCM_IOCTL_DELAY32 = -2147204831, + SNDRV_PCM_IOCTL_CHANNEL_INFO32 = -2146418382, + SNDRV_PCM_IOCTL_REWIND32 = 1074020678, + SNDRV_PCM_IOCTL_FORWARD32 = 1074020681, + SNDRV_PCM_IOCTL_WRITEI_FRAMES32 = 1074544976, + SNDRV_PCM_IOCTL_READI_FRAMES32 = -2146680495, + SNDRV_PCM_IOCTL_WRITEN_FRAMES32 = 1074544978, + SNDRV_PCM_IOCTL_READN_FRAMES32 = -2146680493, + SNDRV_PCM_IOCTL_SYNC_PTR32 = -1065074397, +}; + +enum { + SNDRV_CHMAP_UNKNOWN = 0, + SNDRV_CHMAP_NA = 1, + SNDRV_CHMAP_MONO = 2, + SNDRV_CHMAP_FL = 3, + SNDRV_CHMAP_FR = 4, + SNDRV_CHMAP_RL = 5, + SNDRV_CHMAP_RR = 6, + SNDRV_CHMAP_FC = 7, + SNDRV_CHMAP_LFE = 8, + SNDRV_CHMAP_SL = 9, + SNDRV_CHMAP_SR = 10, + SNDRV_CHMAP_RC = 11, + SNDRV_CHMAP_FLC = 12, + SNDRV_CHMAP_FRC = 13, + SNDRV_CHMAP_RLC = 14, + SNDRV_CHMAP_RRC = 15, + SNDRV_CHMAP_FLW = 16, + SNDRV_CHMAP_FRW = 17, + SNDRV_CHMAP_FLH = 18, + SNDRV_CHMAP_FCH = 19, + SNDRV_CHMAP_FRH = 20, + SNDRV_CHMAP_TC = 21, + SNDRV_CHMAP_TFL = 22, + SNDRV_CHMAP_TFR = 23, + SNDRV_CHMAP_TFC = 24, + SNDRV_CHMAP_TRL = 25, + SNDRV_CHMAP_TRR = 26, + SNDRV_CHMAP_TRC = 27, + SNDRV_CHMAP_TFLC = 28, + SNDRV_CHMAP_TFRC = 29, + SNDRV_CHMAP_TSL = 30, + SNDRV_CHMAP_TSR = 31, + SNDRV_CHMAP_LLFE = 32, + SNDRV_CHMAP_RLFE = 33, + SNDRV_CHMAP_BC = 34, + SNDRV_CHMAP_BLC = 35, + SNDRV_CHMAP_BRC = 36, + SNDRV_CHMAP_LAST = 36, +}; + +struct snd_ratnum { + unsigned int num; + unsigned int den_min; + unsigned int den_max; + unsigned int den_step; +}; + +struct snd_ratden { + unsigned int num_min; + unsigned int num_max; + unsigned int num_step; + unsigned int den; +}; + +struct snd_pcm_hw_constraint_ratnums { + int nrats; + const struct snd_ratnum *rats; +}; + +struct snd_pcm_hw_constraint_ratdens { + int nrats; + const struct snd_ratden *rats; +}; + +struct snd_pcm_hw_constraint_ranges { + unsigned int count; + const struct snd_interval *ranges; + unsigned int mask; +}; + +struct snd_pcm_chmap_elem { + unsigned char channels; + unsigned char map[15]; +}; + +struct snd_pcm_chmap { + struct snd_pcm *pcm; + int stream; + struct snd_kcontrol *kctl; + const struct snd_pcm_chmap_elem *chmap; + unsigned int max_channels; + unsigned int channel_mask; + void *private_data; +}; + +typedef int (*pcm_transfer_f)(struct snd_pcm_substream *, int, long unsigned int, void *, long unsigned int); + +typedef int (*pcm_copy_f)(struct snd_pcm_substream *, snd_pcm_uframes_t, void *, snd_pcm_uframes_t, snd_pcm_uframes_t, pcm_transfer_f); + +struct pcm_format_data { + unsigned char width; + unsigned char phys; + signed char le; + signed char signd; + unsigned char silence[8]; +}; + +struct snd_sg_page { + void *buf; + dma_addr_t addr; +}; + +struct snd_sg_buf { + int size; + int pages; + int tblsize; + struct snd_sg_page *table; + struct page **page_table; + struct device *dev; +}; + +struct snd_seq_device { + struct snd_card *card; + int device; + const char *id; + char name[80]; + int argsize; + void *driver_data; + void *private_data; + void (*private_free)(struct snd_seq_device *); + struct device dev; +}; + +struct snd_seq_driver { + struct device_driver driver; + char *id; + int argsize; +}; + +typedef atomic_t snd_use_lock_t; + +typedef unsigned char snd_seq_event_type_t; + +struct snd_seq_addr { + unsigned char client; + unsigned char port; +}; + +struct snd_seq_connect { + struct snd_seq_addr sender; + struct snd_seq_addr dest; +}; + +struct snd_seq_ev_note { + unsigned char channel; + unsigned char note; + unsigned char velocity; + unsigned char off_velocity; + unsigned int duration; +}; + +struct snd_seq_ev_ctrl { + unsigned char channel; + unsigned char unused1; + unsigned char unused2; + unsigned char unused3; + unsigned int param; + int value; +}; + +struct snd_seq_ev_raw8 { + unsigned char d[12]; +}; + +struct snd_seq_ev_raw32 { + unsigned int d[3]; +}; + +struct snd_seq_ev_ext { + unsigned int len; + void *ptr; +} __attribute__((packed)); + +struct snd_seq_result { + int event; + int result; +}; + +struct snd_seq_real_time { + unsigned int tv_sec; + unsigned int tv_nsec; +}; + +typedef unsigned int snd_seq_tick_time_t; + +union snd_seq_timestamp { + snd_seq_tick_time_t tick; + struct snd_seq_real_time time; +}; + +struct snd_seq_queue_skew { + unsigned int value; + unsigned int base; +}; + +struct snd_seq_ev_queue_control { + unsigned char queue; + unsigned char pad[3]; + union { + int value; + union snd_seq_timestamp time; + unsigned int position; + struct snd_seq_queue_skew skew; + unsigned int d32[2]; + unsigned char d8[8]; + } param; +}; + +struct snd_seq_event; + +struct snd_seq_ev_quote { + struct snd_seq_addr origin; + short unsigned int value; + struct snd_seq_event *event; +} __attribute__((packed)); + +struct snd_seq_event { + snd_seq_event_type_t type; + unsigned char flags; + char tag; + unsigned char queue; + union snd_seq_timestamp time; + struct snd_seq_addr source; + struct snd_seq_addr dest; + union { + struct snd_seq_ev_note note; + struct snd_seq_ev_ctrl control; + struct snd_seq_ev_raw8 raw8; + struct snd_seq_ev_raw32 raw32; + struct snd_seq_ev_ext ext; + struct snd_seq_ev_queue_control queue; + union snd_seq_timestamp time; + struct snd_seq_addr addr; + struct snd_seq_connect connect; + struct snd_seq_result result; + struct snd_seq_ev_quote quote; + } data; +} __attribute__((packed)); + +struct snd_seq_system_info { + int queues; + int clients; + int ports; + int channels; + int cur_clients; + int cur_queues; + char reserved[24]; +}; + +struct snd_seq_running_info { + unsigned char client; + unsigned char big_endian; + unsigned char cpu_mode; + unsigned char pad; + unsigned char reserved[12]; +}; + +typedef int snd_seq_client_type_t; + +struct snd_seq_client_info { + int client; + snd_seq_client_type_t type; + char name[64]; + unsigned int filter; + unsigned char multicast_filter[8]; + unsigned char event_filter[32]; + int num_ports; + int event_lost; + int card; + int pid; + char reserved[56]; +}; + +struct snd_seq_client_pool { + int client; + int output_pool; + int input_pool; + int output_room; + int output_free; + int input_free; + char reserved[64]; +}; + +struct snd_seq_remove_events { + unsigned int remove_mode; + union snd_seq_timestamp time; + unsigned char queue; + struct snd_seq_addr dest; + unsigned char channel; + int type; + char tag; + int reserved[10]; +}; + +struct snd_seq_port_info { + struct snd_seq_addr addr; + char name[64]; + unsigned int capability; + unsigned int type; + int midi_channels; + int midi_voices; + int synth_voices; + int read_use; + int write_use; + void *kernel; + unsigned int flags; + unsigned char time_queue; + char reserved[59]; +}; + +struct snd_seq_queue_info { + int queue; + int owner; + unsigned int locked: 1; + char name[64]; + unsigned int flags; + char reserved[60]; +}; + +struct snd_seq_queue_status { + int queue; + int events; + snd_seq_tick_time_t tick; + struct snd_seq_real_time time; + int running; + int flags; + char reserved[64]; +}; + +struct snd_seq_queue_tempo { + int queue; + unsigned int tempo; + int ppq; + unsigned int skew_value; + unsigned int skew_base; + char reserved[24]; +}; + +struct snd_seq_queue_timer { + int queue; + int type; + union { + struct { + struct snd_timer_id id; + unsigned int resolution; + } alsa; + } u; + char reserved[64]; +}; + +struct snd_seq_queue_client { + int queue; + int client; + int used; + char reserved[64]; +}; + +struct snd_seq_port_subscribe { + struct snd_seq_addr sender; + struct snd_seq_addr dest; + unsigned int voices; + unsigned int flags; + unsigned char queue; + unsigned char pad[3]; + char reserved[64]; +}; + +struct snd_seq_query_subs { + struct snd_seq_addr root; + int type; + int index; + int num_subs; + struct snd_seq_addr addr; + unsigned char queue; + unsigned int flags; + char reserved[64]; +}; + +typedef struct snd_seq_real_time snd_seq_real_time_t; + +struct snd_seq_port_callback { + struct module *owner; + void *private_data; + int (*subscribe)(void *, struct snd_seq_port_subscribe *); + int (*unsubscribe)(void *, struct snd_seq_port_subscribe *); + int (*use)(void *, struct snd_seq_port_subscribe *); + int (*unuse)(void *, struct snd_seq_port_subscribe *); + int (*event_input)(struct snd_seq_event *, int, void *, int, int); + void (*private_free)(void *); +}; + +struct snd_seq_pool; + +struct snd_seq_event_cell { + struct snd_seq_event event; + struct snd_seq_pool *pool; + struct snd_seq_event_cell *next; +}; + +struct snd_seq_pool { + struct snd_seq_event_cell *ptr; + struct snd_seq_event_cell *free; + int total_elements; + atomic_t counter; + int size; + int room; + int closing; + int max_used; + int event_alloc_nopool; + int event_alloc_failures; + int event_alloc_success; + wait_queue_head_t output_sleep; + spinlock_t lock; +}; + +struct snd_seq_fifo { + struct snd_seq_pool *pool; + struct snd_seq_event_cell *head; + struct snd_seq_event_cell *tail; + int cells; + spinlock_t lock; + snd_use_lock_t use_lock; + wait_queue_head_t input_sleep; + atomic_t overflow; +}; + +struct snd_seq_subscribers { + struct snd_seq_port_subscribe info; + struct list_head src_list; + struct list_head dest_list; + atomic_t ref_count; +}; + +struct snd_seq_port_subs_info { + struct list_head list_head; + unsigned int count; + unsigned int exclusive: 1; + struct rw_semaphore list_mutex; + rwlock_t list_lock; + int (*open)(void *, struct snd_seq_port_subscribe *); + int (*close)(void *, struct snd_seq_port_subscribe *); +}; + +struct snd_seq_client_port { + struct snd_seq_addr addr; + struct module *owner; + char name[64]; + struct list_head list; + snd_use_lock_t use_lock; + struct snd_seq_port_subs_info c_src; + struct snd_seq_port_subs_info c_dest; + int (*event_input)(struct snd_seq_event *, int, void *, int, int); + void (*private_free)(void *); + void *private_data; + unsigned int closing: 1; + unsigned int timestamping: 1; + unsigned int time_real: 1; + int time_queue; + unsigned int capability; + unsigned int type; + int midi_channels; + int midi_voices; + int synth_voices; +}; + +struct snd_seq_user_client { + struct file *file; + struct pid *owner; + struct snd_seq_fifo *fifo; + int fifo_pool_size; +}; + +struct snd_seq_kernel_client { + struct snd_card *card; +}; + +struct snd_seq_client { + snd_seq_client_type_t type; + unsigned int accept_input: 1; + unsigned int accept_output: 1; + char name[64]; + int number; + unsigned int filter; + long unsigned int event_filter[4]; + snd_use_lock_t use_lock; + int event_lost; + int num_ports; + struct list_head ports_list_head; + rwlock_t ports_lock; + struct mutex ports_mutex; + struct mutex ioctl_mutex; + int convert32; + struct snd_seq_pool *pool; + union { + struct snd_seq_user_client user; + struct snd_seq_kernel_client kernel; + } data; +}; + +struct snd_seq_usage { + int cur; + int peak; +}; + +struct snd_seq_prioq { + struct snd_seq_event_cell *head; + struct snd_seq_event_cell *tail; + int cells; + spinlock_t lock; +}; + +struct snd_seq_timer_tick { + snd_seq_tick_time_t cur_tick; + long unsigned int resolution; + long unsigned int fraction; +}; + +struct snd_seq_timer { + unsigned int running: 1; + unsigned int initialized: 1; + unsigned int tempo; + int ppq; + snd_seq_real_time_t cur_time; + struct snd_seq_timer_tick tick; + int tick_updated; + int type; + struct snd_timer_id alsa_id; + struct snd_timer_instance *timeri; + unsigned int ticks; + long unsigned int preferred_resolution; + unsigned int skew; + unsigned int skew_base; + struct timespec64 last_update; + spinlock_t lock; +}; + +struct snd_seq_queue { + int queue; + char name[64]; + struct snd_seq_prioq *tickq; + struct snd_seq_prioq *timeq; + struct snd_seq_timer *timer; + int owner; + unsigned int locked: 1; + unsigned int klocked: 1; + unsigned int check_again: 1; + unsigned int check_blocked: 1; + unsigned int flags; + unsigned int info_flags; + spinlock_t owner_lock; + spinlock_t check_lock; + long unsigned int clients_bitmap[3]; + unsigned int clients; + struct mutex timer_mutex; + snd_use_lock_t use_lock; +}; + +struct ioctl_handler { + unsigned int cmd; + int (*func)(struct snd_seq_client *, void *); +}; + +struct snd_seq_port_info32 { + struct snd_seq_addr addr; + char name[64]; + u32 capability; + u32 type; + s32 midi_channels; + s32 midi_voices; + s32 synth_voices; + s32 read_use; + s32 write_use; + u32 kernel; + u32 flags; + unsigned char time_queue; + char reserved[59]; +}; + +enum { + SNDRV_SEQ_IOCTL_CREATE_PORT32 = -1062972640, + SNDRV_SEQ_IOCTL_DELETE_PORT32 = 1084511009, + SNDRV_SEQ_IOCTL_GET_PORT_INFO32 = -1062972638, + SNDRV_SEQ_IOCTL_SET_PORT_INFO32 = 1084511011, + SNDRV_SEQ_IOCTL_QUERY_NEXT_PORT32 = -1062972590, +}; + +typedef int (*snd_seq_dump_func_t)(void *, void *, int); + +struct snd_seq_dummy_port { + int client; + int port; + int duplex; + int connect; +}; + +struct hda_device_id { + __u32 vendor_id; + __u32 rev_id; + __u8 api_version; + const char *name; + long unsigned int driver_data; +}; + +typedef u16 hda_nid_t; + +struct snd_array { + unsigned int used; + unsigned int alloced; + unsigned int elem_size; + unsigned int alloc_align; + void *list; +}; + +struct regmap___2; + +struct hdac_bus; + +struct hdac_widget_tree; + +struct hdac_device { + struct device dev; + int type; + struct hdac_bus *bus; + unsigned int addr; + struct list_head list; + hda_nid_t afg; + hda_nid_t mfg; + unsigned int vendor_id; + unsigned int subsystem_id; + unsigned int revision_id; + unsigned int afg_function_id; + unsigned int mfg_function_id; + unsigned int afg_unsol: 1; + unsigned int mfg_unsol: 1; + unsigned int power_caps; + const char *vendor_name; + const char *chip_name; + int (*exec_verb)(struct hdac_device *, unsigned int, unsigned int, unsigned int *); + unsigned int num_nodes; + hda_nid_t start_nid; + hda_nid_t end_nid; + atomic_t in_pm; + struct mutex widget_lock; + struct hdac_widget_tree *widgets; + struct regmap___2 *regmap; + struct snd_array vendor_verbs; + bool lazy_cache: 1; + bool caps_overwriting: 1; + bool cache_coef: 1; +}; + +struct hdac_rb { + __le32 *buf; + dma_addr_t addr; + short unsigned int rp; + short unsigned int wp; + int cmds[8]; + u32 res[8]; +}; + +struct hdac_bus_ops; + +struct hdac_ext_bus_ops; + +struct hdac_bus { + struct device *dev; + const struct hdac_bus_ops *ops; + const struct hdac_ext_bus_ops *ext_ops; + long unsigned int addr; + void *remap_addr; + int irq; + void *ppcap; + void *spbcap; + void *mlcap; + void *gtscap; + void *drsmcap; + struct list_head codec_list; + unsigned int num_codecs; + struct hdac_device *caddr_tbl[16]; + u32 unsol_queue[128]; + unsigned int unsol_rp; + unsigned int unsol_wp; + struct work_struct unsol_work; + long unsigned int codec_mask; + long unsigned int codec_powered; + struct hdac_rb corb; + struct hdac_rb rirb; + unsigned int last_cmd[8]; + struct snd_dma_buffer rb; + struct snd_dma_buffer posbuf; + int dma_type; + struct list_head stream_list; + bool chip_init: 1; + bool sync_write: 1; + bool use_posbuf: 1; + bool snoop: 1; + bool align_bdle_4k: 1; + bool reverse_assign: 1; + bool corbrp_self_clear: 1; + bool polling_mode: 1; + int poll_count; + int bdl_pos_adj; + spinlock_t reg_lock; + struct mutex cmd_mutex; + struct mutex lock; + struct drm_audio_component *audio_component; + long int display_power_status; + long unsigned int display_power_active; + int num_streams; + int idx; + struct list_head hlink_list; + bool cmd_dma_state; +}; + +enum { + HDA_DEV_CORE = 0, + HDA_DEV_LEGACY = 1, + HDA_DEV_ASOC = 2, +}; + +struct hdac_driver { + struct device_driver driver; + int type; + const struct hda_device_id *id_table; + int (*match)(struct hdac_device *, struct hdac_driver *); + void (*unsol_event)(struct hdac_device *, unsigned int); + int (*probe)(struct hdac_device *); + int (*remove)(struct hdac_device *); + void (*shutdown)(struct hdac_device *); +}; + +struct hdac_bus_ops { + int (*command)(struct hdac_bus *, unsigned int); + int (*get_response)(struct hdac_bus *, unsigned int, unsigned int *); +}; + +struct hdac_ext_bus_ops { + int (*hdev_attach)(struct hdac_device *); + int (*hdev_detach)(struct hdac_device *); +}; + +struct hda_bus { + struct hdac_bus core; + struct snd_card *card; + struct pci_dev *pci; + const char *modelname; + struct mutex prepare_mutex; + long unsigned int pcm_dev_bits[1]; + unsigned int needs_damn_long_delay: 1; + unsigned int allow_bus_reset: 1; + unsigned int shutdown: 1; + unsigned int response_reset: 1; + unsigned int in_reset: 1; + unsigned int no_response_fallback: 1; + unsigned int bus_probing: 1; + unsigned int keep_power: 1; + int primary_dig_out_type; + unsigned int mixer_assigned; +}; + +struct hda_codec; + +typedef int (*hda_codec_patch_t)(struct hda_codec *); + +struct hda_codec_ops { + int (*build_controls)(struct hda_codec *); + int (*build_pcms)(struct hda_codec *); + int (*init)(struct hda_codec *); + void (*free)(struct hda_codec *); + void (*unsol_event)(struct hda_codec *, unsigned int); + void (*set_power_state)(struct hda_codec *, hda_nid_t, unsigned int); + int (*suspend)(struct hda_codec *); + int (*resume)(struct hda_codec *); + int (*check_power_status)(struct hda_codec *, hda_nid_t); + void (*reboot_notify)(struct hda_codec *); + void (*stream_pm)(struct hda_codec *, hda_nid_t, bool); +}; + +struct hda_beep; + +struct hda_fixup; + +struct hda_codec { + struct hdac_device core; + struct hda_bus *bus; + struct snd_card *card; + unsigned int addr; + u32 probe_id; + const struct hda_device_id *preset; + const char *modelname; + struct hda_codec_ops patch_ops; + struct list_head pcm_list_head; + void *spec; + struct hda_beep *beep; + unsigned int beep_mode; + u32 *wcaps; + struct snd_array mixers; + struct snd_array nids; + struct list_head conn_list; + struct mutex spdif_mutex; + struct mutex control_mutex; + struct snd_array spdif_out; + unsigned int spdif_in_enable; + const hda_nid_t *slave_dig_outs; + struct snd_array init_pins; + struct snd_array driver_pins; + struct snd_array cvt_setups; + struct mutex user_mutex; + struct snd_hwdep *hwdep; + unsigned int in_freeing: 1; + unsigned int registered: 1; + unsigned int display_power_control: 1; + unsigned int spdif_status_reset: 1; + unsigned int pin_amp_workaround: 1; + unsigned int single_adc_amp: 1; + unsigned int no_sticky_stream: 1; + unsigned int pins_shutup: 1; + unsigned int no_trigger_sense: 1; + unsigned int no_jack_detect: 1; + unsigned int inv_eapd: 1; + unsigned int inv_jack_detect: 1; + unsigned int pcm_format_first: 1; + unsigned int cached_write: 1; + unsigned int dp_mst: 1; + unsigned int dump_coef: 1; + unsigned int power_save_node: 1; + unsigned int auto_runtime_pm: 1; + unsigned int force_pin_prefix: 1; + unsigned int link_down_at_suspend: 1; + unsigned int relaxed_resume: 1; + unsigned int mst_no_extra_pcms: 1; + long unsigned int power_on_acct; + long unsigned int power_off_acct; + long unsigned int power_jiffies; + unsigned int (*power_filter)(struct hda_codec *, hda_nid_t, unsigned int); + void (*proc_widget_hook)(struct snd_info_buffer *, struct hda_codec *, hda_nid_t); + struct snd_array jacktbl; + long unsigned int jackpoll_interval; + struct delayed_work jackpoll_work; + int depop_delay; + int fixup_id; + const struct hda_fixup *fixup_list; + const char *fixup_name; + struct snd_array verbs; +}; + +struct hda_codec_driver { + struct hdac_driver core; + const struct hda_device_id *id; +}; + +struct hda_pintbl; + +struct hda_verb; + +struct hda_fixup { + int type; + bool chained: 1; + bool chained_before: 1; + int chain_id; + union { + const struct hda_pintbl *pins; + const struct hda_verb *verbs; + void (*func)(struct hda_codec *, const struct hda_fixup *, int); + } v; +}; + +struct hda_verb { + hda_nid_t nid; + u32 verb; + u32 param; +}; + +struct hda_pintbl { + hda_nid_t nid; + u32 val; +}; + +enum { + AC_WID_AUD_OUT = 0, + AC_WID_AUD_IN = 1, + AC_WID_AUD_MIX = 2, + AC_WID_AUD_SEL = 3, + AC_WID_PIN = 4, + AC_WID_POWER = 5, + AC_WID_VOL_KNB = 6, + AC_WID_BEEP = 7, + AC_WID_VENDOR = 15, +}; + +enum { + HDA_INPUT = 0, + HDA_OUTPUT = 1, +}; + +struct hda_pcm_stream; + +struct hda_pcm_ops { + int (*open)(struct hda_pcm_stream *, struct hda_codec *, struct snd_pcm_substream *); + int (*close)(struct hda_pcm_stream *, struct hda_codec *, struct snd_pcm_substream *); + int (*prepare)(struct hda_pcm_stream *, struct hda_codec *, unsigned int, unsigned int, struct snd_pcm_substream *); + int (*cleanup)(struct hda_pcm_stream *, struct hda_codec *, struct snd_pcm_substream *); + unsigned int (*get_delay)(struct hda_pcm_stream *, struct hda_codec *, struct snd_pcm_substream *); +}; + +struct hda_pcm_stream { + unsigned int substreams; + unsigned int channels_min; + unsigned int channels_max; + hda_nid_t nid; + u32 rates; + u64 formats; + unsigned int maxbps; + const struct snd_pcm_chmap_elem *chmap; + struct hda_pcm_ops ops; +}; + +enum { + HDA_PCM_TYPE_AUDIO = 0, + HDA_PCM_TYPE_SPDIF = 1, + HDA_PCM_TYPE_HDMI = 2, + HDA_PCM_TYPE_MODEM = 3, + HDA_PCM_NTYPES = 4, +}; + +struct hda_pcm { + char *name; + struct hda_pcm_stream stream[2]; + unsigned int pcm_type; + int device; + struct snd_pcm *pcm; + bool own_chmap; + struct hda_codec *codec; + struct kref kref; + struct list_head list; +}; + +struct hda_beep { + struct input_dev *dev; + struct hda_codec *codec; + char phys[32]; + int tone; + hda_nid_t nid; + unsigned int registered: 1; + unsigned int enabled: 1; + unsigned int linear_tone: 1; + unsigned int playing: 1; + struct work_struct beep_work; + struct mutex mutex; + void (*power_hook)(struct hda_beep *, bool); +}; + +struct hda_pincfg { + hda_nid_t nid; + unsigned char ctrl; + unsigned char target; + unsigned int cfg; +}; + +struct hda_spdif_out { + hda_nid_t nid; + unsigned int status; + short unsigned int ctls; +}; + +enum { + HDA_VMUTE_OFF = 0, + HDA_VMUTE_ON = 1, + HDA_VMUTE_FOLLOW_MASTER = 2, +}; + +struct hda_vmaster_mute_hook { + struct snd_kcontrol *sw_kctl; + void (*hook)(void *, int); + unsigned int mute_mode; + struct hda_codec *codec; +}; + +struct hda_input_mux_item { + char label[32]; + unsigned int index; +}; + +struct hda_input_mux { + unsigned int num_items; + struct hda_input_mux_item items[16]; +}; + +enum { + HDA_FRONT = 0, + HDA_REAR = 1, + HDA_CLFE = 2, + HDA_SIDE = 3, +}; + +enum { + HDA_DIG_NONE = 0, + HDA_DIG_EXCLUSIVE = 1, + HDA_DIG_ANALOG_DUP = 2, +}; + +struct hda_multi_out { + int num_dacs; + const hda_nid_t *dac_nids; + hda_nid_t hp_nid; + hda_nid_t hp_out_nid[5]; + hda_nid_t extra_out_nid[5]; + hda_nid_t dig_out_nid; + const hda_nid_t *slave_dig_outs; + int max_channels; + int dig_out_used; + int no_share_stream; + int share_spdif; + unsigned int analog_rates; + unsigned int analog_maxbps; + u64 analog_formats; + unsigned int spdif_rates; + unsigned int spdif_maxbps; + u64 spdif_formats; +}; + +struct hda_nid_item { + struct snd_kcontrol *kctl; + unsigned int index; + hda_nid_t nid; + short unsigned int flags; +}; + +struct hda_amp_list { + hda_nid_t nid; + unsigned char dir; + unsigned char idx; +}; + +struct hda_loopback_check { + const struct hda_amp_list *amplist; + int power_on; +}; + +struct hda_conn_list { + struct list_head list; + int len; + hda_nid_t nid; + hda_nid_t conns[0]; +}; + +struct hda_cvt_setup { + hda_nid_t nid; + u8 stream_tag; + u8 channel_id; + u16 format_id; + unsigned char active; + unsigned char dirty; +}; + +typedef int (*map_slave_func_t)(struct hda_codec *, void *, struct snd_kcontrol *); + +struct slave_init_arg { + struct hda_codec *codec; + int step; +}; + +enum { + AC_JACK_LINE_OUT = 0, + AC_JACK_SPEAKER = 1, + AC_JACK_HP_OUT = 2, + AC_JACK_CD = 3, + AC_JACK_SPDIF_OUT = 4, + AC_JACK_DIG_OTHER_OUT = 5, + AC_JACK_MODEM_LINE_SIDE = 6, + AC_JACK_MODEM_HAND_SIDE = 7, + AC_JACK_LINE_IN = 8, + AC_JACK_AUX = 9, + AC_JACK_MIC_IN = 10, + AC_JACK_TELEPHONY = 11, + AC_JACK_SPDIF_IN = 12, + AC_JACK_DIG_OTHER_IN = 13, + AC_JACK_OTHER = 15, +}; + +enum { + AC_JACK_PORT_COMPLEX = 0, + AC_JACK_PORT_NONE = 1, + AC_JACK_PORT_FIXED = 2, + AC_JACK_PORT_BOTH = 3, +}; + +enum { + AUTO_PIN_LINE_OUT = 0, + AUTO_PIN_SPEAKER_OUT = 1, + AUTO_PIN_HP_OUT = 2, +}; + +struct auto_pin_cfg_item { + hda_nid_t pin; + int type; + unsigned int is_headset_mic: 1; + unsigned int is_headphone_mic: 1; + unsigned int has_boost_on_pin: 1; +}; + +struct auto_pin_cfg { + int line_outs; + hda_nid_t line_out_pins[5]; + int speaker_outs; + hda_nid_t speaker_pins[5]; + int hp_outs; + int line_out_type; + hda_nid_t hp_pins[5]; + int num_inputs; + struct auto_pin_cfg_item inputs[8]; + int dig_outs; + hda_nid_t dig_out_pins[2]; + hda_nid_t dig_in_pin; + hda_nid_t mono_out_pin; + int dig_out_type[2]; + int dig_in_type; +}; + +struct hda_jack_callback; + +typedef void (*hda_jack_callback_fn)(struct hda_codec *, struct hda_jack_callback *); + +struct hda_jack_tbl; + +struct hda_jack_callback { + hda_nid_t nid; + int dev_id; + hda_jack_callback_fn func; + unsigned int private_data; + unsigned int unsol_res; + struct hda_jack_tbl *jack; + struct hda_jack_callback *next; +}; + +struct hda_jack_tbl { + hda_nid_t nid; + int dev_id; + unsigned char tag; + struct hda_jack_callback *callback; + unsigned int pin_sense; + unsigned int jack_detect: 1; + unsigned int jack_dirty: 1; + unsigned int phantom_jack: 1; + unsigned int block_report: 1; + hda_nid_t gating_jack; + hda_nid_t gated_jack; + int type; + int button_state; + struct snd_jack *jack; +}; + +struct hda_jack_keymap { + enum snd_jack_types type; + int key; +}; + +enum { + HDA_JACK_NOT_PRESENT = 0, + HDA_JACK_PRESENT = 1, + HDA_JACK_PHANTOM = 2, +}; + +enum { + AC_JACK_LOC_NONE = 0, + AC_JACK_LOC_REAR = 1, + AC_JACK_LOC_FRONT = 2, + AC_JACK_LOC_LEFT = 3, + AC_JACK_LOC_RIGHT = 4, + AC_JACK_LOC_TOP = 5, + AC_JACK_LOC_BOTTOM = 6, +}; + +enum { + AC_JACK_LOC_EXTERNAL = 0, + AC_JACK_LOC_INTERNAL = 16, + AC_JACK_LOC_SEPARATE = 32, + AC_JACK_LOC_OTHER = 48, +}; + +enum { + AC_JACK_LOC_REAR_PANEL = 7, + AC_JACK_LOC_DRIVE_BAY = 8, + AC_JACK_LOC_RISER = 23, + AC_JACK_LOC_HDMI = 24, + AC_JACK_LOC_ATAPI = 25, + AC_JACK_LOC_MOBILE_IN = 55, + AC_JACK_LOC_MOBILE_OUT = 56, +}; + +struct hda_model_fixup { + const int id; + const char *name; +}; + +struct snd_hda_pin_quirk { + unsigned int codec; + short unsigned int subvendor; + const struct hda_pintbl *pins; + int value; +}; + +enum { + HDA_FIXUP_INVALID = 0, + HDA_FIXUP_PINS = 1, + HDA_FIXUP_VERBS = 2, + HDA_FIXUP_FUNC = 3, + HDA_FIXUP_PINCTLS = 4, +}; + +enum { + HDA_FIXUP_ACT_PRE_PROBE = 0, + HDA_FIXUP_ACT_PROBE = 1, + HDA_FIXUP_ACT_INIT = 2, + HDA_FIXUP_ACT_BUILD = 3, + HDA_FIXUP_ACT_FREE = 4, +}; + +enum { + AUTO_PIN_MIC = 0, + AUTO_PIN_LINE_IN = 1, + AUTO_PIN_CD = 2, + AUTO_PIN_AUX = 3, + AUTO_PIN_LAST = 4, +}; + +enum { + INPUT_PIN_ATTR_UNUSED = 0, + INPUT_PIN_ATTR_INT = 1, + INPUT_PIN_ATTR_DOCK = 2, + INPUT_PIN_ATTR_NORMAL = 3, + INPUT_PIN_ATTR_REAR = 4, + INPUT_PIN_ATTR_FRONT = 5, + INPUT_PIN_ATTR_LAST = 5, +}; + +struct auto_out_pin { + hda_nid_t pin; + short int seq; +}; + +struct hdac_stream { + struct hdac_bus *bus; + struct snd_dma_buffer bdl; + __le32 *posbuf; + int direction; + unsigned int bufsize; + unsigned int period_bytes; + unsigned int frags; + unsigned int fifo_size; + void *sd_addr; + u32 sd_int_sta_mask; + struct snd_pcm_substream *substream; + unsigned int format_val; + unsigned char stream_tag; + unsigned char index; + int assigned_key; + bool opened: 1; + bool running: 1; + bool prepared: 1; + bool no_period_wakeup: 1; + bool locked: 1; + bool stripe: 1; + long unsigned int start_wallclk; + long unsigned int period_wallclk; + struct timecounter tc; + struct cyclecounter cc; + int delay_negative_threshold; + struct list_head list; +}; + +struct azx_dev { + struct hdac_stream core; + unsigned int irq_pending: 1; + unsigned int insufficient: 1; +}; + +struct azx; + +struct hda_controller_ops { + int (*disable_msi_reset_irq)(struct azx *); + void (*pcm_mmap_prepare)(struct snd_pcm_substream *, struct vm_area_struct *); + int (*position_check)(struct azx *, struct azx_dev *); + int (*link_power)(struct azx *, bool); +}; + +typedef unsigned int (*azx_get_pos_callback_t)(struct azx *, struct azx_dev *); + +typedef int (*azx_get_delay_callback_t)(struct azx *, struct azx_dev *, unsigned int); + +struct azx { + struct hda_bus bus; + struct snd_card *card; + struct pci_dev *pci; + int dev_index; + int driver_type; + unsigned int driver_caps; + int playback_streams; + int playback_index_offset; + int capture_streams; + int capture_index_offset; + int num_streams; + int jackpoll_interval; + const struct hda_controller_ops *ops; + azx_get_pos_callback_t get_position[2]; + azx_get_delay_callback_t get_delay[2]; + struct mutex open_mutex; + struct list_head pcm_list; + int codec_probe_mask; + unsigned int beep_mode; + int bdl_pos_adj; + unsigned int running: 1; + unsigned int fallback_to_single_cmd: 1; + unsigned int single_cmd: 1; + unsigned int msi: 1; + unsigned int probing: 1; + unsigned int snoop: 1; + unsigned int uc_buffer: 1; + unsigned int align_buffer_size: 1; + unsigned int region_requested: 1; + unsigned int disabled: 1; + unsigned int gts_present: 1; +}; + +struct azx_pcm { + struct azx *chip; + struct snd_pcm *pcm; + struct hda_codec *codec; + struct hda_pcm *info; + struct list_head list; +}; + +struct trace_event_raw_azx_pcm_trigger { + struct trace_entry ent; + int card; + int idx; + int cmd; + char __data[0]; +}; + +struct trace_event_raw_azx_get_position { + struct trace_entry ent; + int card; + int idx; + unsigned int pos; + unsigned int delay; + char __data[0]; +}; + +struct trace_event_raw_azx_pcm { + struct trace_entry ent; + unsigned char stream_tag; + char __data[0]; +}; + +struct trace_event_data_offsets_azx_pcm_trigger {}; + +struct trace_event_data_offsets_azx_get_position {}; + +struct trace_event_data_offsets_azx_pcm {}; + +enum { + SNDRV_HWDEP_IFACE_OPL2 = 0, + SNDRV_HWDEP_IFACE_OPL3 = 1, + SNDRV_HWDEP_IFACE_OPL4 = 2, + SNDRV_HWDEP_IFACE_SB16CSP = 3, + SNDRV_HWDEP_IFACE_EMU10K1 = 4, + SNDRV_HWDEP_IFACE_YSS225 = 5, + SNDRV_HWDEP_IFACE_ICS2115 = 6, + SNDRV_HWDEP_IFACE_SSCAPE = 7, + SNDRV_HWDEP_IFACE_VX = 8, + SNDRV_HWDEP_IFACE_MIXART = 9, + SNDRV_HWDEP_IFACE_USX2Y = 10, + SNDRV_HWDEP_IFACE_EMUX_WAVETABLE = 11, + SNDRV_HWDEP_IFACE_BLUETOOTH = 12, + SNDRV_HWDEP_IFACE_USX2Y_PCM = 13, + SNDRV_HWDEP_IFACE_PCXHR = 14, + SNDRV_HWDEP_IFACE_SB_RC = 15, + SNDRV_HWDEP_IFACE_HDA = 16, + SNDRV_HWDEP_IFACE_USB_STREAM = 17, + SNDRV_HWDEP_IFACE_FW_DICE = 18, + SNDRV_HWDEP_IFACE_FW_FIREWORKS = 19, + SNDRV_HWDEP_IFACE_FW_BEBOB = 20, + SNDRV_HWDEP_IFACE_FW_OXFW = 21, + SNDRV_HWDEP_IFACE_FW_DIGI00X = 22, + SNDRV_HWDEP_IFACE_FW_TASCAM = 23, + SNDRV_HWDEP_IFACE_LINE6 = 24, + SNDRV_HWDEP_IFACE_FW_MOTU = 25, + SNDRV_HWDEP_IFACE_FW_FIREFACE = 26, + SNDRV_HWDEP_IFACE_LAST = 26, +}; + +struct hda_verb_ioctl { + u32 verb; + u32 res; +}; + +enum { + SND_INTEL_DSP_DRIVER_ANY = 0, + SND_INTEL_DSP_DRIVER_LEGACY = 1, + SND_INTEL_DSP_DRIVER_SST = 2, + SND_INTEL_DSP_DRIVER_SOF = 3, + SND_INTEL_DSP_DRIVER_LAST = 3, +}; + +enum { + AZX_SNOOP_TYPE_NONE = 0, + AZX_SNOOP_TYPE_SCH = 1, + AZX_SNOOP_TYPE_ATI = 2, + AZX_SNOOP_TYPE_NVIDIA = 3, +}; + +struct hda_intel { + struct azx chip; + struct work_struct irq_pending_work; + struct completion probe_wait; + struct work_struct probe_work; + struct list_head list; + unsigned int irq_pending_warned: 1; + unsigned int probe_continued: 1; + unsigned int use_vga_switcheroo: 1; + unsigned int vga_switcheroo_registered: 1; + unsigned int init_failed: 1; + bool need_i915_power: 1; +}; + +struct trace_event_raw_hda_pm { + struct trace_entry ent; + int dev_index; + char __data[0]; +}; + +struct trace_event_data_offsets_hda_pm {}; + +enum { + POS_FIX_AUTO = 0, + POS_FIX_LPIB = 1, + POS_FIX_POSBUF = 2, + POS_FIX_VIACOMBO = 3, + POS_FIX_COMBO = 4, + POS_FIX_SKL = 5, + POS_FIX_FIFO = 6, +}; + +enum { + AZX_DRIVER_ICH = 0, + AZX_DRIVER_PCH = 1, + AZX_DRIVER_SCH = 2, + AZX_DRIVER_SKL = 3, + AZX_DRIVER_HDMI = 4, + AZX_DRIVER_ATI = 5, + AZX_DRIVER_ATIHDMI = 6, + AZX_DRIVER_ATIHDMI_NS = 7, + AZX_DRIVER_VIA = 8, + AZX_DRIVER_SIS = 9, + AZX_DRIVER_ULI = 10, + AZX_DRIVER_NVIDIA = 11, + AZX_DRIVER_TERA = 12, + AZX_DRIVER_CTX = 13, + AZX_DRIVER_CTHDA = 14, + AZX_DRIVER_CMEDIA = 15, + AZX_DRIVER_ZHAOXIN = 16, + AZX_DRIVER_GENERIC = 17, + AZX_NUM_DRIVERS = 18, +}; + +enum { + AC_GRP_AUDIO_FUNCTION = 1, + AC_GRP_MODEM_FUNCTION = 2, +}; + +struct hda_vendor_id { + unsigned int id; + const char *name; +}; + +struct hda_rate_tbl { + unsigned int hz; + unsigned int alsa_bits; + unsigned int hda_fmt; +}; + +struct hdac_widget_tree { + struct kobject *root; + struct kobject *afg; + struct kobject **nodes; +}; + +struct widget_attribute { + struct attribute attr; + ssize_t (*show)(struct hdac_device *, hda_nid_t, struct widget_attribute *, char *); + ssize_t (*store)(struct hdac_device *, hda_nid_t, struct widget_attribute *, const char *, size_t); +}; + +struct hdac_cea_channel_speaker_allocation { + int ca_index; + int speakers[8]; + int channels; + int spk_mask; +}; + +struct hdac_chmap; + +struct hdac_chmap_ops { + int (*chmap_cea_alloc_validate_get_type)(struct hdac_chmap *, struct hdac_cea_channel_speaker_allocation *, int); + void (*cea_alloc_to_tlv_chmap)(struct hdac_chmap *, struct hdac_cea_channel_speaker_allocation *, unsigned int *, int); + int (*chmap_validate)(struct hdac_chmap *, int, int, unsigned char *); + int (*get_spk_alloc)(struct hdac_device *, int); + void (*get_chmap)(struct hdac_device *, int, unsigned char *); + void (*set_chmap)(struct hdac_device *, int, unsigned char *, int); + bool (*is_pcm_attached)(struct hdac_device *, int); + int (*pin_get_slot_channel)(struct hdac_device *, hda_nid_t, int); + int (*pin_set_slot_channel)(struct hdac_device *, hda_nid_t, int, int); + void (*set_channel_count)(struct hdac_device *, hda_nid_t, int); +}; + +struct hdac_chmap { + unsigned int channels_max; + struct hdac_chmap_ops ops; + struct hdac_device *hdac; +}; + +enum cea_speaker_placement { + FL = 1, + FC = 2, + FR = 4, + FLC = 8, + FRC = 16, + RL = 32, + RC = 64, + RR = 128, + RLC = 256, + RRC = 512, + LFE = 1024, + FLW = 2048, + FRW = 4096, + FLH = 8192, + FCH = 16384, + FRH = 32768, + TC = 65536, +}; + +struct channel_map_table { + unsigned char map; + int spk_mask; +}; + +struct trace_event_raw_hda_send_cmd { + struct trace_entry ent; + u32 __data_loc_msg; + char __data[0]; +}; + +struct trace_event_raw_hda_get_response { + struct trace_entry ent; + u32 __data_loc_msg; + char __data[0]; +}; + +struct trace_event_raw_hda_unsol_event { + struct trace_entry ent; + u32 __data_loc_msg; + char __data[0]; +}; + +struct trace_event_raw_hdac_stream { + struct trace_entry ent; + unsigned char stream_tag; + char __data[0]; +}; + +struct trace_event_data_offsets_hda_send_cmd { + u32 msg; +}; + +struct trace_event_data_offsets_hda_get_response { + u32 msg; +}; + +struct trace_event_data_offsets_hda_unsol_event { + u32 msg; +}; + +struct trace_event_data_offsets_hdac_stream {}; + +struct component_match___2; + +struct nhlt_specific_cfg { + u32 size; + u8 caps[0]; +}; + +struct nhlt_endpoint { + u32 length; + u8 linktype; + u8 instance_id; + u16 vendor_id; + u16 device_id; + u16 revision_id; + u32 subsystem_id; + u8 device_type; + u8 direction; + u8 virtual_bus_id; + struct nhlt_specific_cfg config; +} __attribute__((packed)); + +struct nhlt_acpi_table { + struct acpi_table_header header; + u8 endpoint_count; + struct nhlt_endpoint desc[0]; +} __attribute__((packed)); + +struct config_entry { + u32 flags; + u16 device; + const struct dmi_system_id *dmi_table; +}; + +enum nhlt_link_type { + NHLT_LINK_HDA = 0, + NHLT_LINK_DSP = 1, + NHLT_LINK_DMIC = 2, + NHLT_LINK_SSP = 3, + NHLT_LINK_INVALID = 4, +}; + +struct nhlt_resource_desc { + u32 extra; + u16 flags; + u64 addr_spc_gra; + u64 min_addr; + u64 max_addr; + u64 addr_trans_offset; + u64 length; +} __attribute__((packed)); + +struct nhlt_device_specific_config { + u8 virtual_slot; + u8 config_type; +}; + +struct nhlt_dmic_array_config { + struct nhlt_device_specific_config device_config; + u8 array_type; +}; + +struct nhlt_vendor_dmic_array_config { + struct nhlt_dmic_array_config dmic_config; + u8 nb_mics; +}; + +enum { + NHLT_MIC_ARRAY_2CH_SMALL = 10, + NHLT_MIC_ARRAY_2CH_BIG = 11, + NHLT_MIC_ARRAY_4CH_1ST_GEOM = 12, + NHLT_MIC_ARRAY_4CH_L_SHAPED = 13, + NHLT_MIC_ARRAY_4CH_2ND_GEOM = 14, + NHLT_MIC_ARRAY_VENDOR_DEFINED = 15, +}; + +struct pcibios_fwaddrmap { + struct list_head list; + struct pci_dev *dev; + resource_size_t fw_addr[11]; +}; + +struct pci_check_idx_range { + int start; + int end; +}; + +struct pci_raw_ops { + int (*read)(unsigned int, unsigned int, unsigned int, int, int, u32 *); + int (*write)(unsigned int, unsigned int, unsigned int, int, int, u32); +}; + +struct pci_mmcfg_region { + struct list_head list; + struct resource res; + u64 address; + char *virt; + u16 segment; + u8 start_bus; + u8 end_bus; + char name[30]; +}; + +struct acpi_table_mcfg { + struct acpi_table_header header; + u8 reserved[8]; +}; + +struct acpi_mcfg_allocation { + u64 address; + u16 pci_segment; + u8 start_bus_number; + u8 end_bus_number; + u32 reserved; +}; + +struct pci_mmcfg_hostbridge_probe { + u32 bus; + u32 devfn; + u32 vendor; + u32 device; + const char * (*probe)(); +}; + +typedef bool (*check_reserved_t)(u64, u64, unsigned int); + +struct pci_root_info { + struct acpi_pci_root_info common; + struct pci_sysdata sd; + bool mcfg_added; + u8 start_bus; + u8 end_bus; +}; + +struct irq_info___2 { + u8 bus; + u8 devfn; + struct { + u8 link; + u16 bitmap; + } __attribute__((packed)) irq[4]; + u8 slot; + u8 rfu; +}; + +struct irq_routing_table { + u32 signature; + u16 version; + u16 size; + u8 rtr_bus; + u8 rtr_devfn; + u16 exclusive_irqs; + u16 rtr_vendor; + u16 rtr_device; + u32 miniport_data; + u8 rfu[11]; + u8 checksum; + struct irq_info___2 slots[0]; +}; + +struct irq_router { + char *name; + u16 vendor; + u16 device; + int (*get)(struct pci_dev *, struct pci_dev *, int); + int (*set)(struct pci_dev *, struct pci_dev *, int, int); +}; + +struct irq_router_handler { + u16 vendor; + int (*probe)(struct irq_router *, struct pci_dev *, u16); +}; + +struct pci_setup_rom { + struct setup_data data; + uint16_t vendor; + uint16_t devid; + uint64_t pcilen; + long unsigned int segment; + long unsigned int bus; + long unsigned int device; + long unsigned int function; + uint8_t romdata[0]; +}; + +enum pci_bf_sort_state { + pci_bf_sort_default = 0, + pci_force_nobf = 1, + pci_force_bf = 2, + pci_dmi_bf = 3, +}; + +struct pci_root_res { + struct list_head list; + struct resource res; +}; + +struct pci_root_info___2 { + struct list_head list; + char name[12]; + struct list_head resources; + struct resource busn; + int node; + int link; +}; + +struct amd_hostbridge { + u32 bus; + u32 slot; + u32 device; +}; + +struct saved_msr { + bool valid; + struct msr_info info; +}; + +struct saved_msrs { + unsigned int num; + struct saved_msr *array; +}; + +struct saved_context { + struct pt_regs regs; + u16 ds; + u16 es; + u16 fs; + u16 gs; + long unsigned int kernelmode_gs_base; + long unsigned int usermode_gs_base; + long unsigned int fs_base; + long unsigned int cr0; + long unsigned int cr2; + long unsigned int cr3; + long unsigned int cr4; + u64 misc_enable; + bool misc_enable_saved; + struct saved_msrs saved_msrs; + long unsigned int efer; + u16 gdt_pad; + struct desc_ptr gdt_desc; + u16 idt_pad; + struct desc_ptr idt; + u16 ldt; + u16 tss; + long unsigned int tr; + long unsigned int safety; + long unsigned int return_address; +} __attribute__((packed)); + +typedef int (*pm_cpu_match_t)(const struct x86_cpu_id *); + +struct restore_data_record { + long unsigned int jump_address; + long unsigned int jump_address_phys; + long unsigned int cr3; + long unsigned int magic; + u8 e820_digest[16]; +}; + +struct __kernel_old_timespec { + __kernel_old_time_t tv_sec; + long int tv_nsec; +}; + +struct __kernel_sock_timeval { + __s64 tv_sec; + __s64 tv_usec; +}; + +struct mmsghdr { + struct user_msghdr msg_hdr; + unsigned int msg_len; +}; + +struct scm_timestamping_internal { + struct timespec64 ts[3]; +}; + +enum sock_shutdown_cmd { + SHUT_RD = 0, + SHUT_WR = 1, + SHUT_RDWR = 2, +}; + +struct net_proto_family { + int family; + int (*create)(struct net *, struct socket *, int, int); + struct module *owner; +}; + +enum { + SOCK_WAKE_IO = 0, + SOCK_WAKE_WAITD = 1, + SOCK_WAKE_SPACE = 2, + SOCK_WAKE_URG = 3, +}; + +struct ifconf { + int ifc_len; + union { + char *ifcu_buf; + struct ifreq *ifcu_req; + } ifc_ifcu; +}; + +struct compat_ifmap { + compat_ulong_t mem_start; + compat_ulong_t mem_end; + short unsigned int base_addr; + unsigned char irq; + unsigned char dma; + unsigned char port; +}; + +struct compat_if_settings { + unsigned int type; + unsigned int size; + compat_uptr_t ifs_ifsu; +}; + +struct compat_ifreq { + union { + char ifrn_name[16]; + } ifr_ifrn; + union { + struct sockaddr ifru_addr; + struct sockaddr ifru_dstaddr; + struct sockaddr ifru_broadaddr; + struct sockaddr ifru_netmask; + struct sockaddr ifru_hwaddr; + short int ifru_flags; + compat_int_t ifru_ivalue; + compat_int_t ifru_mtu; + struct compat_ifmap ifru_map; + char ifru_slave[16]; + char ifru_newname[16]; + compat_caddr_t ifru_data; + struct compat_if_settings ifru_settings; + } ifr_ifru; +}; + +struct compat_ifconf { + compat_int_t ifc_len; + compat_caddr_t ifcbuf; +}; + +struct compat_ethtool_rx_flow_spec { + u32 flow_type; + union ethtool_flow_union h_u; + struct ethtool_flow_ext h_ext; + union ethtool_flow_union m_u; + struct ethtool_flow_ext m_ext; + compat_u64 ring_cookie; + u32 location; +} __attribute__((packed)); + +struct compat_ethtool_rxnfc { + u32 cmd; + u32 flow_type; + compat_u64 data; + struct compat_ethtool_rx_flow_spec fs; + u32 rule_cnt; + u32 rule_locs[0]; +} __attribute__((packed)); + +struct compat_msghdr { + compat_uptr_t msg_name; + compat_int_t msg_namelen; + compat_uptr_t msg_iov; + compat_size_t msg_iovlen; + compat_uptr_t msg_control; + compat_size_t msg_controllen; + compat_uint_t msg_flags; +}; + +struct compat_mmsghdr { + struct compat_msghdr msg_hdr; + compat_uint_t msg_len; +}; + +struct scm_ts_pktinfo { + __u32 if_index; + __u32 pkt_length; + __u32 reserved[2]; +}; + +enum sock_flags { + SOCK_DEAD = 0, + SOCK_DONE = 1, + SOCK_URGINLINE = 2, + SOCK_KEEPOPEN = 3, + SOCK_LINGER = 4, + SOCK_DESTROY = 5, + SOCK_BROADCAST = 6, + SOCK_TIMESTAMP = 7, + SOCK_ZAPPED = 8, + SOCK_USE_WRITE_QUEUE = 9, + SOCK_DBG = 10, + SOCK_RCVTSTAMP = 11, + SOCK_RCVTSTAMPNS = 12, + SOCK_LOCALROUTE = 13, + SOCK_QUEUE_SHRUNK = 14, + SOCK_MEMALLOC = 15, + SOCK_TIMESTAMPING_RX_SOFTWARE = 16, + SOCK_FASYNC = 17, + SOCK_RXQ_OVFL = 18, + SOCK_ZEROCOPY = 19, + SOCK_WIFI_STATUS = 20, + SOCK_NOFCS = 21, + SOCK_FILTER_LOCKED = 22, + SOCK_SELECT_ERR_QUEUE = 23, + SOCK_RCU_FREE = 24, + SOCK_TXTIME = 25, + SOCK_XDP = 26, + SOCK_TSTAMP_NEW = 27, +}; + +struct sock_skb_cb { + u32 dropcount; +}; + +struct in6_rtmsg { + struct in6_addr rtmsg_dst; + struct in6_addr rtmsg_src; + struct in6_addr rtmsg_gateway; + __u32 rtmsg_type; + __u16 rtmsg_dst_len; + __u16 rtmsg_src_len; + __u32 rtmsg_metric; + long unsigned int rtmsg_info; + __u32 rtmsg_flags; + int rtmsg_ifindex; +}; + +struct rtentry { + long unsigned int rt_pad1; + struct sockaddr rt_dst; + struct sockaddr rt_gateway; + struct sockaddr rt_genmask; + short unsigned int rt_flags; + short int rt_pad2; + long unsigned int rt_pad3; + void *rt_pad4; + short int rt_metric; + char *rt_dev; + long unsigned int rt_mtu; + long unsigned int rt_window; + short unsigned int rt_irtt; +}; + +struct sock_extended_err { + __u32 ee_errno; + __u8 ee_origin; + __u8 ee_type; + __u8 ee_code; + __u8 ee_pad; + __u32 ee_info; + __u32 ee_data; +}; + +struct sock_exterr_skb { + union { + struct inet_skb_parm h4; + struct inet6_skb_parm h6; + } header; + struct sock_extended_err ee; + u16 addr_offset; + __be16 port; + u8 opt_stats: 1; + u8 unused: 7; +}; + +struct used_address { + struct __kernel_sockaddr_storage name; + unsigned int name_len; +}; + +struct rtentry32 { + u32 rt_pad1; + struct sockaddr rt_dst; + struct sockaddr rt_gateway; + struct sockaddr rt_genmask; + short unsigned int rt_flags; + short int rt_pad2; + u32 rt_pad3; + unsigned char rt_tos; + unsigned char rt_class; + short int rt_pad4; + short int rt_metric; + u32 rt_dev; + u32 rt_mtu; + u32 rt_window; + short unsigned int rt_irtt; +}; + +struct in6_rtmsg32 { + struct in6_addr rtmsg_dst; + struct in6_addr rtmsg_src; + struct in6_addr rtmsg_gateway; + u32 rtmsg_type; + u16 rtmsg_dst_len; + u16 rtmsg_src_len; + u32 rtmsg_metric; + u32 rtmsg_info; + u32 rtmsg_flags; + s32 rtmsg_ifindex; +}; + +struct linger { + int l_onoff; + int l_linger; +}; + +struct cmsghdr { + __kernel_size_t cmsg_len; + int cmsg_level; + int cmsg_type; +}; + +struct ucred { + __u32 pid; + __u32 uid; + __u32 gid; +}; + +struct mmpin { + struct user_struct *user; + unsigned int num_pg; +}; + +struct ubuf_info { + void (*callback)(struct ubuf_info *, bool); + union { + struct { + long unsigned int desc; + void *ctx; + }; + struct { + u32 id; + u16 len; + u16 zerocopy: 1; + u32 bytelen; + }; + }; + refcount_t refcnt; + struct mmpin mmp; +}; + +struct prot_inuse { + int val[64]; +}; + +struct rt6key { + struct in6_addr addr; + int plen; +}; + +struct rtable; + +struct fnhe_hash_bucket; + +struct fib_nh_common { + struct net_device *nhc_dev; + int nhc_oif; + unsigned char nhc_scope; + u8 nhc_family; + u8 nhc_gw_family; + unsigned char nhc_flags; + struct lwtunnel_state *nhc_lwtstate; + union { + __be32 ipv4; + struct in6_addr ipv6; + } nhc_gw; + int nhc_weight; + atomic_t nhc_upper_bound; + struct rtable **nhc_pcpu_rth_output; + struct rtable *nhc_rth_input; + struct fnhe_hash_bucket *nhc_exceptions; +}; + +struct rt6_exception_bucket; + +struct fib6_nh { + struct fib_nh_common nh_common; + struct rt6_info **rt6i_pcpu; + struct rt6_exception_bucket *rt6i_exception_bucket; +}; + +struct fib6_node; + +struct nexthop; + +struct fib6_info { + struct fib6_table *fib6_table; + struct fib6_info *fib6_next; + struct fib6_node *fib6_node; + union { + struct list_head fib6_siblings; + struct list_head nh_list; + }; + unsigned int fib6_nsiblings; + refcount_t fib6_ref; + long unsigned int expires; + struct dst_metrics *fib6_metrics; + struct rt6key fib6_dst; + u32 fib6_flags; + struct rt6key fib6_src; + struct rt6key fib6_prefsrc; + u32 fib6_metric; + u8 fib6_protocol; + u8 fib6_type; + u8 should_flush: 1; + u8 dst_nocount: 1; + u8 dst_nopolicy: 1; + u8 dst_host: 1; + u8 fib6_destroying: 1; + u8 unused: 3; + struct callback_head rcu; + struct nexthop *nh; + struct fib6_nh fib6_nh[0]; +}; + +struct uncached_list; + +struct rt6_info { + struct dst_entry dst; + struct fib6_info *from; + struct rt6key rt6i_dst; + struct rt6key rt6i_src; + struct in6_addr rt6i_gateway; + struct inet6_dev *rt6i_idev; + u32 rt6i_flags; + struct list_head rt6i_uncached; + struct uncached_list *rt6i_uncached_list; + short unsigned int rt6i_nfheader_len; +}; + +struct rt6_statistics { + __u32 fib_nodes; + __u32 fib_route_nodes; + __u32 fib_rt_entries; + __u32 fib_rt_cache; + __u32 fib_discarded_routes; + atomic_t fib_rt_alloc; + atomic_t fib_rt_uncache; +}; + +struct fib6_node { + struct fib6_node *parent; + struct fib6_node *left; + struct fib6_node *right; + struct fib6_info *leaf; + __u16 fn_bit; + __u16 fn_flags; + int fn_sernum; + struct fib6_info *rr_ptr; + struct callback_head rcu; +}; + +struct fib6_table { + struct hlist_node tb6_hlist; + u32 tb6_id; + spinlock_t tb6_lock; + struct fib6_node tb6_root; + struct inet_peer_base tb6_peers; + unsigned int flags; + unsigned int fib_seq; +}; + +typedef union { + __be32 a4; + __be32 a6[4]; + struct in6_addr in6; +} xfrm_address_t; + +struct xfrm_id { + xfrm_address_t daddr; + __be32 spi; + __u8 proto; +}; + +struct xfrm_sec_ctx { + __u8 ctx_doi; + __u8 ctx_alg; + __u16 ctx_len; + __u32 ctx_sid; + char ctx_str[0]; +}; + +struct xfrm_selector { + xfrm_address_t daddr; + xfrm_address_t saddr; + __be16 dport; + __be16 dport_mask; + __be16 sport; + __be16 sport_mask; + __u16 family; + __u8 prefixlen_d; + __u8 prefixlen_s; + __u8 proto; + int ifindex; + __kernel_uid32_t user; +}; + +struct xfrm_lifetime_cfg { + __u64 soft_byte_limit; + __u64 hard_byte_limit; + __u64 soft_packet_limit; + __u64 hard_packet_limit; + __u64 soft_add_expires_seconds; + __u64 hard_add_expires_seconds; + __u64 soft_use_expires_seconds; + __u64 hard_use_expires_seconds; +}; + +struct xfrm_lifetime_cur { + __u64 bytes; + __u64 packets; + __u64 add_time; + __u64 use_time; +}; + +struct xfrm_replay_state { + __u32 oseq; + __u32 seq; + __u32 bitmap; +}; + +struct xfrm_replay_state_esn { + unsigned int bmp_len; + __u32 oseq; + __u32 seq; + __u32 oseq_hi; + __u32 seq_hi; + __u32 replay_window; + __u32 bmp[0]; +}; + +struct xfrm_algo { + char alg_name[64]; + unsigned int alg_key_len; + char alg_key[0]; +}; + +struct xfrm_algo_auth { + char alg_name[64]; + unsigned int alg_key_len; + unsigned int alg_trunc_len; + char alg_key[0]; +}; + +struct xfrm_algo_aead { + char alg_name[64]; + unsigned int alg_key_len; + unsigned int alg_icv_len; + char alg_key[0]; +}; + +struct xfrm_stats { + __u32 replay_window; + __u32 replay; + __u32 integrity_failed; +}; + +enum { + XFRM_POLICY_TYPE_MAIN = 0, + XFRM_POLICY_TYPE_SUB = 1, + XFRM_POLICY_TYPE_MAX = 2, + XFRM_POLICY_TYPE_ANY = 255, +}; + +struct xfrm_encap_tmpl { + __u16 encap_type; + __be16 encap_sport; + __be16 encap_dport; + xfrm_address_t encap_oa; +}; + +struct xfrm_mark { + __u32 v; + __u32 m; +}; + +struct xfrm_address_filter { + xfrm_address_t saddr; + xfrm_address_t daddr; + __u16 family; + __u8 splen; + __u8 dplen; +}; + +struct xfrm_state_walk { + struct list_head all; + u8 state; + u8 dying; + u8 proto; + u32 seq; + struct xfrm_address_filter *filter; +}; + +struct xfrm_state_offload { + struct net_device *dev; + long unsigned int offload_handle; + unsigned int num_exthdrs; + u8 flags; +}; + +struct xfrm_mode { + u8 encap; + u8 family; + u8 flags; +}; + +struct xfrm_replay; + +struct xfrm_type; + +struct xfrm_type_offload; + +struct xfrm_state { + possible_net_t xs_net; + union { + struct hlist_node gclist; + struct hlist_node bydst; + }; + struct hlist_node bysrc; + struct hlist_node byspi; + refcount_t refcnt; + spinlock_t lock; + struct xfrm_id id; + struct xfrm_selector sel; + struct xfrm_mark mark; + u32 if_id; + u32 tfcpad; + u32 genid; + struct xfrm_state_walk km; + struct { + u32 reqid; + u8 mode; + u8 replay_window; + u8 aalgo; + u8 ealgo; + u8 calgo; + u8 flags; + u16 family; + xfrm_address_t saddr; + int header_len; + int trailer_len; + u32 extra_flags; + struct xfrm_mark smark; + } props; + struct xfrm_lifetime_cfg lft; + struct xfrm_algo_auth *aalg; + struct xfrm_algo *ealg; + struct xfrm_algo *calg; + struct xfrm_algo_aead *aead; + const char *geniv; + struct xfrm_encap_tmpl *encap; + xfrm_address_t *coaddr; + struct xfrm_state *tunnel; + atomic_t tunnel_users; + struct xfrm_replay_state replay; + struct xfrm_replay_state_esn *replay_esn; + struct xfrm_replay_state preplay; + struct xfrm_replay_state_esn *preplay_esn; + const struct xfrm_replay *repl; + u32 xflags; + u32 replay_maxage; + u32 replay_maxdiff; + struct timer_list rtimer; + struct xfrm_stats stats; + struct xfrm_lifetime_cur curlft; + struct hrtimer mtimer; + struct xfrm_state_offload xso; + long int saved_tmo; + time64_t lastused; + struct page_frag xfrag; + const struct xfrm_type *type; + struct xfrm_mode inner_mode; + struct xfrm_mode inner_mode_iaf; + struct xfrm_mode outer_mode; + const struct xfrm_type_offload *type_offload; + struct xfrm_sec_ctx *security; + void *data; +}; + +enum txtime_flags { + SOF_TXTIME_DEADLINE_MODE = 1, + SOF_TXTIME_REPORT_ERRORS = 2, + SOF_TXTIME_FLAGS_LAST = 2, + SOF_TXTIME_FLAGS_MASK = 3, +}; + +struct sock_txtime { + __kernel_clockid_t clockid; + __u32 flags; +}; + +struct xfrm_policy_walk_entry { + struct list_head all; + u8 dead; +}; + +struct xfrm_policy_queue { + struct sk_buff_head hold_queue; + struct timer_list hold_timer; + long unsigned int timeout; +}; + +struct xfrm_tmpl { + struct xfrm_id id; + xfrm_address_t saddr; + short unsigned int encap_family; + u32 reqid; + u8 mode; + u8 share; + u8 optional; + u8 allalgs; + u32 aalgos; + u32 ealgos; + u32 calgos; +}; + +struct xfrm_policy { + possible_net_t xp_net; + struct hlist_node bydst; + struct hlist_node byidx; + rwlock_t lock; + refcount_t refcnt; + u32 pos; + struct timer_list timer; + atomic_t genid; + u32 priority; + u32 index; + u32 if_id; + struct xfrm_mark mark; + struct xfrm_selector selector; + struct xfrm_lifetime_cfg lft; + struct xfrm_lifetime_cur curlft; + struct xfrm_policy_walk_entry walk; + struct xfrm_policy_queue polq; + bool bydst_reinsert; + u8 type; + u8 action; + u8 flags; + u8 xfrm_nr; + u16 family; + struct xfrm_sec_ctx *security; + struct xfrm_tmpl xfrm_vec[6]; + struct hlist_node bydst_inexact_list; + struct callback_head rcu; +}; + +enum sk_pacing { + SK_PACING_NONE = 0, + SK_PACING_NEEDED = 1, + SK_PACING_FQ = 2, +}; + +struct sockcm_cookie { + u64 transmit_time; + u32 mark; + u16 tsflags; +}; + +struct fastopen_queue { + struct request_sock *rskq_rst_head; + struct request_sock *rskq_rst_tail; + spinlock_t lock; + int qlen; + int max_qlen; + struct tcp_fastopen_context *ctx; +}; + +struct request_sock_queue { + spinlock_t rskq_lock; + u8 rskq_defer_accept; + u32 synflood_warned; + atomic_t qlen; + atomic_t young; + struct request_sock *rskq_accept_head; + struct request_sock *rskq_accept_tail; + struct fastopen_queue fastopenq; +}; + +struct minmax_sample { + u32 t; + u32 v; +}; + +struct minmax { + struct minmax_sample s[3]; +}; + +struct inet_connection_sock_af_ops { + int (*queue_xmit)(struct sock *, struct sk_buff *, struct flowi *); + void (*send_check)(struct sock *, struct sk_buff *); + int (*rebuild_header)(struct sock *); + void (*sk_rx_dst_set)(struct sock *, const struct sk_buff *); + int (*conn_request)(struct sock *, struct sk_buff *); + struct sock * (*syn_recv_sock)(const struct sock *, struct sk_buff *, struct request_sock *, struct dst_entry *, struct request_sock *, bool *); + u16 net_header_len; + u16 net_frag_header_len; + u16 sockaddr_len; + int (*setsockopt)(struct sock *, int, int, char *, unsigned int); + int (*getsockopt)(struct sock *, int, int, char *, int *); + int (*compat_setsockopt)(struct sock *, int, int, char *, unsigned int); + int (*compat_getsockopt)(struct sock *, int, int, char *, int *); + void (*addr2sockaddr)(struct sock *, struct sockaddr *); + void (*mtu_reduced)(struct sock *); +}; + +struct inet_bind_bucket; + +struct tcp_ulp_ops; + +struct inet_connection_sock { + struct inet_sock icsk_inet; + struct request_sock_queue icsk_accept_queue; + struct inet_bind_bucket *icsk_bind_hash; + long unsigned int icsk_timeout; + struct timer_list icsk_retransmit_timer; + struct timer_list icsk_delack_timer; + __u32 icsk_rto; + __u32 icsk_pmtu_cookie; + const struct tcp_congestion_ops *icsk_ca_ops; + const struct inet_connection_sock_af_ops *icsk_af_ops; + const struct tcp_ulp_ops *icsk_ulp_ops; + void *icsk_ulp_data; + void (*icsk_clean_acked)(struct sock *, u32); + struct hlist_node icsk_listen_portaddr_node; + unsigned int (*icsk_sync_mss)(struct sock *, u32); + __u8 icsk_ca_state: 6; + __u8 icsk_ca_setsockopt: 1; + __u8 icsk_ca_dst_locked: 1; + __u8 icsk_retransmits; + __u8 icsk_pending; + __u8 icsk_backoff; + __u8 icsk_syn_retries; + __u8 icsk_probes_out; + __u16 icsk_ext_hdr_len; + struct { + __u8 pending; + __u8 quick; + __u8 pingpong; + __u8 blocked; + __u32 ato; + long unsigned int timeout; + __u32 lrcvtime; + __u16 last_seg_size; + __u16 rcv_mss; + } icsk_ack; + struct { + int enabled; + int search_high; + int search_low; + int probe_size; + u32 probe_timestamp; + } icsk_mtup; + u32 icsk_user_timeout; + u64 icsk_ca_priv[13]; +}; + +struct inet_bind_bucket { + possible_net_t ib_net; + int l3mdev; + short unsigned int port; + signed char fastreuse; + signed char fastreuseport; + kuid_t fastuid; + struct in6_addr fast_v6_rcv_saddr; + __be32 fast_rcv_saddr; + short unsigned int fast_sk_family; + bool fast_ipv6_only; + struct hlist_node node; + struct hlist_head owners; +}; + +struct tcp_ulp_ops { + struct list_head list; + int (*init)(struct sock *); + void (*update)(struct sock *, struct proto *, void (*)(struct sock *)); + void (*release)(struct sock *); + int (*get_info)(const struct sock *, struct sk_buff *); + size_t (*get_info_size)(const struct sock *); + char name[16]; + struct module *owner; +}; + +struct tcp_fastopen_cookie { + __le64 val[2]; + s8 len; + bool exp; +}; + +struct tcp_sack_block { + u32 start_seq; + u32 end_seq; +}; + +struct tcp_options_received { + int ts_recent_stamp; + u32 ts_recent; + u32 rcv_tsval; + u32 rcv_tsecr; + u16 saw_tstamp: 1; + u16 tstamp_ok: 1; + u16 dsack: 1; + u16 wscale_ok: 1; + u16 sack_ok: 3; + u16 smc_ok: 1; + u16 snd_wscale: 4; + u16 rcv_wscale: 4; + u8 num_sacks; + u16 user_mss; + u16 mss_clamp; +}; + +struct tcp_rack { + u64 mstamp; + u32 rtt_us; + u32 end_seq; + u32 last_delivered; + u8 reo_wnd_steps; + u8 reo_wnd_persist: 5; + u8 dsack_seen: 1; + u8 advanced: 1; +}; + +struct tcp_sock_af_ops; + +struct tcp_md5sig_info; + +struct tcp_fastopen_request; + +struct tcp_sock { + struct inet_connection_sock inet_conn; + u16 tcp_header_len; + u16 gso_segs; + __be32 pred_flags; + u64 bytes_received; + u32 segs_in; + u32 data_segs_in; + u32 rcv_nxt; + u32 copied_seq; + u32 rcv_wup; + u32 snd_nxt; + u32 segs_out; + u32 data_segs_out; + u64 bytes_sent; + u64 bytes_acked; + u32 dsack_dups; + u32 snd_una; + u32 snd_sml; + u32 rcv_tstamp; + u32 lsndtime; + u32 last_oow_ack_time; + u32 compressed_ack_rcv_nxt; + u32 tsoffset; + struct list_head tsq_node; + struct list_head tsorted_sent_queue; + u32 snd_wl1; + u32 snd_wnd; + u32 max_window; + u32 mss_cache; + u32 window_clamp; + u32 rcv_ssthresh; + struct tcp_rack rack; + u16 advmss; + u8 compressed_ack; + u32 chrono_start; + u32 chrono_stat[3]; + u8 chrono_type: 2; + u8 rate_app_limited: 1; + u8 fastopen_connect: 1; + u8 fastopen_no_cookie: 1; + u8 is_sack_reneg: 1; + u8 fastopen_client_fail: 2; + u8 nonagle: 4; + u8 thin_lto: 1; + u8 recvmsg_inq: 1; + u8 repair: 1; + u8 frto: 1; + u8 repair_queue; + u8 syn_data: 1; + u8 syn_fastopen: 1; + u8 syn_fastopen_exp: 1; + u8 syn_fastopen_ch: 1; + u8 syn_data_acked: 1; + u8 save_syn: 1; + u8 is_cwnd_limited: 1; + u8 syn_smc: 1; + u32 tlp_high_seq; + u32 tcp_tx_delay; + u64 tcp_wstamp_ns; + u64 tcp_clock_cache; + u64 tcp_mstamp; + u32 srtt_us; + u32 mdev_us; + u32 mdev_max_us; + u32 rttvar_us; + u32 rtt_seq; + struct minmax rtt_min; + u32 packets_out; + u32 retrans_out; + u32 max_packets_out; + u32 max_packets_seq; + u16 urg_data; + u8 ecn_flags; + u8 keepalive_probes; + u32 reordering; + u32 reord_seen; + u32 snd_up; + struct tcp_options_received rx_opt; + u32 snd_ssthresh; + u32 snd_cwnd; + u32 snd_cwnd_cnt; + u32 snd_cwnd_clamp; + u32 snd_cwnd_used; + u32 snd_cwnd_stamp; + u32 prior_cwnd; + u32 prr_delivered; + u32 prr_out; + u32 delivered; + u32 delivered_ce; + u32 lost; + u32 app_limited; + u64 first_tx_mstamp; + u64 delivered_mstamp; + u32 rate_delivered; + u32 rate_interval_us; + u32 rcv_wnd; + u32 write_seq; + u32 notsent_lowat; + u32 pushed_seq; + u32 lost_out; + u32 sacked_out; + struct hrtimer pacing_timer; + struct hrtimer compressed_ack_timer; + struct sk_buff *lost_skb_hint; + struct sk_buff *retransmit_skb_hint; + struct rb_root out_of_order_queue; + struct sk_buff *ooo_last_skb; + struct tcp_sack_block duplicate_sack[1]; + struct tcp_sack_block selective_acks[4]; + struct tcp_sack_block recv_sack_cache[4]; + struct sk_buff *highest_sack; + int lost_cnt_hint; + u32 prior_ssthresh; + u32 high_seq; + u32 retrans_stamp; + u32 undo_marker; + int undo_retrans; + u64 bytes_retrans; + u32 total_retrans; + u32 urg_seq; + unsigned int keepalive_time; + unsigned int keepalive_intvl; + int linger2; + u8 bpf_sock_ops_cb_flags; + u32 rcv_ooopack; + u32 rcv_rtt_last_tsecr; + struct { + u32 rtt_us; + u32 seq; + u64 time; + } rcv_rtt_est; + struct { + u32 space; + u32 seq; + u64 time; + } rcvq_space; + struct { + u32 probe_seq_start; + u32 probe_seq_end; + } mtu_probe; + u32 mtu_info; + const struct tcp_sock_af_ops *af_specific; + struct tcp_md5sig_info *md5sig_info; + struct tcp_fastopen_request *fastopen_req; + struct request_sock *fastopen_rsk; + u32 *saved_syn; +}; + +struct tcp_md5sig_key; + +struct tcp_sock_af_ops { + struct tcp_md5sig_key * (*md5_lookup)(const struct sock *, const struct sock *); + int (*calc_md5_hash)(char *, const struct tcp_md5sig_key *, const struct sock *, const struct sk_buff *); + int (*md5_parse)(struct sock *, int, char *, int); +}; + +struct tcp_md5sig_info { + struct hlist_head head; + struct callback_head rcu; +}; + +struct tcp_fastopen_request { + struct tcp_fastopen_cookie cookie; + struct msghdr *data; + size_t size; + int copied; + struct ubuf_info *uarg; +}; + +union tcp_md5_addr { + struct in_addr a4; + struct in6_addr a6; +}; + +struct tcp_md5sig_key { + struct hlist_node node; + u8 keylen; + u8 family; + union tcp_md5_addr addr; + u8 prefixlen; + u8 key[80]; + struct callback_head rcu; +}; + +struct fib6_config { + u32 fc_table; + u32 fc_metric; + int fc_dst_len; + int fc_src_len; + int fc_ifindex; + u32 fc_flags; + u32 fc_protocol; + u16 fc_type; + u16 fc_delete_all_nh: 1; + u16 fc_ignore_dev_down: 1; + u16 __unused: 14; + u32 fc_nh_id; + struct in6_addr fc_dst; + struct in6_addr fc_src; + struct in6_addr fc_prefsrc; + struct in6_addr fc_gateway; + long unsigned int fc_expires; + struct nlattr *fc_mx; + int fc_mx_len; + int fc_mp_len; + struct nlattr *fc_mp; + struct nl_info fc_nlinfo; + struct nlattr *fc_encap; + u16 fc_encap_type; +}; + +struct fib_nh_exception { + struct fib_nh_exception *fnhe_next; + int fnhe_genid; + __be32 fnhe_daddr; + u32 fnhe_pmtu; + bool fnhe_mtu_locked; + __be32 fnhe_gw; + long unsigned int fnhe_expires; + struct rtable *fnhe_rth_input; + struct rtable *fnhe_rth_output; + long unsigned int fnhe_stamp; + struct callback_head rcu; +}; + +struct rtable { + struct dst_entry dst; + int rt_genid; + unsigned int rt_flags; + __u16 rt_type; + __u8 rt_is_input; + __u8 rt_uses_gateway; + int rt_iif; + u8 rt_gw_family; + union { + __be32 rt_gw4; + struct in6_addr rt_gw6; + }; + u32 rt_mtu_locked: 1; + u32 rt_pmtu: 31; + struct list_head rt_uncached; + struct uncached_list *rt_uncached_list; +}; + +struct fnhe_hash_bucket { + struct fib_nh_exception *chain; +}; + +struct net_protocol { + int (*early_demux)(struct sk_buff *); + int (*early_demux_handler)(struct sk_buff *); + int (*handler)(struct sk_buff *); + int (*err_handler)(struct sk_buff *, u32); + unsigned int no_policy: 1; + unsigned int netns_ok: 1; + unsigned int icmp_strict_tag_validation: 1; +}; + +struct rt6_exception_bucket { + struct hlist_head chain; + int depth; +}; + +struct xfrm_replay { + void (*advance)(struct xfrm_state *, __be32); + int (*check)(struct xfrm_state *, struct sk_buff *, __be32); + int (*recheck)(struct xfrm_state *, struct sk_buff *, __be32); + void (*notify)(struct xfrm_state *, int); + int (*overflow)(struct xfrm_state *, struct sk_buff *); +}; + +struct xfrm_type { + char *description; + struct module *owner; + u8 proto; + u8 flags; + int (*init_state)(struct xfrm_state *); + void (*destructor)(struct xfrm_state *); + int (*input)(struct xfrm_state *, struct sk_buff *); + int (*output)(struct xfrm_state *, struct sk_buff *); + int (*reject)(struct xfrm_state *, struct sk_buff *, const struct flowi *); + int (*hdr_offset)(struct xfrm_state *, struct sk_buff *, u8 **); +}; + +struct xfrm_type_offload { + char *description; + struct module *owner; + u8 proto; + void (*encap)(struct xfrm_state *, struct sk_buff *); + int (*input_tail)(struct xfrm_state *, struct sk_buff *); + int (*xmit)(struct xfrm_state *, struct sk_buff *, netdev_features_t); +}; + +enum { + SK_MEMINFO_RMEM_ALLOC = 0, + SK_MEMINFO_RCVBUF = 1, + SK_MEMINFO_WMEM_ALLOC = 2, + SK_MEMINFO_SNDBUF = 3, + SK_MEMINFO_FWD_ALLOC = 4, + SK_MEMINFO_WMEM_QUEUED = 5, + SK_MEMINFO_OPTMEM = 6, + SK_MEMINFO_BACKLOG = 7, + SK_MEMINFO_DROPS = 8, + SK_MEMINFO_VARS = 9, +}; + +enum sknetlink_groups { + SKNLGRP_NONE = 0, + SKNLGRP_INET_TCP_DESTROY = 1, + SKNLGRP_INET_UDP_DESTROY = 2, + SKNLGRP_INET6_TCP_DESTROY = 3, + SKNLGRP_INET6_UDP_DESTROY = 4, + __SKNLGRP_MAX = 5, +}; + +struct inet_request_sock { + struct request_sock req; + u16 snd_wscale: 4; + u16 rcv_wscale: 4; + u16 tstamp_ok: 1; + u16 sack_ok: 1; + u16 wscale_ok: 1; + u16 ecn_ok: 1; + u16 acked: 1; + u16 no_srccheck: 1; + u16 smc_ok: 1; + u32 ir_mark; + union { + struct ip_options_rcu *ireq_opt; + struct { + struct ipv6_txoptions *ipv6_opt; + struct sk_buff *pktopts; + }; + }; +}; + +struct tcp_request_sock_ops; + +struct tcp_request_sock { + struct inet_request_sock req; + const struct tcp_request_sock_ops *af_specific; + u64 snt_synack; + bool tfo_listener; + u32 txhash; + u32 rcv_isn; + u32 snt_isn; + u32 ts_off; + u32 last_oow_ack_time; + u32 rcv_nxt; +}; + +enum tcp_synack_type { + TCP_SYNACK_NORMAL = 0, + TCP_SYNACK_FASTOPEN = 1, + TCP_SYNACK_COOKIE = 2, +}; + +struct tcp_request_sock_ops { + u16 mss_clamp; + struct tcp_md5sig_key * (*req_md5_lookup)(const struct sock *, const struct sock *); + int (*calc_md5_hash)(char *, const struct tcp_md5sig_key *, const struct sock *, const struct sk_buff *); + void (*init_req)(struct request_sock *, const struct sock *, struct sk_buff *); + __u32 (*cookie_init_seq)(const struct sk_buff *, __u16 *); + struct dst_entry * (*route_req)(const struct sock *, struct flowi *, const struct request_sock *); + u32 (*init_seq)(const struct sk_buff *); + u32 (*init_ts_off)(const struct net *, const struct sk_buff *); + int (*send_synack)(const struct sock *, struct dst_entry *, struct flowi *, struct request_sock *, struct tcp_fastopen_cookie *, enum tcp_synack_type); +}; + +struct ts_state { + unsigned int offset; + char cb[40]; +}; + +struct ts_config; + +struct ts_ops { + const char *name; + struct ts_config * (*init)(const void *, unsigned int, gfp_t, int); + unsigned int (*find)(struct ts_config *, struct ts_state *); + void (*destroy)(struct ts_config *); + void * (*get_pattern)(struct ts_config *); + unsigned int (*get_pattern_len)(struct ts_config *); + struct module *owner; + struct list_head list; +}; + +struct ts_config { + struct ts_ops *ops; + int flags; + unsigned int (*get_next_block)(unsigned int, const u8 **, struct ts_config *, struct ts_state *); + void (*finish)(struct ts_config *, struct ts_state *); +}; + +struct nf_conntrack { + atomic_t use; +}; + +enum { + SKB_FCLONE_UNAVAILABLE = 0, + SKB_FCLONE_ORIG = 1, + SKB_FCLONE_CLONE = 2, +}; + +struct sk_buff_fclones { + struct sk_buff skb1; + struct sk_buff skb2; + refcount_t fclone_ref; +}; + +struct skb_seq_state { + __u32 lower_offset; + __u32 upper_offset; + __u32 frag_idx; + __u32 stepped_offset; + struct sk_buff *root_skb; + struct sk_buff *cur_skb; + __u8 *frag_data; +}; + +struct skb_checksum_ops { + __wsum (*update)(const void *, int, __wsum); + __wsum (*combine)(__wsum, __wsum, int, int); +}; + +struct skb_gso_cb { + union { + int mac_offset; + int data_offset; + }; + int encap_level; + __wsum csum; + __u16 csum_start; +}; + +struct napi_gro_cb { + void *frag0; + unsigned int frag0_len; + int data_offset; + u16 flush; + u16 flush_id; + u16 count; + u16 gro_remcsum_start; + long unsigned int age; + u16 proto; + u8 same_flow: 1; + u8 encap_mark: 1; + u8 csum_valid: 1; + u8 csum_cnt: 3; + u8 free: 2; + u8 is_ipv6: 1; + u8 is_fou: 1; + u8 is_atomic: 1; + u8 recursion_counter: 4; + __wsum csum; + struct sk_buff *last; +}; + +struct ip_auth_hdr { + __u8 nexthdr; + __u8 hdrlen; + __be16 reserved; + __be32 spi; + __be32 seq_no; + __u8 auth_data[0]; +}; + +struct frag_hdr { + __u8 nexthdr; + __u8 reserved; + __be16 frag_off; + __be32 identification; +}; + +enum { + SCM_TSTAMP_SND = 0, + SCM_TSTAMP_SCHED = 1, + SCM_TSTAMP_ACK = 2, +}; + +struct xfrm_offload { + struct { + __u32 low; + __u32 hi; + } seq; + __u32 flags; + __u32 status; + __u8 proto; +}; + +struct sec_path { + int len; + int olen; + struct xfrm_state *xvec[6]; + struct xfrm_offload ovec[1]; +}; + +struct mpls_shim_hdr { + __be32 label_stack_entry; +}; + +struct napi_alloc_cache { + struct page_frag_cache page; + unsigned int skb_count; + void *skb_cache[64]; +}; + +struct scm_cookie { + struct pid *pid; + struct scm_fp_list *fp; + struct scm_creds creds; + u32 secid; +}; + +struct scm_timestamping { + struct __kernel_old_timespec ts[3]; +}; + +struct scm_timestamping64 { + struct __kernel_timespec ts[3]; +}; + +enum { + TCA_STATS_UNSPEC = 0, + TCA_STATS_BASIC = 1, + TCA_STATS_RATE_EST = 2, + TCA_STATS_QUEUE = 3, + TCA_STATS_APP = 4, + TCA_STATS_RATE_EST64 = 5, + TCA_STATS_PAD = 6, + TCA_STATS_BASIC_HW = 7, + TCA_STATS_PKT64 = 8, + __TCA_STATS_MAX = 9, +}; + +struct gnet_stats_basic { + __u64 bytes; + __u32 packets; +}; + +struct gnet_stats_rate_est { + __u32 bps; + __u32 pps; +}; + +struct gnet_stats_rate_est64 { + __u64 bps; + __u64 pps; +}; + +struct gnet_estimator { + signed char interval; + unsigned char ewma_log; +}; + +struct net_rate_estimator { + struct gnet_stats_basic_packed *bstats; + spinlock_t *stats_lock; + seqcount_t *running; + struct gnet_stats_basic_cpu *cpu_bstats; + u8 ewma_log; + u8 intvl_log; + seqcount_t seq; + u64 last_packets; + u64 last_bytes; + u64 avpps; + u64 avbps; + long unsigned int next_jiffies; + struct timer_list timer; + struct callback_head rcu; +}; + +struct rtgenmsg { + unsigned char rtgen_family; +}; + +enum rtnetlink_groups { + RTNLGRP_NONE = 0, + RTNLGRP_LINK = 1, + RTNLGRP_NOTIFY = 2, + RTNLGRP_NEIGH = 3, + RTNLGRP_TC = 4, + RTNLGRP_IPV4_IFADDR = 5, + RTNLGRP_IPV4_MROUTE = 6, + RTNLGRP_IPV4_ROUTE = 7, + RTNLGRP_IPV4_RULE = 8, + RTNLGRP_IPV6_IFADDR = 9, + RTNLGRP_IPV6_MROUTE = 10, + RTNLGRP_IPV6_ROUTE = 11, + RTNLGRP_IPV6_IFINFO = 12, + RTNLGRP_DECnet_IFADDR = 13, + RTNLGRP_NOP2 = 14, + RTNLGRP_DECnet_ROUTE = 15, + RTNLGRP_DECnet_RULE = 16, + RTNLGRP_NOP4 = 17, + RTNLGRP_IPV6_PREFIX = 18, + RTNLGRP_IPV6_RULE = 19, + RTNLGRP_ND_USEROPT = 20, + RTNLGRP_PHONET_IFADDR = 21, + RTNLGRP_PHONET_ROUTE = 22, + RTNLGRP_DCB = 23, + RTNLGRP_IPV4_NETCONF = 24, + RTNLGRP_IPV6_NETCONF = 25, + RTNLGRP_MDB = 26, + RTNLGRP_MPLS_ROUTE = 27, + RTNLGRP_NSID = 28, + RTNLGRP_MPLS_NETCONF = 29, + RTNLGRP_IPV4_MROUTE_R = 30, + RTNLGRP_IPV6_MROUTE_R = 31, + RTNLGRP_NEXTHOP = 32, + __RTNLGRP_MAX = 33, +}; + +enum { + NETNSA_NONE = 0, + NETNSA_NSID = 1, + NETNSA_PID = 2, + NETNSA_FD = 3, + NETNSA_TARGET_NSID = 4, + NETNSA_CURRENT_NSID = 5, + __NETNSA_MAX = 6, +}; + +typedef int (*rtnl_doit_func)(struct sk_buff *, struct nlmsghdr *, struct netlink_ext_ack *); + +typedef int (*rtnl_dumpit_func)(struct sk_buff *, struct netlink_callback *); + +enum rtnl_link_flags { + RTNL_FLAG_DOIT_UNLOCKED = 1, +}; + +struct net_fill_args { + u32 portid; + u32 seq; + int flags; + int cmd; + int nsid; + bool add_ref; + int ref_nsid; +}; + +struct rtnl_net_dump_cb { + struct net *tgt_net; + struct net *ref_net; + struct sk_buff *skb; + struct net_fill_args fillargs; + int idx; + int s_idx; +}; + +typedef u16 u_int16_t; + +struct flow_dissector_key_control { + u16 thoff; + u16 addr_type; + u32 flags; +}; + +enum flow_dissect_ret { + FLOW_DISSECT_RET_OUT_GOOD = 0, + FLOW_DISSECT_RET_OUT_BAD = 1, + FLOW_DISSECT_RET_PROTO_AGAIN = 2, + FLOW_DISSECT_RET_IPPROTO_AGAIN = 3, + FLOW_DISSECT_RET_CONTINUE = 4, +}; + +struct flow_dissector_key_basic { + __be16 n_proto; + u8 ip_proto; + u8 padding; +}; + +struct flow_dissector_key_tags { + u32 flow_label; +}; + +struct flow_dissector_key_vlan { + union { + struct { + u16 vlan_id: 12; + u16 vlan_dei: 1; + u16 vlan_priority: 3; + }; + __be16 vlan_tci; + }; + __be16 vlan_tpid; +}; + +struct flow_dissector_key_mpls { + u32 mpls_ttl: 8; + u32 mpls_bos: 1; + u32 mpls_tc: 3; + u32 mpls_label: 20; +}; + +struct flow_dissector_key_enc_opts { + u8 data[255]; + u8 len; + __be16 dst_opt_type; +}; + +struct flow_dissector_key_keyid { + __be32 keyid; +}; + +struct flow_dissector_key_ipv4_addrs { + __be32 src; + __be32 dst; +}; + +struct flow_dissector_key_ipv6_addrs { + struct in6_addr src; + struct in6_addr dst; +}; + +struct flow_dissector_key_tipc { + __be32 key; +}; + +struct flow_dissector_key_addrs { + union { + struct flow_dissector_key_ipv4_addrs v4addrs; + struct flow_dissector_key_ipv6_addrs v6addrs; + struct flow_dissector_key_tipc tipckey; + }; +}; + +struct flow_dissector_key_arp { + __u32 sip; + __u32 tip; + __u8 op; + unsigned char sha[6]; + unsigned char tha[6]; +}; + +struct flow_dissector_key_ports { + union { + __be32 ports; + struct { + __be16 src; + __be16 dst; + }; + }; +}; + +struct flow_dissector_key_icmp { + struct { + u8 type; + u8 code; + }; + u16 id; +}; + +struct flow_dissector_key_eth_addrs { + unsigned char dst[6]; + unsigned char src[6]; +}; + +struct flow_dissector_key_tcp { + __be16 flags; +}; + +struct flow_dissector_key_ip { + __u8 tos; + __u8 ttl; +}; + +struct flow_dissector_key_meta { + int ingress_ifindex; + u16 ingress_iftype; +}; + +struct flow_dissector_key_ct { + u16 ct_state; + u16 ct_zone; + u32 ct_mark; + u32 ct_labels[4]; +}; + +struct flow_dissector_key { + enum flow_dissector_key_id key_id; + size_t offset; +}; + +struct flow_keys_basic { + struct flow_dissector_key_control control; + struct flow_dissector_key_basic basic; +}; + +struct flow_keys { + struct flow_dissector_key_control control; + struct flow_dissector_key_basic basic; + struct flow_dissector_key_tags tags; + struct flow_dissector_key_vlan vlan; + struct flow_dissector_key_vlan cvlan; + struct flow_dissector_key_keyid keyid; + struct flow_dissector_key_ports ports; + struct flow_dissector_key_icmp icmp; + struct flow_dissector_key_addrs addrs; + int: 32; +}; + +struct flow_keys_digest { + u8 data[16]; +}; + +struct bpf_flow_keys; + +struct bpf_flow_dissector { + struct bpf_flow_keys *flow_keys; + const struct sk_buff *skb; + void *data; + void *data_end; +}; + +struct bpf_flow_keys { + __u16 nhoff; + __u16 thoff; + __u16 addr_proto; + __u8 is_frag; + __u8 is_first_frag; + __u8 is_encap; + __u8 ip_proto; + __be16 n_proto; + __be16 sport; + __be16 dport; + union { + struct { + __be32 ipv4_src; + __be32 ipv4_dst; + }; + struct { + __u32 ipv6_src[4]; + __u32 ipv6_dst[4]; + }; + }; + __u32 flags; + __be32 flow_label; +}; + +enum ip_conntrack_info { + IP_CT_ESTABLISHED = 0, + IP_CT_RELATED = 1, + IP_CT_NEW = 2, + IP_CT_IS_REPLY = 3, + IP_CT_ESTABLISHED_REPLY = 3, + IP_CT_RELATED_REPLY = 4, + IP_CT_NUMBER = 5, + IP_CT_UNTRACKED = 7, +}; + +struct xt_table_info; + +struct xt_table { + struct list_head list; + unsigned int valid_hooks; + struct xt_table_info *private; + struct module *me; + u_int8_t af; + int priority; + int (*table_init)(struct net *); + char name[32]; +}; + +union nf_inet_addr { + __u32 all[4]; + __be32 ip; + __be32 ip6[4]; + struct in_addr in; + struct in6_addr in6; +}; + +struct ip_ct_tcp_state { + u_int32_t td_end; + u_int32_t td_maxend; + u_int32_t td_maxwin; + u_int32_t td_maxack; + u_int8_t td_scale; + u_int8_t flags; +}; + +struct ip_ct_tcp { + struct ip_ct_tcp_state seen[2]; + u_int8_t state; + u_int8_t last_dir; + u_int8_t retrans; + u_int8_t last_index; + u_int32_t last_seq; + u_int32_t last_ack; + u_int32_t last_end; + u_int16_t last_win; + u_int8_t last_wscale; + u_int8_t last_flags; +}; + +enum bpf_ret_code { + BPF_OK = 0, + BPF_DROP = 2, + BPF_REDIRECT = 7, + BPF_LWT_REROUTE = 128, +}; + +enum devlink_port_type { + DEVLINK_PORT_TYPE_NOTSET = 0, + DEVLINK_PORT_TYPE_AUTO = 1, + DEVLINK_PORT_TYPE_ETH = 2, + DEVLINK_PORT_TYPE_IB = 3, +}; + +enum devlink_port_flavour { + DEVLINK_PORT_FLAVOUR_PHYSICAL = 0, + DEVLINK_PORT_FLAVOUR_CPU = 1, + DEVLINK_PORT_FLAVOUR_DSA = 2, + DEVLINK_PORT_FLAVOUR_PCI_PF = 3, + DEVLINK_PORT_FLAVOUR_PCI_VF = 4, +}; + +struct devlink_port_phys_attrs { + u32 port_number; + u32 split_subport_number; +}; + +struct devlink_port_pci_pf_attrs { + u16 pf; +}; + +struct devlink_port_pci_vf_attrs { + u16 pf; + u16 vf; +}; + +struct devlink_port_attrs { + u8 set: 1; + u8 split: 1; + u8 switch_port: 1; + enum devlink_port_flavour flavour; + struct netdev_phys_item_id switch_id; + union { + struct devlink_port_phys_attrs phys; + struct devlink_port_pci_pf_attrs pci_pf; + struct devlink_port_pci_vf_attrs pci_vf; + }; +}; + +struct devlink; + +struct devlink_port { + struct list_head list; + struct list_head param_list; + struct devlink *devlink; + unsigned int index; + bool registered; + spinlock_t type_lock; + enum devlink_port_type type; + enum devlink_port_type desired_type; + void *type_dev; + struct devlink_port_attrs attrs; + struct delayed_work type_warn_dw; +}; + +struct ip_tunnel_key { + __be64 tun_id; + union { + struct { + __be32 src; + __be32 dst; + } ipv4; + struct { + struct in6_addr src; + struct in6_addr dst; + } ipv6; + } u; + __be16 tun_flags; + u8 tos; + u8 ttl; + __be32 label; + __be16 tp_src; + __be16 tp_dst; +}; + +struct dst_cache_pcpu; + +struct dst_cache { + struct dst_cache_pcpu *cache; + long unsigned int reset_ts; +}; + +struct ip_tunnel_info { + struct ip_tunnel_key key; + struct dst_cache dst_cache; + u8 options_len; + u8 mode; +}; + +struct lwtunnel_state { + __u16 type; + __u16 flags; + __u16 headroom; + atomic_t refcnt; + int (*orig_output)(struct net *, struct sock *, struct sk_buff *); + int (*orig_input)(struct sk_buff *); + struct callback_head rcu; + __u8 data[0]; +}; + +union tcp_word_hdr { + struct tcphdr hdr; + __be32 words[5]; +}; + +enum devlink_sb_pool_type { + DEVLINK_SB_POOL_TYPE_INGRESS = 0, + DEVLINK_SB_POOL_TYPE_EGRESS = 1, +}; + +enum devlink_sb_threshold_type { + DEVLINK_SB_THRESHOLD_TYPE_STATIC = 0, + DEVLINK_SB_THRESHOLD_TYPE_DYNAMIC = 1, +}; + +enum devlink_eswitch_encap_mode { + DEVLINK_ESWITCH_ENCAP_MODE_NONE = 0, + DEVLINK_ESWITCH_ENCAP_MODE_BASIC = 1, +}; + +enum devlink_trap_action { + DEVLINK_TRAP_ACTION_DROP = 0, + DEVLINK_TRAP_ACTION_TRAP = 1, +}; + +enum devlink_trap_type { + DEVLINK_TRAP_TYPE_DROP = 0, + DEVLINK_TRAP_TYPE_EXCEPTION = 1, +}; + +enum devlink_dpipe_field_mapping_type { + DEVLINK_DPIPE_FIELD_MAPPING_TYPE_NONE = 0, + DEVLINK_DPIPE_FIELD_MAPPING_TYPE_IFINDEX = 1, +}; + +struct devlink_dpipe_headers; + +struct devlink_ops; + +struct devlink { + struct list_head list; + struct list_head port_list; + struct list_head sb_list; + struct list_head dpipe_table_list; + struct list_head resource_list; + struct list_head param_list; + struct list_head region_list; + u32 snapshot_id; + struct list_head reporter_list; + struct mutex reporters_lock; + struct devlink_dpipe_headers *dpipe_headers; + struct list_head trap_list; + struct list_head trap_group_list; + const struct devlink_ops *ops; + struct device *dev; + possible_net_t _net; + struct mutex lock; + u8 reload_failed: 1; + u8 reload_enabled: 1; + u8 registered: 1; + long: 61; + long: 64; + long: 64; + char priv[0]; +}; + +struct devlink_dpipe_header; + +struct devlink_dpipe_headers { + struct devlink_dpipe_header **headers; + unsigned int headers_count; +}; + +struct devlink_info_req; + +struct devlink_sb_pool_info; + +struct devlink_trap; + +struct devlink_trap_group; + +struct devlink_ops { + int (*reload_down)(struct devlink *, bool, struct netlink_ext_ack *); + int (*reload_up)(struct devlink *, struct netlink_ext_ack *); + int (*port_type_set)(struct devlink_port *, enum devlink_port_type); + int (*port_split)(struct devlink *, unsigned int, unsigned int, struct netlink_ext_ack *); + int (*port_unsplit)(struct devlink *, unsigned int, struct netlink_ext_ack *); + int (*sb_pool_get)(struct devlink *, unsigned int, u16, struct devlink_sb_pool_info *); + int (*sb_pool_set)(struct devlink *, unsigned int, u16, u32, enum devlink_sb_threshold_type, struct netlink_ext_ack *); + int (*sb_port_pool_get)(struct devlink_port *, unsigned int, u16, u32 *); + int (*sb_port_pool_set)(struct devlink_port *, unsigned int, u16, u32, struct netlink_ext_ack *); + int (*sb_tc_pool_bind_get)(struct devlink_port *, unsigned int, u16, enum devlink_sb_pool_type, u16 *, u32 *); + int (*sb_tc_pool_bind_set)(struct devlink_port *, unsigned int, u16, enum devlink_sb_pool_type, u16, u32, struct netlink_ext_ack *); + int (*sb_occ_snapshot)(struct devlink *, unsigned int); + int (*sb_occ_max_clear)(struct devlink *, unsigned int); + int (*sb_occ_port_pool_get)(struct devlink_port *, unsigned int, u16, u32 *, u32 *); + int (*sb_occ_tc_port_bind_get)(struct devlink_port *, unsigned int, u16, enum devlink_sb_pool_type, u32 *, u32 *); + int (*eswitch_mode_get)(struct devlink *, u16 *); + int (*eswitch_mode_set)(struct devlink *, u16, struct netlink_ext_ack *); + int (*eswitch_inline_mode_get)(struct devlink *, u8 *); + int (*eswitch_inline_mode_set)(struct devlink *, u8, struct netlink_ext_ack *); + int (*eswitch_encap_mode_get)(struct devlink *, enum devlink_eswitch_encap_mode *); + int (*eswitch_encap_mode_set)(struct devlink *, enum devlink_eswitch_encap_mode, struct netlink_ext_ack *); + int (*info_get)(struct devlink *, struct devlink_info_req *, struct netlink_ext_ack *); + int (*flash_update)(struct devlink *, const char *, const char *, struct netlink_ext_ack *); + int (*trap_init)(struct devlink *, const struct devlink_trap *, void *); + void (*trap_fini)(struct devlink *, const struct devlink_trap *, void *); + int (*trap_action_set)(struct devlink *, const struct devlink_trap *, enum devlink_trap_action); + int (*trap_group_init)(struct devlink *, const struct devlink_trap_group *); +}; + +struct devlink_sb_pool_info { + enum devlink_sb_pool_type pool_type; + u32 size; + enum devlink_sb_threshold_type threshold_type; + u32 cell_size; +}; + +struct devlink_dpipe_field { + const char *name; + unsigned int id; + unsigned int bitwidth; + enum devlink_dpipe_field_mapping_type mapping_type; +}; + +struct devlink_dpipe_header { + const char *name; + unsigned int id; + struct devlink_dpipe_field *fields; + unsigned int fields_count; + bool global; +}; + +struct devlink_trap_group { + const char *name; + u16 id; + bool generic; +}; + +struct devlink_trap { + enum devlink_trap_type type; + enum devlink_trap_action init_action; + bool generic; + u16 id; + const char *name; + struct devlink_trap_group group; + u32 metadata_cap; +}; + +struct arphdr { + __be16 ar_hrd; + __be16 ar_pro; + unsigned char ar_hln; + unsigned char ar_pln; + __be16 ar_op; +}; + +struct fib_info; + +struct fib_nh { + struct fib_nh_common nh_common; + struct hlist_node nh_hash; + struct fib_info *nh_parent; + __be32 nh_saddr; + int nh_saddr_genid; +}; + +struct fib_info { + struct hlist_node fib_hash; + struct hlist_node fib_lhash; + struct list_head nh_list; + struct net *fib_net; + int fib_treeref; + refcount_t fib_clntref; + unsigned int fib_flags; + unsigned char fib_dead; + unsigned char fib_protocol; + unsigned char fib_scope; + unsigned char fib_type; + __be32 fib_prefsrc; + u32 fib_tb_id; + u32 fib_priority; + struct dst_metrics *fib_metrics; + int fib_nhs; + bool fib_nh_is_v6; + bool nh_updated; + struct nexthop *nh; + struct callback_head rcu; + struct fib_nh fib_nh[0]; +}; + +struct nh_info; + +struct nh_group; + +struct nexthop { + struct rb_node rb_node; + struct list_head fi_list; + struct list_head f6i_list; + struct list_head grp_list; + struct net *net; + u32 id; + u8 protocol; + u8 nh_flags; + bool is_group; + refcount_t refcnt; + struct callback_head rcu; + union { + struct nh_info *nh_info; + struct nh_group *nh_grp; + }; +}; + +struct nh_info { + struct hlist_node dev_hash; + struct nexthop *nh_parent; + u8 family; + bool reject_nh; + union { + struct fib_nh_common fib_nhc; + struct fib_nh fib_nh; + struct fib6_nh fib6_nh; + }; +}; + +struct nh_grp_entry { + struct nexthop *nh; + u8 weight; + atomic_t upper_bound; + struct list_head nh_list; + struct nexthop *nh_parent; +}; + +struct nh_group { + u16 num_nh; + bool mpath; + bool has_v4; + struct nh_grp_entry nh_entries[0]; +}; + +struct ip_tunnel_encap { + u16 type; + u16 flags; + __be16 sport; + __be16 dport; +}; + +struct ip_tunnel_encap_ops { + size_t (*encap_hlen)(struct ip_tunnel_encap *); + int (*build_header)(struct sk_buff *, struct ip_tunnel_encap *, u8 *, struct flowi4 *); + int (*err_handler)(struct sk_buff *, u32); +}; + +enum metadata_type { + METADATA_IP_TUNNEL = 0, + METADATA_HW_PORT_MUX = 1, +}; + +struct hw_port_info { + struct net_device *lower_dev; + u32 port_id; +}; + +struct metadata_dst { + struct dst_entry dst; + enum metadata_type type; + union { + struct ip_tunnel_info tun_info; + struct hw_port_info port_info; + } u; +}; + +struct gre_base_hdr { + __be16 flags; + __be16 protocol; +}; + +struct gre_full_hdr { + struct gre_base_hdr fixed_header; + __be16 csum; + __be16 reserved1; + __be32 key; + __be32 seq; +}; + +struct pptp_gre_header { + struct gre_base_hdr gre_hd; + __be16 payload_len; + __be16 call_id; + __be32 seq; + __be32 ack; +}; + +struct tipc_basic_hdr { + __be32 w[4]; +}; + +struct icmphdr { + __u8 type; + __u8 code; + __sum16 checksum; + union { + struct { + __be16 id; + __be16 sequence; + } echo; + __be32 gateway; + struct { + __be16 __unused; + __be16 mtu; + } frag; + __u8 reserved[4]; + } un; +}; + +enum l2tp_debug_flags { + L2TP_MSG_DEBUG = 1, + L2TP_MSG_CONTROL = 2, + L2TP_MSG_SEQ = 4, + L2TP_MSG_DATA = 8, +}; + +struct pppoe_tag { + __be16 tag_type; + __be16 tag_len; + char tag_data[0]; +}; + +struct pppoe_hdr { + __u8 type: 4; + __u8 ver: 4; + __u8 code; + __be16 sid; + __be16 length; + struct pppoe_tag tag[0]; +}; + +struct mpls_label { + __be32 entry; +}; + +enum batadv_packettype { + BATADV_IV_OGM = 0, + BATADV_BCAST = 1, + BATADV_CODED = 2, + BATADV_ELP = 3, + BATADV_OGM2 = 4, + BATADV_UNICAST = 64, + BATADV_UNICAST_FRAG = 65, + BATADV_UNICAST_4ADDR = 66, + BATADV_ICMP = 67, + BATADV_UNICAST_TVLV = 68, +}; + +struct batadv_unicast_packet { + __u8 packet_type; + __u8 version; + __u8 ttl; + __u8 ttvn; + __u8 dest[6]; +}; + +union nf_conntrack_man_proto { + __be16 all; + struct { + __be16 port; + } tcp; + struct { + __be16 port; + } udp; + struct { + __be16 id; + } icmp; + struct { + __be16 port; + } dccp; + struct { + __be16 port; + } sctp; + struct { + __be16 key; + } gre; +}; + +struct nf_conntrack_man { + union nf_inet_addr u3; + union nf_conntrack_man_proto u; + u_int16_t l3num; +}; + +struct nf_conntrack_tuple { + struct nf_conntrack_man src; + struct { + union nf_inet_addr u3; + union { + __be16 all; + struct { + __be16 port; + } tcp; + struct { + __be16 port; + } udp; + struct { + u_int8_t type; + u_int8_t code; + } icmp; + struct { + __be16 port; + } dccp; + struct { + __be16 port; + } sctp; + struct { + __be16 key; + } gre; + } u; + u_int8_t protonum; + u_int8_t dir; + } dst; +}; + +struct nf_conntrack_tuple_hash { + struct hlist_nulls_node hnnode; + struct nf_conntrack_tuple tuple; +}; + +struct nf_ct_dccp { + u_int8_t role[2]; + u_int8_t state; + u_int8_t last_pkt; + u_int8_t last_dir; + u_int64_t handshake_seq; +}; + +enum sctp_conntrack { + SCTP_CONNTRACK_NONE = 0, + SCTP_CONNTRACK_CLOSED = 1, + SCTP_CONNTRACK_COOKIE_WAIT = 2, + SCTP_CONNTRACK_COOKIE_ECHOED = 3, + SCTP_CONNTRACK_ESTABLISHED = 4, + SCTP_CONNTRACK_SHUTDOWN_SENT = 5, + SCTP_CONNTRACK_SHUTDOWN_RECD = 6, + SCTP_CONNTRACK_SHUTDOWN_ACK_SENT = 7, + SCTP_CONNTRACK_HEARTBEAT_SENT = 8, + SCTP_CONNTRACK_HEARTBEAT_ACKED = 9, + SCTP_CONNTRACK_MAX = 10, +}; + +struct ip_ct_sctp { + enum sctp_conntrack state; + __be32 vtag[2]; +}; + +struct nf_ct_udp { + long unsigned int stream_ts; +}; + +struct nf_ct_gre { + unsigned int stream_timeout; + unsigned int timeout; +}; + +union nf_conntrack_proto { + struct nf_ct_dccp dccp; + struct ip_ct_sctp sctp; + struct ip_ct_tcp tcp; + struct nf_ct_udp udp; + struct nf_ct_gre gre; + unsigned int tmpl_padto; +}; + +struct nf_ct_ext; + +struct nf_conn { + struct nf_conntrack ct_general; + spinlock_t lock; + u32 timeout; + struct nf_conntrack_tuple_hash tuplehash[2]; + long unsigned int status; + u16 cpu; + possible_net_t ct_net; + struct hlist_node nat_bysource; + u8 __nfct_init_offset[0]; + struct nf_conn *master; + u_int32_t secmark; + struct nf_ct_ext *ext; + union nf_conntrack_proto proto; +}; + +struct nf_conntrack_zone { + u16 id; + u8 flags; + u8 dir; +}; + +struct xt_table_info { + unsigned int size; + unsigned int number; + unsigned int initial_entries; + unsigned int hook_entry[5]; + unsigned int underflow[5]; + unsigned int stacksize; + void ***jumpstack; + unsigned char entries[0]; +}; + +struct nf_ct_ext { + u8 offset[4]; + u8 len; + char data[0]; +}; + +enum nf_ct_ext_id { + NF_CT_EXT_HELPER = 0, + NF_CT_EXT_NAT = 1, + NF_CT_EXT_SEQADJ = 2, + NF_CT_EXT_ACCT = 3, + NF_CT_EXT_NUM = 4, +}; + +struct nf_conn_labels { + long unsigned int bits[2]; +}; + +struct _flow_keys_digest_data { + __be16 n_proto; + u8 ip_proto; + u8 padding; + __be32 ports; + __be32 src; + __be32 dst; +}; + +enum { + IF_OPER_UNKNOWN = 0, + IF_OPER_NOTPRESENT = 1, + IF_OPER_DOWN = 2, + IF_OPER_LOWERLAYERDOWN = 3, + IF_OPER_TESTING = 4, + IF_OPER_DORMANT = 5, + IF_OPER_UP = 6, +}; + +enum nf_dev_hooks { + NF_NETDEV_INGRESS = 0, + NF_NETDEV_NUMHOOKS = 1, +}; + +struct xdp_buff { + void *data; + void *data_end; + void *data_meta; + void *data_hard_start; + long unsigned int handle; + struct xdp_rxq_info *rxq; +}; + +struct ifbond { + __s32 bond_mode; + __s32 num_slaves; + __s32 miimon; +}; + +typedef struct ifbond ifbond; + +struct ifslave { + __s32 slave_id; + char slave_name[16]; + __s8 link; + __s8 state; + __u32 link_failure_count; +}; + +typedef struct ifslave ifslave; + +struct netdev_boot_setup { + char name[16]; + struct ifmap map; +}; + +enum { + NAPIF_STATE_SCHED = 1, + NAPIF_STATE_MISSED = 2, + NAPIF_STATE_DISABLE = 4, + NAPIF_STATE_NPSVC = 8, + NAPIF_STATE_HASHED = 16, + NAPIF_STATE_NO_BUSY_POLL = 32, + NAPIF_STATE_IN_BUSY_POLL = 64, +}; + +struct udp_tunnel_info { + short unsigned int type; + sa_family_t sa_family; + __be16 port; +}; + +struct packet_type { + __be16 type; + bool ignore_outgoing; + struct net_device *dev; + int (*func)(struct sk_buff *, struct net_device *, struct packet_type *, struct net_device *); + void (*list_func)(struct list_head *, struct packet_type *, struct net_device *); + bool (*id_match)(struct packet_type *, struct sock *); + void *af_packet_priv; + struct list_head list; +}; + +struct offload_callbacks { + struct sk_buff * (*gso_segment)(struct sk_buff *, netdev_features_t); + struct sk_buff * (*gro_receive)(struct list_head *, struct sk_buff *); + int (*gro_complete)(struct sk_buff *, int); +}; + +struct packet_offload { + __be16 type; + u16 priority; + struct offload_callbacks callbacks; + struct list_head list; +}; + +struct netdev_notifier_info_ext { + struct netdev_notifier_info info; + union { + u32 mtu; + } ext; +}; + +struct netdev_notifier_change_info { + struct netdev_notifier_info info; + unsigned int flags_changed; +}; + +struct netdev_notifier_changeupper_info { + struct netdev_notifier_info info; + struct net_device *upper_dev; + bool master; + bool linking; + void *upper_info; +}; + +struct netdev_notifier_changelowerstate_info { + struct netdev_notifier_info info; + void *lower_state_info; +}; + +struct netdev_notifier_pre_changeaddr_info { + struct netdev_notifier_info info; + const unsigned char *dev_addr; +}; + +typedef int (*bpf_op_t)(struct net_device *, struct netdev_bpf *); + +struct netdev_bonding_info { + ifslave slave; + ifbond master; +}; + +struct netdev_notifier_bonding_info { + struct netdev_notifier_info info; + struct netdev_bonding_info bonding_info; +}; + +enum qdisc_state_t { + __QDISC_STATE_SCHED = 0, + __QDISC_STATE_DEACTIVATED = 1, +}; + +struct tcf_walker { + int stop; + int skip; + int count; + bool nonempty; + long unsigned int cookie; + int (*fn)(struct tcf_proto *, void *, struct tcf_walker *); +}; + +struct qdisc_skb_cb { + struct { + unsigned int pkt_len; + u16 slave_dev_queue_mapping; + u16 tc_classid; + }; + unsigned char data[20]; +}; + +struct udp_hslot; + +struct udp_table { + struct udp_hslot *hash; + struct udp_hslot *hash2; + unsigned int mask; + unsigned int log; +}; + +enum { + IPV4_DEVCONF_FORWARDING = 1, + IPV4_DEVCONF_MC_FORWARDING = 2, + IPV4_DEVCONF_PROXY_ARP = 3, + IPV4_DEVCONF_ACCEPT_REDIRECTS = 4, + IPV4_DEVCONF_SECURE_REDIRECTS = 5, + IPV4_DEVCONF_SEND_REDIRECTS = 6, + IPV4_DEVCONF_SHARED_MEDIA = 7, + IPV4_DEVCONF_RP_FILTER = 8, + IPV4_DEVCONF_ACCEPT_SOURCE_ROUTE = 9, + IPV4_DEVCONF_BOOTP_RELAY = 10, + IPV4_DEVCONF_LOG_MARTIANS = 11, + IPV4_DEVCONF_TAG = 12, + IPV4_DEVCONF_ARPFILTER = 13, + IPV4_DEVCONF_MEDIUM_ID = 14, + IPV4_DEVCONF_NOXFRM = 15, + IPV4_DEVCONF_NOPOLICY = 16, + IPV4_DEVCONF_FORCE_IGMP_VERSION = 17, + IPV4_DEVCONF_ARP_ANNOUNCE = 18, + IPV4_DEVCONF_ARP_IGNORE = 19, + IPV4_DEVCONF_PROMOTE_SECONDARIES = 20, + IPV4_DEVCONF_ARP_ACCEPT = 21, + IPV4_DEVCONF_ARP_NOTIFY = 22, + IPV4_DEVCONF_ACCEPT_LOCAL = 23, + IPV4_DEVCONF_SRC_VMARK = 24, + IPV4_DEVCONF_PROXY_ARP_PVLAN = 25, + IPV4_DEVCONF_ROUTE_LOCALNET = 26, + IPV4_DEVCONF_IGMPV2_UNSOLICITED_REPORT_INTERVAL = 27, + IPV4_DEVCONF_IGMPV3_UNSOLICITED_REPORT_INTERVAL = 28, + IPV4_DEVCONF_IGNORE_ROUTES_WITH_LINKDOWN = 29, + IPV4_DEVCONF_DROP_UNICAST_IN_L2_MULTICAST = 30, + IPV4_DEVCONF_DROP_GRATUITOUS_ARP = 31, + IPV4_DEVCONF_BC_FORWARDING = 32, + __IPV4_DEVCONF_MAX = 33, +}; + +struct udp_hslot { + struct hlist_head head; + int count; + spinlock_t lock; +}; + +struct dev_kfree_skb_cb { + enum skb_free_reason reason; +}; + +struct netdev_adjacent { + struct net_device *dev; + bool master; + bool ignore; + u16 ref_nr; + void *private; + struct list_head list; + struct callback_head rcu; +}; + +struct ethtool_value { + __u32 cmd; + __u32 data; +}; + +enum tunable_id { + ETHTOOL_ID_UNSPEC = 0, + ETHTOOL_RX_COPYBREAK = 1, + ETHTOOL_TX_COPYBREAK = 2, + ETHTOOL_PFC_PREVENTION_TOUT = 3, + __ETHTOOL_TUNABLE_COUNT = 4, +}; + +enum tunable_type_id { + ETHTOOL_TUNABLE_UNSPEC = 0, + ETHTOOL_TUNABLE_U8 = 1, + ETHTOOL_TUNABLE_U16 = 2, + ETHTOOL_TUNABLE_U32 = 3, + ETHTOOL_TUNABLE_U64 = 4, + ETHTOOL_TUNABLE_STRING = 5, + ETHTOOL_TUNABLE_S8 = 6, + ETHTOOL_TUNABLE_S16 = 7, + ETHTOOL_TUNABLE_S32 = 8, + ETHTOOL_TUNABLE_S64 = 9, +}; + +enum phy_tunable_id { + ETHTOOL_PHY_ID_UNSPEC = 0, + ETHTOOL_PHY_DOWNSHIFT = 1, + ETHTOOL_PHY_FAST_LINK_DOWN = 2, + ETHTOOL_PHY_EDPD = 3, + __ETHTOOL_PHY_TUNABLE_COUNT = 4, +}; + +struct ethtool_gstrings { + __u32 cmd; + __u32 string_set; + __u32 len; + __u8 data[0]; +}; + +struct ethtool_sset_info { + __u32 cmd; + __u32 reserved; + __u64 sset_mask; + __u32 data[0]; +}; + +struct ethtool_perm_addr { + __u32 cmd; + __u32 size; + __u8 data[0]; +}; + +enum ethtool_flags { + ETH_FLAG_TXVLAN = 128, + ETH_FLAG_RXVLAN = 256, + ETH_FLAG_LRO = 32768, + ETH_FLAG_NTUPLE = 134217728, + ETH_FLAG_RXHASH = 268435456, +}; + +struct ethtool_rxfh { + __u32 cmd; + __u32 rss_context; + __u32 indir_size; + __u32 key_size; + __u8 hfunc; + __u8 rsvd8[3]; + __u32 rsvd32; + __u32 rss_config[0]; +}; + +struct ethtool_get_features_block { + __u32 available; + __u32 requested; + __u32 active; + __u32 never_changed; +}; + +struct ethtool_gfeatures { + __u32 cmd; + __u32 size; + struct ethtool_get_features_block features[0]; +}; + +struct ethtool_set_features_block { + __u32 valid; + __u32 requested; +}; + +struct ethtool_sfeatures { + __u32 cmd; + __u32 size; + struct ethtool_set_features_block features[0]; +}; + +enum ethtool_sfeatures_retval_bits { + ETHTOOL_F_UNSUPPORTED__BIT = 0, + ETHTOOL_F_WISH__BIT = 1, + ETHTOOL_F_COMPAT__BIT = 2, +}; + +struct ethtool_per_queue_op { + __u32 cmd; + __u32 sub_command; + __u32 queue_mask[128]; + char data[0]; +}; + +struct flow_rule; + +struct ethtool_rx_flow_rule { + struct flow_rule *rule; + long unsigned int priv[0]; +}; + +struct flow_match { + struct flow_dissector *dissector; + void *mask; + void *key; +}; + +enum flow_action_id { + FLOW_ACTION_ACCEPT = 0, + FLOW_ACTION_DROP = 1, + FLOW_ACTION_TRAP = 2, + FLOW_ACTION_GOTO = 3, + FLOW_ACTION_REDIRECT = 4, + FLOW_ACTION_MIRRED = 5, + FLOW_ACTION_REDIRECT_INGRESS = 6, + FLOW_ACTION_MIRRED_INGRESS = 7, + FLOW_ACTION_VLAN_PUSH = 8, + FLOW_ACTION_VLAN_POP = 9, + FLOW_ACTION_VLAN_MANGLE = 10, + FLOW_ACTION_TUNNEL_ENCAP = 11, + FLOW_ACTION_TUNNEL_DECAP = 12, + FLOW_ACTION_MANGLE = 13, + FLOW_ACTION_ADD = 14, + FLOW_ACTION_CSUM = 15, + FLOW_ACTION_MARK = 16, + FLOW_ACTION_PTYPE = 17, + FLOW_ACTION_WAKE = 18, + FLOW_ACTION_QUEUE = 19, + FLOW_ACTION_SAMPLE = 20, + FLOW_ACTION_POLICE = 21, + FLOW_ACTION_CT = 22, + FLOW_ACTION_MPLS_PUSH = 23, + FLOW_ACTION_MPLS_POP = 24, + FLOW_ACTION_MPLS_MANGLE = 25, + NUM_FLOW_ACTIONS = 26, +}; + +typedef void (*action_destr)(void *); + +enum flow_action_mangle_base { + FLOW_ACT_MANGLE_UNSPEC = 0, + FLOW_ACT_MANGLE_HDR_TYPE_ETH = 1, + FLOW_ACT_MANGLE_HDR_TYPE_IP4 = 2, + FLOW_ACT_MANGLE_HDR_TYPE_IP6 = 3, + FLOW_ACT_MANGLE_HDR_TYPE_TCP = 4, + FLOW_ACT_MANGLE_HDR_TYPE_UDP = 5, +}; + +struct psample_group; + +struct flow_action_entry { + enum flow_action_id id; + action_destr destructor; + void *destructor_priv; + union { + u32 chain_index; + struct net_device *dev; + struct { + u16 vid; + __be16 proto; + u8 prio; + } vlan; + struct { + enum flow_action_mangle_base htype; + u32 offset; + u32 mask; + u32 val; + } mangle; + struct ip_tunnel_info *tunnel; + u32 csum_flags; + u32 mark; + u16 ptype; + struct { + u32 ctx; + u32 index; + u8 vf; + } queue; + struct { + struct psample_group *psample_group; + u32 rate; + u32 trunc_size; + bool truncate; + } sample; + struct { + s64 burst; + u64 rate_bytes_ps; + } police; + struct { + int action; + u16 zone; + } ct; + struct { + u32 label; + __be16 proto; + u8 tc; + u8 bos; + u8 ttl; + } mpls_push; + struct { + __be16 proto; + } mpls_pop; + struct { + u32 label; + u8 tc; + u8 bos; + u8 ttl; + } mpls_mangle; + }; +}; + +struct flow_action { + unsigned int num_entries; + struct flow_action_entry entries[0]; +}; + +struct flow_rule { + struct flow_match match; + struct flow_action action; +}; + +struct ethtool_rx_flow_spec_input { + const struct ethtool_rx_flow_spec *fs; + u32 rss_ctx; +}; + +struct xsk_queue; + +struct xdp_umem_page; + +struct xdp_umem_fq_reuse; + +struct xdp_umem { + struct xsk_queue *fq; + struct xsk_queue *cq; + struct xdp_umem_page *pages; + u64 chunk_mask; + u64 size; + u32 headroom; + u32 chunk_size_nohr; + struct user_struct *user; + long unsigned int address; + refcount_t users; + struct work_struct work; + struct page **pgs; + u32 npgs; + u16 queue_id; + u8 need_wakeup; + u8 flags; + int id; + struct net_device *dev; + struct xdp_umem_fq_reuse *fq_reuse; + bool zc; + spinlock_t xsk_list_lock; + struct list_head xsk_list; +}; + +struct xdp_umem_page { + void *addr; + dma_addr_t dma; +}; + +struct xdp_umem_fq_reuse { + u32 nentries; + u32 length; + u64 handles[0]; +}; + +struct ethtool_link_usettings { + struct ethtool_link_settings base; + struct { + __u32 supported[3]; + __u32 advertising[3]; + __u32 lp_advertising[3]; + } link_modes; +}; + +struct ethtool_rx_flow_key { + struct flow_dissector_key_basic basic; + union { + struct flow_dissector_key_ipv4_addrs ipv4; + struct flow_dissector_key_ipv6_addrs ipv6; + }; + struct flow_dissector_key_ports tp; + struct flow_dissector_key_ip ip; + struct flow_dissector_key_vlan vlan; + struct flow_dissector_key_eth_addrs eth_addrs; + long: 48; +}; + +struct ethtool_rx_flow_match { + struct flow_dissector dissector; + int: 32; + struct ethtool_rx_flow_key key; + struct ethtool_rx_flow_key mask; +}; + +struct xfrm_dst { + union { + struct dst_entry dst; + struct rtable rt; + struct rt6_info rt6; + } u; + struct dst_entry *route; + struct dst_entry *child; + struct dst_entry *path; + struct xfrm_policy *pols[2]; + int num_pols; + int num_xfrms; + u32 xfrm_genid; + u32 policy_genid; + u32 route_mtu_cached; + u32 child_mtu_cached; + u32 route_cookie; + u32 path_cookie; +}; + +enum { + NDA_UNSPEC = 0, + NDA_DST = 1, + NDA_LLADDR = 2, + NDA_CACHEINFO = 3, + NDA_PROBES = 4, + NDA_VLAN = 5, + NDA_PORT = 6, + NDA_VNI = 7, + NDA_IFINDEX = 8, + NDA_MASTER = 9, + NDA_LINK_NETNSID = 10, + NDA_SRC_VNI = 11, + NDA_PROTOCOL = 12, + __NDA_MAX = 13, +}; + +struct nda_cacheinfo { + __u32 ndm_confirmed; + __u32 ndm_used; + __u32 ndm_updated; + __u32 ndm_refcnt; +}; + +struct ndt_stats { + __u64 ndts_allocs; + __u64 ndts_destroys; + __u64 ndts_hash_grows; + __u64 ndts_res_failed; + __u64 ndts_lookups; + __u64 ndts_hits; + __u64 ndts_rcv_probes_mcast; + __u64 ndts_rcv_probes_ucast; + __u64 ndts_periodic_gc_runs; + __u64 ndts_forced_gc_runs; + __u64 ndts_table_fulls; +}; + +enum { + NDTPA_UNSPEC = 0, + NDTPA_IFINDEX = 1, + NDTPA_REFCNT = 2, + NDTPA_REACHABLE_TIME = 3, + NDTPA_BASE_REACHABLE_TIME = 4, + NDTPA_RETRANS_TIME = 5, + NDTPA_GC_STALETIME = 6, + NDTPA_DELAY_PROBE_TIME = 7, + NDTPA_QUEUE_LEN = 8, + NDTPA_APP_PROBES = 9, + NDTPA_UCAST_PROBES = 10, + NDTPA_MCAST_PROBES = 11, + NDTPA_ANYCAST_DELAY = 12, + NDTPA_PROXY_DELAY = 13, + NDTPA_PROXY_QLEN = 14, + NDTPA_LOCKTIME = 15, + NDTPA_QUEUE_LENBYTES = 16, + NDTPA_MCAST_REPROBES = 17, + NDTPA_PAD = 18, + __NDTPA_MAX = 19, +}; + +struct ndtmsg { + __u8 ndtm_family; + __u8 ndtm_pad1; + __u16 ndtm_pad2; +}; + +struct ndt_config { + __u16 ndtc_key_len; + __u16 ndtc_entry_size; + __u32 ndtc_entries; + __u32 ndtc_last_flush; + __u32 ndtc_last_rand; + __u32 ndtc_hash_rnd; + __u32 ndtc_hash_mask; + __u32 ndtc_hash_chain_gc; + __u32 ndtc_proxy_qlen; +}; + +enum { + NDTA_UNSPEC = 0, + NDTA_NAME = 1, + NDTA_THRESH1 = 2, + NDTA_THRESH2 = 3, + NDTA_THRESH3 = 4, + NDTA_CONFIG = 5, + NDTA_PARMS = 6, + NDTA_STATS = 7, + NDTA_GC_INTERVAL = 8, + NDTA_PAD = 9, + __NDTA_MAX = 10, +}; + +enum { + RTN_UNSPEC = 0, + RTN_UNICAST = 1, + RTN_LOCAL = 2, + RTN_BROADCAST = 3, + RTN_ANYCAST = 4, + RTN_MULTICAST = 5, + RTN_BLACKHOLE = 6, + RTN_UNREACHABLE = 7, + RTN_PROHIBIT = 8, + RTN_THROW = 9, + RTN_NAT = 10, + RTN_XRESOLVE = 11, + __RTN_MAX = 12, +}; + +enum { + NEIGH_ARP_TABLE = 0, + NEIGH_ND_TABLE = 1, + NEIGH_DN_TABLE = 2, + NEIGH_NR_TABLES = 3, + NEIGH_LINK_TABLE = 3, +}; + +struct neigh_seq_state { + struct seq_net_private p; + struct neigh_table *tbl; + struct neigh_hash_table *nht; + void * (*neigh_sub_iter)(struct neigh_seq_state *, struct neighbour *, loff_t *); + unsigned int bucket; + unsigned int flags; +}; + +struct neighbour_cb { + long unsigned int sched_next; + unsigned int flags; +}; + +enum netevent_notif_type { + NETEVENT_NEIGH_UPDATE = 1, + NETEVENT_REDIRECT = 2, + NETEVENT_DELAY_PROBE_TIME_UPDATE = 3, + NETEVENT_IPV4_MPATH_HASH_UPDATE = 4, + NETEVENT_IPV6_MPATH_HASH_UPDATE = 5, + NETEVENT_IPV4_FWD_UPDATE_PRIORITY_UPDATE = 6, +}; + +struct neigh_dump_filter { + int master_idx; + int dev_idx; +}; + +struct neigh_sysctl_table { + struct ctl_table_header *sysctl_header; + struct ctl_table neigh_vars[21]; +}; + +struct netlink_dump_control { + int (*start)(struct netlink_callback *); + int (*dump)(struct sk_buff *, struct netlink_callback *); + int (*done)(struct netlink_callback *); + void *data; + struct module *module; + u16 min_dump_alloc; +}; + +struct rtnl_link_stats { + __u32 rx_packets; + __u32 tx_packets; + __u32 rx_bytes; + __u32 tx_bytes; + __u32 rx_errors; + __u32 tx_errors; + __u32 rx_dropped; + __u32 tx_dropped; + __u32 multicast; + __u32 collisions; + __u32 rx_length_errors; + __u32 rx_over_errors; + __u32 rx_crc_errors; + __u32 rx_frame_errors; + __u32 rx_fifo_errors; + __u32 rx_missed_errors; + __u32 tx_aborted_errors; + __u32 tx_carrier_errors; + __u32 tx_fifo_errors; + __u32 tx_heartbeat_errors; + __u32 tx_window_errors; + __u32 rx_compressed; + __u32 tx_compressed; + __u32 rx_nohandler; +}; + +struct rtnl_link_ifmap { + __u64 mem_start; + __u64 mem_end; + __u64 base_addr; + __u16 irq; + __u8 dma; + __u8 port; +}; + +enum { + IFLA_UNSPEC = 0, + IFLA_ADDRESS = 1, + IFLA_BROADCAST = 2, + IFLA_IFNAME = 3, + IFLA_MTU = 4, + IFLA_LINK = 5, + IFLA_QDISC = 6, + IFLA_STATS = 7, + IFLA_COST = 8, + IFLA_PRIORITY = 9, + IFLA_MASTER = 10, + IFLA_WIRELESS = 11, + IFLA_PROTINFO = 12, + IFLA_TXQLEN = 13, + IFLA_MAP = 14, + IFLA_WEIGHT = 15, + IFLA_OPERSTATE = 16, + IFLA_LINKMODE = 17, + IFLA_LINKINFO = 18, + IFLA_NET_NS_PID = 19, + IFLA_IFALIAS = 20, + IFLA_NUM_VF = 21, + IFLA_VFINFO_LIST = 22, + IFLA_STATS64 = 23, + IFLA_VF_PORTS = 24, + IFLA_PORT_SELF = 25, + IFLA_AF_SPEC = 26, + IFLA_GROUP = 27, + IFLA_NET_NS_FD = 28, + IFLA_EXT_MASK = 29, + IFLA_PROMISCUITY = 30, + IFLA_NUM_TX_QUEUES = 31, + IFLA_NUM_RX_QUEUES = 32, + IFLA_CARRIER = 33, + IFLA_PHYS_PORT_ID = 34, + IFLA_CARRIER_CHANGES = 35, + IFLA_PHYS_SWITCH_ID = 36, + IFLA_LINK_NETNSID = 37, + IFLA_PHYS_PORT_NAME = 38, + IFLA_PROTO_DOWN = 39, + IFLA_GSO_MAX_SEGS = 40, + IFLA_GSO_MAX_SIZE = 41, + IFLA_PAD = 42, + IFLA_XDP = 43, + IFLA_EVENT = 44, + IFLA_NEW_NETNSID = 45, + IFLA_IF_NETNSID = 46, + IFLA_TARGET_NETNSID = 46, + IFLA_CARRIER_UP_COUNT = 47, + IFLA_CARRIER_DOWN_COUNT = 48, + IFLA_NEW_IFINDEX = 49, + IFLA_MIN_MTU = 50, + IFLA_MAX_MTU = 51, + IFLA_PROP_LIST = 52, + IFLA_ALT_IFNAME = 53, + __IFLA_MAX = 54, +}; + +enum { + IFLA_BRPORT_UNSPEC = 0, + IFLA_BRPORT_STATE = 1, + IFLA_BRPORT_PRIORITY = 2, + IFLA_BRPORT_COST = 3, + IFLA_BRPORT_MODE = 4, + IFLA_BRPORT_GUARD = 5, + IFLA_BRPORT_PROTECT = 6, + IFLA_BRPORT_FAST_LEAVE = 7, + IFLA_BRPORT_LEARNING = 8, + IFLA_BRPORT_UNICAST_FLOOD = 9, + IFLA_BRPORT_PROXYARP = 10, + IFLA_BRPORT_LEARNING_SYNC = 11, + IFLA_BRPORT_PROXYARP_WIFI = 12, + IFLA_BRPORT_ROOT_ID = 13, + IFLA_BRPORT_BRIDGE_ID = 14, + IFLA_BRPORT_DESIGNATED_PORT = 15, + IFLA_BRPORT_DESIGNATED_COST = 16, + IFLA_BRPORT_ID = 17, + IFLA_BRPORT_NO = 18, + IFLA_BRPORT_TOPOLOGY_CHANGE_ACK = 19, + IFLA_BRPORT_CONFIG_PENDING = 20, + IFLA_BRPORT_MESSAGE_AGE_TIMER = 21, + IFLA_BRPORT_FORWARD_DELAY_TIMER = 22, + IFLA_BRPORT_HOLD_TIMER = 23, + IFLA_BRPORT_FLUSH = 24, + IFLA_BRPORT_MULTICAST_ROUTER = 25, + IFLA_BRPORT_PAD = 26, + IFLA_BRPORT_MCAST_FLOOD = 27, + IFLA_BRPORT_MCAST_TO_UCAST = 28, + IFLA_BRPORT_VLAN_TUNNEL = 29, + IFLA_BRPORT_BCAST_FLOOD = 30, + IFLA_BRPORT_GROUP_FWD_MASK = 31, + IFLA_BRPORT_NEIGH_SUPPRESS = 32, + IFLA_BRPORT_ISOLATED = 33, + IFLA_BRPORT_BACKUP_PORT = 34, + __IFLA_BRPORT_MAX = 35, +}; + +enum { + IFLA_INFO_UNSPEC = 0, + IFLA_INFO_KIND = 1, + IFLA_INFO_DATA = 2, + IFLA_INFO_XSTATS = 3, + IFLA_INFO_SLAVE_KIND = 4, + IFLA_INFO_SLAVE_DATA = 5, + __IFLA_INFO_MAX = 6, +}; + +enum { + IFLA_VF_INFO_UNSPEC = 0, + IFLA_VF_INFO = 1, + __IFLA_VF_INFO_MAX = 2, +}; + +enum { + IFLA_VF_UNSPEC = 0, + IFLA_VF_MAC = 1, + IFLA_VF_VLAN = 2, + IFLA_VF_TX_RATE = 3, + IFLA_VF_SPOOFCHK = 4, + IFLA_VF_LINK_STATE = 5, + IFLA_VF_RATE = 6, + IFLA_VF_RSS_QUERY_EN = 7, + IFLA_VF_STATS = 8, + IFLA_VF_TRUST = 9, + IFLA_VF_IB_NODE_GUID = 10, + IFLA_VF_IB_PORT_GUID = 11, + IFLA_VF_VLAN_LIST = 12, + IFLA_VF_BROADCAST = 13, + __IFLA_VF_MAX = 14, +}; + +struct ifla_vf_mac { + __u32 vf; + __u8 mac[32]; +}; + +struct ifla_vf_broadcast { + __u8 broadcast[32]; +}; + +struct ifla_vf_vlan { + __u32 vf; + __u32 vlan; + __u32 qos; +}; + +enum { + IFLA_VF_VLAN_INFO_UNSPEC = 0, + IFLA_VF_VLAN_INFO = 1, + __IFLA_VF_VLAN_INFO_MAX = 2, +}; + +struct ifla_vf_vlan_info { + __u32 vf; + __u32 vlan; + __u32 qos; + __be16 vlan_proto; +}; + +struct ifla_vf_tx_rate { + __u32 vf; + __u32 rate; +}; + +struct ifla_vf_rate { + __u32 vf; + __u32 min_tx_rate; + __u32 max_tx_rate; +}; + +struct ifla_vf_spoofchk { + __u32 vf; + __u32 setting; +}; + +struct ifla_vf_link_state { + __u32 vf; + __u32 link_state; +}; + +struct ifla_vf_rss_query_en { + __u32 vf; + __u32 setting; +}; + +enum { + IFLA_VF_STATS_RX_PACKETS = 0, + IFLA_VF_STATS_TX_PACKETS = 1, + IFLA_VF_STATS_RX_BYTES = 2, + IFLA_VF_STATS_TX_BYTES = 3, + IFLA_VF_STATS_BROADCAST = 4, + IFLA_VF_STATS_MULTICAST = 5, + IFLA_VF_STATS_PAD = 6, + IFLA_VF_STATS_RX_DROPPED = 7, + IFLA_VF_STATS_TX_DROPPED = 8, + __IFLA_VF_STATS_MAX = 9, +}; + +struct ifla_vf_trust { + __u32 vf; + __u32 setting; +}; + +enum { + IFLA_VF_PORT_UNSPEC = 0, + IFLA_VF_PORT = 1, + __IFLA_VF_PORT_MAX = 2, +}; + +enum { + IFLA_PORT_UNSPEC = 0, + IFLA_PORT_VF = 1, + IFLA_PORT_PROFILE = 2, + IFLA_PORT_VSI_TYPE = 3, + IFLA_PORT_INSTANCE_UUID = 4, + IFLA_PORT_HOST_UUID = 5, + IFLA_PORT_REQUEST = 6, + IFLA_PORT_RESPONSE = 7, + __IFLA_PORT_MAX = 8, +}; + +struct if_stats_msg { + __u8 family; + __u8 pad1; + __u16 pad2; + __u32 ifindex; + __u32 filter_mask; +}; + +enum { + IFLA_STATS_UNSPEC = 0, + IFLA_STATS_LINK_64 = 1, + IFLA_STATS_LINK_XSTATS = 2, + IFLA_STATS_LINK_XSTATS_SLAVE = 3, + IFLA_STATS_LINK_OFFLOAD_XSTATS = 4, + IFLA_STATS_AF_SPEC = 5, + __IFLA_STATS_MAX = 6, +}; + +enum { + IFLA_OFFLOAD_XSTATS_UNSPEC = 0, + IFLA_OFFLOAD_XSTATS_CPU_HIT = 1, + __IFLA_OFFLOAD_XSTATS_MAX = 2, +}; + +enum { + XDP_ATTACHED_NONE = 0, + XDP_ATTACHED_DRV = 1, + XDP_ATTACHED_SKB = 2, + XDP_ATTACHED_HW = 3, + XDP_ATTACHED_MULTI = 4, +}; + +enum { + IFLA_XDP_UNSPEC = 0, + IFLA_XDP_FD = 1, + IFLA_XDP_ATTACHED = 2, + IFLA_XDP_FLAGS = 3, + IFLA_XDP_PROG_ID = 4, + IFLA_XDP_DRV_PROG_ID = 5, + IFLA_XDP_SKB_PROG_ID = 6, + IFLA_XDP_HW_PROG_ID = 7, + __IFLA_XDP_MAX = 8, +}; + +enum { + IFLA_EVENT_NONE = 0, + IFLA_EVENT_REBOOT = 1, + IFLA_EVENT_FEATURES = 2, + IFLA_EVENT_BONDING_FAILOVER = 3, + IFLA_EVENT_NOTIFY_PEERS = 4, + IFLA_EVENT_IGMP_RESEND = 5, + IFLA_EVENT_BONDING_OPTIONS = 6, +}; + +enum { + IFLA_BRIDGE_FLAGS = 0, + IFLA_BRIDGE_MODE = 1, + IFLA_BRIDGE_VLAN_INFO = 2, + IFLA_BRIDGE_VLAN_TUNNEL_INFO = 3, + __IFLA_BRIDGE_MAX = 4, +}; + +enum { + BR_MCAST_DIR_RX = 0, + BR_MCAST_DIR_TX = 1, + BR_MCAST_DIR_SIZE = 2, +}; + +enum rtattr_type_t { + RTA_UNSPEC = 0, + RTA_DST = 1, + RTA_SRC = 2, + RTA_IIF = 3, + RTA_OIF = 4, + RTA_GATEWAY = 5, + RTA_PRIORITY = 6, + RTA_PREFSRC = 7, + RTA_METRICS = 8, + RTA_MULTIPATH = 9, + RTA_PROTOINFO = 10, + RTA_FLOW = 11, + RTA_CACHEINFO = 12, + RTA_SESSION = 13, + RTA_MP_ALGO = 14, + RTA_TABLE = 15, + RTA_MARK = 16, + RTA_MFC_STATS = 17, + RTA_VIA = 18, + RTA_NEWDST = 19, + RTA_PREF = 20, + RTA_ENCAP_TYPE = 21, + RTA_ENCAP = 22, + RTA_EXPIRES = 23, + RTA_PAD = 24, + RTA_UID = 25, + RTA_TTL_PROPAGATE = 26, + RTA_IP_PROTO = 27, + RTA_SPORT = 28, + RTA_DPORT = 29, + RTA_NH_ID = 30, + __RTA_MAX = 31, +}; + +struct rta_cacheinfo { + __u32 rta_clntref; + __u32 rta_lastuse; + __s32 rta_expires; + __u32 rta_error; + __u32 rta_used; + __u32 rta_id; + __u32 rta_ts; + __u32 rta_tsage; +}; + +struct ifinfomsg { + unsigned char ifi_family; + unsigned char __ifi_pad; + short unsigned int ifi_type; + int ifi_index; + unsigned int ifi_flags; + unsigned int ifi_change; +}; + +struct rtnl_af_ops { + struct list_head list; + int family; + int (*fill_link_af)(struct sk_buff *, const struct net_device *, u32); + size_t (*get_link_af_size)(const struct net_device *, u32); + int (*validate_link_af)(const struct net_device *, const struct nlattr *); + int (*set_link_af)(struct net_device *, const struct nlattr *); + int (*fill_stats_af)(struct sk_buff *, const struct net_device *); + size_t (*get_stats_af_size)(const struct net_device *); +}; + +struct rtnl_link { + rtnl_doit_func doit; + rtnl_dumpit_func dumpit; + struct module *owner; + unsigned int flags; + struct callback_head rcu; +}; + +enum { + IF_LINK_MODE_DEFAULT = 0, + IF_LINK_MODE_DORMANT = 1, +}; + +enum lw_bits { + LW_URGENT = 0, +}; + +struct seg6_pernet_data { + struct mutex lock; + struct in6_addr *tun_src; +}; + +enum bpf_func_id { + BPF_FUNC_unspec = 0, + BPF_FUNC_map_lookup_elem = 1, + BPF_FUNC_map_update_elem = 2, + BPF_FUNC_map_delete_elem = 3, + BPF_FUNC_probe_read = 4, + BPF_FUNC_ktime_get_ns = 5, + BPF_FUNC_trace_printk = 6, + BPF_FUNC_get_prandom_u32 = 7, + BPF_FUNC_get_smp_processor_id = 8, + BPF_FUNC_skb_store_bytes = 9, + BPF_FUNC_l3_csum_replace = 10, + BPF_FUNC_l4_csum_replace = 11, + BPF_FUNC_tail_call = 12, + BPF_FUNC_clone_redirect = 13, + BPF_FUNC_get_current_pid_tgid = 14, + BPF_FUNC_get_current_uid_gid = 15, + BPF_FUNC_get_current_comm = 16, + BPF_FUNC_get_cgroup_classid = 17, + BPF_FUNC_skb_vlan_push = 18, + BPF_FUNC_skb_vlan_pop = 19, + BPF_FUNC_skb_get_tunnel_key = 20, + BPF_FUNC_skb_set_tunnel_key = 21, + BPF_FUNC_perf_event_read = 22, + BPF_FUNC_redirect = 23, + BPF_FUNC_get_route_realm = 24, + BPF_FUNC_perf_event_output = 25, + BPF_FUNC_skb_load_bytes = 26, + BPF_FUNC_get_stackid = 27, + BPF_FUNC_csum_diff = 28, + BPF_FUNC_skb_get_tunnel_opt = 29, + BPF_FUNC_skb_set_tunnel_opt = 30, + BPF_FUNC_skb_change_proto = 31, + BPF_FUNC_skb_change_type = 32, + BPF_FUNC_skb_under_cgroup = 33, + BPF_FUNC_get_hash_recalc = 34, + BPF_FUNC_get_current_task = 35, + BPF_FUNC_probe_write_user = 36, + BPF_FUNC_current_task_under_cgroup = 37, + BPF_FUNC_skb_change_tail = 38, + BPF_FUNC_skb_pull_data = 39, + BPF_FUNC_csum_update = 40, + BPF_FUNC_set_hash_invalid = 41, + BPF_FUNC_get_numa_node_id = 42, + BPF_FUNC_skb_change_head = 43, + BPF_FUNC_xdp_adjust_head = 44, + BPF_FUNC_probe_read_str = 45, + BPF_FUNC_get_socket_cookie = 46, + BPF_FUNC_get_socket_uid = 47, + BPF_FUNC_set_hash = 48, + BPF_FUNC_setsockopt = 49, + BPF_FUNC_skb_adjust_room = 50, + BPF_FUNC_redirect_map = 51, + BPF_FUNC_sk_redirect_map = 52, + BPF_FUNC_sock_map_update = 53, + BPF_FUNC_xdp_adjust_meta = 54, + BPF_FUNC_perf_event_read_value = 55, + BPF_FUNC_perf_prog_read_value = 56, + BPF_FUNC_getsockopt = 57, + BPF_FUNC_override_return = 58, + BPF_FUNC_sock_ops_cb_flags_set = 59, + BPF_FUNC_msg_redirect_map = 60, + BPF_FUNC_msg_apply_bytes = 61, + BPF_FUNC_msg_cork_bytes = 62, + BPF_FUNC_msg_pull_data = 63, + BPF_FUNC_bind = 64, + BPF_FUNC_xdp_adjust_tail = 65, + BPF_FUNC_skb_get_xfrm_state = 66, + BPF_FUNC_get_stack = 67, + BPF_FUNC_skb_load_bytes_relative = 68, + BPF_FUNC_fib_lookup = 69, + BPF_FUNC_sock_hash_update = 70, + BPF_FUNC_msg_redirect_hash = 71, + BPF_FUNC_sk_redirect_hash = 72, + BPF_FUNC_lwt_push_encap = 73, + BPF_FUNC_lwt_seg6_store_bytes = 74, + BPF_FUNC_lwt_seg6_adjust_srh = 75, + BPF_FUNC_lwt_seg6_action = 76, + BPF_FUNC_rc_repeat = 77, + BPF_FUNC_rc_keydown = 78, + BPF_FUNC_skb_cgroup_id = 79, + BPF_FUNC_get_current_cgroup_id = 80, + BPF_FUNC_get_local_storage = 81, + BPF_FUNC_sk_select_reuseport = 82, + BPF_FUNC_skb_ancestor_cgroup_id = 83, + BPF_FUNC_sk_lookup_tcp = 84, + BPF_FUNC_sk_lookup_udp = 85, + BPF_FUNC_sk_release = 86, + BPF_FUNC_map_push_elem = 87, + BPF_FUNC_map_pop_elem = 88, + BPF_FUNC_map_peek_elem = 89, + BPF_FUNC_msg_push_data = 90, + BPF_FUNC_msg_pop_data = 91, + BPF_FUNC_rc_pointer_rel = 92, + BPF_FUNC_spin_lock = 93, + BPF_FUNC_spin_unlock = 94, + BPF_FUNC_sk_fullsock = 95, + BPF_FUNC_tcp_sock = 96, + BPF_FUNC_skb_ecn_set_ce = 97, + BPF_FUNC_get_listener_sock = 98, + BPF_FUNC_skc_lookup_tcp = 99, + BPF_FUNC_tcp_check_syncookie = 100, + BPF_FUNC_sysctl_get_name = 101, + BPF_FUNC_sysctl_get_current_value = 102, + BPF_FUNC_sysctl_get_new_value = 103, + BPF_FUNC_sysctl_set_new_value = 104, + BPF_FUNC_strtol = 105, + BPF_FUNC_strtoul = 106, + BPF_FUNC_sk_storage_get = 107, + BPF_FUNC_sk_storage_delete = 108, + BPF_FUNC_send_signal = 109, + BPF_FUNC_tcp_gen_syncookie = 110, + BPF_FUNC_skb_output = 111, + BPF_FUNC_probe_read_user = 112, + BPF_FUNC_probe_read_kernel = 113, + BPF_FUNC_probe_read_user_str = 114, + BPF_FUNC_probe_read_kernel_str = 115, + __BPF_FUNC_MAX_ID = 116, +}; + +enum bpf_adj_room_mode { + BPF_ADJ_ROOM_NET = 0, + BPF_ADJ_ROOM_MAC = 1, +}; + +enum bpf_hdr_start_off { + BPF_HDR_START_MAC = 0, + BPF_HDR_START_NET = 1, +}; + +struct bpf_sock { + __u32 bound_dev_if; + __u32 family; + __u32 type; + __u32 protocol; + __u32 mark; + __u32 priority; + __u32 src_ip4; + __u32 src_ip6[4]; + __u32 src_port; + __u32 dst_port; + __u32 dst_ip4; + __u32 dst_ip6[4]; + __u32 state; +}; + +struct __sk_buff { + __u32 len; + __u32 pkt_type; + __u32 mark; + __u32 queue_mapping; + __u32 protocol; + __u32 vlan_present; + __u32 vlan_tci; + __u32 vlan_proto; + __u32 priority; + __u32 ingress_ifindex; + __u32 ifindex; + __u32 tc_index; + __u32 cb[5]; + __u32 hash; + __u32 tc_classid; + __u32 data; + __u32 data_end; + __u32 napi_id; + __u32 family; + __u32 remote_ip4; + __u32 local_ip4; + __u32 remote_ip6[4]; + __u32 local_ip6[4]; + __u32 remote_port; + __u32 local_port; + __u32 data_meta; + union { + struct bpf_flow_keys *flow_keys; + }; + __u64 tstamp; + __u32 wire_len; + __u32 gso_segs; + union { + struct bpf_sock *sk; + }; +}; + +struct bpf_tunnel_key { + __u32 tunnel_id; + union { + __u32 remote_ipv4; + __u32 remote_ipv6[4]; + }; + __u8 tunnel_tos; + __u8 tunnel_ttl; + __u16 tunnel_ext; + __u32 tunnel_label; +}; + +struct bpf_xfrm_state { + __u32 reqid; + __u32 spi; + __u16 family; + __u16 ext; + union { + __u32 remote_ipv4; + __u32 remote_ipv6[4]; + }; +}; + +struct bpf_tcp_sock { + __u32 snd_cwnd; + __u32 srtt_us; + __u32 rtt_min; + __u32 snd_ssthresh; + __u32 rcv_nxt; + __u32 snd_nxt; + __u32 snd_una; + __u32 mss_cache; + __u32 ecn_flags; + __u32 rate_delivered; + __u32 rate_interval_us; + __u32 packets_out; + __u32 retrans_out; + __u32 total_retrans; + __u32 segs_in; + __u32 data_segs_in; + __u32 segs_out; + __u32 data_segs_out; + __u32 lost_out; + __u32 sacked_out; + __u64 bytes_received; + __u64 bytes_acked; + __u32 dsack_dups; + __u32 delivered; + __u32 delivered_ce; + __u32 icsk_retransmits; +}; + +struct bpf_sock_tuple { + union { + struct { + __be32 saddr; + __be32 daddr; + __be16 sport; + __be16 dport; + } ipv4; + struct { + __be32 saddr[4]; + __be32 daddr[4]; + __be16 sport; + __be16 dport; + } ipv6; + }; +}; + +struct bpf_xdp_sock { + __u32 queue_id; +}; + +enum sk_action { + SK_DROP = 0, + SK_PASS = 1, +}; + +struct sk_msg_md { + union { + void *data; + }; + union { + void *data_end; + }; + __u32 family; + __u32 remote_ip4; + __u32 local_ip4; + __u32 remote_ip6[4]; + __u32 local_ip6[4]; + __u32 remote_port; + __u32 local_port; + __u32 size; +}; + +struct sk_reuseport_md { + union { + void *data; + }; + union { + void *data_end; + }; + __u32 len; + __u32 eth_protocol; + __u32 ip_protocol; + __u32 bind_inany; + __u32 hash; +}; + +struct bpf_sock_addr { + __u32 user_family; + __u32 user_ip4; + __u32 user_ip6[4]; + __u32 user_port; + __u32 family; + __u32 type; + __u32 protocol; + __u32 msg_src_ip4; + __u32 msg_src_ip6[4]; + union { + struct bpf_sock *sk; + }; +}; + +struct bpf_sock_ops { + __u32 op; + union { + __u32 args[4]; + __u32 reply; + __u32 replylong[4]; + }; + __u32 family; + __u32 remote_ip4; + __u32 local_ip4; + __u32 remote_ip6[4]; + __u32 local_ip6[4]; + __u32 remote_port; + __u32 local_port; + __u32 is_fullsock; + __u32 snd_cwnd; + __u32 srtt_us; + __u32 bpf_sock_ops_cb_flags; + __u32 state; + __u32 rtt_min; + __u32 snd_ssthresh; + __u32 rcv_nxt; + __u32 snd_nxt; + __u32 snd_una; + __u32 mss_cache; + __u32 ecn_flags; + __u32 rate_delivered; + __u32 rate_interval_us; + __u32 packets_out; + __u32 retrans_out; + __u32 total_retrans; + __u32 segs_in; + __u32 data_segs_in; + __u32 segs_out; + __u32 data_segs_out; + __u32 lost_out; + __u32 sacked_out; + __u32 sk_txhash; + __u64 bytes_received; + __u64 bytes_acked; + union { + struct bpf_sock *sk; + }; +}; + +enum { + BPF_SOCK_OPS_VOID = 0, + BPF_SOCK_OPS_TIMEOUT_INIT = 1, + BPF_SOCK_OPS_RWND_INIT = 2, + BPF_SOCK_OPS_TCP_CONNECT_CB = 3, + BPF_SOCK_OPS_ACTIVE_ESTABLISHED_CB = 4, + BPF_SOCK_OPS_PASSIVE_ESTABLISHED_CB = 5, + BPF_SOCK_OPS_NEEDS_ECN = 6, + BPF_SOCK_OPS_BASE_RTT = 7, + BPF_SOCK_OPS_RTO_CB = 8, + BPF_SOCK_OPS_RETRANS_CB = 9, + BPF_SOCK_OPS_STATE_CB = 10, + BPF_SOCK_OPS_TCP_LISTEN_CB = 11, + BPF_SOCK_OPS_RTT_CB = 12, +}; + +enum { + BPF_FIB_LKUP_RET_SUCCESS = 0, + BPF_FIB_LKUP_RET_BLACKHOLE = 1, + BPF_FIB_LKUP_RET_UNREACHABLE = 2, + BPF_FIB_LKUP_RET_PROHIBIT = 3, + BPF_FIB_LKUP_RET_NOT_FWDED = 4, + BPF_FIB_LKUP_RET_FWD_DISABLED = 5, + BPF_FIB_LKUP_RET_UNSUPP_LWT = 6, + BPF_FIB_LKUP_RET_NO_NEIGH = 7, + BPF_FIB_LKUP_RET_FRAG_NEEDED = 8, +}; + +struct bpf_fib_lookup { + __u8 family; + __u8 l4_protocol; + __be16 sport; + __be16 dport; + __u16 tot_len; + __u32 ifindex; + union { + __u8 tos; + __be32 flowinfo; + __u32 rt_metric; + }; + union { + __be32 ipv4_src; + __u32 ipv6_src[4]; + }; + union { + __be32 ipv4_dst; + __u32 ipv6_dst[4]; + }; + __be16 h_vlan_proto; + __be16 h_vlan_TCI; + __u8 smac[6]; + __u8 dmac[6]; +}; + +enum bpf_access_type { + BPF_READ = 1, + BPF_WRITE = 2, +}; + +enum bpf_reg_type { + NOT_INIT = 0, + SCALAR_VALUE = 1, + PTR_TO_CTX = 2, + CONST_PTR_TO_MAP = 3, + PTR_TO_MAP_VALUE = 4, + PTR_TO_MAP_VALUE_OR_NULL = 5, + PTR_TO_STACK = 6, + PTR_TO_PACKET_META = 7, + PTR_TO_PACKET = 8, + PTR_TO_PACKET_END = 9, + PTR_TO_FLOW_KEYS = 10, + PTR_TO_SOCKET = 11, + PTR_TO_SOCKET_OR_NULL = 12, + PTR_TO_SOCK_COMMON = 13, + PTR_TO_SOCK_COMMON_OR_NULL = 14, + PTR_TO_TCP_SOCK = 15, + PTR_TO_TCP_SOCK_OR_NULL = 16, + PTR_TO_TP_BUFFER = 17, + PTR_TO_XDP_SOCK = 18, + PTR_TO_BTF_ID = 19, +}; + +struct bpf_verifier_log; + +struct bpf_insn_access_aux { + enum bpf_reg_type reg_type; + union { + int ctx_field_size; + u32 btf_id; + }; + struct bpf_verifier_log *log; +}; + +struct bpf_verifier_ops { + const struct bpf_func_proto * (*get_func_proto)(enum bpf_func_id, const struct bpf_prog *); + bool (*is_valid_access)(int, int, enum bpf_access_type, const struct bpf_prog *, struct bpf_insn_access_aux *); + int (*gen_prologue)(struct bpf_insn *, bool, const struct bpf_prog *); + int (*gen_ld_abs)(const struct bpf_insn *, struct bpf_insn *); + u32 (*convert_ctx_access)(enum bpf_access_type, const struct bpf_insn *, struct bpf_insn *, struct bpf_prog *, u32 *); +}; + +struct sk_reuseport_kern { + struct sk_buff *skb; + struct sock *sk; + struct sock *selected_sk; + void *data_end; + u32 hash; + u32 reuseport_id; + bool bind_inany; +}; + +enum rt_scope_t { + RT_SCOPE_UNIVERSE = 0, + RT_SCOPE_SITE = 200, + RT_SCOPE_LINK = 253, + RT_SCOPE_HOST = 254, + RT_SCOPE_NOWHERE = 255, +}; + +enum rt_class_t { + RT_TABLE_UNSPEC = 0, + RT_TABLE_COMPAT = 252, + RT_TABLE_DEFAULT = 253, + RT_TABLE_MAIN = 254, + RT_TABLE_LOCAL = 255, + RT_TABLE_MAX = -1, +}; + +struct bpf_skb_data_end { + struct qdisc_skb_cb qdisc_cb; + void *data_meta; + void *data_end; +}; + +struct bpf_sock_addr_kern { + struct sock *sk; + struct sockaddr *uaddr; + u64 tmp_reg; + void *t_ctx; +}; + +struct bpf_sock_ops_kern { + struct sock *sk; + u32 op; + union { + u32 args[4]; + u32 reply; + u32 replylong[4]; + }; + u32 is_fullsock; + u64 temp; +}; + +struct ipv6_bpf_stub { + int (*inet6_bind)(struct sock *, struct sockaddr *, int, bool, bool); + struct sock * (*udp6_lib_lookup)(struct net *, const struct in6_addr *, __be16, const struct in6_addr *, __be16, int, int, struct udp_table *, struct sk_buff *); +}; + +struct fib_result { + __be32 prefix; + unsigned char prefixlen; + unsigned char nh_sel; + unsigned char type; + unsigned char scope; + u32 tclassid; + struct fib_nh_common *nhc; + struct fib_info *fi; + struct fib_table *table; + struct hlist_head *fa_head; +}; + +enum { + INET_ECN_NOT_ECT = 0, + INET_ECN_ECT_1 = 1, + INET_ECN_ECT_0 = 2, + INET_ECN_CE = 3, + INET_ECN_MASK = 3, +}; + +struct tcp_skb_cb { + __u32 seq; + __u32 end_seq; + union { + __u32 tcp_tw_isn; + struct { + u16 tcp_gso_segs; + u16 tcp_gso_size; + }; + }; + __u8 tcp_flags; + __u8 sacked; + __u8 ip_dsfield; + __u8 txstamp_ack: 1; + __u8 eor: 1; + __u8 has_rxtstamp: 1; + __u8 unused: 5; + __u32 ack_seq; + union { + struct { + __u32 in_flight: 30; + __u32 is_app_limited: 1; + __u32 unused: 1; + __u32 delivered; + u64 first_tx_mstamp; + u64 delivered_mstamp; + } tx; + union { + struct inet_skb_parm h4; + struct inet6_skb_parm h6; + } header; + struct { + __u32 flags; + struct sock *sk_redir; + void *data_end; + } bpf; + }; +}; + +struct sk_msg_sg { + u32 start; + u32 curr; + u32 end; + u32 size; + u32 copybreak; + long unsigned int copy; + struct scatterlist data[19]; +}; + +struct sk_msg { + struct sk_msg_sg sg; + void *data; + void *data_end; + u32 apply_bytes; + u32 cork_bytes; + u32 flags; + struct sk_buff *skb; + struct sock *sk_redir; + struct sock *sk; + struct list_head list; +}; + +struct _bpf_dtab_netdev { + struct net_device *dev; +}; + +struct xdp_sock { + struct sock sk; + struct xsk_queue *rx; + struct net_device *dev; + struct xdp_umem *umem; + struct list_head flush_node; + u16 queue_id; + bool zc; + enum { + XSK_READY = 0, + XSK_BOUND = 1, + XSK_UNBOUND = 2, + } state; + struct mutex mutex; + long: 64; + long: 64; + struct xsk_queue *tx; + struct list_head list; + spinlock_t tx_completion_lock; + spinlock_t rx_lock; + u64 rx_dropped; + struct list_head map_list; + spinlock_t map_list_lock; +}; + +typedef u64 (*btf_bpf_skb_get_pay_offset)(struct sk_buff *); + +typedef u64 (*btf_bpf_skb_get_nlattr)(struct sk_buff *, u32, u32); + +typedef u64 (*btf_bpf_skb_get_nlattr_nest)(struct sk_buff *, u32, u32); + +typedef u64 (*btf_bpf_skb_load_helper_8)(const struct sk_buff *, const void *, int, int); + +typedef u64 (*btf_bpf_skb_load_helper_8_no_cache)(const struct sk_buff *, int); + +typedef u64 (*btf_bpf_skb_load_helper_16)(const struct sk_buff *, const void *, int, int); + +typedef u64 (*btf_bpf_skb_load_helper_16_no_cache)(const struct sk_buff *, int); + +typedef u64 (*btf_bpf_skb_load_helper_32)(const struct sk_buff *, const void *, int, int); + +typedef u64 (*btf_bpf_skb_load_helper_32_no_cache)(const struct sk_buff *, int); + +typedef u64 (*btf_bpf_get_raw_cpu_id)(); + +struct bpf_scratchpad { + union { + __be32 diff[128]; + u8 buff[512]; + }; +}; + +typedef u64 (*btf_bpf_skb_store_bytes)(struct sk_buff *, u32, const void *, u32, u64); + +typedef u64 (*btf_bpf_skb_load_bytes)(const struct sk_buff *, u32, void *, u32); + +typedef u64 (*btf_bpf_flow_dissector_load_bytes)(const struct bpf_flow_dissector *, u32, void *, u32); + +typedef u64 (*btf_bpf_skb_load_bytes_relative)(const struct sk_buff *, u32, void *, u32, u32); + +typedef u64 (*btf_bpf_skb_pull_data)(struct sk_buff *, u32); + +typedef u64 (*btf_bpf_sk_fullsock)(struct sock *); + +typedef u64 (*btf_sk_skb_pull_data)(struct sk_buff *, u32); + +typedef u64 (*btf_bpf_l3_csum_replace)(struct sk_buff *, u32, u64, u64, u64); + +typedef u64 (*btf_bpf_l4_csum_replace)(struct sk_buff *, u32, u64, u64, u64); + +typedef u64 (*btf_bpf_csum_diff)(__be32 *, u32, __be32 *, u32, __wsum); + +typedef u64 (*btf_bpf_csum_update)(struct sk_buff *, __wsum); + +typedef u64 (*btf_bpf_clone_redirect)(struct sk_buff *, u32, u64); + +typedef u64 (*btf_bpf_redirect)(u32, u64); + +typedef u64 (*btf_bpf_msg_apply_bytes)(struct sk_msg *, u32); + +typedef u64 (*btf_bpf_msg_cork_bytes)(struct sk_msg *, u32); + +typedef u64 (*btf_bpf_msg_pull_data)(struct sk_msg *, u32, u32, u64); + +typedef u64 (*btf_bpf_msg_push_data)(struct sk_msg *, u32, u32, u64); + +typedef u64 (*btf_bpf_msg_pop_data)(struct sk_msg *, u32, u32, u64); + +typedef u64 (*btf_bpf_get_cgroup_classid)(const struct sk_buff *); + +typedef u64 (*btf_bpf_get_route_realm)(const struct sk_buff *); + +typedef u64 (*btf_bpf_get_hash_recalc)(struct sk_buff *); + +typedef u64 (*btf_bpf_set_hash_invalid)(struct sk_buff *); + +typedef u64 (*btf_bpf_set_hash)(struct sk_buff *, u32); + +typedef u64 (*btf_bpf_skb_vlan_push)(struct sk_buff *, __be16, u16); + +typedef u64 (*btf_bpf_skb_vlan_pop)(struct sk_buff *); + +typedef u64 (*btf_bpf_skb_change_proto)(struct sk_buff *, __be16, u64); + +typedef u64 (*btf_bpf_skb_change_type)(struct sk_buff *, u32); + +typedef u64 (*btf_bpf_skb_adjust_room)(struct sk_buff *, s32, u32, u64); + +typedef u64 (*btf_bpf_skb_change_tail)(struct sk_buff *, u32, u64); + +typedef u64 (*btf_sk_skb_change_tail)(struct sk_buff *, u32, u64); + +typedef u64 (*btf_bpf_skb_change_head)(struct sk_buff *, u32, u64); + +typedef u64 (*btf_sk_skb_change_head)(struct sk_buff *, u32, u64); + +typedef u64 (*btf_bpf_xdp_adjust_head)(struct xdp_buff *, int); + +typedef u64 (*btf_bpf_xdp_adjust_tail)(struct xdp_buff *, int); + +typedef u64 (*btf_bpf_xdp_adjust_meta)(struct xdp_buff *, int); + +typedef u64 (*btf_bpf_xdp_redirect)(u32, u64); + +typedef u64 (*btf_bpf_xdp_redirect_map)(struct bpf_map *, u32, u64); + +typedef u64 (*btf_bpf_skb_event_output)(struct sk_buff *, struct bpf_map *, u64, void *, u64); + +typedef u64 (*btf_bpf_skb_get_tunnel_key)(struct sk_buff *, struct bpf_tunnel_key *, u32, u64); + +typedef u64 (*btf_bpf_skb_get_tunnel_opt)(struct sk_buff *, u8 *, u32); + +typedef u64 (*btf_bpf_skb_set_tunnel_key)(struct sk_buff *, const struct bpf_tunnel_key *, u32, u64); + +typedef u64 (*btf_bpf_skb_set_tunnel_opt)(struct sk_buff *, const u8 *, u32); + +typedef u64 (*btf_bpf_skb_under_cgroup)(struct sk_buff *, struct bpf_map *, u32); + +typedef u64 (*btf_bpf_xdp_event_output)(struct xdp_buff *, struct bpf_map *, u64, void *, u64); + +typedef u64 (*btf_bpf_get_socket_cookie)(struct sk_buff *); + +typedef u64 (*btf_bpf_get_socket_cookie_sock_addr)(struct bpf_sock_addr_kern *); + +typedef u64 (*btf_bpf_get_socket_cookie_sock_ops)(struct bpf_sock_ops_kern *); + +typedef u64 (*btf_bpf_get_socket_uid)(struct sk_buff *); + +typedef u64 (*btf_bpf_sockopt_event_output)(struct bpf_sock_ops_kern *, struct bpf_map *, u64, void *, u64); + +typedef u64 (*btf_bpf_setsockopt)(struct bpf_sock_ops_kern *, int, int, char *, int); + +typedef u64 (*btf_bpf_getsockopt)(struct bpf_sock_ops_kern *, int, int, char *, int); + +typedef u64 (*btf_bpf_sock_ops_cb_flags_set)(struct bpf_sock_ops_kern *, int); + +typedef u64 (*btf_bpf_bind)(struct bpf_sock_addr_kern *, struct sockaddr *, int); + +typedef u64 (*btf_bpf_skb_get_xfrm_state)(struct sk_buff *, u32, struct bpf_xfrm_state *, u32, u64); + +typedef u64 (*btf_bpf_xdp_fib_lookup)(struct xdp_buff *, struct bpf_fib_lookup *, int, u32); + +typedef u64 (*btf_bpf_skb_fib_lookup)(struct sk_buff *, struct bpf_fib_lookup *, int, u32); + +typedef u64 (*btf_bpf_lwt_in_push_encap)(struct sk_buff *, u32, void *, u32); + +typedef u64 (*btf_bpf_lwt_xmit_push_encap)(struct sk_buff *, u32, void *, u32); + +typedef u64 (*btf_bpf_skc_lookup_tcp)(struct sk_buff *, struct bpf_sock_tuple *, u32, u64, u64); + +typedef u64 (*btf_bpf_sk_lookup_tcp)(struct sk_buff *, struct bpf_sock_tuple *, u32, u64, u64); + +typedef u64 (*btf_bpf_sk_lookup_udp)(struct sk_buff *, struct bpf_sock_tuple *, u32, u64, u64); + +typedef u64 (*btf_bpf_sk_release)(struct sock *); + +typedef u64 (*btf_bpf_xdp_sk_lookup_udp)(struct xdp_buff *, struct bpf_sock_tuple *, u32, u32, u64); + +typedef u64 (*btf_bpf_xdp_skc_lookup_tcp)(struct xdp_buff *, struct bpf_sock_tuple *, u32, u32, u64); + +typedef u64 (*btf_bpf_xdp_sk_lookup_tcp)(struct xdp_buff *, struct bpf_sock_tuple *, u32, u32, u64); + +typedef u64 (*btf_bpf_sock_addr_skc_lookup_tcp)(struct bpf_sock_addr_kern *, struct bpf_sock_tuple *, u32, u64, u64); + +typedef u64 (*btf_bpf_sock_addr_sk_lookup_tcp)(struct bpf_sock_addr_kern *, struct bpf_sock_tuple *, u32, u64, u64); + +typedef u64 (*btf_bpf_sock_addr_sk_lookup_udp)(struct bpf_sock_addr_kern *, struct bpf_sock_tuple *, u32, u64, u64); + +typedef u64 (*btf_bpf_tcp_sock)(struct sock *); + +typedef u64 (*btf_bpf_get_listener_sock)(struct sock *); + +typedef u64 (*btf_bpf_skb_ecn_set_ce)(struct sk_buff *); + +typedef u64 (*btf_bpf_tcp_check_syncookie)(struct sock *, void *, u32, struct tcphdr *, u32); + +typedef u64 (*btf_bpf_tcp_gen_syncookie)(struct sock *, void *, u32, struct tcphdr *, u32); + +typedef u64 (*btf_sk_select_reuseport)(struct sk_reuseport_kern *, struct bpf_map *, void *, u32); + +typedef u64 (*btf_sk_reuseport_load_bytes)(const struct sk_reuseport_kern *, u32, void *, u32); + +typedef u64 (*btf_sk_reuseport_load_bytes_relative)(const struct sk_reuseport_kern *, u32, void *, u32, u32); + +struct bpf_dtab_netdev; + +struct bpf_cpu_map_entry; + +struct sock_diag_req { + __u8 sdiag_family; + __u8 sdiag_protocol; +}; + +struct sock_diag_handler { + __u8 family; + int (*dump)(struct sk_buff *, struct nlmsghdr *); + int (*get_info)(struct sk_buff *, struct sock *); + int (*destroy)(struct sk_buff *, struct nlmsghdr *); +}; + +struct broadcast_sk { + struct sock *sk; + struct work_struct work; +}; + +typedef int gifconf_func_t(struct net_device *, char *, int, int); + +struct tso_t { + int next_frag_idx; + void *data; + size_t size; + u16 ip_id; + bool ipv6; + u32 tcp_seq; +}; + +struct fib_notifier_info { + int family; + struct netlink_ext_ack *extack; +}; + +enum fib_event_type { + FIB_EVENT_ENTRY_REPLACE = 0, + FIB_EVENT_ENTRY_APPEND = 1, + FIB_EVENT_ENTRY_ADD = 2, + FIB_EVENT_ENTRY_DEL = 3, + FIB_EVENT_RULE_ADD = 4, + FIB_EVENT_RULE_DEL = 5, + FIB_EVENT_NH_ADD = 6, + FIB_EVENT_NH_DEL = 7, + FIB_EVENT_VIF_ADD = 8, + FIB_EVENT_VIF_DEL = 9, +}; + +struct fib_notifier_net { + struct list_head fib_notifier_ops; + struct atomic_notifier_head fib_chain; +}; + +struct xdp_attachment_info { + struct bpf_prog *prog; + u32 flags; +}; + +struct ptr_ring { + int producer; + spinlock_t producer_lock; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + int consumer_head; + int consumer_tail; + spinlock_t consumer_lock; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + int size; + int batch; + void **queue; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct pp_alloc_cache { + u32 count; + void *cache[128]; +}; + +struct page_pool_params { + unsigned int flags; + unsigned int order; + unsigned int pool_size; + int nid; + struct device *dev; + enum dma_data_direction dma_dir; + unsigned int max_len; + unsigned int offset; +}; + +struct page_pool { + struct page_pool_params p; + struct delayed_work release_dw; + void (*disconnect)(void *); + long unsigned int defer_start; + long unsigned int defer_warn; + u32 pages_state_hold_cnt; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + struct pp_alloc_cache alloc; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct ptr_ring ring; + atomic_t pages_state_release_cnt; + refcount_t user_cnt; + u64 destroy_cnt; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct flow_match_meta { + struct flow_dissector_key_meta *key; + struct flow_dissector_key_meta *mask; +}; + +struct flow_match_basic { + struct flow_dissector_key_basic *key; + struct flow_dissector_key_basic *mask; +}; + +struct flow_match_control { + struct flow_dissector_key_control *key; + struct flow_dissector_key_control *mask; +}; + +struct flow_match_eth_addrs { + struct flow_dissector_key_eth_addrs *key; + struct flow_dissector_key_eth_addrs *mask; +}; + +struct flow_match_vlan { + struct flow_dissector_key_vlan *key; + struct flow_dissector_key_vlan *mask; +}; + +struct flow_match_ipv4_addrs { + struct flow_dissector_key_ipv4_addrs *key; + struct flow_dissector_key_ipv4_addrs *mask; +}; + +struct flow_match_ipv6_addrs { + struct flow_dissector_key_ipv6_addrs *key; + struct flow_dissector_key_ipv6_addrs *mask; +}; + +struct flow_match_ip { + struct flow_dissector_key_ip *key; + struct flow_dissector_key_ip *mask; +}; + +struct flow_match_ports { + struct flow_dissector_key_ports *key; + struct flow_dissector_key_ports *mask; +}; + +struct flow_match_icmp { + struct flow_dissector_key_icmp *key; + struct flow_dissector_key_icmp *mask; +}; + +struct flow_match_tcp { + struct flow_dissector_key_tcp *key; + struct flow_dissector_key_tcp *mask; +}; + +struct flow_match_mpls { + struct flow_dissector_key_mpls *key; + struct flow_dissector_key_mpls *mask; +}; + +struct flow_match_enc_keyid { + struct flow_dissector_key_keyid *key; + struct flow_dissector_key_keyid *mask; +}; + +struct flow_match_enc_opts { + struct flow_dissector_key_enc_opts *key; + struct flow_dissector_key_enc_opts *mask; +}; + +enum flow_block_command { + FLOW_BLOCK_BIND = 0, + FLOW_BLOCK_UNBIND = 1, +}; + +enum flow_block_binder_type { + FLOW_BLOCK_BINDER_TYPE_UNSPEC = 0, + FLOW_BLOCK_BINDER_TYPE_CLSACT_INGRESS = 1, + FLOW_BLOCK_BINDER_TYPE_CLSACT_EGRESS = 2, +}; + +struct flow_block_offload { + enum flow_block_command command; + enum flow_block_binder_type binder_type; + bool block_shared; + bool unlocked_driver_cb; + struct net *net; + struct flow_block *block; + struct list_head cb_list; + struct list_head *driver_block_list; + struct netlink_ext_ack *extack; +}; + +struct flow_block_cb { + struct list_head driver_list; + struct list_head list; + flow_setup_cb_t *cb; + void *cb_ident; + void *cb_priv; + void (*release)(void *); + unsigned int refcnt; +}; + +typedef int flow_indr_block_bind_cb_t(struct net_device *, void *, enum tc_setup_type, void *); + +typedef void flow_indr_block_cmd_t(struct net_device *, flow_indr_block_bind_cb_t *, void *, enum flow_block_command); + +struct flow_indr_block_entry { + flow_indr_block_cmd_t *cb; + struct list_head list; +}; + +struct flow_indr_block_cb { + struct list_head list; + void *cb_priv; + flow_indr_block_bind_cb_t *cb; + void *cb_ident; +}; + +struct flow_indr_block_dev { + struct rhash_head ht_node; + struct net_device *dev; + unsigned int refcnt; + struct list_head cb_list; +}; + +struct rx_queue_attribute { + struct attribute attr; + ssize_t (*show)(struct netdev_rx_queue *, char *); + ssize_t (*store)(struct netdev_rx_queue *, const char *, size_t); +}; + +struct netdev_queue_attribute { + struct attribute attr; + ssize_t (*show)(struct netdev_queue *, char *); + ssize_t (*store)(struct netdev_queue *, const char *, size_t); +}; + +struct fib_rule_uid_range { + __u32 start; + __u32 end; +}; + +enum { + FRA_UNSPEC = 0, + FRA_DST = 1, + FRA_SRC = 2, + FRA_IIFNAME = 3, + FRA_GOTO = 4, + FRA_UNUSED2 = 5, + FRA_PRIORITY = 6, + FRA_UNUSED3 = 7, + FRA_UNUSED4 = 8, + FRA_UNUSED5 = 9, + FRA_FWMARK = 10, + FRA_FLOW = 11, + FRA_TUN_ID = 12, + FRA_SUPPRESS_IFGROUP = 13, + FRA_SUPPRESS_PREFIXLEN = 14, + FRA_TABLE = 15, + FRA_FWMASK = 16, + FRA_OIFNAME = 17, + FRA_PAD = 18, + FRA_L3MDEV = 19, + FRA_UID_RANGE = 20, + FRA_PROTOCOL = 21, + FRA_IP_PROTO = 22, + FRA_SPORT_RANGE = 23, + FRA_DPORT_RANGE = 24, + __FRA_MAX = 25, +}; + +enum { + FR_ACT_UNSPEC = 0, + FR_ACT_TO_TBL = 1, + FR_ACT_GOTO = 2, + FR_ACT_NOP = 3, + FR_ACT_RES3 = 4, + FR_ACT_RES4 = 5, + FR_ACT_BLACKHOLE = 6, + FR_ACT_UNREACHABLE = 7, + FR_ACT_PROHIBIT = 8, + __FR_ACT_MAX = 9, +}; + +struct fib_rule_notifier_info { + struct fib_notifier_info info; + struct fib_rule *rule; +}; + +struct trace_event_raw_kfree_skb { + struct trace_entry ent; + void *skbaddr; + void *location; + short unsigned int protocol; + char __data[0]; +}; + +struct trace_event_raw_consume_skb { + struct trace_entry ent; + void *skbaddr; + char __data[0]; +}; + +struct trace_event_raw_skb_copy_datagram_iovec { + struct trace_entry ent; + const void *skbaddr; + int len; + char __data[0]; +}; + +struct trace_event_data_offsets_kfree_skb {}; + +struct trace_event_data_offsets_consume_skb {}; + +struct trace_event_data_offsets_skb_copy_datagram_iovec {}; + +struct trace_event_raw_net_dev_start_xmit { + struct trace_entry ent; + u32 __data_loc_name; + u16 queue_mapping; + const void *skbaddr; + bool vlan_tagged; + u16 vlan_proto; + u16 vlan_tci; + u16 protocol; + u8 ip_summed; + unsigned int len; + unsigned int data_len; + int network_offset; + bool transport_offset_valid; + int transport_offset; + u8 tx_flags; + u16 gso_size; + u16 gso_segs; + u16 gso_type; + char __data[0]; +}; + +struct trace_event_raw_net_dev_xmit { + struct trace_entry ent; + void *skbaddr; + unsigned int len; + int rc; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_net_dev_xmit_timeout { + struct trace_entry ent; + u32 __data_loc_name; + u32 __data_loc_driver; + int queue_index; + char __data[0]; +}; + +struct trace_event_raw_net_dev_template { + struct trace_entry ent; + void *skbaddr; + unsigned int len; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_raw_net_dev_rx_verbose_template { + struct trace_entry ent; + u32 __data_loc_name; + unsigned int napi_id; + u16 queue_mapping; + const void *skbaddr; + bool vlan_tagged; + u16 vlan_proto; + u16 vlan_tci; + u16 protocol; + u8 ip_summed; + u32 hash; + bool l4_hash; + unsigned int len; + unsigned int data_len; + unsigned int truesize; + bool mac_header_valid; + int mac_header; + unsigned char nr_frags; + u16 gso_size; + u16 gso_type; + char __data[0]; +}; + +struct trace_event_raw_net_dev_rx_exit_template { + struct trace_entry ent; + int ret; + char __data[0]; +}; + +struct trace_event_data_offsets_net_dev_start_xmit { + u32 name; +}; + +struct trace_event_data_offsets_net_dev_xmit { + u32 name; +}; + +struct trace_event_data_offsets_net_dev_xmit_timeout { + u32 name; + u32 driver; +}; + +struct trace_event_data_offsets_net_dev_template { + u32 name; +}; + +struct trace_event_data_offsets_net_dev_rx_verbose_template { + u32 name; +}; + +struct trace_event_data_offsets_net_dev_rx_exit_template {}; + +struct trace_event_raw_napi_poll { + struct trace_entry ent; + struct napi_struct *napi; + u32 __data_loc_dev_name; + int work; + int budget; + char __data[0]; +}; + +struct trace_event_data_offsets_napi_poll { + u32 dev_name; +}; + +enum tcp_ca_state { + TCP_CA_Open = 0, + TCP_CA_Disorder = 1, + TCP_CA_CWR = 2, + TCP_CA_Recovery = 3, + TCP_CA_Loss = 4, +}; + +struct trace_event_raw_sock_rcvqueue_full { + struct trace_entry ent; + int rmem_alloc; + unsigned int truesize; + int sk_rcvbuf; + char __data[0]; +}; + +struct trace_event_raw_sock_exceed_buf_limit { + struct trace_entry ent; + char name[32]; + long int *sysctl_mem; + long int allocated; + int sysctl_rmem; + int rmem_alloc; + int sysctl_wmem; + int wmem_alloc; + int wmem_queued; + int kind; + char __data[0]; +}; + +struct trace_event_raw_inet_sock_set_state { + struct trace_entry ent; + const void *skaddr; + int oldstate; + int newstate; + __u16 sport; + __u16 dport; + __u16 family; + __u8 protocol; + __u8 saddr[4]; + __u8 daddr[4]; + __u8 saddr_v6[16]; + __u8 daddr_v6[16]; + char __data[0]; +}; + +struct trace_event_data_offsets_sock_rcvqueue_full {}; + +struct trace_event_data_offsets_sock_exceed_buf_limit {}; + +struct trace_event_data_offsets_inet_sock_set_state {}; + +struct trace_event_raw_udp_fail_queue_rcv_skb { + struct trace_entry ent; + int rc; + __u16 lport; + char __data[0]; +}; + +struct trace_event_data_offsets_udp_fail_queue_rcv_skb {}; + +struct trace_event_raw_tcp_event_sk_skb { + struct trace_entry ent; + const void *skbaddr; + const void *skaddr; + int state; + __u16 sport; + __u16 dport; + __u8 saddr[4]; + __u8 daddr[4]; + __u8 saddr_v6[16]; + __u8 daddr_v6[16]; + char __data[0]; +}; + +struct trace_event_raw_tcp_event_sk { + struct trace_entry ent; + const void *skaddr; + __u16 sport; + __u16 dport; + __u8 saddr[4]; + __u8 daddr[4]; + __u8 saddr_v6[16]; + __u8 daddr_v6[16]; + __u64 sock_cookie; + char __data[0]; +}; + +struct trace_event_raw_tcp_retransmit_synack { + struct trace_entry ent; + const void *skaddr; + const void *req; + __u16 sport; + __u16 dport; + __u8 saddr[4]; + __u8 daddr[4]; + __u8 saddr_v6[16]; + __u8 daddr_v6[16]; + char __data[0]; +}; + +struct trace_event_raw_tcp_probe { + struct trace_entry ent; + __u8 saddr[28]; + __u8 daddr[28]; + __u16 sport; + __u16 dport; + __u32 mark; + __u16 data_len; + __u32 snd_nxt; + __u32 snd_una; + __u32 snd_cwnd; + __u32 ssthresh; + __u32 snd_wnd; + __u32 srtt; + __u32 rcv_wnd; + __u64 sock_cookie; + char __data[0]; +}; + +struct trace_event_data_offsets_tcp_event_sk_skb {}; + +struct trace_event_data_offsets_tcp_event_sk {}; + +struct trace_event_data_offsets_tcp_retransmit_synack {}; + +struct trace_event_data_offsets_tcp_probe {}; + +struct trace_event_raw_fib_table_lookup { + struct trace_entry ent; + u32 tb_id; + int err; + int oif; + int iif; + u8 proto; + __u8 tos; + __u8 scope; + __u8 flags; + __u8 src[4]; + __u8 dst[4]; + __u8 gw4[4]; + __u8 gw6[16]; + u16 sport; + u16 dport; + u32 __data_loc_name; + char __data[0]; +}; + +struct trace_event_data_offsets_fib_table_lookup { + u32 name; +}; + +struct trace_event_raw_qdisc_dequeue { + struct trace_entry ent; + struct Qdisc *qdisc; + const struct netdev_queue *txq; + int packets; + void *skbaddr; + int ifindex; + u32 handle; + u32 parent; + long unsigned int txq_state; + char __data[0]; +}; + +struct trace_event_data_offsets_qdisc_dequeue {}; + +struct trace_event_raw_neigh_create { + struct trace_entry ent; + u32 family; + u32 __data_loc_dev; + int entries; + u8 created; + u8 gc_exempt; + u8 primary_key4[4]; + u8 primary_key6[16]; + char __data[0]; +}; + +struct trace_event_raw_neigh_update { + struct trace_entry ent; + u32 family; + u32 __data_loc_dev; + u8 lladdr[32]; + u8 lladdr_len; + u8 flags; + u8 nud_state; + u8 type; + u8 dead; + int refcnt; + __u8 primary_key4[4]; + __u8 primary_key6[16]; + long unsigned int confirmed; + long unsigned int updated; + long unsigned int used; + u8 new_lladdr[32]; + u8 new_state; + u32 update_flags; + u32 pid; + char __data[0]; +}; + +struct trace_event_raw_neigh__update { + struct trace_entry ent; + u32 family; + u32 __data_loc_dev; + u8 lladdr[32]; + u8 lladdr_len; + u8 flags; + u8 nud_state; + u8 type; + u8 dead; + int refcnt; + __u8 primary_key4[4]; + __u8 primary_key6[16]; + long unsigned int confirmed; + long unsigned int updated; + long unsigned int used; + u32 err; + char __data[0]; +}; + +struct trace_event_data_offsets_neigh_create { + u32 dev; +}; + +struct trace_event_data_offsets_neigh_update { + u32 dev; +}; + +struct trace_event_data_offsets_neigh__update { + u32 dev; +}; + +struct dst_cache_pcpu { + long unsigned int refresh_ts; + struct dst_entry *dst; + u32 cookie; + union { + struct in_addr in_saddr; + struct in6_addr in6_saddr; + }; +}; + +struct gro_cell; + +struct gro_cells { + struct gro_cell *cells; +}; + +struct gro_cell { + struct sk_buff_head napi_skbs; + struct napi_struct napi; +}; + +struct group_req { + __u32 gr_interface; + struct __kernel_sockaddr_storage gr_group; +}; + +struct group_source_req { + __u32 gsr_interface; + struct __kernel_sockaddr_storage gsr_group; + struct __kernel_sockaddr_storage gsr_source; +}; + +struct group_filter { + __u32 gf_interface; + struct __kernel_sockaddr_storage gf_group; + __u32 gf_fmode; + __u32 gf_numsrc; + struct __kernel_sockaddr_storage gf_slist[1]; +}; + +struct compat_cmsghdr { + compat_size_t cmsg_len; + compat_int_t cmsg_level; + compat_int_t cmsg_type; +}; + +struct compat_group_req { + __u32 gr_interface; + struct __kernel_sockaddr_storage gr_group; +} __attribute__((packed)); + +struct compat_group_source_req { + __u32 gsr_interface; + struct __kernel_sockaddr_storage gsr_group; + struct __kernel_sockaddr_storage gsr_source; +} __attribute__((packed)); + +struct compat_group_filter { + __u32 gf_interface; + struct __kernel_sockaddr_storage gf_group; + __u32 gf_fmode; + __u32 gf_numsrc; + struct __kernel_sockaddr_storage gf_slist[1]; +} __attribute__((packed)); + +typedef struct sk_buff * (*gro_receive_t)(struct list_head *, struct sk_buff *); + +struct nvmem_cell___2; + +struct fddi_8022_1_hdr { + __u8 dsap; + __u8 ssap; + __u8 ctrl; +}; + +struct fddi_8022_2_hdr { + __u8 dsap; + __u8 ssap; + __u8 ctrl_1; + __u8 ctrl_2; +}; + +struct fddi_snap_hdr { + __u8 dsap; + __u8 ssap; + __u8 ctrl; + __u8 oui[3]; + __be16 ethertype; +}; + +struct fddihdr { + __u8 fc; + __u8 daddr[6]; + __u8 saddr[6]; + union { + struct fddi_8022_1_hdr llc_8022_1; + struct fddi_8022_2_hdr llc_8022_2; + struct fddi_snap_hdr llc_snap; + } hdr; +} __attribute__((packed)); + +struct tc_ratespec { + unsigned char cell_log; + __u8 linklayer; + short unsigned int overhead; + short int cell_align; + short unsigned int mpu; + __u32 rate; +}; + +struct tc_prio_qopt { + int bands; + __u8 priomap[16]; +}; + +enum { + TCA_UNSPEC = 0, + TCA_KIND = 1, + TCA_OPTIONS = 2, + TCA_STATS = 3, + TCA_XSTATS = 4, + TCA_RATE = 5, + TCA_FCNT = 6, + TCA_STATS2 = 7, + TCA_STAB = 8, + TCA_PAD = 9, + TCA_DUMP_INVISIBLE = 10, + TCA_CHAIN = 11, + TCA_HW_OFFLOAD = 12, + TCA_INGRESS_BLOCK = 13, + TCA_EGRESS_BLOCK = 14, + __TCA_MAX = 15, +}; + +struct skb_array { + struct ptr_ring ring; +}; + +struct psched_ratecfg { + u64 rate_bytes_ps; + u32 mult; + u16 overhead; + u8 linklayer; + u8 shift; +}; + +struct mini_Qdisc_pair { + struct mini_Qdisc miniq1; + struct mini_Qdisc miniq2; + struct mini_Qdisc **p_miniq; +}; + +struct pfifo_fast_priv { + struct skb_array q[3]; +}; + +struct tc_qopt_offload_stats { + struct gnet_stats_basic_packed *bstats; + struct gnet_stats_queue *qstats; +}; + +enum tc_mq_command { + TC_MQ_CREATE = 0, + TC_MQ_DESTROY = 1, + TC_MQ_STATS = 2, + TC_MQ_GRAFT = 3, +}; + +struct tc_mq_opt_offload_graft_params { + long unsigned int queue; + u32 child_handle; +}; + +struct tc_mq_qopt_offload { + enum tc_mq_command command; + u32 handle; + union { + struct tc_qopt_offload_stats stats; + struct tc_mq_opt_offload_graft_params graft_params; + }; +}; + +struct mq_sched { + struct Qdisc **qdiscs; +}; + +enum tc_link_layer { + TC_LINKLAYER_UNAWARE = 0, + TC_LINKLAYER_ETHERNET = 1, + TC_LINKLAYER_ATM = 2, +}; + +enum { + TCA_STAB_UNSPEC = 0, + TCA_STAB_BASE = 1, + TCA_STAB_DATA = 2, + __TCA_STAB_MAX = 3, +}; + +struct qdisc_rate_table { + struct tc_ratespec rate; + u32 data[256]; + struct qdisc_rate_table *next; + int refcnt; +}; + +struct Qdisc_class_common { + u32 classid; + struct hlist_node hnode; +}; + +struct Qdisc_class_hash { + struct hlist_head *hash; + unsigned int hashsize; + unsigned int hashmask; + unsigned int hashelems; +}; + +struct qdisc_watchdog { + u64 last_expires; + struct hrtimer timer; + struct Qdisc *qdisc; +}; + +enum tc_root_command { + TC_ROOT_GRAFT = 0, +}; + +struct tc_root_qopt_offload { + enum tc_root_command command; + u32 handle; + bool ingress; +}; + +struct check_loop_arg { + struct qdisc_walker w; + struct Qdisc *p; + int depth; +}; + +struct tcf_bind_args { + struct tcf_walker w; + u32 classid; + long unsigned int cl; +}; + +struct qdisc_dump_args { + struct qdisc_walker w; + struct sk_buff *skb; + struct netlink_callback *cb; +}; + +enum net_xmit_qdisc_t { + __NET_XMIT_STOLEN = 65536, + __NET_XMIT_BYPASS = 131072, +}; + +enum { + TCA_ACT_UNSPEC = 0, + TCA_ACT_KIND = 1, + TCA_ACT_OPTIONS = 2, + TCA_ACT_INDEX = 3, + TCA_ACT_STATS = 4, + TCA_ACT_PAD = 5, + TCA_ACT_COOKIE = 6, + TCA_ACT_FLAGS = 7, + __TCA_ACT_MAX = 8, +}; + +enum tca_id { + TCA_ID_UNSPEC = 0, + TCA_ID_POLICE = 1, + TCA_ID_GACT = 5, + TCA_ID_IPT = 6, + TCA_ID_PEDIT = 7, + TCA_ID_MIRRED = 8, + TCA_ID_NAT = 9, + TCA_ID_XT = 10, + TCA_ID_SKBEDIT = 11, + TCA_ID_VLAN = 12, + TCA_ID_BPF = 13, + TCA_ID_CONNMARK = 14, + TCA_ID_SKBMOD = 15, + TCA_ID_CSUM = 16, + TCA_ID_TUNNEL_KEY = 17, + TCA_ID_SIMP = 22, + TCA_ID_IFE = 25, + TCA_ID_SAMPLE = 26, + TCA_ID_CTINFO = 27, + TCA_ID_MPLS = 28, + TCA_ID_CT = 29, + __TCA_ID_MAX = 255, +}; + +struct tcf_t { + __u64 install; + __u64 lastuse; + __u64 expires; + __u64 firstuse; +}; + +struct psample_group { + struct list_head list; + struct net *net; + u32 group_num; + u32 refcount; + u32 seq; + struct callback_head rcu; +}; + +enum qdisc_class_ops_flags { + QDISC_CLASS_OPS_DOIT_UNLOCKED = 1, +}; + +enum tcf_proto_ops_flags { + TCF_PROTO_OPS_DOIT_UNLOCKED = 1, +}; + +typedef void tcf_chain_head_change_t(struct tcf_proto *, void *); + +struct tcf_idrinfo { + struct mutex lock; + struct idr action_idr; + struct net *net; +}; + +struct tc_action_ops; + +struct tc_cookie; + +struct tc_action { + const struct tc_action_ops *ops; + __u32 type; + struct tcf_idrinfo *idrinfo; + u32 tcfa_index; + refcount_t tcfa_refcnt; + atomic_t tcfa_bindcnt; + int tcfa_action; + struct tcf_t tcfa_tm; + struct gnet_stats_basic_packed tcfa_bstats; + struct gnet_stats_basic_packed tcfa_bstats_hw; + struct gnet_stats_queue tcfa_qstats; + struct net_rate_estimator *tcfa_rate_est; + spinlock_t tcfa_lock; + struct gnet_stats_basic_cpu *cpu_bstats; + struct gnet_stats_basic_cpu *cpu_bstats_hw; + struct gnet_stats_queue *cpu_qstats; + struct tc_cookie *act_cookie; + struct tcf_chain *goto_chain; + u32 tcfa_flags; +}; + +typedef void (*tc_action_priv_destructor)(void *); + +struct tc_action_ops { + struct list_head head; + char kind[16]; + enum tca_id id; + size_t size; + struct module *owner; + int (*act)(struct sk_buff *, const struct tc_action *, struct tcf_result *); + int (*dump)(struct sk_buff *, struct tc_action *, int, int); + void (*cleanup)(struct tc_action *); + int (*lookup)(struct net *, struct tc_action **, u32); + int (*init)(struct net *, struct nlattr *, struct nlattr *, struct tc_action **, int, int, bool, struct tcf_proto *, u32, struct netlink_ext_ack *); + int (*walk)(struct net *, struct sk_buff *, struct netlink_callback *, int, const struct tc_action_ops *, struct netlink_ext_ack *); + void (*stats_update)(struct tc_action *, u64, u32, u64, bool); + size_t (*get_fill_size)(const struct tc_action *); + struct net_device * (*get_dev)(const struct tc_action *, tc_action_priv_destructor *); + struct psample_group * (*get_psample_group)(const struct tc_action *, tc_action_priv_destructor *); +}; + +struct tc_cookie { + u8 *data; + u32 len; + struct callback_head rcu; +}; + +struct tcf_block_ext_info { + enum flow_block_binder_type binder_type; + tcf_chain_head_change_t *chain_head_change; + void *chain_head_change_priv; + u32 block_index; +}; + +struct tcf_exts { + __u32 type; + int nr_actions; + struct tc_action **actions; + struct net *net; + int action; + int police; +}; + +enum pedit_header_type { + TCA_PEDIT_KEY_EX_HDR_TYPE_NETWORK = 0, + TCA_PEDIT_KEY_EX_HDR_TYPE_ETH = 1, + TCA_PEDIT_KEY_EX_HDR_TYPE_IP4 = 2, + TCA_PEDIT_KEY_EX_HDR_TYPE_IP6 = 3, + TCA_PEDIT_KEY_EX_HDR_TYPE_TCP = 4, + TCA_PEDIT_KEY_EX_HDR_TYPE_UDP = 5, + __PEDIT_HDR_TYPE_MAX = 6, +}; + +enum pedit_cmd { + TCA_PEDIT_KEY_EX_CMD_SET = 0, + TCA_PEDIT_KEY_EX_CMD_ADD = 1, + __PEDIT_CMD_MAX = 2, +}; + +struct tc_pedit_key { + __u32 mask; + __u32 val; + __u32 off; + __u32 at; + __u32 offmask; + __u32 shift; +}; + +struct tcf_pedit_key_ex { + enum pedit_header_type htype; + enum pedit_cmd cmd; +}; + +struct tcf_pedit { + struct tc_action common; + unsigned char tcfp_nkeys; + unsigned char tcfp_flags; + struct tc_pedit_key *tcfp_keys; + struct tcf_pedit_key_ex *tcfp_keys_ex; +}; + +struct tcf_mirred { + struct tc_action common; + int tcfm_eaction; + bool tcfm_mac_header_xmit; + struct net_device *tcfm_dev; + struct list_head tcfm_list; +}; + +struct tcf_vlan_params { + int tcfv_action; + u16 tcfv_push_vid; + __be16 tcfv_push_proto; + u8 tcfv_push_prio; + struct callback_head rcu; +}; + +struct tcf_vlan { + struct tc_action common; + struct tcf_vlan_params *vlan_p; +}; + +struct tcf_tunnel_key_params { + struct callback_head rcu; + int tcft_action; + struct metadata_dst *tcft_enc_metadata; +}; + +struct tcf_tunnel_key { + struct tc_action common; + struct tcf_tunnel_key_params *params; +}; + +struct tcf_csum_params { + u32 update_flags; + struct callback_head rcu; +}; + +struct tcf_csum { + struct tc_action common; + struct tcf_csum_params *params; +}; + +struct tcf_gact { + struct tc_action common; +}; + +struct tcf_police_params { + int tcfp_result; + u32 tcfp_ewma_rate; + s64 tcfp_burst; + u32 tcfp_mtu; + s64 tcfp_mtu_ptoks; + struct psched_ratecfg rate; + bool rate_present; + struct psched_ratecfg peak; + bool peak_present; + struct callback_head rcu; +}; + +struct tcf_police { + struct tc_action common; + struct tcf_police_params *params; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + spinlock_t tcfp_lock; + s64 tcfp_toks; + s64 tcfp_ptoks; + s64 tcfp_t_c; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct tcf_sample { + struct tc_action common; + u32 rate; + bool truncate; + u32 trunc_size; + struct psample_group *psample_group; + u32 psample_group_num; + struct list_head tcfm_list; +}; + +struct tcf_skbedit_params { + u32 flags; + u32 priority; + u32 mark; + u32 mask; + u16 queue_mapping; + u16 ptype; + struct callback_head rcu; +}; + +struct tcf_skbedit { + struct tc_action common; + struct tcf_skbedit_params *params; +}; + +struct nf_nat_range2 { + unsigned int flags; + union nf_inet_addr min_addr; + union nf_inet_addr max_addr; + union nf_conntrack_man_proto min_proto; + union nf_conntrack_man_proto max_proto; + union nf_conntrack_man_proto base_proto; +}; + +struct tcf_ct_params { + struct nf_conn *tmpl; + u16 zone; + u32 mark; + u32 mark_mask; + u32 labels[4]; + u32 labels_mask[4]; + struct nf_nat_range2 range; + bool ipv4_range; + u16 ct_action; + struct callback_head rcu; +}; + +struct tcf_ct { + struct tc_action common; + struct tcf_ct_params *params; +}; + +struct tcf_mpls_params { + int tcfm_action; + u32 tcfm_label; + u8 tcfm_tc; + u8 tcfm_ttl; + u8 tcfm_bos; + __be16 tcfm_proto; + struct callback_head rcu; +}; + +struct tcf_mpls { + struct tc_action common; + struct tcf_mpls_params *mpls_p; +}; + +struct tcf_filter_chain_list_item { + struct list_head list; + tcf_chain_head_change_t *chain_head_change; + void *chain_head_change_priv; +}; + +struct tcf_net { + spinlock_t idr_lock; + struct idr idr; +}; + +struct tcf_block_owner_item { + struct list_head list; + struct Qdisc *q; + enum flow_block_binder_type binder_type; +}; + +struct tcf_chain_info { + struct tcf_proto **pprev; + struct tcf_proto *next; +}; + +struct tcf_dump_args { + struct tcf_walker w; + struct sk_buff *skb; + struct netlink_callback *cb; + struct tcf_block *block; + struct Qdisc *q; + u32 parent; +}; + +struct tcamsg { + unsigned char tca_family; + unsigned char tca__pad1; + short unsigned int tca__pad2; +}; + +enum { + TCA_ROOT_UNSPEC = 0, + TCA_ROOT_TAB = 1, + TCA_ROOT_FLAGS = 2, + TCA_ROOT_COUNT = 3, + TCA_ROOT_TIME_DELTA = 4, + __TCA_ROOT_MAX = 5, +}; + +struct tc_action_net { + struct tcf_idrinfo *idrinfo; + const struct tc_action_ops *ops; +}; + +struct tc_fifo_qopt { + __u32 limit; +}; + +struct tcf_ematch_tree_hdr { + __u16 nmatches; + __u16 progid; +}; + +enum { + TCA_EMATCH_TREE_UNSPEC = 0, + TCA_EMATCH_TREE_HDR = 1, + TCA_EMATCH_TREE_LIST = 2, + __TCA_EMATCH_TREE_MAX = 3, +}; + +struct tcf_ematch_hdr { + __u16 matchid; + __u16 kind; + __u16 flags; + __u16 pad; +}; + +struct tcf_pkt_info { + unsigned char *ptr; + int nexthdr; +}; + +struct tcf_ematch_ops; + +struct tcf_ematch { + struct tcf_ematch_ops *ops; + long unsigned int data; + unsigned int datalen; + u16 matchid; + u16 flags; + struct net *net; +}; + +struct tcf_ematch_ops { + int kind; + int datalen; + int (*change)(struct net *, void *, int, struct tcf_ematch *); + int (*match)(struct sk_buff *, struct tcf_ematch *, struct tcf_pkt_info *); + void (*destroy)(struct tcf_ematch *); + int (*dump)(struct sk_buff *, struct tcf_ematch *); + struct module *owner; + struct list_head link; +}; + +struct tcf_ematch_tree { + struct tcf_ematch_tree_hdr hdr; + struct tcf_ematch *matches; +}; + +struct sockaddr_nl { + __kernel_sa_family_t nl_family; + short unsigned int nl_pad; + __u32 nl_pid; + __u32 nl_groups; +}; + +struct nlmsgerr { + int error; + struct nlmsghdr msg; +}; + +enum nlmsgerr_attrs { + NLMSGERR_ATTR_UNUSED = 0, + NLMSGERR_ATTR_MSG = 1, + NLMSGERR_ATTR_OFFS = 2, + NLMSGERR_ATTR_COOKIE = 3, + __NLMSGERR_ATTR_MAX = 4, + NLMSGERR_ATTR_MAX = 3, +}; + +struct nl_pktinfo { + __u32 group; +}; + +enum { + NETLINK_UNCONNECTED = 0, + NETLINK_CONNECTED = 1, +}; + +enum netlink_skb_flags { + NETLINK_SKB_DST = 8, +}; + +struct netlink_notify { + struct net *net; + u32 portid; + int protocol; +}; + +struct netlink_tap { + struct net_device *dev; + struct module *module; + struct list_head list; +}; + +struct netlink_sock { + struct sock sk; + u32 portid; + u32 dst_portid; + u32 dst_group; + u32 flags; + u32 subscriptions; + u32 ngroups; + long unsigned int *groups; + long unsigned int state; + size_t max_recvmsg_len; + wait_queue_head_t wait; + bool bound; + bool cb_running; + int dump_done_errno; + struct netlink_callback cb; + struct mutex *cb_mutex; + struct mutex cb_def_mutex; + void (*netlink_rcv)(struct sk_buff *); + int (*netlink_bind)(struct net *, int); + void (*netlink_unbind)(struct net *, int); + struct module *module; + struct rhash_head node; + struct callback_head rcu; + struct work_struct work; +}; + +struct listeners; + +struct netlink_table { + struct rhashtable hash; + struct hlist_head mc_list; + struct listeners *listeners; + unsigned int flags; + unsigned int groups; + struct mutex *cb_mutex; + struct module *module; + int (*bind)(struct net *, int); + void (*unbind)(struct net *, int); + bool (*compare)(struct net *, struct sock *); + int registered; +}; + +struct listeners { + struct callback_head rcu; + long unsigned int masks[0]; +}; + +struct netlink_tap_net { + struct list_head netlink_tap_all; + struct mutex netlink_tap_lock; +}; + +struct netlink_compare_arg { + possible_net_t pnet; + u32 portid; +}; + +struct netlink_broadcast_data { + struct sock *exclude_sk; + struct net *net; + u32 portid; + u32 group; + int failure; + int delivery_failure; + int congested; + int delivered; + gfp_t allocation; + struct sk_buff *skb; + struct sk_buff *skb2; + int (*tx_filter)(struct sock *, struct sk_buff *, void *); + void *tx_data; +}; + +struct netlink_set_err_data { + struct sock *exclude_sk; + u32 portid; + u32 group; + int code; +}; + +struct nl_seq_iter { + struct seq_net_private p; + struct rhashtable_iter hti; + int link; +}; + +enum { + CTRL_CMD_UNSPEC = 0, + CTRL_CMD_NEWFAMILY = 1, + CTRL_CMD_DELFAMILY = 2, + CTRL_CMD_GETFAMILY = 3, + CTRL_CMD_NEWOPS = 4, + CTRL_CMD_DELOPS = 5, + CTRL_CMD_GETOPS = 6, + CTRL_CMD_NEWMCAST_GRP = 7, + CTRL_CMD_DELMCAST_GRP = 8, + CTRL_CMD_GETMCAST_GRP = 9, + __CTRL_CMD_MAX = 10, +}; + +enum { + CTRL_ATTR_UNSPEC = 0, + CTRL_ATTR_FAMILY_ID = 1, + CTRL_ATTR_FAMILY_NAME = 2, + CTRL_ATTR_VERSION = 3, + CTRL_ATTR_HDRSIZE = 4, + CTRL_ATTR_MAXATTR = 5, + CTRL_ATTR_OPS = 6, + CTRL_ATTR_MCAST_GROUPS = 7, + __CTRL_ATTR_MAX = 8, +}; + +enum { + CTRL_ATTR_OP_UNSPEC = 0, + CTRL_ATTR_OP_ID = 1, + CTRL_ATTR_OP_FLAGS = 2, + __CTRL_ATTR_OP_MAX = 3, +}; + +enum { + CTRL_ATTR_MCAST_GRP_UNSPEC = 0, + CTRL_ATTR_MCAST_GRP_NAME = 1, + CTRL_ATTR_MCAST_GRP_ID = 2, + __CTRL_ATTR_MCAST_GRP_MAX = 3, +}; + +struct genl_dumpit_info { + const struct genl_family *family; + const struct genl_ops *ops; + struct nlattr **attrs; +}; + +struct nf_hook_entries_rcu_head { + struct callback_head head; + void *allocation; +}; + +struct nf_ct_hook { + int (*update)(struct net *, struct sk_buff *); + void (*destroy)(struct nf_conntrack *); + bool (*get_tuple_skb)(struct nf_conntrack_tuple *, const struct sk_buff *); +}; + +struct nfnl_ct_hook { + struct nf_conn * (*get_ct)(const struct sk_buff *, enum ip_conntrack_info *); + size_t (*build_size)(const struct nf_conn *); + int (*build)(struct sk_buff *, struct nf_conn *, enum ip_conntrack_info, u_int16_t, u_int16_t); + int (*parse)(const struct nlattr *, struct nf_conn *); + int (*attach_expect)(const struct nlattr *, struct nf_conn *, u32, u32); + void (*seq_adjust)(struct sk_buff *, struct nf_conn *, enum ip_conntrack_info, s32); +}; + +struct nf_loginfo { + u_int8_t type; + union { + struct { + u_int32_t copy_len; + u_int16_t group; + u_int16_t qthreshold; + u_int16_t flags; + } ulog; + struct { + u_int8_t level; + u_int8_t logflags; + } log; + } u; +}; + +struct nf_log_buf { + unsigned int count; + char buf[1020]; +}; + +struct ip_rt_info { + __be32 daddr; + __be32 saddr; + u_int8_t tos; + u_int32_t mark; +}; + +struct ip6_rt_info { + struct in6_addr daddr; + struct in6_addr saddr; + u_int32_t mark; +}; + +struct nf_sockopt_ops { + struct list_head list; + u_int8_t pf; + int set_optmin; + int set_optmax; + int (*set)(struct sock *, int, void *, unsigned int); + int (*compat_set)(struct sock *, int, void *, unsigned int); + int get_optmin; + int get_optmax; + int (*get)(struct sock *, int, void *, int *); + int (*compat_get)(struct sock *, int, void *, int *); + struct module *owner; +}; + +enum nfnetlink_groups { + NFNLGRP_NONE = 0, + NFNLGRP_CONNTRACK_NEW = 1, + NFNLGRP_CONNTRACK_UPDATE = 2, + NFNLGRP_CONNTRACK_DESTROY = 3, + NFNLGRP_CONNTRACK_EXP_NEW = 4, + NFNLGRP_CONNTRACK_EXP_UPDATE = 5, + NFNLGRP_CONNTRACK_EXP_DESTROY = 6, + NFNLGRP_NFTABLES = 7, + NFNLGRP_ACCT_QUOTA = 8, + NFNLGRP_NFTRACE = 9, + __NFNLGRP_MAX = 10, +}; + +struct nfgenmsg { + __u8 nfgen_family; + __u8 version; + __be16 res_id; +}; + +enum nfnl_batch_attributes { + NFNL_BATCH_UNSPEC = 0, + NFNL_BATCH_GENID = 1, + __NFNL_BATCH_MAX = 2, +}; + +struct nfnl_callback { + int (*call)(struct net *, struct sock *, struct sk_buff *, const struct nlmsghdr *, const struct nlattr * const *, struct netlink_ext_ack *); + int (*call_rcu)(struct net *, struct sock *, struct sk_buff *, const struct nlmsghdr *, const struct nlattr * const *, struct netlink_ext_ack *); + int (*call_batch)(struct net *, struct sock *, struct sk_buff *, const struct nlmsghdr *, const struct nlattr * const *, struct netlink_ext_ack *); + const struct nla_policy *policy; + const u_int16_t attr_count; +}; + +struct nfnetlink_subsystem { + const char *name; + __u8 subsys_id; + __u8 cb_count; + const struct nfnl_callback *cb; + struct module *owner; + int (*commit)(struct net *, struct sk_buff *); + int (*abort)(struct net *, struct sk_buff *, bool); + void (*cleanup)(struct net *); + bool (*valid_genid)(struct net *, u32); +}; + +struct nfnl_err { + struct list_head head; + struct nlmsghdr *nlh; + int err; + struct netlink_ext_ack extack; +}; + +enum { + NFNL_BATCH_FAILURE = 1, + NFNL_BATCH_DONE = 2, + NFNL_BATCH_REPLAY = 4, +}; + +enum nfulnl_msg_types { + NFULNL_MSG_PACKET = 0, + NFULNL_MSG_CONFIG = 1, + NFULNL_MSG_MAX = 2, +}; + +struct nfulnl_msg_packet_hdr { + __be16 hw_protocol; + __u8 hook; + __u8 _pad; +}; + +struct nfulnl_msg_packet_hw { + __be16 hw_addrlen; + __u16 _pad; + __u8 hw_addr[8]; +}; + +struct nfulnl_msg_packet_timestamp { + __be64 sec; + __be64 usec; +}; + +enum nfulnl_vlan_attr { + NFULA_VLAN_UNSPEC = 0, + NFULA_VLAN_PROTO = 1, + NFULA_VLAN_TCI = 2, + __NFULA_VLAN_MAX = 3, +}; + +enum nfulnl_attr_type { + NFULA_UNSPEC = 0, + NFULA_PACKET_HDR = 1, + NFULA_MARK = 2, + NFULA_TIMESTAMP = 3, + NFULA_IFINDEX_INDEV = 4, + NFULA_IFINDEX_OUTDEV = 5, + NFULA_IFINDEX_PHYSINDEV = 6, + NFULA_IFINDEX_PHYSOUTDEV = 7, + NFULA_HWADDR = 8, + NFULA_PAYLOAD = 9, + NFULA_PREFIX = 10, + NFULA_UID = 11, + NFULA_SEQ = 12, + NFULA_SEQ_GLOBAL = 13, + NFULA_GID = 14, + NFULA_HWTYPE = 15, + NFULA_HWHEADER = 16, + NFULA_HWLEN = 17, + NFULA_CT = 18, + NFULA_CT_INFO = 19, + NFULA_VLAN = 20, + NFULA_L2HDR = 21, + __NFULA_MAX = 22, +}; + +enum nfulnl_msg_config_cmds { + NFULNL_CFG_CMD_NONE = 0, + NFULNL_CFG_CMD_BIND = 1, + NFULNL_CFG_CMD_UNBIND = 2, + NFULNL_CFG_CMD_PF_BIND = 3, + NFULNL_CFG_CMD_PF_UNBIND = 4, +}; + +struct nfulnl_msg_config_cmd { + __u8 command; +}; + +struct nfulnl_msg_config_mode { + __be32 copy_range; + __u8 copy_mode; + __u8 _pad; +} __attribute__((packed)); + +enum nfulnl_attr_config { + NFULA_CFG_UNSPEC = 0, + NFULA_CFG_CMD = 1, + NFULA_CFG_MODE = 2, + NFULA_CFG_NLBUFSIZ = 3, + NFULA_CFG_TIMEOUT = 4, + NFULA_CFG_QTHRESH = 5, + NFULA_CFG_FLAGS = 6, + __NFULA_CFG_MAX = 7, +}; + +struct nfulnl_instance { + struct hlist_node hlist; + spinlock_t lock; + refcount_t use; + unsigned int qlen; + struct sk_buff *skb; + struct timer_list timer; + struct net *net; + struct user_namespace *peer_user_ns; + u32 peer_portid; + unsigned int flushtimeout; + unsigned int nlbufsiz; + unsigned int qthreshold; + u_int32_t copy_range; + u_int32_t seq; + u_int16_t group_num; + u_int16_t flags; + u_int8_t copy_mode; + struct callback_head rcu; +}; + +struct nfnl_log_net { + spinlock_t instances_lock; + struct hlist_head instance_table[16]; + atomic_t global_seq; +}; + +struct iter_state { + struct seq_net_private p; + unsigned int bucket; +}; + +enum ip_conntrack_status { + IPS_EXPECTED_BIT = 0, + IPS_EXPECTED = 1, + IPS_SEEN_REPLY_BIT = 1, + IPS_SEEN_REPLY = 2, + IPS_ASSURED_BIT = 2, + IPS_ASSURED = 4, + IPS_CONFIRMED_BIT = 3, + IPS_CONFIRMED = 8, + IPS_SRC_NAT_BIT = 4, + IPS_SRC_NAT = 16, + IPS_DST_NAT_BIT = 5, + IPS_DST_NAT = 32, + IPS_NAT_MASK = 48, + IPS_SEQ_ADJUST_BIT = 6, + IPS_SEQ_ADJUST = 64, + IPS_SRC_NAT_DONE_BIT = 7, + IPS_SRC_NAT_DONE = 128, + IPS_DST_NAT_DONE_BIT = 8, + IPS_DST_NAT_DONE = 256, + IPS_NAT_DONE_MASK = 384, + IPS_DYING_BIT = 9, + IPS_DYING = 512, + IPS_FIXED_TIMEOUT_BIT = 10, + IPS_FIXED_TIMEOUT = 1024, + IPS_TEMPLATE_BIT = 11, + IPS_TEMPLATE = 2048, + IPS_UNTRACKED_BIT = 12, + IPS_UNTRACKED = 4096, + IPS_HELPER_BIT = 13, + IPS_HELPER = 8192, + IPS_OFFLOAD_BIT = 14, + IPS_OFFLOAD = 16384, + IPS_UNCHANGEABLE_MASK = 19449, + __IPS_MAX_BIT = 15, +}; + +enum ip_conntrack_events { + IPCT_NEW = 0, + IPCT_RELATED = 1, + IPCT_DESTROY = 2, + IPCT_REPLY = 3, + IPCT_ASSURED = 4, + IPCT_PROTOINFO = 5, + IPCT_HELPER = 6, + IPCT_MARK = 7, + IPCT_SEQADJ = 8, + IPCT_NATSEQADJ = 8, + IPCT_SECMARK = 9, + IPCT_LABEL = 10, + IPCT_SYNPROXY = 11, + __IPCT_MAX = 12, +}; + +struct nf_conntrack_tuple_mask { + struct { + union nf_inet_addr u3; + union nf_conntrack_man_proto u; + } src; +}; + +struct nf_conntrack_l4proto { + u_int8_t l4proto; + bool allow_clash; + u16 nlattr_size; + bool (*can_early_drop)(const struct nf_conn *); + int (*to_nlattr)(struct sk_buff *, struct nlattr *, struct nf_conn *); + int (*from_nlattr)(struct nlattr **, struct nf_conn *); + int (*tuple_to_nlattr)(struct sk_buff *, const struct nf_conntrack_tuple *); + unsigned int (*nlattr_tuple_size)(); + int (*nlattr_to_tuple)(struct nlattr **, struct nf_conntrack_tuple *); + const struct nla_policy *nla_policy; + struct { + int (*nlattr_to_obj)(struct nlattr **, struct net *, void *); + int (*obj_to_nlattr)(struct sk_buff *, const void *); + u16 obj_size; + u16 nlattr_max; + const struct nla_policy *nla_policy; + } ctnl_timeout; + void (*print_conntrack)(struct seq_file *, struct nf_conn *); +}; + +struct nf_conntrack_helper; + +struct nf_conntrack_expect { + struct hlist_node lnode; + struct hlist_node hnode; + struct nf_conntrack_tuple tuple; + struct nf_conntrack_tuple_mask mask; + void (*expectfn)(struct nf_conn *, struct nf_conntrack_expect *); + struct nf_conntrack_helper *helper; + struct nf_conn *master; + struct timer_list timeout; + refcount_t use; + unsigned int flags; + unsigned int class; + union nf_inet_addr saved_addr; + union nf_conntrack_man_proto saved_proto; + enum ip_conntrack_dir dir; + struct callback_head rcu; +}; + +struct nf_conntrack_expect_policy; + +struct nf_conntrack_helper { + struct hlist_node hnode; + char name[16]; + refcount_t refcnt; + struct module *me; + const struct nf_conntrack_expect_policy *expect_policy; + struct nf_conntrack_tuple tuple; + int (*help)(struct sk_buff *, unsigned int, struct nf_conn *, enum ip_conntrack_info); + void (*destroy)(struct nf_conn *); + int (*from_nlattr)(struct nlattr *, struct nf_conn *); + int (*to_nlattr)(struct sk_buff *, const struct nf_conn *); + unsigned int expect_class_max; + unsigned int flags; + unsigned int queue_num; + u16 data_len; + char nat_mod_name[16]; +}; + +struct nf_conntrack_expect_policy { + unsigned int max_expected; + unsigned int timeout; + char name[16]; +}; + +struct nf_conn_help { + struct nf_conntrack_helper *helper; + struct hlist_head expectations; + u8 expecting[4]; + int: 32; + char data[32]; +}; + +enum nf_ct_ecache_state { + NFCT_ECACHE_UNKNOWN = 0, + NFCT_ECACHE_DESTROY_FAIL = 1, + NFCT_ECACHE_DESTROY_SENT = 2, +}; + +struct nf_conntrack_ecache { + long unsigned int cache; + u16 missed; + u16 ctmask; + u16 expmask; + enum nf_ct_ecache_state state: 8; + u32 portid; +}; + +struct nf_conn_counter { + atomic64_t packets; + atomic64_t bytes; +}; + +struct nf_conn_acct { + struct nf_conn_counter counter[2]; +}; + +struct nf_conn_tstamp { + u_int64_t start; + u_int64_t stop; +}; + +struct nf_ct_timeout { + __u16 l3num; + const struct nf_conntrack_l4proto *l4proto; + char data[0]; +}; + +struct nf_conn_timeout { + struct nf_ct_timeout *timeout; +}; + +struct conntrack_gc_work { + struct delayed_work dwork; + u32 last_bucket; + bool exiting; + bool early_drop; + long int next_gc_run; +}; + +enum ctattr_l4proto { + CTA_PROTO_UNSPEC = 0, + CTA_PROTO_NUM = 1, + CTA_PROTO_SRC_PORT = 2, + CTA_PROTO_DST_PORT = 3, + CTA_PROTO_ICMP_ID = 4, + CTA_PROTO_ICMP_TYPE = 5, + CTA_PROTO_ICMP_CODE = 6, + CTA_PROTO_ICMPV6_ID = 7, + CTA_PROTO_ICMPV6_TYPE = 8, + CTA_PROTO_ICMPV6_CODE = 9, + __CTA_PROTO_MAX = 10, +}; + +struct iter_data { + int (*iter)(struct nf_conn *, void *); + void *data; + struct net *net; +}; + +struct ct_iter_state { + struct seq_net_private p; + struct hlist_nulls_head *hash; + unsigned int htable_size; + unsigned int bucket; + u_int64_t time_now; +}; + +enum nf_ct_sysctl_index { + NF_SYSCTL_CT_MAX = 0, + NF_SYSCTL_CT_COUNT = 1, + NF_SYSCTL_CT_BUCKETS = 2, + NF_SYSCTL_CT_CHECKSUM = 3, + NF_SYSCTL_CT_LOG_INVALID = 4, + NF_SYSCTL_CT_EXPECT_MAX = 5, + NF_SYSCTL_CT_ACCT = 6, + NF_SYSCTL_CT_HELPER = 7, + NF_SYSCTL_CT_PROTO_TIMEOUT_GENERIC = 8, + NF_SYSCTL_CT_PROTO_TIMEOUT_TCP_SYN_SENT = 9, + NF_SYSCTL_CT_PROTO_TIMEOUT_TCP_SYN_RECV = 10, + NF_SYSCTL_CT_PROTO_TIMEOUT_TCP_ESTABLISHED = 11, + NF_SYSCTL_CT_PROTO_TIMEOUT_TCP_FIN_WAIT = 12, + NF_SYSCTL_CT_PROTO_TIMEOUT_TCP_CLOSE_WAIT = 13, + NF_SYSCTL_CT_PROTO_TIMEOUT_TCP_LAST_ACK = 14, + NF_SYSCTL_CT_PROTO_TIMEOUT_TCP_TIME_WAIT = 15, + NF_SYSCTL_CT_PROTO_TIMEOUT_TCP_CLOSE = 16, + NF_SYSCTL_CT_PROTO_TIMEOUT_TCP_RETRANS = 17, + NF_SYSCTL_CT_PROTO_TIMEOUT_TCP_UNACK = 18, + NF_SYSCTL_CT_PROTO_TCP_LOOSE = 19, + NF_SYSCTL_CT_PROTO_TCP_LIBERAL = 20, + NF_SYSCTL_CT_PROTO_TCP_MAX_RETRANS = 21, + NF_SYSCTL_CT_PROTO_TIMEOUT_UDP = 22, + NF_SYSCTL_CT_PROTO_TIMEOUT_UDP_STREAM = 23, + NF_SYSCTL_CT_PROTO_TIMEOUT_ICMP = 24, + NF_SYSCTL_CT_PROTO_TIMEOUT_ICMPV6 = 25, + __NF_SYSCTL_CT_LAST_SYSCTL = 26, +}; + +enum ip_conntrack_expect_events { + IPEXP_NEW = 0, + IPEXP_DESTROY = 1, +}; + +struct ct_expect_iter_state { + struct seq_net_private p; + unsigned int bucket; +}; + +struct nf_ct_ext_type { + void (*destroy)(struct nf_conn *); + enum nf_ct_ext_id id; + u8 len; + u8 align; +}; + +enum nf_ct_helper_flags { + NF_CT_HELPER_F_USERSPACE = 1, + NF_CT_HELPER_F_CONFIGURED = 2, +}; + +struct nf_ct_helper_expectfn { + struct list_head head; + const char *name; + void (*expectfn)(struct nf_conn *, struct nf_conntrack_expect *); +}; + +struct nf_conntrack_nat_helper { + struct list_head list; + char mod_name[16]; + struct module *module; +}; + +struct nf_conntrack_net { + unsigned int users4; + unsigned int users6; + unsigned int users_bridge; +}; + +struct nf_ct_bridge_info { + struct nf_hook_ops *ops; + unsigned int ops_size; + struct module *me; +}; + +struct nf_ct_tcp_flags { + __u8 flags; + __u8 mask; +}; + +enum { + TCP_FLAG_CWR = 32768, + TCP_FLAG_ECE = 16384, + TCP_FLAG_URG = 8192, + TCP_FLAG_ACK = 4096, + TCP_FLAG_PSH = 2048, + TCP_FLAG_RST = 1024, + TCP_FLAG_SYN = 512, + TCP_FLAG_FIN = 256, + TCP_RESERVED_BITS = 15, + TCP_DATA_OFFSET = 240, +}; + +struct nf_conn_synproxy { + u32 isn; + u32 its; + u32 tsoff; +}; + +enum tcp_bit_set { + TCP_SYN_SET = 0, + TCP_SYNACK_SET = 1, + TCP_FIN_SET = 2, + TCP_ACK_SET = 3, + TCP_RST_SET = 4, + TCP_NONE_SET = 5, +}; + +enum ctattr_protoinfo { + CTA_PROTOINFO_UNSPEC = 0, + CTA_PROTOINFO_TCP = 1, + CTA_PROTOINFO_DCCP = 2, + CTA_PROTOINFO_SCTP = 3, + __CTA_PROTOINFO_MAX = 4, +}; + +enum ctattr_protoinfo_tcp { + CTA_PROTOINFO_TCP_UNSPEC = 0, + CTA_PROTOINFO_TCP_STATE = 1, + CTA_PROTOINFO_TCP_WSCALE_ORIGINAL = 2, + CTA_PROTOINFO_TCP_WSCALE_REPLY = 3, + CTA_PROTOINFO_TCP_FLAGS_ORIGINAL = 4, + CTA_PROTOINFO_TCP_FLAGS_REPLY = 5, + __CTA_PROTOINFO_TCP_MAX = 6, +}; + +struct tcp_sack_block_wire { + __be32 start_seq; + __be32 end_seq; +}; + +struct nf_ct_seqadj { + u32 correction_pos; + s32 offset_before; + s32 offset_after; +}; + +struct nf_conn_seqadj { + struct nf_ct_seqadj seq[2]; +}; + +struct icmpv6_echo { + __be16 identifier; + __be16 sequence; +}; + +struct icmpv6_nd_advt { + __u32 reserved: 5; + __u32 override: 1; + __u32 solicited: 1; + __u32 router: 1; + __u32 reserved2: 24; +}; + +struct icmpv6_nd_ra { + __u8 hop_limit; + __u8 reserved: 3; + __u8 router_pref: 2; + __u8 home_agent: 1; + __u8 other: 1; + __u8 managed: 1; + __be16 rt_lifetime; +}; + +struct icmp6hdr { + __u8 icmp6_type; + __u8 icmp6_code; + __sum16 icmp6_cksum; + union { + __be32 un_data32[1]; + __be16 un_data16[2]; + __u8 un_data8[4]; + struct icmpv6_echo u_echo; + struct icmpv6_nd_advt u_nd_advt; + struct icmpv6_nd_ra u_nd_ra; + } icmp6_dataun; +}; + +enum cntl_msg_types { + IPCTNL_MSG_CT_NEW = 0, + IPCTNL_MSG_CT_GET = 1, + IPCTNL_MSG_CT_DELETE = 2, + IPCTNL_MSG_CT_GET_CTRZERO = 3, + IPCTNL_MSG_CT_GET_STATS_CPU = 4, + IPCTNL_MSG_CT_GET_STATS = 5, + IPCTNL_MSG_CT_GET_DYING = 6, + IPCTNL_MSG_CT_GET_UNCONFIRMED = 7, + IPCTNL_MSG_MAX = 8, +}; + +enum ctnl_exp_msg_types { + IPCTNL_MSG_EXP_NEW = 0, + IPCTNL_MSG_EXP_GET = 1, + IPCTNL_MSG_EXP_DELETE = 2, + IPCTNL_MSG_EXP_GET_STATS_CPU = 3, + IPCTNL_MSG_EXP_MAX = 4, +}; + +enum ctattr_type { + CTA_UNSPEC = 0, + CTA_TUPLE_ORIG = 1, + CTA_TUPLE_REPLY = 2, + CTA_STATUS = 3, + CTA_PROTOINFO = 4, + CTA_HELP = 5, + CTA_NAT_SRC = 6, + CTA_TIMEOUT = 7, + CTA_MARK = 8, + CTA_COUNTERS_ORIG = 9, + CTA_COUNTERS_REPLY = 10, + CTA_USE = 11, + CTA_ID = 12, + CTA_NAT_DST = 13, + CTA_TUPLE_MASTER = 14, + CTA_SEQ_ADJ_ORIG = 15, + CTA_NAT_SEQ_ADJ_ORIG = 15, + CTA_SEQ_ADJ_REPLY = 16, + CTA_NAT_SEQ_ADJ_REPLY = 16, + CTA_SECMARK = 17, + CTA_ZONE = 18, + CTA_SECCTX = 19, + CTA_TIMESTAMP = 20, + CTA_MARK_MASK = 21, + CTA_LABELS = 22, + CTA_LABELS_MASK = 23, + CTA_SYNPROXY = 24, + __CTA_MAX = 25, +}; + +enum ctattr_tuple { + CTA_TUPLE_UNSPEC = 0, + CTA_TUPLE_IP = 1, + CTA_TUPLE_PROTO = 2, + CTA_TUPLE_ZONE = 3, + __CTA_TUPLE_MAX = 4, +}; + +enum ctattr_ip { + CTA_IP_UNSPEC = 0, + CTA_IP_V4_SRC = 1, + CTA_IP_V4_DST = 2, + CTA_IP_V6_SRC = 3, + CTA_IP_V6_DST = 4, + __CTA_IP_MAX = 5, +}; + +enum ctattr_counters { + CTA_COUNTERS_UNSPEC = 0, + CTA_COUNTERS_PACKETS = 1, + CTA_COUNTERS_BYTES = 2, + CTA_COUNTERS32_PACKETS = 3, + CTA_COUNTERS32_BYTES = 4, + CTA_COUNTERS_PAD = 5, + __CTA_COUNTERS_MAX = 6, +}; + +enum ctattr_tstamp { + CTA_TIMESTAMP_UNSPEC = 0, + CTA_TIMESTAMP_START = 1, + CTA_TIMESTAMP_STOP = 2, + CTA_TIMESTAMP_PAD = 3, + __CTA_TIMESTAMP_MAX = 4, +}; + +enum ctattr_seqadj { + CTA_SEQADJ_UNSPEC = 0, + CTA_SEQADJ_CORRECTION_POS = 1, + CTA_SEQADJ_OFFSET_BEFORE = 2, + CTA_SEQADJ_OFFSET_AFTER = 3, + __CTA_SEQADJ_MAX = 4, +}; + +enum ctattr_synproxy { + CTA_SYNPROXY_UNSPEC = 0, + CTA_SYNPROXY_ISN = 1, + CTA_SYNPROXY_ITS = 2, + CTA_SYNPROXY_TSOFF = 3, + __CTA_SYNPROXY_MAX = 4, +}; + +enum ctattr_expect { + CTA_EXPECT_UNSPEC = 0, + CTA_EXPECT_MASTER = 1, + CTA_EXPECT_TUPLE = 2, + CTA_EXPECT_MASK = 3, + CTA_EXPECT_TIMEOUT = 4, + CTA_EXPECT_ID = 5, + CTA_EXPECT_HELP_NAME = 6, + CTA_EXPECT_ZONE = 7, + CTA_EXPECT_FLAGS = 8, + CTA_EXPECT_CLASS = 9, + CTA_EXPECT_NAT = 10, + CTA_EXPECT_FN = 11, + __CTA_EXPECT_MAX = 12, +}; + +enum ctattr_expect_nat { + CTA_EXPECT_NAT_UNSPEC = 0, + CTA_EXPECT_NAT_DIR = 1, + CTA_EXPECT_NAT_TUPLE = 2, + __CTA_EXPECT_NAT_MAX = 3, +}; + +enum ctattr_help { + CTA_HELP_UNSPEC = 0, + CTA_HELP_NAME = 1, + CTA_HELP_INFO = 2, + __CTA_HELP_MAX = 3, +}; + +enum ctattr_secctx { + CTA_SECCTX_UNSPEC = 0, + CTA_SECCTX_NAME = 1, + __CTA_SECCTX_MAX = 2, +}; + +enum ctattr_stats_cpu { + CTA_STATS_UNSPEC = 0, + CTA_STATS_SEARCHED = 1, + CTA_STATS_FOUND = 2, + CTA_STATS_NEW = 3, + CTA_STATS_INVALID = 4, + CTA_STATS_IGNORE = 5, + CTA_STATS_DELETE = 6, + CTA_STATS_DELETE_LIST = 7, + CTA_STATS_INSERT = 8, + CTA_STATS_INSERT_FAILED = 9, + CTA_STATS_DROP = 10, + CTA_STATS_EARLY_DROP = 11, + CTA_STATS_ERROR = 12, + CTA_STATS_SEARCH_RESTART = 13, + __CTA_STATS_MAX = 14, +}; + +enum ctattr_stats_global { + CTA_STATS_GLOBAL_UNSPEC = 0, + CTA_STATS_GLOBAL_ENTRIES = 1, + CTA_STATS_GLOBAL_MAX_ENTRIES = 2, + __CTA_STATS_GLOBAL_MAX = 3, +}; + +enum ctattr_expect_stats { + CTA_STATS_EXP_UNSPEC = 0, + CTA_STATS_EXP_NEW = 1, + CTA_STATS_EXP_CREATE = 2, + CTA_STATS_EXP_DELETE = 3, + __CTA_STATS_EXP_MAX = 4, +}; + +struct ctnetlink_filter { + u8 family; + struct { + u_int32_t val; + u_int32_t mask; + } mark; +}; + +enum nf_ct_ftp_type { + NF_CT_FTP_PORT = 0, + NF_CT_FTP_PASV = 1, + NF_CT_FTP_EPRT = 2, + NF_CT_FTP_EPSV = 3, +}; + +struct nf_ct_ftp_master { + u_int32_t seq_aft_nl[4]; + u_int16_t seq_aft_nl_num[2]; + u_int16_t flags[2]; +}; + +struct ftp_search { + const char *pattern; + size_t plen; + char skip; + char term; + enum nf_ct_ftp_type ftptype; + int (*getnum)(const char *, size_t, struct nf_conntrack_man *, char, unsigned int *); +}; + +struct nf_ct_sip_master { + unsigned int register_cseq; + unsigned int invite_cseq; + __be16 forced_dport; +}; + +enum sip_expectation_classes { + SIP_EXPECT_SIGNALLING = 0, + SIP_EXPECT_AUDIO = 1, + SIP_EXPECT_VIDEO = 2, + SIP_EXPECT_IMAGE = 3, + __SIP_EXPECT_MAX = 4, +}; + +struct sdp_media_type { + const char *name; + unsigned int len; + enum sip_expectation_classes class; +}; + +struct sip_handler { + const char *method; + unsigned int len; + int (*request)(struct sk_buff *, unsigned int, unsigned int, const char **, unsigned int *, unsigned int); + int (*response)(struct sk_buff *, unsigned int, unsigned int, const char **, unsigned int *, unsigned int, unsigned int); +}; + +struct sip_header { + const char *name; + const char *cname; + const char *search; + unsigned int len; + unsigned int clen; + unsigned int slen; + int (*match_len)(const struct nf_conn *, const char *, const char *, int *); +}; + +enum sip_header_types { + SIP_HDR_CSEQ = 0, + SIP_HDR_FROM = 1, + SIP_HDR_TO = 2, + SIP_HDR_CONTACT = 3, + SIP_HDR_VIA_UDP = 4, + SIP_HDR_VIA_TCP = 5, + SIP_HDR_EXPIRES = 6, + SIP_HDR_CONTENT_LENGTH = 7, + SIP_HDR_CALL_ID = 8, +}; + +enum sdp_header_types { + SDP_HDR_UNSPEC = 0, + SDP_HDR_VERSION = 1, + SDP_HDR_OWNER = 2, + SDP_HDR_CONNECTION = 3, + SDP_HDR_MEDIA = 4, +}; + +struct nf_nat_sip_hooks { + unsigned int (*msg)(struct sk_buff *, unsigned int, unsigned int, const char **, unsigned int *); + void (*seq_adjust)(struct sk_buff *, unsigned int, s16); + unsigned int (*expect)(struct sk_buff *, unsigned int, unsigned int, const char **, unsigned int *, struct nf_conntrack_expect *, unsigned int, unsigned int); + unsigned int (*sdp_addr)(struct sk_buff *, unsigned int, unsigned int, const char **, unsigned int *, unsigned int, enum sdp_header_types, enum sdp_header_types, const union nf_inet_addr *); + unsigned int (*sdp_port)(struct sk_buff *, unsigned int, unsigned int, const char **, unsigned int *, unsigned int, unsigned int, u_int16_t); + unsigned int (*sdp_session)(struct sk_buff *, unsigned int, unsigned int, const char **, unsigned int *, unsigned int, const union nf_inet_addr *); + unsigned int (*sdp_media)(struct sk_buff *, unsigned int, unsigned int, const char **, unsigned int *, struct nf_conntrack_expect *, struct nf_conntrack_expect *, unsigned int, unsigned int, union nf_inet_addr *); +}; + +union nf_conntrack_nat_help {}; + +struct nf_conn_nat { + union nf_conntrack_nat_help help; + int masq_index; +}; + +struct nf_nat_lookup_hook_priv { + struct nf_hook_entries *entries; + struct callback_head callback_head; +}; + +struct nf_nat_hooks_net { + struct nf_hook_ops *nat_hook_ops; + unsigned int users; +}; + +struct nat_net { + struct nf_nat_hooks_net nat_proto_net[13]; +}; + +struct nf_nat_proto_clean { + u8 l3proto; + u8 l4proto; +}; + +enum ctattr_nat { + CTA_NAT_UNSPEC = 0, + CTA_NAT_V4_MINIP = 1, + CTA_NAT_V4_MAXIP = 2, + CTA_NAT_PROTO = 3, + CTA_NAT_V6_MINIP = 4, + CTA_NAT_V6_MAXIP = 5, + __CTA_NAT_MAX = 6, +}; + +enum ctattr_protonat { + CTA_PROTONAT_UNSPEC = 0, + CTA_PROTONAT_PORT_MIN = 1, + CTA_PROTONAT_PORT_MAX = 2, + __CTA_PROTONAT_MAX = 3, +}; + +struct sctp_bind_hashbucket { + spinlock_t lock; + struct hlist_head chain; +}; + +struct sctp_hashbucket { + rwlock_t lock; + struct hlist_head chain; +}; + +struct sctp_globals { + struct list_head address_families; + struct sctp_hashbucket *ep_hashtable; + struct sctp_bind_hashbucket *port_hashtable; + struct rhltable transport_hashtable; + int ep_hashsize; + int port_hashsize; + __u16 max_instreams; + __u16 max_outstreams; + bool checksum_disable; +}; + +struct masq_dev_work { + struct work_struct work; + struct net *net; + struct in6_addr addr; + int ifindex; +}; + +struct xt_action_param; + +struct xt_mtchk_param; + +struct xt_mtdtor_param; + +struct xt_match { + struct list_head list; + char name[29]; + u_int8_t revision; + bool (*match)(const struct sk_buff *, struct xt_action_param *); + int (*checkentry)(const struct xt_mtchk_param *); + void (*destroy)(const struct xt_mtdtor_param *); + void (*compat_from_user)(void *, const void *); + int (*compat_to_user)(void *, const void *); + struct module *me; + const char *table; + unsigned int matchsize; + unsigned int usersize; + unsigned int compatsize; + unsigned int hooks; + short unsigned int proto; + short unsigned int family; +}; + +struct xt_entry_match { + union { + struct { + __u16 match_size; + char name[29]; + __u8 revision; + } user; + struct { + __u16 match_size; + struct xt_match *match; + } kernel; + __u16 match_size; + } u; + unsigned char data[0]; +}; + +struct xt_tgchk_param; + +struct xt_tgdtor_param; + +struct xt_target { + struct list_head list; + char name[29]; + u_int8_t revision; + unsigned int (*target)(struct sk_buff *, const struct xt_action_param *); + int (*checkentry)(const struct xt_tgchk_param *); + void (*destroy)(const struct xt_tgdtor_param *); + void (*compat_from_user)(void *, const void *); + int (*compat_to_user)(void *, const void *); + struct module *me; + const char *table; + unsigned int targetsize; + unsigned int usersize; + unsigned int compatsize; + unsigned int hooks; + short unsigned int proto; + short unsigned int family; +}; + +struct xt_entry_target { + union { + struct { + __u16 target_size; + char name[29]; + __u8 revision; + } user; + struct { + __u16 target_size; + struct xt_target *target; + } kernel; + __u16 target_size; + } u; + unsigned char data[0]; +}; + +struct xt_standard_target { + struct xt_entry_target target; + int verdict; +}; + +struct xt_error_target { + struct xt_entry_target target; + char errorname[30]; +}; + +struct xt_counters { + __u64 pcnt; + __u64 bcnt; +}; + +struct xt_counters_info { + char name[32]; + unsigned int num_counters; + struct xt_counters counters[0]; +}; + +struct xt_action_param { + union { + const struct xt_match *match; + const struct xt_target *target; + }; + union { + const void *matchinfo; + const void *targinfo; + }; + const struct nf_hook_state *state; + int fragoff; + unsigned int thoff; + bool hotdrop; +}; + +struct xt_mtchk_param { + struct net *net; + const char *table; + const void *entryinfo; + const struct xt_match *match; + void *matchinfo; + unsigned int hook_mask; + u_int8_t family; + bool nft_compat; +}; + +struct xt_mtdtor_param { + struct net *net; + const struct xt_match *match; + void *matchinfo; + u_int8_t family; +}; + +struct xt_tgchk_param { + struct net *net; + const char *table; + const void *entryinfo; + const struct xt_target *target; + void *targinfo; + unsigned int hook_mask; + u_int8_t family; + bool nft_compat; +}; + +struct xt_tgdtor_param { + struct net *net; + const struct xt_target *target; + void *targinfo; + u_int8_t family; +}; + +struct xt_percpu_counter_alloc_state { + unsigned int off; + const char *mem; +}; + +struct compat_xt_entry_match { + union { + struct { + u_int16_t match_size; + char name[29]; + u_int8_t revision; + } user; + struct { + u_int16_t match_size; + compat_uptr_t match; + } kernel; + u_int16_t match_size; + } u; + unsigned char data[0]; +}; + +struct compat_xt_entry_target { + union { + struct { + u_int16_t target_size; + char name[29]; + u_int8_t revision; + } user; + struct { + u_int16_t target_size; + compat_uptr_t target; + } kernel; + u_int16_t target_size; + } u; + unsigned char data[0]; +}; + +struct compat_xt_counters { + compat_u64 pcnt; + compat_u64 bcnt; +}; + +struct compat_xt_counters_info { + char name[32]; + compat_uint_t num_counters; + struct compat_xt_counters counters[0]; +} __attribute__((packed)); + +struct compat_delta { + unsigned int offset; + int delta; +}; + +struct xt_af { + struct mutex mutex; + struct list_head match; + struct list_head target; + struct mutex compat_mutex; + struct compat_delta *compat_tab; + unsigned int number; + unsigned int cur; +}; + +struct compat_xt_standard_target { + struct compat_xt_entry_target t; + compat_uint_t verdict; +}; + +struct compat_xt_error_target { + struct compat_xt_entry_target t; + char errorname[30]; +}; + +struct nf_mttg_trav { + struct list_head *head; + struct list_head *curr; + uint8_t class; +}; + +enum { + MTTG_TRAV_INIT = 0, + MTTG_TRAV_NFP_UNSPEC = 1, + MTTG_TRAV_NFP_SPEC = 2, + MTTG_TRAV_DONE = 3, +}; + +struct xt_tcp { + __u16 spts[2]; + __u16 dpts[2]; + __u8 option; + __u8 flg_mask; + __u8 flg_cmp; + __u8 invflags; +}; + +struct xt_udp { + __u16 spts[2]; + __u16 dpts[2]; + __u8 invflags; +}; + +enum { + CONNSECMARK_SAVE = 1, + CONNSECMARK_RESTORE = 2, +}; + +struct xt_connsecmark_target_info { + __u8 mode; +}; + +struct xt_nflog_info { + __u32 len; + __u16 group; + __u16 threshold; + __u16 flags; + __u16 pad; + char prefix[64]; +}; + +struct xt_secmark_target_info { + __u8 mode; + __u32 secid; + char secctx[256]; +}; + +struct ipt_ip { + struct in_addr src; + struct in_addr dst; + struct in_addr smsk; + struct in_addr dmsk; + char iniface[16]; + char outiface[16]; + unsigned char iniface_mask[16]; + unsigned char outiface_mask[16]; + __u16 proto; + __u8 flags; + __u8 invflags; +}; + +struct ipt_entry { + struct ipt_ip ip; + unsigned int nfcache; + __u16 target_offset; + __u16 next_offset; + unsigned int comefrom; + struct xt_counters counters; + unsigned char elems[0]; +}; + +struct ip6t_ip6 { + struct in6_addr src; + struct in6_addr dst; + struct in6_addr smsk; + struct in6_addr dmsk; + char iniface[16]; + char outiface[16]; + unsigned char iniface_mask[16]; + unsigned char outiface_mask[16]; + __u16 proto; + __u8 tos; + __u8 flags; + __u8 invflags; +}; + +struct ip6t_entry { + struct ip6t_ip6 ipv6; + unsigned int nfcache; + __u16 target_offset; + __u16 next_offset; + unsigned int comefrom; + struct xt_counters counters; + unsigned char elems[0]; +}; + +struct xt_tcpmss_info { + __u16 mss; +}; + +enum { + XT_CONNTRACK_STATE = 1, + XT_CONNTRACK_PROTO = 2, + XT_CONNTRACK_ORIGSRC = 4, + XT_CONNTRACK_ORIGDST = 8, + XT_CONNTRACK_REPLSRC = 16, + XT_CONNTRACK_REPLDST = 32, + XT_CONNTRACK_STATUS = 64, + XT_CONNTRACK_EXPIRES = 128, + XT_CONNTRACK_ORIGSRC_PORT = 256, + XT_CONNTRACK_ORIGDST_PORT = 512, + XT_CONNTRACK_REPLSRC_PORT = 1024, + XT_CONNTRACK_REPLDST_PORT = 2048, + XT_CONNTRACK_DIRECTION = 4096, + XT_CONNTRACK_STATE_ALIAS = 8192, +}; + +struct xt_conntrack_mtinfo1 { + union nf_inet_addr origsrc_addr; + union nf_inet_addr origsrc_mask; + union nf_inet_addr origdst_addr; + union nf_inet_addr origdst_mask; + union nf_inet_addr replsrc_addr; + union nf_inet_addr replsrc_mask; + union nf_inet_addr repldst_addr; + union nf_inet_addr repldst_mask; + __u32 expires_min; + __u32 expires_max; + __u16 l4proto; + __be16 origsrc_port; + __be16 origdst_port; + __be16 replsrc_port; + __be16 repldst_port; + __u16 match_flags; + __u16 invert_flags; + __u8 state_mask; + __u8 status_mask; +}; + +struct xt_conntrack_mtinfo2 { + union nf_inet_addr origsrc_addr; + union nf_inet_addr origsrc_mask; + union nf_inet_addr origdst_addr; + union nf_inet_addr origdst_mask; + union nf_inet_addr replsrc_addr; + union nf_inet_addr replsrc_mask; + union nf_inet_addr repldst_addr; + union nf_inet_addr repldst_mask; + __u32 expires_min; + __u32 expires_max; + __u16 l4proto; + __be16 origsrc_port; + __be16 origdst_port; + __be16 replsrc_port; + __be16 repldst_port; + __u16 match_flags; + __u16 invert_flags; + __u16 state_mask; + __u16 status_mask; +}; + +struct xt_conntrack_mtinfo3 { + union nf_inet_addr origsrc_addr; + union nf_inet_addr origsrc_mask; + union nf_inet_addr origdst_addr; + union nf_inet_addr origdst_mask; + union nf_inet_addr replsrc_addr; + union nf_inet_addr replsrc_mask; + union nf_inet_addr repldst_addr; + union nf_inet_addr repldst_mask; + __u32 expires_min; + __u32 expires_max; + __u16 l4proto; + __u16 origsrc_port; + __u16 origdst_port; + __u16 replsrc_port; + __u16 repldst_port; + __u16 match_flags; + __u16 invert_flags; + __u16 state_mask; + __u16 status_mask; + __u16 origsrc_port_high; + __u16 origdst_port_high; + __u16 replsrc_port_high; + __u16 repldst_port_high; +}; + +enum xt_policy_flags { + XT_POLICY_MATCH_IN = 1, + XT_POLICY_MATCH_OUT = 2, + XT_POLICY_MATCH_NONE = 4, + XT_POLICY_MATCH_STRICT = 8, +}; + +struct xt_policy_spec { + __u8 saddr: 1; + __u8 daddr: 1; + __u8 proto: 1; + __u8 mode: 1; + __u8 spi: 1; + __u8 reqid: 1; +}; + +struct xt_policy_elem { + union { + struct { + union nf_inet_addr saddr; + union nf_inet_addr smask; + union nf_inet_addr daddr; + union nf_inet_addr dmask; + }; + }; + __be32 spi; + __u32 reqid; + __u8 proto; + __u8 mode; + struct xt_policy_spec match; + struct xt_policy_spec invert; +}; + +struct xt_policy_info { + struct xt_policy_elem pol[4]; + __u16 flags; + __u16 len; +}; + +struct xt_state_info { + unsigned int statemask; +}; + +struct ip_mreqn { + struct in_addr imr_multiaddr; + struct in_addr imr_address; + int imr_ifindex; +}; + +struct mr_table_ops { + const struct rhashtable_params *rht_params; + void *cmparg_any; +}; + +struct vif_device { + struct net_device *dev; + long unsigned int bytes_in; + long unsigned int bytes_out; + long unsigned int pkt_in; + long unsigned int pkt_out; + long unsigned int rate_limit; + unsigned char threshold; + short unsigned int flags; + int link; + struct netdev_phys_item_id dev_parent_id; + __be32 local; + __be32 remote; +}; + +struct mr_table { + struct list_head list; + possible_net_t net; + struct mr_table_ops ops; + u32 id; + struct sock *mroute_sk; + struct timer_list ipmr_expire_timer; + struct list_head mfc_unres_queue; + struct vif_device vif_table[32]; + struct rhltable mfc_hash; + struct list_head mfc_cache_list; + int maxvif; + atomic_t cache_resolve_queue_len; + bool mroute_do_assert; + bool mroute_do_pim; + bool mroute_do_wrvifwhole; + int mroute_reg_vif_num; +}; + +struct rtmsg { + unsigned char rtm_family; + unsigned char rtm_dst_len; + unsigned char rtm_src_len; + unsigned char rtm_tos; + unsigned char rtm_table; + unsigned char rtm_protocol; + unsigned char rtm_scope; + unsigned char rtm_type; + unsigned int rtm_flags; +}; + +struct rtvia { + __kernel_sa_family_t rtvia_family; + __u8 rtvia_addr[0]; +}; + +struct ip_sf_list; + +struct ip_mc_list { + struct in_device *interface; + __be32 multiaddr; + unsigned int sfmode; + struct ip_sf_list *sources; + struct ip_sf_list *tomb; + long unsigned int sfcount[2]; + union { + struct ip_mc_list *next; + struct ip_mc_list *next_rcu; + }; + struct ip_mc_list *next_hash; + struct timer_list timer; + int users; + refcount_t refcnt; + spinlock_t lock; + char tm_running; + char reporter; + char unsolicit_count; + char loaded; + unsigned char gsquery; + unsigned char crcount; + struct callback_head rcu; +}; + +struct ip_sf_socklist { + unsigned int sl_max; + unsigned int sl_count; + struct callback_head rcu; + __be32 sl_addr[0]; +}; + +struct ip_mc_socklist { + struct ip_mc_socklist *next_rcu; + struct ip_mreqn multi; + unsigned int sfmode; + struct ip_sf_socklist *sflist; + struct callback_head rcu; +}; + +struct ip_sf_list { + struct ip_sf_list *sf_next; + long unsigned int sf_count[2]; + __be32 sf_inaddr; + unsigned char sf_gsresp; + unsigned char sf_oldin; + unsigned char sf_crcount; +}; + +struct ipv4_addr_key { + __be32 addr; + int vif; +}; + +struct inetpeer_addr { + union { + struct ipv4_addr_key a4; + struct in6_addr a6; + u32 key[4]; + }; + __u16 family; +}; + +struct inet_peer { + struct rb_node rb_node; + struct inetpeer_addr daddr; + u32 metrics[17]; + u32 rate_tokens; + u32 n_redirects; + long unsigned int rate_last; + union { + struct { + atomic_t rid; + }; + struct callback_head rcu; + }; + __u32 dtime; + refcount_t refcnt; +}; + +struct uncached_list { + spinlock_t lock; + struct list_head head; +}; + +struct rt_cache_stat { + unsigned int in_slow_tot; + unsigned int in_slow_mc; + unsigned int in_no_route; + unsigned int in_brd; + unsigned int in_martian_dst; + unsigned int in_martian_src; + unsigned int out_slow_tot; + unsigned int out_slow_mc; +}; + +struct fib_prop { + int error; + u8 scope; +}; + +struct net_offload { + struct offload_callbacks callbacks; + unsigned int flags; +}; + +struct raw_hashinfo { + rwlock_t lock; + struct hlist_head ht[256]; +}; + +enum ip_defrag_users { + IP_DEFRAG_LOCAL_DELIVER = 0, + IP_DEFRAG_CALL_RA_CHAIN = 1, + IP_DEFRAG_CONNTRACK_IN = 2, + __IP_DEFRAG_CONNTRACK_IN_END = 65537, + IP_DEFRAG_CONNTRACK_OUT = 65538, + __IP_DEFRAG_CONNTRACK_OUT_END = 131073, + IP_DEFRAG_CONNTRACK_BRIDGE_IN = 131074, + __IP_DEFRAG_CONNTRACK_BRIDGE_IN = 196609, + IP_DEFRAG_VS_IN = 196610, + IP_DEFRAG_VS_OUT = 196611, + IP_DEFRAG_VS_FWD = 196612, + IP_DEFRAG_AF_PACKET = 196613, + IP_DEFRAG_MACVLAN = 196614, +}; + +enum { + INET_FRAG_FIRST_IN = 1, + INET_FRAG_LAST_IN = 2, + INET_FRAG_COMPLETE = 4, + INET_FRAG_HASH_DEAD = 8, +}; + +struct ipq { + struct inet_frag_queue q; + u8 ecn; + u16 max_df_size; + int iif; + unsigned int rid; + struct inet_peer *peer; +}; + +struct ip_options_data { + struct ip_options_rcu opt; + char data[40]; +}; + +struct ipcm_cookie { + struct sockcm_cookie sockc; + __be32 addr; + int oif; + struct ip_options_rcu *opt; + __u8 ttl; + __s16 tos; + char priority; + __u16 gso_size; +}; + +struct ip_fraglist_iter { + struct sk_buff *frag; + struct iphdr *iph; + int offset; + unsigned int hlen; +}; + +struct ip_frag_state { + bool DF; + unsigned int hlen; + unsigned int ll_rs; + unsigned int mtu; + unsigned int left; + int offset; + int ptr; + __be16 not_last_frag; +}; + +struct ip_reply_arg { + struct kvec iov[1]; + int flags; + __wsum csum; + int csumoffset; + int bound_dev_if; + u8 tos; + kuid_t uid; +}; + +enum { + LWTUNNEL_XMIT_DONE = 0, + LWTUNNEL_XMIT_CONTINUE = 1, +}; + +struct ip_mreq_source { + __be32 imr_multiaddr; + __be32 imr_interface; + __be32 imr_sourceaddr; +}; + +struct ip_msfilter { + __be32 imsf_multiaddr; + __be32 imsf_interface; + __u32 imsf_fmode; + __u32 imsf_numsrc; + __be32 imsf_slist[1]; +}; + +struct in_pktinfo { + int ipi_ifindex; + struct in_addr ipi_spec_dst; + struct in_addr ipi_addr; +}; + +struct inet_timewait_sock { + struct sock_common __tw_common; + __u32 tw_mark; + volatile unsigned char tw_substate; + unsigned char tw_rcv_wscale; + __be16 tw_sport; + unsigned int tw_kill: 1; + unsigned int tw_transparent: 1; + unsigned int tw_flowlabel: 20; + unsigned int tw_pad: 2; + unsigned int tw_tos: 8; + u32 tw_txhash; + u32 tw_priority; + struct timer_list tw_timer; + struct inet_bind_bucket *tw_tb; +}; + +struct tcpvegas_info { + __u32 tcpv_enabled; + __u32 tcpv_rttcnt; + __u32 tcpv_rtt; + __u32 tcpv_minrtt; +}; + +struct tcp_dctcp_info { + __u16 dctcp_enabled; + __u16 dctcp_ce_state; + __u32 dctcp_alpha; + __u32 dctcp_ab_ecn; + __u32 dctcp_ab_tot; +}; + +struct tcp_bbr_info { + __u32 bbr_bw_lo; + __u32 bbr_bw_hi; + __u32 bbr_min_rtt; + __u32 bbr_pacing_gain; + __u32 bbr_cwnd_gain; +}; + +union tcp_cc_info { + struct tcpvegas_info vegas; + struct tcp_dctcp_info dctcp; + struct tcp_bbr_info bbr; +}; + +enum { + BPF_TCP_ESTABLISHED = 1, + BPF_TCP_SYN_SENT = 2, + BPF_TCP_SYN_RECV = 3, + BPF_TCP_FIN_WAIT1 = 4, + BPF_TCP_FIN_WAIT2 = 5, + BPF_TCP_TIME_WAIT = 6, + BPF_TCP_CLOSE = 7, + BPF_TCP_CLOSE_WAIT = 8, + BPF_TCP_LAST_ACK = 9, + BPF_TCP_LISTEN = 10, + BPF_TCP_CLOSING = 11, + BPF_TCP_NEW_SYN_RECV = 12, + BPF_TCP_MAX_STATES = 13, +}; + +enum inet_csk_ack_state_t { + ICSK_ACK_SCHED = 1, + ICSK_ACK_TIMER = 2, + ICSK_ACK_PUSHED = 4, + ICSK_ACK_PUSHED2 = 8, + ICSK_ACK_NOW = 16, +}; + +struct tcp_repair_opt { + __u32 opt_code; + __u32 opt_val; +}; + +struct tcp_repair_window { + __u32 snd_wl1; + __u32 snd_wnd; + __u32 max_window; + __u32 rcv_wnd; + __u32 rcv_wup; +}; + +enum { + TCP_NO_QUEUE = 0, + TCP_RECV_QUEUE = 1, + TCP_SEND_QUEUE = 2, + TCP_QUEUES_NR = 3, +}; + +struct tcp_info { + __u8 tcpi_state; + __u8 tcpi_ca_state; + __u8 tcpi_retransmits; + __u8 tcpi_probes; + __u8 tcpi_backoff; + __u8 tcpi_options; + __u8 tcpi_snd_wscale: 4; + __u8 tcpi_rcv_wscale: 4; + __u8 tcpi_delivery_rate_app_limited: 1; + __u8 tcpi_fastopen_client_fail: 2; + __u32 tcpi_rto; + __u32 tcpi_ato; + __u32 tcpi_snd_mss; + __u32 tcpi_rcv_mss; + __u32 tcpi_unacked; + __u32 tcpi_sacked; + __u32 tcpi_lost; + __u32 tcpi_retrans; + __u32 tcpi_fackets; + __u32 tcpi_last_data_sent; + __u32 tcpi_last_ack_sent; + __u32 tcpi_last_data_recv; + __u32 tcpi_last_ack_recv; + __u32 tcpi_pmtu; + __u32 tcpi_rcv_ssthresh; + __u32 tcpi_rtt; + __u32 tcpi_rttvar; + __u32 tcpi_snd_ssthresh; + __u32 tcpi_snd_cwnd; + __u32 tcpi_advmss; + __u32 tcpi_reordering; + __u32 tcpi_rcv_rtt; + __u32 tcpi_rcv_space; + __u32 tcpi_total_retrans; + __u64 tcpi_pacing_rate; + __u64 tcpi_max_pacing_rate; + __u64 tcpi_bytes_acked; + __u64 tcpi_bytes_received; + __u32 tcpi_segs_out; + __u32 tcpi_segs_in; + __u32 tcpi_notsent_bytes; + __u32 tcpi_min_rtt; + __u32 tcpi_data_segs_in; + __u32 tcpi_data_segs_out; + __u64 tcpi_delivery_rate; + __u64 tcpi_busy_time; + __u64 tcpi_rwnd_limited; + __u64 tcpi_sndbuf_limited; + __u32 tcpi_delivered; + __u32 tcpi_delivered_ce; + __u64 tcpi_bytes_sent; + __u64 tcpi_bytes_retrans; + __u32 tcpi_dsack_dups; + __u32 tcpi_reord_seen; + __u32 tcpi_rcv_ooopack; + __u32 tcpi_snd_wnd; +}; + +enum { + TCP_NLA_PAD = 0, + TCP_NLA_BUSY = 1, + TCP_NLA_RWND_LIMITED = 2, + TCP_NLA_SNDBUF_LIMITED = 3, + TCP_NLA_DATA_SEGS_OUT = 4, + TCP_NLA_TOTAL_RETRANS = 5, + TCP_NLA_PACING_RATE = 6, + TCP_NLA_DELIVERY_RATE = 7, + TCP_NLA_SND_CWND = 8, + TCP_NLA_REORDERING = 9, + TCP_NLA_MIN_RTT = 10, + TCP_NLA_RECUR_RETRANS = 11, + TCP_NLA_DELIVERY_RATE_APP_LMT = 12, + TCP_NLA_SNDQ_SIZE = 13, + TCP_NLA_CA_STATE = 14, + TCP_NLA_SND_SSTHRESH = 15, + TCP_NLA_DELIVERED = 16, + TCP_NLA_DELIVERED_CE = 17, + TCP_NLA_BYTES_SENT = 18, + TCP_NLA_BYTES_RETRANS = 19, + TCP_NLA_DSACK_DUPS = 20, + TCP_NLA_REORD_SEEN = 21, + TCP_NLA_SRTT = 22, +}; + +struct tcp_zerocopy_receive { + __u64 address; + __u32 length; + __u32 recv_skip_hint; +}; + +struct tcp_md5sig_pool { + struct ahash_request *md5_req; + void *scratch; +}; + +enum tcp_chrono { + TCP_CHRONO_UNSPEC = 0, + TCP_CHRONO_BUSY = 1, + TCP_CHRONO_RWND_LIMITED = 2, + TCP_CHRONO_SNDBUF_LIMITED = 3, + __TCP_CHRONO_MAX = 4, +}; + +struct tcp_splice_state { + struct pipe_inode_info *pipe; + size_t len; + unsigned int flags; +}; + +enum tcp_fastopen_client_fail { + TFO_STATUS_UNSPEC = 0, + TFO_COOKIE_UNAVAILABLE = 1, + TFO_DATA_NOT_ACKED = 2, + TFO_SYN_RETRANSMITTED = 3, +}; + +enum tcp_queue { + TCP_FRAG_IN_WRITE_QUEUE = 0, + TCP_FRAG_IN_RTX_QUEUE = 1, +}; + +enum tcp_ca_ack_event_flags { + CA_ACK_SLOWPATH = 1, + CA_ACK_WIN_UPDATE = 2, + CA_ACK_ECE = 4, +}; + +struct tcp_sacktag_state { + u32 reord; + u64 first_sackt; + u64 last_sackt; + struct rate_sample *rate; + int flag; + unsigned int mss_now; +}; + +enum tsq_flags { + TSQF_THROTTLED = 1, + TSQF_QUEUED = 2, + TCPF_TSQ_DEFERRED = 4, + TCPF_WRITE_TIMER_DEFERRED = 8, + TCPF_DELACK_TIMER_DEFERRED = 16, + TCPF_MTU_REDUCED_DEFERRED = 32, +}; + +struct tcp_out_options { + u16 options; + u16 mss; + u8 ws; + u8 num_sack_blocks; + u8 hash_size; + __u8 *hash_location; + __u32 tsval; + __u32 tsecr; + struct tcp_fastopen_cookie *fastopen_cookie; +}; + +struct tsq_tasklet { + struct tasklet_struct tasklet; + struct list_head head; +}; + +struct tcp_md5sig { + struct __kernel_sockaddr_storage tcpm_addr; + __u8 tcpm_flags; + __u8 tcpm_prefixlen; + __u16 tcpm_keylen; + __u32 __tcpm_pad; + __u8 tcpm_key[80]; +}; + +struct tcp_timewait_sock { + struct inet_timewait_sock tw_sk; + u32 tw_rcv_wnd; + u32 tw_ts_offset; + u32 tw_ts_recent; + u32 tw_last_oow_ack_time; + int tw_ts_recent_stamp; + u32 tw_tx_delay; + struct tcp_md5sig_key *tw_md5_key; +}; + +struct icmp_err { + int errno; + unsigned int fatal: 1; +}; + +enum tcp_tw_status { + TCP_TW_SUCCESS = 0, + TCP_TW_RST = 1, + TCP_TW_ACK = 2, + TCP_TW_SYN = 3, +}; + +struct tcp4_pseudohdr { + __be32 saddr; + __be32 daddr; + __u8 pad; + __u8 protocol; + __be16 len; +}; + +enum tcp_seq_states { + TCP_SEQ_STATE_LISTENING = 0, + TCP_SEQ_STATE_ESTABLISHED = 1, +}; + +struct tcp_seq_afinfo { + sa_family_t family; +}; + +struct tcp_iter_state { + struct seq_net_private p; + enum tcp_seq_states state; + struct sock *syn_wait_sk; + int bucket; + int offset; + int sbucket; + int num; + loff_t last_pos; +}; + +enum tcp_metric_index { + TCP_METRIC_RTT = 0, + TCP_METRIC_RTTVAR = 1, + TCP_METRIC_SSTHRESH = 2, + TCP_METRIC_CWND = 3, + TCP_METRIC_REORDERING = 4, + TCP_METRIC_RTT_US = 5, + TCP_METRIC_RTTVAR_US = 6, + __TCP_METRIC_MAX = 7, +}; + +enum { + TCP_METRICS_ATTR_UNSPEC = 0, + TCP_METRICS_ATTR_ADDR_IPV4 = 1, + TCP_METRICS_ATTR_ADDR_IPV6 = 2, + TCP_METRICS_ATTR_AGE = 3, + TCP_METRICS_ATTR_TW_TSVAL = 4, + TCP_METRICS_ATTR_TW_TS_STAMP = 5, + TCP_METRICS_ATTR_VALS = 6, + TCP_METRICS_ATTR_FOPEN_MSS = 7, + TCP_METRICS_ATTR_FOPEN_SYN_DROPS = 8, + TCP_METRICS_ATTR_FOPEN_SYN_DROP_TS = 9, + TCP_METRICS_ATTR_FOPEN_COOKIE = 10, + TCP_METRICS_ATTR_SADDR_IPV4 = 11, + TCP_METRICS_ATTR_SADDR_IPV6 = 12, + TCP_METRICS_ATTR_PAD = 13, + __TCP_METRICS_ATTR_MAX = 14, +}; + +enum { + TCP_METRICS_CMD_UNSPEC = 0, + TCP_METRICS_CMD_GET = 1, + TCP_METRICS_CMD_DEL = 2, + __TCP_METRICS_CMD_MAX = 3, +}; + +struct tcp_fastopen_metrics { + u16 mss; + u16 syn_loss: 10; + u16 try_exp: 2; + long unsigned int last_syn_loss; + struct tcp_fastopen_cookie cookie; +}; + +struct tcp_metrics_block { + struct tcp_metrics_block *tcpm_next; + possible_net_t tcpm_net; + struct inetpeer_addr tcpm_saddr; + struct inetpeer_addr tcpm_daddr; + long unsigned int tcpm_stamp; + u32 tcpm_lock; + u32 tcpm_vals[5]; + struct tcp_fastopen_metrics tcpm_fastopen; + struct callback_head callback_head; +}; + +struct tcpm_hash_bucket { + struct tcp_metrics_block *chain; +}; + +struct icmp_filter { + __u32 data; +}; + +struct raw_iter_state { + struct seq_net_private p; + int bucket; +}; + +struct raw_sock { + struct inet_sock inet; + struct icmp_filter filter; + u32 ipmr_table; +}; + +struct raw_frag_vec { + struct msghdr *msg; + union { + struct icmphdr icmph; + char c[1]; + } hdr; + int hlen; +}; + +struct udp_sock { + struct inet_sock inet; + int pending; + unsigned int corkflag; + __u8 encap_type; + unsigned char no_check6_tx: 1; + unsigned char no_check6_rx: 1; + unsigned char encap_enabled: 1; + unsigned char gro_enabled: 1; + __u16 len; + __u16 gso_size; + __u16 pcslen; + __u16 pcrlen; + __u8 pcflag; + __u8 unused[3]; + int (*encap_rcv)(struct sock *, struct sk_buff *); + int (*encap_err_lookup)(struct sock *, struct sk_buff *); + void (*encap_destroy)(struct sock *); + struct sk_buff * (*gro_receive)(struct sock *, struct list_head *, struct sk_buff *); + int (*gro_complete)(struct sock *, struct sk_buff *, int); + long: 64; + long: 64; + struct sk_buff_head reader_queue; + int forward_deficit; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct udp_skb_cb { + union { + struct inet_skb_parm h4; + struct inet6_skb_parm h6; + } header; + __u16 cscov; + __u8 partial_cov; +}; + +struct udp_dev_scratch { + u32 _tsize_state; + u16 len; + bool is_linear; + bool csum_unnecessary; +}; + +struct udp_seq_afinfo { + sa_family_t family; + struct udp_table *udp_table; +}; + +struct udp_iter_state { + struct seq_net_private p; + int bucket; +}; + +struct inet_protosw { + struct list_head list; + short unsigned int type; + short unsigned int protocol; + struct proto *prot; + const struct proto_ops *ops; + unsigned char flags; +}; + +typedef struct sk_buff * (*gro_receive_sk_t)(struct sock *, struct list_head *, struct sk_buff *); + +typedef struct sock * (*udp_lookup_t)(struct sk_buff *, __be16, __be16); + +struct arpreq { + struct sockaddr arp_pa; + struct sockaddr arp_ha; + int arp_flags; + struct sockaddr arp_netmask; + char arp_dev[16]; +}; + +enum { + AX25_VALUES_IPDEFMODE = 0, + AX25_VALUES_AXDEFMODE = 1, + AX25_VALUES_BACKOFF = 2, + AX25_VALUES_CONMODE = 3, + AX25_VALUES_WINDOW = 4, + AX25_VALUES_EWINDOW = 5, + AX25_VALUES_T1 = 6, + AX25_VALUES_T2 = 7, + AX25_VALUES_T3 = 8, + AX25_VALUES_IDLE = 9, + AX25_VALUES_N2 = 10, + AX25_VALUES_PACLEN = 11, + AX25_VALUES_PROTOCOL = 12, + AX25_VALUES_DS_TIMEOUT = 13, + AX25_MAX_VALUES = 14, +}; + +enum { + XFRM_LOOKUP_ICMP = 1, + XFRM_LOOKUP_QUEUE = 2, + XFRM_LOOKUP_KEEP_DST_REF = 4, +}; + +struct icmp_bxm { + struct sk_buff *skb; + int offset; + int data_len; + struct { + struct icmphdr icmph; + __be32 times[3]; + } data; + int head_len; + struct ip_options_data replyopts; +}; + +struct icmp_control { + bool (*handler)(struct sk_buff *); + short int error; +}; + +struct ifaddrmsg { + __u8 ifa_family; + __u8 ifa_prefixlen; + __u8 ifa_flags; + __u8 ifa_scope; + __u32 ifa_index; +}; + +enum { + IFA_UNSPEC = 0, + IFA_ADDRESS = 1, + IFA_LOCAL = 2, + IFA_LABEL = 3, + IFA_BROADCAST = 4, + IFA_ANYCAST = 5, + IFA_CACHEINFO = 6, + IFA_MULTICAST = 7, + IFA_FLAGS = 8, + IFA_RT_PRIORITY = 9, + IFA_TARGET_NETNSID = 10, + __IFA_MAX = 11, +}; + +struct ifa_cacheinfo { + __u32 ifa_prefered; + __u32 ifa_valid; + __u32 cstamp; + __u32 tstamp; +}; + +enum { + IFLA_INET_UNSPEC = 0, + IFLA_INET_CONF = 1, + __IFLA_INET_MAX = 2, +}; + +struct in_validator_info { + __be32 ivi_addr; + struct in_device *ivi_dev; + struct netlink_ext_ack *extack; +}; + +struct netconfmsg { + __u8 ncm_family; +}; + +enum { + NETCONFA_UNSPEC = 0, + NETCONFA_IFINDEX = 1, + NETCONFA_FORWARDING = 2, + NETCONFA_RP_FILTER = 3, + NETCONFA_MC_FORWARDING = 4, + NETCONFA_PROXY_NEIGH = 5, + NETCONFA_IGNORE_ROUTES_WITH_LINKDOWN = 6, + NETCONFA_INPUT = 7, + NETCONFA_BC_FORWARDING = 8, + __NETCONFA_MAX = 9, +}; + +struct inet_fill_args { + u32 portid; + u32 seq; + int event; + unsigned int flags; + int netnsid; + int ifindex; +}; + +struct devinet_sysctl_table { + struct ctl_table_header *sysctl_header; + struct ctl_table devinet_vars[33]; +}; + +struct pingv6_ops { + int (*ipv6_recv_error)(struct sock *, struct msghdr *, int, int *); + void (*ip6_datagram_recv_common_ctl)(struct sock *, struct msghdr *, struct sk_buff *); + void (*ip6_datagram_recv_specific_ctl)(struct sock *, struct msghdr *, struct sk_buff *); + int (*icmpv6_err_convert)(u8, u8, int *); + void (*ipv6_icmp_error)(struct sock *, struct sk_buff *, int, __be16, u32, u8 *); + int (*ipv6_chk_addr)(struct net *, const struct in6_addr *, const struct net_device *, int); +}; + +struct igmphdr { + __u8 type; + __u8 code; + __sum16 csum; + __be32 group; +}; + +struct igmpv3_grec { + __u8 grec_type; + __u8 grec_auxwords; + __be16 grec_nsrcs; + __be32 grec_mca; + __be32 grec_src[0]; +}; + +struct igmpv3_report { + __u8 type; + __u8 resv1; + __sum16 csum; + __be16 resv2; + __be16 ngrec; + struct igmpv3_grec grec[0]; +}; + +struct igmpv3_query { + __u8 type; + __u8 code; + __sum16 csum; + __be32 group; + __u8 qrv: 3; + __u8 suppress: 1; + __u8 resv: 4; + __u8 qqic; + __be16 nsrcs; + __be32 srcs[0]; +}; + +struct igmp_mc_iter_state { + struct seq_net_private p; + struct net_device *dev; + struct in_device *in_dev; +}; + +struct igmp_mcf_iter_state { + struct seq_net_private p; + struct net_device *dev; + struct in_device *idev; + struct ip_mc_list *im; +}; + +struct rtnexthop { + short unsigned int rtnh_len; + unsigned char rtnh_flags; + unsigned char rtnh_hops; + int rtnh_ifindex; +}; + +struct fib_config { + u8 fc_dst_len; + u8 fc_tos; + u8 fc_protocol; + u8 fc_scope; + u8 fc_type; + u8 fc_gw_family; + u32 fc_table; + __be32 fc_dst; + union { + __be32 fc_gw4; + struct in6_addr fc_gw6; + }; + int fc_oif; + u32 fc_flags; + u32 fc_priority; + __be32 fc_prefsrc; + u32 fc_nh_id; + struct nlattr *fc_mx; + struct rtnexthop *fc_mp; + int fc_mx_len; + int fc_mp_len; + u32 fc_flow; + u32 fc_nlflags; + struct nl_info fc_nlinfo; + struct nlattr *fc_encap; + u16 fc_encap_type; +}; + +struct fib_result_nl { + __be32 fl_addr; + u32 fl_mark; + unsigned char fl_tos; + unsigned char fl_scope; + unsigned char tb_id_in; + unsigned char tb_id; + unsigned char prefixlen; + unsigned char nh_sel; + unsigned char type; + unsigned char scope; + int err; +}; + +struct fib_dump_filter { + u32 table_id; + bool filter_set; + bool dump_all_families; + bool dump_routes; + bool dump_exceptions; + unsigned char protocol; + unsigned char rt_type; + unsigned int flags; + struct net_device *dev; +}; + +struct fib_nh_notifier_info { + struct fib_notifier_info info; + struct fib_nh *fib_nh; +}; + +enum lwtunnel_encap_types { + LWTUNNEL_ENCAP_NONE = 0, + LWTUNNEL_ENCAP_MPLS = 1, + LWTUNNEL_ENCAP_IP = 2, + LWTUNNEL_ENCAP_ILA = 3, + LWTUNNEL_ENCAP_IP6 = 4, + LWTUNNEL_ENCAP_SEG6 = 5, + LWTUNNEL_ENCAP_BPF = 6, + LWTUNNEL_ENCAP_SEG6_LOCAL = 7, + __LWTUNNEL_ENCAP_MAX = 8, +}; + +struct fib_alias { + struct hlist_node fa_list; + struct fib_info *fa_info; + u8 fa_tos; + u8 fa_type; + u8 fa_state; + u8 fa_slen; + u32 tb_id; + s16 fa_default; + struct callback_head rcu; +}; + +struct fib_entry_notifier_info { + struct fib_notifier_info info; + u32 dst; + int dst_len; + struct fib_info *fi; + u8 tos; + u8 type; + u32 tb_id; +}; + +typedef unsigned int t_key; + +struct key_vector { + t_key key; + unsigned char pos; + unsigned char bits; + unsigned char slen; + union { + struct hlist_head leaf; + struct key_vector *tnode[0]; + }; +}; + +struct tnode { + struct callback_head rcu; + t_key empty_children; + t_key full_children; + struct key_vector *parent; + struct key_vector kv[1]; +}; + +struct trie_stat { + unsigned int totdepth; + unsigned int maxdepth; + unsigned int tnodes; + unsigned int leaves; + unsigned int nullpointers; + unsigned int prefixes; + unsigned int nodesizes[32]; +}; + +struct trie { + struct key_vector kv[1]; +}; + +struct fib_trie_iter { + struct seq_net_private p; + struct fib_table *tb; + struct key_vector *tnode; + unsigned int index; + unsigned int depth; +}; + +struct fib_route_iter { + struct seq_net_private p; + struct fib_table *main_tb; + struct key_vector *tnode; + loff_t pos; + t_key key; +}; + +struct ipfrag_skb_cb { + union { + struct inet_skb_parm h4; + struct inet6_skb_parm h6; + }; + struct sk_buff *next_frag; + int frag_run_len; +}; + +struct ping_iter_state { + struct seq_net_private p; + int bucket; + sa_family_t family; +}; + +struct pingfakehdr { + struct icmphdr icmph; + struct msghdr *msg; + sa_family_t family; + __wsum wcheck; +}; + +struct ping_table { + struct hlist_nulls_head hash[64]; + rwlock_t lock; +}; + +struct lwtunnel_encap_ops { + int (*build_state)(struct nlattr *, unsigned int, const void *, struct lwtunnel_state **, struct netlink_ext_ack *); + void (*destroy_state)(struct lwtunnel_state *); + int (*output)(struct net *, struct sock *, struct sk_buff *); + int (*input)(struct sk_buff *); + int (*fill_encap)(struct sk_buff *, struct lwtunnel_state *); + int (*get_encap_size)(struct lwtunnel_state *); + int (*cmp_encap)(struct lwtunnel_state *, struct lwtunnel_state *); + int (*xmit)(struct sk_buff *); + struct module *owner; +}; + +struct ip6_tnl_encap_ops { + size_t (*encap_hlen)(struct ip_tunnel_encap *); + int (*build_header)(struct sk_buff *, struct ip_tunnel_encap *, u8 *, struct flowi6 *); + int (*err_handler)(struct sk_buff *, struct inet6_skb_parm *, u8, u8, int, __be32); +}; + +struct erspan_md2 { + __be32 timestamp; + __be16 sgt; + __u8 hwid_upper: 2; + __u8 ft: 5; + __u8 p: 1; + __u8 o: 1; + __u8 gra: 2; + __u8 dir: 1; + __u8 hwid: 4; +}; + +struct nhmsg { + unsigned char nh_family; + unsigned char nh_scope; + unsigned char nh_protocol; + unsigned char resvd; + unsigned int nh_flags; +}; + +struct nexthop_grp { + __u32 id; + __u8 weight; + __u8 resvd1; + __u16 resvd2; +}; + +enum { + NEXTHOP_GRP_TYPE_MPATH = 0, + __NEXTHOP_GRP_TYPE_MAX = 1, +}; + +enum { + NHA_UNSPEC = 0, + NHA_ID = 1, + NHA_GROUP = 2, + NHA_GROUP_TYPE = 3, + NHA_BLACKHOLE = 4, + NHA_OIF = 5, + NHA_GATEWAY = 6, + NHA_ENCAP_TYPE = 7, + NHA_ENCAP = 8, + NHA_GROUPS = 9, + NHA_MASTER = 10, + __NHA_MAX = 11, +}; + +struct nh_config { + u32 nh_id; + u8 nh_family; + u8 nh_protocol; + u8 nh_blackhole; + u32 nh_flags; + int nh_ifindex; + struct net_device *dev; + union { + __be32 ipv4; + struct in6_addr ipv6; + } gw; + struct nlattr *nh_grp; + u16 nh_grp_type; + struct nlattr *nh_encap; + u16 nh_encap_type; + u32 nlflags; + struct nl_info nlinfo; +}; + +struct ip_tunnel_parm { + char name[16]; + int link; + __be16 i_flags; + __be16 o_flags; + __be32 i_key; + __be32 o_key; + struct iphdr iph; +}; + +enum tunnel_encap_types { + TUNNEL_ENCAP_NONE = 0, + TUNNEL_ENCAP_FOU = 1, + TUNNEL_ENCAP_GUE = 2, + TUNNEL_ENCAP_MPLS = 3, +}; + +struct ip_tunnel_prl_entry { + struct ip_tunnel_prl_entry *next; + __be32 addr; + u16 flags; + struct callback_head callback_head; +}; + +struct ip_tunnel { + struct ip_tunnel *next; + struct hlist_node hash_node; + struct net_device *dev; + struct net *net; + long unsigned int err_time; + int err_count; + u32 i_seqno; + u32 o_seqno; + int tun_hlen; + u32 index; + u8 erspan_ver; + u8 dir; + u16 hwid; + struct dst_cache dst_cache; + struct ip_tunnel_parm parms; + int mlink; + int encap_hlen; + int hlen; + struct ip_tunnel_encap encap; + struct ip_tunnel_prl_entry *prl; + unsigned int prl_count; + unsigned int ip_tnl_net_id; + struct gro_cells gro_cells; + __u32 fwmark; + bool collect_md; + bool ignore_df; +}; + +struct tnl_ptk_info { + __be16 flags; + __be16 proto; + __be32 key; + __be32 seq; + int hdr_len; +}; + +struct ip_tunnel_net { + struct net_device *fb_tunnel_dev; + struct rtnl_link_ops *rtnl_link_ops; + struct hlist_head tunnels[128]; + struct ip_tunnel *collect_md_tun; + int type; +}; + +struct inet6_protocol { + void (*early_demux)(struct sk_buff *); + void (*early_demux_handler)(struct sk_buff *); + int (*handler)(struct sk_buff *); + int (*err_handler)(struct sk_buff *, struct inet6_skb_parm *, u8, u8, int, __be32); + unsigned int flags; +}; + +struct snmp_mib { + const char *name; + int entry; +}; + +struct fib4_rule { + struct fib_rule common; + u8 dst_len; + u8 src_len; + u8 tos; + __be32 src; + __be32 srcmask; + __be32 dst; + __be32 dstmask; +}; + +enum { + PIM_TYPE_HELLO = 0, + PIM_TYPE_REGISTER = 1, + PIM_TYPE_REGISTER_STOP = 2, + PIM_TYPE_JOIN_PRUNE = 3, + PIM_TYPE_BOOTSTRAP = 4, + PIM_TYPE_ASSERT = 5, + PIM_TYPE_GRAFT = 6, + PIM_TYPE_GRAFT_ACK = 7, + PIM_TYPE_CANDIDATE_RP_ADV = 8, +}; + +struct pimreghdr { + __u8 type; + __u8 reserved; + __be16 csum; + __be32 flags; +}; + +typedef short unsigned int vifi_t; + +struct vifctl { + vifi_t vifc_vifi; + unsigned char vifc_flags; + unsigned char vifc_threshold; + unsigned int vifc_rate_limit; + union { + struct in_addr vifc_lcl_addr; + int vifc_lcl_ifindex; + }; + struct in_addr vifc_rmt_addr; +}; + +struct mfcctl { + struct in_addr mfcc_origin; + struct in_addr mfcc_mcastgrp; + vifi_t mfcc_parent; + unsigned char mfcc_ttls[32]; + unsigned int mfcc_pkt_cnt; + unsigned int mfcc_byte_cnt; + unsigned int mfcc_wrong_if; + int mfcc_expire; +}; + +struct sioc_sg_req { + struct in_addr src; + struct in_addr grp; + long unsigned int pktcnt; + long unsigned int bytecnt; + long unsigned int wrong_if; +}; + +struct sioc_vif_req { + vifi_t vifi; + long unsigned int icount; + long unsigned int ocount; + long unsigned int ibytes; + long unsigned int obytes; +}; + +struct igmpmsg { + __u32 unused1; + __u32 unused2; + unsigned char im_msgtype; + unsigned char im_mbz; + unsigned char im_vif; + unsigned char unused3; + struct in_addr im_src; + struct in_addr im_dst; +}; + +enum { + IPMRA_TABLE_UNSPEC = 0, + IPMRA_TABLE_ID = 1, + IPMRA_TABLE_CACHE_RES_QUEUE_LEN = 2, + IPMRA_TABLE_MROUTE_REG_VIF_NUM = 3, + IPMRA_TABLE_MROUTE_DO_ASSERT = 4, + IPMRA_TABLE_MROUTE_DO_PIM = 5, + IPMRA_TABLE_VIFS = 6, + IPMRA_TABLE_MROUTE_DO_WRVIFWHOLE = 7, + __IPMRA_TABLE_MAX = 8, +}; + +enum { + IPMRA_VIF_UNSPEC = 0, + IPMRA_VIF = 1, + __IPMRA_VIF_MAX = 2, +}; + +enum { + IPMRA_VIFA_UNSPEC = 0, + IPMRA_VIFA_IFINDEX = 1, + IPMRA_VIFA_VIF_ID = 2, + IPMRA_VIFA_FLAGS = 3, + IPMRA_VIFA_BYTES_IN = 4, + IPMRA_VIFA_BYTES_OUT = 5, + IPMRA_VIFA_PACKETS_IN = 6, + IPMRA_VIFA_PACKETS_OUT = 7, + IPMRA_VIFA_LOCAL_ADDR = 8, + IPMRA_VIFA_REMOTE_ADDR = 9, + IPMRA_VIFA_PAD = 10, + __IPMRA_VIFA_MAX = 11, +}; + +enum { + IPMRA_CREPORT_UNSPEC = 0, + IPMRA_CREPORT_MSGTYPE = 1, + IPMRA_CREPORT_VIF_ID = 2, + IPMRA_CREPORT_SRC_ADDR = 3, + IPMRA_CREPORT_DST_ADDR = 4, + IPMRA_CREPORT_PKT = 5, + __IPMRA_CREPORT_MAX = 6, +}; + +struct vif_entry_notifier_info { + struct fib_notifier_info info; + struct net_device *dev; + short unsigned int vif_index; + short unsigned int vif_flags; + u32 tb_id; +}; + +enum { + MFC_STATIC = 1, + MFC_OFFLOAD = 2, +}; + +struct mr_mfc { + struct rhlist_head mnode; + short unsigned int mfc_parent; + int mfc_flags; + union { + struct { + long unsigned int expires; + struct sk_buff_head unresolved; + } unres; + struct { + long unsigned int last_assert; + int minvif; + int maxvif; + long unsigned int bytes; + long unsigned int pkt; + long unsigned int wrong_if; + long unsigned int lastuse; + unsigned char ttls[32]; + refcount_t refcount; + } res; + } mfc_un; + struct list_head list; + struct callback_head rcu; + void (*free)(struct callback_head *); +}; + +struct mfc_entry_notifier_info { + struct fib_notifier_info info; + struct mr_mfc *mfc; + u32 tb_id; +}; + +struct mr_vif_iter { + struct seq_net_private p; + struct mr_table *mrt; + int ct; +}; + +struct mr_mfc_iter { + struct seq_net_private p; + struct mr_table *mrt; + struct list_head *cache; + spinlock_t *lock; +}; + +struct mfc_cache_cmp_arg { + __be32 mfc_mcastgrp; + __be32 mfc_origin; +}; + +struct mfc_cache { + struct mr_mfc _c; + union { + struct { + __be32 mfc_mcastgrp; + __be32 mfc_origin; + }; + struct mfc_cache_cmp_arg cmparg; + }; +}; + +struct compat_sioc_sg_req { + struct in_addr src; + struct in_addr grp; + compat_ulong_t pktcnt; + compat_ulong_t bytecnt; + compat_ulong_t wrong_if; +}; + +struct compat_sioc_vif_req { + vifi_t vifi; + compat_ulong_t icount; + compat_ulong_t ocount; + compat_ulong_t ibytes; + compat_ulong_t obytes; +}; + +typedef u64 pao_T_____5; + +struct rta_mfc_stats { + __u64 mfcs_packets; + __u64 mfcs_bytes; + __u64 mfcs_wrong_if; +}; + +struct xfrm_tunnel { + int (*handler)(struct sk_buff *); + int (*err_handler)(struct sk_buff *, u32); + struct xfrm_tunnel *next; + int priority; +}; + +struct ic_device { + struct ic_device *next; + struct net_device *dev; + short unsigned int flags; + short int able; + __be32 xid; +}; + +struct bootp_pkt { + struct iphdr iph; + struct udphdr udph; + u8 op; + u8 htype; + u8 hlen; + u8 hops; + __be32 xid; + __be16 secs; + __be16 flags; + __be32 client_ip; + __be32 your_ip; + __be32 server_ip; + __be32 relay_ip; + u8 hw_addr[16]; + u8 serv_name[64]; + u8 boot_file[128]; + u8 exten[312]; +}; + +struct xt_get_revision { + char name[29]; + __u8 revision; +}; + +struct ipt_icmp { + __u8 type; + __u8 code[2]; + __u8 invflags; +}; + +struct ipt_getinfo { + char name[32]; + unsigned int valid_hooks; + unsigned int hook_entry[5]; + unsigned int underflow[5]; + unsigned int num_entries; + unsigned int size; +}; + +struct ipt_replace { + char name[32]; + unsigned int valid_hooks; + unsigned int num_entries; + unsigned int size; + unsigned int hook_entry[5]; + unsigned int underflow[5]; + unsigned int num_counters; + struct xt_counters *counters; + struct ipt_entry entries[0]; +}; + +struct ipt_get_entries { + char name[32]; + unsigned int size; + struct ipt_entry entrytable[0]; +}; + +struct ipt_standard { + struct ipt_entry entry; + struct xt_standard_target target; +}; + +struct ipt_error { + struct ipt_entry entry; + struct xt_error_target target; +}; + +struct compat_ipt_entry { + struct ipt_ip ip; + compat_uint_t nfcache; + __u16 target_offset; + __u16 next_offset; + compat_uint_t comefrom; + struct compat_xt_counters counters; + unsigned char elems[0]; +}; + +struct compat_ipt_replace { + char name[32]; + u32 valid_hooks; + u32 num_entries; + u32 size; + u32 hook_entry[5]; + u32 underflow[5]; + u32 num_counters; + compat_uptr_t counters; + struct compat_ipt_entry entries[0]; +} __attribute__((packed)); + +struct compat_ipt_get_entries { + char name[32]; + compat_uint_t size; + struct compat_ipt_entry entrytable[0]; +} __attribute__((packed)); + +enum ipt_reject_with { + IPT_ICMP_NET_UNREACHABLE = 0, + IPT_ICMP_HOST_UNREACHABLE = 1, + IPT_ICMP_PROT_UNREACHABLE = 2, + IPT_ICMP_PORT_UNREACHABLE = 3, + IPT_ICMP_ECHOREPLY = 4, + IPT_ICMP_NET_PROHIBITED = 5, + IPT_ICMP_HOST_PROHIBITED = 6, + IPT_TCP_RESET = 7, + IPT_ICMP_ADMIN_PROHIBITED = 8, +}; + +struct ipt_reject_info { + enum ipt_reject_with with; +}; + +struct bictcp { + u32 cnt; + u32 last_max_cwnd; + u32 last_cwnd; + u32 last_time; + u32 bic_origin_point; + u32 bic_K; + u32 delay_min; + u32 epoch_start; + u32 ack_cnt; + u32 tcp_cwnd; + u16 unused; + u8 sample_cnt; + u8 found; + u32 round_start; + u32 end_seq; + u32 last_ack; + u32 curr_rtt; +}; + +struct netlbl_audit { + u32 secid; + kuid_t loginuid; + unsigned int sessionid; +}; + +struct cipso_v4_std_map_tbl { + struct { + u32 *cipso; + u32 *local; + u32 cipso_size; + u32 local_size; + } lvl; + struct { + u32 *cipso; + u32 *local; + u32 cipso_size; + u32 local_size; + } cat; +}; + +struct cipso_v4_doi { + u32 doi; + u32 type; + union { + struct cipso_v4_std_map_tbl *std; + } map; + u8 tags[5]; + refcount_t refcount; + struct list_head list; + struct callback_head rcu; +}; + +struct cipso_v4_map_cache_bkt { + spinlock_t lock; + u32 size; + struct list_head list; +}; + +struct cipso_v4_map_cache_entry { + u32 hash; + unsigned char *key; + size_t key_len; + struct netlbl_lsm_cache *lsm_data; + u32 activity; + struct list_head list; +}; + +struct xfrm_policy_afinfo { + struct dst_ops *dst_ops; + struct dst_entry * (*dst_lookup)(struct net *, int, int, const xfrm_address_t *, const xfrm_address_t *, u32); + int (*get_saddr)(struct net *, int, xfrm_address_t *, xfrm_address_t *, u32); + int (*fill_dst)(struct xfrm_dst *, struct net_device *, const struct flowi *); + struct dst_entry * (*blackhole_route)(struct net *, struct dst_entry *); +}; + +struct xfrm_state_afinfo { + u8 family; + u8 proto; + const struct xfrm_type_offload *type_offload_esp; + const struct xfrm_type *type_esp; + const struct xfrm_type *type_ipip; + const struct xfrm_type *type_ipip6; + const struct xfrm_type *type_comp; + const struct xfrm_type *type_ah; + const struct xfrm_type *type_routing; + const struct xfrm_type *type_dstopts; + int (*output)(struct net *, struct sock *, struct sk_buff *); + int (*output_finish)(struct sock *, struct sk_buff *); + int (*extract_input)(struct xfrm_state *, struct sk_buff *); + int (*extract_output)(struct xfrm_state *, struct sk_buff *); + int (*transport_finish)(struct sk_buff *, int); + void (*local_error)(struct sk_buff *, u32); +}; + +struct ip6_tnl; + +struct xfrm_tunnel_skb_cb { + union { + struct inet_skb_parm h4; + struct inet6_skb_parm h6; + } header; + union { + struct ip_tunnel *ip4; + struct ip6_tnl *ip6; + } tunnel; +}; + +struct xfrm_mode_skb_cb { + struct xfrm_tunnel_skb_cb header; + __be16 id; + __be16 frag_off; + u8 ihl; + u8 tos; + u8 ttl; + u8 protocol; + u8 optlen; + u8 flow_lbl[3]; +}; + +struct xfrm_spi_skb_cb { + struct xfrm_tunnel_skb_cb header; + unsigned int daddroff; + unsigned int family; + __be32 seq; +}; + +struct xfrm_input_afinfo { + unsigned int family; + int (*callback)(struct sk_buff *, u8, int); +}; + +struct xfrm4_protocol { + int (*handler)(struct sk_buff *); + int (*input_handler)(struct sk_buff *, int, __be32, int); + int (*cb_handler)(struct sk_buff *, int); + int (*err_handler)(struct sk_buff *, u32); + struct xfrm4_protocol *next; + int priority; +}; + +enum { + XFRM_STATE_VOID = 0, + XFRM_STATE_ACQ = 1, + XFRM_STATE_VALID = 2, + XFRM_STATE_ERROR = 3, + XFRM_STATE_EXPIRED = 4, + XFRM_STATE_DEAD = 5, +}; + +struct xfrm_if; + +struct xfrm_if_cb { + struct xfrm_if * (*decode_session)(struct sk_buff *, short unsigned int); +}; + +struct xfrm_if_parms { + int link; + u32 if_id; +}; + +struct xfrm_if { + struct xfrm_if *next; + struct net_device *dev; + struct net *net; + struct xfrm_if_parms p; + struct gro_cells gro_cells; +}; + +struct xfrm_policy_walk { + struct xfrm_policy_walk_entry walk; + u8 type; + u32 seq; +}; + +struct xfrmk_spdinfo { + u32 incnt; + u32 outcnt; + u32 fwdcnt; + u32 inscnt; + u32 outscnt; + u32 fwdscnt; + u32 spdhcnt; + u32 spdhmcnt; +}; + +struct xfrm_flo { + struct dst_entry *dst_orig; + u8 flags; +}; + +struct xfrm_pol_inexact_node { + struct rb_node node; + union { + xfrm_address_t addr; + struct callback_head rcu; + }; + u8 prefixlen; + struct rb_root root; + struct hlist_head hhead; +}; + +struct xfrm_pol_inexact_key { + possible_net_t net; + u32 if_id; + u16 family; + u8 dir; + u8 type; +}; + +struct xfrm_pol_inexact_bin { + struct xfrm_pol_inexact_key k; + struct rhash_head head; + struct hlist_head hhead; + seqcount_t count; + struct rb_root root_d; + struct rb_root root_s; + struct list_head inexact_bins; + struct callback_head rcu; +}; + +enum xfrm_pol_inexact_candidate_type { + XFRM_POL_CAND_BOTH = 0, + XFRM_POL_CAND_SADDR = 1, + XFRM_POL_CAND_DADDR = 2, + XFRM_POL_CAND_ANY = 3, + XFRM_POL_CAND_MAX = 4, +}; + +struct xfrm_pol_inexact_candidates { + struct hlist_head *res[4]; +}; + +enum xfrm_ae_ftype_t { + XFRM_AE_UNSPEC = 0, + XFRM_AE_RTHR = 1, + XFRM_AE_RVAL = 2, + XFRM_AE_LVAL = 4, + XFRM_AE_ETHR = 8, + XFRM_AE_CR = 16, + XFRM_AE_CE = 32, + XFRM_AE_CU = 64, + __XFRM_AE_MAX = 65, +}; + +enum xfrm_nlgroups { + XFRMNLGRP_NONE = 0, + XFRMNLGRP_ACQUIRE = 1, + XFRMNLGRP_EXPIRE = 2, + XFRMNLGRP_SA = 3, + XFRMNLGRP_POLICY = 4, + XFRMNLGRP_AEVENTS = 5, + XFRMNLGRP_REPORT = 6, + XFRMNLGRP_MIGRATE = 7, + XFRMNLGRP_MAPPING = 8, + __XFRMNLGRP_MAX = 9, +}; + +enum { + XFRM_MODE_FLAG_TUNNEL = 1, +}; + +struct km_event { + union { + u32 hard; + u32 proto; + u32 byid; + u32 aevent; + u32 type; + } data; + u32 seq; + u32 portid; + u32 event; + struct net *net; +}; + +struct xfrm_kmaddress { + xfrm_address_t local; + xfrm_address_t remote; + u32 reserved; + u16 family; +}; + +struct xfrm_migrate { + xfrm_address_t old_daddr; + xfrm_address_t old_saddr; + xfrm_address_t new_daddr; + xfrm_address_t new_saddr; + u8 proto; + u8 mode; + u16 reserved; + u32 reqid; + u16 old_family; + u16 new_family; +}; + +struct xfrm_mgr { + struct list_head list; + int (*notify)(struct xfrm_state *, const struct km_event *); + int (*acquire)(struct xfrm_state *, struct xfrm_tmpl *, struct xfrm_policy *); + struct xfrm_policy * (*compile_policy)(struct sock *, int, u8 *, int, int *); + int (*new_mapping)(struct xfrm_state *, xfrm_address_t *, __be16); + int (*notify_policy)(struct xfrm_policy *, int, const struct km_event *); + int (*report)(struct net *, u8, struct xfrm_selector *, xfrm_address_t *); + int (*migrate)(const struct xfrm_selector *, u8, u8, const struct xfrm_migrate *, int, const struct xfrm_kmaddress *, const struct xfrm_encap_tmpl *); + bool (*is_alive)(const struct km_event *); +}; + +struct xfrmk_sadinfo { + u32 sadhcnt; + u32 sadhmcnt; + u32 sadcnt; +}; + +struct ip_beet_phdr { + __u8 nexthdr; + __u8 hdrlen; + __u8 padlen; + __u8 reserved; +}; + +struct __ip6_tnl_parm { + char name[16]; + int link; + __u8 proto; + __u8 encap_limit; + __u8 hop_limit; + bool collect_md; + __be32 flowinfo; + __u32 flags; + struct in6_addr laddr; + struct in6_addr raddr; + __be16 i_flags; + __be16 o_flags; + __be32 i_key; + __be32 o_key; + __u32 fwmark; + __u32 index; + __u8 erspan_ver; + __u8 dir; + __u16 hwid; +}; + +struct ip6_tnl { + struct ip6_tnl *next; + struct net_device *dev; + struct net *net; + struct __ip6_tnl_parm parms; + struct flowi fl; + struct dst_cache dst_cache; + struct gro_cells gro_cells; + int err_count; + long unsigned int err_time; + __u32 i_seqno; + __u32 o_seqno; + int hlen; + int tun_hlen; + int encap_hlen; + struct ip_tunnel_encap encap; + int mlink; +}; + +struct xfrm_skb_cb { + struct xfrm_tunnel_skb_cb header; + union { + struct { + __u32 low; + __u32 hi; + } output; + struct { + __be32 low; + __be32 hi; + } input; + } seq; +}; + +struct xfrm_trans_tasklet { + struct tasklet_struct tasklet; + struct sk_buff_head queue; +}; + +struct xfrm_trans_cb { + union { + struct inet_skb_parm h4; + struct inet6_skb_parm h6; + } header; + int (*finish)(struct net *, struct sock *, struct sk_buff *); +}; + +struct sadb_alg { + __u8 sadb_alg_id; + __u8 sadb_alg_ivlen; + __u16 sadb_alg_minbits; + __u16 sadb_alg_maxbits; + __u16 sadb_alg_reserved; +}; + +struct xfrm_algo_aead_info { + char *geniv; + u16 icv_truncbits; +}; + +struct xfrm_algo_auth_info { + u16 icv_truncbits; + u16 icv_fullbits; +}; + +struct xfrm_algo_encr_info { + char *geniv; + u16 blockbits; + u16 defkeybits; +}; + +struct xfrm_algo_comp_info { + u16 threshold; +}; + +struct xfrm_algo_desc { + char *name; + char *compat; + u8 available: 1; + u8 pfkey_supported: 1; + union { + struct xfrm_algo_aead_info aead; + struct xfrm_algo_auth_info auth; + struct xfrm_algo_encr_info encr; + struct xfrm_algo_comp_info comp; + } uinfo; + struct sadb_alg desc; +}; + +struct xfrm_algo_list { + struct xfrm_algo_desc *algs; + int entries; + u32 type; + u32 mask; +}; + +struct xfrm_aead_name { + const char *name; + int icvbits; +}; + +enum { + XFRM_SHARE_ANY = 0, + XFRM_SHARE_SESSION = 1, + XFRM_SHARE_USER = 2, + XFRM_SHARE_UNIQUE = 3, +}; + +struct xfrm_user_sec_ctx { + __u16 len; + __u16 exttype; + __u8 ctx_alg; + __u8 ctx_doi; + __u16 ctx_len; +}; + +struct xfrm_user_tmpl { + struct xfrm_id id; + __u16 family; + xfrm_address_t saddr; + __u32 reqid; + __u8 mode; + __u8 share; + __u8 optional; + __u32 aalgos; + __u32 ealgos; + __u32 calgos; +}; + +struct xfrm_userpolicy_type { + __u8 type; + __u16 reserved1; + __u8 reserved2; +}; + +enum xfrm_attr_type_t { + XFRMA_UNSPEC = 0, + XFRMA_ALG_AUTH = 1, + XFRMA_ALG_CRYPT = 2, + XFRMA_ALG_COMP = 3, + XFRMA_ENCAP = 4, + XFRMA_TMPL = 5, + XFRMA_SA = 6, + XFRMA_POLICY = 7, + XFRMA_SEC_CTX = 8, + XFRMA_LTIME_VAL = 9, + XFRMA_REPLAY_VAL = 10, + XFRMA_REPLAY_THRESH = 11, + XFRMA_ETIMER_THRESH = 12, + XFRMA_SRCADDR = 13, + XFRMA_COADDR = 14, + XFRMA_LASTUSED = 15, + XFRMA_POLICY_TYPE = 16, + XFRMA_MIGRATE = 17, + XFRMA_ALG_AEAD = 18, + XFRMA_KMADDRESS = 19, + XFRMA_ALG_AUTH_TRUNC = 20, + XFRMA_MARK = 21, + XFRMA_TFCPAD = 22, + XFRMA_REPLAY_ESN_VAL = 23, + XFRMA_SA_EXTRA_FLAGS = 24, + XFRMA_PROTO = 25, + XFRMA_ADDRESS_FILTER = 26, + XFRMA_PAD = 27, + XFRMA_OFFLOAD_DEV = 28, + XFRMA_SET_MARK = 29, + XFRMA_SET_MARK_MASK = 30, + XFRMA_IF_ID = 31, + __XFRMA_MAX = 32, +}; + +enum xfrm_sadattr_type_t { + XFRMA_SAD_UNSPEC = 0, + XFRMA_SAD_CNT = 1, + XFRMA_SAD_HINFO = 2, + __XFRMA_SAD_MAX = 3, +}; + +struct xfrmu_sadhinfo { + __u32 sadhcnt; + __u32 sadhmcnt; +}; + +enum xfrm_spdattr_type_t { + XFRMA_SPD_UNSPEC = 0, + XFRMA_SPD_INFO = 1, + XFRMA_SPD_HINFO = 2, + XFRMA_SPD_IPV4_HTHRESH = 3, + XFRMA_SPD_IPV6_HTHRESH = 4, + __XFRMA_SPD_MAX = 5, +}; + +struct xfrmu_spdinfo { + __u32 incnt; + __u32 outcnt; + __u32 fwdcnt; + __u32 inscnt; + __u32 outscnt; + __u32 fwdscnt; +}; + +struct xfrmu_spdhinfo { + __u32 spdhcnt; + __u32 spdhmcnt; +}; + +struct xfrmu_spdhthresh { + __u8 lbits; + __u8 rbits; +}; + +struct xfrm_usersa_info { + struct xfrm_selector sel; + struct xfrm_id id; + xfrm_address_t saddr; + struct xfrm_lifetime_cfg lft; + struct xfrm_lifetime_cur curlft; + struct xfrm_stats stats; + __u32 seq; + __u32 reqid; + __u16 family; + __u8 mode; + __u8 replay_window; + __u8 flags; +}; + +struct xfrm_usersa_id { + xfrm_address_t daddr; + __be32 spi; + __u16 family; + __u8 proto; +}; + +struct xfrm_aevent_id { + struct xfrm_usersa_id sa_id; + xfrm_address_t saddr; + __u32 flags; + __u32 reqid; +}; + +struct xfrm_userspi_info { + struct xfrm_usersa_info info; + __u32 min; + __u32 max; +}; + +struct xfrm_userpolicy_info { + struct xfrm_selector sel; + struct xfrm_lifetime_cfg lft; + struct xfrm_lifetime_cur curlft; + __u32 priority; + __u32 index; + __u8 dir; + __u8 action; + __u8 flags; + __u8 share; +}; + +struct xfrm_userpolicy_id { + struct xfrm_selector sel; + __u32 index; + __u8 dir; +}; + +struct xfrm_user_acquire { + struct xfrm_id id; + xfrm_address_t saddr; + struct xfrm_selector sel; + struct xfrm_userpolicy_info policy; + __u32 aalgos; + __u32 ealgos; + __u32 calgos; + __u32 seq; +}; + +struct xfrm_user_expire { + struct xfrm_usersa_info state; + __u8 hard; +}; + +struct xfrm_user_polexpire { + struct xfrm_userpolicy_info pol; + __u8 hard; +}; + +struct xfrm_usersa_flush { + __u8 proto; +}; + +struct xfrm_user_report { + __u8 proto; + struct xfrm_selector sel; +}; + +struct xfrm_user_mapping { + struct xfrm_usersa_id id; + __u32 reqid; + xfrm_address_t old_saddr; + xfrm_address_t new_saddr; + __be16 old_sport; + __be16 new_sport; +}; + +struct xfrm_user_offload { + int ifindex; + __u8 flags; +}; + +struct xfrm_dump_info { + struct sk_buff *in_skb; + struct sk_buff *out_skb; + u32 nlmsg_seq; + u16 nlmsg_flags; +}; + +struct xfrm_link { + int (*doit)(struct sk_buff *, struct nlmsghdr *, struct nlattr **); + int (*start)(struct netlink_callback *); + int (*dump)(struct sk_buff *, struct netlink_callback *); + int (*done)(struct netlink_callback *); + const struct nla_policy *nla_pol; + int nla_max; +}; + +struct unix_stream_read_state { + int (*recv_actor)(struct sk_buff *, int, int, struct unix_stream_read_state *); + struct socket *socket; + struct msghdr *msg; + struct pipe_inode_info *pipe; + size_t size; + int flags; + unsigned int splice_flags; +}; + +struct ipv6_params { + __s32 disable_ipv6; + __s32 autoconf; +}; + +enum flowlabel_reflect { + FLOWLABEL_REFLECT_ESTABLISHED = 1, + FLOWLABEL_REFLECT_TCP_RESET = 2, + FLOWLABEL_REFLECT_ICMPV6_ECHO_REPLIES = 4, +}; + +struct ac6_iter_state { + struct seq_net_private p; + struct net_device *dev; + struct inet6_dev *idev; +}; + +struct ip6_fraglist_iter { + struct ipv6hdr *tmp_hdr; + struct sk_buff *frag; + int offset; + unsigned int hlen; + __be32 frag_id; + u8 nexthdr; +}; + +struct ip6_frag_state { + u8 *prevhdr; + unsigned int hlen; + unsigned int mtu; + unsigned int left; + int offset; + int ptr; + int hroom; + int troom; + __be32 frag_id; + u8 nexthdr; +}; + +struct ip6_ra_chain { + struct ip6_ra_chain *next; + struct sock *sk; + int sel; + void (*destructor)(struct sock *); +}; + +struct ipcm6_cookie { + struct sockcm_cookie sockc; + __s16 hlimit; + __s16 tclass; + __s8 dontfrag; + struct ipv6_txoptions *opt; + __u16 gso_size; +}; + +enum { + IFLA_INET6_UNSPEC = 0, + IFLA_INET6_FLAGS = 1, + IFLA_INET6_CONF = 2, + IFLA_INET6_STATS = 3, + IFLA_INET6_MCAST = 4, + IFLA_INET6_CACHEINFO = 5, + IFLA_INET6_ICMP6STATS = 6, + IFLA_INET6_TOKEN = 7, + IFLA_INET6_ADDR_GEN_MODE = 8, + __IFLA_INET6_MAX = 9, +}; + +enum in6_addr_gen_mode { + IN6_ADDR_GEN_MODE_EUI64 = 0, + IN6_ADDR_GEN_MODE_NONE = 1, + IN6_ADDR_GEN_MODE_STABLE_PRIVACY = 2, + IN6_ADDR_GEN_MODE_RANDOM = 3, +}; + +struct ifla_cacheinfo { + __u32 max_reasm_len; + __u32 tstamp; + __u32 reachable_time; + __u32 retrans_time; +}; + +struct wpan_phy; + +struct wpan_dev_header_ops; + +struct wpan_dev { + struct wpan_phy *wpan_phy; + int iftype; + struct list_head list; + struct net_device *netdev; + const struct wpan_dev_header_ops *header_ops; + struct net_device *lowpan_dev; + u32 identifier; + __le16 pan_id; + __le16 short_addr; + __le64 extended_addr; + atomic_t bsn; + atomic_t dsn; + u8 min_be; + u8 max_be; + u8 csma_retries; + s8 frame_retries; + bool lbt; + bool promiscuous_mode; + bool ackreq; +}; + +struct prefixmsg { + unsigned char prefix_family; + unsigned char prefix_pad1; + short unsigned int prefix_pad2; + int prefix_ifindex; + unsigned char prefix_type; + unsigned char prefix_len; + unsigned char prefix_flags; + unsigned char prefix_pad3; +}; + +enum { + PREFIX_UNSPEC = 0, + PREFIX_ADDRESS = 1, + PREFIX_CACHEINFO = 2, + __PREFIX_MAX = 3, +}; + +struct prefix_cacheinfo { + __u32 preferred_time; + __u32 valid_time; +}; + +struct in6_ifreq { + struct in6_addr ifr6_addr; + __u32 ifr6_prefixlen; + int ifr6_ifindex; +}; + +enum { + DEVCONF_FORWARDING = 0, + DEVCONF_HOPLIMIT = 1, + DEVCONF_MTU6 = 2, + DEVCONF_ACCEPT_RA = 3, + DEVCONF_ACCEPT_REDIRECTS = 4, + DEVCONF_AUTOCONF = 5, + DEVCONF_DAD_TRANSMITS = 6, + DEVCONF_RTR_SOLICITS = 7, + DEVCONF_RTR_SOLICIT_INTERVAL = 8, + DEVCONF_RTR_SOLICIT_DELAY = 9, + DEVCONF_USE_TEMPADDR = 10, + DEVCONF_TEMP_VALID_LFT = 11, + DEVCONF_TEMP_PREFERED_LFT = 12, + DEVCONF_REGEN_MAX_RETRY = 13, + DEVCONF_MAX_DESYNC_FACTOR = 14, + DEVCONF_MAX_ADDRESSES = 15, + DEVCONF_FORCE_MLD_VERSION = 16, + DEVCONF_ACCEPT_RA_DEFRTR = 17, + DEVCONF_ACCEPT_RA_PINFO = 18, + DEVCONF_ACCEPT_RA_RTR_PREF = 19, + DEVCONF_RTR_PROBE_INTERVAL = 20, + DEVCONF_ACCEPT_RA_RT_INFO_MAX_PLEN = 21, + DEVCONF_PROXY_NDP = 22, + DEVCONF_OPTIMISTIC_DAD = 23, + DEVCONF_ACCEPT_SOURCE_ROUTE = 24, + DEVCONF_MC_FORWARDING = 25, + DEVCONF_DISABLE_IPV6 = 26, + DEVCONF_ACCEPT_DAD = 27, + DEVCONF_FORCE_TLLAO = 28, + DEVCONF_NDISC_NOTIFY = 29, + DEVCONF_MLDV1_UNSOLICITED_REPORT_INTERVAL = 30, + DEVCONF_MLDV2_UNSOLICITED_REPORT_INTERVAL = 31, + DEVCONF_SUPPRESS_FRAG_NDISC = 32, + DEVCONF_ACCEPT_RA_FROM_LOCAL = 33, + DEVCONF_USE_OPTIMISTIC = 34, + DEVCONF_ACCEPT_RA_MTU = 35, + DEVCONF_STABLE_SECRET = 36, + DEVCONF_USE_OIF_ADDRS_ONLY = 37, + DEVCONF_ACCEPT_RA_MIN_HOP_LIMIT = 38, + DEVCONF_IGNORE_ROUTES_WITH_LINKDOWN = 39, + DEVCONF_DROP_UNICAST_IN_L2_MULTICAST = 40, + DEVCONF_DROP_UNSOLICITED_NA = 41, + DEVCONF_KEEP_ADDR_ON_DOWN = 42, + DEVCONF_RTR_SOLICIT_MAX_INTERVAL = 43, + DEVCONF_SEG6_ENABLED = 44, + DEVCONF_SEG6_REQUIRE_HMAC = 45, + DEVCONF_ENHANCED_DAD = 46, + DEVCONF_ADDR_GEN_MODE = 47, + DEVCONF_DISABLE_POLICY = 48, + DEVCONF_ACCEPT_RA_RT_INFO_MIN_PLEN = 49, + DEVCONF_NDISC_TCLASS = 50, + DEVCONF_MAX = 51, +}; + +enum { + INET6_IFADDR_STATE_PREDAD = 0, + INET6_IFADDR_STATE_DAD = 1, + INET6_IFADDR_STATE_POSTDAD = 2, + INET6_IFADDR_STATE_ERRDAD = 3, + INET6_IFADDR_STATE_DEAD = 4, +}; + +enum nl802154_cca_modes { + __NL802154_CCA_INVALID = 0, + NL802154_CCA_ENERGY = 1, + NL802154_CCA_CARRIER = 2, + NL802154_CCA_ENERGY_CARRIER = 3, + NL802154_CCA_ALOHA = 4, + NL802154_CCA_UWB_SHR = 5, + NL802154_CCA_UWB_MULTIPLEXED = 6, + __NL802154_CCA_ATTR_AFTER_LAST = 7, + NL802154_CCA_ATTR_MAX = 6, +}; + +enum nl802154_cca_opts { + NL802154_CCA_OPT_ENERGY_CARRIER_AND = 0, + NL802154_CCA_OPT_ENERGY_CARRIER_OR = 1, + __NL802154_CCA_OPT_ATTR_AFTER_LAST = 2, + NL802154_CCA_OPT_ATTR_MAX = 1, +}; + +enum nl802154_supported_bool_states { + NL802154_SUPPORTED_BOOL_FALSE = 0, + NL802154_SUPPORTED_BOOL_TRUE = 1, + __NL802154_SUPPORTED_BOOL_INVALD = 2, + NL802154_SUPPORTED_BOOL_BOTH = 3, + __NL802154_SUPPORTED_BOOL_AFTER_LAST = 4, + NL802154_SUPPORTED_BOOL_MAX = 3, +}; + +struct wpan_phy_supported { + u32 channels[32]; + u32 cca_modes; + u32 cca_opts; + u32 iftypes; + enum nl802154_supported_bool_states lbt; + u8 min_minbe; + u8 max_minbe; + u8 min_maxbe; + u8 max_maxbe; + u8 min_csma_backoffs; + u8 max_csma_backoffs; + s8 min_frame_retries; + s8 max_frame_retries; + size_t tx_powers_size; + size_t cca_ed_levels_size; + const s32 *tx_powers; + const s32 *cca_ed_levels; +}; + +struct wpan_phy_cca { + enum nl802154_cca_modes mode; + enum nl802154_cca_opts opt; +}; + +struct wpan_phy { + const void *privid; + u32 flags; + u8 current_channel; + u8 current_page; + struct wpan_phy_supported supported; + s32 transmit_power; + struct wpan_phy_cca cca; + __le64 perm_extended_addr; + s32 cca_ed_level; + u8 symbol_duration; + u16 lifs_period; + u16 sifs_period; + struct device dev; + possible_net_t _net; + char priv[0]; +}; + +struct ieee802154_addr { + u8 mode; + __le16 pan_id; + union { + __le16 short_addr; + __le64 extended_addr; + }; +}; + +struct wpan_dev_header_ops { + int (*create)(struct sk_buff *, struct net_device *, const struct ieee802154_addr *, const struct ieee802154_addr *, unsigned int); +}; + +union fwnet_hwaddr { + u8 u[16]; + struct { + __be64 uniq_id; + u8 max_rec; + u8 sspd; + __be16 fifo_hi; + __be32 fifo_lo; + } uc; +}; + +struct in6_validator_info { + struct in6_addr i6vi_addr; + struct inet6_dev *i6vi_dev; + struct netlink_ext_ack *extack; +}; + +struct ifa6_config { + const struct in6_addr *pfx; + unsigned int plen; + const struct in6_addr *peer_pfx; + u32 rt_priority; + u32 ifa_flags; + u32 preferred_lft; + u32 valid_lft; + u16 scope; +}; + +enum cleanup_prefix_rt_t { + CLEANUP_PREFIX_RT_NOP = 0, + CLEANUP_PREFIX_RT_DEL = 1, + CLEANUP_PREFIX_RT_EXPIRE = 2, +}; + +enum { + IPV6_SADDR_RULE_INIT = 0, + IPV6_SADDR_RULE_LOCAL = 1, + IPV6_SADDR_RULE_SCOPE = 2, + IPV6_SADDR_RULE_PREFERRED = 3, + IPV6_SADDR_RULE_OIF = 4, + IPV6_SADDR_RULE_LABEL = 5, + IPV6_SADDR_RULE_PRIVACY = 6, + IPV6_SADDR_RULE_ORCHID = 7, + IPV6_SADDR_RULE_PREFIX = 8, + IPV6_SADDR_RULE_MAX = 9, +}; + +struct ipv6_saddr_score { + int rule; + int addr_type; + struct inet6_ifaddr *ifa; + long unsigned int scorebits[1]; + int scopedist; + int matchlen; +}; + +struct ipv6_saddr_dst { + const struct in6_addr *addr; + int ifindex; + int scope; + int label; + unsigned int prefs; +}; + +struct if6_iter_state { + struct seq_net_private p; + int bucket; + int offset; +}; + +enum addr_type_t { + UNICAST_ADDR = 0, + MULTICAST_ADDR = 1, + ANYCAST_ADDR = 2, +}; + +struct inet6_fill_args { + u32 portid; + u32 seq; + int event; + unsigned int flags; + int netnsid; + int ifindex; + enum addr_type_t type; +}; + +enum { + DAD_PROCESS = 0, + DAD_BEGIN = 1, + DAD_ABORT = 2, +}; + +struct ifaddrlblmsg { + __u8 ifal_family; + __u8 __ifal_reserved; + __u8 ifal_prefixlen; + __u8 ifal_flags; + __u32 ifal_index; + __u32 ifal_seq; +}; + +enum { + IFAL_ADDRESS = 1, + IFAL_LABEL = 2, + __IFAL_MAX = 3, +}; + +struct ip6addrlbl_entry { + struct in6_addr prefix; + int prefixlen; + int ifindex; + int addrtype; + u32 label; + struct hlist_node list; + struct callback_head rcu; +}; + +struct ip6addrlbl_init_table { + const struct in6_addr *prefix; + int prefixlen; + u32 label; +}; + +struct rd_msg { + struct icmp6hdr icmph; + struct in6_addr target; + struct in6_addr dest; + __u8 opt[0]; +}; + +struct fib6_gc_args { + int timeout; + int more; +}; + +struct rt6_exception { + struct hlist_node hlist; + struct rt6_info *rt6i; + long unsigned int stamp; + struct callback_head rcu; +}; + +typedef struct rt6_info * (*pol_lookup_t)(struct net *, struct fib6_table *, struct flowi6 *, const struct sk_buff *, int); + +struct rt6_rtnl_dump_arg { + struct sk_buff *skb; + struct netlink_callback *cb; + struct net *net; + struct fib_dump_filter filter; +}; + +struct netevent_redirect { + struct dst_entry *old; + struct dst_entry *new; + struct neighbour *neigh; + const void *daddr; +}; + +struct trace_event_raw_fib6_table_lookup { + struct trace_entry ent; + u32 tb_id; + int err; + int oif; + int iif; + __u8 tos; + __u8 scope; + __u8 flags; + __u8 src[16]; + __u8 dst[16]; + u16 sport; + u16 dport; + u8 proto; + u8 rt_type; + u32 __data_loc_name; + __u8 gw[16]; + char __data[0]; +}; + +struct trace_event_data_offsets_fib6_table_lookup { + u32 name; +}; + +enum rt6_nud_state { + RT6_NUD_FAIL_HARD = -3, + RT6_NUD_FAIL_PROBE = -2, + RT6_NUD_FAIL_DO_RR = -1, + RT6_NUD_SUCCEED = 1, +}; + +struct fib6_nh_dm_arg { + struct net *net; + const struct in6_addr *saddr; + int oif; + int flags; + struct fib6_nh *nh; +}; + +struct fib6_nh_frl_arg { + u32 flags; + int oif; + int strict; + int *mpri; + bool *do_rr; + struct fib6_nh *nh; +}; + +struct fib6_nh_excptn_arg { + struct rt6_info *rt; + int plen; +}; + +struct fib6_nh_match_arg { + const struct net_device *dev; + const struct in6_addr *gw; + struct fib6_nh *match; +}; + +struct fib6_nh_age_excptn_arg { + struct fib6_gc_args *gc_args; + long unsigned int now; +}; + +struct fib6_nh_rd_arg { + struct fib6_result *res; + struct flowi6 *fl6; + const struct in6_addr *gw; + struct rt6_info **ret; +}; + +struct ip6rd_flowi { + struct flowi6 fl6; + struct in6_addr gateway; +}; + +struct fib6_nh_del_cached_rt_arg { + struct fib6_config *cfg; + struct fib6_info *f6i; +}; + +struct arg_dev_net_ip { + struct net_device *dev; + struct net *net; + struct in6_addr *addr; +}; + +struct arg_netdev_event { + const struct net_device *dev; + union { + unsigned char nh_flags; + long unsigned int event; + }; +}; + +struct rt6_mtu_change_arg { + struct net_device *dev; + unsigned int mtu; + struct fib6_info *f6i; +}; + +struct rt6_nh { + struct fib6_info *fib6_info; + struct fib6_config r_cfg; + struct list_head next; +}; + +struct fib6_nh_exception_dump_walker { + struct rt6_rtnl_dump_arg *dump; + struct fib6_info *rt; + unsigned int flags; + unsigned int skip; + unsigned int count; +}; + +enum fib6_walk_state { + FWS_L = 0, + FWS_R = 1, + FWS_C = 2, + FWS_U = 3, +}; + +struct fib6_walker { + struct list_head lh; + struct fib6_node *root; + struct fib6_node *node; + struct fib6_info *leaf; + enum fib6_walk_state state; + unsigned int skip; + unsigned int count; + unsigned int skip_in_node; + int (*func)(struct fib6_walker *); + void *args; +}; + +struct fib6_entry_notifier_info { + struct fib_notifier_info info; + struct fib6_info *rt; + unsigned int nsiblings; +}; + +struct ipv6_route_iter { + struct seq_net_private p; + struct fib6_walker w; + loff_t skip; + struct fib6_table *tbl; + int sernum; +}; + +struct fib6_cleaner { + struct fib6_walker w; + struct net *net; + int (*func)(struct fib6_info *, void *); + int sernum; + void *arg; + bool skip_notify; +}; + +enum { + FIB6_NO_SERNUM_CHANGE = 0, +}; + +struct fib6_dump_arg { + struct net *net; + struct notifier_block *nb; + struct netlink_ext_ack *extack; +}; + +struct fib6_nh_pcpu_arg { + struct fib6_info *from; + const struct fib6_table *table; +}; + +struct lookup_args { + int offset; + const struct in6_addr *addr; +}; + +struct ipv6_mreq { + struct in6_addr ipv6mr_multiaddr; + int ipv6mr_ifindex; +}; + +struct in6_flowlabel_req { + struct in6_addr flr_dst; + __be32 flr_label; + __u8 flr_action; + __u8 flr_share; + __u16 flr_flags; + __u16 flr_expires; + __u16 flr_linger; + __u32 __flr_pad; +}; + +struct ip6_mtuinfo { + struct sockaddr_in6 ip6m_addr; + __u32 ip6m_mtu; +}; + +struct ipv6_sr_hdr { + __u8 nexthdr; + __u8 hdrlen; + __u8 type; + __u8 segments_left; + __u8 first_segment; + __u8 flags; + __u16 tag; + struct in6_addr segments[0]; +}; + +struct nduseroptmsg { + unsigned char nduseropt_family; + unsigned char nduseropt_pad1; + short unsigned int nduseropt_opts_len; + int nduseropt_ifindex; + __u8 nduseropt_icmp_type; + __u8 nduseropt_icmp_code; + short unsigned int nduseropt_pad2; + unsigned int nduseropt_pad3; +}; + +enum { + NDUSEROPT_UNSPEC = 0, + NDUSEROPT_SRCADDR = 1, + __NDUSEROPT_MAX = 2, +}; + +struct nd_msg { + struct icmp6hdr icmph; + struct in6_addr target; + __u8 opt[0]; +}; + +struct rs_msg { + struct icmp6hdr icmph; + __u8 opt[0]; +}; + +struct ra_msg { + struct icmp6hdr icmph; + __be32 reachable_time; + __be32 retrans_timer; +}; + +struct icmp6_filter { + __u32 data[8]; +}; + +struct raw6_sock { + struct inet_sock inet; + __u32 checksum; + __u32 offset; + struct icmp6_filter filter; + __u32 ip6mr_table; + struct ipv6_pinfo inet6; +}; + +struct raw6_frag_vec { + struct msghdr *msg; + int hlen; + char c[4]; +}; + +typedef void ip6_icmp_send_t(struct sk_buff *, u8, u8, __u32, const struct in6_addr *); + +struct icmpv6_msg { + struct sk_buff *skb; + int offset; + uint8_t type; +}; + +struct icmp6_err { + int err; + int fatal; +}; + +struct mld_msg { + struct icmp6hdr mld_hdr; + struct in6_addr mld_mca; +}; + +struct mld2_grec { + __u8 grec_type; + __u8 grec_auxwords; + __be16 grec_nsrcs; + struct in6_addr grec_mca; + struct in6_addr grec_src[0]; +}; + +struct mld2_report { + struct icmp6hdr mld2r_hdr; + struct mld2_grec mld2r_grec[0]; +}; + +struct mld2_query { + struct icmp6hdr mld2q_hdr; + struct in6_addr mld2q_mca; + __u8 mld2q_qrv: 3; + __u8 mld2q_suppress: 1; + __u8 mld2q_resv2: 4; + __u8 mld2q_qqic; + __be16 mld2q_nsrcs; + struct in6_addr mld2q_srcs[0]; +}; + +struct igmp6_mc_iter_state { + struct seq_net_private p; + struct net_device *dev; + struct inet6_dev *idev; +}; + +struct igmp6_mcf_iter_state { + struct seq_net_private p; + struct net_device *dev; + struct inet6_dev *idev; + struct ifmcaddr6 *im; +}; + +enum ip6_defrag_users { + IP6_DEFRAG_LOCAL_DELIVER = 0, + IP6_DEFRAG_CONNTRACK_IN = 1, + __IP6_DEFRAG_CONNTRACK_IN = 65536, + IP6_DEFRAG_CONNTRACK_OUT = 65537, + __IP6_DEFRAG_CONNTRACK_OUT = 131072, + IP6_DEFRAG_CONNTRACK_BRIDGE_IN = 131073, + __IP6_DEFRAG_CONNTRACK_BRIDGE_IN = 196608, +}; + +struct frag_queue { + struct inet_frag_queue q; + int iif; + __u16 nhoffset; + u8 ecn; +}; + +struct tcp6_pseudohdr { + struct in6_addr saddr; + struct in6_addr daddr; + __be32 len; + __be32 protocol; +}; + +struct rt0_hdr { + struct ipv6_rt_hdr rt_hdr; + __u32 reserved; + struct in6_addr addr[0]; +}; + +struct tlvtype_proc { + int type; + bool (*func)(struct sk_buff *, int); +}; + +struct ip6fl_iter_state { + struct seq_net_private p; + struct pid_namespace *pid_ns; + int bucket; +}; + +struct sr6_tlv { + __u8 type; + __u8 len; + __u8 data[0]; +}; + +enum { + SEG6_ATTR_UNSPEC = 0, + SEG6_ATTR_DST = 1, + SEG6_ATTR_DSTLEN = 2, + SEG6_ATTR_HMACKEYID = 3, + SEG6_ATTR_SECRET = 4, + SEG6_ATTR_SECRETLEN = 5, + SEG6_ATTR_ALGID = 6, + SEG6_ATTR_HMACINFO = 7, + __SEG6_ATTR_MAX = 8, +}; + +enum { + SEG6_CMD_UNSPEC = 0, + SEG6_CMD_SETHMAC = 1, + SEG6_CMD_DUMPHMAC = 2, + SEG6_CMD_SET_TUNSRC = 3, + SEG6_CMD_GET_TUNSRC = 4, + __SEG6_CMD_MAX = 5, +}; + +struct xfrm6_protocol { + int (*handler)(struct sk_buff *); + int (*cb_handler)(struct sk_buff *, int); + int (*err_handler)(struct sk_buff *, struct inet6_skb_parm *, u8, u8, int, __be32); + struct xfrm6_protocol *next; + int priority; +}; + +struct br_input_skb_cb { + struct net_device *brdev; + u16 frag_max_size; + u8 proxyarp_replied: 1; + u8 src_port_isolated: 1; +}; + +struct nf_bridge_frag_data; + +struct calipso_doi; + +struct netlbl_calipso_ops { + int (*doi_add)(struct calipso_doi *, struct netlbl_audit *); + void (*doi_free)(struct calipso_doi *); + int (*doi_remove)(u32, struct netlbl_audit *); + struct calipso_doi * (*doi_getdef)(u32); + void (*doi_putdef)(struct calipso_doi *); + int (*doi_walk)(u32 *, int (*)(struct calipso_doi *, void *), void *); + int (*sock_getattr)(struct sock *, struct netlbl_lsm_secattr *); + int (*sock_setattr)(struct sock *, const struct calipso_doi *, const struct netlbl_lsm_secattr *); + void (*sock_delattr)(struct sock *); + int (*req_setattr)(struct request_sock *, const struct calipso_doi *, const struct netlbl_lsm_secattr *); + void (*req_delattr)(struct request_sock *); + int (*opt_getattr)(const unsigned char *, struct netlbl_lsm_secattr *); + unsigned char * (*skbuff_optptr)(const struct sk_buff *); + int (*skbuff_setattr)(struct sk_buff *, const struct calipso_doi *, const struct netlbl_lsm_secattr *); + int (*skbuff_delattr)(struct sk_buff *); + void (*cache_invalidate)(); + int (*cache_add)(const unsigned char *, const struct netlbl_lsm_secattr *); +}; + +struct calipso_doi { + u32 doi; + u32 type; + refcount_t refcount; + struct list_head list; + struct callback_head rcu; +}; + +struct calipso_map_cache_bkt { + spinlock_t lock; + u32 size; + struct list_head list; +}; + +struct calipso_map_cache_entry { + u32 hash; + unsigned char *key; + size_t key_len; + struct netlbl_lsm_cache *lsm_data; + u32 activity; + struct list_head list; +}; + +struct ah_data { + int icv_full_len; + int icv_trunc_len; + struct crypto_ahash *ahash; +}; + +struct tmp_ext { + struct in6_addr daddr; + char hdrs[0]; +}; + +struct ah_skb_cb { + struct xfrm_skb_cb xfrm; + void *tmp; +}; + +struct ip_esp_hdr { + __be32 spi; + __be32 seq_no; + __u8 enc_data[0]; +}; + +struct esp_info { + struct ip_esp_hdr *esph; + __be64 seqno; + int tfclen; + int tailen; + int plen; + int clen; + int len; + int nfrags; + __u8 proto; + bool inplace; +}; + +struct esp_skb_cb { + struct xfrm_skb_cb xfrm; + void *tmp; +}; + +struct ip6t_standard { + struct ip6t_entry entry; + struct xt_standard_target target; +}; + +struct ip6t_error { + struct ip6t_entry entry; + struct xt_error_target target; +}; + +struct ip6t_icmp { + __u8 type; + __u8 code[2]; + __u8 invflags; +}; + +struct ip6t_getinfo { + char name[32]; + unsigned int valid_hooks; + unsigned int hook_entry[5]; + unsigned int underflow[5]; + unsigned int num_entries; + unsigned int size; +}; + +struct ip6t_replace { + char name[32]; + unsigned int valid_hooks; + unsigned int num_entries; + unsigned int size; + unsigned int hook_entry[5]; + unsigned int underflow[5]; + unsigned int num_counters; + struct xt_counters *counters; + struct ip6t_entry entries[0]; +}; + +struct ip6t_get_entries { + char name[32]; + unsigned int size; + struct ip6t_entry entrytable[0]; +}; + +struct compat_ip6t_entry { + struct ip6t_ip6 ipv6; + compat_uint_t nfcache; + __u16 target_offset; + __u16 next_offset; + compat_uint_t comefrom; + struct compat_xt_counters counters; + unsigned char elems[0]; +} __attribute__((packed)); + +struct compat_ip6t_replace { + char name[32]; + u32 valid_hooks; + u32 num_entries; + u32 size; + u32 hook_entry[5]; + u32 underflow[5]; + u32 num_counters; + compat_uptr_t counters; + struct compat_ip6t_entry entries[0]; +} __attribute__((packed)); + +struct compat_ip6t_get_entries { + char name[32]; + compat_uint_t size; + struct compat_ip6t_entry entrytable[0]; +} __attribute__((packed)); + +struct ip6t_ipv6header_info { + __u8 matchflags; + __u8 invflags; + __u8 modeflag; +}; + +enum ip6t_reject_with { + IP6T_ICMP6_NO_ROUTE = 0, + IP6T_ICMP6_ADM_PROHIBITED = 1, + IP6T_ICMP6_NOT_NEIGHBOUR = 2, + IP6T_ICMP6_ADDR_UNREACH = 3, + IP6T_ICMP6_PORT_UNREACH = 4, + IP6T_ICMP6_ECHOREPLY = 5, + IP6T_TCP_RESET = 6, + IP6T_ICMP6_POLICY_FAIL = 7, + IP6T_ICMP6_REJECT_ROUTE = 8, +}; + +struct ip6t_reject_info { + __u32 with; +}; + +enum { + IFLA_IPTUN_UNSPEC = 0, + IFLA_IPTUN_LINK = 1, + IFLA_IPTUN_LOCAL = 2, + IFLA_IPTUN_REMOTE = 3, + IFLA_IPTUN_TTL = 4, + IFLA_IPTUN_TOS = 5, + IFLA_IPTUN_ENCAP_LIMIT = 6, + IFLA_IPTUN_FLOWINFO = 7, + IFLA_IPTUN_FLAGS = 8, + IFLA_IPTUN_PROTO = 9, + IFLA_IPTUN_PMTUDISC = 10, + IFLA_IPTUN_6RD_PREFIX = 11, + IFLA_IPTUN_6RD_RELAY_PREFIX = 12, + IFLA_IPTUN_6RD_PREFIXLEN = 13, + IFLA_IPTUN_6RD_RELAY_PREFIXLEN = 14, + IFLA_IPTUN_ENCAP_TYPE = 15, + IFLA_IPTUN_ENCAP_FLAGS = 16, + IFLA_IPTUN_ENCAP_SPORT = 17, + IFLA_IPTUN_ENCAP_DPORT = 18, + IFLA_IPTUN_COLLECT_METADATA = 19, + IFLA_IPTUN_FWMARK = 20, + __IFLA_IPTUN_MAX = 21, +}; + +struct ip_tunnel_prl { + __be32 addr; + __u16 flags; + __u16 __reserved; + __u32 datalen; + __u32 __reserved2; +}; + +struct sit_net { + struct ip_tunnel *tunnels_r_l[16]; + struct ip_tunnel *tunnels_r[16]; + struct ip_tunnel *tunnels_l[16]; + struct ip_tunnel *tunnels_wc[1]; + struct ip_tunnel **tunnels[4]; + struct net_device *fb_tunnel_dev; +}; + +struct metadata_dst___2; + +enum { + IP6_FH_F_FRAG = 1, + IP6_FH_F_AUTH = 2, + IP6_FH_F_SKIP_RH = 4, +}; + +struct sockaddr_pkt { + short unsigned int spkt_family; + unsigned char spkt_device[14]; + __be16 spkt_protocol; +}; + +struct sockaddr_ll { + short unsigned int sll_family; + __be16 sll_protocol; + int sll_ifindex; + short unsigned int sll_hatype; + unsigned char sll_pkttype; + unsigned char sll_halen; + unsigned char sll_addr[8]; +}; + +struct tpacket_stats { + unsigned int tp_packets; + unsigned int tp_drops; +}; + +struct tpacket_stats_v3 { + unsigned int tp_packets; + unsigned int tp_drops; + unsigned int tp_freeze_q_cnt; +}; + +struct tpacket_rollover_stats { + __u64 tp_all; + __u64 tp_huge; + __u64 tp_failed; +}; + +union tpacket_stats_u { + struct tpacket_stats stats1; + struct tpacket_stats_v3 stats3; +}; + +struct tpacket_auxdata { + __u32 tp_status; + __u32 tp_len; + __u32 tp_snaplen; + __u16 tp_mac; + __u16 tp_net; + __u16 tp_vlan_tci; + __u16 tp_vlan_tpid; +}; + +struct tpacket_hdr { + long unsigned int tp_status; + unsigned int tp_len; + unsigned int tp_snaplen; + short unsigned int tp_mac; + short unsigned int tp_net; + unsigned int tp_sec; + unsigned int tp_usec; +}; + +struct tpacket2_hdr { + __u32 tp_status; + __u32 tp_len; + __u32 tp_snaplen; + __u16 tp_mac; + __u16 tp_net; + __u32 tp_sec; + __u32 tp_nsec; + __u16 tp_vlan_tci; + __u16 tp_vlan_tpid; + __u8 tp_padding[4]; +}; + +struct tpacket_hdr_variant1 { + __u32 tp_rxhash; + __u32 tp_vlan_tci; + __u16 tp_vlan_tpid; + __u16 tp_padding; +}; + +struct tpacket3_hdr { + __u32 tp_next_offset; + __u32 tp_sec; + __u32 tp_nsec; + __u32 tp_snaplen; + __u32 tp_len; + __u32 tp_status; + __u16 tp_mac; + __u16 tp_net; + union { + struct tpacket_hdr_variant1 hv1; + }; + __u8 tp_padding[8]; +}; + +struct tpacket_bd_ts { + unsigned int ts_sec; + union { + unsigned int ts_usec; + unsigned int ts_nsec; + }; +}; + +struct tpacket_hdr_v1 { + __u32 block_status; + __u32 num_pkts; + __u32 offset_to_first_pkt; + __u32 blk_len; + __u64 seq_num; + struct tpacket_bd_ts ts_first_pkt; + struct tpacket_bd_ts ts_last_pkt; +}; + +union tpacket_bd_header_u { + struct tpacket_hdr_v1 bh1; +}; + +struct tpacket_block_desc { + __u32 version; + __u32 offset_to_priv; + union tpacket_bd_header_u hdr; +}; + +enum tpacket_versions { + TPACKET_V1 = 0, + TPACKET_V2 = 1, + TPACKET_V3 = 2, +}; + +struct tpacket_req { + unsigned int tp_block_size; + unsigned int tp_block_nr; + unsigned int tp_frame_size; + unsigned int tp_frame_nr; +}; + +struct tpacket_req3 { + unsigned int tp_block_size; + unsigned int tp_block_nr; + unsigned int tp_frame_size; + unsigned int tp_frame_nr; + unsigned int tp_retire_blk_tov; + unsigned int tp_sizeof_priv; + unsigned int tp_feature_req_word; +}; + +union tpacket_req_u { + struct tpacket_req req; + struct tpacket_req3 req3; +}; + +typedef __u16 __virtio16; + +struct virtio_net_hdr { + __u8 flags; + __u8 gso_type; + __virtio16 hdr_len; + __virtio16 gso_size; + __virtio16 csum_start; + __virtio16 csum_offset; +}; + +struct packet_mclist { + struct packet_mclist *next; + int ifindex; + int count; + short unsigned int type; + short unsigned int alen; + unsigned char addr[32]; +}; + +struct pgv; + +struct tpacket_kbdq_core { + struct pgv *pkbdq; + unsigned int feature_req_word; + unsigned int hdrlen; + unsigned char reset_pending_on_curr_blk; + unsigned char delete_blk_timer; + short unsigned int kactive_blk_num; + short unsigned int blk_sizeof_priv; + short unsigned int last_kactive_blk_num; + char *pkblk_start; + char *pkblk_end; + int kblk_size; + unsigned int max_frame_len; + unsigned int knum_blocks; + uint64_t knxt_seq_num; + char *prev; + char *nxt_offset; + struct sk_buff *skb; + atomic_t blk_fill_in_prog; + short unsigned int retire_blk_tov; + short unsigned int version; + long unsigned int tov_in_jiffies; + struct timer_list retire_blk_timer; +}; + +struct pgv { + char *buffer; +}; + +struct packet_ring_buffer { + struct pgv *pg_vec; + unsigned int head; + unsigned int frames_per_block; + unsigned int frame_size; + unsigned int frame_max; + unsigned int pg_vec_order; + unsigned int pg_vec_pages; + unsigned int pg_vec_len; + unsigned int *pending_refcnt; + struct tpacket_kbdq_core prb_bdqc; +}; + +struct packet_fanout { + possible_net_t net; + unsigned int num_members; + u16 id; + u8 type; + u8 flags; + union { + atomic_t rr_cur; + struct bpf_prog *bpf_prog; + }; + struct list_head list; + struct sock *arr[256]; + spinlock_t lock; + refcount_t sk_ref; + long: 64; + long: 64; + struct packet_type prot_hook; +}; + +struct packet_rollover { + int sock; + atomic_long_t num; + atomic_long_t num_huge; + atomic_long_t num_failed; + long: 64; + long: 64; + long: 64; + long: 64; + u32 history[16]; +}; + +struct packet_sock { + struct sock sk; + struct packet_fanout *fanout; + union tpacket_stats_u stats; + struct packet_ring_buffer rx_ring; + struct packet_ring_buffer tx_ring; + int copy_thresh; + spinlock_t bind_lock; + struct mutex pg_vec_lock; + unsigned int running; + unsigned int auxdata: 1; + unsigned int origdev: 1; + unsigned int has_vnet_hdr: 1; + unsigned int tp_loss: 1; + unsigned int tp_tx_has_off: 1; + int pressure; + int ifindex; + __be16 num; + struct packet_rollover *rollover; + struct packet_mclist *mclist; + atomic_t mapped; + enum tpacket_versions tp_version; + unsigned int tp_hdrlen; + unsigned int tp_reserve; + unsigned int tp_tstamp; + struct completion skb_completion; + struct net_device *cached_dev; + int (*xmit)(struct sk_buff *); + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + struct packet_type prot_hook; + atomic_t tp_drops; + long: 32; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; + long: 64; +}; + +struct packet_mreq_max { + int mr_ifindex; + short unsigned int mr_type; + short unsigned int mr_alen; + unsigned char mr_address[32]; +}; + +union tpacket_uhdr { + struct tpacket_hdr *h1; + struct tpacket2_hdr *h2; + struct tpacket3_hdr *h3; + void *raw; +}; + +struct packet_skb_cb { + union { + struct sockaddr_pkt pkt; + union { + unsigned int origlen; + struct sockaddr_ll ll; + }; + } sa; +}; + +enum rpc_msg_type { + RPC_CALL = 0, + RPC_REPLY = 1, +}; + +enum rpc_reply_stat { + RPC_MSG_ACCEPTED = 0, + RPC_MSG_DENIED = 1, +}; + +enum rpc_reject_stat { + RPC_MISMATCH = 0, + RPC_AUTH_ERROR = 1, +}; + +enum { + SUNRPC_PIPEFS_NFS_PRIO = 0, + SUNRPC_PIPEFS_RPC_PRIO = 1, +}; + +enum { + RPC_PIPEFS_MOUNT = 0, + RPC_PIPEFS_UMOUNT = 1, +}; + +struct rpc_add_xprt_test { + void (*add_xprt_test)(struct rpc_clnt *, struct rpc_xprt *, void *); + void *data; +}; + +struct sunrpc_net { + struct proc_dir_entry *proc_net_rpc; + struct cache_detail *ip_map_cache; + struct cache_detail *unix_gid_cache; + struct cache_detail *rsc_cache; + struct cache_detail *rsi_cache; + struct super_block *pipefs_sb; + struct rpc_pipe *gssd_dummy; + struct mutex pipefs_sb_lock; + struct list_head all_clients; + spinlock_t rpc_client_lock; + struct rpc_clnt *rpcb_local_clnt; + struct rpc_clnt *rpcb_local_clnt4; + spinlock_t rpcb_clnt_lock; + unsigned int rpcb_users; + unsigned int rpcb_is_af_local: 1; + struct mutex gssp_lock; + struct rpc_clnt *gssp_clnt; + int use_gss_proxy; + int pipe_version; + atomic_t pipe_users; + struct proc_dir_entry *use_gssp_proc; +}; + +struct rpc_cb_add_xprt_calldata { + struct rpc_xprt_switch *xps; + struct rpc_xprt *xprt; +}; + +struct connect_timeout_data { + long unsigned int connect_timeout; + long unsigned int reconnect_timeout; +}; + +struct xprt_class { + struct list_head list; + int ident; + struct rpc_xprt * (*setup)(struct xprt_create *); + struct module *owner; + char name[32]; +}; + +enum xprt_xid_rb_cmp { + XID_RB_EQUAL = 0, + XID_RB_LEFT = 1, + XID_RB_RIGHT = 2, +}; + +struct xdr_skb_reader { + struct sk_buff *skb; + unsigned int offset; + size_t count; + __wsum csum; +}; + +typedef size_t (*xdr_skb_read_actor)(struct xdr_skb_reader *, void *, size_t); + +typedef __be32 rpc_fraghdr; + +struct svc_sock { + struct svc_xprt sk_xprt; + struct socket *sk_sock; + struct sock *sk_sk; + void (*sk_ostate)(struct sock *); + void (*sk_odata)(struct sock *); + void (*sk_owspace)(struct sock *); + __be32 sk_reclen; + u32 sk_tcplen; + u32 sk_datalen; + struct page *sk_pages[259]; +}; + +struct sock_xprt { + struct rpc_xprt xprt; + struct socket *sock; + struct sock *inet; + struct file *file; + struct { + struct { + __be32 fraghdr; + __be32 xid; + __be32 calldir; + }; + u32 offset; + u32 len; + long unsigned int copied; + } recv; + struct { + u32 offset; + } xmit; + long unsigned int sock_state; + struct delayed_work connect_worker; + struct work_struct error_worker; + struct work_struct recv_worker; + struct mutex recv_mutex; + struct __kernel_sockaddr_storage srcaddr; + short unsigned int srcport; + int xprt_err; + size_t rcvsize; + size_t sndsize; + struct rpc_timeout tcp_timeout; + void (*old_data_ready)(struct sock *); + void (*old_state_change)(struct sock *); + void (*old_write_space)(struct sock *); + void (*old_error_report)(struct sock *); +}; + +struct rpc_buffer { + size_t len; + char data[0]; +}; + +struct trace_event_raw_rpc_task_status { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + int status; + char __data[0]; +}; + +struct trace_event_raw_rpc_request { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + int version; + bool async; + u32 __data_loc_progname; + u32 __data_loc_procname; + char __data[0]; +}; + +struct trace_event_raw_rpc_task_running { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + const void *action; + long unsigned int runstate; + int status; + short unsigned int flags; + char __data[0]; +}; + +struct trace_event_raw_rpc_task_queued { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + long unsigned int timeout; + long unsigned int runstate; + int status; + short unsigned int flags; + u32 __data_loc_q_name; + char __data[0]; +}; + +struct trace_event_raw_rpc_failure { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + char __data[0]; +}; + +struct trace_event_raw_rpc_reply_event { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + u32 xid; + u32 __data_loc_progname; + u32 version; + u32 __data_loc_procname; + u32 __data_loc_servername; + char __data[0]; +}; + +struct trace_event_raw_rpc_stats_latency { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + u32 xid; + int version; + u32 __data_loc_progname; + u32 __data_loc_procname; + long unsigned int backlog; + long unsigned int rtt; + long unsigned int execute; + char __data[0]; +}; + +struct trace_event_raw_rpc_xdr_overflow { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + int version; + size_t requested; + const void *end; + const void *p; + const void *head_base; + size_t head_len; + const void *tail_base; + size_t tail_len; + unsigned int page_len; + unsigned int len; + u32 __data_loc_progname; + u32 __data_loc_procedure; + char __data[0]; +}; + +struct trace_event_raw_rpc_xdr_alignment { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + int version; + size_t offset; + unsigned int copied; + const void *head_base; + size_t head_len; + const void *tail_base; + size_t tail_len; + unsigned int page_len; + unsigned int len; + u32 __data_loc_progname; + u32 __data_loc_procedure; + char __data[0]; +}; + +struct trace_event_raw_rpc_reply_pages { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + const void *head_base; + size_t head_len; + const void *tail_base; + size_t tail_len; + unsigned int page_len; + char __data[0]; +}; + +struct trace_event_raw_xs_socket_event { + struct trace_entry ent; + unsigned int socket_state; + unsigned int sock_state; + long long unsigned int ino; + u32 __data_loc_dstaddr; + u32 __data_loc_dstport; + char __data[0]; +}; + +struct trace_event_raw_xs_socket_event_done { + struct trace_entry ent; + int error; + unsigned int socket_state; + unsigned int sock_state; + long long unsigned int ino; + u32 __data_loc_dstaddr; + u32 __data_loc_dstport; + char __data[0]; +}; + +struct trace_event_raw_rpc_xprt_event { + struct trace_entry ent; + u32 xid; + int status; + u32 __data_loc_addr; + u32 __data_loc_port; + char __data[0]; +}; + +struct trace_event_raw_xprt_transmit { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + u32 xid; + u32 seqno; + int status; + char __data[0]; +}; + +struct trace_event_raw_xprt_enq_xmit { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + u32 xid; + u32 seqno; + int stage; + char __data[0]; +}; + +struct trace_event_raw_xprt_ping { + struct trace_entry ent; + int status; + u32 __data_loc_addr; + u32 __data_loc_port; + char __data[0]; +}; + +struct trace_event_raw_xprt_writelock_event { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + unsigned int snd_task_id; + char __data[0]; +}; + +struct trace_event_raw_xprt_cong_event { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + unsigned int snd_task_id; + long unsigned int cong; + long unsigned int cwnd; + bool wait; + char __data[0]; +}; + +struct trace_event_raw_xs_stream_read_data { + struct trace_entry ent; + ssize_t err; + size_t total; + u32 __data_loc_addr; + u32 __data_loc_port; + char __data[0]; +}; + +struct trace_event_raw_xs_stream_read_request { + struct trace_entry ent; + u32 __data_loc_addr; + u32 __data_loc_port; + u32 xid; + long unsigned int copied; + unsigned int reclen; + unsigned int offset; + char __data[0]; +}; + +struct trace_event_raw_svc_recv { + struct trace_entry ent; + u32 xid; + int len; + long unsigned int flags; + u32 __data_loc_addr; + char __data[0]; +}; + +struct trace_event_raw_svc_authenticate { + struct trace_entry ent; + u32 xid; + long unsigned int svc_status; + long unsigned int auth_stat; + char __data[0]; +}; + +struct trace_event_raw_svc_process { + struct trace_entry ent; + u32 xid; + u32 vers; + u32 proc; + u32 __data_loc_service; + u32 __data_loc_addr; + char __data[0]; +}; + +struct trace_event_raw_svc_rqst_event { + struct trace_entry ent; + u32 xid; + long unsigned int flags; + u32 __data_loc_addr; + char __data[0]; +}; + +struct trace_event_raw_svc_rqst_status { + struct trace_entry ent; + u32 xid; + int status; + long unsigned int flags; + u32 __data_loc_addr; + char __data[0]; +}; + +struct trace_event_raw_svc_xprt_do_enqueue { + struct trace_entry ent; + struct svc_xprt *xprt; + int pid; + long unsigned int flags; + u32 __data_loc_addr; + char __data[0]; +}; + +struct trace_event_raw_svc_xprt_event { + struct trace_entry ent; + struct svc_xprt *xprt; + long unsigned int flags; + u32 __data_loc_addr; + char __data[0]; +}; + +struct trace_event_raw_svc_xprt_dequeue { + struct trace_entry ent; + struct svc_xprt *xprt; + long unsigned int flags; + long unsigned int wakeup; + u32 __data_loc_addr; + char __data[0]; +}; + +struct trace_event_raw_svc_wake_up { + struct trace_entry ent; + int pid; + char __data[0]; +}; + +struct trace_event_raw_svc_handle_xprt { + struct trace_entry ent; + struct svc_xprt *xprt; + int len; + long unsigned int flags; + u32 __data_loc_addr; + char __data[0]; +}; + +struct trace_event_raw_svc_stats_latency { + struct trace_entry ent; + u32 xid; + long unsigned int execute; + u32 __data_loc_addr; + char __data[0]; +}; + +struct trace_event_raw_svc_deferred_event { + struct trace_entry ent; + u32 xid; + u32 __data_loc_addr; + char __data[0]; +}; + +struct trace_event_data_offsets_rpc_task_status {}; + +struct trace_event_data_offsets_rpc_request { + u32 progname; + u32 procname; +}; + +struct trace_event_data_offsets_rpc_task_running {}; + +struct trace_event_data_offsets_rpc_task_queued { + u32 q_name; +}; + +struct trace_event_data_offsets_rpc_failure {}; + +struct trace_event_data_offsets_rpc_reply_event { + u32 progname; + u32 procname; + u32 servername; +}; + +struct trace_event_data_offsets_rpc_stats_latency { + u32 progname; + u32 procname; +}; + +struct trace_event_data_offsets_rpc_xdr_overflow { + u32 progname; + u32 procedure; +}; + +struct trace_event_data_offsets_rpc_xdr_alignment { + u32 progname; + u32 procedure; +}; + +struct trace_event_data_offsets_rpc_reply_pages {}; + +struct trace_event_data_offsets_xs_socket_event { + u32 dstaddr; + u32 dstport; +}; + +struct trace_event_data_offsets_xs_socket_event_done { + u32 dstaddr; + u32 dstport; +}; + +struct trace_event_data_offsets_rpc_xprt_event { + u32 addr; + u32 port; +}; + +struct trace_event_data_offsets_xprt_transmit {}; + +struct trace_event_data_offsets_xprt_enq_xmit {}; + +struct trace_event_data_offsets_xprt_ping { + u32 addr; + u32 port; +}; + +struct trace_event_data_offsets_xprt_writelock_event {}; + +struct trace_event_data_offsets_xprt_cong_event {}; + +struct trace_event_data_offsets_xs_stream_read_data { + u32 addr; + u32 port; +}; + +struct trace_event_data_offsets_xs_stream_read_request { + u32 addr; + u32 port; +}; + +struct trace_event_data_offsets_svc_recv { + u32 addr; +}; + +struct trace_event_data_offsets_svc_authenticate {}; + +struct trace_event_data_offsets_svc_process { + u32 service; + u32 addr; +}; + +struct trace_event_data_offsets_svc_rqst_event { + u32 addr; +}; + +struct trace_event_data_offsets_svc_rqst_status { + u32 addr; +}; + +struct trace_event_data_offsets_svc_xprt_do_enqueue { + u32 addr; +}; + +struct trace_event_data_offsets_svc_xprt_event { + u32 addr; +}; + +struct trace_event_data_offsets_svc_xprt_dequeue { + u32 addr; +}; + +struct trace_event_data_offsets_svc_wake_up {}; + +struct trace_event_data_offsets_svc_handle_xprt { + u32 addr; +}; + +struct trace_event_data_offsets_svc_stats_latency { + u32 addr; +}; + +struct trace_event_data_offsets_svc_deferred_event { + u32 addr; +}; + +struct rpc_cred_cache { + struct hlist_head *hashtable; + unsigned int hashbits; + spinlock_t lock; +}; + +enum { + SVC_POOL_AUTO = -1, + SVC_POOL_GLOBAL = 0, + SVC_POOL_PERCPU = 1, + SVC_POOL_PERNODE = 2, +}; + +struct svc_pool_map { + int count; + int mode; + unsigned int npools; + unsigned int *pool_to; + unsigned int *to_pool; +}; + +struct unix_domain { + struct auth_domain h; +}; + +struct ip_map { + struct cache_head h; + char m_class[8]; + struct in6_addr m_addr; + struct unix_domain *m_client; + struct callback_head m_rcu; +}; + +struct unix_gid { + struct cache_head h; + kuid_t uid; + struct group_info *gi; + struct callback_head rcu; +}; + +enum { + RPCBPROC_NULL = 0, + RPCBPROC_SET = 1, + RPCBPROC_UNSET = 2, + RPCBPROC_GETPORT = 3, + RPCBPROC_GETADDR = 3, + RPCBPROC_DUMP = 4, + RPCBPROC_CALLIT = 5, + RPCBPROC_BCAST = 5, + RPCBPROC_GETTIME = 6, + RPCBPROC_UADDR2TADDR = 7, + RPCBPROC_TADDR2UADDR = 8, + RPCBPROC_GETVERSADDR = 9, + RPCBPROC_INDIRECT = 10, + RPCBPROC_GETADDRLIST = 11, + RPCBPROC_GETSTAT = 12, +}; + +struct rpcbind_args { + struct rpc_xprt *r_xprt; + u32 r_prog; + u32 r_vers; + u32 r_prot; + short unsigned int r_port; + const char *r_netid; + const char *r_addr; + const char *r_owner; + int r_status; +}; + +struct rpcb_info { + u32 rpc_vers; + const struct rpc_procinfo *rpc_proc; +}; + +struct thread_deferred_req { + struct cache_deferred_req handle; + struct completion completion; +}; + +struct cache_queue { + struct list_head list; + int reader; +}; + +struct cache_request { + struct cache_queue q; + struct cache_head *item; + char *buf; + int len; + int readers; +}; + +struct cache_reader { + struct cache_queue q; + int offset; +}; + +struct rpc_filelist { + const char *name; + const struct file_operations *i_fop; + umode_t mode; +}; + +enum { + RPCAUTH_info = 0, + RPCAUTH_EOF = 1, +}; + +enum { + RPCAUTH_lockd = 0, + RPCAUTH_mount = 1, + RPCAUTH_nfs = 2, + RPCAUTH_portmap = 3, + RPCAUTH_statd = 4, + RPCAUTH_nfsd4_cb = 5, + RPCAUTH_cache = 6, + RPCAUTH_nfsd = 7, + RPCAUTH_gssd = 8, + RPCAUTH_RootEOF = 9, +}; + +struct svc_xpt_user { + struct list_head list; + void (*callback)(struct svc_xpt_user *); +}; + +typedef struct rpc_xprt * (*xprt_switch_find_xprt_t)(struct rpc_xprt_switch *, const struct rpc_xprt *); + +enum rpc_gss_proc { + RPC_GSS_PROC_DATA = 0, + RPC_GSS_PROC_INIT = 1, + RPC_GSS_PROC_CONTINUE_INIT = 2, + RPC_GSS_PROC_DESTROY = 3, +}; + +enum rpc_gss_svc { + RPC_GSS_SVC_NONE = 1, + RPC_GSS_SVC_INTEGRITY = 2, + RPC_GSS_SVC_PRIVACY = 3, +}; + +struct gss_cl_ctx { + refcount_t count; + enum rpc_gss_proc gc_proc; + u32 gc_seq; + u32 gc_seq_xmit; + spinlock_t gc_seq_lock; + struct gss_ctx *gc_gss_ctx; + struct xdr_netobj gc_wire_ctx; + struct xdr_netobj gc_acceptor; + u32 gc_win; + long unsigned int gc_expiry; + struct callback_head gc_rcu; +}; + +struct gss_upcall_msg; + +struct gss_cred { + struct rpc_cred gc_base; + enum rpc_gss_svc gc_service; + struct gss_cl_ctx *gc_ctx; + struct gss_upcall_msg *gc_upcall; + const char *gc_principal; + long unsigned int gc_upcall_timestamp; +}; + +struct gss_auth; + +struct gss_upcall_msg { + refcount_t count; + kuid_t uid; + const char *service_name; + struct rpc_pipe_msg msg; + struct list_head list; + struct gss_auth *auth; + struct rpc_pipe *pipe; + struct rpc_wait_queue rpc_waitqueue; + wait_queue_head_t waitqueue; + struct gss_cl_ctx *ctx; + char databuf[256]; +}; + +typedef unsigned int OM_uint32; + +struct gss_pipe { + struct rpc_pipe_dir_object pdo; + struct rpc_pipe *pipe; + struct rpc_clnt *clnt; + const char *name; + struct kref kref; +}; + +struct gss_auth { + struct kref kref; + struct hlist_node hash; + struct rpc_auth rpc_auth; + struct gss_api_mech *mech; + enum rpc_gss_svc service; + struct rpc_clnt *client; + struct net *net; + struct gss_pipe *gss_pipe[2]; + const char *target_name; +}; + +struct gss_alloc_pdo { + struct rpc_clnt *clnt; + const char *name; + const struct rpc_pipe_ops *upcall_ops; +}; + +struct rpc_gss_wire_cred { + u32 gc_v; + u32 gc_proc; + u32 gc_seq; + u32 gc_svc; + struct xdr_netobj gc_ctx; +}; + +struct gssp_in_token { + struct page **pages; + unsigned int page_base; + unsigned int page_len; +}; + +struct gssp_upcall_data { + struct xdr_netobj in_handle; + struct gssp_in_token in_token; + struct xdr_netobj out_handle; + struct xdr_netobj out_token; + struct rpcsec_gss_oid mech_oid; + struct svc_cred creds; + int found_creds; + int major_status; + int minor_status; +}; + +struct rsi { + struct cache_head h; + struct xdr_netobj in_handle; + struct xdr_netobj in_token; + struct xdr_netobj out_handle; + struct xdr_netobj out_token; + int major_status; + int minor_status; + struct callback_head callback_head; +}; + +struct gss_svc_seq_data { + int sd_max; + long unsigned int sd_win[2]; + spinlock_t sd_lock; +}; + +struct rsc { + struct cache_head h; + struct xdr_netobj handle; + struct svc_cred cred; + struct gss_svc_seq_data seqdata; + struct gss_ctx *mechctx; + struct callback_head callback_head; +}; + +struct gss_domain { + struct auth_domain h; + u32 pseudoflavor; +}; + +struct gss_svc_data { + struct rpc_gss_wire_cred clcred; + __be32 *verf_start; + struct rsc *rsci; +}; + +typedef struct xdr_netobj gssx_buffer; + +typedef struct xdr_netobj utf8string; + +typedef struct xdr_netobj gssx_OID; + +struct gssx_option { + gssx_buffer option; + gssx_buffer value; +}; + +struct gssx_option_array { + u32 count; + struct gssx_option *data; +}; + +struct gssx_status { + u64 major_status; + gssx_OID mech; + u64 minor_status; + utf8string major_status_string; + utf8string minor_status_string; + gssx_buffer server_ctx; + struct gssx_option_array options; +}; + +struct gssx_call_ctx { + utf8string locale; + gssx_buffer server_ctx; + struct gssx_option_array options; +}; + +struct gssx_name { + gssx_buffer display_name; +}; + +typedef struct gssx_name gssx_name; + +struct gssx_cred_element { + gssx_name MN; + gssx_OID mech; + u32 cred_usage; + u64 initiator_time_rec; + u64 acceptor_time_rec; + struct gssx_option_array options; +}; + +struct gssx_cred_element_array { + u32 count; + struct gssx_cred_element *data; +}; + +struct gssx_cred { + gssx_name desired_name; + struct gssx_cred_element_array elements; + gssx_buffer cred_handle_reference; + u32 needs_release; +}; + +struct gssx_ctx { + gssx_buffer exported_context_token; + gssx_buffer state; + u32 need_release; + gssx_OID mech; + gssx_name src_name; + gssx_name targ_name; + u64 lifetime; + u64 ctx_flags; + u32 locally_initiated; + u32 open; + struct gssx_option_array options; +}; + +struct gssx_cb { + u64 initiator_addrtype; + gssx_buffer initiator_address; + u64 acceptor_addrtype; + gssx_buffer acceptor_address; + gssx_buffer application_data; +}; + +struct gssx_arg_accept_sec_context { + struct gssx_call_ctx call_ctx; + struct gssx_ctx *context_handle; + struct gssx_cred *cred_handle; + struct gssp_in_token input_token; + struct gssx_cb *input_cb; + u32 ret_deleg_cred; + struct gssx_option_array options; + struct page **pages; + unsigned int npages; +}; + +struct gssx_res_accept_sec_context { + struct gssx_status status; + struct gssx_ctx *context_handle; + gssx_buffer *output_token; + struct gssx_option_array options; +}; + +enum { + GSSX_NULL = 0, + GSSX_INDICATE_MECHS = 1, + GSSX_GET_CALL_CONTEXT = 2, + GSSX_IMPORT_AND_CANON_NAME = 3, + GSSX_EXPORT_CRED = 4, + GSSX_IMPORT_CRED = 5, + GSSX_ACQUIRE_CRED = 6, + GSSX_STORE_CRED = 7, + GSSX_INIT_SEC_CONTEXT = 8, + GSSX_ACCEPT_SEC_CONTEXT = 9, + GSSX_RELEASE_HANDLE = 10, + GSSX_GET_MIC = 11, + GSSX_VERIFY = 12, + GSSX_WRAP = 13, + GSSX_UNWRAP = 14, + GSSX_WRAP_SIZE_LIMIT = 15, +}; + +struct gssx_name_attr { + gssx_buffer attr; + gssx_buffer value; + struct gssx_option_array extensions; +}; + +struct gssx_name_attr_array { + u32 count; + struct gssx_name_attr *data; +}; + +struct trace_event_raw_rpcgss_gssapi_event { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + u32 maj_stat; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_import_ctx { + struct trace_entry ent; + int status; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_accept_upcall { + struct trace_entry ent; + u32 xid; + u32 minor_status; + long unsigned int major_status; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_unwrap_failed { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_bad_seqno { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + u32 expected; + u32 received; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_seqno { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + u32 xid; + u32 seqno; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_need_reencode { + struct trace_entry ent; + unsigned int task_id; + unsigned int client_id; + u32 xid; + u32 seq_xmit; + u32 seqno; + bool ret; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_upcall_msg { + struct trace_entry ent; + u32 __data_loc_msg; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_upcall_result { + struct trace_entry ent; + u32 uid; + int result; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_context { + struct trace_entry ent; + long unsigned int expiry; + long unsigned int now; + unsigned int timeout; + int len; + u32 __data_loc_acceptor; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_createauth { + struct trace_entry ent; + unsigned int flavor; + int error; + char __data[0]; +}; + +struct trace_event_raw_rpcgss_oid_to_mech { + struct trace_entry ent; + u32 __data_loc_oid; + char __data[0]; +}; + +struct trace_event_data_offsets_rpcgss_gssapi_event {}; + +struct trace_event_data_offsets_rpcgss_import_ctx {}; + +struct trace_event_data_offsets_rpcgss_accept_upcall {}; + +struct trace_event_data_offsets_rpcgss_unwrap_failed {}; + +struct trace_event_data_offsets_rpcgss_bad_seqno {}; + +struct trace_event_data_offsets_rpcgss_seqno {}; + +struct trace_event_data_offsets_rpcgss_need_reencode {}; + +struct trace_event_data_offsets_rpcgss_upcall_msg { + u32 msg; +}; + +struct trace_event_data_offsets_rpcgss_upcall_result {}; + +struct trace_event_data_offsets_rpcgss_context { + u32 acceptor; +}; + +struct trace_event_data_offsets_rpcgss_createauth {}; + +struct trace_event_data_offsets_rpcgss_oid_to_mech { + u32 oid; +}; + +enum nl80211_commands { + NL80211_CMD_UNSPEC = 0, + NL80211_CMD_GET_WIPHY = 1, + NL80211_CMD_SET_WIPHY = 2, + NL80211_CMD_NEW_WIPHY = 3, + NL80211_CMD_DEL_WIPHY = 4, + NL80211_CMD_GET_INTERFACE = 5, + NL80211_CMD_SET_INTERFACE = 6, + NL80211_CMD_NEW_INTERFACE = 7, + NL80211_CMD_DEL_INTERFACE = 8, + NL80211_CMD_GET_KEY = 9, + NL80211_CMD_SET_KEY = 10, + NL80211_CMD_NEW_KEY = 11, + NL80211_CMD_DEL_KEY = 12, + NL80211_CMD_GET_BEACON = 13, + NL80211_CMD_SET_BEACON = 14, + NL80211_CMD_START_AP = 15, + NL80211_CMD_NEW_BEACON = 15, + NL80211_CMD_STOP_AP = 16, + NL80211_CMD_DEL_BEACON = 16, + NL80211_CMD_GET_STATION = 17, + NL80211_CMD_SET_STATION = 18, + NL80211_CMD_NEW_STATION = 19, + NL80211_CMD_DEL_STATION = 20, + NL80211_CMD_GET_MPATH = 21, + NL80211_CMD_SET_MPATH = 22, + NL80211_CMD_NEW_MPATH = 23, + NL80211_CMD_DEL_MPATH = 24, + NL80211_CMD_SET_BSS = 25, + NL80211_CMD_SET_REG = 26, + NL80211_CMD_REQ_SET_REG = 27, + NL80211_CMD_GET_MESH_CONFIG = 28, + NL80211_CMD_SET_MESH_CONFIG = 29, + NL80211_CMD_SET_MGMT_EXTRA_IE = 30, + NL80211_CMD_GET_REG = 31, + NL80211_CMD_GET_SCAN = 32, + NL80211_CMD_TRIGGER_SCAN = 33, + NL80211_CMD_NEW_SCAN_RESULTS = 34, + NL80211_CMD_SCAN_ABORTED = 35, + NL80211_CMD_REG_CHANGE = 36, + NL80211_CMD_AUTHENTICATE = 37, + NL80211_CMD_ASSOCIATE = 38, + NL80211_CMD_DEAUTHENTICATE = 39, + NL80211_CMD_DISASSOCIATE = 40, + NL80211_CMD_MICHAEL_MIC_FAILURE = 41, + NL80211_CMD_REG_BEACON_HINT = 42, + NL80211_CMD_JOIN_IBSS = 43, + NL80211_CMD_LEAVE_IBSS = 44, + NL80211_CMD_TESTMODE = 45, + NL80211_CMD_CONNECT = 46, + NL80211_CMD_ROAM = 47, + NL80211_CMD_DISCONNECT = 48, + NL80211_CMD_SET_WIPHY_NETNS = 49, + NL80211_CMD_GET_SURVEY = 50, + NL80211_CMD_NEW_SURVEY_RESULTS = 51, + NL80211_CMD_SET_PMKSA = 52, + NL80211_CMD_DEL_PMKSA = 53, + NL80211_CMD_FLUSH_PMKSA = 54, + NL80211_CMD_REMAIN_ON_CHANNEL = 55, + NL80211_CMD_CANCEL_REMAIN_ON_CHANNEL = 56, + NL80211_CMD_SET_TX_BITRATE_MASK = 57, + NL80211_CMD_REGISTER_FRAME = 58, + NL80211_CMD_REGISTER_ACTION = 58, + NL80211_CMD_FRAME = 59, + NL80211_CMD_ACTION = 59, + NL80211_CMD_FRAME_TX_STATUS = 60, + NL80211_CMD_ACTION_TX_STATUS = 60, + NL80211_CMD_SET_POWER_SAVE = 61, + NL80211_CMD_GET_POWER_SAVE = 62, + NL80211_CMD_SET_CQM = 63, + NL80211_CMD_NOTIFY_CQM = 64, + NL80211_CMD_SET_CHANNEL = 65, + NL80211_CMD_SET_WDS_PEER = 66, + NL80211_CMD_FRAME_WAIT_CANCEL = 67, + NL80211_CMD_JOIN_MESH = 68, + NL80211_CMD_LEAVE_MESH = 69, + NL80211_CMD_UNPROT_DEAUTHENTICATE = 70, + NL80211_CMD_UNPROT_DISASSOCIATE = 71, + NL80211_CMD_NEW_PEER_CANDIDATE = 72, + NL80211_CMD_GET_WOWLAN = 73, + NL80211_CMD_SET_WOWLAN = 74, + NL80211_CMD_START_SCHED_SCAN = 75, + NL80211_CMD_STOP_SCHED_SCAN = 76, + NL80211_CMD_SCHED_SCAN_RESULTS = 77, + NL80211_CMD_SCHED_SCAN_STOPPED = 78, + NL80211_CMD_SET_REKEY_OFFLOAD = 79, + NL80211_CMD_PMKSA_CANDIDATE = 80, + NL80211_CMD_TDLS_OPER = 81, + NL80211_CMD_TDLS_MGMT = 82, + NL80211_CMD_UNEXPECTED_FRAME = 83, + NL80211_CMD_PROBE_CLIENT = 84, + NL80211_CMD_REGISTER_BEACONS = 85, + NL80211_CMD_UNEXPECTED_4ADDR_FRAME = 86, + NL80211_CMD_SET_NOACK_MAP = 87, + NL80211_CMD_CH_SWITCH_NOTIFY = 88, + NL80211_CMD_START_P2P_DEVICE = 89, + NL80211_CMD_STOP_P2P_DEVICE = 90, + NL80211_CMD_CONN_FAILED = 91, + NL80211_CMD_SET_MCAST_RATE = 92, + NL80211_CMD_SET_MAC_ACL = 93, + NL80211_CMD_RADAR_DETECT = 94, + NL80211_CMD_GET_PROTOCOL_FEATURES = 95, + NL80211_CMD_UPDATE_FT_IES = 96, + NL80211_CMD_FT_EVENT = 97, + NL80211_CMD_CRIT_PROTOCOL_START = 98, + NL80211_CMD_CRIT_PROTOCOL_STOP = 99, + NL80211_CMD_GET_COALESCE = 100, + NL80211_CMD_SET_COALESCE = 101, + NL80211_CMD_CHANNEL_SWITCH = 102, + NL80211_CMD_VENDOR = 103, + NL80211_CMD_SET_QOS_MAP = 104, + NL80211_CMD_ADD_TX_TS = 105, + NL80211_CMD_DEL_TX_TS = 106, + NL80211_CMD_GET_MPP = 107, + NL80211_CMD_JOIN_OCB = 108, + NL80211_CMD_LEAVE_OCB = 109, + NL80211_CMD_CH_SWITCH_STARTED_NOTIFY = 110, + NL80211_CMD_TDLS_CHANNEL_SWITCH = 111, + NL80211_CMD_TDLS_CANCEL_CHANNEL_SWITCH = 112, + NL80211_CMD_WIPHY_REG_CHANGE = 113, + NL80211_CMD_ABORT_SCAN = 114, + NL80211_CMD_START_NAN = 115, + NL80211_CMD_STOP_NAN = 116, + NL80211_CMD_ADD_NAN_FUNCTION = 117, + NL80211_CMD_DEL_NAN_FUNCTION = 118, + NL80211_CMD_CHANGE_NAN_CONFIG = 119, + NL80211_CMD_NAN_MATCH = 120, + NL80211_CMD_SET_MULTICAST_TO_UNICAST = 121, + NL80211_CMD_UPDATE_CONNECT_PARAMS = 122, + NL80211_CMD_SET_PMK = 123, + NL80211_CMD_DEL_PMK = 124, + NL80211_CMD_PORT_AUTHORIZED = 125, + NL80211_CMD_RELOAD_REGDB = 126, + NL80211_CMD_EXTERNAL_AUTH = 127, + NL80211_CMD_STA_OPMODE_CHANGED = 128, + NL80211_CMD_CONTROL_PORT_FRAME = 129, + NL80211_CMD_GET_FTM_RESPONDER_STATS = 130, + NL80211_CMD_PEER_MEASUREMENT_START = 131, + NL80211_CMD_PEER_MEASUREMENT_RESULT = 132, + NL80211_CMD_PEER_MEASUREMENT_COMPLETE = 133, + NL80211_CMD_NOTIFY_RADAR = 134, + NL80211_CMD_UPDATE_OWE_INFO = 135, + NL80211_CMD_PROBE_MESH_LINK = 136, + __NL80211_CMD_AFTER_LAST = 137, + NL80211_CMD_MAX = 136, +}; + +enum nl80211_attrs { + NL80211_ATTR_UNSPEC = 0, + NL80211_ATTR_WIPHY = 1, + NL80211_ATTR_WIPHY_NAME = 2, + NL80211_ATTR_IFINDEX = 3, + NL80211_ATTR_IFNAME = 4, + NL80211_ATTR_IFTYPE = 5, + NL80211_ATTR_MAC = 6, + NL80211_ATTR_KEY_DATA = 7, + NL80211_ATTR_KEY_IDX = 8, + NL80211_ATTR_KEY_CIPHER = 9, + NL80211_ATTR_KEY_SEQ = 10, + NL80211_ATTR_KEY_DEFAULT = 11, + NL80211_ATTR_BEACON_INTERVAL = 12, + NL80211_ATTR_DTIM_PERIOD = 13, + NL80211_ATTR_BEACON_HEAD = 14, + NL80211_ATTR_BEACON_TAIL = 15, + NL80211_ATTR_STA_AID = 16, + NL80211_ATTR_STA_FLAGS = 17, + NL80211_ATTR_STA_LISTEN_INTERVAL = 18, + NL80211_ATTR_STA_SUPPORTED_RATES = 19, + NL80211_ATTR_STA_VLAN = 20, + NL80211_ATTR_STA_INFO = 21, + NL80211_ATTR_WIPHY_BANDS = 22, + NL80211_ATTR_MNTR_FLAGS = 23, + NL80211_ATTR_MESH_ID = 24, + NL80211_ATTR_STA_PLINK_ACTION = 25, + NL80211_ATTR_MPATH_NEXT_HOP = 26, + NL80211_ATTR_MPATH_INFO = 27, + NL80211_ATTR_BSS_CTS_PROT = 28, + NL80211_ATTR_BSS_SHORT_PREAMBLE = 29, + NL80211_ATTR_BSS_SHORT_SLOT_TIME = 30, + NL80211_ATTR_HT_CAPABILITY = 31, + NL80211_ATTR_SUPPORTED_IFTYPES = 32, + NL80211_ATTR_REG_ALPHA2 = 33, + NL80211_ATTR_REG_RULES = 34, + NL80211_ATTR_MESH_CONFIG = 35, + NL80211_ATTR_BSS_BASIC_RATES = 36, + NL80211_ATTR_WIPHY_TXQ_PARAMS = 37, + NL80211_ATTR_WIPHY_FREQ = 38, + NL80211_ATTR_WIPHY_CHANNEL_TYPE = 39, + NL80211_ATTR_KEY_DEFAULT_MGMT = 40, + NL80211_ATTR_MGMT_SUBTYPE = 41, + NL80211_ATTR_IE = 42, + NL80211_ATTR_MAX_NUM_SCAN_SSIDS = 43, + NL80211_ATTR_SCAN_FREQUENCIES = 44, + NL80211_ATTR_SCAN_SSIDS = 45, + NL80211_ATTR_GENERATION = 46, + NL80211_ATTR_BSS = 47, + NL80211_ATTR_REG_INITIATOR = 48, + NL80211_ATTR_REG_TYPE = 49, + NL80211_ATTR_SUPPORTED_COMMANDS = 50, + NL80211_ATTR_FRAME = 51, + NL80211_ATTR_SSID = 52, + NL80211_ATTR_AUTH_TYPE = 53, + NL80211_ATTR_REASON_CODE = 54, + NL80211_ATTR_KEY_TYPE = 55, + NL80211_ATTR_MAX_SCAN_IE_LEN = 56, + NL80211_ATTR_CIPHER_SUITES = 57, + NL80211_ATTR_FREQ_BEFORE = 58, + NL80211_ATTR_FREQ_AFTER = 59, + NL80211_ATTR_FREQ_FIXED = 60, + NL80211_ATTR_WIPHY_RETRY_SHORT = 61, + NL80211_ATTR_WIPHY_RETRY_LONG = 62, + NL80211_ATTR_WIPHY_FRAG_THRESHOLD = 63, + NL80211_ATTR_WIPHY_RTS_THRESHOLD = 64, + NL80211_ATTR_TIMED_OUT = 65, + NL80211_ATTR_USE_MFP = 66, + NL80211_ATTR_STA_FLAGS2 = 67, + NL80211_ATTR_CONTROL_PORT = 68, + NL80211_ATTR_TESTDATA = 69, + NL80211_ATTR_PRIVACY = 70, + NL80211_ATTR_DISCONNECTED_BY_AP = 71, + NL80211_ATTR_STATUS_CODE = 72, + NL80211_ATTR_CIPHER_SUITES_PAIRWISE = 73, + NL80211_ATTR_CIPHER_SUITE_GROUP = 74, + NL80211_ATTR_WPA_VERSIONS = 75, + NL80211_ATTR_AKM_SUITES = 76, + NL80211_ATTR_REQ_IE = 77, + NL80211_ATTR_RESP_IE = 78, + NL80211_ATTR_PREV_BSSID = 79, + NL80211_ATTR_KEY = 80, + NL80211_ATTR_KEYS = 81, + NL80211_ATTR_PID = 82, + NL80211_ATTR_4ADDR = 83, + NL80211_ATTR_SURVEY_INFO = 84, + NL80211_ATTR_PMKID = 85, + NL80211_ATTR_MAX_NUM_PMKIDS = 86, + NL80211_ATTR_DURATION = 87, + NL80211_ATTR_COOKIE = 88, + NL80211_ATTR_WIPHY_COVERAGE_CLASS = 89, + NL80211_ATTR_TX_RATES = 90, + NL80211_ATTR_FRAME_MATCH = 91, + NL80211_ATTR_ACK = 92, + NL80211_ATTR_PS_STATE = 93, + NL80211_ATTR_CQM = 94, + NL80211_ATTR_LOCAL_STATE_CHANGE = 95, + NL80211_ATTR_AP_ISOLATE = 96, + NL80211_ATTR_WIPHY_TX_POWER_SETTING = 97, + NL80211_ATTR_WIPHY_TX_POWER_LEVEL = 98, + NL80211_ATTR_TX_FRAME_TYPES = 99, + NL80211_ATTR_RX_FRAME_TYPES = 100, + NL80211_ATTR_FRAME_TYPE = 101, + NL80211_ATTR_CONTROL_PORT_ETHERTYPE = 102, + NL80211_ATTR_CONTROL_PORT_NO_ENCRYPT = 103, + NL80211_ATTR_SUPPORT_IBSS_RSN = 104, + NL80211_ATTR_WIPHY_ANTENNA_TX = 105, + NL80211_ATTR_WIPHY_ANTENNA_RX = 106, + NL80211_ATTR_MCAST_RATE = 107, + NL80211_ATTR_OFFCHANNEL_TX_OK = 108, + NL80211_ATTR_BSS_HT_OPMODE = 109, + NL80211_ATTR_KEY_DEFAULT_TYPES = 110, + NL80211_ATTR_MAX_REMAIN_ON_CHANNEL_DURATION = 111, + NL80211_ATTR_MESH_SETUP = 112, + NL80211_ATTR_WIPHY_ANTENNA_AVAIL_TX = 113, + NL80211_ATTR_WIPHY_ANTENNA_AVAIL_RX = 114, + NL80211_ATTR_SUPPORT_MESH_AUTH = 115, + NL80211_ATTR_STA_PLINK_STATE = 116, + NL80211_ATTR_WOWLAN_TRIGGERS = 117, + NL80211_ATTR_WOWLAN_TRIGGERS_SUPPORTED = 118, + NL80211_ATTR_SCHED_SCAN_INTERVAL = 119, + NL80211_ATTR_INTERFACE_COMBINATIONS = 120, + NL80211_ATTR_SOFTWARE_IFTYPES = 121, + NL80211_ATTR_REKEY_DATA = 122, + NL80211_ATTR_MAX_NUM_SCHED_SCAN_SSIDS = 123, + NL80211_ATTR_MAX_SCHED_SCAN_IE_LEN = 124, + NL80211_ATTR_SCAN_SUPP_RATES = 125, + NL80211_ATTR_HIDDEN_SSID = 126, + NL80211_ATTR_IE_PROBE_RESP = 127, + NL80211_ATTR_IE_ASSOC_RESP = 128, + NL80211_ATTR_STA_WME = 129, + NL80211_ATTR_SUPPORT_AP_UAPSD = 130, + NL80211_ATTR_ROAM_SUPPORT = 131, + NL80211_ATTR_SCHED_SCAN_MATCH = 132, + NL80211_ATTR_MAX_MATCH_SETS = 133, + NL80211_ATTR_PMKSA_CANDIDATE = 134, + NL80211_ATTR_TX_NO_CCK_RATE = 135, + NL80211_ATTR_TDLS_ACTION = 136, + NL80211_ATTR_TDLS_DIALOG_TOKEN = 137, + NL80211_ATTR_TDLS_OPERATION = 138, + NL80211_ATTR_TDLS_SUPPORT = 139, + NL80211_ATTR_TDLS_EXTERNAL_SETUP = 140, + NL80211_ATTR_DEVICE_AP_SME = 141, + NL80211_ATTR_DONT_WAIT_FOR_ACK = 142, + NL80211_ATTR_FEATURE_FLAGS = 143, + NL80211_ATTR_PROBE_RESP_OFFLOAD = 144, + NL80211_ATTR_PROBE_RESP = 145, + NL80211_ATTR_DFS_REGION = 146, + NL80211_ATTR_DISABLE_HT = 147, + NL80211_ATTR_HT_CAPABILITY_MASK = 148, + NL80211_ATTR_NOACK_MAP = 149, + NL80211_ATTR_INACTIVITY_TIMEOUT = 150, + NL80211_ATTR_RX_SIGNAL_DBM = 151, + NL80211_ATTR_BG_SCAN_PERIOD = 152, + NL80211_ATTR_WDEV = 153, + NL80211_ATTR_USER_REG_HINT_TYPE = 154, + NL80211_ATTR_CONN_FAILED_REASON = 155, + NL80211_ATTR_AUTH_DATA = 156, + NL80211_ATTR_VHT_CAPABILITY = 157, + NL80211_ATTR_SCAN_FLAGS = 158, + NL80211_ATTR_CHANNEL_WIDTH = 159, + NL80211_ATTR_CENTER_FREQ1 = 160, + NL80211_ATTR_CENTER_FREQ2 = 161, + NL80211_ATTR_P2P_CTWINDOW = 162, + NL80211_ATTR_P2P_OPPPS = 163, + NL80211_ATTR_LOCAL_MESH_POWER_MODE = 164, + NL80211_ATTR_ACL_POLICY = 165, + NL80211_ATTR_MAC_ADDRS = 166, + NL80211_ATTR_MAC_ACL_MAX = 167, + NL80211_ATTR_RADAR_EVENT = 168, + NL80211_ATTR_EXT_CAPA = 169, + NL80211_ATTR_EXT_CAPA_MASK = 170, + NL80211_ATTR_STA_CAPABILITY = 171, + NL80211_ATTR_STA_EXT_CAPABILITY = 172, + NL80211_ATTR_PROTOCOL_FEATURES = 173, + NL80211_ATTR_SPLIT_WIPHY_DUMP = 174, + NL80211_ATTR_DISABLE_VHT = 175, + NL80211_ATTR_VHT_CAPABILITY_MASK = 176, + NL80211_ATTR_MDID = 177, + NL80211_ATTR_IE_RIC = 178, + NL80211_ATTR_CRIT_PROT_ID = 179, + NL80211_ATTR_MAX_CRIT_PROT_DURATION = 180, + NL80211_ATTR_PEER_AID = 181, + NL80211_ATTR_COALESCE_RULE = 182, + NL80211_ATTR_CH_SWITCH_COUNT = 183, + NL80211_ATTR_CH_SWITCH_BLOCK_TX = 184, + NL80211_ATTR_CSA_IES = 185, + NL80211_ATTR_CSA_C_OFF_BEACON = 186, + NL80211_ATTR_CSA_C_OFF_PRESP = 187, + NL80211_ATTR_RXMGMT_FLAGS = 188, + NL80211_ATTR_STA_SUPPORTED_CHANNELS = 189, + NL80211_ATTR_STA_SUPPORTED_OPER_CLASSES = 190, + NL80211_ATTR_HANDLE_DFS = 191, + NL80211_ATTR_SUPPORT_5_MHZ = 192, + NL80211_ATTR_SUPPORT_10_MHZ = 193, + NL80211_ATTR_OPMODE_NOTIF = 194, + NL80211_ATTR_VENDOR_ID = 195, + NL80211_ATTR_VENDOR_SUBCMD = 196, + NL80211_ATTR_VENDOR_DATA = 197, + NL80211_ATTR_VENDOR_EVENTS = 198, + NL80211_ATTR_QOS_MAP = 199, + NL80211_ATTR_MAC_HINT = 200, + NL80211_ATTR_WIPHY_FREQ_HINT = 201, + NL80211_ATTR_MAX_AP_ASSOC_STA = 202, + NL80211_ATTR_TDLS_PEER_CAPABILITY = 203, + NL80211_ATTR_SOCKET_OWNER = 204, + NL80211_ATTR_CSA_C_OFFSETS_TX = 205, + NL80211_ATTR_MAX_CSA_COUNTERS = 206, + NL80211_ATTR_TDLS_INITIATOR = 207, + NL80211_ATTR_USE_RRM = 208, + NL80211_ATTR_WIPHY_DYN_ACK = 209, + NL80211_ATTR_TSID = 210, + NL80211_ATTR_USER_PRIO = 211, + NL80211_ATTR_ADMITTED_TIME = 212, + NL80211_ATTR_SMPS_MODE = 213, + NL80211_ATTR_OPER_CLASS = 214, + NL80211_ATTR_MAC_MASK = 215, + NL80211_ATTR_WIPHY_SELF_MANAGED_REG = 216, + NL80211_ATTR_EXT_FEATURES = 217, + NL80211_ATTR_SURVEY_RADIO_STATS = 218, + NL80211_ATTR_NETNS_FD = 219, + NL80211_ATTR_SCHED_SCAN_DELAY = 220, + NL80211_ATTR_REG_INDOOR = 221, + NL80211_ATTR_MAX_NUM_SCHED_SCAN_PLANS = 222, + NL80211_ATTR_MAX_SCAN_PLAN_INTERVAL = 223, + NL80211_ATTR_MAX_SCAN_PLAN_ITERATIONS = 224, + NL80211_ATTR_SCHED_SCAN_PLANS = 225, + NL80211_ATTR_PBSS = 226, + NL80211_ATTR_BSS_SELECT = 227, + NL80211_ATTR_STA_SUPPORT_P2P_PS = 228, + NL80211_ATTR_PAD = 229, + NL80211_ATTR_IFTYPE_EXT_CAPA = 230, + NL80211_ATTR_MU_MIMO_GROUP_DATA = 231, + NL80211_ATTR_MU_MIMO_FOLLOW_MAC_ADDR = 232, + NL80211_ATTR_SCAN_START_TIME_TSF = 233, + NL80211_ATTR_SCAN_START_TIME_TSF_BSSID = 234, + NL80211_ATTR_MEASUREMENT_DURATION = 235, + NL80211_ATTR_MEASUREMENT_DURATION_MANDATORY = 236, + NL80211_ATTR_MESH_PEER_AID = 237, + NL80211_ATTR_NAN_MASTER_PREF = 238, + NL80211_ATTR_BANDS = 239, + NL80211_ATTR_NAN_FUNC = 240, + NL80211_ATTR_NAN_MATCH = 241, + NL80211_ATTR_FILS_KEK = 242, + NL80211_ATTR_FILS_NONCES = 243, + NL80211_ATTR_MULTICAST_TO_UNICAST_ENABLED = 244, + NL80211_ATTR_BSSID = 245, + NL80211_ATTR_SCHED_SCAN_RELATIVE_RSSI = 246, + NL80211_ATTR_SCHED_SCAN_RSSI_ADJUST = 247, + NL80211_ATTR_TIMEOUT_REASON = 248, + NL80211_ATTR_FILS_ERP_USERNAME = 249, + NL80211_ATTR_FILS_ERP_REALM = 250, + NL80211_ATTR_FILS_ERP_NEXT_SEQ_NUM = 251, + NL80211_ATTR_FILS_ERP_RRK = 252, + NL80211_ATTR_FILS_CACHE_ID = 253, + NL80211_ATTR_PMK = 254, + NL80211_ATTR_SCHED_SCAN_MULTI = 255, + NL80211_ATTR_SCHED_SCAN_MAX_REQS = 256, + NL80211_ATTR_WANT_1X_4WAY_HS = 257, + NL80211_ATTR_PMKR0_NAME = 258, + NL80211_ATTR_PORT_AUTHORIZED = 259, + NL80211_ATTR_EXTERNAL_AUTH_ACTION = 260, + NL80211_ATTR_EXTERNAL_AUTH_SUPPORT = 261, + NL80211_ATTR_NSS = 262, + NL80211_ATTR_ACK_SIGNAL = 263, + NL80211_ATTR_CONTROL_PORT_OVER_NL80211 = 264, + NL80211_ATTR_TXQ_STATS = 265, + NL80211_ATTR_TXQ_LIMIT = 266, + NL80211_ATTR_TXQ_MEMORY_LIMIT = 267, + NL80211_ATTR_TXQ_QUANTUM = 268, + NL80211_ATTR_HE_CAPABILITY = 269, + NL80211_ATTR_FTM_RESPONDER = 270, + NL80211_ATTR_FTM_RESPONDER_STATS = 271, + NL80211_ATTR_TIMEOUT = 272, + NL80211_ATTR_PEER_MEASUREMENTS = 273, + NL80211_ATTR_AIRTIME_WEIGHT = 274, + NL80211_ATTR_STA_TX_POWER_SETTING = 275, + NL80211_ATTR_STA_TX_POWER = 276, + NL80211_ATTR_SAE_PASSWORD = 277, + NL80211_ATTR_TWT_RESPONDER = 278, + NL80211_ATTR_HE_OBSS_PD = 279, + NL80211_ATTR_WIPHY_EDMG_CHANNELS = 280, + NL80211_ATTR_WIPHY_EDMG_BW_CONFIG = 281, + NL80211_ATTR_VLAN_ID = 282, + __NL80211_ATTR_AFTER_LAST = 283, + NUM_NL80211_ATTR = 283, + NL80211_ATTR_MAX = 282, +}; + +enum nl80211_iftype { + NL80211_IFTYPE_UNSPECIFIED = 0, + NL80211_IFTYPE_ADHOC = 1, + NL80211_IFTYPE_STATION = 2, + NL80211_IFTYPE_AP = 3, + NL80211_IFTYPE_AP_VLAN = 4, + NL80211_IFTYPE_WDS = 5, + NL80211_IFTYPE_MONITOR = 6, + NL80211_IFTYPE_MESH_POINT = 7, + NL80211_IFTYPE_P2P_CLIENT = 8, + NL80211_IFTYPE_P2P_GO = 9, + NL80211_IFTYPE_P2P_DEVICE = 10, + NL80211_IFTYPE_OCB = 11, + NL80211_IFTYPE_NAN = 12, + NUM_NL80211_IFTYPES = 13, + NL80211_IFTYPE_MAX = 12, +}; + +struct nl80211_sta_flag_update { + __u32 mask; + __u32 set; +}; + +enum nl80211_reg_initiator { + NL80211_REGDOM_SET_BY_CORE = 0, + NL80211_REGDOM_SET_BY_USER = 1, + NL80211_REGDOM_SET_BY_DRIVER = 2, + NL80211_REGDOM_SET_BY_COUNTRY_IE = 3, +}; + +enum nl80211_dfs_regions { + NL80211_DFS_UNSET = 0, + NL80211_DFS_FCC = 1, + NL80211_DFS_ETSI = 2, + NL80211_DFS_JP = 3, +}; + +enum nl80211_user_reg_hint_type { + NL80211_USER_REG_HINT_USER = 0, + NL80211_USER_REG_HINT_CELL_BASE = 1, + NL80211_USER_REG_HINT_INDOOR = 2, +}; + +enum nl80211_mntr_flags { + __NL80211_MNTR_FLAG_INVALID = 0, + NL80211_MNTR_FLAG_FCSFAIL = 1, + NL80211_MNTR_FLAG_PLCPFAIL = 2, + NL80211_MNTR_FLAG_CONTROL = 3, + NL80211_MNTR_FLAG_OTHER_BSS = 4, + NL80211_MNTR_FLAG_COOK_FRAMES = 5, + NL80211_MNTR_FLAG_ACTIVE = 6, + __NL80211_MNTR_FLAG_AFTER_LAST = 7, + NL80211_MNTR_FLAG_MAX = 6, +}; + +enum nl80211_mesh_power_mode { + NL80211_MESH_POWER_UNKNOWN = 0, + NL80211_MESH_POWER_ACTIVE = 1, + NL80211_MESH_POWER_LIGHT_SLEEP = 2, + NL80211_MESH_POWER_DEEP_SLEEP = 3, + __NL80211_MESH_POWER_AFTER_LAST = 4, + NL80211_MESH_POWER_MAX = 3, +}; + +enum nl80211_ac { + NL80211_AC_VO = 0, + NL80211_AC_VI = 1, + NL80211_AC_BE = 2, + NL80211_AC_BK = 3, + NL80211_NUM_ACS = 4, +}; + +enum nl80211_key_mode { + NL80211_KEY_RX_TX = 0, + NL80211_KEY_NO_TX = 1, + NL80211_KEY_SET_TX = 2, +}; + +enum nl80211_chan_width { + NL80211_CHAN_WIDTH_20_NOHT = 0, + NL80211_CHAN_WIDTH_20 = 1, + NL80211_CHAN_WIDTH_40 = 2, + NL80211_CHAN_WIDTH_80 = 3, + NL80211_CHAN_WIDTH_80P80 = 4, + NL80211_CHAN_WIDTH_160 = 5, + NL80211_CHAN_WIDTH_5 = 6, + NL80211_CHAN_WIDTH_10 = 7, +}; + +enum nl80211_bss_scan_width { + NL80211_BSS_CHAN_WIDTH_20 = 0, + NL80211_BSS_CHAN_WIDTH_10 = 1, + NL80211_BSS_CHAN_WIDTH_5 = 2, +}; + +enum nl80211_auth_type { + NL80211_AUTHTYPE_OPEN_SYSTEM = 0, + NL80211_AUTHTYPE_SHARED_KEY = 1, + NL80211_AUTHTYPE_FT = 2, + NL80211_AUTHTYPE_NETWORK_EAP = 3, + NL80211_AUTHTYPE_SAE = 4, + NL80211_AUTHTYPE_FILS_SK = 5, + NL80211_AUTHTYPE_FILS_SK_PFS = 6, + NL80211_AUTHTYPE_FILS_PK = 7, + __NL80211_AUTHTYPE_NUM = 8, + NL80211_AUTHTYPE_MAX = 7, + NL80211_AUTHTYPE_AUTOMATIC = 8, +}; + +enum nl80211_mfp { + NL80211_MFP_NO = 0, + NL80211_MFP_REQUIRED = 1, + NL80211_MFP_OPTIONAL = 2, +}; + +enum nl80211_txrate_gi { + NL80211_TXRATE_DEFAULT_GI = 0, + NL80211_TXRATE_FORCE_SGI = 1, + NL80211_TXRATE_FORCE_LGI = 2, +}; + +enum nl80211_band { + NL80211_BAND_2GHZ = 0, + NL80211_BAND_5GHZ = 1, + NL80211_BAND_60GHZ = 2, + NL80211_BAND_6GHZ = 3, + NUM_NL80211_BANDS = 4, +}; + +enum nl80211_tx_power_setting { + NL80211_TX_POWER_AUTOMATIC = 0, + NL80211_TX_POWER_LIMITED = 1, + NL80211_TX_POWER_FIXED = 2, +}; + +struct nl80211_wowlan_tcp_data_seq { + __u32 start; + __u32 offset; + __u32 len; +}; + +struct nl80211_wowlan_tcp_data_token { + __u32 offset; + __u32 len; + __u8 token_stream[0]; +}; + +struct nl80211_wowlan_tcp_data_token_feature { + __u32 min_len; + __u32 max_len; + __u32 bufsize; +}; + +enum nl80211_coalesce_condition { + NL80211_COALESCE_CONDITION_MATCH = 0, + NL80211_COALESCE_CONDITION_NO_MATCH = 1, +}; + +enum nl80211_hidden_ssid { + NL80211_HIDDEN_SSID_NOT_IN_USE = 0, + NL80211_HIDDEN_SSID_ZERO_LEN = 1, + NL80211_HIDDEN_SSID_ZERO_CONTENTS = 2, +}; + +enum nl80211_tdls_operation { + NL80211_TDLS_DISCOVERY_REQ = 0, + NL80211_TDLS_SETUP = 1, + NL80211_TDLS_TEARDOWN = 2, + NL80211_TDLS_ENABLE_LINK = 3, + NL80211_TDLS_DISABLE_LINK = 4, +}; + +enum nl80211_feature_flags { + NL80211_FEATURE_SK_TX_STATUS = 1, + NL80211_FEATURE_HT_IBSS = 2, + NL80211_FEATURE_INACTIVITY_TIMER = 4, + NL80211_FEATURE_CELL_BASE_REG_HINTS = 8, + NL80211_FEATURE_P2P_DEVICE_NEEDS_CHANNEL = 16, + NL80211_FEATURE_SAE = 32, + NL80211_FEATURE_LOW_PRIORITY_SCAN = 64, + NL80211_FEATURE_SCAN_FLUSH = 128, + NL80211_FEATURE_AP_SCAN = 256, + NL80211_FEATURE_VIF_TXPOWER = 512, + NL80211_FEATURE_NEED_OBSS_SCAN = 1024, + NL80211_FEATURE_P2P_GO_CTWIN = 2048, + NL80211_FEATURE_P2P_GO_OPPPS = 4096, + NL80211_FEATURE_ADVERTISE_CHAN_LIMITS = 16384, + NL80211_FEATURE_FULL_AP_CLIENT_STATE = 32768, + NL80211_FEATURE_USERSPACE_MPM = 65536, + NL80211_FEATURE_ACTIVE_MONITOR = 131072, + NL80211_FEATURE_AP_MODE_CHAN_WIDTH_CHANGE = 262144, + NL80211_FEATURE_DS_PARAM_SET_IE_IN_PROBES = 524288, + NL80211_FEATURE_WFA_TPC_IE_IN_PROBES = 1048576, + NL80211_FEATURE_QUIET = 2097152, + NL80211_FEATURE_TX_POWER_INSERTION = 4194304, + NL80211_FEATURE_ACKTO_ESTIMATION = 8388608, + NL80211_FEATURE_STATIC_SMPS = 16777216, + NL80211_FEATURE_DYNAMIC_SMPS = 33554432, + NL80211_FEATURE_SUPPORTS_WMM_ADMISSION = 67108864, + NL80211_FEATURE_MAC_ON_CREATE = 134217728, + NL80211_FEATURE_TDLS_CHANNEL_SWITCH = 268435456, + NL80211_FEATURE_SCAN_RANDOM_MAC_ADDR = 536870912, + NL80211_FEATURE_SCHED_SCAN_RANDOM_MAC_ADDR = 1073741824, + NL80211_FEATURE_ND_RANDOM_MAC_ADDR = -2147483648, +}; + +enum nl80211_ext_feature_index { + NL80211_EXT_FEATURE_VHT_IBSS = 0, + NL80211_EXT_FEATURE_RRM = 1, + NL80211_EXT_FEATURE_MU_MIMO_AIR_SNIFFER = 2, + NL80211_EXT_FEATURE_SCAN_START_TIME = 3, + NL80211_EXT_FEATURE_BSS_PARENT_TSF = 4, + NL80211_EXT_FEATURE_SET_SCAN_DWELL = 5, + NL80211_EXT_FEATURE_BEACON_RATE_LEGACY = 6, + NL80211_EXT_FEATURE_BEACON_RATE_HT = 7, + NL80211_EXT_FEATURE_BEACON_RATE_VHT = 8, + NL80211_EXT_FEATURE_FILS_STA = 9, + NL80211_EXT_FEATURE_MGMT_TX_RANDOM_TA = 10, + NL80211_EXT_FEATURE_MGMT_TX_RANDOM_TA_CONNECTED = 11, + NL80211_EXT_FEATURE_SCHED_SCAN_RELATIVE_RSSI = 12, + NL80211_EXT_FEATURE_CQM_RSSI_LIST = 13, + NL80211_EXT_FEATURE_FILS_SK_OFFLOAD = 14, + NL80211_EXT_FEATURE_4WAY_HANDSHAKE_STA_PSK = 15, + NL80211_EXT_FEATURE_4WAY_HANDSHAKE_STA_1X = 16, + NL80211_EXT_FEATURE_FILS_MAX_CHANNEL_TIME = 17, + NL80211_EXT_FEATURE_ACCEPT_BCAST_PROBE_RESP = 18, + NL80211_EXT_FEATURE_OCE_PROBE_REQ_HIGH_TX_RATE = 19, + NL80211_EXT_FEATURE_OCE_PROBE_REQ_DEFERRAL_SUPPRESSION = 20, + NL80211_EXT_FEATURE_MFP_OPTIONAL = 21, + NL80211_EXT_FEATURE_LOW_SPAN_SCAN = 22, + NL80211_EXT_FEATURE_LOW_POWER_SCAN = 23, + NL80211_EXT_FEATURE_HIGH_ACCURACY_SCAN = 24, + NL80211_EXT_FEATURE_DFS_OFFLOAD = 25, + NL80211_EXT_FEATURE_CONTROL_PORT_OVER_NL80211 = 26, + NL80211_EXT_FEATURE_ACK_SIGNAL_SUPPORT = 27, + NL80211_EXT_FEATURE_DATA_ACK_SIGNAL_SUPPORT = 27, + NL80211_EXT_FEATURE_TXQS = 28, + NL80211_EXT_FEATURE_SCAN_RANDOM_SN = 29, + NL80211_EXT_FEATURE_SCAN_MIN_PREQ_CONTENT = 30, + NL80211_EXT_FEATURE_CAN_REPLACE_PTK0 = 31, + NL80211_EXT_FEATURE_ENABLE_FTM_RESPONDER = 32, + NL80211_EXT_FEATURE_AIRTIME_FAIRNESS = 33, + NL80211_EXT_FEATURE_AP_PMKSA_CACHING = 34, + NL80211_EXT_FEATURE_SCHED_SCAN_BAND_SPECIFIC_RSSI_THOLD = 35, + NL80211_EXT_FEATURE_EXT_KEY_ID = 36, + NL80211_EXT_FEATURE_STA_TX_PWR = 37, + NL80211_EXT_FEATURE_SAE_OFFLOAD = 38, + NL80211_EXT_FEATURE_VLAN_OFFLOAD = 39, + NL80211_EXT_FEATURE_AQL = 40, + NUM_NL80211_EXT_FEATURES = 41, + MAX_NL80211_EXT_FEATURES = 40, +}; + +enum nl80211_timeout_reason { + NL80211_TIMEOUT_UNSPECIFIED = 0, + NL80211_TIMEOUT_SCAN = 1, + NL80211_TIMEOUT_AUTH = 2, + NL80211_TIMEOUT_ASSOC = 3, +}; + +enum nl80211_acl_policy { + NL80211_ACL_POLICY_ACCEPT_UNLESS_LISTED = 0, + NL80211_ACL_POLICY_DENY_UNLESS_LISTED = 1, +}; + +enum nl80211_smps_mode { + NL80211_SMPS_OFF = 0, + NL80211_SMPS_STATIC = 1, + NL80211_SMPS_DYNAMIC = 2, + __NL80211_SMPS_AFTER_LAST = 3, + NL80211_SMPS_MAX = 2, +}; + +enum nl80211_radar_event { + NL80211_RADAR_DETECTED = 0, + NL80211_RADAR_CAC_FINISHED = 1, + NL80211_RADAR_CAC_ABORTED = 2, + NL80211_RADAR_NOP_FINISHED = 3, + NL80211_RADAR_PRE_CAC_EXPIRED = 4, + NL80211_RADAR_CAC_STARTED = 5, +}; + +enum nl80211_dfs_state { + NL80211_DFS_USABLE = 0, + NL80211_DFS_UNAVAILABLE = 1, + NL80211_DFS_AVAILABLE = 2, +}; + +enum nl80211_crit_proto_id { + NL80211_CRIT_PROTO_UNSPEC = 0, + NL80211_CRIT_PROTO_DHCP = 1, + NL80211_CRIT_PROTO_EAPOL = 2, + NL80211_CRIT_PROTO_APIPA = 3, + NUM_NL80211_CRIT_PROTO = 4, +}; + +struct nl80211_vendor_cmd_info { + __u32 vendor_id; + __u32 subcmd; +}; + +enum nl80211_bss_select_attr { + __NL80211_BSS_SELECT_ATTR_INVALID = 0, + NL80211_BSS_SELECT_ATTR_RSSI = 1, + NL80211_BSS_SELECT_ATTR_BAND_PREF = 2, + NL80211_BSS_SELECT_ATTR_RSSI_ADJUST = 3, + __NL80211_BSS_SELECT_ATTR_AFTER_LAST = 4, + NL80211_BSS_SELECT_ATTR_MAX = 3, +}; + +enum nl80211_nan_function_type { + NL80211_NAN_FUNC_PUBLISH = 0, + NL80211_NAN_FUNC_SUBSCRIBE = 1, + NL80211_NAN_FUNC_FOLLOW_UP = 2, + __NL80211_NAN_FUNC_TYPE_AFTER_LAST = 3, + NL80211_NAN_FUNC_MAX_TYPE = 2, +}; + +enum nl80211_external_auth_action { + NL80211_EXTERNAL_AUTH_START = 0, + NL80211_EXTERNAL_AUTH_ABORT = 1, +}; + +enum nl80211_preamble { + NL80211_PREAMBLE_LEGACY = 0, + NL80211_PREAMBLE_HT = 1, + NL80211_PREAMBLE_VHT = 2, + NL80211_PREAMBLE_DMG = 3, +}; + +enum ieee80211_bss_type { + IEEE80211_BSS_TYPE_ESS = 0, + IEEE80211_BSS_TYPE_PBSS = 1, + IEEE80211_BSS_TYPE_IBSS = 2, + IEEE80211_BSS_TYPE_MBSS = 3, + IEEE80211_BSS_TYPE_ANY = 4, +}; + +enum ieee80211_edmg_bw_config { + IEEE80211_EDMG_BW_CONFIG_4 = 4, + IEEE80211_EDMG_BW_CONFIG_5 = 5, + IEEE80211_EDMG_BW_CONFIG_6 = 6, + IEEE80211_EDMG_BW_CONFIG_7 = 7, + IEEE80211_EDMG_BW_CONFIG_8 = 8, + IEEE80211_EDMG_BW_CONFIG_9 = 9, + IEEE80211_EDMG_BW_CONFIG_10 = 10, + IEEE80211_EDMG_BW_CONFIG_11 = 11, + IEEE80211_EDMG_BW_CONFIG_12 = 12, + IEEE80211_EDMG_BW_CONFIG_13 = 13, + IEEE80211_EDMG_BW_CONFIG_14 = 14, + IEEE80211_EDMG_BW_CONFIG_15 = 15, +}; + +struct ieee80211_edmg { + u8 channels; + enum ieee80211_edmg_bw_config bw_config; +}; + +struct ieee80211_channel; + +struct cfg80211_chan_def { + struct ieee80211_channel *chan; + enum nl80211_chan_width width; + u32 center_freq1; + u32 center_freq2; + struct ieee80211_edmg edmg; +}; + +struct wiphy; + +struct cfg80211_conn; + +struct cfg80211_cached_keys; + +struct cfg80211_internal_bss; + +struct cfg80211_cqm_config; + +struct wireless_dev { + struct wiphy *wiphy; + enum nl80211_iftype iftype; + struct list_head list; + struct net_device *netdev; + u32 identifier; + struct list_head mgmt_registrations; + spinlock_t mgmt_registrations_lock; + struct mutex mtx; + bool use_4addr; + bool is_running; + u8 address[6]; + u8 ssid[32]; + u8 ssid_len; + u8 mesh_id_len; + u8 mesh_id_up_len; + struct cfg80211_conn *conn; + struct cfg80211_cached_keys *connect_keys; + enum ieee80211_bss_type conn_bss_type; + u32 conn_owner_nlportid; + struct work_struct disconnect_wk; + u8 disconnect_bssid[6]; + struct list_head event_list; + spinlock_t event_lock; + struct cfg80211_internal_bss *current_bss; + struct cfg80211_chan_def preset_chandef; + struct cfg80211_chan_def chandef; + bool ibss_fixed; + bool ibss_dfs_possible; + bool ps; + int ps_timeout; + int beacon_interval; + u32 ap_unexpected_nlportid; + u32 owner_nlportid; + bool nl_owner_dead; + bool cac_started; + long unsigned int cac_start_time; + unsigned int cac_time_ms; + struct cfg80211_cqm_config *cqm_config; + struct list_head pmsr_list; + spinlock_t pmsr_lock; + struct work_struct pmsr_free_wk; +}; + +struct ieee80211_mcs_info { + u8 rx_mask[10]; + __le16 rx_highest; + u8 tx_params; + u8 reserved[3]; +}; + +struct ieee80211_ht_cap { + __le16 cap_info; + u8 ampdu_params_info; + struct ieee80211_mcs_info mcs; + __le16 extended_ht_cap_info; + __le32 tx_BF_cap_info; + u8 antenna_selection_info; +} __attribute__((packed)); + +struct ieee80211_vht_mcs_info { + __le16 rx_mcs_map; + __le16 rx_highest; + __le16 tx_mcs_map; + __le16 tx_highest; +}; + +struct ieee80211_vht_cap { + __le32 vht_cap_info; + struct ieee80211_vht_mcs_info supp_mcs; +}; + +struct ieee80211_he_cap_elem { + u8 mac_cap_info[6]; + u8 phy_cap_info[11]; +}; + +struct ieee80211_he_mcs_nss_supp { + __le16 rx_mcs_80; + __le16 tx_mcs_80; + __le16 rx_mcs_160; + __le16 tx_mcs_160; + __le16 rx_mcs_80p80; + __le16 tx_mcs_80p80; +}; + +enum ieee80211_reasoncode { + WLAN_REASON_UNSPECIFIED = 1, + WLAN_REASON_PREV_AUTH_NOT_VALID = 2, + WLAN_REASON_DEAUTH_LEAVING = 3, + WLAN_REASON_DISASSOC_DUE_TO_INACTIVITY = 4, + WLAN_REASON_DISASSOC_AP_BUSY = 5, + WLAN_REASON_CLASS2_FRAME_FROM_NONAUTH_STA = 6, + WLAN_REASON_CLASS3_FRAME_FROM_NONASSOC_STA = 7, + WLAN_REASON_DISASSOC_STA_HAS_LEFT = 8, + WLAN_REASON_STA_REQ_ASSOC_WITHOUT_AUTH = 9, + WLAN_REASON_DISASSOC_BAD_POWER = 10, + WLAN_REASON_DISASSOC_BAD_SUPP_CHAN = 11, + WLAN_REASON_INVALID_IE = 13, + WLAN_REASON_MIC_FAILURE = 14, + WLAN_REASON_4WAY_HANDSHAKE_TIMEOUT = 15, + WLAN_REASON_GROUP_KEY_HANDSHAKE_TIMEOUT = 16, + WLAN_REASON_IE_DIFFERENT = 17, + WLAN_REASON_INVALID_GROUP_CIPHER = 18, + WLAN_REASON_INVALID_PAIRWISE_CIPHER = 19, + WLAN_REASON_INVALID_AKMP = 20, + WLAN_REASON_UNSUPP_RSN_VERSION = 21, + WLAN_REASON_INVALID_RSN_IE_CAP = 22, + WLAN_REASON_IEEE8021X_FAILED = 23, + WLAN_REASON_CIPHER_SUITE_REJECTED = 24, + WLAN_REASON_TDLS_TEARDOWN_UNREACHABLE = 25, + WLAN_REASON_TDLS_TEARDOWN_UNSPECIFIED = 26, + WLAN_REASON_DISASSOC_UNSPECIFIED_QOS = 32, + WLAN_REASON_DISASSOC_QAP_NO_BANDWIDTH = 33, + WLAN_REASON_DISASSOC_LOW_ACK = 34, + WLAN_REASON_DISASSOC_QAP_EXCEED_TXOP = 35, + WLAN_REASON_QSTA_LEAVE_QBSS = 36, + WLAN_REASON_QSTA_NOT_USE = 37, + WLAN_REASON_QSTA_REQUIRE_SETUP = 38, + WLAN_REASON_QSTA_TIMEOUT = 39, + WLAN_REASON_QSTA_CIPHER_NOT_SUPP = 45, + WLAN_REASON_MESH_PEER_CANCELED = 52, + WLAN_REASON_MESH_MAX_PEERS = 53, + WLAN_REASON_MESH_CONFIG = 54, + WLAN_REASON_MESH_CLOSE = 55, + WLAN_REASON_MESH_MAX_RETRIES = 56, + WLAN_REASON_MESH_CONFIRM_TIMEOUT = 57, + WLAN_REASON_MESH_INVALID_GTK = 58, + WLAN_REASON_MESH_INCONSISTENT_PARAM = 59, + WLAN_REASON_MESH_INVALID_SECURITY = 60, + WLAN_REASON_MESH_PATH_ERROR = 61, + WLAN_REASON_MESH_PATH_NOFORWARD = 62, + WLAN_REASON_MESH_PATH_DEST_UNREACHABLE = 63, + WLAN_REASON_MAC_EXISTS_IN_MBSS = 64, + WLAN_REASON_MESH_CHAN_REGULATORY = 65, + WLAN_REASON_MESH_CHAN = 66, +}; + +enum ieee80211_key_len { + WLAN_KEY_LEN_WEP40 = 5, + WLAN_KEY_LEN_WEP104 = 13, + WLAN_KEY_LEN_CCMP = 16, + WLAN_KEY_LEN_CCMP_256 = 32, + WLAN_KEY_LEN_TKIP = 32, + WLAN_KEY_LEN_AES_CMAC = 16, + WLAN_KEY_LEN_SMS4 = 32, + WLAN_KEY_LEN_GCMP = 16, + WLAN_KEY_LEN_GCMP_256 = 32, + WLAN_KEY_LEN_BIP_CMAC_256 = 32, + WLAN_KEY_LEN_BIP_GMAC_128 = 16, + WLAN_KEY_LEN_BIP_GMAC_256 = 32, +}; + +enum environment_cap { + ENVIRON_ANY = 0, + ENVIRON_INDOOR = 1, + ENVIRON_OUTDOOR = 2, +}; + +struct regulatory_request { + struct callback_head callback_head; + int wiphy_idx; + enum nl80211_reg_initiator initiator; + enum nl80211_user_reg_hint_type user_reg_hint_type; + char alpha2[3]; + enum nl80211_dfs_regions dfs_region; + bool intersect; + bool processed; + enum environment_cap country_ie_env; + struct list_head list; +}; + +enum ieee80211_regulatory_flags { + REGULATORY_CUSTOM_REG = 1, + REGULATORY_STRICT_REG = 2, + REGULATORY_DISABLE_BEACON_HINTS = 4, + REGULATORY_COUNTRY_IE_FOLLOW_POWER = 8, + REGULATORY_COUNTRY_IE_IGNORE = 16, + REGULATORY_ENABLE_RELAX_NO_IR = 32, + REGULATORY_IGNORE_STALE_KICKOFF = 64, + REGULATORY_WIPHY_SELF_MANAGED = 128, +}; + +struct ieee80211_freq_range { + u32 start_freq_khz; + u32 end_freq_khz; + u32 max_bandwidth_khz; +}; + +struct ieee80211_power_rule { + u32 max_antenna_gain; + u32 max_eirp; +}; + +struct ieee80211_wmm_ac { + u16 cw_min; + u16 cw_max; + u16 cot; + u8 aifsn; +}; + +struct ieee80211_wmm_rule { + struct ieee80211_wmm_ac client[4]; + struct ieee80211_wmm_ac ap[4]; +}; + +struct ieee80211_reg_rule { + struct ieee80211_freq_range freq_range; + struct ieee80211_power_rule power_rule; + struct ieee80211_wmm_rule wmm_rule; + u32 flags; + u32 dfs_cac_ms; + bool has_wmm; +}; + +struct ieee80211_regdomain { + struct callback_head callback_head; + u32 n_reg_rules; + char alpha2[3]; + enum nl80211_dfs_regions dfs_region; + struct ieee80211_reg_rule reg_rules[0]; +}; + +struct ieee80211_channel { + enum nl80211_band band; + u32 center_freq; + u16 hw_value; + u32 flags; + int max_antenna_gain; + int max_power; + int max_reg_power; + bool beacon_found; + u32 orig_flags; + int orig_mag; + int orig_mpwr; + enum nl80211_dfs_state dfs_state; + long unsigned int dfs_state_entered; + unsigned int dfs_cac_ms; +}; + +struct ieee80211_rate { + u32 flags; + u16 bitrate; + u16 hw_value; + u16 hw_value_short; +}; + +struct ieee80211_he_obss_pd { + bool enable; + u8 min_offset; + u8 max_offset; +}; + +struct ieee80211_sta_ht_cap { + u16 cap; + bool ht_supported; + u8 ampdu_factor; + u8 ampdu_density; + struct ieee80211_mcs_info mcs; + char: 8; +} __attribute__((packed)); + +struct ieee80211_sta_vht_cap { + bool vht_supported; + u32 cap; + struct ieee80211_vht_mcs_info vht_mcs; +}; + +struct ieee80211_sta_he_cap { + bool has_he; + struct ieee80211_he_cap_elem he_cap_elem; + struct ieee80211_he_mcs_nss_supp he_mcs_nss_supp; + u8 ppe_thres[25]; +} __attribute__((packed)); + +struct ieee80211_sband_iftype_data { + u16 types_mask; + struct ieee80211_sta_he_cap he_cap; +}; + +struct ieee80211_supported_band { + struct ieee80211_channel *channels; + struct ieee80211_rate *bitrates; + enum nl80211_band band; + int n_channels; + int n_bitrates; + struct ieee80211_sta_ht_cap ht_cap; + struct ieee80211_sta_vht_cap vht_cap; + struct ieee80211_edmg edmg_cap; + u16 n_iftype_data; + const struct ieee80211_sband_iftype_data *iftype_data; +}; + +struct vif_params { + u32 flags; + int use_4addr; + u8 macaddr[6]; + const u8 *vht_mumimo_groups; + const u8 *vht_mumimo_follow_addr; +}; + +struct key_params { + const u8 *key; + const u8 *seq; + int key_len; + int seq_len; + u16 vlan_id; + u32 cipher; + enum nl80211_key_mode mode; +}; + +struct survey_info { + struct ieee80211_channel *channel; + u64 time; + u64 time_busy; + u64 time_ext_busy; + u64 time_rx; + u64 time_tx; + u64 time_scan; + u64 time_bss_rx; + u32 filled; + s8 noise; +}; + +struct cfg80211_crypto_settings { + u32 wpa_versions; + u32 cipher_group; + int n_ciphers_pairwise; + u32 ciphers_pairwise[5]; + int n_akm_suites; + u32 akm_suites[2]; + bool control_port; + __be16 control_port_ethertype; + bool control_port_no_encrypt; + bool control_port_over_nl80211; + struct key_params *wep_keys; + int wep_tx_key; + const u8 *psk; + const u8 *sae_pwd; + u8 sae_pwd_len; +}; + +struct cfg80211_beacon_data { + const u8 *head; + const u8 *tail; + const u8 *beacon_ies; + const u8 *proberesp_ies; + const u8 *assocresp_ies; + const u8 *probe_resp; + const u8 *lci; + const u8 *civicloc; + s8 ftm_responder; + size_t head_len; + size_t tail_len; + size_t beacon_ies_len; + size_t proberesp_ies_len; + size_t assocresp_ies_len; + size_t probe_resp_len; + size_t lci_len; + size_t civicloc_len; +}; + +struct mac_address { + u8 addr[6]; +}; + +struct cfg80211_acl_data { + enum nl80211_acl_policy acl_policy; + int n_acl_entries; + struct mac_address mac_addrs[0]; +}; + +struct cfg80211_bitrate_mask { + struct { + u32 legacy; + u8 ht_mcs[10]; + u16 vht_mcs[8]; + enum nl80211_txrate_gi gi; + } control[4]; +}; + +struct cfg80211_ap_settings { + struct cfg80211_chan_def chandef; + struct cfg80211_beacon_data beacon; + int beacon_interval; + int dtim_period; + const u8 *ssid; + size_t ssid_len; + enum nl80211_hidden_ssid hidden_ssid; + struct cfg80211_crypto_settings crypto; + bool privacy; + enum nl80211_auth_type auth_type; + enum nl80211_smps_mode smps_mode; + int inactivity_timeout; + u8 p2p_ctwindow; + bool p2p_opp_ps; + const struct cfg80211_acl_data *acl; + bool pbss; + struct cfg80211_bitrate_mask beacon_rate; + const struct ieee80211_ht_cap *ht_cap; + const struct ieee80211_vht_cap *vht_cap; + const struct ieee80211_he_cap_elem *he_cap; + bool ht_required; + bool vht_required; + bool twt_responder; + u32 flags; + struct ieee80211_he_obss_pd he_obss_pd; +}; + +struct cfg80211_csa_settings { + struct cfg80211_chan_def chandef; + struct cfg80211_beacon_data beacon_csa; + const u16 *counter_offsets_beacon; + const u16 *counter_offsets_presp; + unsigned int n_counter_offsets_beacon; + unsigned int n_counter_offsets_presp; + struct cfg80211_beacon_data beacon_after; + bool radar_required; + bool block_tx; + u8 count; +}; + +struct sta_txpwr { + s16 power; + enum nl80211_tx_power_setting type; +}; + +struct station_parameters { + const u8 *supported_rates; + struct net_device *vlan; + u32 sta_flags_mask; + u32 sta_flags_set; + u32 sta_modify_mask; + int listen_interval; + u16 aid; + u16 vlan_id; + u16 peer_aid; + u8 supported_rates_len; + u8 plink_action; + u8 plink_state; + const struct ieee80211_ht_cap *ht_capa; + const struct ieee80211_vht_cap *vht_capa; + u8 uapsd_queues; + u8 max_sp; + enum nl80211_mesh_power_mode local_pm; + u16 capability; + const u8 *ext_capab; + u8 ext_capab_len; + const u8 *supported_channels; + u8 supported_channels_len; + const u8 *supported_oper_classes; + u8 supported_oper_classes_len; + u8 opmode_notif; + bool opmode_notif_used; + int support_p2p_ps; + const struct ieee80211_he_cap_elem *he_capa; + u8 he_capa_len; + u16 airtime_weight; + struct sta_txpwr txpwr; +}; + +struct station_del_parameters { + const u8 *mac; + u8 subtype; + u16 reason_code; +}; + +struct rate_info { + u8 flags; + u8 mcs; + u16 legacy; + u8 nss; + u8 bw; + u8 he_gi; + u8 he_dcm; + u8 he_ru_alloc; + u8 n_bonded_ch; +}; + +struct sta_bss_parameters { + u8 flags; + u8 dtim_period; + u16 beacon_interval; +}; + +struct cfg80211_txq_stats { + u32 filled; + u32 backlog_bytes; + u32 backlog_packets; + u32 flows; + u32 drops; + u32 ecn_marks; + u32 overlimit; + u32 overmemory; + u32 collisions; + u32 tx_bytes; + u32 tx_packets; + u32 max_flows; +}; + +struct cfg80211_tid_stats { + u32 filled; + u64 rx_msdu; + u64 tx_msdu; + u64 tx_msdu_retries; + u64 tx_msdu_failed; + struct cfg80211_txq_stats txq_stats; +}; + +struct station_info { + u64 filled; + u32 connected_time; + u32 inactive_time; + u64 assoc_at; + u64 rx_bytes; + u64 tx_bytes; + u16 llid; + u16 plid; + u8 plink_state; + s8 signal; + s8 signal_avg; + u8 chains; + s8 chain_signal[4]; + s8 chain_signal_avg[4]; + struct rate_info txrate; + struct rate_info rxrate; + u32 rx_packets; + u32 tx_packets; + u32 tx_retries; + u32 tx_failed; + u32 rx_dropped_misc; + struct sta_bss_parameters bss_param; + struct nl80211_sta_flag_update sta_flags; + int generation; + const u8 *assoc_req_ies; + size_t assoc_req_ies_len; + u32 beacon_loss_count; + s64 t_offset; + enum nl80211_mesh_power_mode local_pm; + enum nl80211_mesh_power_mode peer_pm; + enum nl80211_mesh_power_mode nonpeer_pm; + u32 expected_throughput; + u64 tx_duration; + u64 rx_duration; + u64 rx_beacon; + u8 rx_beacon_signal_avg; + u8 connected_to_gate; + struct cfg80211_tid_stats *pertid; + s8 ack_signal; + s8 avg_ack_signal; + u16 airtime_weight; + u32 rx_mpdu_count; + u32 fcs_err_count; + u32 airtime_link_metric; +}; + +struct mpath_info { + u32 filled; + u32 frame_qlen; + u32 sn; + u32 metric; + u32 exptime; + u32 discovery_timeout; + u8 discovery_retries; + u8 flags; + u8 hop_count; + u32 path_change_count; + int generation; +}; + +struct bss_parameters { + int use_cts_prot; + int use_short_preamble; + int use_short_slot_time; + const u8 *basic_rates; + u8 basic_rates_len; + int ap_isolate; + int ht_opmode; + s8 p2p_ctwindow; + s8 p2p_opp_ps; +}; + +struct mesh_config { + u16 dot11MeshRetryTimeout; + u16 dot11MeshConfirmTimeout; + u16 dot11MeshHoldingTimeout; + u16 dot11MeshMaxPeerLinks; + u8 dot11MeshMaxRetries; + u8 dot11MeshTTL; + u8 element_ttl; + bool auto_open_plinks; + u32 dot11MeshNbrOffsetMaxNeighbor; + u8 dot11MeshHWMPmaxPREQretries; + u32 path_refresh_time; + u16 min_discovery_timeout; + u32 dot11MeshHWMPactivePathTimeout; + u16 dot11MeshHWMPpreqMinInterval; + u16 dot11MeshHWMPperrMinInterval; + u16 dot11MeshHWMPnetDiameterTraversalTime; + u8 dot11MeshHWMPRootMode; + bool dot11MeshConnectedToMeshGate; + u16 dot11MeshHWMPRannInterval; + bool dot11MeshGateAnnouncementProtocol; + bool dot11MeshForwarding; + s32 rssi_threshold; + u16 ht_opmode; + u32 dot11MeshHWMPactivePathToRootTimeout; + u16 dot11MeshHWMProotInterval; + u16 dot11MeshHWMPconfirmationInterval; + enum nl80211_mesh_power_mode power_mode; + u16 dot11MeshAwakeWindowDuration; + u32 plink_timeout; +}; + +struct mesh_setup { + struct cfg80211_chan_def chandef; + const u8 *mesh_id; + u8 mesh_id_len; + u8 sync_method; + u8 path_sel_proto; + u8 path_metric; + u8 auth_id; + const u8 *ie; + u8 ie_len; + bool is_authenticated; + bool is_secure; + bool user_mpm; + u8 dtim_period; + u16 beacon_interval; + int mcast_rate[4]; + u32 basic_rates; + struct cfg80211_bitrate_mask beacon_rate; + bool userspace_handles_dfs; + bool control_port_over_nl80211; +}; + +struct ocb_setup { + struct cfg80211_chan_def chandef; +}; + +struct ieee80211_txq_params { + enum nl80211_ac ac; + u16 txop; + u16 cwmin; + u16 cwmax; + u8 aifs; +}; + +struct cfg80211_ssid { + u8 ssid[32]; + u8 ssid_len; +}; + +struct cfg80211_scan_info { + u64 scan_start_tsf; + u8 tsf_bssid[6]; + bool aborted; +}; + +struct cfg80211_scan_request { + struct cfg80211_ssid *ssids; + int n_ssids; + u32 n_channels; + enum nl80211_bss_scan_width scan_width; + const u8 *ie; + size_t ie_len; + u16 duration; + bool duration_mandatory; + u32 flags; + u32 rates[4]; + struct wireless_dev *wdev; + u8 mac_addr[6]; + u8 mac_addr_mask[6]; + u8 bssid[6]; + struct wiphy *wiphy; + long unsigned int scan_start; + struct cfg80211_scan_info info; + bool notified; + bool no_cck; + struct ieee80211_channel *channels[0]; +}; + +enum cfg80211_signal_type { + CFG80211_SIGNAL_TYPE_NONE = 0, + CFG80211_SIGNAL_TYPE_MBM = 1, + CFG80211_SIGNAL_TYPE_UNSPEC = 2, +}; + +struct ieee80211_txrx_stypes; + +struct ieee80211_iface_combination; + +struct wiphy_wowlan_support; + +struct cfg80211_wowlan; + +struct wiphy_iftype_ext_capab; + +struct wiphy_coalesce_support; + +struct wiphy_vendor_command; + +struct cfg80211_pmsr_capabilities; + +struct wiphy { + u8 perm_addr[6]; + u8 addr_mask[6]; + struct mac_address *addresses; + const struct ieee80211_txrx_stypes *mgmt_stypes; + const struct ieee80211_iface_combination *iface_combinations; + int n_iface_combinations; + u16 software_iftypes; + u16 n_addresses; + u16 interface_modes; + u16 max_acl_mac_addrs; + u32 flags; + u32 regulatory_flags; + u32 features; + u8 ext_features[6]; + u32 ap_sme_capa; + enum cfg80211_signal_type signal_type; + int bss_priv_size; + u8 max_scan_ssids; + u8 max_sched_scan_reqs; + u8 max_sched_scan_ssids; + u8 max_match_sets; + u16 max_scan_ie_len; + u16 max_sched_scan_ie_len; + u32 max_sched_scan_plans; + u32 max_sched_scan_plan_interval; + u32 max_sched_scan_plan_iterations; + int n_cipher_suites; + const u32 *cipher_suites; + int n_akm_suites; + const u32 *akm_suites; + u8 retry_short; + u8 retry_long; + u32 frag_threshold; + u32 rts_threshold; + u8 coverage_class; + char fw_version[32]; + u32 hw_version; + const struct wiphy_wowlan_support *wowlan; + struct cfg80211_wowlan *wowlan_config; + u16 max_remain_on_channel_duration; + u8 max_num_pmkids; + u32 available_antennas_tx; + u32 available_antennas_rx; + u32 probe_resp_offload; + const u8 *extended_capabilities; + const u8 *extended_capabilities_mask; + u8 extended_capabilities_len; + const struct wiphy_iftype_ext_capab *iftype_ext_capab; + unsigned int num_iftype_ext_capab; + const void *privid; + struct ieee80211_supported_band *bands[4]; + void (*reg_notifier)(struct wiphy *, struct regulatory_request *); + const struct ieee80211_regdomain *regd; + struct device dev; + bool registered; + struct dentry *debugfsdir; + const struct ieee80211_ht_cap *ht_capa_mod_mask; + const struct ieee80211_vht_cap *vht_capa_mod_mask; + struct list_head wdev_list; + possible_net_t _net; + const struct wiphy_coalesce_support *coalesce; + const struct wiphy_vendor_command *vendor_commands; + const struct nl80211_vendor_cmd_info *vendor_events; + int n_vendor_commands; + int n_vendor_events; + u16 max_ap_assoc_sta; + u8 max_num_csa_counters; + u8 max_adj_channel_rssi_comp; + u32 bss_select_support; + u8 nan_supported_bands; + u32 txq_limit; + u32 txq_memory_limit; + u32 txq_quantum; + u8 support_mbssid: 1; + u8 support_only_he_mbssid: 1; + const struct cfg80211_pmsr_capabilities *pmsr_capa; + long: 64; + long: 64; + long: 64; + char priv[0]; +}; + +struct cfg80211_match_set { + struct cfg80211_ssid ssid; + u8 bssid[6]; + s32 rssi_thold; + s32 per_band_rssi_thold[4]; +}; + +struct cfg80211_sched_scan_plan { + u32 interval; + u32 iterations; +}; + +struct cfg80211_bss_select_adjust { + enum nl80211_band band; + s8 delta; +}; + +struct cfg80211_sched_scan_request { + u64 reqid; + struct cfg80211_ssid *ssids; + int n_ssids; + u32 n_channels; + enum nl80211_bss_scan_width scan_width; + const u8 *ie; + size_t ie_len; + u32 flags; + struct cfg80211_match_set *match_sets; + int n_match_sets; + s32 min_rssi_thold; + u32 delay; + struct cfg80211_sched_scan_plan *scan_plans; + int n_scan_plans; + u8 mac_addr[6]; + u8 mac_addr_mask[6]; + bool relative_rssi_set; + s8 relative_rssi; + struct cfg80211_bss_select_adjust rssi_adjust; + struct wiphy *wiphy; + struct net_device *dev; + long unsigned int scan_start; + bool report_results; + struct callback_head callback_head; + u32 owner_nlportid; + bool nl_owner_dead; + struct list_head list; + struct ieee80211_channel *channels[0]; +}; + +struct cfg80211_bss_ies { + u64 tsf; + struct callback_head callback_head; + int len; + bool from_beacon; + u8 data[0]; +}; + +struct cfg80211_bss { + struct ieee80211_channel *channel; + enum nl80211_bss_scan_width scan_width; + const struct cfg80211_bss_ies *ies; + const struct cfg80211_bss_ies *beacon_ies; + const struct cfg80211_bss_ies *proberesp_ies; + struct cfg80211_bss *hidden_beacon_bss; + struct cfg80211_bss *transmitted_bss; + struct list_head nontrans_list; + s32 signal; + u16 beacon_interval; + u16 capability; + u8 bssid[6]; + u8 chains; + s8 chain_signal[4]; + u8 bssid_index; + u8 max_bssid_indicator; + int: 24; + u8 priv[0]; +}; + +struct cfg80211_auth_request { + struct cfg80211_bss *bss; + const u8 *ie; + size_t ie_len; + enum nl80211_auth_type auth_type; + const u8 *key; + u8 key_len; + u8 key_idx; + const u8 *auth_data; + size_t auth_data_len; +}; + +struct cfg80211_assoc_request { + struct cfg80211_bss *bss; + const u8 *ie; + const u8 *prev_bssid; + size_t ie_len; + struct cfg80211_crypto_settings crypto; + bool use_mfp; + int: 24; + u32 flags; + struct ieee80211_ht_cap ht_capa; + struct ieee80211_ht_cap ht_capa_mask; + struct ieee80211_vht_cap vht_capa; + struct ieee80211_vht_cap vht_capa_mask; + int: 32; + const u8 *fils_kek; + size_t fils_kek_len; + const u8 *fils_nonces; +} __attribute__((packed)); + +struct cfg80211_deauth_request { + const u8 *bssid; + const u8 *ie; + size_t ie_len; + u16 reason_code; + bool local_state_change; +}; + +struct cfg80211_disassoc_request { + struct cfg80211_bss *bss; + const u8 *ie; + size_t ie_len; + u16 reason_code; + bool local_state_change; +}; + +struct cfg80211_ibss_params { + const u8 *ssid; + const u8 *bssid; + struct cfg80211_chan_def chandef; + const u8 *ie; + u8 ssid_len; + u8 ie_len; + u16 beacon_interval; + u32 basic_rates; + bool channel_fixed; + bool privacy; + bool control_port; + bool control_port_over_nl80211; + bool userspace_handles_dfs; + int: 24; + int mcast_rate[4]; + struct ieee80211_ht_cap ht_capa; + struct ieee80211_ht_cap ht_capa_mask; + int: 32; + struct key_params *wep_keys; + int wep_tx_key; + int: 32; +} __attribute__((packed)); + +struct cfg80211_bss_selection { + enum nl80211_bss_select_attr behaviour; + union { + enum nl80211_band band_pref; + struct cfg80211_bss_select_adjust adjust; + } param; +}; + +struct cfg80211_connect_params { + struct ieee80211_channel *channel; + struct ieee80211_channel *channel_hint; + const u8 *bssid; + const u8 *bssid_hint; + const u8 *ssid; + size_t ssid_len; + enum nl80211_auth_type auth_type; + int: 32; + const u8 *ie; + size_t ie_len; + bool privacy; + int: 24; + enum nl80211_mfp mfp; + struct cfg80211_crypto_settings crypto; + const u8 *key; + u8 key_len; + u8 key_idx; + short: 16; + u32 flags; + int bg_scan_period; + struct ieee80211_ht_cap ht_capa; + struct ieee80211_ht_cap ht_capa_mask; + struct ieee80211_vht_cap vht_capa; + struct ieee80211_vht_cap vht_capa_mask; + bool pbss; + int: 24; + struct cfg80211_bss_selection bss_select; + const u8 *prev_bssid; + const u8 *fils_erp_username; + size_t fils_erp_username_len; + const u8 *fils_erp_realm; + size_t fils_erp_realm_len; + u16 fils_erp_next_seq_num; + long: 48; + const u8 *fils_erp_rrk; + size_t fils_erp_rrk_len; + bool want_1x; + int: 24; + struct ieee80211_edmg edmg; + int: 32; +} __attribute__((packed)); + +struct cfg80211_pmksa { + const u8 *bssid; + const u8 *pmkid; + const u8 *pmk; + size_t pmk_len; + const u8 *ssid; + size_t ssid_len; + const u8 *cache_id; +}; + +struct cfg80211_pkt_pattern { + const u8 *mask; + const u8 *pattern; + int pattern_len; + int pkt_offset; +}; + +struct cfg80211_wowlan_tcp { + struct socket *sock; + __be32 src; + __be32 dst; + u16 src_port; + u16 dst_port; + u8 dst_mac[6]; + int payload_len; + const u8 *payload; + struct nl80211_wowlan_tcp_data_seq payload_seq; + u32 data_interval; + u32 wake_len; + const u8 *wake_data; + const u8 *wake_mask; + u32 tokens_size; + struct nl80211_wowlan_tcp_data_token payload_tok; +}; + +struct cfg80211_wowlan { + bool any; + bool disconnect; + bool magic_pkt; + bool gtk_rekey_failure; + bool eap_identity_req; + bool four_way_handshake; + bool rfkill_release; + struct cfg80211_pkt_pattern *patterns; + struct cfg80211_wowlan_tcp *tcp; + int n_patterns; + struct cfg80211_sched_scan_request *nd_config; +}; + +struct cfg80211_coalesce_rules { + int delay; + enum nl80211_coalesce_condition condition; + struct cfg80211_pkt_pattern *patterns; + int n_patterns; +}; + +struct cfg80211_coalesce { + struct cfg80211_coalesce_rules *rules; + int n_rules; +}; + +struct cfg80211_gtk_rekey_data { + const u8 *kek; + const u8 *kck; + const u8 *replay_ctr; +}; + +struct cfg80211_update_ft_ies_params { + u16 md; + const u8 *ie; + size_t ie_len; +}; + +struct cfg80211_mgmt_tx_params { + struct ieee80211_channel *chan; + bool offchan; + unsigned int wait; + const u8 *buf; + size_t len; + bool no_cck; + bool dont_wait_for_ack; + int n_csa_offsets; + const u16 *csa_offsets; +}; + +struct cfg80211_dscp_exception { + u8 dscp; + u8 up; +}; + +struct cfg80211_dscp_range { + u8 low; + u8 high; +}; + +struct cfg80211_qos_map { + u8 num_des; + struct cfg80211_dscp_exception dscp_exception[21]; + struct cfg80211_dscp_range up[8]; +}; + +struct cfg80211_nan_conf { + u8 master_pref; + u8 bands; +}; + +struct cfg80211_nan_func_filter { + const u8 *filter; + u8 len; +}; + +struct cfg80211_nan_func { + enum nl80211_nan_function_type type; + u8 service_id[6]; + u8 publish_type; + bool close_range; + bool publish_bcast; + bool subscribe_active; + u8 followup_id; + u8 followup_reqid; + struct mac_address followup_dest; + u32 ttl; + const u8 *serv_spec_info; + u8 serv_spec_info_len; + bool srf_include; + const u8 *srf_bf; + u8 srf_bf_len; + u8 srf_bf_idx; + struct mac_address *srf_macs; + int srf_num_macs; + struct cfg80211_nan_func_filter *rx_filters; + struct cfg80211_nan_func_filter *tx_filters; + u8 num_tx_filters; + u8 num_rx_filters; + u8 instance_id; + u64 cookie; +}; + +struct cfg80211_pmk_conf { + const u8 *aa; + u8 pmk_len; + const u8 *pmk; + const u8 *pmk_r0_name; +}; + +struct cfg80211_external_auth_params { + enum nl80211_external_auth_action action; + u8 bssid[6]; + struct cfg80211_ssid ssid; + unsigned int key_mgmt_suite; + u16 status; + const u8 *pmkid; +}; + +struct cfg80211_ftm_responder_stats { + u32 filled; + u32 success_num; + u32 partial_num; + u32 failed_num; + u32 asap_num; + u32 non_asap_num; + u64 total_duration_ms; + u32 unknown_triggers_num; + u32 reschedule_requests_num; + u32 out_of_window_triggers_num; +}; + +struct cfg80211_pmsr_ftm_request_peer { + enum nl80211_preamble preamble; + u16 burst_period; + u8 requested: 1; + u8 asap: 1; + u8 request_lci: 1; + u8 request_civicloc: 1; + u8 num_bursts_exp; + u8 burst_duration; + u8 ftms_per_burst; + u8 ftmr_retries; +}; + +struct cfg80211_pmsr_request_peer { + u8 addr[6]; + struct cfg80211_chan_def chandef; + u8 report_ap_tsf: 1; + struct cfg80211_pmsr_ftm_request_peer ftm; +}; + +struct cfg80211_pmsr_request { + u64 cookie; + void *drv_data; + u32 n_peers; + u32 nl_portid; + u32 timeout; + u8 mac_addr[6]; + u8 mac_addr_mask[6]; + struct list_head list; + struct cfg80211_pmsr_request_peer peers[0]; +}; + +struct cfg80211_update_owe_info { + u8 peer[6]; + u16 status; + const u8 *ie; + size_t ie_len; +}; + +struct cfg80211_ops { + int (*suspend)(struct wiphy *, struct cfg80211_wowlan *); + int (*resume)(struct wiphy *); + void (*set_wakeup)(struct wiphy *, bool); + struct wireless_dev * (*add_virtual_intf)(struct wiphy *, const char *, unsigned char, enum nl80211_iftype, struct vif_params *); + int (*del_virtual_intf)(struct wiphy *, struct wireless_dev *); + int (*change_virtual_intf)(struct wiphy *, struct net_device *, enum nl80211_iftype, struct vif_params *); + int (*add_key)(struct wiphy *, struct net_device *, u8, bool, const u8 *, struct key_params *); + int (*get_key)(struct wiphy *, struct net_device *, u8, bool, const u8 *, void *, void (*)(void *, struct key_params *)); + int (*del_key)(struct wiphy *, struct net_device *, u8, bool, const u8 *); + int (*set_default_key)(struct wiphy *, struct net_device *, u8, bool, bool); + int (*set_default_mgmt_key)(struct wiphy *, struct net_device *, u8); + int (*start_ap)(struct wiphy *, struct net_device *, struct cfg80211_ap_settings *); + int (*change_beacon)(struct wiphy *, struct net_device *, struct cfg80211_beacon_data *); + int (*stop_ap)(struct wiphy *, struct net_device *); + int (*add_station)(struct wiphy *, struct net_device *, const u8 *, struct station_parameters *); + int (*del_station)(struct wiphy *, struct net_device *, struct station_del_parameters *); + int (*change_station)(struct wiphy *, struct net_device *, const u8 *, struct station_parameters *); + int (*get_station)(struct wiphy *, struct net_device *, const u8 *, struct station_info *); + int (*dump_station)(struct wiphy *, struct net_device *, int, u8 *, struct station_info *); + int (*add_mpath)(struct wiphy *, struct net_device *, const u8 *, const u8 *); + int (*del_mpath)(struct wiphy *, struct net_device *, const u8 *); + int (*change_mpath)(struct wiphy *, struct net_device *, const u8 *, const u8 *); + int (*get_mpath)(struct wiphy *, struct net_device *, u8 *, u8 *, struct mpath_info *); + int (*dump_mpath)(struct wiphy *, struct net_device *, int, u8 *, u8 *, struct mpath_info *); + int (*get_mpp)(struct wiphy *, struct net_device *, u8 *, u8 *, struct mpath_info *); + int (*dump_mpp)(struct wiphy *, struct net_device *, int, u8 *, u8 *, struct mpath_info *); + int (*get_mesh_config)(struct wiphy *, struct net_device *, struct mesh_config *); + int (*update_mesh_config)(struct wiphy *, struct net_device *, u32, const struct mesh_config *); + int (*join_mesh)(struct wiphy *, struct net_device *, const struct mesh_config *, const struct mesh_setup *); + int (*leave_mesh)(struct wiphy *, struct net_device *); + int (*join_ocb)(struct wiphy *, struct net_device *, struct ocb_setup *); + int (*leave_ocb)(struct wiphy *, struct net_device *); + int (*change_bss)(struct wiphy *, struct net_device *, struct bss_parameters *); + int (*set_txq_params)(struct wiphy *, struct net_device *, struct ieee80211_txq_params *); + int (*libertas_set_mesh_channel)(struct wiphy *, struct net_device *, struct ieee80211_channel *); + int (*set_monitor_channel)(struct wiphy *, struct cfg80211_chan_def *); + int (*scan)(struct wiphy *, struct cfg80211_scan_request *); + void (*abort_scan)(struct wiphy *, struct wireless_dev *); + int (*auth)(struct wiphy *, struct net_device *, struct cfg80211_auth_request *); + int (*assoc)(struct wiphy *, struct net_device *, struct cfg80211_assoc_request *); + int (*deauth)(struct wiphy *, struct net_device *, struct cfg80211_deauth_request *); + int (*disassoc)(struct wiphy *, struct net_device *, struct cfg80211_disassoc_request *); + int (*connect)(struct wiphy *, struct net_device *, struct cfg80211_connect_params *); + int (*update_connect_params)(struct wiphy *, struct net_device *, struct cfg80211_connect_params *, u32); + int (*disconnect)(struct wiphy *, struct net_device *, u16); + int (*join_ibss)(struct wiphy *, struct net_device *, struct cfg80211_ibss_params *); + int (*leave_ibss)(struct wiphy *, struct net_device *); + int (*set_mcast_rate)(struct wiphy *, struct net_device *, int *); + int (*set_wiphy_params)(struct wiphy *, u32); + int (*set_tx_power)(struct wiphy *, struct wireless_dev *, enum nl80211_tx_power_setting, int); + int (*get_tx_power)(struct wiphy *, struct wireless_dev *, int *); + int (*set_wds_peer)(struct wiphy *, struct net_device *, const u8 *); + void (*rfkill_poll)(struct wiphy *); + int (*set_bitrate_mask)(struct wiphy *, struct net_device *, const u8 *, const struct cfg80211_bitrate_mask *); + int (*dump_survey)(struct wiphy *, struct net_device *, int, struct survey_info *); + int (*set_pmksa)(struct wiphy *, struct net_device *, struct cfg80211_pmksa *); + int (*del_pmksa)(struct wiphy *, struct net_device *, struct cfg80211_pmksa *); + int (*flush_pmksa)(struct wiphy *, struct net_device *); + int (*remain_on_channel)(struct wiphy *, struct wireless_dev *, struct ieee80211_channel *, unsigned int, u64 *); + int (*cancel_remain_on_channel)(struct wiphy *, struct wireless_dev *, u64); + int (*mgmt_tx)(struct wiphy *, struct wireless_dev *, struct cfg80211_mgmt_tx_params *, u64 *); + int (*mgmt_tx_cancel_wait)(struct wiphy *, struct wireless_dev *, u64); + int (*set_power_mgmt)(struct wiphy *, struct net_device *, bool, int); + int (*set_cqm_rssi_config)(struct wiphy *, struct net_device *, s32, u32); + int (*set_cqm_rssi_range_config)(struct wiphy *, struct net_device *, s32, s32); + int (*set_cqm_txe_config)(struct wiphy *, struct net_device *, u32, u32, u32); + void (*mgmt_frame_register)(struct wiphy *, struct wireless_dev *, u16, bool); + int (*set_antenna)(struct wiphy *, u32, u32); + int (*get_antenna)(struct wiphy *, u32 *, u32 *); + int (*sched_scan_start)(struct wiphy *, struct net_device *, struct cfg80211_sched_scan_request *); + int (*sched_scan_stop)(struct wiphy *, struct net_device *, u64); + int (*set_rekey_data)(struct wiphy *, struct net_device *, struct cfg80211_gtk_rekey_data *); + int (*tdls_mgmt)(struct wiphy *, struct net_device *, const u8 *, u8, u8, u16, u32, bool, const u8 *, size_t); + int (*tdls_oper)(struct wiphy *, struct net_device *, const u8 *, enum nl80211_tdls_operation); + int (*probe_client)(struct wiphy *, struct net_device *, const u8 *, u64 *); + int (*set_noack_map)(struct wiphy *, struct net_device *, u16); + int (*get_channel)(struct wiphy *, struct wireless_dev *, struct cfg80211_chan_def *); + int (*start_p2p_device)(struct wiphy *, struct wireless_dev *); + void (*stop_p2p_device)(struct wiphy *, struct wireless_dev *); + int (*set_mac_acl)(struct wiphy *, struct net_device *, const struct cfg80211_acl_data *); + int (*start_radar_detection)(struct wiphy *, struct net_device *, struct cfg80211_chan_def *, u32); + void (*end_cac)(struct wiphy *, struct net_device *); + int (*update_ft_ies)(struct wiphy *, struct net_device *, struct cfg80211_update_ft_ies_params *); + int (*crit_proto_start)(struct wiphy *, struct wireless_dev *, enum nl80211_crit_proto_id, u16); + void (*crit_proto_stop)(struct wiphy *, struct wireless_dev *); + int (*set_coalesce)(struct wiphy *, struct cfg80211_coalesce *); + int (*channel_switch)(struct wiphy *, struct net_device *, struct cfg80211_csa_settings *); + int (*set_qos_map)(struct wiphy *, struct net_device *, struct cfg80211_qos_map *); + int (*set_ap_chanwidth)(struct wiphy *, struct net_device *, struct cfg80211_chan_def *); + int (*add_tx_ts)(struct wiphy *, struct net_device *, u8, const u8 *, u8, u16); + int (*del_tx_ts)(struct wiphy *, struct net_device *, u8, const u8 *); + int (*tdls_channel_switch)(struct wiphy *, struct net_device *, const u8 *, u8, struct cfg80211_chan_def *); + void (*tdls_cancel_channel_switch)(struct wiphy *, struct net_device *, const u8 *); + int (*start_nan)(struct wiphy *, struct wireless_dev *, struct cfg80211_nan_conf *); + void (*stop_nan)(struct wiphy *, struct wireless_dev *); + int (*add_nan_func)(struct wiphy *, struct wireless_dev *, struct cfg80211_nan_func *); + void (*del_nan_func)(struct wiphy *, struct wireless_dev *, u64); + int (*nan_change_conf)(struct wiphy *, struct wireless_dev *, struct cfg80211_nan_conf *, u32); + int (*set_multicast_to_unicast)(struct wiphy *, struct net_device *, const bool); + int (*get_txq_stats)(struct wiphy *, struct wireless_dev *, struct cfg80211_txq_stats *); + int (*set_pmk)(struct wiphy *, struct net_device *, const struct cfg80211_pmk_conf *); + int (*del_pmk)(struct wiphy *, struct net_device *, const u8 *); + int (*external_auth)(struct wiphy *, struct net_device *, struct cfg80211_external_auth_params *); + int (*tx_control_port)(struct wiphy *, struct net_device *, const u8 *, size_t, const u8 *, const __be16, const bool); + int (*get_ftm_responder_stats)(struct wiphy *, struct net_device *, struct cfg80211_ftm_responder_stats *); + int (*start_pmsr)(struct wiphy *, struct wireless_dev *, struct cfg80211_pmsr_request *); + void (*abort_pmsr)(struct wiphy *, struct wireless_dev *, struct cfg80211_pmsr_request *); + int (*update_owe_info)(struct wiphy *, struct net_device *, struct cfg80211_update_owe_info *); + int (*probe_mesh_link)(struct wiphy *, struct net_device *, const u8 *, size_t); +}; + +enum wiphy_flags { + WIPHY_FLAG_NETNS_OK = 8, + WIPHY_FLAG_PS_ON_BY_DEFAULT = 16, + WIPHY_FLAG_4ADDR_AP = 32, + WIPHY_FLAG_4ADDR_STATION = 64, + WIPHY_FLAG_CONTROL_PORT_PROTOCOL = 128, + WIPHY_FLAG_IBSS_RSN = 256, + WIPHY_FLAG_MESH_AUTH = 1024, + WIPHY_FLAG_SUPPORTS_FW_ROAM = 8192, + WIPHY_FLAG_AP_UAPSD = 16384, + WIPHY_FLAG_SUPPORTS_TDLS = 32768, + WIPHY_FLAG_TDLS_EXTERNAL_SETUP = 65536, + WIPHY_FLAG_HAVE_AP_SME = 131072, + WIPHY_FLAG_REPORTS_OBSS = 262144, + WIPHY_FLAG_AP_PROBE_RESP_OFFLOAD = 524288, + WIPHY_FLAG_OFFCHAN_TX = 1048576, + WIPHY_FLAG_HAS_REMAIN_ON_CHANNEL = 2097152, + WIPHY_FLAG_SUPPORTS_5_10_MHZ = 4194304, + WIPHY_FLAG_HAS_CHANNEL_SWITCH = 8388608, + WIPHY_FLAG_HAS_STATIC_WEP = 16777216, +}; + +struct ieee80211_iface_limit { + u16 max; + u16 types; +}; + +struct ieee80211_iface_combination { + const struct ieee80211_iface_limit *limits; + u32 num_different_channels; + u16 max_interfaces; + u8 n_limits; + bool beacon_int_infra_match; + u8 radar_detect_widths; + u8 radar_detect_regions; + u32 beacon_int_min_gcd; +}; + +struct ieee80211_txrx_stypes { + u16 tx; + u16 rx; +}; + +enum wiphy_wowlan_support_flags { + WIPHY_WOWLAN_ANY = 1, + WIPHY_WOWLAN_MAGIC_PKT = 2, + WIPHY_WOWLAN_DISCONNECT = 4, + WIPHY_WOWLAN_SUPPORTS_GTK_REKEY = 8, + WIPHY_WOWLAN_GTK_REKEY_FAILURE = 16, + WIPHY_WOWLAN_EAP_IDENTITY_REQ = 32, + WIPHY_WOWLAN_4WAY_HANDSHAKE = 64, + WIPHY_WOWLAN_RFKILL_RELEASE = 128, + WIPHY_WOWLAN_NET_DETECT = 256, +}; + +struct wiphy_wowlan_tcp_support { + const struct nl80211_wowlan_tcp_data_token_feature *tok; + u32 data_payload_max; + u32 data_interval_max; + u32 wake_payload_max; + bool seq; +}; + +struct wiphy_wowlan_support { + u32 flags; + int n_patterns; + int pattern_max_len; + int pattern_min_len; + int max_pkt_offset; + int max_nd_match_sets; + const struct wiphy_wowlan_tcp_support *tcp; +}; + +struct wiphy_coalesce_support { + int n_rules; + int max_delay; + int n_patterns; + int pattern_max_len; + int pattern_min_len; + int max_pkt_offset; +}; + +struct wiphy_vendor_command { + struct nl80211_vendor_cmd_info info; + u32 flags; + int (*doit)(struct wiphy *, struct wireless_dev *, const void *, int); + int (*dumpit)(struct wiphy *, struct wireless_dev *, struct sk_buff *, const void *, int, long unsigned int *); + const struct nla_policy *policy; + unsigned int maxattr; +}; + +struct wiphy_iftype_ext_capab { + enum nl80211_iftype iftype; + const u8 *extended_capabilities; + const u8 *extended_capabilities_mask; + u8 extended_capabilities_len; +}; + +struct cfg80211_pmsr_capabilities { + unsigned int max_peers; + u8 report_ap_tsf: 1; + u8 randomize_mac_addr: 1; + struct { + u32 preambles; + u32 bandwidths; + s8 max_bursts_exponent; + u8 max_ftms_per_burst; + u8 supported: 1; + u8 asap: 1; + u8 non_asap: 1; + u8 request_lci: 1; + u8 request_civicloc: 1; + } ftm; +}; + +struct cfg80211_cached_keys { + struct key_params params[4]; + u8 data[52]; + int def; +}; + +struct cfg80211_internal_bss { + struct list_head list; + struct list_head hidden_list; + struct rb_node rbn; + u64 ts_boottime; + long unsigned int ts; + long unsigned int refcount; + atomic_t hold; + u64 parent_tsf; + u8 parent_bssid[6]; + struct cfg80211_bss pub; +}; + +struct cfg80211_cqm_config { + u32 rssi_hyst; + s32 last_rssi_event_value; + int n_rssi_thresholds; + s32 rssi_thresholds[0]; +}; + +struct cfg80211_fils_resp_params { + const u8 *kek; + size_t kek_len; + bool update_erp_next_seq_num; + u16 erp_next_seq_num; + const u8 *pmk; + size_t pmk_len; + const u8 *pmkid; +}; + +struct cfg80211_connect_resp_params { + int status; + const u8 *bssid; + struct cfg80211_bss *bss; + const u8 *req_ie; + size_t req_ie_len; + const u8 *resp_ie; + size_t resp_ie_len; + struct cfg80211_fils_resp_params fils; + enum nl80211_timeout_reason timeout_reason; +}; + +struct cfg80211_roam_info { + struct ieee80211_channel *channel; + struct cfg80211_bss *bss; + const u8 *bssid; + const u8 *req_ie; + size_t req_ie_len; + const u8 *resp_ie; + size_t resp_ie_len; + struct cfg80211_fils_resp_params fils; +}; + +struct cfg80211_registered_device { + const struct cfg80211_ops *ops; + struct list_head list; + struct rfkill_ops rfkill_ops; + struct rfkill *rfkill; + struct work_struct rfkill_block; + char country_ie_alpha2[2]; + const struct ieee80211_regdomain *requested_regd; + enum environment_cap env; + int wiphy_idx; + int devlist_generation; + int wdev_id; + int opencount; + wait_queue_head_t dev_wait; + struct list_head beacon_registrations; + spinlock_t beacon_registrations_lock; + struct list_head mlme_unreg; + spinlock_t mlme_unreg_lock; + struct work_struct mlme_unreg_wk; + int num_running_ifaces; + int num_running_monitor_ifaces; + u64 cookie_counter; + spinlock_t bss_lock; + struct list_head bss_list; + struct rb_root bss_tree; + u32 bss_generation; + u32 bss_entries; + struct cfg80211_scan_request *scan_req; + struct sk_buff *scan_msg; + struct list_head sched_scan_req_list; + time64_t suspend_at; + struct work_struct scan_done_wk; + struct genl_info *cur_cmd_info; + struct work_struct conn_work; + struct work_struct event_work; + struct delayed_work dfs_update_channels_wk; + u32 crit_proto_nlportid; + struct cfg80211_coalesce *coalesce; + struct work_struct destroy_work; + struct work_struct sched_scan_stop_wk; + struct work_struct sched_scan_res_wk; + struct cfg80211_chan_def radar_chandef; + struct work_struct propagate_radar_detect_wk; + struct cfg80211_chan_def cac_done_chandef; + struct work_struct propagate_cac_done_wk; + long: 64; + struct wiphy wiphy; +}; + +enum cfg80211_event_type { + EVENT_CONNECT_RESULT = 0, + EVENT_ROAMED = 1, + EVENT_DISCONNECTED = 2, + EVENT_IBSS_JOINED = 3, + EVENT_STOPPED = 4, + EVENT_PORT_AUTHORIZED = 5, +}; + +struct cfg80211_event { + struct list_head list; + enum cfg80211_event_type type; + union { + struct cfg80211_connect_resp_params cr; + struct cfg80211_roam_info rm; + struct { + const u8 *ie; + size_t ie_len; + u16 reason; + bool locally_generated; + } dc; + struct { + u8 bssid[6]; + struct ieee80211_channel *channel; + } ij; + struct { + u8 bssid[6]; + } pa; + }; +}; + +struct cfg80211_beacon_registration { + struct list_head list; + u32 nlportid; +}; + +struct radiotap_align_size { + uint8_t align: 4; + uint8_t size: 4; +}; + +struct ieee80211_radiotap_namespace { + const struct radiotap_align_size *align_size; + int n_bits; + uint32_t oui; + uint8_t subns; +}; + +struct ieee80211_radiotap_vendor_namespaces { + const struct ieee80211_radiotap_namespace *ns; + int n_ns; +}; + +struct ieee80211_radiotap_header; + +struct ieee80211_radiotap_iterator { + struct ieee80211_radiotap_header *_rtheader; + const struct ieee80211_radiotap_vendor_namespaces *_vns; + const struct ieee80211_radiotap_namespace *current_namespace; + unsigned char *_arg; + unsigned char *_next_ns_data; + __le32 *_next_bitmap; + unsigned char *this_arg; + int this_arg_index; + int this_arg_size; + int is_radiotap_ns; + int _max_length; + int _arg_index; + uint32_t _bitmap_shifter; + int _reset_on_ext; +}; + +struct ieee80211_radiotap_header { + uint8_t it_version; + uint8_t it_pad; + __le16 it_len; + __le32 it_present; +}; + +enum ieee80211_radiotap_presence { + IEEE80211_RADIOTAP_TSFT = 0, + IEEE80211_RADIOTAP_FLAGS = 1, + IEEE80211_RADIOTAP_RATE = 2, + IEEE80211_RADIOTAP_CHANNEL = 3, + IEEE80211_RADIOTAP_FHSS = 4, + IEEE80211_RADIOTAP_DBM_ANTSIGNAL = 5, + IEEE80211_RADIOTAP_DBM_ANTNOISE = 6, + IEEE80211_RADIOTAP_LOCK_QUALITY = 7, + IEEE80211_RADIOTAP_TX_ATTENUATION = 8, + IEEE80211_RADIOTAP_DB_TX_ATTENUATION = 9, + IEEE80211_RADIOTAP_DBM_TX_POWER = 10, + IEEE80211_RADIOTAP_ANTENNA = 11, + IEEE80211_RADIOTAP_DB_ANTSIGNAL = 12, + IEEE80211_RADIOTAP_DB_ANTNOISE = 13, + IEEE80211_RADIOTAP_RX_FLAGS = 14, + IEEE80211_RADIOTAP_TX_FLAGS = 15, + IEEE80211_RADIOTAP_RTS_RETRIES = 16, + IEEE80211_RADIOTAP_DATA_RETRIES = 17, + IEEE80211_RADIOTAP_MCS = 19, + IEEE80211_RADIOTAP_AMPDU_STATUS = 20, + IEEE80211_RADIOTAP_VHT = 21, + IEEE80211_RADIOTAP_TIMESTAMP = 22, + IEEE80211_RADIOTAP_HE = 23, + IEEE80211_RADIOTAP_HE_MU = 24, + IEEE80211_RADIOTAP_ZERO_LEN_PSDU = 26, + IEEE80211_RADIOTAP_LSIG = 27, + IEEE80211_RADIOTAP_RADIOTAP_NAMESPACE = 29, + IEEE80211_RADIOTAP_VENDOR_NAMESPACE = 30, + IEEE80211_RADIOTAP_EXT = 31, +}; + +struct ieee80211_hdr { + __le16 frame_control; + __le16 duration_id; + u8 addr1[6]; + u8 addr2[6]; + u8 addr3[6]; + __le16 seq_ctrl; + u8 addr4[6]; +}; + +struct ieee80211s_hdr { + u8 flags; + u8 ttl; + __le32 seqnum; + u8 eaddr1[6]; + u8 eaddr2[6]; +} __attribute__((packed)); + +enum ieee80211_p2p_attr_id { + IEEE80211_P2P_ATTR_STATUS = 0, + IEEE80211_P2P_ATTR_MINOR_REASON = 1, + IEEE80211_P2P_ATTR_CAPABILITY = 2, + IEEE80211_P2P_ATTR_DEVICE_ID = 3, + IEEE80211_P2P_ATTR_GO_INTENT = 4, + IEEE80211_P2P_ATTR_GO_CONFIG_TIMEOUT = 5, + IEEE80211_P2P_ATTR_LISTEN_CHANNEL = 6, + IEEE80211_P2P_ATTR_GROUP_BSSID = 7, + IEEE80211_P2P_ATTR_EXT_LISTEN_TIMING = 8, + IEEE80211_P2P_ATTR_INTENDED_IFACE_ADDR = 9, + IEEE80211_P2P_ATTR_MANAGABILITY = 10, + IEEE80211_P2P_ATTR_CHANNEL_LIST = 11, + IEEE80211_P2P_ATTR_ABSENCE_NOTICE = 12, + IEEE80211_P2P_ATTR_DEVICE_INFO = 13, + IEEE80211_P2P_ATTR_GROUP_INFO = 14, + IEEE80211_P2P_ATTR_GROUP_ID = 15, + IEEE80211_P2P_ATTR_INTERFACE = 16, + IEEE80211_P2P_ATTR_OPER_CHANNEL = 17, + IEEE80211_P2P_ATTR_INVITE_FLAGS = 18, + IEEE80211_P2P_ATTR_VENDOR_SPECIFIC = 221, + IEEE80211_P2P_ATTR_MAX = 222, +}; + +enum ieee80211_vht_chanwidth { + IEEE80211_VHT_CHANWIDTH_USE_HT = 0, + IEEE80211_VHT_CHANWIDTH_80MHZ = 1, + IEEE80211_VHT_CHANWIDTH_160MHZ = 2, + IEEE80211_VHT_CHANWIDTH_80P80MHZ = 3, +}; + +enum ieee80211_statuscode { + WLAN_STATUS_SUCCESS = 0, + WLAN_STATUS_UNSPECIFIED_FAILURE = 1, + WLAN_STATUS_CAPS_UNSUPPORTED = 10, + WLAN_STATUS_REASSOC_NO_ASSOC = 11, + WLAN_STATUS_ASSOC_DENIED_UNSPEC = 12, + WLAN_STATUS_NOT_SUPPORTED_AUTH_ALG = 13, + WLAN_STATUS_UNKNOWN_AUTH_TRANSACTION = 14, + WLAN_STATUS_CHALLENGE_FAIL = 15, + WLAN_STATUS_AUTH_TIMEOUT = 16, + WLAN_STATUS_AP_UNABLE_TO_HANDLE_NEW_STA = 17, + WLAN_STATUS_ASSOC_DENIED_RATES = 18, + WLAN_STATUS_ASSOC_DENIED_NOSHORTPREAMBLE = 19, + WLAN_STATUS_ASSOC_DENIED_NOPBCC = 20, + WLAN_STATUS_ASSOC_DENIED_NOAGILITY = 21, + WLAN_STATUS_ASSOC_DENIED_NOSPECTRUM = 22, + WLAN_STATUS_ASSOC_REJECTED_BAD_POWER = 23, + WLAN_STATUS_ASSOC_REJECTED_BAD_SUPP_CHAN = 24, + WLAN_STATUS_ASSOC_DENIED_NOSHORTTIME = 25, + WLAN_STATUS_ASSOC_DENIED_NODSSSOFDM = 26, + WLAN_STATUS_ASSOC_REJECTED_TEMPORARILY = 30, + WLAN_STATUS_ROBUST_MGMT_FRAME_POLICY_VIOLATION = 31, + WLAN_STATUS_INVALID_IE = 40, + WLAN_STATUS_INVALID_GROUP_CIPHER = 41, + WLAN_STATUS_INVALID_PAIRWISE_CIPHER = 42, + WLAN_STATUS_INVALID_AKMP = 43, + WLAN_STATUS_UNSUPP_RSN_VERSION = 44, + WLAN_STATUS_INVALID_RSN_IE_CAP = 45, + WLAN_STATUS_CIPHER_SUITE_REJECTED = 46, + WLAN_STATUS_UNSPECIFIED_QOS = 32, + WLAN_STATUS_ASSOC_DENIED_NOBANDWIDTH = 33, + WLAN_STATUS_ASSOC_DENIED_LOWACK = 34, + WLAN_STATUS_ASSOC_DENIED_UNSUPP_QOS = 35, + WLAN_STATUS_REQUEST_DECLINED = 37, + WLAN_STATUS_INVALID_QOS_PARAM = 38, + WLAN_STATUS_CHANGE_TSPEC = 39, + WLAN_STATUS_WAIT_TS_DELAY = 47, + WLAN_STATUS_NO_DIRECT_LINK = 48, + WLAN_STATUS_STA_NOT_PRESENT = 49, + WLAN_STATUS_STA_NOT_QSTA = 50, + WLAN_STATUS_ANTI_CLOG_REQUIRED = 76, + WLAN_STATUS_FCG_NOT_SUPP = 78, + WLAN_STATUS_STA_NO_TBTT = 78, + WLAN_STATUS_REJECTED_WITH_SUGGESTED_CHANGES = 39, + WLAN_STATUS_REJECTED_FOR_DELAY_PERIOD = 47, + WLAN_STATUS_REJECT_WITH_SCHEDULE = 83, + WLAN_STATUS_PENDING_ADMITTING_FST_SESSION = 86, + WLAN_STATUS_PERFORMING_FST_NOW = 87, + WLAN_STATUS_PENDING_GAP_IN_BA_WINDOW = 88, + WLAN_STATUS_REJECT_U_PID_SETTING = 89, + WLAN_STATUS_REJECT_DSE_BAND = 96, + WLAN_STATUS_DENIED_WITH_SUGGESTED_BAND_AND_CHANNEL = 99, + WLAN_STATUS_DENIED_DUE_TO_SPECTRUM_MANAGEMENT = 103, + WLAN_STATUS_FILS_AUTHENTICATION_FAILURE = 108, + WLAN_STATUS_UNKNOWN_AUTHENTICATION_SERVER = 109, +}; + +enum ieee80211_eid { + WLAN_EID_SSID = 0, + WLAN_EID_SUPP_RATES = 1, + WLAN_EID_FH_PARAMS = 2, + WLAN_EID_DS_PARAMS = 3, + WLAN_EID_CF_PARAMS = 4, + WLAN_EID_TIM = 5, + WLAN_EID_IBSS_PARAMS = 6, + WLAN_EID_COUNTRY = 7, + WLAN_EID_REQUEST = 10, + WLAN_EID_QBSS_LOAD = 11, + WLAN_EID_EDCA_PARAM_SET = 12, + WLAN_EID_TSPEC = 13, + WLAN_EID_TCLAS = 14, + WLAN_EID_SCHEDULE = 15, + WLAN_EID_CHALLENGE = 16, + WLAN_EID_PWR_CONSTRAINT = 32, + WLAN_EID_PWR_CAPABILITY = 33, + WLAN_EID_TPC_REQUEST = 34, + WLAN_EID_TPC_REPORT = 35, + WLAN_EID_SUPPORTED_CHANNELS = 36, + WLAN_EID_CHANNEL_SWITCH = 37, + WLAN_EID_MEASURE_REQUEST = 38, + WLAN_EID_MEASURE_REPORT = 39, + WLAN_EID_QUIET = 40, + WLAN_EID_IBSS_DFS = 41, + WLAN_EID_ERP_INFO = 42, + WLAN_EID_TS_DELAY = 43, + WLAN_EID_TCLAS_PROCESSING = 44, + WLAN_EID_HT_CAPABILITY = 45, + WLAN_EID_QOS_CAPA = 46, + WLAN_EID_RSN = 48, + WLAN_EID_802_15_COEX = 49, + WLAN_EID_EXT_SUPP_RATES = 50, + WLAN_EID_AP_CHAN_REPORT = 51, + WLAN_EID_NEIGHBOR_REPORT = 52, + WLAN_EID_RCPI = 53, + WLAN_EID_MOBILITY_DOMAIN = 54, + WLAN_EID_FAST_BSS_TRANSITION = 55, + WLAN_EID_TIMEOUT_INTERVAL = 56, + WLAN_EID_RIC_DATA = 57, + WLAN_EID_DSE_REGISTERED_LOCATION = 58, + WLAN_EID_SUPPORTED_REGULATORY_CLASSES = 59, + WLAN_EID_EXT_CHANSWITCH_ANN = 60, + WLAN_EID_HT_OPERATION = 61, + WLAN_EID_SECONDARY_CHANNEL_OFFSET = 62, + WLAN_EID_BSS_AVG_ACCESS_DELAY = 63, + WLAN_EID_ANTENNA_INFO = 64, + WLAN_EID_RSNI = 65, + WLAN_EID_MEASUREMENT_PILOT_TX_INFO = 66, + WLAN_EID_BSS_AVAILABLE_CAPACITY = 67, + WLAN_EID_BSS_AC_ACCESS_DELAY = 68, + WLAN_EID_TIME_ADVERTISEMENT = 69, + WLAN_EID_RRM_ENABLED_CAPABILITIES = 70, + WLAN_EID_MULTIPLE_BSSID = 71, + WLAN_EID_BSS_COEX_2040 = 72, + WLAN_EID_BSS_INTOLERANT_CHL_REPORT = 73, + WLAN_EID_OVERLAP_BSS_SCAN_PARAM = 74, + WLAN_EID_RIC_DESCRIPTOR = 75, + WLAN_EID_MMIE = 76, + WLAN_EID_ASSOC_COMEBACK_TIME = 77, + WLAN_EID_EVENT_REQUEST = 78, + WLAN_EID_EVENT_REPORT = 79, + WLAN_EID_DIAGNOSTIC_REQUEST = 80, + WLAN_EID_DIAGNOSTIC_REPORT = 81, + WLAN_EID_LOCATION_PARAMS = 82, + WLAN_EID_NON_TX_BSSID_CAP = 83, + WLAN_EID_SSID_LIST = 84, + WLAN_EID_MULTI_BSSID_IDX = 85, + WLAN_EID_FMS_DESCRIPTOR = 86, + WLAN_EID_FMS_REQUEST = 87, + WLAN_EID_FMS_RESPONSE = 88, + WLAN_EID_QOS_TRAFFIC_CAPA = 89, + WLAN_EID_BSS_MAX_IDLE_PERIOD = 90, + WLAN_EID_TSF_REQUEST = 91, + WLAN_EID_TSF_RESPOSNE = 92, + WLAN_EID_WNM_SLEEP_MODE = 93, + WLAN_EID_TIM_BCAST_REQ = 94, + WLAN_EID_TIM_BCAST_RESP = 95, + WLAN_EID_COLL_IF_REPORT = 96, + WLAN_EID_CHANNEL_USAGE = 97, + WLAN_EID_TIME_ZONE = 98, + WLAN_EID_DMS_REQUEST = 99, + WLAN_EID_DMS_RESPONSE = 100, + WLAN_EID_LINK_ID = 101, + WLAN_EID_WAKEUP_SCHEDUL = 102, + WLAN_EID_CHAN_SWITCH_TIMING = 104, + WLAN_EID_PTI_CONTROL = 105, + WLAN_EID_PU_BUFFER_STATUS = 106, + WLAN_EID_INTERWORKING = 107, + WLAN_EID_ADVERTISEMENT_PROTOCOL = 108, + WLAN_EID_EXPEDITED_BW_REQ = 109, + WLAN_EID_QOS_MAP_SET = 110, + WLAN_EID_ROAMING_CONSORTIUM = 111, + WLAN_EID_EMERGENCY_ALERT = 112, + WLAN_EID_MESH_CONFIG = 113, + WLAN_EID_MESH_ID = 114, + WLAN_EID_LINK_METRIC_REPORT = 115, + WLAN_EID_CONGESTION_NOTIFICATION = 116, + WLAN_EID_PEER_MGMT = 117, + WLAN_EID_CHAN_SWITCH_PARAM = 118, + WLAN_EID_MESH_AWAKE_WINDOW = 119, + WLAN_EID_BEACON_TIMING = 120, + WLAN_EID_MCCAOP_SETUP_REQ = 121, + WLAN_EID_MCCAOP_SETUP_RESP = 122, + WLAN_EID_MCCAOP_ADVERT = 123, + WLAN_EID_MCCAOP_TEARDOWN = 124, + WLAN_EID_GANN = 125, + WLAN_EID_RANN = 126, + WLAN_EID_EXT_CAPABILITY = 127, + WLAN_EID_PREQ = 130, + WLAN_EID_PREP = 131, + WLAN_EID_PERR = 132, + WLAN_EID_PXU = 137, + WLAN_EID_PXUC = 138, + WLAN_EID_AUTH_MESH_PEER_EXCH = 139, + WLAN_EID_MIC = 140, + WLAN_EID_DESTINATION_URI = 141, + WLAN_EID_UAPSD_COEX = 142, + WLAN_EID_WAKEUP_SCHEDULE = 143, + WLAN_EID_EXT_SCHEDULE = 144, + WLAN_EID_STA_AVAILABILITY = 145, + WLAN_EID_DMG_TSPEC = 146, + WLAN_EID_DMG_AT = 147, + WLAN_EID_DMG_CAP = 148, + WLAN_EID_CISCO_VENDOR_SPECIFIC = 150, + WLAN_EID_DMG_OPERATION = 151, + WLAN_EID_DMG_BSS_PARAM_CHANGE = 152, + WLAN_EID_DMG_BEAM_REFINEMENT = 153, + WLAN_EID_CHANNEL_MEASURE_FEEDBACK = 154, + WLAN_EID_AWAKE_WINDOW = 157, + WLAN_EID_MULTI_BAND = 158, + WLAN_EID_ADDBA_EXT = 159, + WLAN_EID_NEXT_PCP_LIST = 160, + WLAN_EID_PCP_HANDOVER = 161, + WLAN_EID_DMG_LINK_MARGIN = 162, + WLAN_EID_SWITCHING_STREAM = 163, + WLAN_EID_SESSION_TRANSITION = 164, + WLAN_EID_DYN_TONE_PAIRING_REPORT = 165, + WLAN_EID_CLUSTER_REPORT = 166, + WLAN_EID_RELAY_CAP = 167, + WLAN_EID_RELAY_XFER_PARAM_SET = 168, + WLAN_EID_BEAM_LINK_MAINT = 169, + WLAN_EID_MULTIPLE_MAC_ADDR = 170, + WLAN_EID_U_PID = 171, + WLAN_EID_DMG_LINK_ADAPT_ACK = 172, + WLAN_EID_MCCAOP_ADV_OVERVIEW = 174, + WLAN_EID_QUIET_PERIOD_REQ = 175, + WLAN_EID_QUIET_PERIOD_RESP = 177, + WLAN_EID_EPAC_POLICY = 182, + WLAN_EID_CLISTER_TIME_OFF = 183, + WLAN_EID_INTER_AC_PRIO = 184, + WLAN_EID_SCS_DESCRIPTOR = 185, + WLAN_EID_QLOAD_REPORT = 186, + WLAN_EID_HCCA_TXOP_UPDATE_COUNT = 187, + WLAN_EID_HL_STREAM_ID = 188, + WLAN_EID_GCR_GROUP_ADDR = 189, + WLAN_EID_ANTENNA_SECTOR_ID_PATTERN = 190, + WLAN_EID_VHT_CAPABILITY = 191, + WLAN_EID_VHT_OPERATION = 192, + WLAN_EID_EXTENDED_BSS_LOAD = 193, + WLAN_EID_WIDE_BW_CHANNEL_SWITCH = 194, + WLAN_EID_VHT_TX_POWER_ENVELOPE = 195, + WLAN_EID_CHANNEL_SWITCH_WRAPPER = 196, + WLAN_EID_AID = 197, + WLAN_EID_QUIET_CHANNEL = 198, + WLAN_EID_OPMODE_NOTIF = 199, + WLAN_EID_VENDOR_SPECIFIC = 221, + WLAN_EID_QOS_PARAMETER = 222, + WLAN_EID_CAG_NUMBER = 237, + WLAN_EID_AP_CSN = 239, + WLAN_EID_FILS_INDICATION = 240, + WLAN_EID_DILS = 241, + WLAN_EID_FRAGMENT = 242, + WLAN_EID_EXTENSION = 255, +}; + +struct element { + u8 id; + u8 datalen; + u8 data[0]; +}; + +enum nl80211_he_gi { + NL80211_RATE_INFO_HE_GI_0_8 = 0, + NL80211_RATE_INFO_HE_GI_1_6 = 1, + NL80211_RATE_INFO_HE_GI_3_2 = 2, +}; + +enum nl80211_he_ru_alloc { + NL80211_RATE_INFO_HE_RU_ALLOC_26 = 0, + NL80211_RATE_INFO_HE_RU_ALLOC_52 = 1, + NL80211_RATE_INFO_HE_RU_ALLOC_106 = 2, + NL80211_RATE_INFO_HE_RU_ALLOC_242 = 3, + NL80211_RATE_INFO_HE_RU_ALLOC_484 = 4, + NL80211_RATE_INFO_HE_RU_ALLOC_996 = 5, + NL80211_RATE_INFO_HE_RU_ALLOC_2x996 = 6, +}; + +enum ieee80211_rate_flags { + IEEE80211_RATE_SHORT_PREAMBLE = 1, + IEEE80211_RATE_MANDATORY_A = 2, + IEEE80211_RATE_MANDATORY_B = 4, + IEEE80211_RATE_MANDATORY_G = 8, + IEEE80211_RATE_ERP_G = 16, + IEEE80211_RATE_SUPPORTS_5MHZ = 32, + IEEE80211_RATE_SUPPORTS_10MHZ = 64, +}; + +struct iface_combination_params { + int num_different_channels; + u8 radar_detect; + int iftype_num[13]; + u32 new_beacon_int; +}; + +enum rate_info_flags { + RATE_INFO_FLAGS_MCS = 1, + RATE_INFO_FLAGS_VHT_MCS = 2, + RATE_INFO_FLAGS_SHORT_GI = 4, + RATE_INFO_FLAGS_DMG = 8, + RATE_INFO_FLAGS_HE_MCS = 16, + RATE_INFO_FLAGS_EDMG = 32, +}; + +enum rate_info_bw { + RATE_INFO_BW_20 = 0, + RATE_INFO_BW_5 = 1, + RATE_INFO_BW_10 = 2, + RATE_INFO_BW_40 = 3, + RATE_INFO_BW_80 = 4, + RATE_INFO_BW_160 = 5, + RATE_INFO_BW_HE_RU = 6, +}; + +struct iapp_layer2_update { + u8 da[6]; + u8 sa[6]; + __be16 len; + u8 dsap; + u8 ssap; + u8 control; + u8 xid_info[3]; +}; + +enum nl80211_reg_rule_flags { + NL80211_RRF_NO_OFDM = 1, + NL80211_RRF_NO_CCK = 2, + NL80211_RRF_NO_INDOOR = 4, + NL80211_RRF_NO_OUTDOOR = 8, + NL80211_RRF_DFS = 16, + NL80211_RRF_PTP_ONLY = 32, + NL80211_RRF_PTMP_ONLY = 64, + NL80211_RRF_NO_IR = 128, + __NL80211_RRF_NO_IBSS = 256, + NL80211_RRF_AUTO_BW = 2048, + NL80211_RRF_IR_CONCURRENT = 4096, + NL80211_RRF_NO_HT40MINUS = 8192, + NL80211_RRF_NO_HT40PLUS = 16384, + NL80211_RRF_NO_80MHZ = 32768, + NL80211_RRF_NO_160MHZ = 65536, +}; + +enum nl80211_channel_type { + NL80211_CHAN_NO_HT = 0, + NL80211_CHAN_HT20 = 1, + NL80211_CHAN_HT40MINUS = 2, + NL80211_CHAN_HT40PLUS = 3, +}; + +enum ieee80211_channel_flags { + IEEE80211_CHAN_DISABLED = 1, + IEEE80211_CHAN_NO_IR = 2, + IEEE80211_CHAN_RADAR = 8, + IEEE80211_CHAN_NO_HT40PLUS = 16, + IEEE80211_CHAN_NO_HT40MINUS = 32, + IEEE80211_CHAN_NO_OFDM = 64, + IEEE80211_CHAN_NO_80MHZ = 128, + IEEE80211_CHAN_NO_160MHZ = 256, + IEEE80211_CHAN_INDOOR_ONLY = 512, + IEEE80211_CHAN_IR_CONCURRENT = 1024, + IEEE80211_CHAN_NO_20MHZ = 2048, + IEEE80211_CHAN_NO_10MHZ = 4096, +}; + +enum ieee80211_regd_source { + REGD_SOURCE_INTERNAL_DB = 0, + REGD_SOURCE_CRDA = 1, + REGD_SOURCE_CACHED = 2, +}; + +enum reg_request_treatment { + REG_REQ_OK = 0, + REG_REQ_IGNORE = 1, + REG_REQ_INTERSECT = 2, + REG_REQ_ALREADY_SET = 3, +}; + +struct reg_beacon { + struct list_head list; + struct ieee80211_channel chan; +}; + +struct reg_regdb_apply_request { + struct list_head list; + const struct ieee80211_regdomain *regdom; +}; + +struct fwdb_country { + u8 alpha2[2]; + __be16 coll_ptr; +}; + +struct fwdb_collection { + u8 len; + u8 n_rules; + u8 dfs_region; + char: 8; +}; + +enum fwdb_flags { + FWDB_FLAG_NO_OFDM = 1, + FWDB_FLAG_NO_OUTDOOR = 2, + FWDB_FLAG_DFS = 4, + FWDB_FLAG_NO_IR = 8, + FWDB_FLAG_AUTO_BW = 16, +}; + +struct fwdb_wmm_ac { + u8 ecw; + u8 aifsn; + __be16 cot; +}; + +struct fwdb_wmm_rule { + struct fwdb_wmm_ac client[4]; + struct fwdb_wmm_ac ap[4]; +}; + +struct fwdb_rule { + u8 len; + u8 flags; + __be16 max_eirp; + __be32 start; + __be32 end; + __be32 max_bw; + __be16 cac_timeout; + __be16 wmm_ptr; +}; + +struct fwdb_header { + __be32 magic; + __be32 version; + struct fwdb_country country[0]; +}; + +enum nl80211_scan_flags { + NL80211_SCAN_FLAG_LOW_PRIORITY = 1, + NL80211_SCAN_FLAG_FLUSH = 2, + NL80211_SCAN_FLAG_AP = 4, + NL80211_SCAN_FLAG_RANDOM_ADDR = 8, + NL80211_SCAN_FLAG_FILS_MAX_CHANNEL_TIME = 16, + NL80211_SCAN_FLAG_ACCEPT_BCAST_PROBE_RESP = 32, + NL80211_SCAN_FLAG_OCE_PROBE_REQ_HIGH_TX_RATE = 64, + NL80211_SCAN_FLAG_OCE_PROBE_REQ_DEFERRAL_SUPPRESSION = 128, + NL80211_SCAN_FLAG_LOW_SPAN = 256, + NL80211_SCAN_FLAG_LOW_POWER = 512, + NL80211_SCAN_FLAG_HIGH_ACCURACY = 1024, + NL80211_SCAN_FLAG_RANDOM_SN = 2048, + NL80211_SCAN_FLAG_MIN_PREQ_CONTENT = 4096, +}; + +struct ieee80211_msrment_ie { + u8 token; + u8 mode; + u8 type; + u8 request[0]; +}; + +struct ieee80211_ext_chansw_ie { + u8 mode; + u8 new_operating_class; + u8 new_ch_num; + u8 count; +}; + +struct ieee80211_tpc_report_ie { + u8 tx_power; + u8 link_margin; +}; + +struct ieee80211_mgmt { + __le16 frame_control; + __le16 duration; + u8 da[6]; + u8 sa[6]; + u8 bssid[6]; + __le16 seq_ctrl; + union { + struct { + __le16 auth_alg; + __le16 auth_transaction; + __le16 status_code; + u8 variable[0]; + } auth; + struct { + __le16 reason_code; + } deauth; + struct { + __le16 capab_info; + __le16 listen_interval; + u8 variable[0]; + } assoc_req; + struct { + __le16 capab_info; + __le16 status_code; + __le16 aid; + u8 variable[0]; + } assoc_resp; + struct { + __le16 capab_info; + __le16 status_code; + __le16 aid; + u8 variable[0]; + } reassoc_resp; + struct { + __le16 capab_info; + __le16 listen_interval; + u8 current_ap[6]; + u8 variable[0]; + } reassoc_req; + struct { + __le16 reason_code; + } disassoc; + struct { + __le64 timestamp; + __le16 beacon_int; + __le16 capab_info; + u8 variable[0]; + } __attribute__((packed)) beacon; + struct { + u8 variable[0]; + } probe_req; + struct { + __le64 timestamp; + __le16 beacon_int; + __le16 capab_info; + u8 variable[0]; + } __attribute__((packed)) probe_resp; + struct { + u8 category; + union { + struct { + u8 action_code; + u8 dialog_token; + u8 status_code; + u8 variable[0]; + } wme_action; + struct { + u8 action_code; + u8 variable[0]; + } chan_switch; + struct { + u8 action_code; + struct ieee80211_ext_chansw_ie data; + u8 variable[0]; + } ext_chan_switch; + struct { + u8 action_code; + u8 dialog_token; + u8 element_id; + u8 length; + struct ieee80211_msrment_ie msr_elem; + } measurement; + struct { + u8 action_code; + u8 dialog_token; + __le16 capab; + __le16 timeout; + __le16 start_seq_num; + u8 variable[0]; + } addba_req; + struct { + u8 action_code; + u8 dialog_token; + __le16 status; + __le16 capab; + __le16 timeout; + } addba_resp; + struct { + u8 action_code; + __le16 params; + __le16 reason_code; + } __attribute__((packed)) delba; + struct { + u8 action_code; + u8 variable[0]; + } self_prot; + struct { + u8 action_code; + u8 variable[0]; + } mesh_action; + struct { + u8 action; + u8 trans_id[2]; + } sa_query; + struct { + u8 action; + u8 smps_control; + } ht_smps; + struct { + u8 action_code; + u8 chanwidth; + } ht_notify_cw; + struct { + u8 action_code; + u8 dialog_token; + __le16 capability; + u8 variable[0]; + } tdls_discover_resp; + struct { + u8 action_code; + u8 operating_mode; + } vht_opmode_notif; + struct { + u8 action_code; + u8 membership[8]; + u8 position[16]; + } vht_group_notif; + struct { + u8 action_code; + u8 dialog_token; + u8 tpc_elem_id; + u8 tpc_elem_length; + struct ieee80211_tpc_report_ie tpc; + } tpc_report; + struct { + u8 action_code; + u8 dialog_token; + u8 follow_up; + u8 tod[6]; + u8 toa[6]; + __le16 tod_error; + __le16 toa_error; + u8 variable[0]; + } __attribute__((packed)) ftm; + } u; + } __attribute__((packed)) action; + } u; +} __attribute__((packed)); + +struct ieee80211_ht_operation { + u8 primary_chan; + u8 ht_param; + __le16 operation_mode; + __le16 stbc_param; + u8 basic_set[16]; +}; + +enum ieee80211_eid_ext { + WLAN_EID_EXT_ASSOC_DELAY_INFO = 1, + WLAN_EID_EXT_FILS_REQ_PARAMS = 2, + WLAN_EID_EXT_FILS_KEY_CONFIRM = 3, + WLAN_EID_EXT_FILS_SESSION = 4, + WLAN_EID_EXT_FILS_HLP_CONTAINER = 5, + WLAN_EID_EXT_FILS_IP_ADDR_ASSIGN = 6, + WLAN_EID_EXT_KEY_DELIVERY = 7, + WLAN_EID_EXT_FILS_WRAPPED_DATA = 8, + WLAN_EID_EXT_FILS_PUBLIC_KEY = 12, + WLAN_EID_EXT_FILS_NONCE = 13, + WLAN_EID_EXT_FUTURE_CHAN_GUIDANCE = 14, + WLAN_EID_EXT_HE_CAPABILITY = 35, + WLAN_EID_EXT_HE_OPERATION = 36, + WLAN_EID_EXT_UORA = 37, + WLAN_EID_EXT_HE_MU_EDCA = 38, + WLAN_EID_EXT_HE_SPR = 39, + WLAN_EID_EXT_MAX_CHANNEL_SWITCH_TIME = 52, + WLAN_EID_EXT_MULTIPLE_BSSID_CONFIGURATION = 55, + WLAN_EID_EXT_NON_INHERITANCE = 56, +}; + +enum ieee80211_privacy { + IEEE80211_PRIVACY_ON = 0, + IEEE80211_PRIVACY_OFF = 1, + IEEE80211_PRIVACY_ANY = 2, +}; + +struct cfg80211_inform_bss { + struct ieee80211_channel *chan; + enum nl80211_bss_scan_width scan_width; + s32 signal; + u64 boottime_ns; + u64 parent_tsf; + u8 parent_bssid[6]; + u8 chains; + s8 chain_signal[4]; +}; + +enum cfg80211_bss_frame_type { + CFG80211_BSS_FTYPE_UNKNOWN = 0, + CFG80211_BSS_FTYPE_BEACON = 1, + CFG80211_BSS_FTYPE_PRESP = 2, +}; + +enum bss_compare_mode { + BSS_CMP_REGULAR = 0, + BSS_CMP_HIDE_ZLEN = 1, + BSS_CMP_HIDE_NUL = 2, +}; + +struct cfg80211_non_tx_bss { + struct cfg80211_bss *tx_bss; + u8 max_bssid_indicator; + u8 bssid_index; +}; + +enum ieee80211_vht_mcs_support { + IEEE80211_VHT_MCS_SUPPORT_0_7 = 0, + IEEE80211_VHT_MCS_SUPPORT_0_8 = 1, + IEEE80211_VHT_MCS_SUPPORT_0_9 = 2, + IEEE80211_VHT_MCS_NOT_SUPPORTED = 3, +}; + +enum ieee80211_mesh_sync_method { + IEEE80211_SYNC_METHOD_NEIGHBOR_OFFSET = 1, + IEEE80211_SYNC_METHOD_VENDOR = 255, +}; + +enum ieee80211_mesh_path_protocol { + IEEE80211_PATH_PROTOCOL_HWMP = 1, + IEEE80211_PATH_PROTOCOL_VENDOR = 255, +}; + +enum ieee80211_mesh_path_metric { + IEEE80211_PATH_METRIC_AIRTIME = 1, + IEEE80211_PATH_METRIC_VENDOR = 255, +}; + +enum nl80211_sta_flags { + __NL80211_STA_FLAG_INVALID = 0, + NL80211_STA_FLAG_AUTHORIZED = 1, + NL80211_STA_FLAG_SHORT_PREAMBLE = 2, + NL80211_STA_FLAG_WME = 3, + NL80211_STA_FLAG_MFP = 4, + NL80211_STA_FLAG_AUTHENTICATED = 5, + NL80211_STA_FLAG_TDLS_PEER = 6, + NL80211_STA_FLAG_ASSOCIATED = 7, + __NL80211_STA_FLAG_AFTER_LAST = 8, + NL80211_STA_FLAG_MAX = 7, +}; + +enum nl80211_sta_p2p_ps_status { + NL80211_P2P_PS_UNSUPPORTED = 0, + NL80211_P2P_PS_SUPPORTED = 1, + NUM_NL80211_P2P_PS_STATUS = 2, +}; + +enum nl80211_rate_info { + __NL80211_RATE_INFO_INVALID = 0, + NL80211_RATE_INFO_BITRATE = 1, + NL80211_RATE_INFO_MCS = 2, + NL80211_RATE_INFO_40_MHZ_WIDTH = 3, + NL80211_RATE_INFO_SHORT_GI = 4, + NL80211_RATE_INFO_BITRATE32 = 5, + NL80211_RATE_INFO_VHT_MCS = 6, + NL80211_RATE_INFO_VHT_NSS = 7, + NL80211_RATE_INFO_80_MHZ_WIDTH = 8, + NL80211_RATE_INFO_80P80_MHZ_WIDTH = 9, + NL80211_RATE_INFO_160_MHZ_WIDTH = 10, + NL80211_RATE_INFO_10_MHZ_WIDTH = 11, + NL80211_RATE_INFO_5_MHZ_WIDTH = 12, + NL80211_RATE_INFO_HE_MCS = 13, + NL80211_RATE_INFO_HE_NSS = 14, + NL80211_RATE_INFO_HE_GI = 15, + NL80211_RATE_INFO_HE_DCM = 16, + NL80211_RATE_INFO_HE_RU_ALLOC = 17, + __NL80211_RATE_INFO_AFTER_LAST = 18, + NL80211_RATE_INFO_MAX = 17, +}; + +enum nl80211_sta_bss_param { + __NL80211_STA_BSS_PARAM_INVALID = 0, + NL80211_STA_BSS_PARAM_CTS_PROT = 1, + NL80211_STA_BSS_PARAM_SHORT_PREAMBLE = 2, + NL80211_STA_BSS_PARAM_SHORT_SLOT_TIME = 3, + NL80211_STA_BSS_PARAM_DTIM_PERIOD = 4, + NL80211_STA_BSS_PARAM_BEACON_INTERVAL = 5, + __NL80211_STA_BSS_PARAM_AFTER_LAST = 6, + NL80211_STA_BSS_PARAM_MAX = 5, +}; + +enum nl80211_sta_info { + __NL80211_STA_INFO_INVALID = 0, + NL80211_STA_INFO_INACTIVE_TIME = 1, + NL80211_STA_INFO_RX_BYTES = 2, + NL80211_STA_INFO_TX_BYTES = 3, + NL80211_STA_INFO_LLID = 4, + NL80211_STA_INFO_PLID = 5, + NL80211_STA_INFO_PLINK_STATE = 6, + NL80211_STA_INFO_SIGNAL = 7, + NL80211_STA_INFO_TX_BITRATE = 8, + NL80211_STA_INFO_RX_PACKETS = 9, + NL80211_STA_INFO_TX_PACKETS = 10, + NL80211_STA_INFO_TX_RETRIES = 11, + NL80211_STA_INFO_TX_FAILED = 12, + NL80211_STA_INFO_SIGNAL_AVG = 13, + NL80211_STA_INFO_RX_BITRATE = 14, + NL80211_STA_INFO_BSS_PARAM = 15, + NL80211_STA_INFO_CONNECTED_TIME = 16, + NL80211_STA_INFO_STA_FLAGS = 17, + NL80211_STA_INFO_BEACON_LOSS = 18, + NL80211_STA_INFO_T_OFFSET = 19, + NL80211_STA_INFO_LOCAL_PM = 20, + NL80211_STA_INFO_PEER_PM = 21, + NL80211_STA_INFO_NONPEER_PM = 22, + NL80211_STA_INFO_RX_BYTES64 = 23, + NL80211_STA_INFO_TX_BYTES64 = 24, + NL80211_STA_INFO_CHAIN_SIGNAL = 25, + NL80211_STA_INFO_CHAIN_SIGNAL_AVG = 26, + NL80211_STA_INFO_EXPECTED_THROUGHPUT = 27, + NL80211_STA_INFO_RX_DROP_MISC = 28, + NL80211_STA_INFO_BEACON_RX = 29, + NL80211_STA_INFO_BEACON_SIGNAL_AVG = 30, + NL80211_STA_INFO_TID_STATS = 31, + NL80211_STA_INFO_RX_DURATION = 32, + NL80211_STA_INFO_PAD = 33, + NL80211_STA_INFO_ACK_SIGNAL = 34, + NL80211_STA_INFO_ACK_SIGNAL_AVG = 35, + NL80211_STA_INFO_RX_MPDUS = 36, + NL80211_STA_INFO_FCS_ERROR_COUNT = 37, + NL80211_STA_INFO_CONNECTED_TO_GATE = 38, + NL80211_STA_INFO_TX_DURATION = 39, + NL80211_STA_INFO_AIRTIME_WEIGHT = 40, + NL80211_STA_INFO_AIRTIME_LINK_METRIC = 41, + NL80211_STA_INFO_ASSOC_AT_BOOTTIME = 42, + __NL80211_STA_INFO_AFTER_LAST = 43, + NL80211_STA_INFO_MAX = 42, +}; + +enum nl80211_tid_stats { + __NL80211_TID_STATS_INVALID = 0, + NL80211_TID_STATS_RX_MSDU = 1, + NL80211_TID_STATS_TX_MSDU = 2, + NL80211_TID_STATS_TX_MSDU_RETRIES = 3, + NL80211_TID_STATS_TX_MSDU_FAILED = 4, + NL80211_TID_STATS_PAD = 5, + NL80211_TID_STATS_TXQ_STATS = 6, + NUM_NL80211_TID_STATS = 7, + NL80211_TID_STATS_MAX = 6, +}; + +enum nl80211_txq_stats { + __NL80211_TXQ_STATS_INVALID = 0, + NL80211_TXQ_STATS_BACKLOG_BYTES = 1, + NL80211_TXQ_STATS_BACKLOG_PACKETS = 2, + NL80211_TXQ_STATS_FLOWS = 3, + NL80211_TXQ_STATS_DROPS = 4, + NL80211_TXQ_STATS_ECN_MARKS = 5, + NL80211_TXQ_STATS_OVERLIMIT = 6, + NL80211_TXQ_STATS_OVERMEMORY = 7, + NL80211_TXQ_STATS_COLLISIONS = 8, + NL80211_TXQ_STATS_TX_BYTES = 9, + NL80211_TXQ_STATS_TX_PACKETS = 10, + NL80211_TXQ_STATS_MAX_FLOWS = 11, + NUM_NL80211_TXQ_STATS = 12, + NL80211_TXQ_STATS_MAX = 11, +}; + +enum nl80211_mpath_info { + __NL80211_MPATH_INFO_INVALID = 0, + NL80211_MPATH_INFO_FRAME_QLEN = 1, + NL80211_MPATH_INFO_SN = 2, + NL80211_MPATH_INFO_METRIC = 3, + NL80211_MPATH_INFO_EXPTIME = 4, + NL80211_MPATH_INFO_FLAGS = 5, + NL80211_MPATH_INFO_DISCOVERY_TIMEOUT = 6, + NL80211_MPATH_INFO_DISCOVERY_RETRIES = 7, + NL80211_MPATH_INFO_HOP_COUNT = 8, + NL80211_MPATH_INFO_PATH_CHANGE = 9, + __NL80211_MPATH_INFO_AFTER_LAST = 10, + NL80211_MPATH_INFO_MAX = 9, +}; + +enum nl80211_band_iftype_attr { + __NL80211_BAND_IFTYPE_ATTR_INVALID = 0, + NL80211_BAND_IFTYPE_ATTR_IFTYPES = 1, + NL80211_BAND_IFTYPE_ATTR_HE_CAP_MAC = 2, + NL80211_BAND_IFTYPE_ATTR_HE_CAP_PHY = 3, + NL80211_BAND_IFTYPE_ATTR_HE_CAP_MCS_SET = 4, + NL80211_BAND_IFTYPE_ATTR_HE_CAP_PPE = 5, + __NL80211_BAND_IFTYPE_ATTR_AFTER_LAST = 6, + NL80211_BAND_IFTYPE_ATTR_MAX = 5, +}; + +enum nl80211_band_attr { + __NL80211_BAND_ATTR_INVALID = 0, + NL80211_BAND_ATTR_FREQS = 1, + NL80211_BAND_ATTR_RATES = 2, + NL80211_BAND_ATTR_HT_MCS_SET = 3, + NL80211_BAND_ATTR_HT_CAPA = 4, + NL80211_BAND_ATTR_HT_AMPDU_FACTOR = 5, + NL80211_BAND_ATTR_HT_AMPDU_DENSITY = 6, + NL80211_BAND_ATTR_VHT_MCS_SET = 7, + NL80211_BAND_ATTR_VHT_CAPA = 8, + NL80211_BAND_ATTR_IFTYPE_DATA = 9, + NL80211_BAND_ATTR_EDMG_CHANNELS = 10, + NL80211_BAND_ATTR_EDMG_BW_CONFIG = 11, + __NL80211_BAND_ATTR_AFTER_LAST = 12, + NL80211_BAND_ATTR_MAX = 11, +}; + +enum nl80211_wmm_rule { + __NL80211_WMMR_INVALID = 0, + NL80211_WMMR_CW_MIN = 1, + NL80211_WMMR_CW_MAX = 2, + NL80211_WMMR_AIFSN = 3, + NL80211_WMMR_TXOP = 4, + __NL80211_WMMR_LAST = 5, + NL80211_WMMR_MAX = 4, +}; + +enum nl80211_frequency_attr { + __NL80211_FREQUENCY_ATTR_INVALID = 0, + NL80211_FREQUENCY_ATTR_FREQ = 1, + NL80211_FREQUENCY_ATTR_DISABLED = 2, + NL80211_FREQUENCY_ATTR_NO_IR = 3, + __NL80211_FREQUENCY_ATTR_NO_IBSS = 4, + NL80211_FREQUENCY_ATTR_RADAR = 5, + NL80211_FREQUENCY_ATTR_MAX_TX_POWER = 6, + NL80211_FREQUENCY_ATTR_DFS_STATE = 7, + NL80211_FREQUENCY_ATTR_DFS_TIME = 8, + NL80211_FREQUENCY_ATTR_NO_HT40_MINUS = 9, + NL80211_FREQUENCY_ATTR_NO_HT40_PLUS = 10, + NL80211_FREQUENCY_ATTR_NO_80MHZ = 11, + NL80211_FREQUENCY_ATTR_NO_160MHZ = 12, + NL80211_FREQUENCY_ATTR_DFS_CAC_TIME = 13, + NL80211_FREQUENCY_ATTR_INDOOR_ONLY = 14, + NL80211_FREQUENCY_ATTR_IR_CONCURRENT = 15, + NL80211_FREQUENCY_ATTR_NO_20MHZ = 16, + NL80211_FREQUENCY_ATTR_NO_10MHZ = 17, + NL80211_FREQUENCY_ATTR_WMM = 18, + __NL80211_FREQUENCY_ATTR_AFTER_LAST = 19, + NL80211_FREQUENCY_ATTR_MAX = 18, +}; + +enum nl80211_bitrate_attr { + __NL80211_BITRATE_ATTR_INVALID = 0, + NL80211_BITRATE_ATTR_RATE = 1, + NL80211_BITRATE_ATTR_2GHZ_SHORTPREAMBLE = 2, + __NL80211_BITRATE_ATTR_AFTER_LAST = 3, + NL80211_BITRATE_ATTR_MAX = 2, +}; + +enum nl80211_reg_type { + NL80211_REGDOM_TYPE_COUNTRY = 0, + NL80211_REGDOM_TYPE_WORLD = 1, + NL80211_REGDOM_TYPE_CUSTOM_WORLD = 2, + NL80211_REGDOM_TYPE_INTERSECTION = 3, +}; + +enum nl80211_reg_rule_attr { + __NL80211_REG_RULE_ATTR_INVALID = 0, + NL80211_ATTR_REG_RULE_FLAGS = 1, + NL80211_ATTR_FREQ_RANGE_START = 2, + NL80211_ATTR_FREQ_RANGE_END = 3, + NL80211_ATTR_FREQ_RANGE_MAX_BW = 4, + NL80211_ATTR_POWER_RULE_MAX_ANT_GAIN = 5, + NL80211_ATTR_POWER_RULE_MAX_EIRP = 6, + NL80211_ATTR_DFS_CAC_TIME = 7, + __NL80211_REG_RULE_ATTR_AFTER_LAST = 8, + NL80211_REG_RULE_ATTR_MAX = 7, +}; + +enum nl80211_sched_scan_match_attr { + __NL80211_SCHED_SCAN_MATCH_ATTR_INVALID = 0, + NL80211_SCHED_SCAN_MATCH_ATTR_SSID = 1, + NL80211_SCHED_SCAN_MATCH_ATTR_RSSI = 2, + NL80211_SCHED_SCAN_MATCH_ATTR_RELATIVE_RSSI = 3, + NL80211_SCHED_SCAN_MATCH_ATTR_RSSI_ADJUST = 4, + NL80211_SCHED_SCAN_MATCH_ATTR_BSSID = 5, + NL80211_SCHED_SCAN_MATCH_PER_BAND_RSSI = 6, + __NL80211_SCHED_SCAN_MATCH_ATTR_AFTER_LAST = 7, + NL80211_SCHED_SCAN_MATCH_ATTR_MAX = 6, +}; + +enum nl80211_survey_info { + __NL80211_SURVEY_INFO_INVALID = 0, + NL80211_SURVEY_INFO_FREQUENCY = 1, + NL80211_SURVEY_INFO_NOISE = 2, + NL80211_SURVEY_INFO_IN_USE = 3, + NL80211_SURVEY_INFO_TIME = 4, + NL80211_SURVEY_INFO_TIME_BUSY = 5, + NL80211_SURVEY_INFO_TIME_EXT_BUSY = 6, + NL80211_SURVEY_INFO_TIME_RX = 7, + NL80211_SURVEY_INFO_TIME_TX = 8, + NL80211_SURVEY_INFO_TIME_SCAN = 9, + NL80211_SURVEY_INFO_PAD = 10, + NL80211_SURVEY_INFO_TIME_BSS_RX = 11, + __NL80211_SURVEY_INFO_AFTER_LAST = 12, + NL80211_SURVEY_INFO_MAX = 11, +}; + +enum nl80211_meshconf_params { + __NL80211_MESHCONF_INVALID = 0, + NL80211_MESHCONF_RETRY_TIMEOUT = 1, + NL80211_MESHCONF_CONFIRM_TIMEOUT = 2, + NL80211_MESHCONF_HOLDING_TIMEOUT = 3, + NL80211_MESHCONF_MAX_PEER_LINKS = 4, + NL80211_MESHCONF_MAX_RETRIES = 5, + NL80211_MESHCONF_TTL = 6, + NL80211_MESHCONF_AUTO_OPEN_PLINKS = 7, + NL80211_MESHCONF_HWMP_MAX_PREQ_RETRIES = 8, + NL80211_MESHCONF_PATH_REFRESH_TIME = 9, + NL80211_MESHCONF_MIN_DISCOVERY_TIMEOUT = 10, + NL80211_MESHCONF_HWMP_ACTIVE_PATH_TIMEOUT = 11, + NL80211_MESHCONF_HWMP_PREQ_MIN_INTERVAL = 12, + NL80211_MESHCONF_HWMP_NET_DIAM_TRVS_TIME = 13, + NL80211_MESHCONF_HWMP_ROOTMODE = 14, + NL80211_MESHCONF_ELEMENT_TTL = 15, + NL80211_MESHCONF_HWMP_RANN_INTERVAL = 16, + NL80211_MESHCONF_GATE_ANNOUNCEMENTS = 17, + NL80211_MESHCONF_HWMP_PERR_MIN_INTERVAL = 18, + NL80211_MESHCONF_FORWARDING = 19, + NL80211_MESHCONF_RSSI_THRESHOLD = 20, + NL80211_MESHCONF_SYNC_OFFSET_MAX_NEIGHBOR = 21, + NL80211_MESHCONF_HT_OPMODE = 22, + NL80211_MESHCONF_HWMP_PATH_TO_ROOT_TIMEOUT = 23, + NL80211_MESHCONF_HWMP_ROOT_INTERVAL = 24, + NL80211_MESHCONF_HWMP_CONFIRMATION_INTERVAL = 25, + NL80211_MESHCONF_POWER_MODE = 26, + NL80211_MESHCONF_AWAKE_WINDOW = 27, + NL80211_MESHCONF_PLINK_TIMEOUT = 28, + NL80211_MESHCONF_CONNECTED_TO_GATE = 29, + __NL80211_MESHCONF_ATTR_AFTER_LAST = 30, + NL80211_MESHCONF_ATTR_MAX = 29, +}; + +enum nl80211_mesh_setup_params { + __NL80211_MESH_SETUP_INVALID = 0, + NL80211_MESH_SETUP_ENABLE_VENDOR_PATH_SEL = 1, + NL80211_MESH_SETUP_ENABLE_VENDOR_METRIC = 2, + NL80211_MESH_SETUP_IE = 3, + NL80211_MESH_SETUP_USERSPACE_AUTH = 4, + NL80211_MESH_SETUP_USERSPACE_AMPE = 5, + NL80211_MESH_SETUP_ENABLE_VENDOR_SYNC = 6, + NL80211_MESH_SETUP_USERSPACE_MPM = 7, + NL80211_MESH_SETUP_AUTH_PROTOCOL = 8, + __NL80211_MESH_SETUP_ATTR_AFTER_LAST = 9, + NL80211_MESH_SETUP_ATTR_MAX = 8, +}; + +enum nl80211_txq_attr { + __NL80211_TXQ_ATTR_INVALID = 0, + NL80211_TXQ_ATTR_AC = 1, + NL80211_TXQ_ATTR_TXOP = 2, + NL80211_TXQ_ATTR_CWMIN = 3, + NL80211_TXQ_ATTR_CWMAX = 4, + NL80211_TXQ_ATTR_AIFS = 5, + __NL80211_TXQ_ATTR_AFTER_LAST = 6, + NL80211_TXQ_ATTR_MAX = 5, +}; + +enum nl80211_bss { + __NL80211_BSS_INVALID = 0, + NL80211_BSS_BSSID = 1, + NL80211_BSS_FREQUENCY = 2, + NL80211_BSS_TSF = 3, + NL80211_BSS_BEACON_INTERVAL = 4, + NL80211_BSS_CAPABILITY = 5, + NL80211_BSS_INFORMATION_ELEMENTS = 6, + NL80211_BSS_SIGNAL_MBM = 7, + NL80211_BSS_SIGNAL_UNSPEC = 8, + NL80211_BSS_STATUS = 9, + NL80211_BSS_SEEN_MS_AGO = 10, + NL80211_BSS_BEACON_IES = 11, + NL80211_BSS_CHAN_WIDTH = 12, + NL80211_BSS_BEACON_TSF = 13, + NL80211_BSS_PRESP_DATA = 14, + NL80211_BSS_LAST_SEEN_BOOTTIME = 15, + NL80211_BSS_PAD = 16, + NL80211_BSS_PARENT_TSF = 17, + NL80211_BSS_PARENT_BSSID = 18, + NL80211_BSS_CHAIN_SIGNAL = 19, + __NL80211_BSS_AFTER_LAST = 20, + NL80211_BSS_MAX = 19, +}; + +enum nl80211_bss_status { + NL80211_BSS_STATUS_AUTHENTICATED = 0, + NL80211_BSS_STATUS_ASSOCIATED = 1, + NL80211_BSS_STATUS_IBSS_JOINED = 2, +}; + +enum nl80211_key_type { + NL80211_KEYTYPE_GROUP = 0, + NL80211_KEYTYPE_PAIRWISE = 1, + NL80211_KEYTYPE_PEERKEY = 2, + NUM_NL80211_KEYTYPES = 3, +}; + +enum nl80211_wpa_versions { + NL80211_WPA_VERSION_1 = 1, + NL80211_WPA_VERSION_2 = 2, + NL80211_WPA_VERSION_3 = 4, +}; + +enum nl80211_key_default_types { + __NL80211_KEY_DEFAULT_TYPE_INVALID = 0, + NL80211_KEY_DEFAULT_TYPE_UNICAST = 1, + NL80211_KEY_DEFAULT_TYPE_MULTICAST = 2, + NUM_NL80211_KEY_DEFAULT_TYPES = 3, +}; + +enum nl80211_key_attributes { + __NL80211_KEY_INVALID = 0, + NL80211_KEY_DATA = 1, + NL80211_KEY_IDX = 2, + NL80211_KEY_CIPHER = 3, + NL80211_KEY_SEQ = 4, + NL80211_KEY_DEFAULT = 5, + NL80211_KEY_DEFAULT_MGMT = 6, + NL80211_KEY_TYPE = 7, + NL80211_KEY_DEFAULT_TYPES = 8, + NL80211_KEY_MODE = 9, + __NL80211_KEY_AFTER_LAST = 10, + NL80211_KEY_MAX = 9, +}; + +enum nl80211_tx_rate_attributes { + __NL80211_TXRATE_INVALID = 0, + NL80211_TXRATE_LEGACY = 1, + NL80211_TXRATE_HT = 2, + NL80211_TXRATE_VHT = 3, + NL80211_TXRATE_GI = 4, + __NL80211_TXRATE_AFTER_LAST = 5, + NL80211_TXRATE_MAX = 4, +}; + +struct nl80211_txrate_vht { + __u16 mcs[8]; +}; + +enum nl80211_ps_state { + NL80211_PS_DISABLED = 0, + NL80211_PS_ENABLED = 1, +}; + +enum nl80211_attr_cqm { + __NL80211_ATTR_CQM_INVALID = 0, + NL80211_ATTR_CQM_RSSI_THOLD = 1, + NL80211_ATTR_CQM_RSSI_HYST = 2, + NL80211_ATTR_CQM_RSSI_THRESHOLD_EVENT = 3, + NL80211_ATTR_CQM_PKT_LOSS_EVENT = 4, + NL80211_ATTR_CQM_TXE_RATE = 5, + NL80211_ATTR_CQM_TXE_PKTS = 6, + NL80211_ATTR_CQM_TXE_INTVL = 7, + NL80211_ATTR_CQM_BEACON_LOSS_EVENT = 8, + NL80211_ATTR_CQM_RSSI_LEVEL = 9, + __NL80211_ATTR_CQM_AFTER_LAST = 10, + NL80211_ATTR_CQM_MAX = 9, +}; + +enum nl80211_cqm_rssi_threshold_event { + NL80211_CQM_RSSI_THRESHOLD_EVENT_LOW = 0, + NL80211_CQM_RSSI_THRESHOLD_EVENT_HIGH = 1, + NL80211_CQM_RSSI_BEACON_LOSS_EVENT = 2, +}; + +enum nl80211_packet_pattern_attr { + __NL80211_PKTPAT_INVALID = 0, + NL80211_PKTPAT_MASK = 1, + NL80211_PKTPAT_PATTERN = 2, + NL80211_PKTPAT_OFFSET = 3, + NUM_NL80211_PKTPAT = 4, + MAX_NL80211_PKTPAT = 3, +}; + +struct nl80211_pattern_support { + __u32 max_patterns; + __u32 min_pattern_len; + __u32 max_pattern_len; + __u32 max_pkt_offset; +}; + +enum nl80211_wowlan_triggers { + __NL80211_WOWLAN_TRIG_INVALID = 0, + NL80211_WOWLAN_TRIG_ANY = 1, + NL80211_WOWLAN_TRIG_DISCONNECT = 2, + NL80211_WOWLAN_TRIG_MAGIC_PKT = 3, + NL80211_WOWLAN_TRIG_PKT_PATTERN = 4, + NL80211_WOWLAN_TRIG_GTK_REKEY_SUPPORTED = 5, + NL80211_WOWLAN_TRIG_GTK_REKEY_FAILURE = 6, + NL80211_WOWLAN_TRIG_EAP_IDENT_REQUEST = 7, + NL80211_WOWLAN_TRIG_4WAY_HANDSHAKE = 8, + NL80211_WOWLAN_TRIG_RFKILL_RELEASE = 9, + NL80211_WOWLAN_TRIG_WAKEUP_PKT_80211 = 10, + NL80211_WOWLAN_TRIG_WAKEUP_PKT_80211_LEN = 11, + NL80211_WOWLAN_TRIG_WAKEUP_PKT_8023 = 12, + NL80211_WOWLAN_TRIG_WAKEUP_PKT_8023_LEN = 13, + NL80211_WOWLAN_TRIG_TCP_CONNECTION = 14, + NL80211_WOWLAN_TRIG_WAKEUP_TCP_MATCH = 15, + NL80211_WOWLAN_TRIG_WAKEUP_TCP_CONNLOST = 16, + NL80211_WOWLAN_TRIG_WAKEUP_TCP_NOMORETOKENS = 17, + NL80211_WOWLAN_TRIG_NET_DETECT = 18, + NL80211_WOWLAN_TRIG_NET_DETECT_RESULTS = 19, + NUM_NL80211_WOWLAN_TRIG = 20, + MAX_NL80211_WOWLAN_TRIG = 19, +}; + +enum nl80211_wowlan_tcp_attrs { + __NL80211_WOWLAN_TCP_INVALID = 0, + NL80211_WOWLAN_TCP_SRC_IPV4 = 1, + NL80211_WOWLAN_TCP_DST_IPV4 = 2, + NL80211_WOWLAN_TCP_DST_MAC = 3, + NL80211_WOWLAN_TCP_SRC_PORT = 4, + NL80211_WOWLAN_TCP_DST_PORT = 5, + NL80211_WOWLAN_TCP_DATA_PAYLOAD = 6, + NL80211_WOWLAN_TCP_DATA_PAYLOAD_SEQ = 7, + NL80211_WOWLAN_TCP_DATA_PAYLOAD_TOKEN = 8, + NL80211_WOWLAN_TCP_DATA_INTERVAL = 9, + NL80211_WOWLAN_TCP_WAKE_PAYLOAD = 10, + NL80211_WOWLAN_TCP_WAKE_MASK = 11, + NUM_NL80211_WOWLAN_TCP = 12, + MAX_NL80211_WOWLAN_TCP = 11, +}; + +struct nl80211_coalesce_rule_support { + __u32 max_rules; + struct nl80211_pattern_support pat; + __u32 max_delay; +}; + +enum nl80211_attr_coalesce_rule { + __NL80211_COALESCE_RULE_INVALID = 0, + NL80211_ATTR_COALESCE_RULE_DELAY = 1, + NL80211_ATTR_COALESCE_RULE_CONDITION = 2, + NL80211_ATTR_COALESCE_RULE_PKT_PATTERN = 3, + NUM_NL80211_ATTR_COALESCE_RULE = 4, + NL80211_ATTR_COALESCE_RULE_MAX = 3, +}; + +enum nl80211_iface_limit_attrs { + NL80211_IFACE_LIMIT_UNSPEC = 0, + NL80211_IFACE_LIMIT_MAX = 1, + NL80211_IFACE_LIMIT_TYPES = 2, + NUM_NL80211_IFACE_LIMIT = 3, + MAX_NL80211_IFACE_LIMIT = 2, +}; + +enum nl80211_if_combination_attrs { + NL80211_IFACE_COMB_UNSPEC = 0, + NL80211_IFACE_COMB_LIMITS = 1, + NL80211_IFACE_COMB_MAXNUM = 2, + NL80211_IFACE_COMB_STA_AP_BI_MATCH = 3, + NL80211_IFACE_COMB_NUM_CHANNELS = 4, + NL80211_IFACE_COMB_RADAR_DETECT_WIDTHS = 5, + NL80211_IFACE_COMB_RADAR_DETECT_REGIONS = 6, + NL80211_IFACE_COMB_BI_MIN_GCD = 7, + NUM_NL80211_IFACE_COMB = 8, + MAX_NL80211_IFACE_COMB = 7, +}; + +enum nl80211_plink_state { + NL80211_PLINK_LISTEN = 0, + NL80211_PLINK_OPN_SNT = 1, + NL80211_PLINK_OPN_RCVD = 2, + NL80211_PLINK_CNF_RCVD = 3, + NL80211_PLINK_ESTAB = 4, + NL80211_PLINK_HOLDING = 5, + NL80211_PLINK_BLOCKED = 6, + NUM_NL80211_PLINK_STATES = 7, + MAX_NL80211_PLINK_STATES = 6, +}; + +enum plink_actions { + NL80211_PLINK_ACTION_NO_ACTION = 0, + NL80211_PLINK_ACTION_OPEN = 1, + NL80211_PLINK_ACTION_BLOCK = 2, + NUM_NL80211_PLINK_ACTIONS = 3, +}; + +enum nl80211_rekey_data { + __NL80211_REKEY_DATA_INVALID = 0, + NL80211_REKEY_DATA_KEK = 1, + NL80211_REKEY_DATA_KCK = 2, + NL80211_REKEY_DATA_REPLAY_CTR = 3, + NUM_NL80211_REKEY_DATA = 4, + MAX_NL80211_REKEY_DATA = 3, +}; + +enum nl80211_sta_wme_attr { + __NL80211_STA_WME_INVALID = 0, + NL80211_STA_WME_UAPSD_QUEUES = 1, + NL80211_STA_WME_MAX_SP = 2, + __NL80211_STA_WME_AFTER_LAST = 3, + NL80211_STA_WME_MAX = 2, +}; + +enum nl80211_pmksa_candidate_attr { + __NL80211_PMKSA_CANDIDATE_INVALID = 0, + NL80211_PMKSA_CANDIDATE_INDEX = 1, + NL80211_PMKSA_CANDIDATE_BSSID = 2, + NL80211_PMKSA_CANDIDATE_PREAUTH = 3, + NUM_NL80211_PMKSA_CANDIDATE = 4, + MAX_NL80211_PMKSA_CANDIDATE = 3, +}; + +enum nl80211_connect_failed_reason { + NL80211_CONN_FAIL_MAX_CLIENTS = 0, + NL80211_CONN_FAIL_BLOCKED_CLIENT = 1, +}; + +enum nl80211_protocol_features { + NL80211_PROTOCOL_FEATURE_SPLIT_WIPHY_DUMP = 1, +}; + +enum nl80211_sched_scan_plan { + __NL80211_SCHED_SCAN_PLAN_INVALID = 0, + NL80211_SCHED_SCAN_PLAN_INTERVAL = 1, + NL80211_SCHED_SCAN_PLAN_ITERATIONS = 2, + __NL80211_SCHED_SCAN_PLAN_AFTER_LAST = 3, + NL80211_SCHED_SCAN_PLAN_MAX = 2, +}; + +struct nl80211_bss_select_rssi_adjust { + __u8 band; + __s8 delta; +}; + +enum nl80211_nan_publish_type { + NL80211_NAN_SOLICITED_PUBLISH = 1, + NL80211_NAN_UNSOLICITED_PUBLISH = 2, +}; + +enum nl80211_nan_func_term_reason { + NL80211_NAN_FUNC_TERM_REASON_USER_REQUEST = 0, + NL80211_NAN_FUNC_TERM_REASON_TTL_EXPIRED = 1, + NL80211_NAN_FUNC_TERM_REASON_ERROR = 2, +}; + +enum nl80211_nan_func_attributes { + __NL80211_NAN_FUNC_INVALID = 0, + NL80211_NAN_FUNC_TYPE = 1, + NL80211_NAN_FUNC_SERVICE_ID = 2, + NL80211_NAN_FUNC_PUBLISH_TYPE = 3, + NL80211_NAN_FUNC_PUBLISH_BCAST = 4, + NL80211_NAN_FUNC_SUBSCRIBE_ACTIVE = 5, + NL80211_NAN_FUNC_FOLLOW_UP_ID = 6, + NL80211_NAN_FUNC_FOLLOW_UP_REQ_ID = 7, + NL80211_NAN_FUNC_FOLLOW_UP_DEST = 8, + NL80211_NAN_FUNC_CLOSE_RANGE = 9, + NL80211_NAN_FUNC_TTL = 10, + NL80211_NAN_FUNC_SERVICE_INFO = 11, + NL80211_NAN_FUNC_SRF = 12, + NL80211_NAN_FUNC_RX_MATCH_FILTER = 13, + NL80211_NAN_FUNC_TX_MATCH_FILTER = 14, + NL80211_NAN_FUNC_INSTANCE_ID = 15, + NL80211_NAN_FUNC_TERM_REASON = 16, + NUM_NL80211_NAN_FUNC_ATTR = 17, + NL80211_NAN_FUNC_ATTR_MAX = 16, +}; + +enum nl80211_nan_srf_attributes { + __NL80211_NAN_SRF_INVALID = 0, + NL80211_NAN_SRF_INCLUDE = 1, + NL80211_NAN_SRF_BF = 2, + NL80211_NAN_SRF_BF_IDX = 3, + NL80211_NAN_SRF_MAC_ADDRS = 4, + NUM_NL80211_NAN_SRF_ATTR = 5, + NL80211_NAN_SRF_ATTR_MAX = 4, +}; + +enum nl80211_nan_match_attributes { + __NL80211_NAN_MATCH_INVALID = 0, + NL80211_NAN_MATCH_FUNC_LOCAL = 1, + NL80211_NAN_MATCH_FUNC_PEER = 2, + NUM_NL80211_NAN_MATCH_ATTR = 3, + NL80211_NAN_MATCH_ATTR_MAX = 2, +}; + +enum nl80211_ftm_responder_attributes { + __NL80211_FTM_RESP_ATTR_INVALID = 0, + NL80211_FTM_RESP_ATTR_ENABLED = 1, + NL80211_FTM_RESP_ATTR_LCI = 2, + NL80211_FTM_RESP_ATTR_CIVICLOC = 3, + __NL80211_FTM_RESP_ATTR_LAST = 4, + NL80211_FTM_RESP_ATTR_MAX = 3, +}; + +enum nl80211_ftm_responder_stats { + __NL80211_FTM_STATS_INVALID = 0, + NL80211_FTM_STATS_SUCCESS_NUM = 1, + NL80211_FTM_STATS_PARTIAL_NUM = 2, + NL80211_FTM_STATS_FAILED_NUM = 3, + NL80211_FTM_STATS_ASAP_NUM = 4, + NL80211_FTM_STATS_NON_ASAP_NUM = 5, + NL80211_FTM_STATS_TOTAL_DURATION_MSEC = 6, + NL80211_FTM_STATS_UNKNOWN_TRIGGERS_NUM = 7, + NL80211_FTM_STATS_RESCHEDULE_REQUESTS_NUM = 8, + NL80211_FTM_STATS_OUT_OF_WINDOW_TRIGGERS_NUM = 9, + NL80211_FTM_STATS_PAD = 10, + __NL80211_FTM_STATS_AFTER_LAST = 11, + NL80211_FTM_STATS_MAX = 10, +}; + +enum nl80211_peer_measurement_type { + NL80211_PMSR_TYPE_INVALID = 0, + NL80211_PMSR_TYPE_FTM = 1, + NUM_NL80211_PMSR_TYPES = 2, + NL80211_PMSR_TYPE_MAX = 1, +}; + +enum nl80211_peer_measurement_req { + __NL80211_PMSR_REQ_ATTR_INVALID = 0, + NL80211_PMSR_REQ_ATTR_DATA = 1, + NL80211_PMSR_REQ_ATTR_GET_AP_TSF = 2, + NUM_NL80211_PMSR_REQ_ATTRS = 3, + NL80211_PMSR_REQ_ATTR_MAX = 2, +}; + +enum nl80211_peer_measurement_peer_attrs { + __NL80211_PMSR_PEER_ATTR_INVALID = 0, + NL80211_PMSR_PEER_ATTR_ADDR = 1, + NL80211_PMSR_PEER_ATTR_CHAN = 2, + NL80211_PMSR_PEER_ATTR_REQ = 3, + NL80211_PMSR_PEER_ATTR_RESP = 4, + NUM_NL80211_PMSR_PEER_ATTRS = 5, + NL80211_PMSR_PEER_ATTR_MAX = 4, +}; + +enum nl80211_peer_measurement_attrs { + __NL80211_PMSR_ATTR_INVALID = 0, + NL80211_PMSR_ATTR_MAX_PEERS = 1, + NL80211_PMSR_ATTR_REPORT_AP_TSF = 2, + NL80211_PMSR_ATTR_RANDOMIZE_MAC_ADDR = 3, + NL80211_PMSR_ATTR_TYPE_CAPA = 4, + NL80211_PMSR_ATTR_PEERS = 5, + NUM_NL80211_PMSR_ATTR = 6, + NL80211_PMSR_ATTR_MAX = 5, +}; + +enum nl80211_peer_measurement_ftm_capa { + __NL80211_PMSR_FTM_CAPA_ATTR_INVALID = 0, + NL80211_PMSR_FTM_CAPA_ATTR_ASAP = 1, + NL80211_PMSR_FTM_CAPA_ATTR_NON_ASAP = 2, + NL80211_PMSR_FTM_CAPA_ATTR_REQ_LCI = 3, + NL80211_PMSR_FTM_CAPA_ATTR_REQ_CIVICLOC = 4, + NL80211_PMSR_FTM_CAPA_ATTR_PREAMBLES = 5, + NL80211_PMSR_FTM_CAPA_ATTR_BANDWIDTHS = 6, + NL80211_PMSR_FTM_CAPA_ATTR_MAX_BURSTS_EXPONENT = 7, + NL80211_PMSR_FTM_CAPA_ATTR_MAX_FTMS_PER_BURST = 8, + NUM_NL80211_PMSR_FTM_CAPA_ATTR = 9, + NL80211_PMSR_FTM_CAPA_ATTR_MAX = 8, +}; + +enum nl80211_peer_measurement_ftm_req { + __NL80211_PMSR_FTM_REQ_ATTR_INVALID = 0, + NL80211_PMSR_FTM_REQ_ATTR_ASAP = 1, + NL80211_PMSR_FTM_REQ_ATTR_PREAMBLE = 2, + NL80211_PMSR_FTM_REQ_ATTR_NUM_BURSTS_EXP = 3, + NL80211_PMSR_FTM_REQ_ATTR_BURST_PERIOD = 4, + NL80211_PMSR_FTM_REQ_ATTR_BURST_DURATION = 5, + NL80211_PMSR_FTM_REQ_ATTR_FTMS_PER_BURST = 6, + NL80211_PMSR_FTM_REQ_ATTR_NUM_FTMR_RETRIES = 7, + NL80211_PMSR_FTM_REQ_ATTR_REQUEST_LCI = 8, + NL80211_PMSR_FTM_REQ_ATTR_REQUEST_CIVICLOC = 9, + NUM_NL80211_PMSR_FTM_REQ_ATTR = 10, + NL80211_PMSR_FTM_REQ_ATTR_MAX = 9, +}; + +enum nl80211_obss_pd_attributes { + __NL80211_HE_OBSS_PD_ATTR_INVALID = 0, + NL80211_HE_OBSS_PD_ATTR_MIN_OFFSET = 1, + NL80211_HE_OBSS_PD_ATTR_MAX_OFFSET = 2, + __NL80211_HE_OBSS_PD_ATTR_LAST = 3, + NL80211_HE_OBSS_PD_ATTR_MAX = 2, +}; + +enum survey_info_flags { + SURVEY_INFO_NOISE_DBM = 1, + SURVEY_INFO_IN_USE = 2, + SURVEY_INFO_TIME = 4, + SURVEY_INFO_TIME_BUSY = 8, + SURVEY_INFO_TIME_EXT_BUSY = 16, + SURVEY_INFO_TIME_RX = 32, + SURVEY_INFO_TIME_TX = 64, + SURVEY_INFO_TIME_SCAN = 128, + SURVEY_INFO_TIME_BSS_RX = 256, +}; + +enum cfg80211_ap_settings_flags { + AP_SETTINGS_EXTERNAL_AUTH_SUPPORT = 1, +}; + +enum station_parameters_apply_mask { + STATION_PARAM_APPLY_UAPSD = 1, + STATION_PARAM_APPLY_CAPABILITY = 2, + STATION_PARAM_APPLY_PLINK_STATE = 4, + STATION_PARAM_APPLY_STA_TXPOWER = 8, +}; + +enum cfg80211_station_type { + CFG80211_STA_AP_CLIENT = 0, + CFG80211_STA_AP_CLIENT_UNASSOC = 1, + CFG80211_STA_AP_MLME_CLIENT = 2, + CFG80211_STA_AP_STA = 3, + CFG80211_STA_IBSS = 4, + CFG80211_STA_TDLS_PEER_SETUP = 5, + CFG80211_STA_TDLS_PEER_ACTIVE = 6, + CFG80211_STA_MESH_PEER_KERNEL = 7, + CFG80211_STA_MESH_PEER_USER = 8, +}; + +enum bss_param_flags { + BSS_PARAM_FLAGS_CTS_PROT = 1, + BSS_PARAM_FLAGS_SHORT_PREAMBLE = 2, + BSS_PARAM_FLAGS_SHORT_SLOT_TIME = 4, +}; + +enum monitor_flags { + MONITOR_FLAG_CHANGED = 1, + MONITOR_FLAG_FCSFAIL = 2, + MONITOR_FLAG_PLCPFAIL = 4, + MONITOR_FLAG_CONTROL = 8, + MONITOR_FLAG_OTHER_BSS = 16, + MONITOR_FLAG_COOK_FRAMES = 32, + MONITOR_FLAG_ACTIVE = 64, +}; + +enum mpath_info_flags { + MPATH_INFO_FRAME_QLEN = 1, + MPATH_INFO_SN = 2, + MPATH_INFO_METRIC = 4, + MPATH_INFO_EXPTIME = 8, + MPATH_INFO_DISCOVERY_TIMEOUT = 16, + MPATH_INFO_DISCOVERY_RETRIES = 32, + MPATH_INFO_FLAGS = 64, + MPATH_INFO_HOP_COUNT = 128, + MPATH_INFO_PATH_CHANGE = 256, +}; + +enum cfg80211_assoc_req_flags { + ASSOC_REQ_DISABLE_HT = 1, + ASSOC_REQ_DISABLE_VHT = 2, + ASSOC_REQ_USE_RRM = 4, + CONNECT_REQ_EXTERNAL_AUTH_SUPPORT = 8, +}; + +enum cfg80211_connect_params_changed { + UPDATE_ASSOC_IES = 1, + UPDATE_FILS_ERP_INFO = 2, + UPDATE_AUTH_TYPE = 4, +}; + +enum wiphy_params_flags { + WIPHY_PARAM_RETRY_SHORT = 1, + WIPHY_PARAM_RETRY_LONG = 2, + WIPHY_PARAM_FRAG_THRESHOLD = 4, + WIPHY_PARAM_RTS_THRESHOLD = 8, + WIPHY_PARAM_COVERAGE_CLASS = 16, + WIPHY_PARAM_DYN_ACK = 32, + WIPHY_PARAM_TXQ_LIMIT = 64, + WIPHY_PARAM_TXQ_MEMORY_LIMIT = 128, + WIPHY_PARAM_TXQ_QUANTUM = 256, +}; + +struct cfg80211_wowlan_nd_match { + struct cfg80211_ssid ssid; + int n_channels; + u32 channels[0]; +}; + +struct cfg80211_wowlan_nd_info { + int n_matches; + struct cfg80211_wowlan_nd_match *matches[0]; +}; + +struct cfg80211_wowlan_wakeup { + bool disconnect; + bool magic_pkt; + bool gtk_rekey_failure; + bool eap_identity_req; + bool four_way_handshake; + bool rfkill_release; + bool packet_80211; + bool tcp_match; + bool tcp_connlost; + bool tcp_nomoretokens; + s32 pattern_idx; + u32 packet_present_len; + u32 packet_len; + const void *packet; + struct cfg80211_wowlan_nd_info *net_detect; +}; + +enum cfg80211_nan_conf_changes { + CFG80211_NAN_CONF_CHANGED_PREF = 1, + CFG80211_NAN_CONF_CHANGED_BANDS = 2, +}; + +enum wiphy_vendor_command_flags { + WIPHY_VENDOR_CMD_NEED_WDEV = 1, + WIPHY_VENDOR_CMD_NEED_NETDEV = 2, + WIPHY_VENDOR_CMD_NEED_RUNNING = 4, +}; + +enum wiphy_opmode_flag { + STA_OPMODE_MAX_BW_CHANGED = 1, + STA_OPMODE_SMPS_MODE_CHANGED = 2, + STA_OPMODE_N_SS_CHANGED = 4, +}; + +struct sta_opmode_info { + u32 changed; + enum nl80211_smps_mode smps_mode; + enum nl80211_chan_width bw; + u8 rx_nss; +}; + +struct cfg80211_ft_event_params { + const u8 *ies; + size_t ies_len; + const u8 *target_ap; + const u8 *ric_ies; + size_t ric_ies_len; +}; + +struct cfg80211_nan_match_params { + enum nl80211_nan_function_type type; + u8 inst_id; + u8 peer_inst_id; + const u8 *addr; + u8 info_len; + const u8 *info; + u64 cookie; +}; + +enum nl80211_multicast_groups { + NL80211_MCGRP_CONFIG = 0, + NL80211_MCGRP_SCAN = 1, + NL80211_MCGRP_REGULATORY = 2, + NL80211_MCGRP_MLME = 3, + NL80211_MCGRP_VENDOR = 4, + NL80211_MCGRP_NAN = 5, + NL80211_MCGRP_TESTMODE = 6, +}; + +struct key_parse { + struct key_params p; + int idx; + int type; + bool def; + bool defmgmt; + bool def_uni; + bool def_multi; +}; + +struct nl80211_dump_wiphy_state { + s64 filter_wiphy; + long int start; + long int split_start; + long int band_start; + long int chan_start; + long int capa_start; + bool split; +}; + +struct get_key_cookie { + struct sk_buff *msg; + int error; + int idx; +}; + +enum ieee80211_category { + WLAN_CATEGORY_SPECTRUM_MGMT = 0, + WLAN_CATEGORY_QOS = 1, + WLAN_CATEGORY_DLS = 2, + WLAN_CATEGORY_BACK = 3, + WLAN_CATEGORY_PUBLIC = 4, + WLAN_CATEGORY_RADIO_MEASUREMENT = 5, + WLAN_CATEGORY_HT = 7, + WLAN_CATEGORY_SA_QUERY = 8, + WLAN_CATEGORY_PROTECTED_DUAL_OF_ACTION = 9, + WLAN_CATEGORY_WNM = 10, + WLAN_CATEGORY_WNM_UNPROTECTED = 11, + WLAN_CATEGORY_TDLS = 12, + WLAN_CATEGORY_MESH_ACTION = 13, + WLAN_CATEGORY_MULTIHOP_ACTION = 14, + WLAN_CATEGORY_SELF_PROTECTED = 15, + WLAN_CATEGORY_DMG = 16, + WLAN_CATEGORY_WMM = 17, + WLAN_CATEGORY_FST = 18, + WLAN_CATEGORY_UNPROT_DMG = 20, + WLAN_CATEGORY_VHT = 21, + WLAN_CATEGORY_VENDOR_SPECIFIC_PROTECTED = 126, + WLAN_CATEGORY_VENDOR_SPECIFIC = 127, +}; + +struct cfg80211_mgmt_registration { + struct list_head list; + struct wireless_dev *wdev; + u32 nlportid; + int match_len; + __le16 frame_type; + u8 match[0]; +}; + +struct cfg80211_conn { + struct cfg80211_connect_params params; + enum { + CFG80211_CONN_SCANNING = 0, + CFG80211_CONN_SCAN_AGAIN = 1, + CFG80211_CONN_AUTHENTICATE_NEXT = 2, + CFG80211_CONN_AUTHENTICATING = 3, + CFG80211_CONN_AUTH_FAILED_TIMEOUT = 4, + CFG80211_CONN_ASSOCIATE_NEXT = 5, + CFG80211_CONN_ASSOCIATING = 6, + CFG80211_CONN_ASSOC_FAILED = 7, + CFG80211_CONN_ASSOC_FAILED_TIMEOUT = 8, + CFG80211_CONN_DEAUTH = 9, + CFG80211_CONN_ABANDON = 10, + CFG80211_CONN_CONNECTED = 11, + } state; + u8 bssid[6]; + u8 prev_bssid[6]; + const u8 *ie; + size_t ie_len; + bool auto_auth; + bool prev_bssid_valid; +}; + +enum cfg80211_chan_mode { + CHAN_MODE_UNDEFINED = 0, + CHAN_MODE_SHARED = 1, + CHAN_MODE_EXCLUSIVE = 2, +}; + +struct trace_event_raw_rdev_suspend { + struct trace_entry ent; + char wiphy_name[32]; + bool any; + bool disconnect; + bool magic_pkt; + bool gtk_rekey_failure; + bool eap_identity_req; + bool four_way_handshake; + bool rfkill_release; + bool valid_wow; + char __data[0]; +}; + +struct trace_event_raw_rdev_return_int { + struct trace_entry ent; + char wiphy_name[32]; + int ret; + char __data[0]; +}; + +struct trace_event_raw_rdev_scan { + struct trace_entry ent; + char wiphy_name[32]; + char __data[0]; +}; + +struct trace_event_raw_wiphy_only_evt { + struct trace_entry ent; + char wiphy_name[32]; + char __data[0]; +}; + +struct trace_event_raw_wiphy_enabled_evt { + struct trace_entry ent; + char wiphy_name[32]; + bool enabled; + char __data[0]; +}; + +struct trace_event_raw_rdev_add_virtual_intf { + struct trace_entry ent; + char wiphy_name[32]; + u32 __data_loc_vir_intf_name; + enum nl80211_iftype type; + char __data[0]; +}; + +struct trace_event_raw_wiphy_wdev_evt { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + char __data[0]; +}; + +struct trace_event_raw_wiphy_wdev_cookie_evt { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u64 cookie; + char __data[0]; +}; + +struct trace_event_raw_rdev_change_virtual_intf { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + enum nl80211_iftype type; + char __data[0]; +}; + +struct trace_event_raw_key_handle { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 mac_addr[6]; + u8 key_index; + bool pairwise; + char __data[0]; +}; + +struct trace_event_raw_rdev_add_key { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 mac_addr[6]; + u8 key_index; + bool pairwise; + u8 mode; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_default_key { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 key_index; + bool unicast; + bool multicast; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_default_mgmt_key { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 key_index; + char __data[0]; +}; + +struct trace_event_raw_rdev_start_ap { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + int beacon_interval; + int dtim_period; + char ssid[33]; + enum nl80211_hidden_ssid hidden_ssid; + u32 wpa_ver; + bool privacy; + enum nl80211_auth_type auth_type; + int inactivity_timeout; + char __data[0]; +}; + +struct trace_event_raw_rdev_change_beacon { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u32 __data_loc_head; + u32 __data_loc_tail; + u32 __data_loc_beacon_ies; + u32 __data_loc_proberesp_ies; + u32 __data_loc_assocresp_ies; + u32 __data_loc_probe_resp; + char __data[0]; +}; + +struct trace_event_raw_wiphy_netdev_evt { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + char __data[0]; +}; + +struct trace_event_raw_station_add_change { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 sta_mac[6]; + u32 sta_flags_mask; + u32 sta_flags_set; + u32 sta_modify_mask; + int listen_interval; + u16 capability; + u16 aid; + u8 plink_action; + u8 plink_state; + u8 uapsd_queues; + u8 max_sp; + u8 opmode_notif; + bool opmode_notif_used; + u8 ht_capa[26]; + u8 vht_capa[12]; + char vlan[16]; + u32 __data_loc_supported_rates; + u32 __data_loc_ext_capab; + u32 __data_loc_supported_channels; + u32 __data_loc_supported_oper_classes; + char __data[0]; +}; + +struct trace_event_raw_wiphy_netdev_mac_evt { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 sta_mac[6]; + char __data[0]; +}; + +struct trace_event_raw_station_del { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 sta_mac[6]; + u8 subtype; + u16 reason_code; + char __data[0]; +}; + +struct trace_event_raw_rdev_dump_station { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 sta_mac[6]; + int idx; + char __data[0]; +}; + +struct trace_event_raw_rdev_return_int_station_info { + struct trace_entry ent; + char wiphy_name[32]; + int ret; + int generation; + u32 connected_time; + u32 inactive_time; + u32 rx_bytes; + u32 tx_bytes; + u32 rx_packets; + u32 tx_packets; + u32 tx_retries; + u32 tx_failed; + u32 rx_dropped_misc; + u32 beacon_loss_count; + u16 llid; + u16 plid; + u8 plink_state; + char __data[0]; +}; + +struct trace_event_raw_mpath_evt { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 dst[6]; + u8 next_hop[6]; + char __data[0]; +}; + +struct trace_event_raw_rdev_dump_mpath { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 dst[6]; + u8 next_hop[6]; + int idx; + char __data[0]; +}; + +struct trace_event_raw_rdev_get_mpp { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 dst[6]; + u8 mpp[6]; + char __data[0]; +}; + +struct trace_event_raw_rdev_dump_mpp { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 dst[6]; + u8 mpp[6]; + int idx; + char __data[0]; +}; + +struct trace_event_raw_rdev_return_int_mpath_info { + struct trace_entry ent; + char wiphy_name[32]; + int ret; + int generation; + u32 filled; + u32 frame_qlen; + u32 sn; + u32 metric; + u32 exptime; + u32 discovery_timeout; + u8 discovery_retries; + u8 flags; + char __data[0]; +}; + +struct trace_event_raw_rdev_return_int_mesh_config { + struct trace_entry ent; + char wiphy_name[32]; + u16 dot11MeshRetryTimeout; + u16 dot11MeshConfirmTimeout; + u16 dot11MeshHoldingTimeout; + u16 dot11MeshMaxPeerLinks; + u8 dot11MeshMaxRetries; + u8 dot11MeshTTL; + u8 element_ttl; + bool auto_open_plinks; + u32 dot11MeshNbrOffsetMaxNeighbor; + u8 dot11MeshHWMPmaxPREQretries; + u32 path_refresh_time; + u32 dot11MeshHWMPactivePathTimeout; + u16 min_discovery_timeout; + u16 dot11MeshHWMPpreqMinInterval; + u16 dot11MeshHWMPperrMinInterval; + u16 dot11MeshHWMPnetDiameterTraversalTime; + u8 dot11MeshHWMPRootMode; + u16 dot11MeshHWMPRannInterval; + bool dot11MeshGateAnnouncementProtocol; + bool dot11MeshForwarding; + s32 rssi_threshold; + u16 ht_opmode; + u32 dot11MeshHWMPactivePathToRootTimeout; + u16 dot11MeshHWMProotInterval; + u16 dot11MeshHWMPconfirmationInterval; + int ret; + char __data[0]; +}; + +struct trace_event_raw_rdev_update_mesh_config { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u16 dot11MeshRetryTimeout; + u16 dot11MeshConfirmTimeout; + u16 dot11MeshHoldingTimeout; + u16 dot11MeshMaxPeerLinks; + u8 dot11MeshMaxRetries; + u8 dot11MeshTTL; + u8 element_ttl; + bool auto_open_plinks; + u32 dot11MeshNbrOffsetMaxNeighbor; + u8 dot11MeshHWMPmaxPREQretries; + u32 path_refresh_time; + u32 dot11MeshHWMPactivePathTimeout; + u16 min_discovery_timeout; + u16 dot11MeshHWMPpreqMinInterval; + u16 dot11MeshHWMPperrMinInterval; + u16 dot11MeshHWMPnetDiameterTraversalTime; + u8 dot11MeshHWMPRootMode; + u16 dot11MeshHWMPRannInterval; + bool dot11MeshGateAnnouncementProtocol; + bool dot11MeshForwarding; + s32 rssi_threshold; + u16 ht_opmode; + u32 dot11MeshHWMPactivePathToRootTimeout; + u16 dot11MeshHWMProotInterval; + u16 dot11MeshHWMPconfirmationInterval; + u32 mask; + char __data[0]; +}; + +struct trace_event_raw_rdev_join_mesh { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u16 dot11MeshRetryTimeout; + u16 dot11MeshConfirmTimeout; + u16 dot11MeshHoldingTimeout; + u16 dot11MeshMaxPeerLinks; + u8 dot11MeshMaxRetries; + u8 dot11MeshTTL; + u8 element_ttl; + bool auto_open_plinks; + u32 dot11MeshNbrOffsetMaxNeighbor; + u8 dot11MeshHWMPmaxPREQretries; + u32 path_refresh_time; + u32 dot11MeshHWMPactivePathTimeout; + u16 min_discovery_timeout; + u16 dot11MeshHWMPpreqMinInterval; + u16 dot11MeshHWMPperrMinInterval; + u16 dot11MeshHWMPnetDiameterTraversalTime; + u8 dot11MeshHWMPRootMode; + u16 dot11MeshHWMPRannInterval; + bool dot11MeshGateAnnouncementProtocol; + bool dot11MeshForwarding; + s32 rssi_threshold; + u16 ht_opmode; + u32 dot11MeshHWMPactivePathToRootTimeout; + u16 dot11MeshHWMProotInterval; + u16 dot11MeshHWMPconfirmationInterval; + char __data[0]; +}; + +struct trace_event_raw_rdev_change_bss { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + int use_cts_prot; + int use_short_preamble; + int use_short_slot_time; + int ap_isolate; + int ht_opmode; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_txq_params { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + enum nl80211_ac ac; + u16 txop; + u16 cwmin; + u16 cwmax; + u8 aifs; + char __data[0]; +}; + +struct trace_event_raw_rdev_libertas_set_mesh_channel { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + enum nl80211_band band; + u32 center_freq; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_monitor_channel { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + char __data[0]; +}; + +struct trace_event_raw_rdev_auth { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 bssid[6]; + enum nl80211_auth_type auth_type; + char __data[0]; +}; + +struct trace_event_raw_rdev_assoc { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 bssid[6]; + u8 prev_bssid[6]; + bool use_mfp; + u32 flags; + char __data[0]; +}; + +struct trace_event_raw_rdev_deauth { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 bssid[6]; + u16 reason_code; + char __data[0]; +}; + +struct trace_event_raw_rdev_disassoc { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 bssid[6]; + u16 reason_code; + bool local_state_change; + char __data[0]; +}; + +struct trace_event_raw_rdev_mgmt_tx_cancel_wait { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u64 cookie; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_power_mgmt { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + bool enabled; + int timeout; + char __data[0]; +}; + +struct trace_event_raw_rdev_connect { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 bssid[6]; + char ssid[33]; + enum nl80211_auth_type auth_type; + bool privacy; + u32 wpa_versions; + u32 flags; + u8 prev_bssid[6]; + char __data[0]; +}; + +struct trace_event_raw_rdev_update_connect_params { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u32 changed; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_cqm_rssi_config { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + s32 rssi_thold; + u32 rssi_hyst; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_cqm_rssi_range_config { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + s32 rssi_low; + s32 rssi_high; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_cqm_txe_config { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u32 rate; + u32 pkts; + u32 intvl; + char __data[0]; +}; + +struct trace_event_raw_rdev_disconnect { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u16 reason_code; + char __data[0]; +}; + +struct trace_event_raw_rdev_join_ibss { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 bssid[6]; + char ssid[33]; + char __data[0]; +}; + +struct trace_event_raw_rdev_join_ocb { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_wiphy_params { + struct trace_entry ent; + char wiphy_name[32]; + u32 changed; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_tx_power { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + enum nl80211_tx_power_setting type; + int mbm; + char __data[0]; +}; + +struct trace_event_raw_rdev_return_int_int { + struct trace_entry ent; + char wiphy_name[32]; + int func_ret; + int func_fill; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_bitrate_mask { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 peer[6]; + char __data[0]; +}; + +struct trace_event_raw_rdev_mgmt_frame_register { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u16 frame_type; + bool reg; + char __data[0]; +}; + +struct trace_event_raw_rdev_return_int_tx_rx { + struct trace_entry ent; + char wiphy_name[32]; + int ret; + u32 tx; + u32 rx; + char __data[0]; +}; + +struct trace_event_raw_rdev_return_void_tx_rx { + struct trace_entry ent; + char wiphy_name[32]; + u32 tx; + u32 tx_max; + u32 rx; + u32 rx_max; + char __data[0]; +}; + +struct trace_event_raw_tx_rx_evt { + struct trace_entry ent; + char wiphy_name[32]; + u32 tx; + u32 rx; + char __data[0]; +}; + +struct trace_event_raw_wiphy_netdev_id_evt { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u64 id; + char __data[0]; +}; + +struct trace_event_raw_rdev_tdls_mgmt { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 peer[6]; + u8 action_code; + u8 dialog_token; + u16 status_code; + u32 peer_capability; + bool initiator; + u32 __data_loc_buf; + char __data[0]; +}; + +struct trace_event_raw_rdev_dump_survey { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + int idx; + char __data[0]; +}; + +struct trace_event_raw_rdev_return_int_survey_info { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_band band; + u32 center_freq; + int ret; + u64 time; + u64 time_busy; + u64 time_ext_busy; + u64 time_rx; + u64 time_tx; + u64 time_scan; + u32 filled; + s8 noise; + char __data[0]; +}; + +struct trace_event_raw_rdev_tdls_oper { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 peer[6]; + enum nl80211_tdls_operation oper; + char __data[0]; +}; + +struct trace_event_raw_rdev_pmksa { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 bssid[6]; + char __data[0]; +}; + +struct trace_event_raw_rdev_probe_client { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 peer[6]; + char __data[0]; +}; + +struct trace_event_raw_rdev_remain_on_channel { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + enum nl80211_band band; + u32 center_freq; + unsigned int duration; + char __data[0]; +}; + +struct trace_event_raw_rdev_return_int_cookie { + struct trace_entry ent; + char wiphy_name[32]; + int ret; + u64 cookie; + char __data[0]; +}; + +struct trace_event_raw_rdev_cancel_remain_on_channel { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u64 cookie; + char __data[0]; +}; + +struct trace_event_raw_rdev_mgmt_tx { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + enum nl80211_band band; + u32 center_freq; + bool offchan; + unsigned int wait; + bool no_cck; + bool dont_wait_for_ack; + char __data[0]; +}; + +struct trace_event_raw_rdev_tx_control_port { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 dest[6]; + __be16 proto; + bool unencrypted; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_noack_map { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u16 noack_map; + char __data[0]; +}; + +struct trace_event_raw_rdev_return_chandef { + struct trace_entry ent; + char wiphy_name[32]; + int ret; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + char __data[0]; +}; + +struct trace_event_raw_rdev_start_nan { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u8 master_pref; + u8 bands; + char __data[0]; +}; + +struct trace_event_raw_rdev_nan_change_conf { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u8 master_pref; + u8 bands; + u32 changes; + char __data[0]; +}; + +struct trace_event_raw_rdev_add_nan_func { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u8 func_type; + u64 cookie; + char __data[0]; +}; + +struct trace_event_raw_rdev_del_nan_func { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u64 cookie; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_mac_acl { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u32 acl_policy; + char __data[0]; +}; + +struct trace_event_raw_rdev_update_ft_ies { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u16 md; + u32 __data_loc_ie; + char __data[0]; +}; + +struct trace_event_raw_rdev_crit_proto_start { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u16 proto; + u16 duration; + char __data[0]; +}; + +struct trace_event_raw_rdev_crit_proto_stop { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + char __data[0]; +}; + +struct trace_event_raw_rdev_channel_switch { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + bool radar_required; + bool block_tx; + u8 count; + u32 __data_loc_bcn_ofs; + u32 __data_loc_pres_ofs; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_qos_map { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 num_des; + u8 dscp_exception[42]; + u8 up[16]; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_ap_chanwidth { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + char __data[0]; +}; + +struct trace_event_raw_rdev_add_tx_ts { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 peer[6]; + u8 tsid; + u8 user_prio; + u16 admitted_time; + char __data[0]; +}; + +struct trace_event_raw_rdev_del_tx_ts { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 peer[6]; + u8 tsid; + char __data[0]; +}; + +struct trace_event_raw_rdev_tdls_channel_switch { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 addr[6]; + u8 oper_class; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + char __data[0]; +}; + +struct trace_event_raw_rdev_tdls_cancel_channel_switch { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 addr[6]; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_pmk { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 aa[6]; + u8 pmk_len; + u8 pmk_r0_name_len; + u32 __data_loc_pmk; + u32 __data_loc_pmk_r0_name; + char __data[0]; +}; + +struct trace_event_raw_rdev_del_pmk { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 aa[6]; + char __data[0]; +}; + +struct trace_event_raw_rdev_external_auth { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 bssid[6]; + u8 ssid[33]; + u16 status; + char __data[0]; +}; + +struct trace_event_raw_rdev_start_radar_detection { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + u32 cac_time_ms; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_mcast_rate { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + int mcast_rate[4]; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_coalesce { + struct trace_entry ent; + char wiphy_name[32]; + int n_rules; + char __data[0]; +}; + +struct trace_event_raw_rdev_set_multicast_to_unicast { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + bool enabled; + char __data[0]; +}; + +struct trace_event_raw_rdev_get_ftm_responder_stats { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u64 timestamp; + u32 success_num; + u32 partial_num; + u32 failed_num; + u32 asap_num; + u32 non_asap_num; + u64 duration; + u32 unknown_triggers; + u32 reschedule; + u32 out_of_window; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_return_bool { + struct trace_entry ent; + bool ret; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_netdev_mac_evt { + struct trace_entry ent; + char name[16]; + int ifindex; + u8 macaddr[6]; + char __data[0]; +}; + +struct trace_event_raw_netdev_evt_only { + struct trace_entry ent; + char name[16]; + int ifindex; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_send_rx_assoc { + struct trace_entry ent; + char name[16]; + int ifindex; + u8 bssid[6]; + enum nl80211_band band; + u32 center_freq; + char __data[0]; +}; + +struct trace_event_raw_netdev_frame_event { + struct trace_entry ent; + char name[16]; + int ifindex; + u32 __data_loc_frame; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_tx_mlme_mgmt { + struct trace_entry ent; + char name[16]; + int ifindex; + u32 __data_loc_frame; + char __data[0]; +}; + +struct trace_event_raw_netdev_mac_evt { + struct trace_entry ent; + char name[16]; + int ifindex; + u8 mac[6]; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_michael_mic_failure { + struct trace_entry ent; + char name[16]; + int ifindex; + u8 addr[6]; + enum nl80211_key_type key_type; + int key_id; + u8 tsc[6]; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_ready_on_channel { + struct trace_entry ent; + u32 id; + u64 cookie; + enum nl80211_band band; + u32 center_freq; + unsigned int duration; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_ready_on_channel_expired { + struct trace_entry ent; + u32 id; + u64 cookie; + enum nl80211_band band; + u32 center_freq; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_tx_mgmt_expired { + struct trace_entry ent; + u32 id; + u64 cookie; + enum nl80211_band band; + u32 center_freq; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_new_sta { + struct trace_entry ent; + char name[16]; + int ifindex; + u8 mac_addr[6]; + int generation; + u32 connected_time; + u32 inactive_time; + u32 rx_bytes; + u32 tx_bytes; + u32 rx_packets; + u32 tx_packets; + u32 tx_retries; + u32 tx_failed; + u32 rx_dropped_misc; + u32 beacon_loss_count; + u16 llid; + u16 plid; + u8 plink_state; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_rx_mgmt { + struct trace_entry ent; + u32 id; + int freq; + int sig_dbm; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_mgmt_tx_status { + struct trace_entry ent; + u32 id; + u64 cookie; + bool ack; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_rx_control_port { + struct trace_entry ent; + char name[16]; + int ifindex; + int len; + u8 from[6]; + u16 proto; + bool unencrypted; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_cqm_rssi_notify { + struct trace_entry ent; + char name[16]; + int ifindex; + enum nl80211_cqm_rssi_threshold_event rssi_event; + s32 rssi_level; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_reg_can_beacon { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + enum nl80211_iftype iftype; + bool check_no_ir; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_chandef_dfs_required { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_ch_switch_notify { + struct trace_entry ent; + char name[16]; + int ifindex; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_ch_switch_started_notify { + struct trace_entry ent; + char name[16]; + int ifindex; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_radar_event { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_band band; + u32 control_freq; + u32 width; + u32 center_freq1; + u32 center_freq2; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_cac_event { + struct trace_entry ent; + char name[16]; + int ifindex; + enum nl80211_radar_event evt; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_rx_evt { + struct trace_entry ent; + char name[16]; + int ifindex; + u8 addr[6]; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_ibss_joined { + struct trace_entry ent; + char name[16]; + int ifindex; + u8 bssid[6]; + enum nl80211_band band; + u32 center_freq; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_probe_status { + struct trace_entry ent; + char name[16]; + int ifindex; + u8 addr[6]; + u64 cookie; + bool acked; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_cqm_pktloss_notify { + struct trace_entry ent; + char name[16]; + int ifindex; + u8 peer[6]; + u32 num_packets; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_pmksa_candidate_notify { + struct trace_entry ent; + char name[16]; + int ifindex; + int index; + u8 bssid[6]; + bool preauth; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_report_obss_beacon { + struct trace_entry ent; + char wiphy_name[32]; + int freq; + int sig_dbm; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_tdls_oper_request { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 peer[6]; + enum nl80211_tdls_operation oper; + u16 reason_code; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_scan_done { + struct trace_entry ent; + u32 n_channels; + u32 __data_loc_ie; + u32 rates[4]; + u32 wdev_id; + u8 wiphy_mac[6]; + bool no_cck; + bool aborted; + u64 scan_start_tsf; + u8 tsf_bssid[6]; + char __data[0]; +}; + +struct trace_event_raw_wiphy_id_evt { + struct trace_entry ent; + char wiphy_name[32]; + u64 id; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_get_bss { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_band band; + u32 center_freq; + u8 bssid[6]; + u32 __data_loc_ssid; + enum ieee80211_bss_type bss_type; + enum ieee80211_privacy privacy; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_inform_bss_frame { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_band band; + u32 center_freq; + enum nl80211_bss_scan_width scan_width; + u32 __data_loc_mgmt; + s32 signal; + u64 ts_boottime; + u64 parent_tsf; + u8 parent_bssid[6]; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_bss_evt { + struct trace_entry ent; + u8 bssid[6]; + enum nl80211_band band; + u32 center_freq; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_return_uint { + struct trace_entry ent; + unsigned int ret; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_return_u32 { + struct trace_entry ent; + u32 ret; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_report_wowlan_wakeup { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + bool non_wireless; + bool disconnect; + bool magic_pkt; + bool gtk_rekey_failure; + bool eap_identity_req; + bool four_way_handshake; + bool rfkill_release; + s32 pattern_idx; + u32 packet_len; + u32 __data_loc_packet; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_ft_event { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u32 __data_loc_ies; + u8 target_ap[6]; + u32 __data_loc_ric_ies; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_stop_iface { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_pmsr_report { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u64 cookie; + u8 addr[6]; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_pmsr_complete { + struct trace_entry ent; + char wiphy_name[32]; + u32 id; + u64 cookie; + char __data[0]; +}; + +struct trace_event_raw_rdev_update_owe_info { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 peer[6]; + u16 status; + u32 __data_loc_ie; + char __data[0]; +}; + +struct trace_event_raw_cfg80211_update_owe_info_event { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 peer[6]; + u32 __data_loc_ie; + char __data[0]; +}; + +struct trace_event_raw_rdev_probe_mesh_link { + struct trace_entry ent; + char wiphy_name[32]; + char name[16]; + int ifindex; + u8 dest[6]; + char __data[0]; +}; + +struct trace_event_data_offsets_rdev_suspend {}; + +struct trace_event_data_offsets_rdev_return_int {}; + +struct trace_event_data_offsets_rdev_scan {}; + +struct trace_event_data_offsets_wiphy_only_evt {}; + +struct trace_event_data_offsets_wiphy_enabled_evt {}; + +struct trace_event_data_offsets_rdev_add_virtual_intf { + u32 vir_intf_name; +}; + +struct trace_event_data_offsets_wiphy_wdev_evt {}; + +struct trace_event_data_offsets_wiphy_wdev_cookie_evt {}; + +struct trace_event_data_offsets_rdev_change_virtual_intf {}; + +struct trace_event_data_offsets_key_handle {}; + +struct trace_event_data_offsets_rdev_add_key {}; + +struct trace_event_data_offsets_rdev_set_default_key {}; + +struct trace_event_data_offsets_rdev_set_default_mgmt_key {}; + +struct trace_event_data_offsets_rdev_start_ap {}; + +struct trace_event_data_offsets_rdev_change_beacon { + u32 head; + u32 tail; + u32 beacon_ies; + u32 proberesp_ies; + u32 assocresp_ies; + u32 probe_resp; +}; + +struct trace_event_data_offsets_wiphy_netdev_evt {}; + +struct trace_event_data_offsets_station_add_change { + u32 supported_rates; + u32 ext_capab; + u32 supported_channels; + u32 supported_oper_classes; +}; + +struct trace_event_data_offsets_wiphy_netdev_mac_evt {}; + +struct trace_event_data_offsets_station_del {}; + +struct trace_event_data_offsets_rdev_dump_station {}; + +struct trace_event_data_offsets_rdev_return_int_station_info {}; + +struct trace_event_data_offsets_mpath_evt {}; + +struct trace_event_data_offsets_rdev_dump_mpath {}; + +struct trace_event_data_offsets_rdev_get_mpp {}; + +struct trace_event_data_offsets_rdev_dump_mpp {}; + +struct trace_event_data_offsets_rdev_return_int_mpath_info {}; + +struct trace_event_data_offsets_rdev_return_int_mesh_config {}; + +struct trace_event_data_offsets_rdev_update_mesh_config {}; + +struct trace_event_data_offsets_rdev_join_mesh {}; + +struct trace_event_data_offsets_rdev_change_bss {}; + +struct trace_event_data_offsets_rdev_set_txq_params {}; + +struct trace_event_data_offsets_rdev_libertas_set_mesh_channel {}; + +struct trace_event_data_offsets_rdev_set_monitor_channel {}; + +struct trace_event_data_offsets_rdev_auth {}; + +struct trace_event_data_offsets_rdev_assoc {}; + +struct trace_event_data_offsets_rdev_deauth {}; + +struct trace_event_data_offsets_rdev_disassoc {}; + +struct trace_event_data_offsets_rdev_mgmt_tx_cancel_wait {}; + +struct trace_event_data_offsets_rdev_set_power_mgmt {}; + +struct trace_event_data_offsets_rdev_connect {}; + +struct trace_event_data_offsets_rdev_update_connect_params {}; + +struct trace_event_data_offsets_rdev_set_cqm_rssi_config {}; + +struct trace_event_data_offsets_rdev_set_cqm_rssi_range_config {}; + +struct trace_event_data_offsets_rdev_set_cqm_txe_config {}; + +struct trace_event_data_offsets_rdev_disconnect {}; + +struct trace_event_data_offsets_rdev_join_ibss {}; + +struct trace_event_data_offsets_rdev_join_ocb {}; + +struct trace_event_data_offsets_rdev_set_wiphy_params {}; + +struct trace_event_data_offsets_rdev_set_tx_power {}; + +struct trace_event_data_offsets_rdev_return_int_int {}; + +struct trace_event_data_offsets_rdev_set_bitrate_mask {}; + +struct trace_event_data_offsets_rdev_mgmt_frame_register {}; + +struct trace_event_data_offsets_rdev_return_int_tx_rx {}; + +struct trace_event_data_offsets_rdev_return_void_tx_rx {}; + +struct trace_event_data_offsets_tx_rx_evt {}; + +struct trace_event_data_offsets_wiphy_netdev_id_evt {}; + +struct trace_event_data_offsets_rdev_tdls_mgmt { + u32 buf; +}; + +struct trace_event_data_offsets_rdev_dump_survey {}; + +struct trace_event_data_offsets_rdev_return_int_survey_info {}; + +struct trace_event_data_offsets_rdev_tdls_oper {}; + +struct trace_event_data_offsets_rdev_pmksa {}; + +struct trace_event_data_offsets_rdev_probe_client {}; + +struct trace_event_data_offsets_rdev_remain_on_channel {}; + +struct trace_event_data_offsets_rdev_return_int_cookie {}; + +struct trace_event_data_offsets_rdev_cancel_remain_on_channel {}; + +struct trace_event_data_offsets_rdev_mgmt_tx {}; + +struct trace_event_data_offsets_rdev_tx_control_port {}; + +struct trace_event_data_offsets_rdev_set_noack_map {}; + +struct trace_event_data_offsets_rdev_return_chandef {}; + +struct trace_event_data_offsets_rdev_start_nan {}; + +struct trace_event_data_offsets_rdev_nan_change_conf {}; + +struct trace_event_data_offsets_rdev_add_nan_func {}; + +struct trace_event_data_offsets_rdev_del_nan_func {}; + +struct trace_event_data_offsets_rdev_set_mac_acl {}; + +struct trace_event_data_offsets_rdev_update_ft_ies { + u32 ie; +}; + +struct trace_event_data_offsets_rdev_crit_proto_start {}; + +struct trace_event_data_offsets_rdev_crit_proto_stop {}; + +struct trace_event_data_offsets_rdev_channel_switch { + u32 bcn_ofs; + u32 pres_ofs; +}; + +struct trace_event_data_offsets_rdev_set_qos_map {}; + +struct trace_event_data_offsets_rdev_set_ap_chanwidth {}; + +struct trace_event_data_offsets_rdev_add_tx_ts {}; + +struct trace_event_data_offsets_rdev_del_tx_ts {}; + +struct trace_event_data_offsets_rdev_tdls_channel_switch {}; + +struct trace_event_data_offsets_rdev_tdls_cancel_channel_switch {}; + +struct trace_event_data_offsets_rdev_set_pmk { + u32 pmk; + u32 pmk_r0_name; +}; + +struct trace_event_data_offsets_rdev_del_pmk {}; + +struct trace_event_data_offsets_rdev_external_auth {}; + +struct trace_event_data_offsets_rdev_start_radar_detection {}; + +struct trace_event_data_offsets_rdev_set_mcast_rate {}; + +struct trace_event_data_offsets_rdev_set_coalesce {}; + +struct trace_event_data_offsets_rdev_set_multicast_to_unicast {}; + +struct trace_event_data_offsets_rdev_get_ftm_responder_stats {}; + +struct trace_event_data_offsets_cfg80211_return_bool {}; + +struct trace_event_data_offsets_cfg80211_netdev_mac_evt {}; + +struct trace_event_data_offsets_netdev_evt_only {}; + +struct trace_event_data_offsets_cfg80211_send_rx_assoc {}; + +struct trace_event_data_offsets_netdev_frame_event { + u32 frame; +}; + +struct trace_event_data_offsets_cfg80211_tx_mlme_mgmt { + u32 frame; +}; + +struct trace_event_data_offsets_netdev_mac_evt {}; + +struct trace_event_data_offsets_cfg80211_michael_mic_failure {}; + +struct trace_event_data_offsets_cfg80211_ready_on_channel {}; + +struct trace_event_data_offsets_cfg80211_ready_on_channel_expired {}; + +struct trace_event_data_offsets_cfg80211_tx_mgmt_expired {}; + +struct trace_event_data_offsets_cfg80211_new_sta {}; + +struct trace_event_data_offsets_cfg80211_rx_mgmt {}; + +struct trace_event_data_offsets_cfg80211_mgmt_tx_status {}; + +struct trace_event_data_offsets_cfg80211_rx_control_port {}; + +struct trace_event_data_offsets_cfg80211_cqm_rssi_notify {}; + +struct trace_event_data_offsets_cfg80211_reg_can_beacon {}; + +struct trace_event_data_offsets_cfg80211_chandef_dfs_required {}; + +struct trace_event_data_offsets_cfg80211_ch_switch_notify {}; + +struct trace_event_data_offsets_cfg80211_ch_switch_started_notify {}; + +struct trace_event_data_offsets_cfg80211_radar_event {}; + +struct trace_event_data_offsets_cfg80211_cac_event {}; + +struct trace_event_data_offsets_cfg80211_rx_evt {}; + +struct trace_event_data_offsets_cfg80211_ibss_joined {}; + +struct trace_event_data_offsets_cfg80211_probe_status {}; + +struct trace_event_data_offsets_cfg80211_cqm_pktloss_notify {}; + +struct trace_event_data_offsets_cfg80211_pmksa_candidate_notify {}; + +struct trace_event_data_offsets_cfg80211_report_obss_beacon {}; + +struct trace_event_data_offsets_cfg80211_tdls_oper_request {}; + +struct trace_event_data_offsets_cfg80211_scan_done { + u32 ie; +}; + +struct trace_event_data_offsets_wiphy_id_evt {}; + +struct trace_event_data_offsets_cfg80211_get_bss { + u32 ssid; +}; + +struct trace_event_data_offsets_cfg80211_inform_bss_frame { + u32 mgmt; +}; + +struct trace_event_data_offsets_cfg80211_bss_evt {}; + +struct trace_event_data_offsets_cfg80211_return_uint {}; + +struct trace_event_data_offsets_cfg80211_return_u32 {}; + +struct trace_event_data_offsets_cfg80211_report_wowlan_wakeup { + u32 packet; +}; + +struct trace_event_data_offsets_cfg80211_ft_event { + u32 ies; + u32 ric_ies; +}; + +struct trace_event_data_offsets_cfg80211_stop_iface {}; + +struct trace_event_data_offsets_cfg80211_pmsr_report {}; + +struct trace_event_data_offsets_cfg80211_pmsr_complete {}; + +struct trace_event_data_offsets_rdev_update_owe_info { + u32 ie; +}; + +struct trace_event_data_offsets_cfg80211_update_owe_info_event { + u32 ie; +}; + +struct trace_event_data_offsets_rdev_probe_mesh_link {}; + +typedef int (*sk_read_actor_t___2)(read_descriptor_t *, struct sk_buff___2 *, unsigned int, size_t); + +enum nl80211_peer_measurement_status { + NL80211_PMSR_STATUS_SUCCESS = 0, + NL80211_PMSR_STATUS_REFUSED = 1, + NL80211_PMSR_STATUS_TIMEOUT = 2, + NL80211_PMSR_STATUS_FAILURE = 3, +}; + +enum nl80211_peer_measurement_resp { + __NL80211_PMSR_RESP_ATTR_INVALID = 0, + NL80211_PMSR_RESP_ATTR_DATA = 1, + NL80211_PMSR_RESP_ATTR_STATUS = 2, + NL80211_PMSR_RESP_ATTR_HOST_TIME = 3, + NL80211_PMSR_RESP_ATTR_AP_TSF = 4, + NL80211_PMSR_RESP_ATTR_FINAL = 5, + NL80211_PMSR_RESP_ATTR_PAD = 6, + NUM_NL80211_PMSR_RESP_ATTRS = 7, + NL80211_PMSR_RESP_ATTR_MAX = 6, +}; + +enum nl80211_peer_measurement_ftm_failure_reasons { + NL80211_PMSR_FTM_FAILURE_UNSPECIFIED = 0, + NL80211_PMSR_FTM_FAILURE_NO_RESPONSE = 1, + NL80211_PMSR_FTM_FAILURE_REJECTED = 2, + NL80211_PMSR_FTM_FAILURE_WRONG_CHANNEL = 3, + NL80211_PMSR_FTM_FAILURE_PEER_NOT_CAPABLE = 4, + NL80211_PMSR_FTM_FAILURE_INVALID_TIMESTAMP = 5, + NL80211_PMSR_FTM_FAILURE_PEER_BUSY = 6, + NL80211_PMSR_FTM_FAILURE_BAD_CHANGED_PARAMS = 7, +}; + +enum nl80211_peer_measurement_ftm_resp { + __NL80211_PMSR_FTM_RESP_ATTR_INVALID = 0, + NL80211_PMSR_FTM_RESP_ATTR_FAIL_REASON = 1, + NL80211_PMSR_FTM_RESP_ATTR_BURST_INDEX = 2, + NL80211_PMSR_FTM_RESP_ATTR_NUM_FTMR_ATTEMPTS = 3, + NL80211_PMSR_FTM_RESP_ATTR_NUM_FTMR_SUCCESSES = 4, + NL80211_PMSR_FTM_RESP_ATTR_BUSY_RETRY_TIME = 5, + NL80211_PMSR_FTM_RESP_ATTR_NUM_BURSTS_EXP = 6, + NL80211_PMSR_FTM_RESP_ATTR_BURST_DURATION = 7, + NL80211_PMSR_FTM_RESP_ATTR_FTMS_PER_BURST = 8, + NL80211_PMSR_FTM_RESP_ATTR_RSSI_AVG = 9, + NL80211_PMSR_FTM_RESP_ATTR_RSSI_SPREAD = 10, + NL80211_PMSR_FTM_RESP_ATTR_TX_RATE = 11, + NL80211_PMSR_FTM_RESP_ATTR_RX_RATE = 12, + NL80211_PMSR_FTM_RESP_ATTR_RTT_AVG = 13, + NL80211_PMSR_FTM_RESP_ATTR_RTT_VARIANCE = 14, + NL80211_PMSR_FTM_RESP_ATTR_RTT_SPREAD = 15, + NL80211_PMSR_FTM_RESP_ATTR_DIST_AVG = 16, + NL80211_PMSR_FTM_RESP_ATTR_DIST_VARIANCE = 17, + NL80211_PMSR_FTM_RESP_ATTR_DIST_SPREAD = 18, + NL80211_PMSR_FTM_RESP_ATTR_LCI = 19, + NL80211_PMSR_FTM_RESP_ATTR_CIVICLOC = 20, + NL80211_PMSR_FTM_RESP_ATTR_PAD = 21, + NUM_NL80211_PMSR_FTM_RESP_ATTR = 22, + NL80211_PMSR_FTM_RESP_ATTR_MAX = 21, +}; + +struct cfg80211_pmsr_ftm_result { + const u8 *lci; + const u8 *civicloc; + unsigned int lci_len; + unsigned int civicloc_len; + enum nl80211_peer_measurement_ftm_failure_reasons failure_reason; + u32 num_ftmr_attempts; + u32 num_ftmr_successes; + s16 burst_index; + u8 busy_retry_time; + u8 num_bursts_exp; + u8 burst_duration; + u8 ftms_per_burst; + s32 rssi_avg; + s32 rssi_spread; + struct rate_info tx_rate; + struct rate_info rx_rate; + s64 rtt_avg; + s64 rtt_variance; + s64 rtt_spread; + s64 dist_avg; + s64 dist_variance; + s64 dist_spread; + u16 num_ftmr_attempts_valid: 1; + u16 num_ftmr_successes_valid: 1; + u16 rssi_avg_valid: 1; + u16 rssi_spread_valid: 1; + u16 tx_rate_valid: 1; + u16 rx_rate_valid: 1; + u16 rtt_avg_valid: 1; + u16 rtt_variance_valid: 1; + u16 rtt_spread_valid: 1; + u16 dist_avg_valid: 1; + u16 dist_variance_valid: 1; + u16 dist_spread_valid: 1; +}; + +struct cfg80211_pmsr_result { + u64 host_time; + u64 ap_tsf; + enum nl80211_peer_measurement_status status; + u8 addr[6]; + u8 final: 1; + u8 ap_tsf_valid: 1; + enum nl80211_peer_measurement_type type; + union { + struct cfg80211_pmsr_ftm_result ftm; + }; +}; + +struct ieee80211_channel_sw_ie { + u8 mode; + u8 new_ch_num; + u8 count; +}; + +struct ieee80211_sec_chan_offs_ie { + u8 sec_chan_offs; +}; + +struct ieee80211_mesh_chansw_params_ie { + u8 mesh_ttl; + u8 mesh_flags; + __le16 mesh_reason; + __le16 mesh_pre_value; +}; + +struct ieee80211_wide_bw_chansw_ie { + u8 new_channel_width; + u8 new_center_freq_seg0; + u8 new_center_freq_seg1; +}; + +struct ieee80211_tim_ie { + u8 dtim_count; + u8 dtim_period; + u8 bitmap_ctrl; + u8 virtual_map[1]; +}; + +struct ieee80211_meshconf_ie { + u8 meshconf_psel; + u8 meshconf_pmetric; + u8 meshconf_congest; + u8 meshconf_synch; + u8 meshconf_auth; + u8 meshconf_form; + u8 meshconf_cap; +}; + +struct ieee80211_rann_ie { + u8 rann_flags; + u8 rann_hopcount; + u8 rann_ttl; + u8 rann_addr[6]; + __le32 rann_seq; + __le32 rann_interval; + __le32 rann_metric; +} __attribute__((packed)); + +struct ieee80211_addba_ext_ie { + u8 data; +}; + +struct ieee80211_ch_switch_timing { + __le16 switch_time; + __le16 switch_timeout; +}; + +struct ieee80211_tdls_lnkie { + u8 ie_type; + u8 ie_len; + u8 bssid[6]; + u8 init_sta[6]; + u8 resp_sta[6]; +}; + +struct ieee80211_p2p_noa_desc { + u8 count; + __le32 duration; + __le32 interval; + __le32 start_time; +} __attribute__((packed)); + +struct ieee80211_p2p_noa_attr { + u8 index; + u8 oppps_ctwindow; + struct ieee80211_p2p_noa_desc desc[4]; +} __attribute__((packed)); + +struct ieee80211_vht_operation { + u8 chan_width; + u8 center_freq_seg0_idx; + u8 center_freq_seg1_idx; + __le16 basic_mcs_set; +} __attribute__((packed)); + +struct ieee80211_he_operation { + __le32 he_oper_params; + __le16 he_mcs_nss_set; + u8 optional[0]; +} __attribute__((packed)); + +struct ieee80211_he_spr { + u8 he_sr_control; + u8 optional[0]; +}; + +struct ieee80211_he_mu_edca_param_ac_rec { + u8 aifsn; + u8 ecw_min_max; + u8 mu_edca_timer; +}; + +struct ieee80211_mu_edca_param_set { + u8 mu_qos_info; + struct ieee80211_he_mu_edca_param_ac_rec ac_be; + struct ieee80211_he_mu_edca_param_ac_rec ac_bk; + struct ieee80211_he_mu_edca_param_ac_rec ac_vi; + struct ieee80211_he_mu_edca_param_ac_rec ac_vo; +}; + +struct ieee80211_timeout_interval_ie { + u8 type; + __le32 value; +} __attribute__((packed)); + +struct ieee80211_bss_max_idle_period_ie { + __le16 max_idle_period; + u8 idle_options; +} __attribute__((packed)); + +struct ieee80211_bssid_index { + u8 bssid_index; + u8 dtim_period; + u8 dtim_count; +}; + +struct ieee80211_multiple_bssid_configuration { + u8 bssid_count; + u8 profile_periodicity; +}; + +typedef u32 codel_time_t; + +struct codel_params { + codel_time_t target; + codel_time_t ce_threshold; + codel_time_t interval; + u32 mtu; + bool ecn; +}; + +struct codel_vars { + u32 count; + u32 lastcount; + bool dropping; + u16 rec_inv_sqrt; + codel_time_t first_above_time; + codel_time_t drop_next; + codel_time_t ldelay; +}; + +enum ieee80211_radiotap_mcs_have { + IEEE80211_RADIOTAP_MCS_HAVE_BW = 1, + IEEE80211_RADIOTAP_MCS_HAVE_MCS = 2, + IEEE80211_RADIOTAP_MCS_HAVE_GI = 4, + IEEE80211_RADIOTAP_MCS_HAVE_FMT = 8, + IEEE80211_RADIOTAP_MCS_HAVE_FEC = 16, + IEEE80211_RADIOTAP_MCS_HAVE_STBC = 32, +}; + +enum ieee80211_radiotap_vht_known { + IEEE80211_RADIOTAP_VHT_KNOWN_STBC = 1, + IEEE80211_RADIOTAP_VHT_KNOWN_TXOP_PS_NA = 2, + IEEE80211_RADIOTAP_VHT_KNOWN_GI = 4, + IEEE80211_RADIOTAP_VHT_KNOWN_SGI_NSYM_DIS = 8, + IEEE80211_RADIOTAP_VHT_KNOWN_LDPC_EXTRA_OFDM_SYM = 16, + IEEE80211_RADIOTAP_VHT_KNOWN_BEAMFORMED = 32, + IEEE80211_RADIOTAP_VHT_KNOWN_BANDWIDTH = 64, + IEEE80211_RADIOTAP_VHT_KNOWN_GROUP_ID = 128, + IEEE80211_RADIOTAP_VHT_KNOWN_PARTIAL_AID = 256, +}; + +enum ieee80211_max_queues { + IEEE80211_MAX_QUEUES = 16, + IEEE80211_MAX_QUEUE_MAP = 65535, +}; + +struct ieee80211_tx_queue_params { + u16 txop; + u16 cw_min; + u16 cw_max; + u8 aifs; + bool acm; + bool uapsd; + bool mu_edca; + struct ieee80211_he_mu_edca_param_ac_rec mu_edca_param_rec; +}; + +struct ieee80211_low_level_stats { + unsigned int dot11ACKFailureCount; + unsigned int dot11RTSFailureCount; + unsigned int dot11FCSErrorCount; + unsigned int dot11RTSSuccessCount; +}; + +struct ieee80211_chanctx_conf { + struct cfg80211_chan_def def; + struct cfg80211_chan_def min_def; + u8 rx_chains_static; + u8 rx_chains_dynamic; + bool radar_enabled; + long: 40; + u8 drv_priv[0]; +}; + +enum ieee80211_chanctx_switch_mode { + CHANCTX_SWMODE_REASSIGN_VIF = 0, + CHANCTX_SWMODE_SWAP_CONTEXTS = 1, +}; + +struct ieee80211_vif; + +struct ieee80211_vif_chanctx_switch { + struct ieee80211_vif *vif; + struct ieee80211_chanctx_conf *old_ctx; + struct ieee80211_chanctx_conf *new_ctx; +}; + +struct ieee80211_mu_group_data { + u8 membership[8]; + u8 position[16]; +}; + +struct ieee80211_ftm_responder_params; + +struct ieee80211_bss_conf { + const u8 *bssid; + u8 bss_color; + u8 htc_trig_based_pkt_ext; + bool multi_sta_back_32bit; + bool uora_exists; + bool ack_enabled; + u8 uora_ocw_range; + u16 frame_time_rts_th; + bool he_support; + bool twt_requester; + bool twt_responder; + bool assoc; + bool ibss_joined; + bool ibss_creator; + u16 aid; + bool use_cts_prot; + bool use_short_preamble; + bool use_short_slot; + bool enable_beacon; + u8 dtim_period; + char: 8; + u16 beacon_int; + u16 assoc_capability; + long: 48; + u64 sync_tsf; + u32 sync_device_ts; + u8 sync_dtim_count; + int: 24; + u32 basic_rates; + int: 32; + struct ieee80211_rate *beacon_rate; + int mcast_rate[4]; + u16 ht_operation_mode; + short: 16; + s32 cqm_rssi_thold; + u32 cqm_rssi_hyst; + s32 cqm_rssi_low; + s32 cqm_rssi_high; + int: 32; + struct cfg80211_chan_def chandef; + struct ieee80211_mu_group_data mu_group; + __be32 arp_addr_list[4]; + int arp_addr_cnt; + bool qos; + bool idle; + bool ps; + u8 ssid[32]; + char: 8; + size_t ssid_len; + bool hidden_ssid; + int: 24; + int txpower; + enum nl80211_tx_power_setting txpower_type; + struct ieee80211_p2p_noa_attr p2p_noa_attr; + bool allow_p2p_go_ps; + char: 8; + u16 max_idle_period; + bool protected_keep_alive; + bool ftm_responder; + struct ieee80211_ftm_responder_params *ftmr_params; + bool nontransmitted; + u8 transmitter_bssid[6]; + u8 bssid_index; + u8 bssid_indicator; + bool ema_ap; + u8 profile_periodicity; + struct ieee80211_he_operation he_operation; + struct ieee80211_he_obss_pd he_obss_pd; + int: 32; +} __attribute__((packed)); + +struct ieee80211_txq; + +struct ieee80211_vif { + enum nl80211_iftype type; + struct ieee80211_bss_conf bss_conf; + u8 addr[6]; + bool p2p; + bool csa_active; + bool mu_mimo_owner; + u8 cab_queue; + u8 hw_queue[4]; + struct ieee80211_txq *txq; + struct ieee80211_chanctx_conf *chanctx_conf; + u32 driver_flags; + unsigned int probe_req_reg; + bool txqs_stopped[4]; + int: 32; + u8 drv_priv[0]; +}; + +enum ieee80211_bss_change { + BSS_CHANGED_ASSOC = 1, + BSS_CHANGED_ERP_CTS_PROT = 2, + BSS_CHANGED_ERP_PREAMBLE = 4, + BSS_CHANGED_ERP_SLOT = 8, + BSS_CHANGED_HT = 16, + BSS_CHANGED_BASIC_RATES = 32, + BSS_CHANGED_BEACON_INT = 64, + BSS_CHANGED_BSSID = 128, + BSS_CHANGED_BEACON = 256, + BSS_CHANGED_BEACON_ENABLED = 512, + BSS_CHANGED_CQM = 1024, + BSS_CHANGED_IBSS = 2048, + BSS_CHANGED_ARP_FILTER = 4096, + BSS_CHANGED_QOS = 8192, + BSS_CHANGED_IDLE = 16384, + BSS_CHANGED_SSID = 32768, + BSS_CHANGED_AP_PROBE_RESP = 65536, + BSS_CHANGED_PS = 131072, + BSS_CHANGED_TXPOWER = 262144, + BSS_CHANGED_P2P_PS = 524288, + BSS_CHANGED_BEACON_INFO = 1048576, + BSS_CHANGED_BANDWIDTH = 2097152, + BSS_CHANGED_OCB = 4194304, + BSS_CHANGED_MU_GROUPS = 8388608, + BSS_CHANGED_KEEP_ALIVE = 16777216, + BSS_CHANGED_MCAST_RATE = 33554432, + BSS_CHANGED_FTM_RESPONDER = 67108864, + BSS_CHANGED_TWT = 134217728, + BSS_CHANGED_HE_OBSS_PD = 268435456, +}; + +enum ieee80211_event_type { + RSSI_EVENT = 0, + MLME_EVENT = 1, + BAR_RX_EVENT = 2, + BA_FRAME_TIMEOUT = 3, +}; + +enum ieee80211_rssi_event_data { + RSSI_EVENT_HIGH = 0, + RSSI_EVENT_LOW = 1, +}; + +struct ieee80211_rssi_event { + enum ieee80211_rssi_event_data data; +}; + +enum ieee80211_mlme_event_data { + AUTH_EVENT = 0, + ASSOC_EVENT = 1, + DEAUTH_RX_EVENT = 2, + DEAUTH_TX_EVENT = 3, +}; + +enum ieee80211_mlme_event_status { + MLME_SUCCESS = 0, + MLME_DENIED = 1, + MLME_TIMEOUT = 2, +}; + +struct ieee80211_mlme_event { + enum ieee80211_mlme_event_data data; + enum ieee80211_mlme_event_status status; + u16 reason; +}; + +struct ieee80211_sta; + +struct ieee80211_ba_event { + struct ieee80211_sta *sta; + u16 tid; + u16 ssn; +}; + +enum ieee80211_sta_rx_bandwidth { + IEEE80211_STA_RX_BW_20 = 0, + IEEE80211_STA_RX_BW_40 = 1, + IEEE80211_STA_RX_BW_80 = 2, + IEEE80211_STA_RX_BW_160 = 3, +}; + +enum ieee80211_smps_mode { + IEEE80211_SMPS_AUTOMATIC = 0, + IEEE80211_SMPS_OFF = 1, + IEEE80211_SMPS_STATIC = 2, + IEEE80211_SMPS_DYNAMIC = 3, + IEEE80211_SMPS_NUM_MODES = 4, +}; + +struct ieee80211_sta_txpwr { + s16 power; + enum nl80211_tx_power_setting type; +}; + +struct ieee80211_sta_rates; + +struct ieee80211_sta { + u32 supp_rates[4]; + u8 addr[6]; + u16 aid; + struct ieee80211_sta_ht_cap ht_cap; + struct ieee80211_sta_vht_cap vht_cap; + struct ieee80211_sta_he_cap he_cap; + u16 max_rx_aggregation_subframes; + bool wme; + u8 uapsd_queues; + u8 max_sp; + u8 rx_nss; + enum ieee80211_sta_rx_bandwidth bandwidth; + enum ieee80211_smps_mode smps_mode; + struct ieee80211_sta_rates *rates; + bool tdls; + bool tdls_initiator; + bool mfp; + u8 max_amsdu_subframes; + u16 max_amsdu_len; + bool support_p2p_ps; + u16 max_rc_amsdu_len; + u16 max_tid_amsdu_len[16]; + struct ieee80211_sta_txpwr txpwr; + struct ieee80211_txq *txq[17]; + u8 drv_priv[0]; +}; + +struct ieee80211_event { + enum ieee80211_event_type type; + union { + struct ieee80211_rssi_event rssi; + struct ieee80211_mlme_event mlme; + struct ieee80211_ba_event ba; + } u; +}; + +struct ieee80211_ftm_responder_params { + const u8 *lci; + const u8 *civicloc; + size_t lci_len; + size_t civicloc_len; +}; + +struct ieee80211_tx_rate { + s8 idx; + u16 count: 5; + u16 flags: 11; +} __attribute__((packed)); + +struct ieee80211_key_conf { + atomic64_t tx_pn; + u32 cipher; + u8 icv_len; + u8 iv_len; + u8 hw_key_idx; + s8 keyidx; + u16 flags; + u8 keylen; + u8 key[0]; +}; + +struct ieee80211_tx_info { + u32 flags; + u8 band; + u8 hw_queue; + u16 ack_frame_id: 6; + u16 tx_time_est: 10; + union { + struct { + union { + struct { + struct ieee80211_tx_rate rates[4]; + s8 rts_cts_rate_idx; + u8 use_rts: 1; + u8 use_cts_prot: 1; + u8 short_preamble: 1; + u8 skip_table: 1; + }; + long unsigned int jiffies; + }; + struct ieee80211_vif *vif; + struct ieee80211_key_conf *hw_key; + u32 flags; + codel_time_t enqueue_time; + } control; + struct { + u64 cookie; + } ack; + struct { + struct ieee80211_tx_rate rates[4]; + s32 ack_signal; + u8 ampdu_ack_len; + u8 ampdu_len; + u8 antenna; + u16 tx_time; + bool is_valid_ack_signal; + void *status_driver_data[2]; + } status; + struct { + struct ieee80211_tx_rate driver_rates[4]; + u8 pad[4]; + void *rate_driver_data[3]; + }; + void *driver_data[5]; + }; +}; + +struct ieee80211_tx_status { + struct ieee80211_sta *sta; + struct ieee80211_tx_info *info; + struct sk_buff *skb; + struct rate_info *rate; +}; + +struct ieee80211_scan_ies { + const u8 *ies[4]; + size_t len[4]; + const u8 *common_ies; + size_t common_ie_len; +}; + +struct ieee80211_rx_status { + u64 mactime; + u64 boottime_ns; + u32 device_timestamp; + u32 ampdu_reference; + u32 flag; + u16 freq; + u8 enc_flags; + u8 encoding: 2; + u8 bw: 3; + u8 he_ru: 3; + u8 he_gi: 2; + u8 he_dcm: 1; + u8 rate_idx; + u8 nss; + u8 rx_flags; + u8 band; + u8 antenna; + s8 signal; + u8 chains; + s8 chain_signal[4]; + u8 ampdu_delimiter_crc; + u8 zero_length_psdu_type; +}; + +enum ieee80211_conf_flags { + IEEE80211_CONF_MONITOR = 1, + IEEE80211_CONF_PS = 2, + IEEE80211_CONF_IDLE = 4, + IEEE80211_CONF_OFFCHANNEL = 8, +}; + +enum ieee80211_conf_changed { + IEEE80211_CONF_CHANGE_SMPS = 2, + IEEE80211_CONF_CHANGE_LISTEN_INTERVAL = 4, + IEEE80211_CONF_CHANGE_MONITOR = 8, + IEEE80211_CONF_CHANGE_PS = 16, + IEEE80211_CONF_CHANGE_POWER = 32, + IEEE80211_CONF_CHANGE_CHANNEL = 64, + IEEE80211_CONF_CHANGE_RETRY_LIMITS = 128, + IEEE80211_CONF_CHANGE_IDLE = 256, +}; + +struct ieee80211_conf { + u32 flags; + int power_level; + int dynamic_ps_timeout; + u16 listen_interval; + u8 ps_dtim_period; + u8 long_frame_max_tx_count; + u8 short_frame_max_tx_count; + struct cfg80211_chan_def chandef; + bool radar_enabled; + enum ieee80211_smps_mode smps_mode; +}; + +struct ieee80211_channel_switch { + u64 timestamp; + u32 device_timestamp; + bool block_tx; + struct cfg80211_chan_def chandef; + u8 count; + u32 delay; +}; + +struct ieee80211_txq { + struct ieee80211_vif *vif; + struct ieee80211_sta *sta; + u8 tid; + u8 ac; + long: 48; + u8 drv_priv[0]; +}; + +struct ieee80211_key_seq { + union { + struct { + u32 iv32; + u16 iv16; + } tkip; + struct { + u8 pn[6]; + } ccmp; + struct { + u8 pn[6]; + } aes_cmac; + struct { + u8 pn[6]; + } aes_gmac; + struct { + u8 pn[6]; + } gcmp; + struct { + u8 seq[16]; + u8 seq_len; + } hw; + }; +}; + +struct ieee80211_cipher_scheme { + u32 cipher; + u16 iftype; + u8 hdr_len; + u8 pn_len; + u8 pn_off; + u8 key_idx_off; + u8 key_idx_mask; + u8 key_idx_shift; + u8 mic_len; +}; + +enum set_key_cmd { + SET_KEY = 0, + DISABLE_KEY = 1, +}; + +enum ieee80211_sta_state { + IEEE80211_STA_NOTEXIST = 0, + IEEE80211_STA_NONE = 1, + IEEE80211_STA_AUTH = 2, + IEEE80211_STA_ASSOC = 3, + IEEE80211_STA_AUTHORIZED = 4, +}; + +struct ieee80211_sta_rates { + struct callback_head callback_head; + struct { + s8 idx; + u8 count; + u8 count_cts; + u8 count_rts; + u16 flags; + } rate[4]; +}; + +enum sta_notify_cmd { + STA_NOTIFY_SLEEP = 0, + STA_NOTIFY_AWAKE = 1, +}; + +struct ieee80211_tx_control { + struct ieee80211_sta *sta; +}; + +enum ieee80211_hw_flags { + IEEE80211_HW_HAS_RATE_CONTROL = 0, + IEEE80211_HW_RX_INCLUDES_FCS = 1, + IEEE80211_HW_HOST_BROADCAST_PS_BUFFERING = 2, + IEEE80211_HW_SIGNAL_UNSPEC = 3, + IEEE80211_HW_SIGNAL_DBM = 4, + IEEE80211_HW_NEED_DTIM_BEFORE_ASSOC = 5, + IEEE80211_HW_SPECTRUM_MGMT = 6, + IEEE80211_HW_AMPDU_AGGREGATION = 7, + IEEE80211_HW_SUPPORTS_PS = 8, + IEEE80211_HW_PS_NULLFUNC_STACK = 9, + IEEE80211_HW_SUPPORTS_DYNAMIC_PS = 10, + IEEE80211_HW_MFP_CAPABLE = 11, + IEEE80211_HW_WANT_MONITOR_VIF = 12, + IEEE80211_HW_NO_AUTO_VIF = 13, + IEEE80211_HW_SW_CRYPTO_CONTROL = 14, + IEEE80211_HW_SUPPORT_FAST_XMIT = 15, + IEEE80211_HW_REPORTS_TX_ACK_STATUS = 16, + IEEE80211_HW_CONNECTION_MONITOR = 17, + IEEE80211_HW_QUEUE_CONTROL = 18, + IEEE80211_HW_SUPPORTS_PER_STA_GTK = 19, + IEEE80211_HW_AP_LINK_PS = 20, + IEEE80211_HW_TX_AMPDU_SETUP_IN_HW = 21, + IEEE80211_HW_SUPPORTS_RC_TABLE = 22, + IEEE80211_HW_P2P_DEV_ADDR_FOR_INTF = 23, + IEEE80211_HW_TIMING_BEACON_ONLY = 24, + IEEE80211_HW_SUPPORTS_HT_CCK_RATES = 25, + IEEE80211_HW_CHANCTX_STA_CSA = 26, + IEEE80211_HW_SUPPORTS_CLONED_SKBS = 27, + IEEE80211_HW_SINGLE_SCAN_ON_ALL_BANDS = 28, + IEEE80211_HW_TDLS_WIDER_BW = 29, + IEEE80211_HW_SUPPORTS_AMSDU_IN_AMPDU = 30, + IEEE80211_HW_BEACON_TX_STATUS = 31, + IEEE80211_HW_NEEDS_UNIQUE_STA_ADDR = 32, + IEEE80211_HW_SUPPORTS_REORDERING_BUFFER = 33, + IEEE80211_HW_USES_RSS = 34, + IEEE80211_HW_TX_AMSDU = 35, + IEEE80211_HW_TX_FRAG_LIST = 36, + IEEE80211_HW_REPORTS_LOW_ACK = 37, + IEEE80211_HW_SUPPORTS_TX_FRAG = 38, + IEEE80211_HW_SUPPORTS_TDLS_BUFFER_STA = 39, + IEEE80211_HW_DEAUTH_NEED_MGD_TX_PREP = 40, + IEEE80211_HW_DOESNT_SUPPORT_QOS_NDP = 41, + IEEE80211_HW_BUFF_MMPDU_TXQ = 42, + IEEE80211_HW_SUPPORTS_VHT_EXT_NSS_BW = 43, + IEEE80211_HW_STA_MMPDU_TXQ = 44, + IEEE80211_HW_TX_STATUS_NO_AMPDU_LEN = 45, + IEEE80211_HW_SUPPORTS_MULTI_BSSID = 46, + IEEE80211_HW_SUPPORTS_ONLY_HE_MULTI_BSSID = 47, + IEEE80211_HW_AMPDU_KEYBORDER_SUPPORT = 48, + NUM_IEEE80211_HW_FLAGS = 49, +}; + +struct ieee80211_hw { + struct ieee80211_conf conf; + struct wiphy *wiphy; + const char *rate_control_algorithm; + void *priv; + long unsigned int flags[1]; + unsigned int extra_tx_headroom; + unsigned int extra_beacon_tailroom; + int vif_data_size; + int sta_data_size; + int chanctx_data_size; + int txq_data_size; + u16 queues; + u16 max_listen_interval; + s8 max_signal; + u8 max_rates; + u8 max_report_rates; + u8 max_rate_tries; + u16 max_rx_aggregation_subframes; + u16 max_tx_aggregation_subframes; + u8 max_tx_fragments; + u8 offchannel_tx_hw_queue; + u8 radiotap_mcs_details; + u16 radiotap_vht_details; + struct { + int units_pos; + s16 accuracy; + } radiotap_timestamp; + netdev_features_t netdev_features; + u8 uapsd_queues; + u8 uapsd_max_sp_len; + u8 n_cipher_schemes; + const struct ieee80211_cipher_scheme *cipher_schemes; + u8 max_nan_de_entries; + u8 tx_sk_pacing_shift; + u8 weight_multiplier; + u32 max_mtu; +}; + +struct ieee80211_scan_request { + struct ieee80211_scan_ies ies; + struct cfg80211_scan_request req; +}; + +struct ieee80211_tdls_ch_sw_params { + struct ieee80211_sta *sta; + struct cfg80211_chan_def *chandef; + u8 action_code; + u32 status; + u32 timestamp; + u16 switch_time; + u16 switch_timeout; + struct sk_buff *tmpl_skb; + u32 ch_sw_tm_ie; +}; + +enum ieee80211_filter_flags { + FIF_ALLMULTI = 2, + FIF_FCSFAIL = 4, + FIF_PLCPFAIL = 8, + FIF_BCN_PRBRESP_PROMISC = 16, + FIF_CONTROL = 32, + FIF_OTHER_BSS = 64, + FIF_PSPOLL = 128, + FIF_PROBE_REQ = 256, +}; + +enum ieee80211_ampdu_mlme_action { + IEEE80211_AMPDU_RX_START = 0, + IEEE80211_AMPDU_RX_STOP = 1, + IEEE80211_AMPDU_TX_START = 2, + IEEE80211_AMPDU_TX_STOP_CONT = 3, + IEEE80211_AMPDU_TX_STOP_FLUSH = 4, + IEEE80211_AMPDU_TX_STOP_FLUSH_CONT = 5, + IEEE80211_AMPDU_TX_OPERATIONAL = 6, +}; + +struct ieee80211_ampdu_params { + enum ieee80211_ampdu_mlme_action action; + struct ieee80211_sta *sta; + u16 tid; + u16 ssn; + u16 buf_size; + bool amsdu; + u16 timeout; +}; + +enum ieee80211_frame_release_type { + IEEE80211_FRAME_RELEASE_PSPOLL = 0, + IEEE80211_FRAME_RELEASE_UAPSD = 1, +}; + +enum ieee80211_roc_type { + IEEE80211_ROC_TYPE_NORMAL = 0, + IEEE80211_ROC_TYPE_MGMT_TX = 1, +}; + +enum ieee80211_reconfig_type { + IEEE80211_RECONFIG_TYPE_RESTART = 0, + IEEE80211_RECONFIG_TYPE_SUSPEND = 1, +}; + +struct ieee80211_ops { + void (*tx)(struct ieee80211_hw *, struct ieee80211_tx_control *, struct sk_buff *); + int (*start)(struct ieee80211_hw *); + void (*stop)(struct ieee80211_hw *); + int (*suspend)(struct ieee80211_hw *, struct cfg80211_wowlan *); + int (*resume)(struct ieee80211_hw *); + void (*set_wakeup)(struct ieee80211_hw *, bool); + int (*add_interface)(struct ieee80211_hw *, struct ieee80211_vif *); + int (*change_interface)(struct ieee80211_hw *, struct ieee80211_vif *, enum nl80211_iftype, bool); + void (*remove_interface)(struct ieee80211_hw *, struct ieee80211_vif *); + int (*config)(struct ieee80211_hw *, u32); + void (*bss_info_changed)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_bss_conf *, u32); + int (*start_ap)(struct ieee80211_hw *, struct ieee80211_vif *); + void (*stop_ap)(struct ieee80211_hw *, struct ieee80211_vif *); + u64 (*prepare_multicast)(struct ieee80211_hw *, struct netdev_hw_addr_list *); + void (*configure_filter)(struct ieee80211_hw *, unsigned int, unsigned int *, u64); + void (*config_iface_filter)(struct ieee80211_hw *, struct ieee80211_vif *, unsigned int, unsigned int); + int (*set_tim)(struct ieee80211_hw *, struct ieee80211_sta *, bool); + int (*set_key)(struct ieee80211_hw *, enum set_key_cmd, struct ieee80211_vif *, struct ieee80211_sta *, struct ieee80211_key_conf *); + void (*update_tkip_key)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_key_conf *, struct ieee80211_sta *, u32, u16 *); + void (*set_rekey_data)(struct ieee80211_hw *, struct ieee80211_vif *, struct cfg80211_gtk_rekey_data *); + void (*set_default_unicast_key)(struct ieee80211_hw *, struct ieee80211_vif *, int); + int (*hw_scan)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_scan_request *); + void (*cancel_hw_scan)(struct ieee80211_hw *, struct ieee80211_vif *); + int (*sched_scan_start)(struct ieee80211_hw *, struct ieee80211_vif *, struct cfg80211_sched_scan_request *, struct ieee80211_scan_ies *); + int (*sched_scan_stop)(struct ieee80211_hw *, struct ieee80211_vif *); + void (*sw_scan_start)(struct ieee80211_hw *, struct ieee80211_vif *, const u8 *); + void (*sw_scan_complete)(struct ieee80211_hw *, struct ieee80211_vif *); + int (*get_stats)(struct ieee80211_hw *, struct ieee80211_low_level_stats *); + void (*get_key_seq)(struct ieee80211_hw *, struct ieee80211_key_conf *, struct ieee80211_key_seq *); + int (*set_frag_threshold)(struct ieee80211_hw *, u32); + int (*set_rts_threshold)(struct ieee80211_hw *, u32); + int (*sta_add)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_sta *); + int (*sta_remove)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_sta *); + void (*sta_notify)(struct ieee80211_hw *, struct ieee80211_vif *, enum sta_notify_cmd, struct ieee80211_sta *); + int (*sta_set_txpwr)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_sta *); + int (*sta_state)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_sta *, enum ieee80211_sta_state, enum ieee80211_sta_state); + void (*sta_pre_rcu_remove)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_sta *); + void (*sta_rc_update)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_sta *, u32); + void (*sta_rate_tbl_update)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_sta *); + void (*sta_statistics)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_sta *, struct station_info *); + int (*conf_tx)(struct ieee80211_hw *, struct ieee80211_vif *, u16, const struct ieee80211_tx_queue_params *); + u64 (*get_tsf)(struct ieee80211_hw *, struct ieee80211_vif *); + void (*set_tsf)(struct ieee80211_hw *, struct ieee80211_vif *, u64); + void (*offset_tsf)(struct ieee80211_hw *, struct ieee80211_vif *, s64); + void (*reset_tsf)(struct ieee80211_hw *, struct ieee80211_vif *); + int (*tx_last_beacon)(struct ieee80211_hw *); + int (*ampdu_action)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_ampdu_params *); + int (*get_survey)(struct ieee80211_hw *, int, struct survey_info *); + void (*rfkill_poll)(struct ieee80211_hw *); + void (*set_coverage_class)(struct ieee80211_hw *, s16); + void (*flush)(struct ieee80211_hw *, struct ieee80211_vif *, u32, bool); + void (*channel_switch)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_channel_switch *); + int (*set_antenna)(struct ieee80211_hw *, u32, u32); + int (*get_antenna)(struct ieee80211_hw *, u32 *, u32 *); + int (*remain_on_channel)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_channel *, int, enum ieee80211_roc_type); + int (*cancel_remain_on_channel)(struct ieee80211_hw *, struct ieee80211_vif *); + int (*set_ringparam)(struct ieee80211_hw *, u32, u32); + void (*get_ringparam)(struct ieee80211_hw *, u32 *, u32 *, u32 *, u32 *); + bool (*tx_frames_pending)(struct ieee80211_hw *); + int (*set_bitrate_mask)(struct ieee80211_hw *, struct ieee80211_vif *, const struct cfg80211_bitrate_mask *); + void (*event_callback)(struct ieee80211_hw *, struct ieee80211_vif *, const struct ieee80211_event *); + void (*allow_buffered_frames)(struct ieee80211_hw *, struct ieee80211_sta *, u16, int, enum ieee80211_frame_release_type, bool); + void (*release_buffered_frames)(struct ieee80211_hw *, struct ieee80211_sta *, u16, int, enum ieee80211_frame_release_type, bool); + int (*get_et_sset_count)(struct ieee80211_hw *, struct ieee80211_vif *, int); + void (*get_et_stats)(struct ieee80211_hw *, struct ieee80211_vif *, struct ethtool_stats *, u64 *); + void (*get_et_strings)(struct ieee80211_hw *, struct ieee80211_vif *, u32, u8 *); + void (*mgd_prepare_tx)(struct ieee80211_hw *, struct ieee80211_vif *, u16); + void (*mgd_protect_tdls_discover)(struct ieee80211_hw *, struct ieee80211_vif *); + int (*add_chanctx)(struct ieee80211_hw *, struct ieee80211_chanctx_conf *); + void (*remove_chanctx)(struct ieee80211_hw *, struct ieee80211_chanctx_conf *); + void (*change_chanctx)(struct ieee80211_hw *, struct ieee80211_chanctx_conf *, u32); + int (*assign_vif_chanctx)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_chanctx_conf *); + void (*unassign_vif_chanctx)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_chanctx_conf *); + int (*switch_vif_chanctx)(struct ieee80211_hw *, struct ieee80211_vif_chanctx_switch *, int, enum ieee80211_chanctx_switch_mode); + void (*reconfig_complete)(struct ieee80211_hw *, enum ieee80211_reconfig_type); + void (*ipv6_addr_change)(struct ieee80211_hw *, struct ieee80211_vif *, struct inet6_dev *); + void (*channel_switch_beacon)(struct ieee80211_hw *, struct ieee80211_vif *, struct cfg80211_chan_def *); + int (*pre_channel_switch)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_channel_switch *); + int (*post_channel_switch)(struct ieee80211_hw *, struct ieee80211_vif *); + void (*abort_channel_switch)(struct ieee80211_hw *, struct ieee80211_vif *); + void (*channel_switch_rx_beacon)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_channel_switch *); + int (*join_ibss)(struct ieee80211_hw *, struct ieee80211_vif *); + void (*leave_ibss)(struct ieee80211_hw *, struct ieee80211_vif *); + u32 (*get_expected_throughput)(struct ieee80211_hw *, struct ieee80211_sta *); + int (*get_txpower)(struct ieee80211_hw *, struct ieee80211_vif *, int *); + int (*tdls_channel_switch)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_sta *, u8, struct cfg80211_chan_def *, struct sk_buff *, u32); + void (*tdls_cancel_channel_switch)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_sta *); + void (*tdls_recv_channel_switch)(struct ieee80211_hw *, struct ieee80211_vif *, struct ieee80211_tdls_ch_sw_params *); + void (*wake_tx_queue)(struct ieee80211_hw *, struct ieee80211_txq *); + void (*sync_rx_queues)(struct ieee80211_hw *); + int (*start_nan)(struct ieee80211_hw *, struct ieee80211_vif *, struct cfg80211_nan_conf *); + int (*stop_nan)(struct ieee80211_hw *, struct ieee80211_vif *); + int (*nan_change_conf)(struct ieee80211_hw *, struct ieee80211_vif *, struct cfg80211_nan_conf *, u32); + int (*add_nan_func)(struct ieee80211_hw *, struct ieee80211_vif *, const struct cfg80211_nan_func *); + void (*del_nan_func)(struct ieee80211_hw *, struct ieee80211_vif *, u8); + bool (*can_aggregate_in_amsdu)(struct ieee80211_hw *, struct sk_buff *, struct sk_buff *); + int (*get_ftm_responder_stats)(struct ieee80211_hw *, struct ieee80211_vif *, struct cfg80211_ftm_responder_stats *); + int (*start_pmsr)(struct ieee80211_hw *, struct ieee80211_vif *, struct cfg80211_pmsr_request *); + void (*abort_pmsr)(struct ieee80211_hw *, struct ieee80211_vif *, struct cfg80211_pmsr_request *); +}; + +struct ieee80211_tpt_blink { + int throughput; + int blink_time; +}; + +struct ieee80211_tx_rate_control { + struct ieee80211_hw *hw; + struct ieee80211_supported_band *sband; + struct ieee80211_bss_conf *bss_conf; + struct sk_buff *skb; + struct ieee80211_tx_rate reported_rate; + bool rts; + bool short_preamble; + u32 rate_idx_mask; + u8 *rate_idx_mcs_mask; + bool bss; +}; + +enum rate_control_capabilities { + RATE_CTRL_CAPA_VHT_EXT_NSS_BW = 1, +}; + +struct rate_control_ops { + long unsigned int capa; + const char *name; + void * (*alloc)(struct ieee80211_hw *, struct dentry___2 *); + void (*free)(void *); + void * (*alloc_sta)(void *, struct ieee80211_sta *, gfp_t); + void (*rate_init)(void *, struct ieee80211_supported_band *, struct cfg80211_chan_def *, struct ieee80211_sta *, void *); + void (*rate_update)(void *, struct ieee80211_supported_band *, struct cfg80211_chan_def *, struct ieee80211_sta *, void *, u32); + void (*free_sta)(void *, struct ieee80211_sta *, void *); + void (*tx_status_ext)(void *, struct ieee80211_supported_band *, void *, struct ieee80211_tx_status *); + void (*tx_status)(void *, struct ieee80211_supported_band *, struct ieee80211_sta *, void *, struct sk_buff *); + void (*get_rate)(void *, struct ieee80211_sta *, void *, struct ieee80211_tx_rate_control *); + void (*add_sta_debugfs)(void *, void *, struct dentry___2 *); + u32 (*get_expected_throughput)(void *); +}; + +struct fq_tin; + +struct fq_flow { + struct fq_tin *tin; + struct list_head flowchain; + struct list_head backlogchain; + struct sk_buff_head queue; + u32 backlog; + int deficit; +}; + +struct fq_tin { + struct list_head new_flows; + struct list_head old_flows; + u32 backlog_bytes; + u32 backlog_packets; + u32 overlimit; + u32 collisions; + u32 flows; + u32 tx_bytes; + u32 tx_packets; +}; + +struct fq { + struct fq_flow *flows; + struct list_head backlogs; + spinlock_t lock; + u32 flows_cnt; + siphash_key_t perturbation; + u32 limit; + u32 memory_limit; + u32 memory_usage; + u32 quantum; + u32 backlog; + u32 overlimit; + u32 overmemory; + u32 collisions; +}; + +enum ieee80211_internal_tkip_state { + TKIP_STATE_NOT_INIT = 0, + TKIP_STATE_PHASE1_DONE = 1, + TKIP_STATE_PHASE1_HW_UPLOADED = 2, +}; + +struct tkip_ctx { + u16 p1k[5]; + u32 p1k_iv32; + enum ieee80211_internal_tkip_state state; +}; + +struct tkip_ctx_rx { + struct tkip_ctx ctx; + u32 iv32; + u16 iv16; +}; + +struct ieee80211_local; + +struct ieee80211_sub_if_data; + +struct sta_info; + +struct ieee80211_key { + struct ieee80211_local *local; + struct ieee80211_sub_if_data *sdata; + struct sta_info *sta; + struct list_head list; + unsigned int flags; + union { + struct { + spinlock_t txlock; + struct tkip_ctx tx; + struct tkip_ctx_rx rx[16]; + u32 mic_failures; + } tkip; + struct { + u8 rx_pn[102]; + struct crypto_aead *tfm; + u32 replays; + } ccmp; + struct { + u8 rx_pn[6]; + struct crypto_shash *tfm; + u32 replays; + u32 icverrors; + } aes_cmac; + struct { + u8 rx_pn[6]; + struct crypto_aead *tfm; + u32 replays; + u32 icverrors; + } aes_gmac; + struct { + u8 rx_pn[102]; + struct crypto_aead *tfm; + u32 replays; + } gcmp; + struct { + u8 rx_pn[272]; + } gen; + } u; + struct ieee80211_key_conf conf; +}; + +enum mac80211_scan_state { + SCAN_DECISION = 0, + SCAN_SET_CHANNEL = 1, + SCAN_SEND_PROBE = 2, + SCAN_SUSPEND = 3, + SCAN_RESUME = 4, + SCAN_ABORT = 5, +}; + +struct rate_control_ref; + +struct tpt_led_trigger; + +struct ieee80211_local { + struct ieee80211_hw hw; + struct fq fq; + struct codel_vars *cvars; + struct codel_params cparams; + spinlock_t active_txq_lock[4]; + struct list_head active_txqs[4]; + u16 schedule_round[4]; + u16 airtime_flags; + u32 aql_txq_limit_low[4]; + u32 aql_txq_limit_high[4]; + u32 aql_threshold; + atomic_t aql_total_pending_airtime; + const struct ieee80211_ops *ops; + struct workqueue_struct *workqueue; + long unsigned int queue_stop_reasons[16]; + int q_stop_reasons[160]; + spinlock_t queue_stop_reason_lock; + int open_count; + int monitors; + int cooked_mntrs; + int fif_fcsfail; + int fif_plcpfail; + int fif_control; + int fif_other_bss; + int fif_pspoll; + int fif_probe_req; + int probe_req_reg; + unsigned int filter_flags; + bool wiphy_ciphers_allocated; + bool use_chanctx; + spinlock_t filter_lock; + struct work_struct reconfig_filter; + struct netdev_hw_addr_list mc_list; + bool tim_in_locked_section; + bool suspended; + bool resuming; + bool quiescing; + bool started; + bool in_reconfig; + bool wowlan; + struct work_struct radar_detected_work; + u8 rx_chains; + u8 sband_allocated; + int tx_headroom; + struct tasklet_struct tasklet; + struct sk_buff_head skb_queue; + struct sk_buff_head skb_queue_unreliable; + spinlock_t rx_path_lock; + struct mutex sta_mtx; + spinlock_t tim_lock; + long unsigned int num_sta; + struct list_head sta_list; + struct rhltable sta_hash; + struct timer_list sta_cleanup; + int sta_generation; + struct sk_buff_head pending[16]; + struct tasklet_struct tx_pending_tasklet; + struct tasklet_struct wake_txqs_tasklet; + atomic_t agg_queue_stop[16]; + atomic_t iff_allmultis; + struct rate_control_ref *rate_ctrl; + struct arc4_ctx wep_tx_ctx; + struct arc4_ctx wep_rx_ctx; + u32 wep_iv; + struct list_head interfaces; + struct list_head mon_list; + struct mutex iflist_mtx; + struct mutex key_mtx; + struct mutex mtx; + long unsigned int scanning; + struct cfg80211_ssid scan_ssid; + struct cfg80211_scan_request *int_scan_req; + struct cfg80211_scan_request *scan_req; + struct ieee80211_scan_request *hw_scan_req; + struct cfg80211_chan_def scan_chandef; + enum nl80211_band hw_scan_band; + int scan_channel_idx; + int scan_ies_len; + int hw_scan_ies_bufsize; + struct cfg80211_scan_info scan_info; + struct work_struct sched_scan_stopped_work; + struct ieee80211_sub_if_data *sched_scan_sdata; + struct cfg80211_sched_scan_request *sched_scan_req; + u8 scan_addr[6]; + long unsigned int leave_oper_channel_time; + enum mac80211_scan_state next_scan_state; + struct delayed_work scan_work; + struct ieee80211_sub_if_data *scan_sdata; + struct cfg80211_chan_def _oper_chandef; + struct ieee80211_channel *tmp_channel; + struct list_head chanctx_list; + struct mutex chanctx_mtx; + struct led_trigger tx_led; + struct led_trigger rx_led; + struct led_trigger assoc_led; + struct led_trigger radio_led; + struct led_trigger tpt_led; + atomic_t tx_led_active; + atomic_t rx_led_active; + atomic_t assoc_led_active; + atomic_t radio_led_active; + atomic_t tpt_led_active; + struct tpt_led_trigger *tpt_led_trigger; + int total_ps_buffered; + bool pspolling; + bool offchannel_ps_enabled; + struct ieee80211_sub_if_data *ps_sdata; + struct work_struct dynamic_ps_enable_work; + struct work_struct dynamic_ps_disable_work; + struct timer_list dynamic_ps_timer; + struct notifier_block ifa_notifier; + struct notifier_block ifa6_notifier; + int dynamic_ps_forced_timeout; + int user_power_level; + enum ieee80211_smps_mode smps_mode; + struct work_struct restart_work; + struct delayed_work roc_work; + struct list_head roc_list; + struct work_struct hw_roc_start; + struct work_struct hw_roc_done; + long unsigned int hw_roc_start_time; + u64 roc_cookie_counter; + struct idr ack_status_frames; + spinlock_t ack_status_lock; + struct ieee80211_sub_if_data *p2p_sdata; + struct ieee80211_sub_if_data *monitor_sdata; + struct cfg80211_chan_def monitor_chandef; + u8 ext_capa[8]; + struct work_struct tdls_chsw_work; + struct sk_buff_head skb_queue_tdls_chsw; +}; + +struct ieee80211_fragment_entry { + struct sk_buff_head skb_list; + long unsigned int first_frag_time; + u16 seq; + u16 extra_len; + u16 last_frag; + u8 rx_queue; + bool check_sequential_pn; + u8 last_pn[6]; +}; + +struct ps_data { + u8 tim[256]; + struct sk_buff_head bc_buf; + atomic_t num_sta_ps; + int dtim_count; + bool dtim_bc_mc; +}; + +struct beacon_data; + +struct probe_resp; + +struct ieee80211_if_ap { + struct beacon_data *beacon; + struct probe_resp *probe_resp; + struct cfg80211_beacon_data *next_beacon; + struct list_head vlans; + struct ps_data ps; + atomic_t num_mcast_sta; + enum ieee80211_smps_mode req_smps; + enum ieee80211_smps_mode driver_smps_mode; + struct work_struct request_smps_work; + bool multicast_to_unicast; +}; + +struct ieee80211_if_wds { + struct sta_info *sta; + u8 remote_addr[6]; +}; + +struct ieee80211_if_vlan { + struct list_head list; + struct sta_info *sta; + atomic_t num_mcast_sta; +}; + +struct ewma_beacon_signal { + long unsigned int internal; +}; + +struct ieee80211_sta_tx_tspec { + long unsigned int time_slice_start; + u32 admitted_time; + u8 tsid; + s8 up; + u32 consumed_tx_time; + enum { + TX_TSPEC_ACTION_NONE = 0, + TX_TSPEC_ACTION_DOWNGRADE = 1, + TX_TSPEC_ACTION_STOP_DOWNGRADE = 2, + } action; + bool downgraded; +}; + +struct ieee80211_mgd_auth_data; + +struct ieee80211_mgd_assoc_data; + +struct ieee80211_if_managed { + struct timer_list timer; + struct timer_list conn_mon_timer; + struct timer_list bcn_mon_timer; + struct timer_list chswitch_timer; + struct work_struct monitor_work; + struct work_struct chswitch_work; + struct work_struct beacon_connection_loss_work; + struct work_struct csa_connection_drop_work; + long unsigned int beacon_timeout; + long unsigned int probe_timeout; + int probe_send_count; + bool nullfunc_failed; + bool connection_loss; + short: 16; + struct cfg80211_bss *associated; + struct ieee80211_mgd_auth_data *auth_data; + struct ieee80211_mgd_assoc_data *assoc_data; + u8 bssid[6]; + u16 aid; + bool powersave; + bool broken_ap; + bool have_beacon; + u8 dtim_period; + enum ieee80211_smps_mode req_smps; + enum ieee80211_smps_mode driver_smps_mode; + int: 32; + struct work_struct request_smps_work; + unsigned int flags; + bool csa_waiting_bcn; + bool csa_ignored_same_chan; + bool beacon_crc_valid; + char: 8; + u32 beacon_crc; + bool status_acked; + bool status_received; + __le16 status_fc; + enum { + IEEE80211_MFP_DISABLED = 0, + IEEE80211_MFP_OPTIONAL = 1, + IEEE80211_MFP_REQUIRED = 2, + } mfp; + unsigned int uapsd_queues; + unsigned int uapsd_max_sp_len; + int wmm_last_param_set; + int mu_edca_last_param_set; + u8 use_4addr; + char: 8; + s16 p2p_noa_index; + struct ewma_beacon_signal ave_beacon_signal; + unsigned int count_beacon_signal; + unsigned int beacon_loss_count; + int last_cqm_event_signal; + int rssi_min_thold; + int rssi_max_thold; + int last_ave_beacon_signal; + struct ieee80211_ht_cap ht_capa; + struct ieee80211_ht_cap ht_capa_mask; + struct ieee80211_vht_cap vht_capa; + struct ieee80211_vht_cap vht_capa_mask; + u8 tdls_peer[6]; + long: 48; + struct delayed_work tdls_peer_del_work; + struct sk_buff *orig_teardown_skb; + struct sk_buff *teardown_skb; + spinlock_t teardown_lock; + bool tdls_chan_switch_prohibited; + bool tdls_wider_bw_prohibited; + short: 16; + struct ieee80211_sta_tx_tspec tx_tspec[4]; + struct delayed_work tx_tspec_wk; + u8 *assoc_req_ies; + size_t assoc_req_ies_len; +} __attribute__((packed)); + +struct ieee80211_if_ibss { + struct timer_list timer; + struct work_struct csa_connection_drop_work; + long unsigned int last_scan_completed; + u32 basic_rates; + bool fixed_bssid; + bool fixed_channel; + bool privacy; + bool control_port; + bool userspace_handles_dfs; + char: 8; + u8 bssid[6]; + u8 ssid[32]; + u8 ssid_len; + u8 ie_len; + long: 48; + u8 *ie; + struct cfg80211_chan_def chandef; + long unsigned int ibss_join_req; + struct beacon_data *presp; + struct ieee80211_ht_cap ht_capa; + struct ieee80211_ht_cap ht_capa_mask; + spinlock_t incomplete_lock; + struct list_head incomplete_stations; + enum { + IEEE80211_IBSS_MLME_SEARCH = 0, + IEEE80211_IBSS_MLME_JOINED = 1, + } state; + int: 32; +} __attribute__((packed)); + +struct mesh_preq_queue { + struct list_head list; + u8 dst[6]; + u8 flags; +}; + +struct mesh_stats { + __u32 fwded_mcast; + __u32 fwded_unicast; + __u32 fwded_frames; + __u32 dropped_frames_ttl; + __u32 dropped_frames_no_route; + __u32 dropped_frames_congestion; +}; + +struct mesh_rmc; + +struct ieee80211_mesh_sync_ops; + +struct mesh_csa_settings; + +struct mesh_table; + +struct ieee80211_if_mesh { + struct timer_list housekeeping_timer; + struct timer_list mesh_path_timer; + struct timer_list mesh_path_root_timer; + long unsigned int wrkq_flags; + long unsigned int mbss_changed; + bool userspace_handles_dfs; + u8 mesh_id[32]; + size_t mesh_id_len; + u8 mesh_pp_id; + u8 mesh_pm_id; + u8 mesh_cc_id; + u8 mesh_sp_id; + u8 mesh_auth_id; + u32 sn; + u32 preq_id; + atomic_t mpaths; + long unsigned int last_sn_update; + long unsigned int next_perr; + long unsigned int last_preq; + struct mesh_rmc *rmc; + spinlock_t mesh_preq_queue_lock; + struct mesh_preq_queue preq_queue; + int preq_queue_len; + struct mesh_stats mshstats; + struct mesh_config mshcfg; + atomic_t estab_plinks; + u32 mesh_seqnum; + bool accepting_plinks; + int num_gates; + struct beacon_data *beacon; + const u8 *ie; + u8 ie_len; + enum { + IEEE80211_MESH_SEC_NONE = 0, + IEEE80211_MESH_SEC_AUTHED = 1, + IEEE80211_MESH_SEC_SECURED = 2, + } security; + bool user_mpm; + const struct ieee80211_mesh_sync_ops *sync_ops; + s64 sync_offset_clockdrift_max; + spinlock_t sync_offset_lock; + enum nl80211_mesh_power_mode nonpeer_pm; + int ps_peers_light_sleep; + int ps_peers_deep_sleep; + struct ps_data ps; + struct mesh_csa_settings *csa; + enum { + IEEE80211_MESH_CSA_ROLE_NONE = 0, + IEEE80211_MESH_CSA_ROLE_INIT = 1, + IEEE80211_MESH_CSA_ROLE_REPEATER = 2, + } csa_role; + u8 chsw_ttl; + u16 pre_value; + int meshconf_offset; + struct mesh_table *mesh_paths; + struct mesh_table *mpp_paths; + int mesh_paths_generation; + int mpp_paths_generation; +}; + +struct ieee80211_if_ocb { + struct timer_list housekeeping_timer; + long unsigned int wrkq_flags; + spinlock_t incomplete_lock; + struct list_head incomplete_stations; + bool joined; +}; + +struct ieee80211_if_mntr { + u32 flags; + u8 mu_follow_addr[6]; + struct list_head list; +}; + +struct ieee80211_if_nan { + struct cfg80211_nan_conf conf; + spinlock_t func_lock; + struct idr function_inst_ids; +}; + +struct mac80211_qos_map; + +struct ieee80211_chanctx; + +struct ieee80211_sub_if_data { + struct list_head list; + struct wireless_dev wdev; + struct list_head key_list; + int crypto_tx_tailroom_needed_cnt; + int crypto_tx_tailroom_pending_dec; + struct delayed_work dec_tailroom_needed_wk; + struct net_device *dev; + struct ieee80211_local *local; + unsigned int flags; + long unsigned int state; + char name[16]; + struct ieee80211_fragment_entry fragments[4]; + unsigned int fragment_next; + u16 noack_map; + u8 wmm_acm; + struct ieee80211_key *keys[6]; + struct ieee80211_key *default_unicast_key; + struct ieee80211_key *default_multicast_key; + struct ieee80211_key *default_mgmt_key; + u16 sequence_number; + __be16 control_port_protocol; + bool control_port_no_encrypt; + bool control_port_over_nl80211; + int encrypt_headroom; + atomic_t num_tx_queued; + struct ieee80211_tx_queue_params tx_conf[4]; + struct mac80211_qos_map *qos_map; + struct work_struct csa_finalize_work; + bool csa_block_tx; + struct cfg80211_chan_def csa_chandef; + struct list_head assigned_chanctx_list; + struct list_head reserved_chanctx_list; + struct ieee80211_chanctx *reserved_chanctx; + struct cfg80211_chan_def reserved_chandef; + bool reserved_radar_required; + bool reserved_ready; + struct work_struct recalc_smps; + struct work_struct work; + struct sk_buff_head skb_queue; + u8 needed_rx_chains; + enum ieee80211_smps_mode smps_mode; + int user_power_level; + int ap_power_level; + bool radar_required; + struct delayed_work dfs_cac_timer_work; + struct ieee80211_if_ap *bss; + u32 rc_rateidx_mask[4]; + bool rc_has_mcs_mask[4]; + u8 rc_rateidx_mcs_mask[40]; + bool rc_has_vht_mcs_mask[4]; + u16 rc_rateidx_vht_mcs_mask[32]; + union { + struct ieee80211_if_ap ap; + struct ieee80211_if_wds wds; + struct ieee80211_if_vlan vlan; + struct ieee80211_if_managed mgd; + struct ieee80211_if_ibss ibss; + struct ieee80211_if_mesh mesh; + struct ieee80211_if_ocb ocb; + struct ieee80211_if_mntr mntr; + struct ieee80211_if_nan nan; + } u; + struct ieee80211_vif vif; +}; + +struct ieee80211_sta_rx_stats { + long unsigned int packets; + long unsigned int last_rx; + long unsigned int num_duplicates; + long unsigned int fragments; + long unsigned int dropped; + int last_signal; + u8 chains; + s8 chain_signal_last[4]; + u32 last_rate; + struct u64_stats_sync syncp; + u64 bytes; + u64 msdu[17]; +}; + +struct ewma_signal { + long unsigned int internal; +}; + +struct ewma_avg_signal { + long unsigned int internal; +}; + +struct airtime_info { + u64 rx_airtime; + u64 tx_airtime; + s64 deficit; + atomic_t aql_tx_pending; + u32 aql_limit_low; + u32 aql_limit_high; +}; + +struct tid_ampdu_rx; + +struct tid_ampdu_tx; + +struct sta_ampdu_mlme { + struct mutex mtx; + struct tid_ampdu_rx *tid_rx[16]; + u8 tid_rx_token[16]; + long unsigned int tid_rx_timer_expired[1]; + long unsigned int tid_rx_stop_requested[1]; + long unsigned int tid_rx_manage_offl[1]; + long unsigned int agg_session_valid[1]; + long unsigned int unexpected_agg[1]; + struct work_struct work; + struct tid_ampdu_tx *tid_tx[16]; + struct tid_ampdu_tx *tid_start_tx[16]; + long unsigned int last_addba_req_time[16]; + u8 addba_req_num[16]; + u8 dialog_token_allocator; +}; + +struct ieee80211_fast_tx; + +struct ieee80211_fast_rx; + +struct sta_info { + struct list_head list; + struct list_head free_list; + struct callback_head callback_head; + struct rhlist_head hash_node; + u8 addr[6]; + struct ieee80211_local *local; + struct ieee80211_sub_if_data *sdata; + struct ieee80211_key *gtk[6]; + struct ieee80211_key *ptk[4]; + u8 ptk_idx; + struct rate_control_ref *rate_ctrl; + void *rate_ctrl_priv; + spinlock_t rate_ctrl_lock; + spinlock_t lock; + struct ieee80211_fast_tx *fast_tx; + struct ieee80211_fast_rx *fast_rx; + struct ieee80211_sta_rx_stats *pcpu_rx_stats; + struct work_struct drv_deliver_wk; + u16 listen_interval; + bool dead; + bool removed; + bool uploaded; + enum ieee80211_sta_state sta_state; + long unsigned int _flags; + spinlock_t ps_lock; + struct sk_buff_head ps_tx_buf[4]; + struct sk_buff_head tx_filtered[4]; + long unsigned int driver_buffered_tids; + long unsigned int txq_buffered_tids; + u64 assoc_at; + long int last_connected; + struct ieee80211_sta_rx_stats rx_stats; + struct { + struct ewma_signal signal; + struct ewma_signal chain_signal[4]; + } rx_stats_avg; + __le16 last_seq_ctrl[17]; + struct { + long unsigned int filtered; + long unsigned int retry_failed; + long unsigned int retry_count; + unsigned int lost_packets; + long unsigned int last_tdls_pkt_time; + u64 msdu_retries[17]; + u64 msdu_failed[17]; + long unsigned int last_ack; + s8 last_ack_signal; + bool ack_signal_filled; + struct ewma_avg_signal avg_ack_signal; + } status_stats; + struct { + u64 packets[4]; + u64 bytes[4]; + struct ieee80211_tx_rate last_rate; + u64 msdu[17]; + } tx_stats; + u16 tid_seq[16]; + struct airtime_info airtime[4]; + u16 airtime_weight; + struct sta_ampdu_mlme ampdu_mlme; + enum ieee80211_sta_rx_bandwidth cur_max_bandwidth; + enum ieee80211_smps_mode known_smps_mode; + const struct ieee80211_cipher_scheme *cipher_scheme; + struct codel_params cparams; + u8 reserved_tid; + struct cfg80211_chan_def tdls_chandef; + struct ieee80211_sta sta; +}; + +struct tid_ampdu_tx { + struct callback_head callback_head; + struct timer_list session_timer; + struct timer_list addba_resp_timer; + struct sk_buff_head pending; + struct sta_info *sta; + long unsigned int state; + long unsigned int last_tx; + u16 timeout; + u8 dialog_token; + u8 stop_initiator; + bool tx_stop; + u16 buf_size; + u16 failed_bar_ssn; + bool bar_pending; + bool amsdu; + u8 tid; +}; + +struct tid_ampdu_rx { + struct callback_head callback_head; + spinlock_t reorder_lock; + u64 reorder_buf_filtered; + struct sk_buff_head *reorder_buf; + long unsigned int *reorder_time; + struct sta_info *sta; + struct timer_list session_timer; + struct timer_list reorder_timer; + long unsigned int last_rx; + u16 head_seq_num; + u16 stored_mpdu_num; + u16 ssn; + u16 buf_size; + u16 timeout; + u8 tid; + u8 auto_seq: 1; + u8 removed: 1; + u8 started: 1; +}; + +struct ieee80211_fast_tx { + struct ieee80211_key *key; + u8 hdr_len; + u8 sa_offs; + u8 da_offs; + u8 pn_offs; + u8 band; + char: 8; + u8 hdr[56]; + struct callback_head callback_head; +}; + +struct ieee80211_fast_rx { + struct net_device *dev; + enum nl80211_iftype vif_type; + u8 vif_addr[6]; + u8 rfc1042_hdr[6]; + __be16 control_port_protocol; + __le16 expected_ds_bits; + u8 icv_len; + u8 key: 1; + u8 sta_notify: 1; + u8 internal_forward: 1; + u8 uses_rss: 1; + u8 da_offs; + u8 sa_offs; + struct callback_head callback_head; +}; + +struct rate_control_ref { + const struct rate_control_ops *ops; + void *priv; +}; + +struct beacon_data { + u8 *head; + u8 *tail; + int head_len; + int tail_len; + struct ieee80211_meshconf_ie *meshconf; + u16 csa_counter_offsets[2]; + u8 csa_current_counter; + struct callback_head callback_head; +}; + +struct probe_resp { + struct callback_head callback_head; + int len; + u16 csa_counter_offsets[2]; + u8 data[0]; +}; + +struct ieee80211_mgd_auth_data { + struct cfg80211_bss *bss; + long unsigned int timeout; + int tries; + u16 algorithm; + u16 expected_transaction; + u8 key[13]; + u8 key_len; + u8 key_idx; + bool done; + bool peer_confirmed; + bool timeout_started; + u16 sae_trans; + u16 sae_status; + size_t data_len; + u8 data[0]; +}; + +struct ieee80211_mgd_assoc_data { + struct cfg80211_bss *bss; + const u8 *supp_rates; + long unsigned int timeout; + int tries; + u16 capability; + u8 prev_bssid[6]; + u8 ssid[32]; + u8 ssid_len; + u8 supp_rates_len; + bool wmm; + bool uapsd; + bool need_beacon; + bool synced; + bool timeout_started; + u8 ap_ht_param; + struct ieee80211_vht_cap ap_vht_cap; + u8 fils_nonces[32]; + u8 fils_kek[64]; + size_t fils_kek_len; + size_t ie_len; + u8 ie[0]; +}; + +struct ieee802_11_elems; + +struct ieee80211_mesh_sync_ops { + void (*rx_bcn_presp)(struct ieee80211_sub_if_data *, u16, struct ieee80211_mgmt *, struct ieee802_11_elems *, struct ieee80211_rx_status *); + void (*adjust_tsf)(struct ieee80211_sub_if_data *, struct beacon_data *); +}; + +struct ieee802_11_elems { + const u8 *ie_start; + size_t total_len; + const struct ieee80211_tdls_lnkie *lnk_id; + const struct ieee80211_ch_switch_timing *ch_sw_timing; + const u8 *ext_capab; + const u8 *ssid; + const u8 *supp_rates; + const u8 *ds_params; + const struct ieee80211_tim_ie *tim; + const u8 *challenge; + const u8 *rsn; + const u8 *erp_info; + const u8 *ext_supp_rates; + const u8 *wmm_info; + const u8 *wmm_param; + const struct ieee80211_ht_cap *ht_cap_elem; + const struct ieee80211_ht_operation *ht_operation; + const struct ieee80211_vht_cap *vht_cap_elem; + const struct ieee80211_vht_operation *vht_operation; + const struct ieee80211_meshconf_ie *mesh_config; + const u8 *he_cap; + const struct ieee80211_he_operation *he_operation; + const struct ieee80211_he_spr *he_spr; + const struct ieee80211_mu_edca_param_set *mu_edca_param_set; + const u8 *uora_element; + const u8 *mesh_id; + const u8 *peering; + const __le16 *awake_window; + const u8 *preq; + const u8 *prep; + const u8 *perr; + const struct ieee80211_rann_ie *rann; + const struct ieee80211_channel_sw_ie *ch_switch_ie; + const struct ieee80211_ext_chansw_ie *ext_chansw_ie; + const struct ieee80211_wide_bw_chansw_ie *wide_bw_chansw_ie; + const u8 *max_channel_switch_time; + const u8 *country_elem; + const u8 *pwr_constr_elem; + const u8 *cisco_dtpc_elem; + const struct ieee80211_timeout_interval_ie *timeout_int; + const u8 *opmode_notif; + const struct ieee80211_sec_chan_offs_ie *sec_chan_offs; + struct ieee80211_mesh_chansw_params_ie *mesh_chansw_params_ie; + const struct ieee80211_bss_max_idle_period_ie *max_idle_period_ie; + const struct ieee80211_multiple_bssid_configuration *mbssid_config_ie; + const struct ieee80211_bssid_index *bssid_index; + u8 max_bssid_indicator; + u8 dtim_count; + u8 dtim_period; + const struct ieee80211_addba_ext_ie *addba_ext_ie; + u8 ext_capab_len; + u8 ssid_len; + u8 supp_rates_len; + u8 tim_len; + u8 challenge_len; + u8 rsn_len; + u8 ext_supp_rates_len; + u8 wmm_info_len; + u8 wmm_param_len; + u8 he_cap_len; + u8 mesh_id_len; + u8 peering_len; + u8 preq_len; + u8 prep_len; + u8 perr_len; + u8 country_elem_len; + u8 bssid_index_len; + bool parse_error; +}; + +struct mesh_csa_settings { + struct callback_head callback_head; + struct cfg80211_csa_settings settings; +}; + +struct mesh_rmc { + struct hlist_head bucket[256]; + u32 idx_mask; +}; + +struct mesh_table { + struct hlist_head known_gates; + spinlock_t gates_lock; + struct rhashtable rhead; + struct hlist_head walk_head; + spinlock_t walk_lock; + atomic_t entries; +}; + +enum ieee80211_sub_if_data_flags { + IEEE80211_SDATA_ALLMULTI = 1, + IEEE80211_SDATA_OPERATING_GMODE = 4, + IEEE80211_SDATA_DONT_BRIDGE_PACKETS = 8, + IEEE80211_SDATA_DISCONNECT_RESUME = 16, + IEEE80211_SDATA_IN_DRIVER = 32, +}; + +enum ieee80211_chanctx_mode { + IEEE80211_CHANCTX_SHARED = 0, + IEEE80211_CHANCTX_EXCLUSIVE = 1, +}; + +enum ieee80211_chanctx_replace_state { + IEEE80211_CHANCTX_REPLACE_NONE = 0, + IEEE80211_CHANCTX_WILL_BE_REPLACED = 1, + IEEE80211_CHANCTX_REPLACES_OTHER = 2, +}; + +struct ieee80211_chanctx { + struct list_head list; + struct callback_head callback_head; + struct list_head assigned_vifs; + struct list_head reserved_vifs; + enum ieee80211_chanctx_replace_state replace_state; + struct ieee80211_chanctx *replace_ctx; + enum ieee80211_chanctx_mode mode; + bool driver_present; + struct ieee80211_chanctx_conf conf; +}; + +struct mac80211_qos_map { + struct cfg80211_qos_map qos_map; + struct callback_head callback_head; +}; + +enum { + IEEE80211_RX_MSG = 1, + IEEE80211_TX_STATUS_MSG = 2, +}; + +enum queue_stop_reason { + IEEE80211_QUEUE_STOP_REASON_DRIVER = 0, + IEEE80211_QUEUE_STOP_REASON_PS = 1, + IEEE80211_QUEUE_STOP_REASON_CSA = 2, + IEEE80211_QUEUE_STOP_REASON_AGGREGATION = 3, + IEEE80211_QUEUE_STOP_REASON_SUSPEND = 4, + IEEE80211_QUEUE_STOP_REASON_SKB_ADD = 5, + IEEE80211_QUEUE_STOP_REASON_OFFCHANNEL = 6, + IEEE80211_QUEUE_STOP_REASON_FLUSH = 7, + IEEE80211_QUEUE_STOP_REASON_TDLS_TEARDOWN = 8, + IEEE80211_QUEUE_STOP_REASON_RESERVE_TID = 9, + IEEE80211_QUEUE_STOP_REASONS = 10, +}; + +struct tpt_led_trigger { + char name[32]; + const struct ieee80211_tpt_blink *blink_table; + unsigned int blink_table_len; + struct timer_list timer; + struct ieee80211_local *local; + long unsigned int prev_traffic; + long unsigned int tx_bytes; + long unsigned int rx_bytes; + unsigned int active; + unsigned int want; + bool running; +}; + +enum { + SCAN_SW_SCANNING = 0, + SCAN_HW_SCANNING = 1, + SCAN_ONCHANNEL_SCANNING = 2, + SCAN_COMPLETED = 3, + SCAN_ABORTED = 4, + SCAN_HW_CANCELLED = 5, +}; + +typedef struct bio_vec___2 skb_frag_t___2; + +struct ieee80211_bar { + __le16 frame_control; + __le16 duration; + __u8 ra[6]; + __u8 ta[6]; + __le16 control; + __le16 start_seq_num; +}; + +enum ieee80211_ht_actioncode { + WLAN_HT_ACTION_NOTIFY_CHANWIDTH = 0, + WLAN_HT_ACTION_SMPS = 1, + WLAN_HT_ACTION_PSMP = 2, + WLAN_HT_ACTION_PCO_PHASE = 3, + WLAN_HT_ACTION_CSI = 4, + WLAN_HT_ACTION_NONCOMPRESSED_BF = 5, + WLAN_HT_ACTION_COMPRESSED_BF = 6, + WLAN_HT_ACTION_ASEL_IDX_FEEDBACK = 7, +}; + +enum ieee80211_tdls_actioncode { + WLAN_TDLS_SETUP_REQUEST = 0, + WLAN_TDLS_SETUP_RESPONSE = 1, + WLAN_TDLS_SETUP_CONFIRM = 2, + WLAN_TDLS_TEARDOWN = 3, + WLAN_TDLS_PEER_TRAFFIC_INDICATION = 4, + WLAN_TDLS_CHANNEL_SWITCH_REQUEST = 5, + WLAN_TDLS_CHANNEL_SWITCH_RESPONSE = 6, + WLAN_TDLS_PEER_PSM_REQUEST = 7, + WLAN_TDLS_PEER_PSM_RESPONSE = 8, + WLAN_TDLS_PEER_TRAFFIC_RESPONSE = 9, + WLAN_TDLS_DISCOVERY_REQUEST = 10, +}; + +enum ieee80211_radiotap_tx_flags { + IEEE80211_RADIOTAP_F_TX_FAIL = 1, + IEEE80211_RADIOTAP_F_TX_CTS = 2, + IEEE80211_RADIOTAP_F_TX_RTS = 4, + IEEE80211_RADIOTAP_F_TX_NOACK = 8, +}; + +enum ieee80211_radiotap_mcs_flags { + IEEE80211_RADIOTAP_MCS_BW_MASK = 3, + IEEE80211_RADIOTAP_MCS_BW_20 = 0, + IEEE80211_RADIOTAP_MCS_BW_40 = 1, + IEEE80211_RADIOTAP_MCS_BW_20L = 2, + IEEE80211_RADIOTAP_MCS_BW_20U = 3, + IEEE80211_RADIOTAP_MCS_SGI = 4, + IEEE80211_RADIOTAP_MCS_FMT_GF = 8, + IEEE80211_RADIOTAP_MCS_FEC_LDPC = 16, + IEEE80211_RADIOTAP_MCS_STBC_MASK = 96, + IEEE80211_RADIOTAP_MCS_STBC_1 = 1, + IEEE80211_RADIOTAP_MCS_STBC_2 = 2, + IEEE80211_RADIOTAP_MCS_STBC_3 = 3, + IEEE80211_RADIOTAP_MCS_STBC_SHIFT = 5, +}; + +enum ieee80211_radiotap_vht_flags { + IEEE80211_RADIOTAP_VHT_FLAG_STBC = 1, + IEEE80211_RADIOTAP_VHT_FLAG_TXOP_PS_NA = 2, + IEEE80211_RADIOTAP_VHT_FLAG_SGI = 4, + IEEE80211_RADIOTAP_VHT_FLAG_SGI_NSYM_M10_9 = 8, + IEEE80211_RADIOTAP_VHT_FLAG_LDPC_EXTRA_OFDM_SYM = 16, + IEEE80211_RADIOTAP_VHT_FLAG_BEAMFORMED = 32, +}; + +struct ieee80211_radiotap_he { + __le16 data1; + __le16 data2; + __le16 data3; + __le16 data4; + __le16 data5; + __le16 data6; +}; + +enum ieee80211_radiotap_he_bits { + IEEE80211_RADIOTAP_HE_DATA1_FORMAT_MASK = 3, + IEEE80211_RADIOTAP_HE_DATA1_FORMAT_SU = 0, + IEEE80211_RADIOTAP_HE_DATA1_FORMAT_EXT_SU = 1, + IEEE80211_RADIOTAP_HE_DATA1_FORMAT_MU = 2, + IEEE80211_RADIOTAP_HE_DATA1_FORMAT_TRIG = 3, + IEEE80211_RADIOTAP_HE_DATA1_BSS_COLOR_KNOWN = 4, + IEEE80211_RADIOTAP_HE_DATA1_BEAM_CHANGE_KNOWN = 8, + IEEE80211_RADIOTAP_HE_DATA1_UL_DL_KNOWN = 16, + IEEE80211_RADIOTAP_HE_DATA1_DATA_MCS_KNOWN = 32, + IEEE80211_RADIOTAP_HE_DATA1_DATA_DCM_KNOWN = 64, + IEEE80211_RADIOTAP_HE_DATA1_CODING_KNOWN = 128, + IEEE80211_RADIOTAP_HE_DATA1_LDPC_XSYMSEG_KNOWN = 256, + IEEE80211_RADIOTAP_HE_DATA1_STBC_KNOWN = 512, + IEEE80211_RADIOTAP_HE_DATA1_SPTL_REUSE_KNOWN = 1024, + IEEE80211_RADIOTAP_HE_DATA1_SPTL_REUSE2_KNOWN = 2048, + IEEE80211_RADIOTAP_HE_DATA1_SPTL_REUSE3_KNOWN = 4096, + IEEE80211_RADIOTAP_HE_DATA1_SPTL_REUSE4_KNOWN = 8192, + IEEE80211_RADIOTAP_HE_DATA1_BW_RU_ALLOC_KNOWN = 16384, + IEEE80211_RADIOTAP_HE_DATA1_DOPPLER_KNOWN = 32768, + IEEE80211_RADIOTAP_HE_DATA2_PRISEC_80_KNOWN = 1, + IEEE80211_RADIOTAP_HE_DATA2_GI_KNOWN = 2, + IEEE80211_RADIOTAP_HE_DATA2_NUM_LTF_SYMS_KNOWN = 4, + IEEE80211_RADIOTAP_HE_DATA2_PRE_FEC_PAD_KNOWN = 8, + IEEE80211_RADIOTAP_HE_DATA2_TXBF_KNOWN = 16, + IEEE80211_RADIOTAP_HE_DATA2_PE_DISAMBIG_KNOWN = 32, + IEEE80211_RADIOTAP_HE_DATA2_TXOP_KNOWN = 64, + IEEE80211_RADIOTAP_HE_DATA2_MIDAMBLE_KNOWN = 128, + IEEE80211_RADIOTAP_HE_DATA2_RU_OFFSET = 16128, + IEEE80211_RADIOTAP_HE_DATA2_RU_OFFSET_KNOWN = 16384, + IEEE80211_RADIOTAP_HE_DATA2_PRISEC_80_SEC = 32768, + IEEE80211_RADIOTAP_HE_DATA3_BSS_COLOR = 63, + IEEE80211_RADIOTAP_HE_DATA3_BEAM_CHANGE = 64, + IEEE80211_RADIOTAP_HE_DATA3_UL_DL = 128, + IEEE80211_RADIOTAP_HE_DATA3_DATA_MCS = 3840, + IEEE80211_RADIOTAP_HE_DATA3_DATA_DCM = 4096, + IEEE80211_RADIOTAP_HE_DATA3_CODING = 8192, + IEEE80211_RADIOTAP_HE_DATA3_LDPC_XSYMSEG = 16384, + IEEE80211_RADIOTAP_HE_DATA3_STBC = 32768, + IEEE80211_RADIOTAP_HE_DATA4_SU_MU_SPTL_REUSE = 15, + IEEE80211_RADIOTAP_HE_DATA4_MU_STA_ID = 32752, + IEEE80211_RADIOTAP_HE_DATA4_TB_SPTL_REUSE1 = 15, + IEEE80211_RADIOTAP_HE_DATA4_TB_SPTL_REUSE2 = 240, + IEEE80211_RADIOTAP_HE_DATA4_TB_SPTL_REUSE3 = 3840, + IEEE80211_RADIOTAP_HE_DATA4_TB_SPTL_REUSE4 = 61440, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC = 15, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_20MHZ = 0, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_40MHZ = 1, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_80MHZ = 2, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_160MHZ = 3, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_26T = 4, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_52T = 5, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_106T = 6, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_242T = 7, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_484T = 8, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_996T = 9, + IEEE80211_RADIOTAP_HE_DATA5_DATA_BW_RU_ALLOC_2x996T = 10, + IEEE80211_RADIOTAP_HE_DATA5_GI = 48, + IEEE80211_RADIOTAP_HE_DATA5_GI_0_8 = 0, + IEEE80211_RADIOTAP_HE_DATA5_GI_1_6 = 1, + IEEE80211_RADIOTAP_HE_DATA5_GI_3_2 = 2, + IEEE80211_RADIOTAP_HE_DATA5_LTF_SIZE = 192, + IEEE80211_RADIOTAP_HE_DATA5_LTF_SIZE_UNKNOWN = 0, + IEEE80211_RADIOTAP_HE_DATA5_LTF_SIZE_1X = 1, + IEEE80211_RADIOTAP_HE_DATA5_LTF_SIZE_2X = 2, + IEEE80211_RADIOTAP_HE_DATA5_LTF_SIZE_4X = 3, + IEEE80211_RADIOTAP_HE_DATA5_NUM_LTF_SYMS = 1792, + IEEE80211_RADIOTAP_HE_DATA5_PRE_FEC_PAD = 12288, + IEEE80211_RADIOTAP_HE_DATA5_TXBF = 16384, + IEEE80211_RADIOTAP_HE_DATA5_PE_DISAMBIG = 32768, + IEEE80211_RADIOTAP_HE_DATA6_NSTS = 15, + IEEE80211_RADIOTAP_HE_DATA6_DOPPLER = 16, + IEEE80211_RADIOTAP_HE_DATA6_TB_PPDU_BW_KNOWN = 32, + IEEE80211_RADIOTAP_HE_DATA6_TB_PPDU_BW = 192, + IEEE80211_RADIOTAP_HE_DATA6_TB_PPDU_BW_20MHZ = 0, + IEEE80211_RADIOTAP_HE_DATA6_TB_PPDU_BW_40MHZ = 1, + IEEE80211_RADIOTAP_HE_DATA6_TB_PPDU_BW_80MHZ = 2, + IEEE80211_RADIOTAP_HE_DATA6_TB_PPDU_BW_160MHZ = 3, + IEEE80211_RADIOTAP_HE_DATA6_TXOP = 32512, + IEEE80211_RADIOTAP_HE_DATA6_MIDAMBLE_PDCTY = 32768, +}; + +enum ieee80211_ac_numbers { + IEEE80211_AC_VO = 0, + IEEE80211_AC_VI = 1, + IEEE80211_AC_BE = 2, + IEEE80211_AC_BK = 3, +}; + +enum mac80211_tx_info_flags { + IEEE80211_TX_CTL_REQ_TX_STATUS = 1, + IEEE80211_TX_CTL_ASSIGN_SEQ = 2, + IEEE80211_TX_CTL_NO_ACK = 4, + IEEE80211_TX_CTL_CLEAR_PS_FILT = 8, + IEEE80211_TX_CTL_FIRST_FRAGMENT = 16, + IEEE80211_TX_CTL_SEND_AFTER_DTIM = 32, + IEEE80211_TX_CTL_AMPDU = 64, + IEEE80211_TX_CTL_INJECTED = 128, + IEEE80211_TX_STAT_TX_FILTERED = 256, + IEEE80211_TX_STAT_ACK = 512, + IEEE80211_TX_STAT_AMPDU = 1024, + IEEE80211_TX_STAT_AMPDU_NO_BACK = 2048, + IEEE80211_TX_CTL_RATE_CTRL_PROBE = 4096, + IEEE80211_TX_INTFL_OFFCHAN_TX_OK = 8192, + IEEE80211_TX_INTFL_NEED_TXPROCESSING = 16384, + IEEE80211_TX_INTFL_RETRIED = 32768, + IEEE80211_TX_INTFL_DONT_ENCRYPT = 65536, + IEEE80211_TX_CTL_NO_PS_BUFFER = 131072, + IEEE80211_TX_CTL_MORE_FRAMES = 262144, + IEEE80211_TX_INTFL_RETRANSMISSION = 524288, + IEEE80211_TX_INTFL_MLME_CONN_TX = 1048576, + IEEE80211_TX_INTFL_NL80211_FRAME_TX = 2097152, + IEEE80211_TX_CTL_LDPC = 4194304, + IEEE80211_TX_CTL_STBC = 25165824, + IEEE80211_TX_CTL_TX_OFFCHAN = 33554432, + IEEE80211_TX_INTFL_TKIP_MIC_FAILURE = 67108864, + IEEE80211_TX_CTL_NO_CCK_RATE = 134217728, + IEEE80211_TX_STATUS_EOSP = 268435456, + IEEE80211_TX_CTL_USE_MINRATE = 536870912, + IEEE80211_TX_CTL_DONTFRAG = 1073741824, + IEEE80211_TX_STAT_NOACK_TRANSMITTED = -2147483648, +}; + +enum mac80211_rate_control_flags { + IEEE80211_TX_RC_USE_RTS_CTS = 1, + IEEE80211_TX_RC_USE_CTS_PROTECT = 2, + IEEE80211_TX_RC_USE_SHORT_PREAMBLE = 4, + IEEE80211_TX_RC_MCS = 8, + IEEE80211_TX_RC_GREEN_FIELD = 16, + IEEE80211_TX_RC_40_MHZ_WIDTH = 32, + IEEE80211_TX_RC_DUP_DATA = 64, + IEEE80211_TX_RC_SHORT_GI = 128, + IEEE80211_TX_RC_VHT_MCS = 256, + IEEE80211_TX_RC_80_MHZ_WIDTH = 512, + IEEE80211_TX_RC_160_MHZ_WIDTH = 1024, +}; + +enum ieee80211_sta_info_flags { + WLAN_STA_AUTH = 0, + WLAN_STA_ASSOC = 1, + WLAN_STA_PS_STA = 2, + WLAN_STA_AUTHORIZED = 3, + WLAN_STA_SHORT_PREAMBLE = 4, + WLAN_STA_WDS = 5, + WLAN_STA_CLEAR_PS_FILT = 6, + WLAN_STA_MFP = 7, + WLAN_STA_BLOCK_BA = 8, + WLAN_STA_PS_DRIVER = 9, + WLAN_STA_PSPOLL = 10, + WLAN_STA_TDLS_PEER = 11, + WLAN_STA_TDLS_PEER_AUTH = 12, + WLAN_STA_TDLS_INITIATOR = 13, + WLAN_STA_TDLS_CHAN_SWITCH = 14, + WLAN_STA_TDLS_OFF_CHANNEL = 15, + WLAN_STA_TDLS_WIDER_BW = 16, + WLAN_STA_UAPSD = 17, + WLAN_STA_SP = 18, + WLAN_STA_4ADDR_EVENT = 19, + WLAN_STA_INSERTED = 20, + WLAN_STA_RATE_CONTROL = 21, + WLAN_STA_TOFFSET_KNOWN = 22, + WLAN_STA_MPSP_OWNER = 23, + WLAN_STA_MPSP_RECIPIENT = 24, + WLAN_STA_PS_DELIVER = 25, + NUM_WLAN_STA_FLAGS = 26, +}; + +enum ieee80211_sta_flags { + IEEE80211_STA_CONNECTION_POLL = 2, + IEEE80211_STA_CONTROL_PORT = 4, + IEEE80211_STA_DISABLE_HT = 16, + IEEE80211_STA_MFP_ENABLED = 64, + IEEE80211_STA_UAPSD_ENABLED = 128, + IEEE80211_STA_NULLFUNC_ACKED = 256, + IEEE80211_STA_RESET_SIGNAL_AVE = 512, + IEEE80211_STA_DISABLE_40MHZ = 1024, + IEEE80211_STA_DISABLE_VHT = 2048, + IEEE80211_STA_DISABLE_80P80MHZ = 4096, + IEEE80211_STA_DISABLE_160MHZ = 8192, + IEEE80211_STA_DISABLE_WMM = 16384, + IEEE80211_STA_ENABLE_RRM = 32768, + IEEE80211_STA_DISABLE_HE = 65536, +}; + +enum ieee80211_sdata_state_bits { + SDATA_STATE_RUNNING = 0, + SDATA_STATE_OFFCHANNEL = 1, + SDATA_STATE_OFFCHANNEL_BEACON_STOPPED = 2, +}; + +enum ieee80211_rate_control_changed { + IEEE80211_RC_BW_CHANGED = 1, + IEEE80211_RC_SMPS_CHANGED = 2, + IEEE80211_RC_SUPP_RATES_CHANGED = 4, + IEEE80211_RC_NSS_CHANGED = 8, +}; + +struct codel_stats { + u32 maxpacket; + u32 drop_count; + u32 drop_len; + u32 ecn_mark; + u32 ce_mark; +}; + +struct ieee80211_qos_hdr { + __le16 frame_control; + __le16 duration_id; + u8 addr1[6]; + u8 addr2[6]; + u8 addr3[6]; + __le16 seq_ctrl; + __le16 qos_ctrl; +}; + +enum mac80211_tx_control_flags { + IEEE80211_TX_CTRL_PORT_CTRL_PROTO = 1, + IEEE80211_TX_CTRL_PS_RESPONSE = 2, + IEEE80211_TX_CTRL_RATE_INJECT = 4, + IEEE80211_TX_CTRL_AMSDU = 8, + IEEE80211_TX_CTRL_FAST_XMIT = 16, + IEEE80211_TX_CTRL_SKIP_MPATH_LOOKUP = 32, +}; + +enum ieee80211_vif_flags { + IEEE80211_VIF_BEACON_FILTER = 1, + IEEE80211_VIF_SUPPORTS_CQM_RSSI = 2, + IEEE80211_VIF_SUPPORTS_UAPSD = 4, + IEEE80211_VIF_GET_NOA_UPDATE = 8, +}; + +enum ieee80211_agg_stop_reason { + AGG_STOP_DECLINED = 0, + AGG_STOP_LOCAL_REQUEST = 1, + AGG_STOP_PEER_REQUEST = 2, + AGG_STOP_DESTROY_STA = 3, +}; + +enum sta_stats_type { + STA_STATS_RATE_TYPE_INVALID = 0, + STA_STATS_RATE_TYPE_LEGACY = 1, + STA_STATS_RATE_TYPE_HT = 2, + STA_STATS_RATE_TYPE_VHT = 3, + STA_STATS_RATE_TYPE_HE = 4, +}; + +struct txq_info { + struct fq_tin tin; + struct fq_flow def_flow; + struct codel_vars def_cvars; + struct codel_stats cstats; + struct sk_buff_head frags; + struct list_head schedule_order; + u16 schedule_round; + long unsigned int flags; + struct ieee80211_txq txq; +}; + +enum mac80211_rx_flags { + RX_FLAG_MMIC_ERROR = 1, + RX_FLAG_DECRYPTED = 2, + RX_FLAG_MACTIME_PLCP_START = 4, + RX_FLAG_MMIC_STRIPPED = 8, + RX_FLAG_IV_STRIPPED = 16, + RX_FLAG_FAILED_FCS_CRC = 32, + RX_FLAG_FAILED_PLCP_CRC = 64, + RX_FLAG_MACTIME_START = 128, + RX_FLAG_NO_SIGNAL_VAL = 256, + RX_FLAG_AMPDU_DETAILS = 512, + RX_FLAG_PN_VALIDATED = 1024, + RX_FLAG_DUP_VALIDATED = 2048, + RX_FLAG_AMPDU_LAST_KNOWN = 4096, + RX_FLAG_AMPDU_IS_LAST = 8192, + RX_FLAG_AMPDU_DELIM_CRC_ERROR = 16384, + RX_FLAG_AMPDU_DELIM_CRC_KNOWN = 32768, + RX_FLAG_MACTIME_END = 65536, + RX_FLAG_ONLY_MONITOR = 131072, + RX_FLAG_SKIP_MONITOR = 262144, + RX_FLAG_AMSDU_MORE = 524288, + RX_FLAG_RADIOTAP_VENDOR_DATA = 1048576, + RX_FLAG_MIC_STRIPPED = 2097152, + RX_FLAG_ALLOW_SAME_PN = 4194304, + RX_FLAG_ICV_STRIPPED = 8388608, + RX_FLAG_AMPDU_EOF_BIT = 16777216, + RX_FLAG_AMPDU_EOF_BIT_KNOWN = 33554432, + RX_FLAG_RADIOTAP_HE = 67108864, + RX_FLAG_RADIOTAP_HE_MU = 134217728, + RX_FLAG_RADIOTAP_LSIG = 268435456, + RX_FLAG_NO_PSDU = 536870912, +}; + +enum ieee80211_key_flags { + IEEE80211_KEY_FLAG_GENERATE_IV_MGMT = 1, + IEEE80211_KEY_FLAG_GENERATE_IV = 2, + IEEE80211_KEY_FLAG_GENERATE_MMIC = 4, + IEEE80211_KEY_FLAG_PAIRWISE = 8, + IEEE80211_KEY_FLAG_SW_MGMT_TX = 16, + IEEE80211_KEY_FLAG_PUT_IV_SPACE = 32, + IEEE80211_KEY_FLAG_RX_MGMT = 64, + IEEE80211_KEY_FLAG_RESERVE_TAILROOM = 128, + IEEE80211_KEY_FLAG_PUT_MIC_SPACE = 256, + IEEE80211_KEY_FLAG_NO_AUTO_TX = 512, + IEEE80211_KEY_FLAG_GENERATE_MMIE = 1024, +}; + +typedef unsigned int ieee80211_tx_result; + +struct ieee80211_tx_data { + struct sk_buff *skb; + struct sk_buff_head skbs; + struct ieee80211_local *local; + struct ieee80211_sub_if_data *sdata; + struct sta_info *sta; + struct ieee80211_key *key; + struct ieee80211_tx_rate rate; + unsigned int flags; +}; + +typedef unsigned int ieee80211_rx_result; + +struct ieee80211_rx_data { + struct napi_struct___2 *napi; + struct sk_buff *skb; + struct ieee80211_local *local; + struct ieee80211_sub_if_data *sdata; + struct sta_info *sta; + struct ieee80211_key *key; + unsigned int flags; + int seqno_idx; + int security_idx; + u32 tkip_iv32; + u16 tkip_iv16; +}; + +struct ieee80211_mmie { + u8 element_id; + u8 length; + __le16 key_id; + u8 sequence_number[6]; + u8 mic[8]; +}; + +struct ieee80211_mmie_16 { + u8 element_id; + u8 length; + __le16 key_id; + u8 sequence_number[6]; + u8 mic[16]; +}; + +enum ieee80211_internal_key_flags { + KEY_FLAG_UPLOADED_TO_HARDWARE = 1, + KEY_FLAG_TAINTED = 2, + KEY_FLAG_CIPHER_SCHEME = 4, +}; + +enum { + TKIP_DECRYPT_OK = 0, + TKIP_DECRYPT_NO_EXT_IV = -1, + TKIP_DECRYPT_INVALID_KEYIDX = -2, + TKIP_DECRYPT_REPLAY = -3, +}; + +enum mac80211_rx_encoding { + RX_ENC_LEGACY = 0, + RX_ENC_HT = 1, + RX_ENC_VHT = 2, + RX_ENC_HE = 3, +}; + +struct ieee80211_bss { + u32 device_ts_beacon; + u32 device_ts_presp; + bool wmm_used; + bool uapsd_supported; + u8 supp_rates[32]; + size_t supp_rates_len; + struct ieee80211_rate *beacon_rate; + bool has_erp_value; + u8 erp_value; + u8 corrupt_data; + u8 valid_data; +}; + +enum ieee80211_bss_corrupt_data_flags { + IEEE80211_BSS_CORRUPT_BEACON = 1, + IEEE80211_BSS_CORRUPT_PROBE_RESP = 2, +}; + +enum ieee80211_bss_valid_data_flags { + IEEE80211_BSS_VALID_WMM = 2, + IEEE80211_BSS_VALID_RATES = 4, + IEEE80211_BSS_VALID_ERP = 8, +}; + +enum { + IEEE80211_PROBE_FLAG_DIRECTED = 1, + IEEE80211_PROBE_FLAG_MIN_CONTENT = 2, + IEEE80211_PROBE_FLAG_RANDOM_SN = 4, +}; + +struct ieee80211_roc_work { + struct list_head list; + struct ieee80211_sub_if_data *sdata; + struct ieee80211_channel *chan; + bool started; + bool abort; + bool hw_begun; + bool notified; + bool on_channel; + long unsigned int start_time; + u32 duration; + u32 req_duration; + struct sk_buff *frame; + u64 cookie; + u64 mgmt_tx_cookie; + enum ieee80211_roc_type type; +}; + +enum ieee80211_back_actioncode { + WLAN_ACTION_ADDBA_REQ = 0, + WLAN_ACTION_ADDBA_RESP = 1, + WLAN_ACTION_DELBA = 2, +}; + +enum ieee80211_back_parties { + WLAN_BACK_RECIPIENT = 0, + WLAN_BACK_INITIATOR = 1, +}; + +enum txq_info_flags { + IEEE80211_TXQ_STOP = 0, + IEEE80211_TXQ_AMPDU = 1, + IEEE80211_TXQ_NO_AMSDU = 2, + IEEE80211_TXQ_STOP_NETIF_TX = 3, +}; + +enum ieee80211_vht_opmode_bits { + IEEE80211_OPMODE_NOTIF_CHANWIDTH_MASK = 3, + IEEE80211_OPMODE_NOTIF_CHANWIDTH_20MHZ = 0, + IEEE80211_OPMODE_NOTIF_CHANWIDTH_40MHZ = 1, + IEEE80211_OPMODE_NOTIF_CHANWIDTH_80MHZ = 2, + IEEE80211_OPMODE_NOTIF_CHANWIDTH_160MHZ = 3, + IEEE80211_OPMODE_NOTIF_RX_NSS_MASK = 112, + IEEE80211_OPMODE_NOTIF_RX_NSS_SHIFT = 4, + IEEE80211_OPMODE_NOTIF_RX_NSS_TYPE_BF = 128, +}; + +enum ieee80211_spectrum_mgmt_actioncode { + WLAN_ACTION_SPCT_MSR_REQ = 0, + WLAN_ACTION_SPCT_MSR_RPRT = 1, + WLAN_ACTION_SPCT_TPC_REQ = 2, + WLAN_ACTION_SPCT_TPC_RPRT = 3, + WLAN_ACTION_SPCT_CHL_SWITCH = 4, +}; + +struct ieee80211_csa_ie { + struct cfg80211_chan_def chandef; + u8 mode; + u8 count; + u8 ttl; + u16 pre_value; + u16 reason_code; + u32 max_switch_time; +}; + +enum ieee80211_vht_actioncode { + WLAN_VHT_ACTION_COMPRESSED_BF = 0, + WLAN_VHT_ACTION_GROUPID_MGMT = 1, + WLAN_VHT_ACTION_OPMODE_NOTIF = 2, +}; + +enum ieee80211_tpt_led_trigger_flags { + IEEE80211_TPT_LEDTRIG_FL_RADIO = 1, + IEEE80211_TPT_LEDTRIG_FL_WORK = 2, + IEEE80211_TPT_LEDTRIG_FL_CONNECTED = 4, +}; + +struct rate_control_alg { + struct list_head list; + const struct rate_control_ops *ops; +}; + +struct michael_mic_ctx { + u32 l; + u32 r; +}; + +struct ieee80211_csa_settings { + const u16 *counter_offsets_beacon; + const u16 *counter_offsets_presp; + int n_counter_offsets_beacon; + int n_counter_offsets_presp; + u8 count; +}; + +struct ieee80211_hdr_3addr { + __le16 frame_control; + __le16 duration_id; + u8 addr1[6]; + u8 addr2[6]; + u8 addr3[6]; + __le16 seq_ctrl; +}; + +enum ieee80211_ht_chanwidth_values { + IEEE80211_HT_CHANWIDTH_20MHZ = 0, + IEEE80211_HT_CHANWIDTH_ANY = 1, +}; + +struct ieee80211_tdls_data { + u8 da[6]; + u8 sa[6]; + __be16 ether_type; + u8 payload_type; + u8 category; + u8 action_code; + union { + struct { + u8 dialog_token; + __le16 capability; + u8 variable[0]; + } __attribute__((packed)) setup_req; + struct { + __le16 status_code; + u8 dialog_token; + __le16 capability; + u8 variable[0]; + } __attribute__((packed)) setup_resp; + struct { + __le16 status_code; + u8 dialog_token; + u8 variable[0]; + } __attribute__((packed)) setup_cfm; + struct { + __le16 reason_code; + u8 variable[0]; + } teardown; + struct { + u8 dialog_token; + u8 variable[0]; + } discover_req; + struct { + u8 target_channel; + u8 oper_class; + u8 variable[0]; + } chan_switch_req; + struct { + __le16 status_code; + u8 variable[0]; + } chan_switch_resp; + } u; +} __attribute__((packed)); + +enum ieee80211_self_protected_actioncode { + WLAN_SP_RESERVED = 0, + WLAN_SP_MESH_PEERING_OPEN = 1, + WLAN_SP_MESH_PEERING_CONFIRM = 2, + WLAN_SP_MESH_PEERING_CLOSE = 3, + WLAN_SP_MGK_INFORM = 4, + WLAN_SP_MGK_ACK = 5, +}; + +enum ieee80211_pub_actioncode { + WLAN_PUB_ACTION_20_40_BSS_COEX = 0, + WLAN_PUB_ACTION_DSE_ENABLEMENT = 1, + WLAN_PUB_ACTION_DSE_DEENABLEMENT = 2, + WLAN_PUB_ACTION_DSE_REG_LOC_ANN = 3, + WLAN_PUB_ACTION_EXT_CHANSW_ANN = 4, + WLAN_PUB_ACTION_DSE_MSMT_REQ = 5, + WLAN_PUB_ACTION_DSE_MSMT_RESP = 6, + WLAN_PUB_ACTION_MSMT_PILOT = 7, + WLAN_PUB_ACTION_DSE_PC = 8, + WLAN_PUB_ACTION_VENDOR_SPECIFIC = 9, + WLAN_PUB_ACTION_GAS_INITIAL_REQ = 10, + WLAN_PUB_ACTION_GAS_INITIAL_RESP = 11, + WLAN_PUB_ACTION_GAS_COMEBACK_REQ = 12, + WLAN_PUB_ACTION_GAS_COMEBACK_RESP = 13, + WLAN_PUB_ACTION_TDLS_DISCOVER_RES = 14, + WLAN_PUB_ACTION_LOC_TRACK_NOTI = 15, + WLAN_PUB_ACTION_QAB_REQUEST_FRAME = 16, + WLAN_PUB_ACTION_QAB_RESPONSE_FRAME = 17, + WLAN_PUB_ACTION_QMF_POLICY = 18, + WLAN_PUB_ACTION_QMF_POLICY_CHANGE = 19, + WLAN_PUB_ACTION_QLOAD_REQUEST = 20, + WLAN_PUB_ACTION_QLOAD_REPORT = 21, + WLAN_PUB_ACTION_HCCA_TXOP_ADVERT = 22, + WLAN_PUB_ACTION_HCCA_TXOP_RESPONSE = 23, + WLAN_PUB_ACTION_PUBLIC_KEY = 24, + WLAN_PUB_ACTION_CHANNEL_AVAIL_QUERY = 25, + WLAN_PUB_ACTION_CHANNEL_SCHEDULE_MGMT = 26, + WLAN_PUB_ACTION_CONTACT_VERI_SIGNAL = 27, + WLAN_PUB_ACTION_GDD_ENABLEMENT_REQ = 28, + WLAN_PUB_ACTION_GDD_ENABLEMENT_RESP = 29, + WLAN_PUB_ACTION_NETWORK_CHANNEL_CONTROL = 30, + WLAN_PUB_ACTION_WHITE_SPACE_MAP_ANN = 31, + WLAN_PUB_ACTION_FTM_REQUEST = 32, + WLAN_PUB_ACTION_FTM = 33, + WLAN_PUB_ACTION_FILS_DISCOVERY = 34, +}; + +enum ieee80211_sa_query_action { + WLAN_ACTION_SA_QUERY_REQUEST = 0, + WLAN_ACTION_SA_QUERY_RESPONSE = 1, +}; + +enum ieee80211_radiotap_flags { + IEEE80211_RADIOTAP_F_CFP = 1, + IEEE80211_RADIOTAP_F_SHORTPRE = 2, + IEEE80211_RADIOTAP_F_WEP = 4, + IEEE80211_RADIOTAP_F_FRAG = 8, + IEEE80211_RADIOTAP_F_FCS = 16, + IEEE80211_RADIOTAP_F_DATAPAD = 32, + IEEE80211_RADIOTAP_F_BADFCS = 64, +}; + +enum ieee80211_radiotap_channel_flags { + IEEE80211_CHAN_CCK = 32, + IEEE80211_CHAN_OFDM = 64, + IEEE80211_CHAN_2GHZ = 128, + IEEE80211_CHAN_5GHZ = 256, + IEEE80211_CHAN_DYN = 1024, + IEEE80211_CHAN_HALF = 16384, + IEEE80211_CHAN_QUARTER = 32768, +}; + +enum ieee80211_radiotap_rx_flags { + IEEE80211_RADIOTAP_F_RX_BADPLCP = 2, +}; + +enum ieee80211_radiotap_ampdu_flags { + IEEE80211_RADIOTAP_AMPDU_REPORT_ZEROLEN = 1, + IEEE80211_RADIOTAP_AMPDU_IS_ZEROLEN = 2, + IEEE80211_RADIOTAP_AMPDU_LAST_KNOWN = 4, + IEEE80211_RADIOTAP_AMPDU_IS_LAST = 8, + IEEE80211_RADIOTAP_AMPDU_DELIM_CRC_ERR = 16, + IEEE80211_RADIOTAP_AMPDU_DELIM_CRC_KNOWN = 32, + IEEE80211_RADIOTAP_AMPDU_EOF = 64, + IEEE80211_RADIOTAP_AMPDU_EOF_KNOWN = 128, +}; + +enum ieee80211_radiotap_vht_coding { + IEEE80211_RADIOTAP_CODING_LDPC_USER0 = 1, + IEEE80211_RADIOTAP_CODING_LDPC_USER1 = 2, + IEEE80211_RADIOTAP_CODING_LDPC_USER2 = 4, + IEEE80211_RADIOTAP_CODING_LDPC_USER3 = 8, +}; + +enum ieee80211_radiotap_timestamp_flags { + IEEE80211_RADIOTAP_TIMESTAMP_FLAG_64BIT = 0, + IEEE80211_RADIOTAP_TIMESTAMP_FLAG_32BIT = 1, + IEEE80211_RADIOTAP_TIMESTAMP_FLAG_ACCURACY = 2, +}; + +struct ieee80211_radiotap_he_mu { + __le16 flags1; + __le16 flags2; + u8 ru_ch1[4]; + u8 ru_ch2[4]; +}; + +struct ieee80211_radiotap_lsig { + __le16 data1; + __le16 data2; +}; + +enum mac80211_rx_encoding_flags { + RX_ENC_FLAG_SHORTPRE = 1, + RX_ENC_FLAG_SHORT_GI = 4, + RX_ENC_FLAG_HT_GF = 8, + RX_ENC_FLAG_STBC_MASK = 48, + RX_ENC_FLAG_LDPC = 64, + RX_ENC_FLAG_BF = 128, +}; + +struct ieee80211_vendor_radiotap { + u32 present; + u8 align; + u8 oui[3]; + u8 subns; + u8 pad; + u16 len; + u8 data[0]; +}; + +enum ieee80211_packet_rx_flags { + IEEE80211_RX_AMSDU = 8, + IEEE80211_RX_MALFORMED_ACTION_FRM = 16, + IEEE80211_RX_DEFERRED_RELEASE = 32, +}; + +enum ieee80211_rx_flags { + IEEE80211_RX_CMNTR = 1, + IEEE80211_RX_BEACON_REPORTED = 2, +}; + +struct ieee80211_rts { + __le16 frame_control; + __le16 duration; + u8 ra[6]; + u8 ta[6]; +}; + +struct ieee80211_cts { + __le16 frame_control; + __le16 duration; + u8 ra[6]; +}; + +struct ieee80211_pspoll { + __le16 frame_control; + __le16 aid; + u8 bssid[6]; + u8 ta[6]; +}; + +typedef u32 (*codel_skb_len_t)(const struct sk_buff *); + +typedef codel_time_t (*codel_skb_time_t)(const struct sk_buff *); + +typedef void (*codel_skb_drop_t)(struct sk_buff *, void *); + +typedef struct sk_buff * (*codel_skb_dequeue_t)(struct codel_vars *, void *); + +struct ieee80211_mutable_offsets { + u16 tim_offset; + u16 tim_length; + u16 csa_counter_offs[2]; +}; + +typedef struct sk_buff *fq_tin_dequeue_t(struct fq *, struct fq_tin *, struct fq_flow *); + +typedef void fq_skb_free_t(struct fq *, struct fq_tin *, struct fq_flow *, struct sk_buff *); + +typedef bool fq_skb_filter_t(struct fq *, struct fq_tin *, struct fq_flow *, struct sk_buff *, void *); + +typedef struct fq_flow *fq_flow_get_default_t(struct fq *, struct fq_tin *, int, struct sk_buff *); + +enum mesh_path_flags { + MESH_PATH_ACTIVE = 1, + MESH_PATH_RESOLVING = 2, + MESH_PATH_SN_VALID = 4, + MESH_PATH_FIXED = 8, + MESH_PATH_RESOLVED = 16, + MESH_PATH_REQ_QUEUED = 32, + MESH_PATH_DELETED = 64, +}; + +struct mesh_path { + u8 dst[6]; + u8 mpp[6]; + struct rhash_head rhash; + struct hlist_node walk_list; + struct hlist_node gate_list; + struct ieee80211_sub_if_data *sdata; + struct sta_info *next_hop; + struct timer_list timer; + struct sk_buff_head frame_queue; + struct callback_head rcu; + u32 sn; + u32 metric; + u8 hop_count; + long unsigned int exp_time; + u32 discovery_timeout; + u8 discovery_retries; + enum mesh_path_flags flags; + spinlock_t state_lock; + u8 rann_snd_addr[6]; + u32 rann_metric; + long unsigned int last_preq_to_root; + bool is_root; + bool is_gate; + u32 path_change_count; +}; + +enum ieee80211_interface_iteration_flags { + IEEE80211_IFACE_ITER_NORMAL = 0, + IEEE80211_IFACE_ITER_RESUME_ALL = 1, + IEEE80211_IFACE_ITER_ACTIVE = 2, +}; + +struct ieee80211_noa_data { + u32 next_tsf; + bool has_next_tsf; + u8 absent; + u8 count[4]; + struct { + u32 start; + u32 duration; + u32 interval; + } desc[4]; +}; + +enum ieee80211_chanctx_change { + IEEE80211_CHANCTX_CHANGE_WIDTH = 1, + IEEE80211_CHANCTX_CHANGE_RX_CHAINS = 2, + IEEE80211_CHANCTX_CHANGE_RADAR = 4, + IEEE80211_CHANCTX_CHANGE_CHANNEL = 8, + IEEE80211_CHANCTX_CHANGE_MIN_WIDTH = 16, +}; + +struct trace_vif_entry { + enum nl80211_iftype vif_type; + bool p2p; + char vif_name[16]; +} __attribute__((packed)); + +struct trace_chandef_entry { + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; +}; + +struct trace_switch_entry { + struct trace_vif_entry vif; + struct trace_chandef_entry old_chandef; + struct trace_chandef_entry new_chandef; +} __attribute__((packed)); + +struct trace_event_raw_local_only_evt { + struct trace_entry ent; + char wiphy_name[32]; + char __data[0]; +}; + +struct trace_event_raw_local_sdata_addr_evt { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char addr[6]; + char __data[0]; +}; + +struct trace_event_raw_local_u32_evt { + struct trace_entry ent; + char wiphy_name[32]; + u32 value; + char __data[0]; +}; + +struct trace_event_raw_local_sdata_evt { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char __data[0]; +}; + +struct trace_event_raw_drv_return_int { + struct trace_entry ent; + char wiphy_name[32]; + int ret; + char __data[0]; +}; + +struct trace_event_raw_drv_return_bool { + struct trace_entry ent; + char wiphy_name[32]; + bool ret; + char __data[0]; +}; + +struct trace_event_raw_drv_return_u32 { + struct trace_entry ent; + char wiphy_name[32]; + u32 ret; + char __data[0]; +}; + +struct trace_event_raw_drv_return_u64 { + struct trace_entry ent; + char wiphy_name[32]; + u64 ret; + char __data[0]; +}; + +struct trace_event_raw_drv_set_wakeup { + struct trace_entry ent; + char wiphy_name[32]; + bool enabled; + char __data[0]; +}; + +struct trace_event_raw_drv_change_interface { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 new_type; + bool new_p2p; + char __data[0]; +}; + +struct trace_event_raw_drv_config { + struct trace_entry ent; + char wiphy_name[32]; + u32 changed; + u32 flags; + int power_level; + int dynamic_ps_timeout; + u16 listen_interval; + u8 long_frame_max_tx_count; + u8 short_frame_max_tx_count; + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; + int smps; + char __data[0]; +}; + +struct trace_event_raw_drv_bss_info_changed { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 changed; + bool assoc; + bool ibss_joined; + bool ibss_creator; + u16 aid; + bool cts; + bool shortpre; + bool shortslot; + bool enable_beacon; + u8 dtimper; + u16 bcnint; + u16 assoc_cap; + u64 sync_tsf; + u32 sync_device_ts; + u8 sync_dtim_count; + u32 basic_rates; + int mcast_rate[4]; + u16 ht_operation_mode; + s32 cqm_rssi_thold; + s32 cqm_rssi_hyst; + u32 channel_width; + u32 channel_cfreq1; + u32 __data_loc_arp_addr_list; + int arp_addr_cnt; + bool qos; + bool idle; + bool ps; + u32 __data_loc_ssid; + bool hidden_ssid; + int txpower; + u8 p2p_oppps_ctwindow; + char __data[0]; +}; + +struct trace_event_raw_drv_prepare_multicast { + struct trace_entry ent; + char wiphy_name[32]; + int mc_count; + char __data[0]; +}; + +struct trace_event_raw_drv_configure_filter { + struct trace_entry ent; + char wiphy_name[32]; + unsigned int changed; + unsigned int total; + u64 multicast; + char __data[0]; +}; + +struct trace_event_raw_drv_config_iface_filter { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + unsigned int filter_flags; + unsigned int changed_flags; + char __data[0]; +}; + +struct trace_event_raw_drv_set_tim { + struct trace_entry ent; + char wiphy_name[32]; + char sta_addr[6]; + bool set; + char __data[0]; +}; + +struct trace_event_raw_drv_set_key { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char sta_addr[6]; + u32 cipher; + u8 hw_key_idx; + u8 flags; + s8 keyidx; + char __data[0]; +}; + +struct trace_event_raw_drv_update_tkip_key { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char sta_addr[6]; + u32 iv32; + char __data[0]; +}; + +struct trace_event_raw_drv_sw_scan_start { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char mac_addr[6]; + char __data[0]; +}; + +struct trace_event_raw_drv_get_stats { + struct trace_entry ent; + char wiphy_name[32]; + int ret; + unsigned int ackfail; + unsigned int rtsfail; + unsigned int fcserr; + unsigned int rtssucc; + char __data[0]; +}; + +struct trace_event_raw_drv_get_key_seq { + struct trace_entry ent; + char wiphy_name[32]; + u32 cipher; + u8 hw_key_idx; + u8 flags; + s8 keyidx; + char __data[0]; +}; + +struct trace_event_raw_drv_set_coverage_class { + struct trace_entry ent; + char wiphy_name[32]; + s16 value; + char __data[0]; +}; + +struct trace_event_raw_drv_sta_notify { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char sta_addr[6]; + u32 cmd; + char __data[0]; +}; + +struct trace_event_raw_drv_sta_state { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char sta_addr[6]; + u32 old_state; + u32 new_state; + char __data[0]; +}; + +struct trace_event_raw_drv_sta_set_txpwr { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char sta_addr[6]; + s16 txpwr; + u8 type; + char __data[0]; +}; + +struct trace_event_raw_drv_sta_rc_update { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char sta_addr[6]; + u32 changed; + char __data[0]; +}; + +struct trace_event_raw_sta_event { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char sta_addr[6]; + char __data[0]; +}; + +struct trace_event_raw_drv_conf_tx { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u16 ac; + u16 txop; + u16 cw_min; + u16 cw_max; + u8 aifs; + bool uapsd; + char __data[0]; +}; + +struct trace_event_raw_drv_set_tsf { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u64 tsf; + char __data[0]; +}; + +struct trace_event_raw_drv_offset_tsf { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + s64 tsf_offset; + char __data[0]; +}; + +struct trace_event_raw_drv_ampdu_action { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + enum ieee80211_ampdu_mlme_action ieee80211_ampdu_mlme_action; + char sta_addr[6]; + u16 tid; + u16 ssn; + u16 buf_size; + bool amsdu; + u16 timeout; + u16 action; + char __data[0]; +}; + +struct trace_event_raw_drv_get_survey { + struct trace_entry ent; + char wiphy_name[32]; + int idx; + char __data[0]; +}; + +struct trace_event_raw_drv_flush { + struct trace_entry ent; + char wiphy_name[32]; + bool drop; + u32 queues; + char __data[0]; +}; + +struct trace_event_raw_drv_channel_switch { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; + u64 timestamp; + u32 device_timestamp; + bool block_tx; + u8 count; + char __data[0]; +}; + +struct trace_event_raw_drv_set_antenna { + struct trace_entry ent; + char wiphy_name[32]; + u32 tx_ant; + u32 rx_ant; + int ret; + char __data[0]; +}; + +struct trace_event_raw_drv_get_antenna { + struct trace_entry ent; + char wiphy_name[32]; + u32 tx_ant; + u32 rx_ant; + int ret; + char __data[0]; +}; + +struct trace_event_raw_drv_remain_on_channel { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + int center_freq; + unsigned int duration; + u32 type; + char __data[0]; +}; + +struct trace_event_raw_drv_set_ringparam { + struct trace_entry ent; + char wiphy_name[32]; + u32 tx; + u32 rx; + char __data[0]; +}; + +struct trace_event_raw_drv_get_ringparam { + struct trace_entry ent; + char wiphy_name[32]; + u32 tx; + u32 tx_max; + u32 rx; + u32 rx_max; + char __data[0]; +}; + +struct trace_event_raw_drv_set_bitrate_mask { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 legacy_2g; + u32 legacy_5g; + char __data[0]; +}; + +struct trace_event_raw_drv_set_rekey_data { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 kek[16]; + u8 kck[16]; + u8 replay_ctr[8]; + char __data[0]; +}; + +struct trace_event_raw_drv_event_callback { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 type; + char __data[0]; +}; + +struct trace_event_raw_release_evt { + struct trace_entry ent; + char wiphy_name[32]; + char sta_addr[6]; + u16 tids; + int num_frames; + int reason; + bool more_data; + char __data[0]; +}; + +struct trace_event_raw_drv_mgd_prepare_tx { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 duration; + char __data[0]; +}; + +struct trace_event_raw_local_chanctx { + struct trace_entry ent; + char wiphy_name[32]; + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; + u32 min_control_freq; + u32 min_chan_width; + u32 min_center_freq1; + u32 min_center_freq2; + u8 rx_chains_static; + u8 rx_chains_dynamic; + char __data[0]; +}; + +struct trace_event_raw_drv_change_chanctx { + struct trace_entry ent; + char wiphy_name[32]; + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; + u32 min_control_freq; + u32 min_chan_width; + u32 min_center_freq1; + u32 min_center_freq2; + u8 rx_chains_static; + u8 rx_chains_dynamic; + u32 changed; + char __data[0]; +}; + +struct trace_event_raw_drv_switch_vif_chanctx { + struct trace_entry ent; + char wiphy_name[32]; + int n_vifs; + u32 mode; + u32 __data_loc_vifs; + char __data[0]; +}; + +struct trace_event_raw_local_sdata_chanctx { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; + u32 min_control_freq; + u32 min_chan_width; + u32 min_center_freq1; + u32 min_center_freq2; + u8 rx_chains_static; + u8 rx_chains_dynamic; + char __data[0]; +}; + +struct trace_event_raw_drv_start_ap { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 dtimper; + u16 bcnint; + u32 __data_loc_ssid; + bool hidden_ssid; + char __data[0]; +}; + +struct trace_event_raw_drv_reconfig_complete { + struct trace_entry ent; + char wiphy_name[32]; + u8 reconfig_type; + char __data[0]; +}; + +struct trace_event_raw_drv_join_ibss { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 dtimper; + u16 bcnint; + u32 __data_loc_ssid; + char __data[0]; +}; + +struct trace_event_raw_drv_get_expected_throughput { + struct trace_entry ent; + char sta_addr[6]; + char __data[0]; +}; + +struct trace_event_raw_drv_start_nan { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 master_pref; + u8 bands; + char __data[0]; +}; + +struct trace_event_raw_drv_stop_nan { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char __data[0]; +}; + +struct trace_event_raw_drv_nan_change_conf { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 master_pref; + u8 bands; + u32 changes; + char __data[0]; +}; + +struct trace_event_raw_drv_add_nan_func { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 type; + u8 inst_id; + char __data[0]; +}; + +struct trace_event_raw_drv_del_nan_func { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 instance_id; + char __data[0]; +}; + +struct trace_event_raw_api_start_tx_ba_session { + struct trace_entry ent; + char sta_addr[6]; + u16 tid; + char __data[0]; +}; + +struct trace_event_raw_api_start_tx_ba_cb { + struct trace_entry ent; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 ra[6]; + u16 tid; + char __data[0]; +}; + +struct trace_event_raw_api_stop_tx_ba_session { + struct trace_entry ent; + char sta_addr[6]; + u16 tid; + char __data[0]; +}; + +struct trace_event_raw_api_stop_tx_ba_cb { + struct trace_entry ent; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 ra[6]; + u16 tid; + char __data[0]; +}; + +struct trace_event_raw_api_beacon_loss { + struct trace_entry ent; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char __data[0]; +}; + +struct trace_event_raw_api_connection_loss { + struct trace_entry ent; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char __data[0]; +}; + +struct trace_event_raw_api_cqm_rssi_notify { + struct trace_entry ent; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 rssi_event; + s32 rssi_level; + char __data[0]; +}; + +struct trace_event_raw_api_scan_completed { + struct trace_entry ent; + char wiphy_name[32]; + bool aborted; + char __data[0]; +}; + +struct trace_event_raw_api_sched_scan_results { + struct trace_entry ent; + char wiphy_name[32]; + char __data[0]; +}; + +struct trace_event_raw_api_sched_scan_stopped { + struct trace_entry ent; + char wiphy_name[32]; + char __data[0]; +}; + +struct trace_event_raw_api_sta_block_awake { + struct trace_entry ent; + char wiphy_name[32]; + char sta_addr[6]; + bool block; + char __data[0]; +}; + +struct trace_event_raw_api_chswitch_done { + struct trace_entry ent; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + bool success; + char __data[0]; +}; + +struct trace_event_raw_api_gtk_rekey_notify { + struct trace_entry ent; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 bssid[6]; + u8 replay_ctr[8]; + char __data[0]; +}; + +struct trace_event_raw_api_enable_rssi_reports { + struct trace_entry ent; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + int rssi_min_thold; + int rssi_max_thold; + char __data[0]; +}; + +struct trace_event_raw_api_eosp { + struct trace_entry ent; + char wiphy_name[32]; + char sta_addr[6]; + char __data[0]; +}; + +struct trace_event_raw_api_send_eosp_nullfunc { + struct trace_entry ent; + char wiphy_name[32]; + char sta_addr[6]; + u8 tid; + char __data[0]; +}; + +struct trace_event_raw_api_sta_set_buffered { + struct trace_entry ent; + char wiphy_name[32]; + char sta_addr[6]; + u8 tid; + bool buffered; + char __data[0]; +}; + +struct trace_event_raw_wake_queue { + struct trace_entry ent; + char wiphy_name[32]; + u16 queue; + u32 reason; + char __data[0]; +}; + +struct trace_event_raw_stop_queue { + struct trace_entry ent; + char wiphy_name[32]; + u16 queue; + u32 reason; + char __data[0]; +}; + +struct trace_event_raw_drv_set_default_unicast_key { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + int key_idx; + char __data[0]; +}; + +struct trace_event_raw_api_radar_detected { + struct trace_entry ent; + char wiphy_name[32]; + char __data[0]; +}; + +struct trace_event_raw_drv_channel_switch_beacon { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; + char __data[0]; +}; + +struct trace_event_raw_drv_pre_channel_switch { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; + u64 timestamp; + u32 device_timestamp; + bool block_tx; + u8 count; + char __data[0]; +}; + +struct trace_event_raw_drv_channel_switch_rx_beacon { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; + u64 timestamp; + u32 device_timestamp; + bool block_tx; + u8 count; + char __data[0]; +}; + +struct trace_event_raw_drv_get_txpower { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + int dbm; + int ret; + char __data[0]; +}; + +struct trace_event_raw_drv_tdls_channel_switch { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char sta_addr[6]; + u8 oper_class; + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; + char __data[0]; +}; + +struct trace_event_raw_drv_tdls_cancel_channel_switch { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char sta_addr[6]; + char __data[0]; +}; + +struct trace_event_raw_drv_tdls_recv_channel_switch { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + u8 action_code; + char sta_addr[6]; + u32 control_freq; + u32 chan_width; + u32 center_freq1; + u32 center_freq2; + u32 status; + bool peer_initiator; + u32 timestamp; + u16 switch_time; + u16 switch_timeout; + char __data[0]; +}; + +struct trace_event_raw_drv_wake_tx_queue { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char sta_addr[6]; + u8 ac; + u8 tid; + char __data[0]; +}; + +struct trace_event_raw_drv_get_ftm_responder_stats { + struct trace_entry ent; + char wiphy_name[32]; + enum nl80211_iftype vif_type; + void *sdata; + bool p2p; + u32 __data_loc_vif_name; + char __data[0]; +}; + +struct trace_event_data_offsets_local_only_evt {}; + +struct trace_event_data_offsets_local_sdata_addr_evt { + u32 vif_name; +}; + +struct trace_event_data_offsets_local_u32_evt {}; + +struct trace_event_data_offsets_local_sdata_evt { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_return_int {}; + +struct trace_event_data_offsets_drv_return_bool {}; + +struct trace_event_data_offsets_drv_return_u32 {}; + +struct trace_event_data_offsets_drv_return_u64 {}; + +struct trace_event_data_offsets_drv_set_wakeup {}; + +struct trace_event_data_offsets_drv_change_interface { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_config {}; + +struct trace_event_data_offsets_drv_bss_info_changed { + u32 vif_name; + u32 arp_addr_list; + u32 ssid; +}; + +struct trace_event_data_offsets_drv_prepare_multicast {}; + +struct trace_event_data_offsets_drv_configure_filter {}; + +struct trace_event_data_offsets_drv_config_iface_filter { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_set_tim {}; + +struct trace_event_data_offsets_drv_set_key { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_update_tkip_key { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_sw_scan_start { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_get_stats {}; + +struct trace_event_data_offsets_drv_get_key_seq {}; + +struct trace_event_data_offsets_drv_set_coverage_class {}; + +struct trace_event_data_offsets_drv_sta_notify { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_sta_state { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_sta_set_txpwr { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_sta_rc_update { + u32 vif_name; +}; + +struct trace_event_data_offsets_sta_event { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_conf_tx { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_set_tsf { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_offset_tsf { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_ampdu_action { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_get_survey {}; + +struct trace_event_data_offsets_drv_flush {}; + +struct trace_event_data_offsets_drv_channel_switch { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_set_antenna {}; + +struct trace_event_data_offsets_drv_get_antenna {}; + +struct trace_event_data_offsets_drv_remain_on_channel { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_set_ringparam {}; + +struct trace_event_data_offsets_drv_get_ringparam {}; + +struct trace_event_data_offsets_drv_set_bitrate_mask { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_set_rekey_data { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_event_callback { + u32 vif_name; +}; + +struct trace_event_data_offsets_release_evt {}; + +struct trace_event_data_offsets_drv_mgd_prepare_tx { + u32 vif_name; +}; + +struct trace_event_data_offsets_local_chanctx {}; + +struct trace_event_data_offsets_drv_change_chanctx {}; + +struct trace_event_data_offsets_drv_switch_vif_chanctx { + u32 vifs; +}; + +struct trace_event_data_offsets_local_sdata_chanctx { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_start_ap { + u32 vif_name; + u32 ssid; +}; + +struct trace_event_data_offsets_drv_reconfig_complete {}; + +struct trace_event_data_offsets_drv_join_ibss { + u32 vif_name; + u32 ssid; +}; + +struct trace_event_data_offsets_drv_get_expected_throughput {}; + +struct trace_event_data_offsets_drv_start_nan { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_stop_nan { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_nan_change_conf { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_add_nan_func { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_del_nan_func { + u32 vif_name; +}; + +struct trace_event_data_offsets_api_start_tx_ba_session {}; + +struct trace_event_data_offsets_api_start_tx_ba_cb { + u32 vif_name; +}; + +struct trace_event_data_offsets_api_stop_tx_ba_session {}; + +struct trace_event_data_offsets_api_stop_tx_ba_cb { + u32 vif_name; +}; + +struct trace_event_data_offsets_api_beacon_loss { + u32 vif_name; +}; + +struct trace_event_data_offsets_api_connection_loss { + u32 vif_name; +}; + +struct trace_event_data_offsets_api_cqm_rssi_notify { + u32 vif_name; +}; + +struct trace_event_data_offsets_api_scan_completed {}; + +struct trace_event_data_offsets_api_sched_scan_results {}; + +struct trace_event_data_offsets_api_sched_scan_stopped {}; + +struct trace_event_data_offsets_api_sta_block_awake {}; + +struct trace_event_data_offsets_api_chswitch_done { + u32 vif_name; +}; + +struct trace_event_data_offsets_api_gtk_rekey_notify { + u32 vif_name; +}; + +struct trace_event_data_offsets_api_enable_rssi_reports { + u32 vif_name; +}; + +struct trace_event_data_offsets_api_eosp {}; + +struct trace_event_data_offsets_api_send_eosp_nullfunc {}; + +struct trace_event_data_offsets_api_sta_set_buffered {}; + +struct trace_event_data_offsets_wake_queue {}; + +struct trace_event_data_offsets_stop_queue {}; + +struct trace_event_data_offsets_drv_set_default_unicast_key { + u32 vif_name; +}; + +struct trace_event_data_offsets_api_radar_detected {}; + +struct trace_event_data_offsets_drv_channel_switch_beacon { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_pre_channel_switch { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_channel_switch_rx_beacon { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_get_txpower { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_tdls_channel_switch { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_tdls_cancel_channel_switch { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_tdls_recv_channel_switch { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_wake_tx_queue { + u32 vif_name; +}; + +struct trace_event_data_offsets_drv_get_ftm_responder_stats { + u32 vif_name; +}; + +enum ieee80211_he_mcs_support { + IEEE80211_HE_MCS_SUPPORT_0_7 = 0, + IEEE80211_HE_MCS_SUPPORT_0_9 = 1, + IEEE80211_HE_MCS_SUPPORT_0_11 = 2, + IEEE80211_HE_MCS_NOT_SUPPORTED = 3, +}; + +struct ieee80211_country_ie_triplet { + union { + struct { + u8 first_channel; + u8 num_channels; + s8 max_power; + } chans; + struct { + u8 reg_extension_id; + u8 reg_class; + u8 coverage_class; + } ext; + }; +}; + +enum ieee80211_timeout_interval_type { + WLAN_TIMEOUT_REASSOC_DEADLINE = 1, + WLAN_TIMEOUT_KEY_LIFETIME = 2, + WLAN_TIMEOUT_ASSOC_COMEBACK = 3, +}; + +enum ieee80211_idle_options { + WLAN_IDLE_OPTIONS_PROTECTED_KEEP_ALIVE = 1, +}; + +struct ieee80211_wmm_ac_param { + u8 aci_aifsn; + u8 cw; + __le16 txop_limit; +}; + +struct ieee80211_wmm_param_ie { + u8 element_id; + u8 len; + u8 oui[3]; + u8 oui_type; + u8 oui_subtype; + u8 version; + u8 qos_info; + u8 reserved; + struct ieee80211_wmm_ac_param ac[4]; +}; + +enum ocb_deferred_task_flags { + OCB_WORK_HOUSEKEEPING = 0, +}; + +struct mcs_group { + u8 shift; + u16 duration[12]; +}; + +struct minstrel_rate_stats { + u16 attempts; + u16 last_attempts; + u16 success; + u16 last_success; + u32 att_hist; + u32 succ_hist; + u16 prob_avg; + u16 prob_avg_1; + u8 retry_count; + u8 retry_count_rtscts; + u8 sample_skipped; + bool retry_updated; +}; + +struct minstrel_rate { + int bitrate; + s8 rix; + u8 retry_count_cts; + u8 adjusted_retry_count; + unsigned int perfect_tx_time; + unsigned int ack_time; + int sample_limit; + struct minstrel_rate_stats stats; +}; + +struct minstrel_sta_info { + struct ieee80211_sta *sta; + long unsigned int last_stats_update; + unsigned int sp_ack_dur; + unsigned int rate_avg; + unsigned int lowest_rix; + u8 max_tp_rate[4]; + u8 max_prob_rate; + unsigned int total_packets; + unsigned int sample_packets; + int sample_deferred; + unsigned int sample_row; + unsigned int sample_column; + int n_rates; + struct minstrel_rate *r; + bool prev_sample; + u8 *sample_table; +}; + +struct minstrel_priv { + struct ieee80211_hw *hw; + bool has_mrr; + bool new_avg; + u32 sample_switch; + unsigned int cw_min; + unsigned int cw_max; + unsigned int max_retry; + unsigned int segment_size; + unsigned int update_interval; + unsigned int lookaround_rate; + unsigned int lookaround_rate_mrr; + u8 cck_rates[4]; +}; + +struct mcs_group___2 { + u16 flags; + u8 streams; + u8 shift; + u8 bw; + u16 duration[10]; +}; + +struct minstrel_mcs_group_data { + u8 index; + u8 column; + u16 max_group_tp_rate[4]; + u16 max_group_prob_rate; + struct minstrel_rate_stats rates[10]; +}; + +enum minstrel_sample_mode { + MINSTREL_SAMPLE_IDLE = 0, + MINSTREL_SAMPLE_ACTIVE = 1, + MINSTREL_SAMPLE_PENDING = 2, +}; + +struct minstrel_ht_sta { + struct ieee80211_sta *sta; + unsigned int ampdu_len; + unsigned int ampdu_packets; + unsigned int avg_ampdu_len; + u16 max_tp_rate[4]; + u16 max_prob_rate; + long unsigned int last_stats_update; + unsigned int overhead; + unsigned int overhead_rtscts; + unsigned int total_packets_last; + unsigned int total_packets_cur; + unsigned int total_packets; + unsigned int sample_packets; + u32 tx_flags; + u8 sample_wait; + u8 sample_tries; + u8 sample_count; + u8 sample_slow; + enum minstrel_sample_mode sample_mode; + u16 sample_rate; + u8 sample_group; + u8 cck_supported; + u8 cck_supported_short; + u16 supported[41]; + struct minstrel_mcs_group_data groups[41]; +}; + +struct minstrel_ht_sta_priv { + union { + struct minstrel_ht_sta ht; + struct minstrel_sta_info legacy; + }; + void *ratelist; + void *sample_table; + bool is_ht; +}; + +struct netlbl_af4list { + __be32 addr; + __be32 mask; + u32 valid; + struct list_head list; +}; + +struct netlbl_af6list { + struct in6_addr addr; + struct in6_addr mask; + u32 valid; + struct list_head list; +}; + +struct netlbl_domaddr_map { + struct list_head list4; + struct list_head list6; +}; + +struct netlbl_dommap_def { + u32 type; + union { + struct netlbl_domaddr_map *addrsel; + struct cipso_v4_doi *cipso; + struct calipso_doi *calipso; + }; +}; + +struct netlbl_domaddr4_map { + struct netlbl_dommap_def def; + struct netlbl_af4list list; +}; + +struct netlbl_domaddr6_map { + struct netlbl_dommap_def def; + struct netlbl_af6list list; +}; + +struct netlbl_dom_map { + char *domain; + u16 family; + struct netlbl_dommap_def def; + u32 valid; + struct list_head list; + struct callback_head rcu; +}; + +struct netlbl_domhsh_tbl { + struct list_head *tbl; + u32 size; +}; + +enum { + NLBL_MGMT_C_UNSPEC = 0, + NLBL_MGMT_C_ADD = 1, + NLBL_MGMT_C_REMOVE = 2, + NLBL_MGMT_C_LISTALL = 3, + NLBL_MGMT_C_ADDDEF = 4, + NLBL_MGMT_C_REMOVEDEF = 5, + NLBL_MGMT_C_LISTDEF = 6, + NLBL_MGMT_C_PROTOCOLS = 7, + NLBL_MGMT_C_VERSION = 8, + __NLBL_MGMT_C_MAX = 9, +}; + +enum { + NLBL_MGMT_A_UNSPEC = 0, + NLBL_MGMT_A_DOMAIN = 1, + NLBL_MGMT_A_PROTOCOL = 2, + NLBL_MGMT_A_VERSION = 3, + NLBL_MGMT_A_CV4DOI = 4, + NLBL_MGMT_A_IPV6ADDR = 5, + NLBL_MGMT_A_IPV6MASK = 6, + NLBL_MGMT_A_IPV4ADDR = 7, + NLBL_MGMT_A_IPV4MASK = 8, + NLBL_MGMT_A_ADDRSELECTOR = 9, + NLBL_MGMT_A_SELECTORLIST = 10, + NLBL_MGMT_A_FAMILY = 11, + NLBL_MGMT_A_CLPDOI = 12, + __NLBL_MGMT_A_MAX = 13, +}; + +struct netlbl_domhsh_walk_arg { + struct netlink_callback *nl_cb; + struct sk_buff *skb; + u32 seq; +}; + +enum { + NLBL_UNLABEL_C_UNSPEC = 0, + NLBL_UNLABEL_C_ACCEPT = 1, + NLBL_UNLABEL_C_LIST = 2, + NLBL_UNLABEL_C_STATICADD = 3, + NLBL_UNLABEL_C_STATICREMOVE = 4, + NLBL_UNLABEL_C_STATICLIST = 5, + NLBL_UNLABEL_C_STATICADDDEF = 6, + NLBL_UNLABEL_C_STATICREMOVEDEF = 7, + NLBL_UNLABEL_C_STATICLISTDEF = 8, + __NLBL_UNLABEL_C_MAX = 9, +}; + +enum { + NLBL_UNLABEL_A_UNSPEC = 0, + NLBL_UNLABEL_A_ACPTFLG = 1, + NLBL_UNLABEL_A_IPV6ADDR = 2, + NLBL_UNLABEL_A_IPV6MASK = 3, + NLBL_UNLABEL_A_IPV4ADDR = 4, + NLBL_UNLABEL_A_IPV4MASK = 5, + NLBL_UNLABEL_A_IFACE = 6, + NLBL_UNLABEL_A_SECCTX = 7, + __NLBL_UNLABEL_A_MAX = 8, +}; + +struct netlbl_unlhsh_tbl { + struct list_head *tbl; + u32 size; +}; + +struct netlbl_unlhsh_addr4 { + u32 secid; + struct netlbl_af4list list; + struct callback_head rcu; +}; + +struct netlbl_unlhsh_addr6 { + u32 secid; + struct netlbl_af6list list; + struct callback_head rcu; +}; + +struct netlbl_unlhsh_iface { + int ifindex; + struct list_head addr4_list; + struct list_head addr6_list; + u32 valid; + struct list_head list; + struct callback_head rcu; +}; + +struct netlbl_unlhsh_walk_arg { + struct netlink_callback *nl_cb; + struct sk_buff *skb; + u32 seq; +}; + +enum { + NLBL_CIPSOV4_C_UNSPEC = 0, + NLBL_CIPSOV4_C_ADD = 1, + NLBL_CIPSOV4_C_REMOVE = 2, + NLBL_CIPSOV4_C_LIST = 3, + NLBL_CIPSOV4_C_LISTALL = 4, + __NLBL_CIPSOV4_C_MAX = 5, +}; + +enum { + NLBL_CIPSOV4_A_UNSPEC = 0, + NLBL_CIPSOV4_A_DOI = 1, + NLBL_CIPSOV4_A_MTYPE = 2, + NLBL_CIPSOV4_A_TAG = 3, + NLBL_CIPSOV4_A_TAGLST = 4, + NLBL_CIPSOV4_A_MLSLVLLOC = 5, + NLBL_CIPSOV4_A_MLSLVLREM = 6, + NLBL_CIPSOV4_A_MLSLVL = 7, + NLBL_CIPSOV4_A_MLSLVLLST = 8, + NLBL_CIPSOV4_A_MLSCATLOC = 9, + NLBL_CIPSOV4_A_MLSCATREM = 10, + NLBL_CIPSOV4_A_MLSCAT = 11, + NLBL_CIPSOV4_A_MLSCATLST = 12, + __NLBL_CIPSOV4_A_MAX = 13, +}; + +struct netlbl_cipsov4_doiwalk_arg { + struct netlink_callback *nl_cb; + struct sk_buff *skb; + u32 seq; +}; + +struct netlbl_domhsh_walk_arg___2 { + struct netlbl_audit *audit_info; + u32 doi; +}; + +enum { + NLBL_CALIPSO_C_UNSPEC = 0, + NLBL_CALIPSO_C_ADD = 1, + NLBL_CALIPSO_C_REMOVE = 2, + NLBL_CALIPSO_C_LIST = 3, + NLBL_CALIPSO_C_LISTALL = 4, + __NLBL_CALIPSO_C_MAX = 5, +}; + +enum { + NLBL_CALIPSO_A_UNSPEC = 0, + NLBL_CALIPSO_A_DOI = 1, + NLBL_CALIPSO_A_MTYPE = 2, + __NLBL_CALIPSO_A_MAX = 3, +}; + +struct netlbl_calipso_doiwalk_arg { + struct netlink_callback *nl_cb; + struct sk_buff *skb; + u32 seq; +}; + +enum rfkill_operation { + RFKILL_OP_ADD = 0, + RFKILL_OP_DEL = 1, + RFKILL_OP_CHANGE = 2, + RFKILL_OP_CHANGE_ALL = 3, +}; + +struct rfkill_event { + __u32 idx; + __u8 type; + __u8 op; + __u8 soft; + __u8 hard; +}; + +enum rfkill_user_states { + RFKILL_USER_STATE_SOFT_BLOCKED = 0, + RFKILL_USER_STATE_UNBLOCKED = 1, + RFKILL_USER_STATE_HARD_BLOCKED = 2, +}; + +struct rfkill { + spinlock_t lock; + enum rfkill_type type; + long unsigned int state; + u32 idx; + bool registered; + bool persistent; + bool polling_paused; + bool suspended; + const struct rfkill_ops *ops; + void *data; + struct led_trigger led_trigger; + const char *ledtrigname; + struct device___2 dev; + struct list_head node; + struct delayed_work poll_work; + struct work_struct uevent_work; + struct work_struct sync_work; + char name[0]; +}; + +struct rfkill_int_event { + struct list_head list; + struct rfkill_event ev; +}; + +struct rfkill_data { + struct list_head list; + struct list_head events; + struct mutex mtx; + wait_queue_head_t read_wait; + bool input_handler; +}; + +enum rfkill_input_master_mode { + RFKILL_INPUT_MASTER_UNLOCK = 0, + RFKILL_INPUT_MASTER_RESTORE = 1, + RFKILL_INPUT_MASTER_UNBLOCKALL = 2, + NUM_RFKILL_INPUT_MASTER_MODES = 3, +}; + +enum rfkill_sched_op { + RFKILL_GLOBAL_OP_EPO = 0, + RFKILL_GLOBAL_OP_RESTORE = 1, + RFKILL_GLOBAL_OP_UNLOCK = 2, + RFKILL_GLOBAL_OP_UNBLOCK = 3, +}; + +enum dns_payload_content_type { + DNS_PAYLOAD_IS_SERVER_LIST = 0, +}; + +struct dns_payload_header { + __u8 zero; + __u8 content; + __u8 version; +}; + +enum { + dns_key_data = 0, + dns_key_error = 1, +}; + +struct warn_args___2; + +struct compress_format { + unsigned char magic[2]; + const char *name; + decompress_fn decompressor; +}; + +struct group_data { + int limit[21]; + int base[20]; + int permute[258]; + int minLen; + int maxLen; +}; + +struct bunzip_data { + int writeCopies; + int writePos; + int writeRunCountdown; + int writeCount; + int writeCurrent; + long int (*fill)(void *, long unsigned int); + long int inbufCount; + long int inbufPos; + unsigned char *inbuf; + unsigned int inbufBitCount; + unsigned int inbufBits; + unsigned int crc32Table[256]; + unsigned int headerCRC; + unsigned int totalCRC; + unsigned int writeCRC; + unsigned int *dbuf; + unsigned int dbufSize; + unsigned char selectors[32768]; + struct group_data groups[6]; + int io_error; + int byteCount[256]; + unsigned char symToByte[256]; + unsigned char mtfSymbol[256]; +}; + +struct rc { + long int (*fill)(void *, long unsigned int); + uint8_t *ptr; + uint8_t *buffer; + uint8_t *buffer_end; + long int buffer_size; + uint32_t code; + uint32_t range; + uint32_t bound; + void (*error)(char *); +}; + +struct lzma_header { + uint8_t pos; + uint32_t dict_size; + uint64_t dst_size; +} __attribute__((packed)); + +struct writer { + uint8_t *buffer; + uint8_t previous_byte; + size_t buffer_pos; + int bufsize; + size_t global_pos; + long int (*flush)(void *, long unsigned int); + struct lzma_header *header; +}; + +struct cstate { + int state; + uint32_t rep0; + uint32_t rep1; + uint32_t rep2; + uint32_t rep3; +}; + +struct xz_dec___2; + +enum cpio_fields { + C_MAGIC = 0, + C_INO = 1, + C_MODE = 2, + C_UID = 3, + C_GID = 4, + C_NLINK = 5, + C_MTIME = 6, + C_FILESIZE = 7, + C_MAJ = 8, + C_MIN = 9, + C_RMAJ = 10, + C_RMIN = 11, + C_NAMESIZE = 12, + C_CHKSUM = 13, + C_NFIELDS = 14, +}; + +struct fprop_local_single { + long unsigned int events; + unsigned int period; + raw_spinlock_t lock; +}; + +struct ida_bitmap { + long unsigned int bitmap[16]; +}; + +struct klist_waiter { + struct list_head list; + struct klist_node *node; + struct task_struct___2 *process; + int woken; +}; + +struct uevent_sock { + struct list_head list; + struct sock *sk; +}; + +struct radix_tree_preload { + unsigned int nr; + struct xa_node *nodes; +}; + +typedef struct { + long unsigned int key[2]; +} hsiphash_key_t; + +enum format_type { + FORMAT_TYPE_NONE = 0, + FORMAT_TYPE_WIDTH = 1, + FORMAT_TYPE_PRECISION = 2, + FORMAT_TYPE_CHAR = 3, + FORMAT_TYPE_STR = 4, + FORMAT_TYPE_PTR = 5, + FORMAT_TYPE_PERCENT_CHAR = 6, + FORMAT_TYPE_INVALID = 7, + FORMAT_TYPE_LONG_LONG = 8, + FORMAT_TYPE_ULONG = 9, + FORMAT_TYPE_LONG = 10, + FORMAT_TYPE_UBYTE = 11, + FORMAT_TYPE_BYTE = 12, + FORMAT_TYPE_USHORT = 13, + FORMAT_TYPE_SHORT = 14, + FORMAT_TYPE_UINT = 15, + FORMAT_TYPE_INT = 16, + FORMAT_TYPE_SIZE_T = 17, + FORMAT_TYPE_PTRDIFF = 18, +}; + +struct printf_spec { + unsigned int type: 8; + int field_width: 24; + unsigned int flags: 8; + unsigned int base: 8; + int precision: 16; +}; + +enum { + st_wordstart = 0, + st_wordcmp = 1, + st_wordskip = 2, +}; + +enum { + st_wordstart___2 = 0, + st_wordcmp___2 = 1, + st_wordskip___2 = 2, + st_bufcpy = 3, +}; + +struct in6_addr___2; + +enum reg_type { + REG_TYPE_RM = 0, + REG_TYPE_INDEX = 1, + REG_TYPE_BASE = 2, +}; + +#ifndef BPF_NO_PRESERVE_ACCESS_INDEX +#pragma clang attribute pop +#endif From 2d099cd8c5cb1598d6e911c0b389132ebc7c101b Mon Sep 17 00:00:00 2001 From: Dale Hamel Date: Tue, 11 Feb 2020 21:10:52 -0500 Subject: [PATCH 226/228] Allow specifying clang base directory --- CMakeLists.txt | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/CMakeLists.txt b/CMakeLists.txt index 7bd0f3b27..f1916b55c 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -43,6 +43,11 @@ find_package(LLVM REQUIRED CONFIG) message(STATUS "Found LLVM: ${LLVM_INCLUDE_DIRS} ${LLVM_PACKAGE_VERSION}") find_package(LibElf REQUIRED) +if(CLANG_DIR) + set(CMAKE_FIND_ROOT_PATH "${CLANG_DIR}") + include_directories("${CLANG_DIR}/include") +endif() + # clang is linked as a library, but the library path searching is # primitively supported, unlike libLLVM set(CLANG_SEARCH "/opt/local/llvm/lib;/usr/lib/llvm-3.7/lib;${LLVM_LIBRARY_DIRS}") From e1496e15a749fa700315f759dfca4ac79f3f6428 Mon Sep 17 00:00:00 2001 From: Andrii Nakryiko Date: Wed, 12 Feb 2020 13:01:59 -0800 Subject: [PATCH 227/228] tools: add libbpf-based tools to BCC w/ runqslower as first converted tool Add runqslower as a first tool converted from BCC to libbpf, utilizing BPF CO-RE (Compile Once - Run Everywhere) approach and BPF skeleton for interfacing with BPF programs. Current set up is Makefile based and is set up in such a way as to enable easy addition for more tools, based on a simple and convenient naming pattern. General build infrastructure takes case of BPF skeleton generation, tracking dependencies, clean up, etc. Signed-off-by: Andrii Nakryiko --- libbpf-tools/.gitignore | 2 + libbpf-tools/Makefile | 64 +++++++++ libbpf-tools/README.md | 69 ++++++++++ libbpf-tools/runqslower.bpf.c | 105 +++++++++++++++ libbpf-tools/runqslower.c | 199 ++++++++++++++++++++++++++++ libbpf-tools/runqslower.h | 13 ++ libbpf-tools/runqslower_example.txt | 54 ++++++++ man/man8/runqslower.8 | 3 +- 8 files changed, 508 insertions(+), 1 deletion(-) create mode 100644 libbpf-tools/.gitignore create mode 100644 libbpf-tools/Makefile create mode 100644 libbpf-tools/README.md create mode 100644 libbpf-tools/runqslower.bpf.c create mode 100644 libbpf-tools/runqslower.c create mode 100644 libbpf-tools/runqslower.h create mode 100644 libbpf-tools/runqslower_example.txt diff --git a/libbpf-tools/.gitignore b/libbpf-tools/.gitignore new file mode 100644 index 000000000..404942cc9 --- /dev/null +++ b/libbpf-tools/.gitignore @@ -0,0 +1,2 @@ +/.output +/runqslower diff --git a/libbpf-tools/Makefile b/libbpf-tools/Makefile new file mode 100644 index 000000000..cf7f8afe9 --- /dev/null +++ b/libbpf-tools/Makefile @@ -0,0 +1,64 @@ +# SPDX-License-Identifier: (LGPL-2.1 OR BSD-2-Clause) +OUTPUT := .output +CLANG ?= clang +LLVM_STRIP ?= llvm-strip +BPFTOOL ?= bin/bpftool +LIBBPF_SRC := $(abspath ../src/cc/libbpf/src) +LIBBPF_OBJ := $(abspath $(OUTPUT)/libbpf.a) +INCLUDES := -I$(OUTPUT) +CFLAGS := -g -Wall + +APPS = runqslower + +.PHONY: all +all: $(APPS) + +ifeq ($(V),1) +Q = +msg = +else +Q = @ +msg = @printf ' %-8s %s%s\n' "$(1)" "$(notdir $(2))" "$(if $(3), $(3))"; +MAKEFLAGS += --no-print-directory +endif + +.PHONY: clean +clean: + $(call msg,CLEAN) + $(Q)rm -rf $(OUTPUT) $(APPS) + +$(OUTPUT) $(OUTPUT)/libbpf: + $(call msg,MKDIR,$@) + $(Q)mkdir -p $@ + +$(APPS): %: $(OUTPUT)/%.o $(LIBBPF_OBJ) | $(OUTPUT) + $(call msg,BINARY,$@) + $(Q)$(CC) $(CFLAGS) $^ -lelf -lz -o $@ + +$(OUTPUT)/%.o: %.c $(OUTPUT)/%.skel.h $(wildcard %.h) | $(OUTPUT) + $(call msg,CC,$@) + $(Q)$(CC) $(CFLAGS) $(INCLUDES) -c $(filter %.c,$^) -o $@ + +$(OUTPUT)/%.skel.h: $(OUTPUT)/%.bpf.o | $(OUTPUT) + $(call msg,GEN-SKEL,$@) + $(Q)$(BPFTOOL) gen skeleton $< > $@ + +$(OUTPUT)/%.bpf.o: %.bpf.c $(LIBBPF_OBJ) $(wildcard %.h) vmlinux.h | $(OUTPUT) + $(call msg,BPF,$@) + $(Q)$(CLANG) -g -O2 -target bpf $(INCLUDES) \ + -c $(filter %.c,$^) -o $@ && \ + $(LLVM_STRIP) -g $@ + +# Build libbpf.a +$(LIBBPF_OBJ): $(wildcard $(LIBBPF_SRC)/*.[ch]) | $(OUTPUT)/libbpf + $(call msg,LIB,$@) + $(Q)$(MAKE) -C $(LIBBPF_SRC) BUILD_STATIC_ONLY=1 \ + OBJDIR=$(dir $@)/libbpf DESTDIR=$(dir $@) \ + INCLUDEDIR= LIBDIR= UAPIDIR= \ + install + +# delete failed targets +.DELETE_ON_ERROR: +# keep intermediate (.skel.h, .bpf.o, etc) targets +.SECONDARY: + diff --git a/libbpf-tools/README.md b/libbpf-tools/README.md new file mode 100644 index 000000000..8f1492bf9 --- /dev/null +++ b/libbpf-tools/README.md @@ -0,0 +1,69 @@ +Building +------- + +To build libbpf-based tools, simply run `make`. This will build all the listed +tools/applications. All the build artifacts, by default, go into .output +subdirectory to keep source code and build artifacts completely separate. The +only exception is resulting tool binaries, which are put in a current +directory. `make clean` will clean up all the build artifacts, including +generated binaries. + +Given libbpf package might not be available across wide variety of +distributions, all libbpf-based tools are linked statically against version of +libbpf that BCC links against (from submodule under src/cc/libbpf). This +results in binaries with minimal amount of dependencies (libc, libelf, and +libz are linked dynamically, though, given their widespread availability). + +Tools are expected to follow a simple naming convention: + - .c contains userspace C code of a tool. + - .bpf.c contains BPF C code, which gets compiled into BPF ELF file. + This ELF file is used to generate BPF skeleton .skel.h, which is + subsequently is included from .c. + - .h can optionally contain any types and constants, shared by both + BPF and userspace sides of a tool. + +For such cases, simply adding name to Makefile's APPS variable will +ensure this tool is built alongside others. + +For more complicated applications, some extra Makefile rules might need to be +created. For such cases, it is advised to put application into a dedicated +subdirectory and link it from main Makefile. + +vmlinux.h generation +------------------- + +vmlinux.h contains all kernel types, both exported and internal-only. BPF +CO-RE-based applications are expected to include this file in their BPF +program C source code to avoid dependency on kernel headers package. + +For more reproducible builds, vmlinux.h header file is pre-generated and +checked in along the other sources. This is done to avoid dependency on +specific user/build server's kernel configuration, because vmlinux.h +generation depends on having a kernel with BTF type information built-in +(which is enabled by `CONFIG_DEBUG_INFO_BTF=y` Kconfig option). + +vmlinux.h is generated from upstream Linux version at particular minor +version tag. E.g., `vmlinux_505.h` is generated from v5.5 tag. Exact set of +types available in compiled kernel depends on configuration used to compile +it. To generate present vmlinux.h header, default configuration was used, with +only extra `CONFIG_DEBUG_INFO_BTF=y` option enabled. + +Given different kernel version can have incompatible type definitions, it +might be important to use vmlinux.h of a specific kernel version as a "base" +version of header. To that extent, all vmlinux.h headers are versioned by +appending suffix to a file name. There is always a symbolic +link vmlinux.h, that points to whichever version is deemed to be default +(usually, latest). + +bpftool +------- + +bpftool is a universal tool used for inspection of BPF resources, as well as +providing various extra BPF-related facilities, like code-generation of BPF +program skeletons. The latter functionality is heavily used by these tools to +load and interact with BPF programs. + +Given bpftool package can't yet be expected to be available widely across many +distributions, bpftool binary is checked in into BCC repository in bin/ +subdirectory. Once bpftool package is more widely available, this can be +changed in favor of using pre-packaged version of bpftool. diff --git a/libbpf-tools/runqslower.bpf.c b/libbpf-tools/runqslower.bpf.c new file mode 100644 index 000000000..09abab252 --- /dev/null +++ b/libbpf-tools/runqslower.bpf.c @@ -0,0 +1,105 @@ +// SPDX-License-Identifier: GPL-2.0 +// Copyright (c) 2019 Facebook +#include "vmlinux.h" +#include +#include "runqslower.h" + +#define TASK_RUNNING 0 + +#define BPF_F_INDEX_MASK 0xffffffffULL +#define BPF_F_CURRENT_CPU BPF_F_INDEX_MASK + +const volatile __u64 min_us = 0; +const volatile pid_t targ_pid = 0; +const volatile pid_t targ_tgid = 0; + +struct { + __uint(type, BPF_MAP_TYPE_HASH); + __uint(max_entries, 10240); + __type(key, u32); + __type(value, u64); +} start SEC(".maps"); + +struct { + __uint(type, BPF_MAP_TYPE_PERF_EVENT_ARRAY); + __uint(key_size, sizeof(u32)); + __uint(value_size, sizeof(u32)); +} events SEC(".maps"); + +/* record enqueue timestamp */ +static __always_inline +int trace_enqueue(u32 tgid, u32 pid) +{ + u64 ts; + + if (!pid) + return 0; + if (targ_tgid && targ_tgid != tgid) + return 0; + if (targ_pid && targ_pid != pid) + return 0; + + ts = bpf_ktime_get_ns(); + bpf_map_update_elem(&start, &pid, &ts, 0); + return 0; +} + +SEC("tp_btf/sched_wakeup") +int handle__sched_wakeup(u64 *ctx) +{ + /* TP_PROTO(struct task_struct *p) */ + struct task_struct *p = (void *)ctx[0]; + + return trace_enqueue(p->tgid, p->pid); +} + +SEC("tp_btf/sched_wakeup_new") +int handle__sched_wakeup_new(u64 *ctx) +{ + /* TP_PROTO(struct task_struct *p) */ + struct task_struct *p = (void *)ctx[0]; + + return trace_enqueue(p->tgid, p->pid); +} + +SEC("tp_btf/sched_switch") +int handle__sched_switch(u64 *ctx) +{ + /* TP_PROTO(bool preempt, struct task_struct *prev, + * struct task_struct *next) + */ + struct task_struct *prev = (struct task_struct *)ctx[1]; + struct task_struct *next = (struct task_struct *)ctx[2]; + struct event event = {}; + u64 *tsp, delta_us; + long state; + u32 pid; + + /* ivcsw: treat like an enqueue event and store timestamp */ + if (prev->state == TASK_RUNNING) + trace_enqueue(prev->tgid, prev->pid); + + pid = next->pid; + + /* fetch timestamp and calculate delta */ + tsp = bpf_map_lookup_elem(&start, &pid); + if (!tsp) + return 0; /* missed enqueue */ + + delta_us = (bpf_ktime_get_ns() - *tsp) / 1000; + if (min_us && delta_us <= min_us) + return 0; + + event.pid = pid; + event.delta_us = delta_us; + bpf_probe_read_str(&event.task, sizeof(event.task), next->comm); + + /* output */ + bpf_perf_event_output(ctx, &events, BPF_F_CURRENT_CPU, + &event, sizeof(event)); + + bpf_map_delete_elem(&start, &pid); + return 0; +} + +char LICENSE[] SEC("license") = "GPL"; diff --git a/libbpf-tools/runqslower.c b/libbpf-tools/runqslower.c new file mode 100644 index 000000000..5b1a97435 --- /dev/null +++ b/libbpf-tools/runqslower.c @@ -0,0 +1,199 @@ +// SPDX-License-Identifier: (LGPL-2.1 OR BSD-2-Clause) +// Copyright (c) 2019 Facebook +// +// Based on runqslower(8) from BCC by Ivan Babrou. +// 11-Feb-2020 Andrii Nakryiko Created this. +#include +#include +#include +#include +#include +#include +#include +#include +#include "runqslower.h" +#include "runqslower.skel.h" + +struct env { + pid_t pid; + pid_t tid; + __u64 min_us; + bool verbose; +} env = { + .min_us = 10000, +}; + +const char *argp_program_version = "runqslower 0.1"; +const char *argp_program_bug_address = ""; +const char argp_program_doc[] = +"Trace high run queue latency.\n" +"\n" +"USAGE: runqslower [--help] [-p PID] [-t TID] [min_us]\n" +"\n" +"EXAMPLES:\n" +" runqslower # trace latency higher than 10000 us (default)\n" +" runqslower 1000 # trace latency higher than 1000 us\n" +" runqslower -p 123 # trace pid 123\n" +" runqslower -t 123 # trace tid 123 (use for threads only)\n"; + +static const struct argp_option opts[] = { + { "pid", 'p', "PID", 0, "Process PID to trace"}, + { "tid", 't', "TID", 0, "Thread TID to trace"}, + { "verbose", 'v', NULL, 0, "Verbose debug output" }, + {}, +}; + +static error_t parse_arg(int key, char *arg, struct argp_state *state) +{ + static int pos_args; + int pid; + long long min_us; + + switch (key) { + case 'v': + env.verbose = true; + break; + case 'p': + errno = 0; + pid = strtol(arg, NULL, 10); + if (errno || pid <= 0) { + fprintf(stderr, "Invalid PID: %s\n", arg); + argp_usage(state); + } + env.pid = pid; + break; + case 't': + errno = 0; + pid = strtol(arg, NULL, 10); + if (errno || pid <= 0) { + fprintf(stderr, "Invalid TID: %s\n", arg); + argp_usage(state); + } + env.tid = pid; + break; + case ARGP_KEY_ARG: + if (pos_args++) { + fprintf(stderr, + "Unrecognized positional argument: %s\n", arg); + argp_usage(state); + } + errno = 0; + min_us = strtoll(arg, NULL, 10); + if (errno || min_us <= 0) { + fprintf(stderr, "Invalid delay (in us): %s\n", arg); + argp_usage(state); + } + env.min_us = min_us; + break; + default: + return ARGP_ERR_UNKNOWN; + } + return 0; +} + +int libbpf_print_fn(enum libbpf_print_level level, + const char *format, va_list args) +{ + if (level == LIBBPF_DEBUG && !env.verbose) + return 0; + return vfprintf(stderr, format, args); +} + +static int bump_memlock_rlimit(void) +{ + struct rlimit rlim_new = { + .rlim_cur = RLIM_INFINITY, + .rlim_max = RLIM_INFINITY, + }; + + return setrlimit(RLIMIT_MEMLOCK, &rlim_new); +} + +void handle_event(void *ctx, int cpu, void *data, __u32 data_sz) +{ + const struct event *e = data; + struct tm *tm; + char ts[32]; + time_t t; + + time(&t); + tm = localtime(&t); + strftime(ts, sizeof(ts), "%H:%M:%S", tm); + printf("%-8s %-16s %-6d %14llu\n", ts, e->task, e->pid, e->delta_us); +} + +void handle_lost_events(void *ctx, int cpu, __u64 lost_cnt) +{ + printf("Lost %llu events on CPU #%d!\n", lost_cnt, cpu); +} + +int main(int argc, char **argv) +{ + static const struct argp argp = { + .options = opts, + .parser = parse_arg, + .doc = argp_program_doc, + }; + struct perf_buffer_opts pb_opts; + struct perf_buffer *pb = NULL; + struct runqslower_bpf *obj; + int err; + + err = argp_parse(&argp, argc, argv, 0, NULL, NULL); + if (err) + return err; + + libbpf_set_print(libbpf_print_fn); + + err = bump_memlock_rlimit(); + if (err) { + fprintf(stderr, "failed to increase rlimit: %d\n", err); + return 1; + } + + obj = runqslower_bpf__open(); + if (!obj) { + fprintf(stderr, "failed to open and/or load BPF object\n"); + return 1; + } + + /* initialize global data (filtering options) */ + obj->rodata->targ_tgid = env.pid; + obj->rodata->targ_pid = env.tid; + obj->rodata->min_us = env.min_us; + + err = runqslower_bpf__load(obj); + if (err) { + fprintf(stderr, "failed to load BPF object: %d\n", err); + goto cleanup; + } + + err = runqslower_bpf__attach(obj); + if (err) { + fprintf(stderr, "failed to attach BPF programs\n"); + goto cleanup; + } + + printf("Tracing run queue latency higher than %llu us\n", env.min_us); + printf("%-8s %-16s %-6s %14s\n", "TIME", "COMM", "TID", "LAT(us)"); + + pb_opts.sample_cb = handle_event; + pb_opts.lost_cb = handle_lost_events; + pb = perf_buffer__new(bpf_map__fd(obj->maps.events), 64, &pb_opts); + err = libbpf_get_error(pb); + if (err) { + pb = NULL; + fprintf(stderr, "failed to open perf buffer: %d\n", err); + goto cleanup; + } + + while ((err = perf_buffer__poll(pb, 100)) >= 0) + ; + printf("Error polling perf buffer: %d\n", err); + +cleanup: + perf_buffer__free(pb); + runqslower_bpf__destroy(obj); + + return err != 0; +} diff --git a/libbpf-tools/runqslower.h b/libbpf-tools/runqslower.h new file mode 100644 index 000000000..9db225425 --- /dev/null +++ b/libbpf-tools/runqslower.h @@ -0,0 +1,13 @@ +/* SPDX-License-Identifier: (LGPL-2.1 OR BSD-2-Clause) */ +#ifndef __RUNQSLOWER_H +#define __RUNQSLOWER_H + +#define TASK_COMM_LEN 16 + +struct event { + char task[TASK_COMM_LEN]; + __u64 delta_us; + pid_t pid; +}; + +#endif /* __RUNQSLOWER_H */ diff --git a/libbpf-tools/runqslower_example.txt b/libbpf-tools/runqslower_example.txt new file mode 100644 index 000000000..17cc55582 --- /dev/null +++ b/libbpf-tools/runqslower_example.txt @@ -0,0 +1,54 @@ +Demonstrations of runqslower, the Linux BPF CO-RE version. + + +runqslower shows high latency scheduling times between tasks being +ready to run and them running on CPU after that. For example: + +# runqslower + +Tracing run queue latency higher than 10000 us. + +TIME COMM TID LAT(us) +04:16:32 cc1 12924 12739 +04:16:32 sh 13640 12118 +04:16:32 make 13639 12730 +04:16:32 bash 13655 12047 +04:16:32 bash 13657 12744 +04:16:32 bash 13656 12880 +04:16:32 sh 13660 10846 +04:16:32 gcc 13663 12681 +04:16:32 make 13668 10814 +04:16:32 make 13670 12988 +04:16:32 gcc 13677 11770 +04:16:32 gcc 13678 23519 +04:16:32 as 12999 20541 +[...] + +This shows various processes waiting for available CPU during a Linux kernel +build. By default the output contains delays for more than 10ms. + +These delays can be analyzed in depth with "perf sched" tool, see: + +* http://www.brendangregg.com/blog/2017-03-16/perf-sched.html + +USAGE message: + +# runqslower --help +Trace high run queue latency. + +USAGE: runqslower [--help] [-p PID] [-t TID] [min_us] + +EXAMPLES: + runqslower # trace latency higher than 10000 us (default) + runqslower 1000 # trace latency higher than 1000 us + runqslower -p 123 # trace pid 123 + runqslower -t 123 # trace tid 123 (use for threads only) + + -p, --pid=PID Process PID to trace + -t, --tid=TID Thread TID to trace + -v, --verbose Verbose debug output + -?, --help Give this help list + --usage Give a short usage message + -V, --version Print program version + +Report bugs to . diff --git a/man/man8/runqslower.8 b/man/man8/runqslower.8 index 17052a141..f8b5f008d 100644 --- a/man/man8/runqslower.8 +++ b/man/man8/runqslower.8 @@ -84,6 +84,7 @@ Linux .SH STABILITY Unstable - in development. .SH AUTHOR -Ivan Babrou +Ivan Babrou, original BCC Python version +Andrii Nakryiko, CO-RE version .SH SEE ALSO runqlen(8), runqlat(8), pidstat(1) From a28ad059edf6f74acc124fde4b4934a2fc410a35 Mon Sep 17 00:00:00 2001 From: DavadDi Date: Mon, 17 Feb 2020 00:08:12 +0800 Subject: [PATCH 228/228] fix pid filter bug 1. Wirte a simple go, just print pid and get some website. func main() { pid := os.Getpid() fmt.Println(pid) response, err := http.Get("http://www.baidu.com") .... } ./main 3581 2. But when run `tcpconnlat`, we just go tid 3585, (not pid 3581) #./tcpconnlat PID COMM IP SADDR DADDR DPORT LAT(ms) 3585 main 4 10.0.2.15 180.101.49.11 80 60.68 3. So run `./tcpconnlat -p 3581` not work I have tested this situation under kernel 3.10 and 5.0.9. --- tools/tcpconnlat.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tools/tcpconnlat.py b/tools/tcpconnlat.py index 8f686211d..be6bbbfa1 100755 --- a/tools/tcpconnlat.py +++ b/tools/tcpconnlat.py @@ -105,7 +105,7 @@ def positive_float(val): int trace_connect(struct pt_regs *ctx, struct sock *sk) { - u32 pid = bpf_get_current_pid_tgid(); + u32 pid = bpf_get_current_pid_tgid() >> 32; FILTER struct info_t info = {.pid = pid}; info.ts = bpf_ktime_get_ns();

    |@H%v^Q0S9l73=`DgNb+OQF!C%tewchthV@}2>}r8Gc*sOBkYOII zRLThltwe$7m1ondR|MvqQtx4@7MydFmA)s5#O2%uNEV@|afqDWrF+MX2t8fw`uG3I zuS@`i{F={iv{49FyQO(FQRXVJSV>!&cU(MknyNoK?7n}Cg!kYGR(u8ehfW85tSROn z!4#9Zh=z;@{P1PDed!OYKh9@dof@70f%QCMPDU?#M?=k$vsXV4h{N1#^%_DFBC*z^ z-FD9ZLOi{*qInR-u#>Di&u`IuY7Pi8^1P+S=SZtyMngW&`FqeKGkz2#J_M%R8h5_3 zTz{5sbuR1-^{3g+jE=(jxp2M8p`nObk7{k&cRA|WHC@5VOf0N7A2^=X}ECe*78#1^&z^iLsE0b-r2J80}PI|HkNQrI(Uk-WXlZ^W*^y z_S-(nr~E&|r+!$R&k|4&a7}?9KRyRaDSkc5fy+I8G5Mj~N zS+z9A!Yfw2ve8}DQ1!e%#j1H)6-(y^HWJXIs-sbPd^FYWfw5{Ld~`IpD;ld-HdHO| ze6y^fdUcG&88xh+Y(IBpjLT$P%20A?r&ruiy_{VWY3*8@t>!z$HaZQ}OJnIz_QfBN zQ5oH;=jQn=Do$cQhx5btHJN)W^805_d-Fb>8_J_wc^J^Sq0Bs#c5Wy&5B>G&13rC0 zpY+gApY%{-{uV347G8^#K@U-7;Ng_$ma669GICJ$78W#?ChMWe@&>n?RzQNz&4XB* zvNDaaIQ0i=jVXFQN54SGVExL9bXN%K^H!vR{DVQ9JO02>H|%10MRKxuMrrZnl7?)_ zKJ-;pM{)nc-s-fN!4B0c8r|g$rVGLjbA={U@7y@BdMO>?u8x_tv3h8Q>7lBX>LA-a zrd6GEPxUHyrTWKo4xOZ4H+`huF6<|{X_{N~dNKAJG)o%!{$YXbMRL<=cUbZhM23T) zGor*x-+2OowQ*NpD*yV{6{+_rQ6NtkZ!FEvIYTC=9o9CzDES4V35-q-$7FbCh_>8m-(N!#vk>FZ;=v#)!qdJew^F%#<*$FG1VWyj7EgUVQihyGOIq+= znR(jK$GlTY8jJNIh&^O8c;lzk?akIJ)*gM$TYFLiF!Kn;dH4q%uN52pi2OB?J@K{Z zNuC(zm|pe*^IUH6lzj9qKUv^z-a($!`;v-Sc+R`PpQ2z< zu*h(h9Gu&4_F~T7I<1@{;o?hlc4B5fpL#EQBj+D_Seh4mhn;BJ!P3rY)e)H3ld?4u zG?qBTxqXpOluzESh*R0GMx7;7dsM!u>di^BKILS8-2K~a!?HJGms=ZSR{)^i->U)W zzG~!pxA#7D=_)CYOms_jCuTjJNZ-=6gAkl0m>$8Xbv=KvlsT<3j5fGeGmCGbfrZOn z=n-u>^@QYhwp&%lq^k9?>WRSX-cd;$6@^X;w#*LSB&IT}S2S6I*r@ z-G2z3P8l0c=KwcI@IFXatm*nM+Ai_Q5)y7 z?s#3tsaKYn&3_gKk$CozN}I)#Um#gAJ$hSCQv64{;~1M|7+Hk=_mxHK|EHYRe=(C~ z+Eln9JGZCd)JK%5!8PDgqZ_I5F8T6RuT`9TXZGS4wtDe&W9|0j0g24Wp{!&Mi+CS{ z5cBSvjkUX-)(0pM&zSarm^`pO-Qi%WgfCrFrRvFK^|7|oZ7b#1%|`g^oY_fLZ5?i# z=y7{_uG);VSoR|0cHU5H;NEua#LURu6Ek)HVgcke+uDUAzP!^|xO$gjH_+ipyQ#U| zn`Yj35W{GBen4|KsUb|C@G*hh_Lj-|PTbD#)7S8mr4hEDyWRzTPGL=QH+LHp#V73Y zJROH0jh=Uy&T~bt%{kA!~wED=E3*HLOF0JnL%eF6V zX+a<~tVW#c>{4gs`OH1)@pyVoaqX+lT{dvWwpxPno?E}`8u=Zy8CJ#y`Cd`r4TK z^l~6CjL7jZvqAM3+>DJz2R9N(T{c_}X0~O59i7T0YPY8r#kxu=kB_kt7Ck|Kiz2z- zKpGR<-_Qjr3Q450-7lC1PMl!+S*9&c^3jnkk;s?`eV+OjCTD*F)!A_%EF=DT?YKAE{Okn(+P+wRnEIr=ZM;UR)BH@3-Z4+ECrYGuQkXKXEO~rf z)@$e=+`k9!u!1P=9#^`Gtat+IsJMlv^V@Wj_YcUU=YsirTk>o1?1lZ~>9=>pvp1K; zYj-za&2b(@bFg*Qpxc|17>BnHebD4MpTTl?#7^cERF8; zNN7PRP4DX8e1n1TgeGV23JWInm~;VIlw~ghX(s9IYvRQhM5%sVBkm+d zHuY4g9>o(2^qb7>w6P~OAU9YV7c`7#j_|UYh>*FO=BZLz%}pfrDq!K<7}_XVJQ_I3 zGgw!mmce8K$P6~MEK&Pn@|1YyivUa>!=1|LQJYd561A_-9~jU6R=u96-E{qR30193 zskPj9{K=7Kheav1>r(sX4zhg29MF_G!P_*P;aQtYZAmDYTReSpX(UOYL+~fR-csA* z3ziws?(oXEY#$g{XiOiS1$^!WI&sSllQmdp#N1HuPSo}&iedz#$4>8dYD?6r{h%4HpBm4Q&#dsy0mml^6y`4ApEJ z?}3bWD3#=XU|>*xZe=g6)h=`pJPbZDgA|qbej(f^T$0_|L*+g3D2-q<{!$0XjU_cs*Y#?0PFV z(qrNyM+%8CudF*MlI$Po?=r^8KjUcl$L;rJvWSB$zg73x4S>vH`zamjpY1g$W7V2? zX3%#4gF*E5FEB@BhYYNf_n~jZUP~?2V4ckN%N~x4l+)P3{@mLc_UFuo-2RLdE4;=_ zhuSKMer&&A@ICiHZ+qH$rrJ#$mJCkA8p(>~2rPt8vdD^#uQGn}`LT)^3#`%kzl27I zzMeeP9%aXrlgtCEbE-~!(zXU~RFP@6} zGzuL;po`C2hJW6mPw}{9+WW(aBO@_)&Ev;{t0Aw~qI}tYKj4FqXyF6B#^zJD-}F%p zP?^5!NbUo75A0b5qYw118P=B}z?**e4!-kaX72&%9mUOfBlX*n5gd9SenvgkQ=Yzl zj*kWF$354d2^@7EWAcf_wxQU!J;M_wnj)udt$o5bQ~s_PGO9Z|{o>fR&XNz~zfJDb z-Jeuy?JgmyD7la7?Jk<_j^7<45P7n=t3Nd8clccZ?yk2EpWXFCRfhLrn(X=2E#dsO zJj#!{G~w3IrPLxyCET)vJGYdN3izpfe7u2=$9_wXEiI(*mbGt-?Ay2O+hX2A`X*Q$ z#ZcN}zu#=y)haDYbi(l6T@*|E;5>OZpYZU~$!ps#(o57fzeK#6Uky_(4WG2m0NL9n zE$I1>ik#M+{Js751wB8qNYvC8N0P&wyL5@mf*z3;Jb#N+y8YX=Gc2<8bo5+pbTu=E?SZR&Q_cu!4u%UrcYVPxm;@lSr6fa|}+nsAeTQ0(k&v zh{UH3Kqr5FTQdnICgGy*5W)QWAZuTLt?zE0Kf<^o>7L^$JVlPnt#fE}y60rx8_fGm z^ZsSthx4BLdm#^zSP4YP-AZfJ;ty#zsUt~E{p`cAAJRRSr@l*avZf)D9#zCVl^s$- z7LqFXNpFyvyHw+6$huQZa+yhvn&jRt;Cq+-uAi`2@Aqx}vdFxmB-fx1x%eccU$)-> ze!5E*iyR*=YZFUpF@rOmg7>qdaZ)g zXbqVebTk#YTQW6m0Bpz{eE_dc`(dRgXxMkN;kW?snd3I|H)aGDo>BwdXJhWO3pPZ+ zCB_e37E8ZVDjzEM*@nzoY0eJO`Y-DlGq zDi*v+5PwV)&y!`C(_ZtZYTQ<;SFpo^KpAv5hi7Bye@5#UB`c4})I7pR@{P#UEVECe zGBx+ur#fdz&DqDB&x12H_4a9arsgL5xgt}Ov`-`5uJrn%^oA16s@bvY>dto-egu|g zp0WXl7O>RPb|v?lK&F2Xt{qh$Qxiu##$!ylHRTz*liO`Jp1Ng`3eI0Px&6+9j_z?! zikj|m9sDr+jNymT%M^DkPY4=}O{{JoyYT}dlmD9w-Pqa;J{aTp9W3C9{KNzH2_`eI` z|4#tF2EX?(tD+kq4=}_AjmuCcrmeEJj$|o4cbU3OnfFE26Ri}aSxBz=LNAcIpgzi# z;Eu)S^!0_LIfz`AZv;=nPqIufntR^t9_M1bGbK$gX)?OUds z-r*n>_7Np4Bq4ZR zEwBy&W=uiTE(t0m$bDv(;Ksy-X-0J;=AZOUJT$ngR3^qY0Y;4anQDyAn_50ry+L^e zLyqaj#f9U-@}u`I-=y;U<;xqq?zO}>^bqkx%=3C1sXT3p2OF@)DjscnZwuR-3feor zw^U#I1pTrXxfcN^VY;v-EZ4kuxpPhX3+p>4UoIY&JALnR=a}{vmU~VE!PHk4 zmg~QFxv?s@7IO%`^+!aKS2gH}Bf=&5HGBgq(35xV1DLMJJUie-RXftn!23A`We@*^ zJ3-%L0NDEOM-mx&-pj)t^qiskuA~_BG;(%|x&ip%z=jX|jP27+-WJIT!>ivy5*i8j z6ZJz^q`9D=U^|8R5sOC}Y0{I@Y_n(Hx3?QSG$b;@zAJL+9?&|;u~_MV4%_ZOXo}Tq z(!Sy=!Mt$`%}{$<8$e46%4gL#&(fB|H#q8_PoXyqc61F&@(S- zCX;TM4sxgVp()%)H`%oAodh1L5aTMRRSx@x9&CO?^dAa#em+#_6qX>*Avc%;hJjfn zrH044>Z5a+56s-oOHr~HiDG|-LBin8`e6U61~_MZdNho+Q@B*GXmB^CxoE6|lPeqH z&4IWeT*((rFozjY#g5WV8Y`TYIHW_QNv|(WcU&40C=hU)i98eTOIs+jRj4cSwO(wZ z{t9vx%y;zbvsUqR+HTgk+MAc|?S(7CpfnX!&GyN{+`j@{LBjb&-wOs8!p z(~prQ+<6F-)Xmg=&M$!@eKs;0Gxtu!%qdITNuZEk|6#i0y0D-8NdPwux(e9BTqUa5?HF4_eG?}Yd4xD`f7ueJZ4Ai5a;0L5YMv>5iP-LIfGFmnXP$p(@A$Cb?uWo2 zEO7S(9oBj)%=j5)XDiv@a8gi+1}iK<(BNOu15`gkO#UOD)vu@0bkVP{uhNetb+6!zIyOkp}7cY6_*!O%9%Fa&&X-DmT`Hi8<_CR2~U4Jrue zSEPaljPRl|nARP}JQ9#ZS9wF>1xE)Io&}qS6rRDeZ=+_Kacc`dfB;ruNb?i>$WC;`<2(xU|M?uu@1u}y5mE?2WhO>fkOFnpzYrSgq>cNEuUj0ABse<6 zPls*Q6Tjp)>0QmH%QEP)dnNjp3zo?CKwX{jxkeM+wW|CiIk{6(TXTb?MoSzn%4>zI>r9& zHhUjDuC!@|LtY|5@tVwhQN{uuhVj2ZU$$*Se(GLaHO3;YCaCs+*A5Gcwf-Q?Rj?%6 zlf}1iJe8>>w@8ESbe7DY3$}}#dlBpRBvQh5^Sz)4p*~ltI|Z|^-%LqERc;uaRyj(G zB3+;-k`qJESpq>&D0$@3ao#?-tA`mR`)-L%T{;b z5yn=(t{RsaamQCJh$|cXHOllRxxxu0>M1*H=KmGW<0;c$;l|NT~Ugm3U=9@n6 z`(*q5#?SkHg8lxv$T)nb4Q38L_;cu%Ba#sf`rJDH#&_@J{_NWryJ*XpZROaTr=~7p zCTu=jyF7>O_@eC6W4?XJ$jIX#L1QE_R_?=mC1+0Zem#(FqRc$v8;p5gS#;BycehQ% zv^(a=LrEO2#M?>i?l*``yhW%A2%H(hw0+A^(#~7v9ads?cYFD(Wz1}gPZRk3^Du+Y z9E(qM4}88F;B!bXK4bIvl$ff&11wwh&H1XMLDfGm*8Uhs9jx{{ZNCCV>YPWNx+WOq z{9#hI^?QT-B~axpnuVua^0@e{n)?h!gC_ICm8RV#zb7YL_-BD|S1lOyJ<3FwlXHXG zI@sxldi{Q+;+YZ9rxv6PUA>F;%~Nub5)CCM*hJPxV_sIGp=1q--TjtKxngbs+WyJzhhq58sRP}MZ_{xez?LX!p+*G?QS%-hc z2)n2FuYCkc{{F;R<4Up31P~_iu8KGFzdcOa3yT=AOi3iS1Rln_M^K+O?k; z&y0Bn+(7vZwIeg0LyOm!#7`YDf1r0h$noJgKIjT+r+os4&rgiw&y3f3X?(!)c$OeH z?f4)K*b;XK^%DSXly<&V9{<18y$N_!Mb_|tLvn#Iv<;4}xK4{i*##sDN^2SdCK?u5 zL`BSmED#AvOuAVFw6PPRz0->8xXtLyH#4rIjtdGZ2Gj(XQCwjh7u>L~QCW1trsVsb zs(ZUTz&P_h&-;AO|DOlCwo|80ojP^u)Oxcw%1alKf}tA=u;7dcOe9g2H&c~ozOS6= zlvmrS;H+Vk_YK1eyn3Dlo@$WePx7TkFh3-qV5ZdUwELsA)89jO=vj(nQLOa+j{NMd>G_C+|AwDW34#o+p@ zR3!(lqny^;xsNbMipVBo=t?q$CUcv!kQ1>5@%juqs=5OlgRqOqK*Mu42myemk#BgH zH!7;VtA>OJN4IvdeEooVBBS;35$2fiQ#%`?F(vtdKcDIE&zFKHa7UnbP|#;w4U8h((_s_9fu=qBl* z9ye-`Zh}(AShaBI0?X6j>F2kVe0bNIpB^riAKt~`L*f<#RTVSGOF6W6Qr`%CzGe24 zGU9=?%JKYo44*77qbS{?O^K7U`Z+*g?54+nh>a z@(J;Vt3h>DP9TC4s!)S}Xkv7CUU(R}A11dw4(93hj_&RnIw`ulNBA<*EJ^DxY032) zcR!odQc3OZv|f)N?l*o)rq`#qa=&ssJ;~pJD?Pd@uEZo6uGkT9Bi}oY%x9|AB)ibhwwaeH)Q_XYM=CVt z2S>ma&lwUOe5|XZ&RcJE_~*38tpGvtU|sU>k3OK}+Zg{zR`f~9ohe!KPx5sq-FW?qpV_0S>o8O&-khk-dO z)Gg}C!IKYX;QtNej0AiX1~WW==*5mduSa=q!$a+R!lMrD5$Oz9tU#sWUG7dYCw})6 zN~{3G$m?lEoV|G|gV;JcJWq3Q<0`FwRu zo`D5F)<8Kp8Y4|Uf^itoO(h04=W>TF3f-0kVm`WJFG4a!nioR8;{PaZv zYx==cP6jeEnLQ=ZGH=3ZG5XFbDXWN0;`B%pAEq{!64~MYhSZNDXQ~3s_m!i@zYNB| z1t+!{TnEX0f#|S&DX%M+)9KFFrTSOmHI@`8?QY45@@)OP^qy3@;-7DQPesxV$_eZS zmJhv_`tFgicdU7}il=%f=<00}WKx>!cf)_*wE&>Dd7t3;oAHk2tl(AA_R$Njp!+<+ z-4iU0((Wsq&3+|ck-%vHVxvWAsAYj%0us-I7=-gJ-w=g{g-sckpubFtTs!*Wsbl?< zrcMs7_DghZNJYMUfIHfh4ex@0K#!7P&fOdy9s`~P!p5#xXgWCj3daT0Cr-`>N$}ap zAOS~nUN-|g7YUwj;Mqgb4w^jhbZ2=FrPTVkl5{Hc>EXJM@kyXOA?+1`Uz6{keL-XG zp|Hjlx=8<&LK=Z|+QPg;<6*Uj;j+!lfV!^U28+a~XS;xdd!EAWlHB@7?Bji2#W%Ta zB13C0Xv0<{(wT+biS6Xf!oI>Qv#`b!0Cx0=Wgaa!*IqP!yrLKeaEce6`l){RX5omr z3#QrfHX8R|wz6Qd3l$S>@9k~)4i8jqBE4X(Q{l;ASnHQ6(F_%Q3>5^c0MO-G=3t6* zddn}RWFlAaz1(KB1<>84J0z>qSz3kJSGZ>W{~%^tF`d$Vg{tTal5yLWAh{J@Bbu zjVmAaT!~M%S0u1l@Oc|vBN{_v1);IB1b#QAk@-25*%gf!bldc(&>cZ~>0JQW7Xqy7 z8wm{1_~dOGC2&Q&QEm-UJWcve_L?Qu8=l>@lmU*L_-`n6#(Iuz;6rNQ8 z*&eq~L#qP#S#?sr-#Apc?tNzo&HENZ@9T_jAIQc}EIw z1?6kJjZM-F4<10z44v;Gm9Hd~Pi9t5zKxRa1j&bd4p8uolVq)y^6TC5f2r|^U5(C4 z;n|w3SK|i3^S)Fk+1_pDYFNyb{U>0)^w);nc;MnmM5lDt8b7hkMt(tz`2=d8Az1X* zeu}XRg)q1M$Y~RqCKbaWC{V|2(` zS66luOw%;*{%%5A62%sUAF5OJoyPS9^$Du3kw8&r(Ja5Bkh96>U6t29>b}tA1p`OT z3m3f59|k96w*<@X_QQCCYZxomqWohYt7{7qZJzcf2 z*_&WK-{G`!XA;9lEDp0g)A4a>g`-vZ>mz}a2^pa?Eklac=EV}JSi+vjj{9Tnd-SXWbxT5BGij{HxGJ;sjn8=sn zYcm5N%&>e95s*nne}bI1Vv_MTCI5j;w8X~5=IyHV8zn3)k+|*3p9!>nwUGojqv1DgYol%Z{ib*q!Tv1OANW=hbpigP?KZ6=Y{?VHJ zw zbaW&YT?#Jy3WX4P^1Mg6d8EG$TCPyT`zCz$bOj*w3X(rruSPk)uk5x{#X|)f)#VJ! zyi>@U3ZkKsUCd}@U&V6|>!zlo`%4UCjjTf^3J?j}?^9s~uZN(C3!@>4PP$!lE;^p`NWL>^1^31D zNMP&!(zd3_fgzGvz77b_s`k!V035XykCS$E20d)moO8=8b^T z-5=6w|&G&#|=}+#msD5|if^oEDD_2sIEve<=g-OCZTF8DJi=krW3lrV& zFtJV4`i1=!HFDZFVI?|@N9=!5Vy7_kxwr7JxYaYdyCB4cO|!6*UYF>ee&5EHc}JQ) z(c{Z)WF7i8ce6s-QBMPb{KvbhA!Df$L30g+rwIb3x6`e znHP!A3TS>a&TY4qOgYJD)j0Ph|QYRAA;=8v0>@cFNmAQ_@H8kSLcQnZ7Fp zu=H(vm(m9!|Cw6;XC&oc@>zir$;bF}hek6wg@$saUzpMMtWZg&udk+H-A}+JmPl=;w1vgTFu*#+oeO(G_)gGd`JcH|UvD`T-HSno&7`I}9kHw4qJ~VNJuIS$-B4(}?N1AkH zVupIY-yA40vflbvEr-qKTT-oNbMRiA#Fy%cee-&q{c1OR#Y&maNFRm9${#^tnV%_V zqU?FH<~!88T)xA=Hz=Y%b%(~6NcFDT9G-o@mwP0n$S0onb-Ai19c{$^F={iwOw6Y^ z%Y1j=X^ycR)W-5K(2pTfHpi?$hEQP*-<%k+RW;%cDVR#hxA~Iu>%_j#^*R~*c;u9i zIY%hfNR+B4*3IFP2}G5#wGD{*Rfx}AQTPM5R)ml z?36*7hYfX}z`PRrHrk#S?gyc>z`SNDMYR}<>r2Yh7R?JtX??a zGO*y8`B#?L)s$3KHJeeuMZ!Y5Qekmo<^&vVcMJWA*#fh1naiq7T+E?&J0>2em4V@ne#Kq%n5W&i~JogY{y_R2frz=8iv^~I5 z7~_HE3lr~55RY~ys_MJkGD)mWy!fe-oA|_y(LIMR*sf0H7QFLW+j`U6_$Y{Wtv8I$ z6xE6!qw4P6$hC~OGKZb5ILaLM_cR$~PnWRpuwo@kkUc4vnY64z=C4=pQHgy!@nd=1 zZiQP8=$nQZ;fo4ZgFgbj^y62x{0$+#`x^5t#v|>Pw%?o>@R3@k`jMp8HQeuzuYX3r8NxN% zEaw_6$NIU*$*J=d^8O{?=1l-A_t2kX&@i0K`(HDZEDU5A&7Jf?m*#xaSh(f{0LZH! z+aLNh61b{+pU9pedPhV)`I|BHZ9VT`Z_c}_pq<-Mq=&Y1u>ZXHk{l!Yff~N!!+)8$ z@e^8)<6eEaPpWCt4}(&pA#!8})*%#aV+uF$ej7s6BBIfx{ zB4XwzIO<7y(om4*i-ZM5v$-Ch^!wEUakdng#Jxu2{*yp}<7V87nC}(=^a04-0WnDu zcW&8{w%+N!Pjc|5#N+0MU0PtyqAg~9lEDDKy`W`1sPrp2yn*qEvSiX($T>Il?eCP_ zdH!}5&Ddo~^SK!d3uD_=8>({)G^4cT=ZQIB;R^Or6E{;$*0zdMlMhnHZG>oC#kD25trhk2Jj zCn6Wiok={WO!B;|nxnhB%rC?$DJ81eoWXCOglq#5HIYE#ypMS`$sB_hOyEtEmIgt_ zYn$osd02sEfEL7$ziIc$^2lly%zJu{yjk$6u64$XLz_4UxxdKDEQoIFwBm?9aw<~2 z8MI=meELUmI57o-M7~v$VGadfYlAy3zxEH+zwZ7)3SnH9WspSk$F!-Ed&Q3qoef4< z=2PE`Zqb?@ZhcG;?o1aXa;nAU&RWf#bBKpKv7L%PpY4n6%?w=ypB5}anf*~Ep0_`; zrJC|BCL^Vsd+`7Sw-Ns{XT8{nLe~K-d5a5_2(5bUh0dHR&AYkcr|h`k&TV z57Eu$8h-mE#xe^c>Jb8o2R@Vr`XgSW^@YSkn-zbS5LEmb1bn zBtG~+`120lgZT3&LEf>yJtN9k`oE(8_>XobnKZimU?%;fJ6)#J>7>8W`8pxCnFfJQ zZs&U+yF@eVN$7AsrXHart@m56r?Y8!Nu2e*;$L^*6#wMga*5Ob>GDs;*JwM7LBG^9 z@lpLbJ;96WM?Ayf!S*ezkC-Jpm73*a;oxsGUjY-Vny(R1YbtzY#7O*^R$42X*YZ6= zx;w$T34iM_HBMQ9?CsJP<~7Pm>(ugo3-b$FWj0A`+X=$!kbs@o+-z3j>67?@ts!D( z5=dNxifJ}4z^kn?!JimIJ)yvh3Dnw@vM(cnBfkMI#A{6EN^-0j3i=A3(b8vQmJ-#v zhW;1ze2cdr@tgN3r=?k{V$bJ?`Cj!8@)A+tvLbhWeE&aWU=9Q&1M}lW5{#L{Bp6lG ziF`Qn1c)4Z?62Uts~;bFSGC8IZ9t2D>_j1H_7eQwv0d>yJXN<%R%lAJy|cIBZDDvj z=HnfTLAjg0S7f!E?~>J1ll7orhOEyvE3)pAppd2Yul)-}i=6*}-qiUIfl5qFRo;~! zD*p9%q)AJBf~Qa7^4+Q>-XV~9gJy3wTktw%FrN>cDDbRzD<|2`3(9HWYl)+&RU6BP z328SAez@&+lREzq9*~%yinM$)q0JSjAbwkxvR(QT12mu64SP@FJO3TU-{Yio_}dzj z*pxg>!_Ja-w-)KKRu&U3l?>?YONQw1Mf{fz`;=2!{B zRhg@5d(H~<`&QNakIG5b+q+!aOXm5p+~p+kCT_#q1@Y_UwY>sw!H(!YPRd>nNSj#$ z(yn1&Y^V3>=IEF5vJ7hg?>qS8fm!5kHZS3~PvT1!^Q3%8J&y>UWfS=qIsTGs^=)P! zK@~bY@%-Dsv7p|RMme`C96})C`Wd_y3{(FFDdYMJ;px!pg&-QEu zuJtNJ;HvFP1gZ;M5qRc3B?1=+B19lYP?mmzggLSv7}_eunhz=`t=-j&;YzRFKoTFH zT(!}=;uaV{ANNp4NWJPSvbMCqHqN%l%wa%oy`af>6|3x1Nz8cP@_i$o6ZaQnHw*a% zrR!ryEb}(psWAC05@S0GV%^u%WM?aUSxjxEl)$OrO04-o8aQyX;Em@VCs8f$>Ka^4 zz?I)+U(0qt@;g&B&k=3rM*yHBmZs^ixf?;JNtO>rTDgyZeVR~idH%MQzNw#6&7&ya z4#Ip>LFoF6cw01GYOfCAbH=B;-W2l8DzGT|dsXWvnr9lB)VyD;-8SE=k_b_Jbld1lx$#|{smt_u-RS|mdeT-z%#g1eb(&Xgu&P;yR&d;vHuI8Pj2hx^w~ z;ZooY6`MO9C((&qNa3>*r8SY#f5&Qi?PbUm^vAwSyn<$Mwkz|Do1*_1CkG7(ZtW+6Wx>RT|Sl>F+z1; zZ`pU~etkj48|_;)pT^1?zg&L-`6rX;EnFiBB8st;T|qulckqr!S##FE3bHah?ldj3YxLf*OeBL zyF5RTW$3pu#dwfC)}Wfj4}FCk`pviJk$oQ1mS08Ymv|7t^T4AXEqE$R9!Sim_)$Dy zH6lNIH@Dk)21y>@TfI%S%`j=zcnplD3U`A2= z_zawa(p|yWs3&OYeF>!V94I}82S5lv@wu#6w-&{Y+eN6H5FJPq9Zdu_L3soThkql= zDmM#92xC!-VPhAsH6=dVxT9TIe-v320S-aeL11b;9Gks8bQm9B*|IOX`$TV}k9w** zygyQs;>0`Bf|ln9r!zLpC4oh-<5U=S&LA8gvyEj{?`=)qHLc52*dgK+-KWvaL^SRr4G~{K{-NLUDV1P!KgQIT#BvUO&!@1}G8a&p z!qPX?8Fk*{<7B$!dsbRUj%eTc=8kqSin8PW1CXJhJi6WZHYG`kYeWn>i8GQlJtowGbIP)74;IT&yLK&p3@IU9lyxD_aq---^C z{ka17eiYxnSt%_#7NDpn0NS8bwc%lAZ`_#rB=HIT%Kkl}RQt+#;)d}=McaD{f4vQP zDsZ^Bahb3$a5^+(j6Is`<}H~vU(|EX(egfAi6SZYy)CNi@}c7KJl&ADVhGnO$B|SN zYYBx}Fu%g`oG)yQ=ME94bX~0bwTxZ^w$h3mr)apG<|X_&XkvVZZ1_3?w-G>`*NHfD z_y$2Xr`k%83vqZ^l?RyFb55LqR7j1d2)sPXY`zY;C?uY53=IX*%U`mVmEWf;U%T#3 zX$7}qFGzb>p3|hqSi{#PKKQ%RlQ)x*9>4*p&`IRzMX|@_XK&AL;p&YNdYbeckqW&Y z31dU`^45Lhs|b>1=7EmI&q+v2p(25qL3*1HC(_&a1+a9=r=@H(?>SlkdXWZu{y=P^ z2x?kSOlu!5W1FD|lH(!xZOJXj^VF4z4+tWv<3Bl#D--q=w4StMvdi9zUD1R_=wrXY znYxwHecio{Ev!D+^FuK%UD|n(D!}vY$I__U$sydSVQ6*z%-Ql3w|y_Awy0%&oM()63-?xYNr&?5uma0-|!=!LoYz zQuMa5cxb4G7r^BzLT7yreA{P?-Q6Jm0RDIz<<+Eonyg1re9&8;kKuXD{Mhd3c3ziS ziUF9v0o`|8Vk3qW%8T#uh|K(o`q1FVg;=R?3;#kO(HVC$4$%DaFhHXpe=xSe9R$!I zj9T`O%rsNwCt5*@*;!PY2z4o3_N_bwD%jV3BwDFIb++T_{E%_)?Qr+_6geK}z19OK zqWg|U^V74U`+9NS7#2qN9qVoUh|~`%>4F zzHE;eXQAG>jF!Ap4CT>v5pUy5@Fl1YAGNMf?G${05)EaltFY*yUTX6%aHH;}$KWJh zepPp@y&p<7N>%qVYe{MR7G*huu($C;#q-<=1eDTje2oaDaO9(FT)kL93Rf?@4JQdB zy-)wk?ge#v{O3HC%D1%>vgr?Xk9y)@9~~voH9qEbo`&VT7(9st?n1Ds(q3@VvAvC* zV31|rPOKwM^5%ylO{;`?a(Mi8ppmBiv~kc`tQC`ivijQcfPYdx6VJX3tu$BGc2RsRkJ9y>z> zS?rU+c%p$)`f^5S052yO?E0W!>2KEUc zQ2i_#$N>wM#cR^?Xc8Hi8z|XU&kH8^v#EIofFQq8Icf9768NO$u9zfb7Qriw>u34B z1z+1aU|Wfq3!D8}LGP{2tg(ntN6o>&%d3z*WIUx0^x~cbDfqhE+nD}oerDR2E5G8W zI_>7nn>Qmm_VuV;;JmRR6r;?mk$ChVr>b7K>mx4k6;YJ^D^lEcvCNS~tr?M~($(!U zN2MPp@MompY1a(gN;1x;9S5|@F8uS+^L(ez$pw-5R1t~x zY#`I>FOBf5jAlbm=bM``K5Ez01#v!6Ku0N1=_kIwBb@5N#LdcNepO87YhTAtnS)3> zNRb`K;7eMe2(=Y>TRQl2YMN*`eP+w8_fE08Ph_4gq`K zlL2s+kSk;?aqT3Ax8sRa!`r2_Lwt;CujR`bcDW} z(Uy}yOxjY?Xv@y3NomEvi#ytbskwi?z83NoC9C(1ghkV#(4M9^0RBkeZ=f(j$I^r+{baICN|@5D}PXgj8>S3s3nzFe)SVyd$TtwT^@lL+8^uxQW^o_TS5MgNB8Fwqju>Nx2)CkZ|V;%nV~NB<1b3f z*{!f9ZGS@6j|$}zwd&x+vTqjBQ;V!>KMWnYd5mmvyRVVo-DeJIytTk}i>@vDvlODE zgR*eekWU-8h*66~hu%KTU@)FQl-j{&t!~mkWi~iyB2G~}=aSqEoWQ_qm=IZ!Eo9=Y z#PDEyIX*}Kw3xlYB7bWK@*@i%f1?io7b+7K8M7{;vM@;!y`{}OsrUU}5PZQuVT z+@r<(>@C`YxK?%Vakcanp!w9!_kZD)A~6W!z6&>vG198i(n$uP);R4E2|Pl6L_qEn z!;B+hvRHpRaWk6Dl{hn-%@sHUn#~AKf5wM9-c@pV`3jtv8P%Z=m#fe`9lBnJrt6TQ zLqQ#S{8|M$K!?hrD)cX8meSjFtg-qAQMW>@2XyZ^l8Rza_E`ywj&5o;PehMl zymyU79~Rbf7N)i!Hio_Z{5}iCaIb~#6Ug37B9Cje$i^6Z9P6_RMs5gy?FhzmeeNZ* ze3UtN^hQO&6N(;%!#qQH5i|WbiPGjB>hSm!)gF>Q((FQl_u8)AX{S|}_F3qB0Y$#A z@q3Draqw1ItWb54MVj36*(s2vg4F*^|!9sb?{G9*H0k5gSX555GRT%TdM!YZ;?2mtv$csH4k3`UEHo?#!B%x8Xz z2sE2HZ=PoKZ8nd`>DO%fa0WJ;9&zBz$@CG}e1;a59y;`Z7M8v6p0pV{^o0)nU5m~e zI&`%TJ)=W^izseiqeG=Sv_yxdU8T}4)1h;<=oIMC$SYOaFdd3*QX+S$4n=fmoDSWv zNI@Dpv`&}Mn~=RiRU18wu(8H;8J#&282AQyq(x@P%w8YIqA7|cqFXXnm`9Lc|3PdY z?1KQ`4eY>QdGwgU-z4d)_dCJDFaC}uSj{q$A?$yce9h*Y5@+8lIMlcbr!IhfD5vwF z$9hf^QyL>V+qfTa@8$CU0Fz-2dN&)Oj#=a_J zi+KbtYnB}S6#1}A$iVsMr(|sN4J1v|s7AYGo|6EH08IV_(m%AR#e5f6qAXu$$$z5c zAGMP=d!@why$$j{`l#*RhR<;=Q}`yUL;=7GFsJ1hVlx;DtjQ=X&PK<~7bM8Cs?auy)L=)XE~F)!bn|80KkyJ%ZR zWNRm$4*ss8DRj1@C>PLtdAj+|?Wrh}(~_MPNg=k%nT>~T zkfEJDNIr7wl@NdG>z0R6SxQb+-^F4TYV%@>;M^&s@kZt0mib3~Bh7pH^)^i6yArJD z;D2B@nvB&~-$ZaV`ocuXotE4Jf+#pCuO;hoDWvVCtk4NOdH_V00vV)1K8BVgNGAaq z0*E#h4^trKvkF889qbbBbt2UA@vUBtoe<>f>wI$QG>CuecBS;yw^aAjg$S|)@@6EU2#)E{Hji}onyRR z5dAo_s9$q_#&tB=p z9&y-cdtb#N>LQ{}R{p9!c@i;+h(%5!AEp`F6k$${!fg93)||yRF+%4^|GI(U7|8D_ zmAgy5qPyEeheJ`lgrlP_fx%HA3azEAJ$=ph38gKjImdA2p{?jXHW4@c0wh+|rFl|D z=&RPhxbvG)XL}niLhRhI_nO|!#Nv~hB742w$h~p>-8I@fRK;!U)NAm?IGJ)7co*?VEzp9}f#Z`K%~$`(pB@mGfCR@ri^z#G}GY8@$NYmi8$*carR^Q)5i_R_63(==S$kksONde_QS4g zXll{2)wq5DEZ@DPsBiExPDDMo63PSa5(jP^Zk~c$C~!BcIW=(e2xR~#=`vhgBB^1O znlB^Dd4$DK2gK{3+J_`c6z>2EaDf7D05=Aw=Xjzz0lX6+!PiYdasY{XI^oSC=@Tbu z8~E&QB&GNl^?XER4}kutfLhG!ap?sV)+FHaP6zc{=6Rfu*dBmJ9eno)z#0Hj_$>2! zB7vC*jEMgdaB&WpNC}N6)MCySRE%_dthB+k?^wg>8sl@SxwCk!eQ1-iMhmP(UE6!w zvsu`nG3(Ev6&b8_JBP<2C4YHU3-+o>Ou0H?(M0wR^)~EKp3{&7Ruv)(&0*{q;fwx8 z88Ixos>KG)Kk)9InU2@n$Q}s&U{aRC)kepQ>;+e264&Ast_-_c;o{zKLEp%pE*Rge zpIDyBbZ&N_t}j;OMpp?T^%oG5Zj!Tah$wF~MC*}M!fp{w@M4BF>P~^G#Y9JY|MF%Y z`&CMT&qq5-AwDK!q}c}e)f=KOcG81(JU9P!VOW86W!Lt@?X!^Dn6DGex8)PU&x*BV zpG;)prbn4B%7~HZ`d2Y20{;M!-H(MGc<>=O+$o{-q2KaawZpG0`#J)_=v6(~UOI=d zK#nz_i}=Jf`}W)@Q}&{ydluXow8r%)EX`V8#5Tm1qImA#x1Frh3$4yFSKUm$BN&M6 z-%GicIZf(rji1wEw!DZ;@YiBC(lrrwx<3n(azX1dIKp98%X2D>jCoF!-yN}C(XHMl zoAVSscD=5fZnGv}`` zX@=NG!tF@l0gdB2!C^j1AP}KCyhx2)>OG&vYSNz3l>}itxADY&KZkcM;Be~{Y9`!* zGd$M`XQE(Kobd@CwaZ2|W#j~z1EWOHKxNZwf z9d$JygXcbM%d-8~fD_gp#W@5tMRflHZ^Pg4z=6yHYpgZ^pP`Yxt1@EinrsZfS7M%e z%80F#>oPV5;5WJ(#{AV+!FuL6da*-gt#1F0NX${NLIF{C-RV8gquVNMlf z4G$$-<0hvy{%}@0>iQ0UM31> z6;4rU^F+j3TI7J17=mI^Epdu6FRsW^GAZ&Xb~9T%_7z%Q7YMd=dF`aqSx8x!fyub> z%>h8?$;4p1DmQSpIPu|yg{2edUt1A{?uGO-PeI0x3Gv|>wtO}l#y$EHrwik`E4K}l zy+vNpm#^Rbe9v6M%r+A6QdL;S&40$EqX|TJGqa0}{9Hc^6FIO`nAWgZI_mf0ZG0I6 zN2qx$gR5up;d%6UE~|KMH3u<~fxvZJx)fw=M?$;WM^gl=#{1Vv9db`={4paWC| z7fQ6MXazBkUoXeHWpDAOxKwF;e0xg}zmGwQ0 zqDt03h6OQmqx>Eq>)A1L9npL|4p~LkyLlUaghBY2A#otIfAUAFC&5OcwX(xI6&6N3Ye1hU}m%FCxn3a5(lYH;NtuP z2YoZ2=A=Ia&iiYBL#ds0TTwa9H09a$DN0Fj?xrBVpi>dwPUOVMgOb~wb1sF0LD|fV z=k|YTs3BiDMT(aTh)jA@Q{2~&b*H!=yny!U#ZW3E%JE-32WV*`Ix4EC17#A9j#>}L zZl;sS42M~k8GhF~eyGCA3SYk$?MuIr7FBDJxt(9uNUN6SUPYaF)0E$l+r8HhK`nChTEDrk&Kj!R(tV0bH%z227Ybua z*ExEn%XsMvo;x}XGS2lrou9!6i#CT&2bVldxzLN`Tcf{Lb3AXu2x?`S!=II9jfc+`CeKhj`=%r zxUZ=k^HChjX98iFyYR<+JLK2gC&`v?g$is{0duZ6F<+T-%y~HW{Rj(G#kQUd&CT8h z`3wi|Kf;guxnkO8{t{ni==dC&rt1SFjZ*<>Gxxz8W_#xnaE0X`>r=vF9sj;mS{9}e zsqC+rFJ6>k|5dDPWgjN~D89gIfb9RnM;TDnffvTGDkJY2i3Oe-v0~gq&mBkHzQS9Ys z&^|C|&_hs_-)}c#6aa$fHaYQMdVfPl6rP|xiGx`FAa z#66+2H%MG1o5EDik0VL9>!eCa`dI8<;u>_^G>Q9~IGHv3u}b^ex5%NoQu8QMVAhI1 zNHFeu2_a(7QHlHY>e!uF@@IpE6K-B$EuT-?Yc_+B@Ya5cCQ*IRo&$yYG{I$xR@EWQ zUC)TTX}O;WE0we(ZTC5TS?*|e{J*yM2{y#cusg#pjaLqmDW6^~%#A^!SbYZ>Jx?Oc z-o}N}o#USGpOb+gLs_F3YrEbG#$Mr*)ynqCk9n2=%Z-ejF;rs7(%R=xndsx6kg9cVrQ{Aq+I(#77){hSDDo*DCe zgb%AX3(HpM#*u#Qjy4^K8RmX0%DYCatP3h5R=)C!;o2EuFkT;1s4>O6ME8LI4k896U_0_nQxkHDv=(+hb8#JmR<*^cYSydOU1Hq}6d7m+e`XQy?vM$KVme>Dx*XOqizES)M?R!f zhy{YB5^2Vy%&%RqF?BhMm}_%3@YCQq0WlSRx||tdVL#`}d$kKNiRt z`o!%G(qM9YKW_d83R}zyex-MVUFayVf=aC(ZY|Ea zS$e4*#`hR>twny7!`?uE_Fv_+|9sv41XcUXXVmnkVw8O8CYRH7N&u9$SuWjM8f`db zq&M1Bkl3FhUTUGpmQN$Km}A_6_MpF8%;9c9UlWwiZp3r3^_0o8$u5=e#2oeq?lG7J zz(H@kVPhUDt*CT2d^zHyla2GNQM(g!qoRM!vL_Twi+L6vhgE*n0_FodIvJzAt457T zobwUg;$1nu7h7+aA$*i5?=fI;jPN!-Ej5c?Re&y(S2@Mdm?T>FBKvm|EHz(xN*eZx z9wZE;WobZj{Cb+)8nqqr5}#fJXGx0e{lwc?O)0_1Ia|DqW$L(~d8}lP2cCPJ!)o$T z8(!#2eDdcV?RGxtoc1}5bamS2JCVUsntD=u&BT}1skE47Fg4X$2Hn{w`o-Js!b z$UH4^m zCET1@rIyXiX-$bD)DpTvJZRSXo|5Wndukz8WkF<542;5aVyjdNUR6LQP2w*)731nEtl_gSM7%u;M_t$={$vB#*}_r zsAsn1#~{zJM*~o?GWH2QRC3#$HcL1X7^m|OCYda=6s)YPYW`;Wey<2I&(ieV4RujZ zPleSX>lN5NVgAoeq4|^E6R;Tsq@f zy&|~qXPx_G$t?#6XOfkYjwGy}6syn`Mdz6Vzk(x?Ad^ z)9u#x4(hKwqXj6k&DAogk5}pw4J;8v+^-OU_hnJGW!4eJs?lhQ- zZS@$Qyb$aY0wRIOMQ}qCqU}9Gh4Ja%M)!7}AJorCd#{z@Q=XC@5ue_|x1;6{iMF3D zmridakACCJ+i)W=`kk-vY&7Rinz!``=N;-i$y`tDH^eG^`hTc}(x)H5e?;(R38(a_ zcM@bEEDi9MKDcxy^OMcYSt8;8){?88<6q{u6T5X-?64fwz# z<9XekYCNBdq^9Xp&c6b#-lzT>9uzh2Q~ws9VT<)H<3;Ly>Qh0%yw`c3TFQ|s^s1%oN;>V zgOc|}emm)6o5DA6e=jPSRk>JQGn>AKj<@ZzX~@LUH><~3bbn6OHxjrS97Z@039J=Q zvsr_a5n62dqIf9$3@M!3X6L8sqe@JF&lS4?V8ra7u}{>Ep~NLOQJEwIG(+sCn7}Fe zW1kFdOPp~ikedKW%)3doZmNBn%~gMaIQxrt1VJ8D{)KRc{cbXR8{u~QB_})ulYeuU zEQaZQaI_oiP6mx+O*l8Z~DWlWFfj_C?8yl25oL-s!ivX_P|)R3!^kj6of z-^qv^&z-0tf0KlKpC;&7`b!#enueT}gnalQ$U8M;sfHYpguLb;$XX3~g@!yV33<^$ zkmEGu4I1(bmiBbr2Ok7^oQC|Xh7>3bnRO84P8mMqxld@wl}X4CXwr^#-=HB^Ye@No zyvF(1L6E=KkS}P+QAx;a4}uJ7$mccW;Yr9#4}v^TLq4k^6IpKQ!w!PM0nxss4?EjNJtz*Vi=%y^roJ$o$*wQa(pNIHx>;k%-UuwmyWh z*FZGoPE|9**gFga2R&lQ3U7#ap>uocdf&~aM3L27H|FOnsX8aVu$NB z)?j!#N+Ru@!MG>(jXYSjooDeT(-)|L;B_9H%2li!i8oL*NWMDWt!%;05mi$6tA`dgRE ze&WnwY`EG_n(qef66(=ypmc8RM&+3CH~s- zx(W^FFR805S!9%!RG$*^*Ot`Pm-}<-{U!DOF_WhG3-b?=P+478zEG$O1pIkY;NYAg zBc)t&oaxUg^D6-53&0OFA0_FTFnYqRFv0Ie7(PKPFX)d zRb_RwzqY2T3Re1c-V_wvnNeAGW=?pfFv{`H7&3D}PMB9OspUfB)Y`h5(o^U1gl_$! zdG$t4tv{!KDa9DY#j|QFic3i-o>fv`ZsZIolm91?B#vZXXp~jfm(A-!`5p8F{UxDL`MlbYuq#yKlvYVmH4AjU6#rp=nZLBAI)vc)E9z?IX(ayI%Gz?_ zvBNt>aJ@^v$gNXuO>KGgL0Re-)t@@Iyso;u>eRCGS>f5I3SkgqoSK%Bj8jx=x;j5N zL3#X+dz9l2cjE^Q@@vG3V>MM}=NRGY@`VUm2zjcRbvYit$fpRg(*qDaKQJL`BQ>H< zy30sBqBd)hzp@O03-?p??T}VkT~VWAQw&2^YDz_9=atW^savE{`&L%ZFR7|TWc!v> z*Hrg2rcF410)$o8R2%i7x^QX8=<9T$e#Y#onpq`PgA^WP24X8jNJlqjRfg(|Ybq-0 z%R@$WU9kj>@@nKwSf{#Xu~eL7 zx~K%w{AqCl?Gojbmco;cb6`5sx%1PSiatCW1?4oz!CDWE7p|@=FRhtfO=S@Vsg_SLpQeSJCeGfGBgLxsf58esl2+ZvZ9-DQf*zy?0F^r(y9`=6FsZ0a#mPW z7B4Dm7{l)u;%Jw8zcG*ydPoOS!Zdp7I9EKAb#OC@-V%5tCyb(yrt;^6M;nN0*htFu zDV1fX4D`>g3F#W0E1LIB52n=qz$(&UL#CmI)0M1F8;aLU**#9RJHFio= zLIQo~;)kpL@xe*{8H?wZFCwgj9e3`0e&~KnXW~{c5c$VZNB>e6xh~(Yk=K<-MM_ht zg3&D&Kb0b#F}@m+Q+SqWjV@^ug5%ThDzeubVwr76n>V?}9h-AiS-)k20O`%ls0e2Sxp6dya_ zbHv@Xk{nzEQ7rZKm9r2_t)0*GBZC9|r9$y}QzlOE*Mvj0VFqi;7&EATQFW+fpo-ufjii(zxOY6Y02Pr;MF^;n?Efm@#9gOerp$kU#b!!TWD@ zT)2LYzi)AIQtK5L_w9>p)tA@JFE1`BEiJFFFIFQ{zkXO9wY61?iZM6>sQ%KLI%UEM z`ZO&rOmv3n0|wrXaB9F#0gG-yu$oHq1k4yxuHDBR_t$fD_@dbz-TR&R%?H4{`3`h@ zROtM_cHABgzBy$&zIwm~hWu6iRof}`j;kX1xzY(QbKDh<+w~z0A3p&8CMWz+=ZOjh zU*&R99n!tif!{JePo-~uRp)cV_c-ZIvvm5OobbJKby#KknV$z7_-`jqQc!o^rQIdX zx}3i`>CZUsTE~6Saa$bsO~*avdYyl>6Q2IL4u9%|zj55{j;rnUoFPL`7qeZAY~0?i z$BFN45F0jf=E#5fVFrUw{`1p2r?j`&{g~oL?@Pl&hPZZmPOZ@wgJzJJHiJ?ITev#e zUsRGYzlH(DG23KB({`Nll~;%7DbI|YvYAGIY4a+? zcf>V1eUcL%;6v(34l&2mewZZly>5m~n<~l|$n2L{6oyc}Qj4Xt z>uSQa{<88=N$DJezn_OgyE$-4YpYsjO?BnzBgZM_%uZ><`Q;t$Fu||wyeq=xb&LFr zw8{(-8(7RmP-7aP72QDv_>{dw^$s+b#+*BO;xx>b{{53B_V1r=4v{BRS6=R)p&^SW zPn^7)kvz)LU?s>_Bu?&;Vy2W4_1 z7)?V=r8ICdKn|JpR@0y$`L~%J5P_~|Ixw$(wiM}jf38%Nsy1K(0*FS$4 z%YL%Br)+WTxiLzwO)3e^frM_*(4llq3G0k%L9h~SD9aSW1y}VPinEF+Q729n4M%IH z^-ROU3J#_C)I&A!hzxLf4|6zNy`fj=du^8k z*XcPOzr_jLj=R%we{$Te4qQ*iJrMs(4*p}D^phMn*i+kMzwe>l1M?ji)(tO*27Xgg{4AS`!dv8%App`^cplXSVshPSf;Rso*<`nJJr3N5pi~HRk5Cc z%CyI*3s)D*I(cz5%S!l5St9rQ0WxIr$I^)3Z>V`O1CHO23A3zj)P?*D>JWOqbj6fY zuexDy)iV_dg;|O$ODo)24RXj-q^NZOhaMCub1T6nGdg#=CB_IHNo-5UKBX8)Oxg?z z1+(ZmNIjjdq$*_wu&g0gfHA+aK3q~ImLB$AP8e)CL(aHzVK&aNg@pW4z!=qk^};Ot zo(s^psX0?~u4JR2q^!J**_bhFQK-DWcp+vdSaslXD)0JP5R{w-i(0Z;n4QcBe!oAA zftwTVW@PL9YO%@hSNR>ktSD=IEM{q38l`ym!u9cAiF+O&9SVW4<6 zC<^m05{Y2lp&sR2B6D5rBee`Ci#BRXEuPAB$lZ^BM1symXJG+eJrVqP1#`xRK41XR|^5i$xoVpeCW96*J9Iw0e&D-~YP$IjKAJ>h38hGbR_Oh<0P$h&3cy3e|Pcgd-(8 zN+qYZBh>Uq31wyVsanvKNI3wb*s0vkx?QZf&TJMs()eY@M6~YMoE30a>Gxtg_Rm zW|A_#4fc!qkA4rAt5ttQ&0iTB?64`N(@)VVQa6Uuh;Cb;SpLI2ZiX1(2TrDB!P`;0 z%08d5IBf|UD_(ChV$bWL0*@Lj{7VmoNULmT3it029Xh|LLch)_tJdxe2>r~z#q340 z97@?ZqA-{GCyqW3@Zi(}|D`UhGr>x8W~c#Lrj<-b>7ssFw4V91IYiCN68=IN6ev** z?0T(R7Vl^NTxrxn)V07B=NC>sfJ2VTQ(R7;ip~(UZXI-e9nJaQfQqhGa6dzs(?Rrh zz|X+VP=F$OYU4l$Wi4AYpTB74&vQ=qZYQfVwxorUc*f8C4~Xi@YuSVMPdI=nN})0^ zbYxYB89to+|G-{|TETm$4q)yHNxw})dYS>P9m7yFDax7nt)F;pX z9Lj#7D+mh7DK<=+0h7w7=6dej>>x<7d07ZjHZm5!7(0tn$C0oP+!G_%T?_T#u57Lj z8|>7NEk-pGI;)O{z$9EaV4twMJmkR3L`G4cEbmb3$}(t*)yG(-Ng=muWe5fgn$#o- z1IN$OwhWufas_>v!Jn!S||5hm-#w2ZaBJ zXb%Ga@_!khTfjfM>-DrB9Q>V}^|x%t{iWkBcHH9~_e94X=(uM%?ij~C&v7R^uDhN% z!wJuF+*-$7;JDX1?r$CU&yM?;jXU(Z+edbEe?CC{2>gxDZ zWubauv0G2A^kl8lWws(T6|K%lkS5VELiomFovd)xl=^k0bt4=cJqj$sFBuunHb$W~ zrPM`dr;W@~uyfXug+4=$>;NMt{hS4pVlhDV8DzJqp<$K-j$zDV{kMD}=gy3=vWk1AU(Uh8 z7g_bHsdc!b_*e#k?2n`g#{rzBNChZtE|&6D#01XS8H)1~G`e-002}p@qNtCHDJYhcB4%9b^;^0}PzWcN5+&hCqLHKPnAf11asIY)6af^*kS0P~BT zRDG0I8?H`5Rb9AvPD%Y7LppwrC@2R-Wm4jJH5y&4UYRdu;)2pmY9VL+>pv}gr3A_8+H&Ykulv_2 z!v{$nOathX;EAvA3g(PN7b zb&|m89|z;;Sd`O6{u7wfe_b%eU!kZYGQG|vK#FeFC>9*D=k}0+Rf*I2vcR@vpZ>;Gp=xnJn6rVdLH0ISOml#a#TpQ!2i?L zis>bF)mXr1`qRuF-9tGrCYN5&evEAT0)XndYSQOFG2kB|1A#m51x5hb%`RErRbE{ao;}CW56P3s2LP+lhmSeP{S5!V!&{>dn(?yq ze}UHpR+y9gP-8GFjH!SAN!k%Ig+XvP$F(BMU0oRN#h~x&#MBdiY8j@7y5cP*bgJ3(I{u zWrZoallFoPKj2sVac1I}kIDJ7={#eDkm_f5;#Ft*2YR|I6N&z}a0@_x}*YB&;rVL+c|jWD+tjj50>^0>4lgoIbChOhXi7;% z8`VpZu9TQ>p%oy;CW}V!eZ;ym%b5unOgaf^cGSP7xU~P#bu!%%Xg1=;8dR}CUxB7Q z|B4e+)3aPQQt}j7v%(Y&dQWU_O0Hq{Ea+&Q70Z{mt;q}xbnR;Cg#zzXxzN&+$EHTk z<2GfQd$$ktwybYmm+2qOY#r)qS>MuG%0bYuIY8#EuPK}l3p;>!=c`jcnj<)W( zKoC5Y@EJY54c`H(P}1pn*JX3RBt=ki$f#%@IxpH;Gi&_U=1{O&^voJW142O2>eu?e zMn1&fG;6OV&ImA6p!I`(u;Mj=%xo5h&vUcW2bz<#Gq2UeHB2juzb-G1XPQrUoDjMk zC$iATQ(7#hpaQey0xx7T-Q~+Uh2S&vjRGa1Vw%(OHnXR23&il%sa&oht@!gyQ*T!M z;uI#C0!IB@5>@L!xAt+yHFbg9jv(z+v;;kx2`69(N9M}Sn9H$uG3-PQ1PnAb@K!gd z{Zuxn3#p2_(+|+6`|7Ds83H}(Z<<+Zo&ZwK3v~9>yJ0vGM$ax5_?k|l49tVXfmQ(5q;h(o;jssogO55+&ypPRPx7-h$PnZgkaAGbw2Wf~IAjsI3|QGRWDT=LQB^;q3I1GY zWS&tAbex*P_Suw7uytt4!`YAiZ3}uX=p=>NN%9tO6f!X-ni>$vghWkMMA>Wf3o^|1 z=e0@(ntLl{ZsRIK$q-C43C=2+A zjF<9!`bFD6B%WH=Jv1H%bql=QQo0 z6PZ;Z0|TuH)`!zWX3d(_8c{Z?LRvklke{fLNNqOdlf8(^^IM$c>Xlcp6^+`)?P~kq zdTq;3jT=|K)@@yWscv2gBX!2>fnG&RG_a(I&Lk}?FZG*PBPL3RpGj`ZTZk1&tU4W< z^(Dz%j`5mmVr5OVK7oPjb;!O&!i;FcU!PA)DNoLX_kk-%w+iq&>AL7taqamVz zgd{{EFPPat5dtb8;{=;T?u8_%8vzdiDU%i2eWBD|nz}{yue4~Pc?4=95Ru6wLbdAa z{`>n+)_yTzaJ#`xPtx$y4gR@>Uu5v{2Jg4;pD_4BgB$I;>$lx}il*oCcYpW(c+tuF zy_(1?<|4Q@yJ9xFVm!KHG`eDCbj7NOXZ&J+Q4;nuDl z22D_-fC>QIxlPT(z=_fKL#ZZjzf6=7_4n`0?B9dVD_dO%Kd{)-y%D-A9K6;0x^-*g zZ-x9sLBHhAu=02mY#F4qOq5BV6%l2?r@~0Ukp5Ge5hJz;unJ++HAL z1z|KdDM_opI_F`lLZQ-S)oMfqp^uD1LzpwE8OErrSJP6>Cz;A?>Lku>DSIc>bmn|( zgA1xOCoI#XA&#gCq~c^Q7jt#h?XF6|Y;=+dq~iKHBnpWCQzG>LPJM)A{-WZb1|e~a z@)TX#RDZYz`8A>_1`&GyROtXQ#9!vzn6-we*5P2EC#~ka3A4%mRx8yuo~5EYdgFm> zg^)}S;xQ7bf4>rZ2i%;LEOe#C1e&Pz*l0;+*P8KUT~)qpk)XQu61C@C3#*p3uv=Ig z&iJnp!eNWjMq3nktD={!f<@#!fTPWU~KRHx1{vnN{ia!{1$> zIn$)ygFbVczWe%eYHR)VSiT%*xC#R6Q0BjX7}CBqO_@`xo|1vaQmM4X0R zftf|WVA09ZU1UZQQq#gjMWb1GG>`6sx!ns>1dZ3HYE5}7gR}K6lb1WwuWi$@EGq6kWD8R!w{Kfp}<#z6M zB`puTJBMK;*xA2xXGb61?HOlEJ{o^$i9~6utQj%amtp7?JO^58GITj6kQ(=luAGA( zWCH;>^};ktDa0>m7UEwX-UY3r|Iwp4sh>$$U9)vD&S<+T=HWCDg`1BlZ%;IB+`VG` z63!Q)_ef&+2VQ7JDnT~_nHSGb6JQ}{7C88<#m`NS7ANMX=gXLlaCQdM9Lg<#NO!Pc z#8-L34dBT;E|M?L`X7RiY)|L+K-K$wRqwx3_3m_j(ZWAn_5G#xo>_j9a4g6Fm+rr+ zi+_~``21A;U7S=Q@Pr2OXDq^Bnw~>-{7Wq0Ne$wU+xMq8_&#ahS2p-=!!!DwPu2G~ zVq&XmvTEMF{MWA2`FX`-T3-X_=)3#D8~CS-B(D3z+g;K3@l!Pan_sW*YmDA++5Y2W z=D+36c1^F%zTceJ_pg}#$ejl?{&Ven#`YtjevLjMBJmHs21Il?3jJVXbRwK!i(75c zS)!*zaBHe5&zb3RiLL&g>1lIs0lqnl`>0NUuZgKy@ZxXXSCy(|)jA*$$W!91ATAQ{Urrh^_Crhwqt)0`n$*_8iND#=?X6GSX3(L#mG zbpg1)SFX?(zc9_LW#zynDi`+_!t5qbOmj3@Ot-5eV>i5nV#uBhnvm?T!c8 zwcw=D%#gx}<@rP=-Xusr&}tQa#WadEL>kUQE)i8mbR;D1ZD-pprBZAc#xwua8;o{CO9zoPgWZz_h~NszVUn;*2}TjGtXMf+ep6ywSN~2X2CQgg9 z69QL6lew|k>2kD6*@;!5P)bHV(n$^8p+v83eu{G^IN}M^4w{BuXh;v-9^nNBRuJ=u zla}ZA43m4A0V)P7EE^oJ`h()f@u30+t)!4#xH7=gFBQcX4GiNUHFC1>v3Yd{q%sf& zG;obed=F?_vt~_7WFdxc5Z|s@(*`zKq!=PpEc=^U#>u=ChKeK$bvH&(5oA&dA|aV5 z&WcPeyQXC`gdR=}Xr&{3q=FV+EO!sqIjAOQM~oz6f1@kYZ0H$TvgUL}zhZd{+B->5 zu?(X$Wv7j(-j2cT-EcxY)R*n;*$F9GFUGCt4^yxsr+i>;S>aOn62D>?l&9dwg`w8T zuwW&AW``~t>g?$4^&siR-N4DB?LDymYqq2J(vHi9vi*IIr~WdB(y!S>hUS5@uX{M# z+1oKR1Sj-H)lh%u#aa7I%LNZ-*4>xDgeRnWG2|0lyQ>06>IDuDc69diZTF=ie6SmfyHj@if>h#?Mn z37oeffZuTc0GN)+?EE?FLs)rohBE;-^V73Dmyii(@2HsEVfvwaI0-AAlN|#Sf;`1T zfQD_T4TH%)<}=P;Olb^a1=6Yfs05Lcv3V?gQ=q7b#c9HFO@4r9xoo{~?j++>#ET{J zpgWeB@_o2pAxk4FL4@2Xt0A~%!3)Q%=4ka<5_?P!#!6BhEN3}t*%fNLrZ^&_Vr!I? zxI`o~7W5oMPbscc(g8kbY_E|oHH^z5#_Lf^FJYceg3@F#G>@k+wV^@hrUR}8auN?= zFs+5GU*&!hNJ_-~2P{dhq#ZQbAal90b|me2BErc+TsSMSy*-JAE?$*3o4|=c?+8T9 z;8Z0m3g;}AlwJG2VmL)6!wzJ^RYNXI9wymcE&V+{A|M!r%eJd*!z+nP=q9j?!p#mRGL+am^;j8vty%Kv73QYAnjrFFH=J- z1JyBq+7;ETKf8Z?L)-#%Cuv6ySH0ok3cF10x{CBL}3> zOZq;=950UAEUKt1lyu}oou+z$#lw2#&~0gYFpUUQJIhm>=0(n163 zsw^;4ZS|QO3tiMg=HX${l0{`xE-$a_s#-a);g3V6XX1rPP+;7e2$2qf8Vw^|x(FhL z091}RT*Q=w>@;VH3P7KC0KUyn#qWEwbN`c4jG=6 zB@xG}tAGi?<0SeJ?!!pT2xP(MO42Q5+a#3}hxz;$56onQ!v4gFwGSk2D*a(@b`C!K zC1w7c_W|M!&D^bkAxQZG4TVGj#)cEHn~--F1ybhff}nB|Yf@rL43l{xOqDDoxkM;2 zL4nSoiEzaZU!+k;R2arFh1t11VL81D>mA&2Y}|moWh}SHUQv>UbNc?B1O0tqbYT>( z+q}%>y3K>}ZuhpHT~}6}@TJb|LTokXHMJ2jVHK}}s+dyVTa^3tT&+a+i8xPAAE1OI z%*F9pG&KjM{3}F4`Oe66%+F23@Uuu3=>U%b#Je`ofw?);)t}+^xx1@pSdP3F&qo~H zx)^~8M0$uuZ5_N&$`!>KX=KpBJuNshX!=nqC%P}SVgTU9`)RxRhBbmS0+0?V zJyOf$#v%Eq&nfP|gV;XUS3-(ZbN_+10S>WNL1sZeb zH5$I1z$HmxT>ho$^Ze*Q5GznHw3BHB(nA-IpwJ@aK~opnI6)*N6q;@WafI3-%hh=k z+_cNK02MIh{Tyx?Mf6ywTu8Ddh(5S7&jYhgU<1mPE|X=|qu(SXb?DbGBJNB`Tm&&y z&J>=tXoEJ_T!j8up3^WshNd-n{dz%>DcvE3RxzZjI&iUyS)^WqsE9PD%IjY;7+vr) z49Oji`GZ8Nwtnj3C+kU6P9$D~a#p3_rB%ABK9=q4V#RjZX1)HPq8Op3?l{xy4(Wl2 z>VbkSjh(6@3e#&xd=zb$yApq?$Re`L<6HqdVL6*4i6S2xvbl)e#RONyQV~vqL?9<6 zshPK`ac%Ajcu85D%H0GbmdB}FOtcy4c(krqt{NwvAlufg$gIhXVBR*dELB?M{+8^H z?%sj!L0rmZV!{rvMaGeNk3brnQ-(mLm-)4O0T(EX8$Y_D-ucrC16e#MIAa9c!yM2G2LR(_qfvL4&U`_-6(`VDM80zhdym z2A7%tiDw(!U~rqkOASsLe1*X`8GNU~4;#GG;CBrkGI)%g<3HVCo53!Fy9`bme3`*F z8vHARpEdXmgFiA@G58d_A7!<{Ee2m;FmLdn!B-pnBZGfo@M8x5#o%`gK4fr(-N$mK z!7T=R4emC0(BNwgzRlnV41UJoT?W5z@D~PGm_L%U44!N7`383zoHuyA!M7Uxkima8 z_%(w+H24dHPkplXx3vbl3}y|!*x+>r|G?ne4c=z((+2M~_(Ow_89d=Bn$Kwl&o+3T z!HW&%49*#RmBE`0e$3#P4gSdB&kP>_8=B8E47M4((BO!{yuk&7uQB*egLfFb%i#S6 zeQf`4^DlxUeI7of4z~*ng@_v&al27n4ASldSpSPVZDMluKl0 z#>i1v5hbLl3~R*@B<5K_Iy(-6hcq0+TNK8=3b#XV*%F<;B`RNl=Y0IXB|3Xc)UqX7 zvn6WV5?#F|I%`XGK0>E(>wVLf=tV>YE~=TaaY`i>&K9zC>r{c%x__sD(2E_{)7iL2 zmc+;DXcbha1`Kc2s_G;D*{E$)qW&2k`B%2IH7eCYAWqSG5yVt)}ml z>ot6Im(uq)0}7|?{V|L0^>~cY{RD%*=8v=;f6X6hJ^Y$K(t7y+g+Eg7NR+Irc26@5 zyH`{CKxHFwbEq?Q0*?Y#=rXn(EX=|!j5szknGWKrcqeLVT{oV&xVTk+?8FcI^K`(* zi0b_G6g|se*S>!b#O{>0i!{*0?3*EIJ%B4;ilSq`YF>p^Eu~c#X6&R$9S)NI6_NQ~ z8-=}BjRQ8%x5qtVNv@k9!G++F=X$MEqL*gNTjcmW6quh8EqojbQoc<6dUe8sTo1bC ztK+NwFoio<{^9gnRK{E?0f`z;^r2@bDK$5N^>Behqxe+xJ(4sU#g`iqMSw)HNSc6< zIohUC{2a_KaGSGFaD*sDX9v=kFo7G(HjOm3MVdg**BWcZo>SI=}8(jgdBN3qI=GRFS>l8YJX@F7CVBCE!(1UANie{-u)`o_o$_F6;68R_>2rE?wezV~Ct=RGKI1qZEW2gm z;>wHjZu+K_mDoF=HHL ztqG_N5HE75&>|)>I#UMwA~Olp3p^2AFHS$2ta44yOCR?Ww0(uEcI+Hc3hamhRRyWj^)F6JiR7QJpT-s?!zbnifQlq_*DU{LJza{Tk{Zqc~VA;Ik~aSY zmItE&-C#@8SO#8S%zP875u(dSjSgsL&U$f{iU;G5(poUj8XM*D=ymb~=dbxO1003p z?va>eqf4D(dFRC(!6SRs9WgdgdSy*{G#*W&If*4AVSHeeaJQj52CPZo{l~=Y6{{0O zLFsd1r#tS4ax0&)!1g$}Sr`P87-Waae5 z`N%p^8qapoZJ5k!9JaP+li{4~C-}zBhk;8GTS)A^YA_b4mY(XbD9h(pnAJAWI%WbJiBC6gMJ3OFat;r&wMovWz87PT# zq+Fcg!Jum=3rckZ!-Jw92i8tz_qbeMAE|i4$z9$we`U-{TC`9fb>oHnItB+jE=%Ot zMuoKTGF8zcSROW&Q|X`u{kAMF%Bl6o^T}Z6Dfe=+4nt!&RrSgb^Rx3tlI*O%Bk(3v1?nRPQHo$ zn8?$5q_hNtqLdOd$J+RspP__CsKxW~?wFdFcgR|Naj7!3iky8B;wK7bdB%;tSDy~Q z>_g`h&ZR`HO*e6KgWjTK7;7mcBI?;4pJD}4c zM+4#VsG-Yt4tH!-emOmEVtRFT_Y(({G`O4aG^t$a-76fTv_jJ|DG=0Z4(%avfI^=K z5{GkGqR`d-hp1z)d>TU!gcVBS0@pO%o!EHx*)giz>%uG|pN0BE>sCWm8WQ zy-c(hV>cmLy7zqigq6Q6zd!eLb4ENjXIrx4_;2e6#F!yq>Y6mLbiHl69qEb;;~TNe~)5oqk+jQooj6Vz@UQ0-?k(}9W*&oOvPSL7sH$e2VAEpcHODNY~ji!0|6)f?(T z%flEv)W8&kDG|JD=vzD`_v#FVNz`M=tEvMrTxyVsp@X9360H`u1L+mX>JkKd`IKIX zaa2Tm{5Y>g3ASDv(`n z&>zXmU|x`q>3)>N_xYf-5bxJlMCV_4K~?(NAbaS<87;zCY?8IATA)9L;bP;f-zNOf znFU>g9d$LlYy{}4EJ_gB0cjCSuWy&G?)}pmdkEmyKW4KsUl@WR;&AqaN)HSAHlBWZ7aiR zTNmPB-cg}Tf==y^m~F{kV-{yjj8-wKrm)?oN-tO7u7f#XA|jD3lREfh6cfmnIGvK2 zBhPSDgRbK7g%IK5ow@{3iE?Ot<1E1XwM;fF4Y?9w8zJl$7g_0ksPW|HUk(V5K)n{6 z%e2t&Gg)ncu7W7TkUB<76w9jE=@)*6m1->xbE5*N)C&a1acHM%njzhI?8NIg{6Fvj zoQ#SZV08|Rh!`_bPs~EA-|Im51rgD+#7m$J;EjB^EX$gn`Mn{aU6_XlC`d4Ppu zkAnp@SI^r18PjV8Bq7ZlbULSqyE`&+TJ3?3I9?9+!7Zpj>3T9+S&n4i1NkAI=A!+S zth!fWP5BZmc$mk_we*Mj@CgY81}|F^#nVr!M;P8D??`t(SQekMZ(68agyfJdt6N-$ zb6Cn7h3U|=##>Xq$=yVTa*`aOLd2NluF>!H)C=7?H$(5Qc4SQ^ft@2E&{JU{yOz@} zNK#><{sW;wzKFG?0HF(F*Uk&IiTT7|z@*9rq$E+X$DnhmIe9^Te{%bSl^uBg@`Ddn z_5t#p&-?Mt$LV2xS%;OPVuE7RZ;H!zr0JEh z@RhN1$9xL@$dy!_<=3kQj4l@p)S+)hbp0Ia(^tp7H!dV5{(mTthu9iqz%u;4XbrQ+@wDHus%YLj1`l<>7AQv zTyH`rdNvLIo)Q+Cc-mbRZu3c?I!}x#KlC&MHq=*Y zzfiZnYJR_@*SMat)Z~uqbQ~1Iua)>drfu^+VIMfO=3IyTL!y5BVSW>s~{b-PJ7bX z6Ks~)j%d8v1Z1+W6Hn%4=~ppPmLpw|XaPMQs<@TrGOv#4_nYf0& zfQoi%sB{tQig87+=5J%V!i0mSF`+>nKCwe2dhps|iaNS%!^tiAJ21sEQso*HkqZZA z6)|G6AoY~nk`ZZQ(+bR!aXstC4(WMM)`~&@NuN)*v}Cq+Z|~{LbdBsB$n^GahePO= zI0qyezW}!z-u4yAYSe3Jzy^%?2oRD5NZamMDR?{Z~8ZAt@*i;!K0^29(xnPR`Wq9b{uB$0m0r`_P z<2a_v>!v*YSDV^CJ9?5nYy7y*hA1m`o_)#aalBqT$yhQ<$g$Bls8ff{&|zV}gYBf( zPdsiY(8?f~BZ4y@djPq79UXelE;JpmMwb>^@TBwgqS{!}`IE|gs*e^I&=ITpqv;*G z=8_3$U9?6i(Tb?Ir*C9e_TuhAdM1TG)1ia|g4*(M-cM^Y#zdIB5ZXx;>#^xQeu}R# zv}6Z#ypTeMmxe-KzFK5GCfv5gD3NXge}5sjH;uiPYB)Jumm+;_IztPWs{Uy8Y8rDq z5W{AIb&1(}Za+>#s_^4>m41+D7De=O#CVf?;oK0du2V(rcOD(U-Gn1(^M`s1$ARjT z9V`n58_9%X5l7{=p>)2!L-0Xl?&GW!aeE~3;?alc#0DVf$uvW`0mDiN0613PRA zY7U4K9wD7B?qxX9t!RN>SM@9{O>a$nBOenm5jR`!q+o(a*fsU+=ZZP^sn24F2t)GD zxkW%jdNsdzh*|zlmuKkl<9=uP*b3#}QNKLpW_?Oi#H5fViL(jqeSs{_B^A0m z#V;LoeIY=@MG)q|*SxXWB#D$g-IUbYGT|((t6hwz=?c&5YZffvpwaIygcq|> zPAtA2HiQ^{n>ewwVB9w`m!+(JgMSSn z8$AR*^Q6*X>&04Q+UP5V9K03KVgGDZAeg;8)TAtw0PZ)@FW_^N*EXz=#!J)t>4Skx z=k%=Sk|KgHA%8GHQ$P(A+I#q3hS~$N2;c2Je1{I?zT|g%58olwg{w`c16|Sm*m~8) zAt<+5z1eaS`g=T%Cgy4N;GI`C4bq*Hx*j?gG7TRu;e(@VO0xarB!(Fqn~K)itnY5+Y_(B*S&xNXD?vHP zbcy)0jB_P5E10iIkCQ1b(1zVXoJZBcQuTZgx0Ke8av!>qUB0ejatpghJt68Rp+>M>9hD@M_6Suw^;j2`I7mw1F~(B^_mojCG6;qG+jAB zGQI(et%};sDH?6JAav17ggDuuEg9fCw06Ca-u8fSSqpeuteOLo0l~hI@zj%i_4rC? z{5Yp35`^k@w{eJ3OsC|y_!a_wT)Hp?L6_ty2XTnx?Kq58$D}PjWPQ!#)eSs!kt`g4 zTk33;3JqZFxcRZz)%1YHGR9H`9>(0QDqG5)ZXLWtkz@WLo@a`12su|AhhJ2!Y@CjQ zw+8!~oM^&%PBmR|Iyzrz!>P*2k)-5wYdpDK-h~KtCoab~J|#KWIEgS$s-6vxJngI; zknxrwV>JWsju@$Q!Q#p|V2afo5cY}G62cHr*2*fx;~T$4E4IKiQQ3`WOW0LbH*d(- zI}K;_ST~wWc}AA(dd(Q*WJBkrL}pj45_3T5Q`JbIf}BF`h69!qf+$4)8>ye{{awrdJ)5 zr{`yJmylj5RBkhVjJ+aK3D)BHdYg8e;FF3YOdpdF7~?kQ@FFxgZUx%J9FHi!>i9~A z-G;4n)YeCQu8c7+9ff3j-7JCcr1Ip{1J_~GX5G=1Ljv_a$6 zvr}ax%P&f=G@0e@`8J9l_d`oU;{~o-sfhbcqjXYqY=RWz;6fd0mQJUd9!o0JrL?<> zVbB{#=O@~@9$^Qn9hJ5x{2yNP)Abkc1TX^uLwAFi`u#GZs`)0a;kZ8}(m-V+kz@&R zH(ekSS$n-Vh|{?JtLR>$z8fU3b6Y)n8l@N4du@_Sr<0l|M++EtE=;m&4fU~f{2f?H<>=%@k-} z=zh4&Yms&mNd+}Ar1X?E=(&*EPd3gc#M5eT5YfvQ(??l{)>;O7MA+Jt_kuc?z}DhZ z=3+fzEd<1H{*b3CfwXvyT3Ma`B^8my4%btu8`bl5r3*>EoD=mpu1`*(;|YIe&WJEp z{NRE1hO>FfWUWAsuOpac=g304j8C&o0=*RSxTgTJakvD8SCML0LL+!O)p*EI?18X> zfEG_nP~~y_Z7F`86)xv}!X}bN$Llc-kQf6e;cKazBRpk{*gZJ|huZX4$^%>Dw1i5k zo4)9`+47U5CQ)d_OPm~WXw~TGV={OoW5iXd%i)@ee43@D#}7XT?`F zD9&b!IHUF80GYl~mz7&z_>$bc8fK$;*e{L^3CfQfFVgq+4zG7`CZd@5EBP-Yu`G&Q zUJfP`hip#2@AD-PnR~t+P;V^4CPC;`ZrK@i+WEsiHfMUtAQB$Pl; z7AFsS+$c@$Uz3zbb=&S7t1vxw)Z~}Mhir=VTQ`QM&)n;zo4H_%+t8<@w`TgLCBlX2 za@M3{(h{+mL9=1Mz9H!$!1HfRZ#w;|`p#b5)7RyN-+SeuN`&W;D-Knj4cKJQ2^Pli z>Sr^)?Zh*J=e^lOm34SJ@myiQ`Ob&m2C5#0c{p*{U|yc2Km>J?qVrj~LzOkV4^@Wn z?8kGHJq+WwD*=u(n2s1v)~|4S>U7q8{}ufSQPMgEK`TUUlv^eI z23bc4g7I{_#&nRUSlVtcjqjo=DpUOT`2R68&pP!@`r`cHr2_i!9I$%G#TkZi-Qd&f z8KXsHcR^}cH7F@Rb(>SF146~Q?)aCvL$F+I}8$ZUVI5IdF>g*+~>r4x{1RSMAzzPbHy2oZ^4@S_xLKJOwfg4gA22Y z#?FRhI4k4ms!=+QPa3etP%nn;J078mZq{)MkNyv#mIShJsk?q-bf0Rg%bmeQcq(gzmi9665g_=*?I%nHl;HfH-}vbsfhefTZBv^R2Ew4<|jk zSyFy1!Azvaae@vEl@OcWUAzvH$v7Jk>U)v+U>t0_mKY}qe47}pwn8s=8nk3}>Pu;( zwKq;}GccaPLA&e{$qd3&tmJARrA zi_@#(3nc9%FXrW{hgX*uQ|cP>V;nGGL+59B31cjfEmg}AV?3SkgI>68sGY7D54XTg z%IHa<*5c^|P>ZQGSc^Z4VN4D$m29ZzIDcN*mV+zUT3n`FFI`R&^{_wjnnRW58xB=| zv+CLMsza5(esyhlHQs4&I8?dp4-QrC!gKQL4prV_&m7)AVB!3he0pAgsB+s|^!e7C zz{|Zkeouz;Tk`q0KR#5s{NyDyi^(74vl>r@$(J6SFvyPruR7 zG%h#Z!-aW2wI4YZAqnV?MhRI67G9hO`NS#%W0g$`tK!uI8o4^PVVQ>h^<2~~&Mt%a zDoX2YTUOX0M}ubh3ki(U9Yq)Gz7x5qhV&?=zP+*fh*d*00BL~S)ukdIWZ^_uS&d9j z&(E-3FI6rrGx>rr8PTOu4Y&`T^i37!FbVJVjW3ediuCYu;l=Z~pBVCxIAi~2dvzRm zz_kUO&4BG1nNkle+DNwbhI*k~#wA{&WjCG`ZDyEYCgzDgqeQps(2v5sgKRZU_{pt+ z$U#IQOD?L!afu42+xB4#0j(lf=*s_MWGvE&G8Fgpf?t#^8iT;5gnZxq@k5o>pNOB^ zs@{{|`1^DAo$$N%JOJp6v8YuBzUUpa?7s4;2s^O{_zAS^CoYQ9BVRz@0l$*mXnFFF)JD-s3Zh&8^HAl(cwX=yhbsH<{G&Y#^KgDk zKF>7#2|zD5>QyZaWj7%bim?M@C5V#1N7IN4Gs1>LSZ98GsM3LF9?u`!GxL)}6+VB5 zr}x45ITiR<;hm5Vwis}2gl>sjmZ4jcvOAC68S8r6Ha|sQg>YMf+XVv&n^$mRy6fRX zm47&VsB-2{K?|PeKBUiA5mvzaJMr+FKg7@D;T9#L#1UsDvvU#Mkw!3pkeywAbEFxg zhaqE(MsS)@Cc+Q?mw5>>#ULx%46CuG@--2z4-8_lY__=>tNGqSe)a080N#zU2}M0e zWAi4!EFF@@ln#VMS(VEYQDKhboE zz2=z1l`HX_fahuUoA1eo-~1syfA5>-HS*ZxQqcfLCK0snA!-AYjCMdRiQEQoO_ag^ zjva9?h&~2pU9r{5usK>CWtyY4nMf|%eC4vkmCj=iSKfZy;mW$lAFjL>zxjL{&p8O& zjpwU)9>((&d?)_D9e=pujTu4ZGBZum94%(<9w*^H74*ugZaV%N0mfx#(6N zK4G&7Jx)x~wxkgeHEgRDyc*#0rt+1js`2rbiD}%;G*f6Po^#$tz@qP*TfVi?z|FdpC}{{V@ZhCqakyiqxY4F zMs zH%E%^3|)s-ho54}`B!xdaG*P$6%NC>0Jk{2t{mrpm;@+bh7BQ3Wc9G8ZyJWe;v)jO zUld5W3=AC{2g5Va#+JV!6K`@`4n87qznok@(Nq+L(tZuSW(^=DSlcX6_yQj7=F1OS3J&d2( zLWI)qLC_+9&#`Y?48GLh&ka6yjQ)7+ScMNiLE+C&QCP7A9=lNA|HBeECeny39;v|Q zex?NF3&o26O?*!uycvom9~~`yk1avpPb!*0rJ{8HyrKoHRJ4GPRWyNzt$>eJw17XU zXaOIqXae_I0za>40(h4MK3&lSfcG5c^o@!pP^oAFz?THL9*yVGMqTWE>fal)D_va` zC_ru6x+xR;M5as`%anB_%nsg5n>wt%h|lksMbydW-Z)ENB3jYX~CF~B}x*mB=fy^F=#BMUNi71%Dz z&)KsRadIWuE~P2dw>P#wVLyMZ&7J(8gdcvv@;4Da<5QE;A6|R-D&f=5eaF}j82+|5 zrA*A6QQKv8&(vTZB(&x&7Y=fB)H^ zxREe_>Ia`q_+aLis|a_z_(O*XzuEEemlIxd_g9}u`0wBQ#w6hjZoB(1;iq5m#p?(! zxvBJI!aLrzR~V#&kB&aZ_Xj>(_&vh@D~@>z;k~8fWgZ#Za>~#6{?n6|y_)bdnW@c$ zFFLi@OZdHx-CrV{eeuMf5#IH^W6vkte)n+~6F&BelfFQ>_qG-9ApF_8ZabH-bkqCf z4y-SK_9I{8`$dm_^xcHtE#0%8aQ=$>x(Ppj(wDzZc-fY_{)+J3?f0HVxGDOkT+Dav z3%>FhzCSg0=O+knJN*9B3D5Y{t(OqK=?x$LJmD$t_}J})Z@K+(&4kOYe|(nkefOUD z4}@p_;Dq-Q{_fS&ZG=zk-Ls4Eub!RzTf!|Z;~yZrvE%Fe2#S*=;!g?Bx%>9}3IFV~PY?^$4Ua}L;k@Qu%iqZGr{8q) zw+TOT(p4`dY}qoojPMUj`QIlz=8Ca@B|Q9sy?Y5qbERhy-qT)q1z}$_`XJ$dyy19m zccYiQXlt@E`8IMdsvzAAImheE;F?AHRX{>gzxB3&Q)J{f$w= zo|dov2H~NrzxXP`Lhs$OMC{7FZztdXw&zm9TVFAqAzXg<_=gDp z^n1B~Aw2ofZ@!4|rqA9BYvU+ddDES@5WfFiU->lQ)3)4t8R5%LdVee7<|{t-LBhW- zefSQ-%yqZ_2jK^9{lp&;p7@;)9835|UwH2v;q$hC>4$`Wv;PZ!LiihJeeF2H>z?}c zGU1a>82c{a%Qxp=Pk6yqlP3|r>xEYxBs}5sCx4IdPb$k_N4V-e>ht5hZ+XHseD8YQ zDL*Fs!rPYpF5#XBkNHi)|N7+dMZzmD9etSapC$^|625q2=^2FocKqHc!hNUR{a=LN zI{S;SBz)n)ubxWyx#xdlf^ho24?Rlw=#M`B8p6(xfADF9UwX|gy9w`q+n2vg_*<{L z>#c;J`s6+55e`0hUq9hbCO&c(;l!mMeJ9~Jj=$|f!izV)ZwKL5&pzoM!rs$X{0-ql z&p&n};qHUSbrAmDk9OZjIC9^_y9j^unyGb!2R>fhM);~*bN@v6%;-P??0RHxT|ix zg7D8PU-=~Ay3gNv8{rLaxpyt$v)}X0%L#A!Wd6;BXFWLf0O23M?W%dg6|b9o9N}La zzxYGzOS7?c=s2+_&bDKzjOCb2p_ri8+!<+uKVh92>4ikQ2;@&d| zTMv%kN_hM8bDtu7+-ZBRBz*nZ(`yKy`|%UrPx#i?ocMQyr``AX7ZSeuM~`bEB%3jw zr_RJ|WUL9<4D5y1bZi}36Rqj&--&-m`nvEhbWkKwMzlZ1=efuC7rTS9e+1-r z@-&d@Kosj3s-#xD{G1KvZhY>Q*bA>|fo|@;4Qrz9eIvsigWJ1@Bil4UEaPsov8&Nt zLX>Nzd1-fN|F&(>F8LQ{m{Cu6cX!m+yEE#~A+>0@uy;>kAsPZ(8eIbZ3)07^M?(66 zGW5KQ8CuTer?Fif>gpeg`uF7)qHg{(IXNBe?C9K)?T-e!xADpD>h0MYwYHg?9n?{Z zdK7PAKSY*m(!r3^SA~?vrq5|zzwg|t;QYk=LRAneq#A8+Zn|8B1~<`FA-UNaq%jEG z=Bs1E+O-C8b`Ap9s`T=+xe5AgKTs78LHcMpUt2^CU(*6swJOHm#HVycu>&HpDtw^V zsZ?;jsH_}%Koz=tXjv0MqLSUX0e#9!7~X}}@MdKV?}>7TFe5llG7uV2YI2=LkE*8Z zz|=xbU~T=tg-dnJ(E>c>)bt{TR%Ia)i(+*rszVDTgy`|%FMGK1;}=2Bw)=2p0MA8u z+VN!YoQfyH^JCzA3(uW+?!a>ko}2O9i04{7GkA968NhQ9o_0JLJg4H3`K6TG2Ro^h zX6kPk0W{)<{0>Sls`qkfZkB!%Hf1iIg)2@-@O+23n`R{tdhD5pqJDF+fU}17><{-?a%vMzv zpt6C?6Y+yesMD|N39cJdld6zjFFpjy5Mp{Nrdm`#dfoid<7t-a2^(t@OZFpXU=W~;X zEAx1k&0yTvU;DcCvdEqHypFA%U06#pO)clj*+v=lhAw*MnHfGO!NG%if#-6i?T-F7 zG8KA8ZGRhTv8rcBU7;DWy%CRhQ$dbGa~4P_5_dh@cgjeU{jpwBlHiFqpe%U4fBoUg zFyPfMKU`rL;WGi>iSV!f?jq%#lT{c6ZEAn+dF$HOwbSLXEXr82`b#yAP3K^w55-Cr&uJhN0bJpwoV0M?RqFEeZ>?y)oUC?)o!Z0!g$Oz~2 za~M7p=c#l#f}~oce4LoY@pQ}hKu;%FIWTpYJo1@njj?rWq8+!VGpJ6#CV9>QIz}}& zk&WYQC$EKr-}tCiXqS-jg!vPBEoOpd_Ff? zOreT^uN9N>-f5g2wU$P!17@oOP(dYDMrh=|{=V+`4F^-<%RnbOKzQ5UKb(9W=uN$L z_77Z^!0qkdnuV%w9P)g)z{?Kx_9ub{yL&r^doD?2jw}W`5gbQ5XZ=w8vTkGid!RG< zc3$#B;-zbN03#q-CWK()kPN8}=pEYL6(@*c)SGzK1d=rYswIs?6y}jc8R$&rhzM0Q zNWqg45Kt9EDyAl^I-oZd4Q*7F(NNC|yOa6wy*drFI_HkA?xD^^ku)IN+0mP5o*J~C z+D7$|WH#(s*{ywvYL)Jk4w6bi>|HSxgWbEbb%L>R%w96w)3>90uqV;MG`PEOc<{31 zv>bk4bTjx?JneWg_M7kjQ_s)-RP(*#OW>{X+<(vE$__k)NBX=7@m_!T;YxnT4aYUH zWIJAcEy4IH&*_4My(%=HMv6Zl`}lg1G&Dpqr1A0b)>EGIaz=tF7^AA=Ufzd z63O3DH1M6nl}qmf@AUn{l`VL_{XNt@!jcceiIc?jI1IZ5aR%={T=~qu9zR;%%hoW#?H~ptr=rIQeqhl6M zJ?69%pRnvkbeb~}{;Xt-lTY1t^3xBVa?<`~*G9`OeCD#IHRqhU66anwJeyb@*M0X} zJCFH!N9DU@0us!D9OnFhC{-U$dCs*At(?0I{~{Hh+9gtP=AtTA_3MpCNB{FrIf3+F z_{_~pJ@gJL!ZF>bVEjg*_dy|8xTggD@~-qE7U@0ZIg!STvGlutz9`xOH2(QGT#nxy zvj-5s@p=%DWAG(_U*@}QJ?^PugOcz*`q?*Tp& z@CLxs0AB^je)4KS_Jr2}@&Na>fIPrsKg!@?EuW5ueGAR=F|km`u2>djGVv60WC-n^N6=n8N%- zHj)Jtt3-g$%1ky=Fgp=CQ^MZ_(angv06WKYTqT5bBv2C>4-F4zxl8QXHqzJW5-g#{ zF5vas(Iuf@CLPt`v`g$EHHU_oh^v@jReDKDi)`CNGsLnp(0;V-aTNK)!n|KPA1z|0 zh0Vd%s9*0UD_p$Yq28A~pwV(z`u{hQM|(6kb(}4o5Lb|~r$IEgPc&*#ABmFq@JJLx z+cOzo@Iw=_sJID3EW$bF6u(iwOe72&Z~9w|ZD3HTkkmr+I$zLaq#ubND!u0l!*g^R z2IFGa3FEMm+=4u}N1XKte`P)0qAxm+N)tAiI-3TXcCiF@=N(4vgv@H}^Tz39bY#VK zSFSG}hC>11H>Exg(MfL_Qo)CLCGm&M#1rudhD%xqVtPWE$RtO)Kns#dt#-c^0u7| zHN$rjJUUDl)WAwTty`xXlanLC@ct#n4e7p`7w7rDs#sK!#?vp8MhxpRMi2W$4!O_H z&d;DXtG5=_R@Yc9>Kg|ON_45O=S{dy8ZM(;i67%<0e3U;uz?!ldiE<8Uhv@3RPxhP z%&(>SR*-P}IX|t;Z1`#A4m`Kuxe3qpcy{CAw*kP5@VpDZNiol>QH$9A=#h=|+OV1> zznAwz?L`Zn<*83k-*ETfKs2zUYcT5Gk=-`fv9miG8t&-4ID!Ckus>>rVMBpUgoeVI z=S(?27j47I0?g&2zQP=><~sWayQ6;SLNM$FeY>Kefsr<}T^s9@qXTEzyyzR17Bx@J zmrAQ)?EoXY<~8s~Qdk4iCtNCmBSu()WSYv$qYO?P*R6vcl~|@^^jHK}mPeUZJ=DRE zFyTjBd)wE;0n|Y?er*MnI85MiFHR8hqfk|b6++cv!v10_j#;RYEOU_ehM^r;RR{Y= z29zO6M?#6@7P9glsEY3^LyozLA1;TsI3E&QUo{Ud#lWaETHf8lda-?si}Xa6PLxMe*8 zw>i+!6-h7z-1=kah0#F&5K}=S+qyf3N6@1f10M*8s1Xs+xud)D;vrBqFxcJG*E6gx z3YkRmU1^H80V5#9FVR+Lg=JxT6+M3^qV-0@-MfYfySlfIY$y3f+t&VG904*Sh6+UV zpj*BS4--N))Xp2nHn%Nym)E>1_iTrFKGOV zZaFt^vq!+uKu#wU>*e2;g>f8}=H?gnMXmeCcu_sZJ147FRexg2oF?E-7PpSJf{TF1 zLp^$KSzu~~2o?-DQeu)iRjH+aTT?pDDls>+NH8GER=hZ!M50C13aKPiCzs z2;0xQGp*V&g4C@kU5I8eh2 z>+r7}h|j6Y0NPQe&sJ3>Sck*(S-7i%$*SC+YLsDK;{^j_s5pMpe;oq~ZSgU*pF+<~ zL+OBDjQdEvWYKpM-?H&cF6PPd4cZdpC0@)SZ?wgVP%TqM{nztmAwaV%L{=gCTWd;x zdv(~G*9Po_$g@UVv-(DGw#gru__uHE86J`s%vGFm89p>T=s!7GNtn#^{MdCF<{!** zl2ZRL)_*41AJRb#O=JhPNi7Bv*L}^l;PX>_LI|7ayI?53`VvJ=2U)wS@LAG;Qx9Ku z9-A^9C3qkdCSCp8Vm^XjDbI-F4)-Yqb13EFpl|K`SPD<=)M3y!f$0hR`A}&>AFQ(r z@H)y5;w%%3FjzbIWucGI92jX{R*`bq2cAZ*tcHIx%b5FP=P3-?1TWC_QkGAIEiqYT zijR=LZ{7&xNcGi(QK;q1_kzOG$f7n)8&wgl;|Gzu+L>E1S3$tot2 zayy#bNs6sQOq*6M@5U2P96~3Y9q5XYkvniqfaFv|p$*n_$}&4Wt`RNid*t2Jk3?pg zh?pQderP*d^ApG83aW=wgKNS?IMhOC}|UJFSDJAs8tF*5C&pbP3`i`9z0YomFuT? z`!;w;>@i^YOBWOP&1Kx~Z-C=oYcQ$v%ejazT&dNzc)DCep?J!nj6Dn-r!-EA_0^ER z{-GrkSTz0;^jmjR#~I?-qbYhwc*i4`>thyd4f(# z6ZHx_#gLgUIry+INZ`fxrd*?nNE-CG(J9?2fG0|gU5G15f8BVoxoU%$nla;3&KZb@ zF@T5)a`~%ZHjGO!V?3W9s%KphJ7BL1$EZOX?e#6wG9v7T7=kG=zopZeh2=ht@*AZB zyQC>~ID$*#F+M2qD55PmE2ib(T3@PgCvqm4#64Yx#O34NG;+~f$QN?~9nB4d6%t=m zPK4QwvnjuFGe@mOk0lARoPDuxj9Ff*%a+Gb630T?56iet9#VHs0F*|nY(?yNq@HZJ zHg#l5letXO8DO~4EaJ<6waoyf-s&|BZ_L*a`CyWO%sWg9IJ=n2 z1q&*(qQs5sE5zf9s4Jz{4$OY%^O&5;2f7bA%u#JMHISlTn@REvn+NzXmYN1vhl|F7 zk}B&b)7YfNtC(Qx^NoNCK!m)?_)!@BC5t37y{c zEF>Z8Vb<;6_-W-g@I3VOpH{wt=VJVR_n8k>ni5Yb@tfi2H>JNPart}g65pS-#P{m- z{=45#ME*|)ogHV?KFt=ktiku{IFHmxgE;p$2(OO+f9w4o)jyU_)=Q-w-{hYNgiDXvY509iYO4qNrznT8 zOyJxkV(NG*@Y$U1xbT)>prJe-#A|}D=LRlMmtzS{@Cdrq&s^0!`cOQ)jeom{ArcW&v~o~J0BuQUPaAFd-? z%x9XpYpL4bm|cn$QzmYdK}Fx8GI6AHAOkl#A^o&o{*lDedPtuC=uzSlnOXheRG^fX zMMQXoDh2_oD;uIXl{h`8z*hfQALzGfI{_tG&bG`jK-#_9z@QGA;MFUCDlwxQK8mbn z{RG5&2MM+?a!K*J2~!2NI)%L-ydVK>RnwU4uhQK);<*a>zF5S^-pAc%%yjtuAXvxQ z1(!g#`m%IG>szvQ(yBs9$3IHCYSQxZRecCfBagI9fya}aTNs?a;G|8u#acVQB9|(jaXBtn$Ii@n z86n;9>$WwYDm*%HLYEEb$$e77ND*RV$UeCX!u}PN4IUq&WO#0?-|OL5!{t0N4+v5a zlR`4?ffKD1W{nBV-!z1r!~R)V`8aYjJx?>^IXGerLt>G9>Sj>J2{x~VmJHO$uW75) zOQ6@gQ!+kG=0q~3f^!H4lwz{{{vwIspOB99PY~QV9g%c3sox(Z0`b|7@fsM97UX3q z=^lxAB0$ytAFhOyqhUxXuF4Tz7E?0O!m^l4ugTYYT!kmForBn%*{Jb-;Ss zC9`>mAoP23zR4x^HuPD%#=GIBt*&5&)rU*5C_UgNC*0qj&s;9)Nt<6O^*cXR_mgF> zd`X>jI9tV0li1qsvN;nKOAKWY%q0R_3JSqwC(2ogMT+;@5CO^U!_#AB2+zP%9FQpw zq>3{=>E;kndZSqXS~5PHa|)#D(j_gL*gLB_05`mG_OkO~!NdG4eNb#+r9zcoiaE@H z=WQm!0Q4)p+h!66ZKwg{!G3^)p(D``iRbCExNikHG9QP$M6;MvW-ik;oV5c+_KYgE zGsF(#cw(%@TPlM~eK`Nw#XC$s8l+@|NzPA+GF!Shb}`i|6Sj~Zv>z0MFmF&E;bU5- zca8`*JQ|sz<)gYTMBu;(M9bZs!#(|dSsu!wgV?$u`Y3iYtVop$`K+*y%Kw75rZj`f zED+H~Mqbq35}kj3bioDDS!YF8U(I7BD9nh(BYw$`>~`4Qb@XPTJvP*h%Ieq(+fP9h z`$wK@bar>)R5;t)(|2(POduVF2QgOVIMScf2|sE&UCXXB2hND5OSlaw;+hrDcea{v zDZ??%*jTo(fO`tz?UeF>sFnAn<3nBmJau&Tb_@-{7R-O*=+J+PC87uff^SzjJwq|U zC}=tOqly>x=0pBjJ&e!FkLj7Lss6Z7Q}|O5ikTyET7&`z4Fr`t2n}okF{;$Vr|>!l z{M2dJY%5N4wq-Ac?HLb!aD_&1Z$Hn0aQWY^?#`Y*92?2o&Td$p$}fcU^lj()(zYzm z^`$-JjSZ9Shkk%Y=^w%oQXkK|`v;)`uw8IOw?ck_ofNpUW9VWyG0`kLdq=vu+0U;V zf2i_AdyWC*^RcmqDtAmiRJp#S&z*pLb|dVSdmpO&qWn$`F;^KCIJjKduagELX0tggQe9&s)`s zC_#=iMem$h9&7oEQzZOuviDAdIfK_3{Ck5>fZjF#mQ!gRe@{40;p3?oj=y86T#mmd zW&}j1U8L~XYZdyxC`SuNG@TgokMpVV8eyOZwqg~}ASrFc0VIa%8Kqc08~Bq=nf}qM z$jNfqSLf+1;Z((C7GxO7?!aj=B)DMadHe#-02^s;@1f z4B&gCZ$}bNI!GV$ITHNEaG2I&-~YFNV?F+FFXLk6WBacV>ls?nfDfLfqYmNVaW_oh z38kFdoiO9hUi|*Sv(P_zS>*^+ZEXwSwg{P)`L*}+Pd^0%oOw9J6h<2CR{vvK5#(b#; zeR@S3<1G;D1xC#q5wmkC|`kqhw^q^nng_eigJ3c*@PpQ0-!Bs0~jJRaJr4ug#nz zvZxKxA$f0;G)tbA!br=KW7N>EtNtXhxKuG+9l z%ChRb`uSi2?HHEDGz+nF;x1&aBJfQnQaTZlrL+MtwNAE1w0hwGaJnfqy&lUW-J0_j zu#FqqWFYw#UOhUwnybCpP{Wmc{sEGGj{zw?Cxq}RylX7H(gMNsX6;Qs&CHL|(?964 zuW>*?pb$BQU;&EYdZ!lOU-cu^li(^|ZJ-Pz6_!HVhs&!1A%>=5js}(5kP3claGJgp zapm!J>B74uIP3K$6It0`^((1PM^A*rS*KB$y@e;os{Y zd${u8&mXRI13nGUKm6k1%A4`*x95rf^>F2-`0Ww6sAWYHns)f*wl=9eW+!3P{7?4kG@hXn+wymu9yfQ{QWG0xkO% z_D|356&o*0GdK_9dv0=UK9OIGyAgBTgcC6ff*&OiMu8H2ZtPDMmFToafSC*rAZ?fNzUS-{L77_X01pbDh`81jk~=f-)l#Ih^!|%%0+{Nb6eKk z6mf7qCiB6&kAOFUd&01o`D$|n#@{lOn4ffg&BQ2`UJ$a2<;S2w@;=&Jl%HQJpZE~> zSIb98{AKNH8`giQnse6g3RUyp))G%2e5ArB!t<>c=x+}@Qg}1sU0WyaxB4Hc+&TY9 zWd_fVeMrBo4}Tx+<7rgKy9sIDJ^M(d@K$!Km)*~Q_4nD=#=l?vf%x~0ubw*#_W)e? zNabq>_4&tZ9;saYTaQ#2mVCbZvPUYP#FGr;?}3**Qu!R7%YR$pgV)yLRL7})|1k3N zG?L%G37Qzr$HTjj{zu=VPt)H#Qn~%zk5mYMndeCj;w?isAJ$Xy4{J@9OI7xl^4_EJ zc8TvguStiLkVPon_ljJ`w(P=8ju1|2pgGU+0D! z82h?!f2;EC8|(e;;pZRlpL$+%TjIUmLAY6l+PIZLK<3V|Y z^(q`n>IrF1yyMPKQQNYh2G>;~WZlGGZs60H_wd|^=N3G7;%UZn>gOM++=1uRJ2BSq z+>hV);JJlicy7jXBc6y4{!D%kSD1_1o8x=6y*W+o<`-J5gGU^M5+YK>ts_0XaE6)P z*0XD5Um7%s}su z>i=LNr6P$dX;2s@0#Q5NPUzD}FqBE?irN*ha0K43axoFyn2tKcKzi#dIN@3Ngcp{; z^*fFbpA0mZ7>~t!U_m#|p-ZI$cBGdc(yaebb)rfePZ>T1@T!3Y_*7`x07G3^?c#xX zy}0piXAo@WZ6s5p7>~m@Mb)OyPvG^ zB7+&gQ}NvVBn`h7a5tWd@MQ2rco^?~r1Kej-UZ0#dVBT&@{#&%pB( zJcsR>d!~lBuR@+HAFVjN-QM42@Fu{gG(TE-;Pe;{+k2P6JmAf%K@)Hsp1MZgBZEK2 z_Y+zkt-KvL4m0+?$zTiM>()M6xfVDM|JmN}F!)u#3Z5%~f)<%i(JiWf@-?p?lv z8#47F?joQu0h!&t$sAX9|6ZP+EM(;cS`k>tvon&toa<3Gkb-JtU*41`J&1NI&(KXJ8e3h2{2(pv{GCkWG zi7g(h+8u}3VH+8@;7SaNbhxLQ91!?M{x<(nq@O2bDc?9aDZ@b-7*9Cu!OhkD$IyFr zQj>6~voE`|dncHZVFH{*e?+(N|-6N@pBioCaaX} z_CxKCbj8PM#Yw%78_l*k(*zeEMKb4SZtx%H`j3s^&45f!w`b=-{~!!eA#oe*85r&# z1n)1=;PFCOdx*)vMa}NZ;a_xJ)Fyr~-uFC|E5HVhAria zlXCRBCkKy_?F)2Ys?7t7RTs4R5w5gfh|3JwFLD2SLgn7gjg&P-46ToZ&S@D+mZa14 zk<~l`?0O;XcRwsbM9X z%C9DV{Wvvr=I7NIzmUS`IgXv9$@w~EXG`Pt{aLVv7+lt|r0t z83C6E9#!q;7}`NZo2}ZPn|728Ba6CQGQZINNrmQExnI(gqe4W2MH799ZF2WU87U(A zl{?*J6=2WIa>S*ht%FpI_A2k`tWGo7b4PKEC-ojgpb0~Q9QKaZf2FVCz!(0|bVw&V(72eLJES5IZuP>t}UL0Lwb_muuY)jSskM+oraqw-&}PDn!g ztFTAIbIT11`TGw0eW$^18T_%q2so!&JdgkX8_aEK=@v$9!RJN;XQ7I zu&bw|w|_f-sYX42ZR_tF?&^_<{K=q>&Q7?Z8|=V>&)30DG)4!1?d%>J!n`b25PTOV zBpc_f@185&^ud^eh+Vzgd-_Dto^J!a|A)MHfsZUZ>jQ6(jXm8MY-|H#Fu2CHaF1uY zr&Xzwxn~0!FBtWMG@&Cg_P@M3sOFVD>qKL^;Qsj`SC%x1*7ys$7kUJ@yJ`|NhF zhRsX$f@~9D%HYJ148s~SS~=On8a!@q!%bsYY*rw-aco!IE9x*%GJ*>bpt!=LfSfqL z3riaGLb8Ofp)Nunb*DU&)$s*fJ6W17;Kof}y;i9AaNBh+nYuI+1Fdy9nr!rTnvl{W zweHPHuHr~kqcE{D!>b8rR>cJvK6&4F+?PQyzl^?$_iHECX1nCrg!$MaRwJ7@G=)xh z_gIp3)EM8O5$0~d}7M1EwEPxuznNGfnzOezXg8>e4VT)3;+D>rc z?pkwDz=C|epU6f8T*J13CO#W}==)X@b(frMOG_qkp%}J}87{|`k*If1qLLnkq{*?l z>f1ZLS&Y&fy(?;u&`}-?ook{$4Z&s1cNW$suqz9`SX57Zhag07wKD%5r;N5Q7+; z5tdK_>JUoW^7fia&wxIPLCHE@G^8dSbRscsUcybwX03h-o#0nG%iCKi;MioV+qIvsY-9B!6cI$65s@mo-~=>3WkunJ{@5x*({eGdY3SE%*2_O-Hr?EOFPw4 zyG}-Z6Q^U#IKseeD@@9nUbLRa63OSn$mlNWw`#<-4Ka?QC>G|Wl^;3zR@4%38f)zy zEsTueIBelw98PcCmmD=syj<=?0>Dy2wj%JWA<5LPOu$6u!cn9dOJrKYdD3;O3%G!# zpxiA5TS)77v!GKRz8+1EL-o*a;{4!AY1zy$@{VK4LJ!*?G2dXZRH4wL+6UTf<37w~ znd|Dp-eAnMU>a0V1PJ7)geMgNyBadE3Bo{*CKw{35#UC?r7I;9Q96%4iu9^KUbvGx zB(z)7r@)rSU{wmExy7^;E$tX)h;!AAW{ru2RfFWHT*;f3U@309n4WTli6;`x%(ciV zD|XQ#DRG)fCa`!zlLR;0fh*0%jpWiIu7%~DoKte{4l|eJ68EPk3+OaY3_2&uOB2e? zqtNm;-oakrb{z*HrR3I=iP`eZWP*==FU+ps5Zm<3<>^`6>N+=r^&>1*lqM%JUsp#N zlclNh)Y6ry$x#Q5WeIe;Snr_U)1}D=$XxYbX$dVnDjnA2nWS0i1x{w*k0)q%wy_Z( z*Ik&BolJ7Sne*PSp~V-qO-5Dby=o{a8HAOpFo8QHn;YA>$$^u)3^^_r2 z1ABSBgr$lowp^nFB>1iZYZqK>{4vJDwYGqwCf!v)g^=0}4Fq3jCdHxoNU9fblPXjL zoY!Ns`i1NqIIpF^T3&S3ta@l2 zEQTZ)p7`NrzQ74x499&ts`En)l3&zcRc~P;J%+j1BEZw>Eu?EsIH|rsPeXgUJTis$ z3CGeikT-u(d0aX$_3x3BE%F>!i(-P8VWt;NtKen6jCPM(z4iHQ*@(duJ9leB|6fX0C!VH-wRXF30$?*vEV7!@3&gmJwfmU*vqYzRej_IQZh6b7k z;&E(`SBqijsdz(tb~-)zba+(_ek1@4+_ch8_WYaTd9ZxcRfx*xnD}9zYlnsUi(y_v z>5@bcieSZ29W>wo5W_?fRYyUk&@vTF-j9uffY9kH)PfwOpa2-dBP?|AWB7=)Owz0; z2#%}4sJ@kY1Xm~F)H^ObL>?f?(6&%@f-cpHN1EGxhKp39BBPo$4k#8@3a8X88z{~2 zL%H_JXOqLwooa2A&N&%950H=MS|MyM6nzsIYTephxCDb`GW9Als!tb0B{dDF42~{g zJF>L+s#nJipis@=WDzwp9$!<~kTmiuU_If&(WB$o|JY_8EXvUfI8vT!%mYZ;=N6`> zkC7Hb6f^EXqu<`ZcQ^`}<8*Nim%!8tg=uuZyws#1gE$>7^L}A{rJdbe>5S*?bVmKv z>TenSyqMbLT3WaKfBYizAGdMAXPj1EpLcgV~t-~7&pT6XxWrh6VAG*+n|cbzR4FVwJ`NL&_=3as1J ze0jV^PnK_V${gT7p8tAKedzpW`sNJ8B}a&VRFYZ`$e9Hk=|5hOFw9Jc=^y2D;zYp= z++}WnwoS+Hs5uiA^@qis^b8kTW!03aJxc0!InxZJ!}-`?zkuM?Fdy6CPW9WnDICp`-_*3S(YR@cY6^uQ zZTf}=nqMx8` zv=&@sD1>g`EVm#QZ-N>Y)CCh7RbUt|#b_iQ>~_ZPZ@#Qv-DyXWRA}YVt|3LgOl}T8 zw;lX4IUc)OTAIftD;LnML)R_?Vy@!2>5dD}p$OE+r1iBzyi`JKHIZK&ce}b7RcKIH z@rgS0|G2*mN#DiY(3rri>x+TaXhmqG)}sIF<}$(z6SvA?xQ4Y@(U{Up_Dz6o4xBhR zMO{!ukH@3U;MEM{bTA@s=2w<~?P0DOxPh4Q%H|zl-Xc@RbQ0fa!0Z|uHy<5+ys*}& zRiVZx=oR@Q1;zHyKE`|!8%Ym+6zXu3DiC^bec5f z4>}*E?K_Ts7+;jcmB(PPQnDr)qDqdw{EYMlTa`lGy<&#{Tp43&YP9mDz<&^QzGo zhVMJ|!tnLq{=)D>7hV`n!ls+%GbLr7xc`M=GOpY{OZ#2!_mD+gxtIcHSwwQQyw0|_ z)JsM$bZVcfcl4J030Z)u| zuw<-v$dd`l@%CXq*!WnN z{^3htg?_Egm1$K7+LDf-DzsZ|Txg;dd(cN>9j6bKs3OBX*tpgeRH#zu7Y!M|EQVW8 zHgpsUSnoq3Xg}l!*-;?ztr&Pg6op=gqdIi3-?caxIgKs(fia=Zib@;GKuO*c>MQGL z1N7ylNuQ{KsxG=qM>k6SgD&>`?w3?1gGJhBxMP#sm=vQu!f{Q)%V+TUK5D@)qyz{X`f1UhApDj2t8z6W?pi6$PhyEagRBIQiRltP9>=fX z85!2OT&C`UV76glWqu9ERiR0z+7jP`#5WeHfW=8xHf+#*nO%+B?HgExR-~93i&~7` z3Q9Xf?$-DfSQJZ$*xl}LvJ7+A2W*a&d;MV6DI;3*vsBx(CD%c5d+CavPLr!_IOsD-2lEE~- zhtbL9`a>Va3yjPJCYMe!h+`G!F5n$|+NkqTs-DcNQeB!Uh?g>}8VP1jP33oYp=ZRmW8`x`oNu``SLaGvv6Hm#m2Deo(&|yy zu>s;==PPPj@&ZvIzW zZY4|Qd$LN2bG%%>tI$D{y;NSjt1u;>)4Z!N0U$Q}LV|zvxfg~%4)fPx{`5Cr82%dU zxBsgbhDDgS{N4-0Uxz&d`_F#&h2hV^ybtC%m_PfS7lzLRSNg&W!!4M<_zy1(&;9WW z!#Be%5z~+VO!kL$8@p%6^iD9Y&WmzGHUcPTx*OnM?A#pwHq2f9o5TBW+#Eh=nbX?+ z7TDhm^GcYPz$5`Y%L3im9mQ|Hk1r7pQa+ zVseD82RE*Bx?^wytYJWVw$(kBEMXgwO)hE|dq(Ely0HR>hpruNBDJ0^%MUZV`enj{i5ppGS{k7T=u;*Zdt*X z);xi{SMqQ6Q{P4iT!zizr~br^<%jgVJ7*mmtu0^jU8z3z`XO?NK?Tz=+{X+1Mh~Cq zwitNM>11!%h55|z=I|fFd;})J`!B(!dDl1Y4L=Ceg;~|+Q{Mm>%r49mU%xlJ_!`)+ z-5Y)z>{r2j^wpq;Sp@!X;eC~OykCS#K>zn&w>SI=ZGH$g%@)ijZ{Hi9gqehS70gFr z9)o!Wj1gPrhpOD-lkn8jJt=cYY#5TC;PqCHU~&lx!8=pc7?lalqnCN5KQCSDv@-I* z<%B2x(bRCxsyATz9^^AiqT;A?9XmU+2$vl5%|d4A6r@}!&R_IO(< z{qr0j&+x?z!{K?qn4w>qQudA3dPiwpFtX*R3z%7I4v5jMx=)k(CA_E{glGIjk7GV6 zV(X^Rraqx>OvV-+e0bENH^*hN{WE4NLB)}@VdNV}%RpM~Ai|JOCgJcw`fMWs>jhp_ ztH3$&m(SmDIhM%gDYPx}V}GKq0>a4OzQ|ChvM(;moJ4t%r<7MklQv&!*sX{Jud0|! zrFjURMO?6k1^NM~HX$3;4JT$e+Aw1&3&N3;ygqgQ8s^Wk%kat)Z~D4;5m%aJJBTk{ zOvW!w^2&mRi3&zF*$Zg1mm;n*NXd#e8810VF{3u-yoESBh6}pnUWAkuCp&#mF{Hvt z2%l;+^mslX0(b0S3_|4f3;{p6WGeul=cOS56np{3#SB*DAY%ZVU5G)aXL6x({h7;G zByd4YM_lINM}cV>0W&=#V5VsVj6{q;Rfw(>DmWLWn7S}Y1Tb}>k_d5VnIgEo^~V>lTd!Muv2JiFk7QBu?;b}qGCOE>9M1u{`!r|4&3r`&5| zTv!)n0(g`Q;Bht!Ic!keyogdp+<6ycGs8Pc!idhujU{OXH8Gl*it(6@^O%kEn00ud z{P1EFw|1fcg+M7mAy|q~4!9g)b3Ov&{_ZRd&Q~s7YPT%_%Q)MQO4&{-mhuoNPR7jKbM};675ISVQSNih1XtI=$h9&~Z~_k@yk{oOVdWQX zmm^sQjnalZ5%~y%#fb>zRn+g(b~32ICKeVS4&^e}PWl2zs<2`csl*DgQgTw-0G-4( zK&K&5K%@|lkX5EA28iqqNI&W<^N}nhI3ig@oYB!B zv<0tZsyI(iM;K1eMOeRn*P|G%S^N zT~%~|MhZi`5X3WoddwaWDXw!7*lYy0GD<0-sKb;?Vu&heu>?fJEknNZdX_F67j23d_r5 z<5_I5d4bMM<;MiL+=vhtPdLG>M$-+bJUMW?ZM@`41Sm+X^&&F82RBwQ6f#mxv`>uO zA~h>R=J+(X>c)Z;oab)^yLIN=x-TGmfh4-Wrywq=tMtM>*0}D*A0g&PXjD&Qmq6V|miorc8HFY4Y zhI=w=D4SxZAX;#@C|U@U;a0SWjnwiiGr|@?Gc?IjDcfUH;a41uO{^3uIujGrs8$D6 z%Ju|Cq3($@G$kgSm1PkKQrmcnB)CCE(mayMhB}u0GGg&E-_S?P1^N3GD~m)FiJT)m z5Y~hfMZy!q&krh&HQsUq6K??)-pVWEPI)uZ`EVT@-oO;4XKVtb_Ox)RZ1+2Ex&=t> ziJfR}NCA>DnVz|{Y|lcZYzoxw;suKDiB91TGrLo<;ck+E_av@9!I|!C;3U*Mrj6@I z9I#2h7!HgCZ1-pZRIkzzB zjF2QTG!8-M;^5Eev^;-toY#z+s7G5^5zud6Z67{P#|h~oouHpM3`7v|CKlr-bOyRI8U;Ifk+PVciLsbn@SzwB1YB{eV&HpW zIq-XFWqv|FJCY?jgEwI5f_&aKG6=**=7v_eQkq?{n;wa>td_)Lf~jE;4vIIxK?u0B z2?g9;1t4<(<#Q@I0c&(DaE*!ypizMkfX_jMfSZN~tTa5}!zwJ12{@&gfLDqMxG7d% z*#S_}1x;MZ))YvFn6#7+_xM=FE)T`{TS3jukDfYx>J*C;5KgtSP);qd;Cb|Jf1rc# z+ZGdYs3SHZM6|>P#bl8$7G>4Lps>dYome!MrP-Ow^O4vi$-EJ?7LEu+lQwi_`N(*VGA#A2rjV;y8Hw;54QDp|;0R*m6avD0l`COh zCX3fFg9(mxD}+aKR=D^}wi>u->qH2P#oNH0v^PLMvkctH4+C@t2nOhO^chsXR+Xi` zL7?Xh(o)J(4qWAb)C*9^{U|CQg9v*)i;+xP9FE?tf??x4aBPu-HFyL!dJBJ~n?+nBPq^*=O$ns>#D^yxWAd2}IL^>h{{n$!T z6Uf}sgG*EPNZcU62HW1E@g<5nzDO_%6^*M##bSzkdU2Z1ZUAj5oMjLqu3!Zc-0YUb z0*~72FbnQX5)7R6)0c?s3HRk8oYg!=Pk59bl_5$Gc#J-lO$=AyVUi;iz-P5G?S+9s zPM}#slvA*?0%0K>y`BS)_>eXvkO^TZgkK0UL?|qLxP=MC=z`J7`32BI#DX@Sg6d}b zi=-B7Ju2y>J=Rk3*O=Lb7*YhxN5nlrMg$ed@vck^JYp;jD(+FGc|?AbOEH#dYDN6% zc(WJ14O=2Zc~Z8X-yDU$yVDu$(;L5mz$$WSkfegVZw-vm@O9Zf${2|uf`$wi|fXh?MoJd(riBMh@ z+DDa^pjx&^SoE;8fNw9NHai1KBFf`2=&~@e)#;>V89wcEo?EzL?;j!^K=w+P23-v% zJBBujP*IF}l`_Lq8Ox5F+hsR<(DeznA!^&CXz66H3Z?r080p zVhutg7(4TF;O>rlawk3N2SkZ_0m@%5G`{jZd3))N2XA}40VB?y_RL@+)ns{Ei5x>Q zCitvXdFmlQskEmYtoG-5!nzI0Rps)j%Dg?KqiiWE$IEEG7r*oyR(@5Pom^6(dqEhu z&&R+cd~kq-(FhqSM1+$?k32VIMBrLu7p&KuL=uD_s z5C-n^G4KcUrCQe`RA?2&~2#EpB zt>9bGUM5Z83w)TIgdJmsa1Xf{i8H*%v4nCJvSaCqK*Non%&YmzBEEg&@l|~^nb=wa zBaX(d?1Kw~pS~LII}?U7azUPWBB%~C!d~P>`GIvg^bH zEiB-~AqI)d5%`p|fFOamC!wZeBQnrMbfAr;#)>C0W&R zs~H-S6*EP(Jxn)?$i=#2M2>2Aw z-*<6e(%iAbZ>hzdXqViz9-1 zr#%EJG!+DTl{hPW02S+S3%`QvV_N~exl_Ya{fj4L z#OOI^#%aLLnv4ND8yN%`=@cC}vpQsDd=Z<^GuYa0#6WA6BQ-E#Xb1%GFdV@B#6nfl zHLZjSirbka$iSSo^_6BQti&3J4ls zukA75Q7=0Uycoil+(9!am(q;4(m=t(orwZ3hMN)vE)iaF8i)*zd#il@URnq(#%@mM zAV9P*&LCZYlwx+-9cl~08&fC_;h;j`kx_-fBf|>C$KQ-^L6K*bNbFU!Nn|7mG%`#Z zAaDuMn4e?-qfq4rq;TYW!~0ZaVaZ<2P(E0^ z&qTsi@GxKn4?|Y)FlfTh=I}pPj`Kh7oL$f4yr&%UNBN5+CUV%XiHZ&LB#!YasUkO8 zyr48hs;Tl3si&HiUr}u^3Vb9MX!9hAyP(CR9HwfYIe%L2S5q2 zvWVrWDSWmpkQ~*A^(stRjj-piidR;xqn@a;0mG<2G}WQl;5Qm;N<;2ACBEWMRFzC@ zwpJ_t*3?v9To>W&I7$%|Hi|o7t8Ob4lNZ&*C z5OC4DuW@D?4QVh5cUU@GpcMuMC|?Swo1(oYLjq1U4ncYno6i%{=f?|`FYIr1ynqY4 zqYP(P+AHVJoQjMx1zZfZoC3#kYkDtV z9>UqD_;7z4fC!ISfL}NjJRDXFyl8jf0*TCa4cx6diZ7cyhMZ zkD>D5Lz$~+4x@Z1d>+mll8U5}5vjl<15$xU#-jp9d=WL2Ctp|&&Kl1 z#OYI5uCa3-urp(;xFcu@)xjQ1Sco}C)2k6qMr#?z!*fMlmq z-4fk`J0n{gZr5}RZbv|YQN&Q7?BP=ecTX&4aCdKwf@3>$Wd%b^d+gz2>^wY}5Sf&J|{Adimi+yLKoriykBj0|gxM2;hDLskmHPoW_le0rC98gww=c zT0-3$v&R(zar!fXU}0mvV$Tr-dY;h0_dQW4#*uMizljshkxvZFO<=;M8bsNk=x%WF zu-+~?8|#d*6vDlUd~Rydi4@xQBPFe0HSorAvB@J7p*gHvK2jCJx(rIljpEG4_)MNlFph8_Vs84JY_ zX$o`15_rprRgBbYT$QMi0Zf|8{wWxRhzx}kg5z%I@MH#d?}xGBys$cwn=*!%`>OMi zL0Zt0bHPm((99I}6}i_3XGniyl3~;ytY|>N>U!qOxi`lK?-N&b@Y@b)Zf3QD!fC5M z<_yf)3X(ycmNTWbNA5y95!P4|YjDN>P=ie$25Ni+;Tl8`G?#t@{sIiSD{#PDfdkGc z$bRavY}*4+i41`OPXYsu(&E|rAn`9PuG5k;?QqdO^!%0ahn*7|;sGdMF#m*d>B>?i zoOcl#+d)MzW^eW;36jn(oW~r%UTPo|>xVJubPPIIjzKlwidlbFjkd)*hEe<@7#&6g zW5UUcSmkorN=G~Vz=w`>#D|tE@R0=`k<74LoQok-mJy`CWrx`mWRX1}Wwg$sSD&#* z;shdR>~&KGa`t9uP(bEu&`1~P&kWERlM#sBgxD5Vc1LeSEaK~!zT|}2>d&RwbLW{V zb{}qFPP=Y^&iKXv9hn4(;_uvKEyj2J9jgvy{kf?xX90E%5xZ^EuFB(0zwUxTSpDl>^f03*FekDOLpHPU<{Ch zyaFuDD*>X_yW-0SM3`R!%%OJ2*+vRLgEW#bSAs-BtepEHg@re$(6AtG9CZ0H@DwiM zwaixECR`1QwLn~M0&wcKfeN-^*ma*^O5uEyzhqzzcOkCb2wL)H%FEQNRMC1k4pUC_oAvFqc^rX6~MZYNF)|G?s?k+I&m)%RoQ!p=p4U$YkCMJkMiitnJU zTl^6)W+*Z6)M^wACfrA4WsG4G17j;v`N5e$yydA?yZICjmzE++mWxwk56+dAgOkQr zQiK=kmF3bnR)jUYQr%2QZ@Qlx4^g3v zpNLeKu)8FZCj@t7y$wBSGo)lVeyG6^u zXHUh$jiiOJk0yr3#5bsjhzb>z(V(KfD1S6H za5hj-xxRA3%1w~Gfbv2CJQ{?+BT~&SUx`LU;BopWf6zxWbO!Y5DXO~7 zShc$kw!pKKtGK+&hpLO-#-iY`NC|bMG--H5aE*z`u8ODN!+_M_E1Gf!mCI5QM0p}t z!(IsVfalRiVyiqvi-AE!gj1-zDCL(oOf&S&kB*3QXU|Vh;A(0NEv(ElPz)g=(9?GN zWk@5(RWxg0E-x*t*h35B$s2+haC(Lb(ZNPG19o&Q3RtY1v4vT^%zdPxC@I_*L?Jve z6!5Yqg@QUVD3CP86?+tD!<`El6as@7PtR+?9c6C{w?~L6(5`MN@Jx_l#mYT)8kvL} zJsX3Dr#Di1+3e$7*I-a6Caccshva;bh01}Cp2e=jmAO-Pp-N#DTZN&a&Hz1y#VDQG zgQkQk&F9G*h)&t*Mp6Zg)B2(c?fEEeAgo+>ginQ7Ibwoyictp4p{+(aR0C?PK?RW$ zSe(*lE2L4bPHRVTK{`4X;~FFaDZ?}X)R~QHo<%6hytqOw7f=c;O6g}UDML9?0fTfB zSiqC>4SSMEIRzG@4CDl5Bu0e#atbWQGbq=f^vd-FFP28NvWu#LIl>#D!!rZg#X+FR zBs9RMtPHWhb_{HA4i~2cS@ff0c^>R!w>&tB?7#y?e$f$XDG`2@kf=d?01HwSurNgd z422>v#xhKMP@XOZva{_7{1X_+q*@t2Mudh^2{g*K80Lezk}L=>a(|g5Y~%(rfm79@ zN>V5faMG4=;1raz$PSbVELecnje&q%F%<}R57>ha?b*vfA@#CKU|voU#_HfGI~7ZU zok5ia4&@52>m@ZxWgr(|feb-4$4b+RUnT_>cn!<$Dx0!^E|%?B>IrYHqukL1+E4FxrQg&bF5jHCtMocqr6%iOgwi z+~Np^-h4`^qoo+bu}2u8^+&aF>N}{>1w^2V7L&d>c?6++AZ*_U5FlqD z`A8WFM?AulyJbuwqC}1$D1*J2A=H@nL^!M2kdFZ8I6}oPxM1HFM`m$8L->or5l|G4 z(9I1LNG(iZOwKv`*3O>|)&vQPloWzv1%>cPIUyM5SM53@AS@09F!u{AB*R8oyDcWD zyojqweIPf~S_zfX`9RRwim;T<2ZGL?<|t86bo_A3ixJ@L0)T$VLg@pA60_kb+X&py z`+S5s7w^0@F!W*cAR*|(I68~BjJ8~tKWT5E6KDwxyuhXj1JeK;<>^z+L>Ln0GF(_1 zeUPQB;uIc%f>!Pfa2iev<4vp$CL~AG66Fp_{8bmjgs2#Quklsn;WE3xBkSw}kJKrF z%Tn58R3eRvNkkNuFmt^Tm+vpwI-5#@CC6NUa(*vNXNsbZ@7WDO#xeNLn2pMl(OYUXZDd+@8 z%K03R(m7HC;_b5n#48JcHF;@Dduwb*U z3ZRIDr}jVe0_|ZA1_Sa?RN>>MmxLg2&i=8W90U>$__e$UB1mi{aPW~1?IZFP;Q5(_ zG7j!LLMfPgL#u*OK&S0hU`!3{QM#d>n4ZEeuT?8XDY@OEq(D2t6woV63g{IlLs^=9 zAQB5%=nN!SarX)+786k*V!Rai_m77u2I%1;638xrFutnmMBNCOYmD;|92J1l9!I<= zM8t>cX(CeTekK>=?srhZs}3R0%Tx{`XudOMK)KZ_L&Y&(f33(P&6q;OM!^abY0ES( ze?X(as@&ru+LAq}O1uq|LxNB)jn15j^O`*~Gq!3EfwS;O5l&b~B$mWD{AM01@-#6< z3;ZyWQ|erlbJSR)R=g%<6?^{5r3#Kj+p|awjg%~niS&_%Q#cjZ7B*~(c?G|P<7vt@PxBQ&W_2cbBw*27of*c9F?aY=R92U>U=)xo_rKCB{wkSN5YIV^)I$`0; zGjmXVT(WPD(O7hx@|o^S_69o-hp(-L!m-BP%}7kPl(zmZ+Ivu zZ``2B!+E~IBTc)&BV&fS(!_LSK`wmvPWx!gVrj-s6+^F2>nyn6b`G%4oGqkHKQBiu41A&5dVdS@%kUEJtCI1H~N{!oWdQJitNVaabPa7RuQxm;czUvieO zjW^ZCId{n!6sIZ9q}m|VtRo^GWk81J2tlk=^r(o$q6p>qH9ZwRdKL-SV39l#tXCyX zEFyzwgNjYi3@*~#8Wh9`m4Y4;-XkK?r$4i_Jo?|T)I~OS^uhR24TIa@8XS|_Pw3^D z*{Q{)1%KJkfFp@zP?3Jgpdx8yP~%I~eLJ%*gL(iMUJw??qW3;uS+xgD#-Csw&c#H- zQhw~l!f=CT4@g`z6!kYJANb3|(&O1&A&H8GXnY}StRiCM(b&;_v0Qf9&+mR%_$}@0 zH-^P0m-wl*cwF(V$N9-Tl=c@(2<Y?G12VTsC-}1qM>{}9P`CWiH~1+qfe6` z#L6m!b7sxP%EE!ue-e8cx2!vBlPS=bK`8AGDW$Z#n-qve&r;bQeWe(bnH&s;T~UnJ zWNJ=1jR54#X#;@CX##-BX#vO$9Z$4%01nk4QvD4g$YO&CDx5(CIS&MyTdDjAD3T|- zVHk@eRlAUb%&RO2GpDWqlT+j~OhiUqs{OVw^%IMA+WbU|XWIPiheZ?OET`*oWBHB9 zYK0pq?3UkrEW?e|3CnK;oAuVtz*ozxu_%UlSgGE5NTpnkRsM`|9yYh#px1bVgp4IJ zY>%cEXBMYR^ABTllDieqK{#uFDaQMZO$x^z2dke*!3<&4&fgTXAHrT+xiV9pSqYYy zH53CwTM?_FGw!}I4Mn39Bc_Tqm~B|>^KcAAIZHP3osY8&G#o@7Gd6HnJ(Pl z`u>~4-+tfC;YVQxFn{(#H-~q^9)sEa(VN2$!c4>53iGKS0SxBdFwcG9=I{eBum7=| z!{r~pIeaY)ZDYpZ{_qEH4v+uco5S-kt1#2rrkmztz(4kr-~sc64=eXT+n@>@<4otIB^2->TaRht`|=93R~4D3+>LJu+}JS_Z#)XpaZX)joz^&nVDZ) z!L89#6U#FT^OZ}prOV|)wbu~x{&u(9=?xn7lgE;g)se*ug^}^&Bc(eo6dJu=r+1;C z-XaWa*8CjZULq=xh(bqR^|h zH?*e%{WTfPppXjc%jt*HYYet~?LN|_u-)!8YMqTXQm(E9EsX3Qv#MelSE$O@&3M2T z>R}89SFxv4|FTQ!1G?FTRUGjM=;me?u>dPAi&_y=%esf4lghduolJIuRpKl>h4<>b zs6;4~xq*uJ^jh)H@Mh_q1X;W-yspna9;|iyj3z|KHs(JdLR@V+myb#f8xO^o#KYo~ zCRrXGlvQeq7)e)~pOv&ina9scVvp|9(v^z+oi22O&XhfZcP17QyfdZAbcOun9#dQ< zxIw%$-O?1cgiuq5JXy8Vc@g`zuHg7J^nc7QreNs+{Nz4(b`SgcCw^c5*rT(rf8c%p zRGQ5$BX+1~vkR5UvL_$#l21UhJDyrP2yai)kUqYDXMzyLBL?c1l^aE;nt*&cQ@j>5 z*T2Fa9FEXI;DhARbcW%+;X3)FJ~A)mN?*r-Vs6#r5RVQ1`{Pd^fInm7p%<^HFhnz{ z^q>}h2hS}{DCKegrP&p3zlXMzT1r3vGCnDtC_xWFCtA-#(4Ec=7ZrSBk&EJ-y5X8_ zD}MOkFJa~@+rjWF!&@Ua%fEb~&)glX_ZHjfBX}I0QaLO;8JzaR#f#F5oz zSyuSqZyz01{Lw1oH2%4jqUZqZd{KB5X4$=WnZvm8smn9-Dxz6>MCho{4AMict7mX% zobZp-jeG(@@MrSzj~w7%@ca1Z2N(_vU*waG=tfFAT_hfv9Q)I;I4|P@#=OrqD7+() zpS}_vdrh@BJ`+g@vwSe018@cM@H#v@h5YdBd%0y!$WORi_1VThP+k)K>!{F>Qx;x! zPp!EtR}a-Zxg&IptrE-T$7@m5U9IKimGN=j>EeV({CKI1`^aZk$|jjId9u3(^Hn6xbGrv5wR9RkNZ-*FJa%M~NvaV=GNI|?EI&L=R z9gn!M)K8y`4&!Eo2J!O4I|$EdjXFZLPdIw|V^8d&@#8pN_{k7(U%5dC(K3$v@XLt6 zF{8`Y2|1?eosxR4)D`!ZrN^qXMq({lnNh?W~pU+wzm;PY>Xt!Pzf0zDX{y5;46>F6|`=*aW zuPb<7`bas|>@Pcd7Ps8Fbeict<;kIU#wGjkjq6ABz8h7p9lp*y#^$T*tFEjZ>%`;l z(y@{riY|-(q3EgPKMdcjmCdJTJE5Wl?aV&$&*)T{&kNtB%OVz~mu<_aB)X4BwBqp+ zI_a^}79gLW+q31!C za4(#-5luGyG8OFb4IP+e`$ZyrsO#W%u)O(+;iKtt$H^WYZ#l47X6fhAam(0Y=&*}o z<}h@;Xzws|;8!{f9rzuJPA-g&rGJ`kC@uTo#Xr(QWn+Fmjp|Z&5S`+eDsuNpf0p8d z=`_D^9V5t3;kPdx_ejZ7rVQ9cXAqT-TbvF@_wXV4J$xvBsy?71@|G0!i^@kj!|))w zR6v!*2lCTJA(t-Yr?M`W&d8^;IF~NtCs~(Em+{-5PVvKSEQdDmHcJ z|BInl=_5m=eanqXmxJjPKdu6+GLe_hir>L>Dt!;8BR`ba1H&ahl*0q*R5~6^r{XL5 zFNw2%d=I8m@jaMM#rI%3@k@YWuN}l zZAVmpA_Lx>emkQle_ekM&Hu&Fd-CUugEM(lJxb$yAiXF5f%H~6%QADH_EX7EQZ=+Z zI6wENv(h6g#QTJArN^P@t@Jn)y_Ft^q9=dT9;cP?0Qp}Gy_G&$q94HDD(^Yt|Ezpj z>2qlQR(ao-e`Gou9T!BVqd9cJbTp4HolQZ@hSZ9WM^gC=Q9hmGcOadX?_j!s-^Gh& z|NMnQR;O0xSISe97cVB4xo~}HzBD(LVCz|e51!(Ec7o5j682ExusodO^L+AAPUaWp zN{h+D_yftp;&L)qoJc0ivorHk$+)s6r!GwHY<1_OhDlg0?i$Wr={KEP~GPOz!4v|eIi^60{z~d7ObKssnXA@k= zJDtpr%Lkg~$K|_F^W)=X$UKgS;faVPvs3ez6YS_J@v+RuBp>5^T)}Yw90|T!TAH5$ z)$5SV9@73YmWx_S~Au-jXz_5TKoUFwtvRs_W}L>9uIE(KcnF-Z9k^%S#95|Z9{MDy8!PGs%!m|wM0(x z+<9tuq_vClJY_-)IHc5jQqJx)+c>(@tQY!&UbDSXXtwK(-IGaSq-OsmZ@xS^&YeHw z3$x`n>$l}4v>bR_X{U#B3MUz;byz5Q>*Un<%H_8vC;MytKAyGC)>fwtN4+|zCQmhb zotjIPyfXY6A~nurSLb^<)82O5U>6sMeFWTL2T28orqXvLYpdI8>?S*%W<6Q!bXv)c+9pnV4U$#|$yM)cuR-2sdoZ#M*oork z*txOur_YX^hu`j?Qh_zt606%6tDML+ome1Bp02h#?I*W7+x=&gYM((?l0gIE;hb3E z-sHYQtpzZJfV`FZAn9})z3QOTOC5y-`GzE`C56G0-A1L^Uhm+TRJ~!puWz?&1039< zD4W~uYa&xp*lG3#+tpS98HN~~8ZDk4J9GBj`FkEhV9l+r2-_djwcQkZXRy|SW24ns zgHOq{-gXTV^$XV;Ps(w#g2C3AcL5Tdan1}wGR6J_S&FVMH(+4LO7!bHruU1v)g(yS*SO6nn=xs#%>o0_|~^3 zlZ`DLT5GYY)SG=KT|KF84>}2MKrI~Kxbx0C5Vt2=jY2&oOj_GD6rNc=3&&fvT7;z9 z+e)x)FZ8?FO{NzM$Ey<)5nqk^Mlv;dIrO#B-afH&I(d6_r|>w4IeftZllFS?*u?)p%Y#4|o~oFaMds{{rmiU@pUaWk_pomA^LZMW4L7joZr>Ze z_FI*?<6HKI%dg)XezLGPJPT9$=Dp!dVV?UY*f7t%4mQklx50*a?i*pleCSPk!#C5s zd2jgD;P;_7?hW4r^K0QwLd^KeHy1iiyrtl5QZhigU zkmd`o-5U;I_FjW<5&k=1cVN!Iy!YjZ5B&W6tM-QfK%3ut<=&8{0dpDVwJ;z38iWh; z(O1BR`RG?GUSqJ|`?YvK26J?8coz(1`>9*^hQD}zZ}<_I55T+|=GS1pbP4XuUwLyY zc)ovXZ+IK{+wS+{{Zlk0r1Ln!h4~oF`3cxCzAWb_73?8j30-P**1p96gF;d% z)oR;YN#&C0(5Mbl0z-G(+3taV0#!_lsZcncJl%z+>rKhit?JfVy?Q*k1MclM6AM>W zf#gj|;ZYSra^LX;Nul+>1<3?xH8V*n{pvb3#iE}rB+aer29&&rMRMW7Ta!YivV*xm zr*}L#o~l_345;6&)*5#tTHoD*wzyYq;kAC@0<<{1qzlR+dBr56S*s{Q1+m>tyfms? ziJ~%Z;t~2N3uWE})iiI~Tlxysa-&KeEiM474n~XTQ!R9X3g_$%y5{VKO6csZ0tK+^ zwZ92%YepbCYw?3TL5j7oPgA>aA)j_J?9FOxJz==mM+}u195|6NNOSUdd%M-@4tjS$ zMF!O@HCffCsO;(wpbLX~y?!OBS3yoS;iHeE2-K4LlSqA}r@{-SkeqyL(pX3uom8X! z#y1v{t(jzNHfdL(A-n;7VrMDo&L-Whq&JuJP}h)QUDOf9NU6V-d$8H#-DyGI-AnoJ zDhQm;3QAFP&=>H18lGmof)?&`_~_i-ml3_l&kA4X?u+(kO36VU8@ou1_HpQj6YabT z)nw;JKLadQ`_N8i?-Nu}8|sC%w{yb0(>OsE-EG_khvrGrv4FHjwqES^xau%KwYmsh zY#&#|!NsZvtKHeCkxtsH*J^HrFc`Af-(nf7|}*iKStZf)tg zc%hGcfa)A=7Vd&e)Z1}Yf{vpuYdScIKQ1Lnw8hKYSdO{XS6h!VKymG|mcG(?BSO0hDzd6if(`Y}csR#o`nisf3r)C9UdHh;n5T6>=GdEeWhT zt#=GIn_QJ)bNdJcY!2RxH!h7l0$bYYM-s6R?~ZCku^5E1u!h!V?$RR(864;14tSVh zfnGJT{iXL~z5)2O^-h>Ew*h`D%qM;{gV8^Yp*gJmQ{eGD z%r49mFw-!nU~Yp+VE*7okOnXxgZUuLyJ5O8t1uT~j>EhP=1V^e`C&c<^AVW$!@L`2 z5#~6|6CVaW%<-R8=2dWi{zHfZ%;MF_WTM(en^#yz%US65ni#jOH8(aeU>a=V^2m|a zwz}3*HST!c`}2Flb1)}iMqpkK^9?Xx1M^atn;+jB{wd7Af%zOv>QOsh4tr$g```Sd zKm5Z#d<)!P19R`szUJF6f8*nWm%#l7n7{F=@mpX0Lr;IxOW}SS%-(C?_lht5>!1Dl zuY&uXFkg4;OK&;#n{R&E%iz8V^Nx4E?yElhMDgY1{TD})WPReV9r@J4-@N5kzJux3 z^Pfn*_O8{lzPj{`PbA5!6Yw9tGC6_+wnuPU@-=w>A_O=x zjd$ER_FBQ;pB#Z82tN6Gy#LAYoyn1J#rqqRvORWT9VG1Sp#LVk|I%>y%I|~!pN08my#K{;_y*G50rPs8-y9C_ z{~p*s2=gs4!{P9qAWfLo5QF@O%m=15k}j#e$X{~gmY2Nrt6uiX>f-}L5@Z+pw}JKlQd zT_;Z7oozk1@a^}$?Y{djmc}QrweIrt%mWY3&do0@KD30}rLJ6EefW__AA9^eDo^C& zpMK`qcf9jm-}%@6`g4EdZ~m=!{}0kM0zxtVf{=fZ;U;E$xk6-_dfBAp@U!VQW-}>#( z{m$?HtKa+AzyE*#!N2*p|Lza}=#T&X=l|qS|HBvl?Em@Vm;U^Pn|pupmne)TKflcQ zSJ!Holx}P`-+ryN)$Vk!_pn`J=f>`nPpSClcX3_ z(W}?!KE+4-DNHX1Rm@(ogQth7D=oaO-@wF<1j%l-c6}RrG?HCh4BfzLppf7WJNkn) zGSVL$#~NY+I~l3~gZJ=M#Sye#P#g<4uwuU7?k zRlg|QRfAI=uWFxHmo%DwTi093CQR%4ChSdQT&GvZ#Ql2G#+IKpHd{5WSGMtnEmwe6 zI@godK%Nagg}l-i6!r?ij}W&S%8#}LxQ^X8@S|v9Z3u%6VTPG0Nc%~*SzNy%&wA2b zFE-)ElkRr4R)f{mc5SPR{a@X6Y*E6qSL^cGzYbkVcOCn|@Z{F8?mFoR+p6y33A*NB zl#c#&4&#?yn{5XxEeV+Gaml=jO%r z0gB=JF4Rfut@(e4s;f0fu#d(7(apARR%F9Q(ld z=rQ7mS8WrRtWK_%A~^L#Icy>z_2dgnCDembyI5M_ zhKDr)Qw|AgO@Krxz;1PodfDBz26WcT$R`{~ z&K9E%W*g0<*21HIO{y$5g}1sJ)udPNUh8cqH+o{R1>5KYIOwCn)I#klsdnL?ySbCr zIu{j^EoGtWEhi5!cHfaa@b<0lcc614>jW*(dSg)AY-1O=aSu*qPPDR`Vo-!ivU@jD zq|w`f%5be+Z`F4Rdx-A-V3*d`H3+mb%Ll%{(bqOx42j|TuH<&o>i5eKk&g{L6ckBF zA|x8EK2im$Z6w?pcX2*lMxkjn=%bFuHEb8XAVSgz(oz~*NdbDtbV;n&v20t1%*!SLeobaEE4k#eE3HG&9(&EY)hbcQ$XU-N)iW) zIKC;M_^a-Uzv`~|!yEnK4OUm>5DKYrq68Z!MZ@~twSND`8eB3wOC9tf5YmHaTM-Gr z&5Yk>#&0v@hZ>1cO$6Yq!?#A*Tk~ z0sl;MSWI)ifeGIz3^EX{&Q2GrNVHj|R7PtTe01TYWGGq^DTIS!O%XxLA+2_h4R`(% zz`gb2QQ^S>c|v@3*Wl47aZD`KI~#(;fO*?EVC(WpX<0t&D4!#%56fHj0%_VP#$d*x zsfAHtA#UV`{!>H|B%>ukpv=+cfdHhLB~A7g%J~#w6G*z(gt*q^!;6t zR=GqRfk|Ok$%PHm(DuvypX7DlijDr@Cq|q>Evk80=GNuyAEC9mG>< zuyCa?2@dfmIYQk)M<(S}iUrE8R0oz{#*nt~MKNKjn2XLQzdTt&XCd<1XFGFn_D%pF}5-`_JbhrfWzd@*b2t%WvrOX5@-v9 zK{@~^s+{a`Xu}j$4j{$B0-zj#K%t>%lq2QDh|97+D-;_H$cuEtBC+C45H^eGBEyy? zC18k(RK;17s+YR7Pk16E6i-#-bm?%qB0Q#x zssY8ujIGSsR8Fq$Ybc$7B2{soZKKiV88arc9yNfqb|E;`K`=P&qTJZULx|XTM~l^O znqHPJMT4P(B7y@DG?RR%rQW1h<=~O;ogR^R!i{!{FSPK+PP&d%FwNn0cH{Db@PX&^ z`Zn}p+6A4Ga#3@pT`6oE61jMnyHtVZFX*a>FU`jB{gGCRC zjaLwuQ3*iCN#+)B?G#!>9jt{mjr4Ywz?nw`V*Ke;XAjM!6I-R74w5a29x9+S#;{o0 zmhHYY;jG0ej)>U$m^$zyGV8C9r=;HpB)SE$Pxz+ zdbYu=+z3DoZ|D$F=@1D8qJ{1oY5EjK8vOPaqrs-Xy+tazQjkEvV5>+XacE9!Mb;5O zZipk5Yiq5j<&hy72#hpF80qZ*H=>9n!kQw9LvyH`Fs^%H+$ahunpse$K{vf5<-47v zO)p7_x0953CaJU$k_5`d7_(WCG!Tb|3=CvYlvLq4QJKa_R6)r^gGD5^tKhqf5?Aen z=-S1?Vw{W^bZrAD!-d$mL2aB;ZZ!$(z4F>!KXpB0BySdO)WP8mIL*&^v|nwk@|t3m zU#JBEX*C#P>V_}lmaaq7NFU0!9eC*>5EtD;s2tKSDtkc;WA&yx6BtZ&CsbV zHE$|IStBvufg(i)wv+;XF`t&&&x!~JYzWrvP;}{0q3EKc`D&DT^L?eV=>lcw9NA1^ z!=OXPzO-3RV6)V~!do44E!FW+JRPh!RhaU{OvwU%I+J-S5J`MOnDW?Hh5bxIq+BUX z$OJ~Zb@Z+1-`Hb3lD*aKH+s-y^nrAh#&%@(q4cG0USwj~RO9jirH<)mNj;ibPxP=AwdRmdJp3kBmY zISvq1_ZVI?9^zoUw>X#<2pxp9QzGS3FhkZB4_JNbsK79>mmKRzJ;xi!yRcBcXsO(V zEx8L@qp=FIgC&HgD4p1Vv&&x7w|=DXykT;wONIu>4x(*m;G z6Q6of!*4(`4>BGkQ5}mmEPWlQ4!KQO8hK0y5TarUr?`4lTWXygPkT_0-)VzldA_QVkA_pNdoTo!Z^K|IxlDLdN zH5U_X>T^5wDg%`+Csyf9OHly=wo=#S<<>?&-c zs)EC_+T;0mbjVM)u0OL|e->)b{?kj)B+|YN8|$MAAPz!AOZxP((BM9SD%OIiH(iwH z#RSUJMLsTy9#!c28}-4{4?Q#U(6b4hI8>g!!wD6qyaP>Ff?GaF&R1f)ReT_rs?%Ca z6sRZweA$*~J7F8z2272vdcc2&HI-rIer7so!ouG+1bY7;jWA*eDyLZM0udw!^j6-xxKHA|1su zXW5Y&x4{DpXECYuY8bIs>m4+9sGHL8RY&QA!xxTPsda@5V^if)Lj*L=1nZ%Oyl6ys zWEB{VP%o;1++G_!T{Hkx1=J`D5PL)a0antgT9ojLH;t24HA9-$6sw4JsM6eKex+&N zUMr5CcBQfakSchyq_S`b2ybb)jz^Ko#wuc4stjwSIz8%1l>x}yf3u~^a17}5s3TR1 zR8m=3MeInGVzpG#!x%Tpx#SJRQE)JzTi_`$g#eq935^IKAmySz$s!G-2f)}S^x4&G zC%bwzNJxP)C_r&UKdQ=QuhUWv%(BFxnP5tnaxrf3PMw%Rl7i|*<)32-9Qd1eGDz)(O`9Rs9Y@w^ILoK`ZXa3*8%yuyeoOT~jj^3+5JhYbhgK4-#tkO1zTBHkpdrN=WB{ch_H*%ZBk6DTZvcU3y4ssMGSCfd zxxr%d0McQF7QLrD(KW)xs(9l>4`-luYrQACgAaX#oW-!Uqz4nQIwec(*b>rAJj;EAk|DEcE*W`h zYYP;3f(B1e;R!lCL5U}5@dP!VivGN~?~&)I_N;v4BSa({RsKg61AHA%fQrSa;xVe2 z;NyVA;oHYzX&DrkqT*6iT#AZIQE@3ME?7zse~Qa##pN`(JSnllQ@OzqZt%ks?C=CP zJi!c4@WK$Pnt0Ut=%F5u^zPwf^preD})5 zEIeSy2eQ0}Vzah;Cp_Q@A8TE4cj<0bdzd!$TV+hQ2K}V}WFM#eMrIe28*7-+)RXNx zwjegPwq&EtBiJCc)$d`>gpEOXDt8x4R`ACyyf{w_$1bL5=r#LTuA;i31KzOO+Fnzy z)rPXQ)zhRH)C%TBnpo*Ct@5Ccip4f9pFds-jK;_vLr#x}! zxG}&kR6McKl5WuuQYCJ%M(UaqqeKn&gebu;eVD3u| z86yAG(`!r5>^`fUH^jM(s)`;?(ESYEe_Ek;F$@{UzUex+V|};U<&b2Y4}`h4HqHlT zpKTD~0oXQS+kj!10*@U840%Kr$k(pP&M6EI#O83|3S)K!D1>fQAarmXGA>V%ZJa`j zYci=_#s0u&my+5N?FC7obx9#S`_;{LlvF(6VPsbPjm(<(fib{J$pX1lnBt%w1|x?) z#K#lmyi+@C zrE=`z=1%bGblZ(f)8a5TUf(`d+kI*p9>!rVQvo#2$K|A1V|%cP?b0<=nOcjR`)Fe~ z-hkWk>fUjJ5B}KR@Rx8t&X`x>yxylgn8AIe?azN;Z}=N9pW@j;m?seKDVXzc7hs+T z?p-jS_&Yd<2ebJ>obLnvINS-$=V5*d_@4rN5%img$8P}kIljX_{{OOfKX6jb`{T#Y z&TbiP_UOG^ZxufpL6ES>{Mu#`KXgV zc6-+2^q5&c`xx5>{(fPA@hp9be>-Ps;#>Ya{pG~>!dLjauKX;&KcifJ*T2T!d!=sr z_bTFRD3{-h`R*+1yvn~x^g9185Z}G{E|Nc!uTsXaD{W?yNA{Qcmi@{;<+m*Bm5l$! z;~HX1$+4Kcsj;TUmufGS{Vk;KL|HGXEYF@ts&1;S{Ckcy)H`4q$2s{O!^m5S?<#(- z=3AEiPMI`U-?dq}?(7Z}0qjCGnko_awfv z?;7Ge`|kM;?c4dTq-YrduOyXCWlT3T6ivMg2SKV<`B2>zV-4x#+M>s$UUyw&`DaDHw?`TZ&1 zvP^zg^R4{S)+W7P3o%(==Gf7&iaUzhyi~nfy-8W6AIQ8+Cja z7yd3jv-~a|FLO zz~uZdnVkP+lk>k~a{i?z=YKWF`Tsa)YJQ~o709nZeg*O?kY9oP3glNHzXJIc$gjYE z`wC>g{(UX~`X%F#Wv|ccIbNUa{QNWQIsMAc|Axu=-!wV@TPEjUW^(?wP0s(0$@$+k zIe*aP{O_5Z|9zA5e_(R{u4{_Ol~OwJ!MIe#?A`E!0i|HBEhkMG(XuTOUV zSdR1mhnFkgU48}fE0AA-{0ih(Aio0n709nZeg*O?kY9oP3glNHzXJIc$geC`;m2ju-}hlkAHoR$Df^lgUR_@bDaO5Zh(A+{0ih(;J1IR8K0VE<-??ESM(j>n&!e_xaH?`LxUt|sT--{kxUn4JH>9OwTxxA#A7p1nWq zf3WfY(+U2USIA!fgYxVDUw*{?{~BKQ{yaFx`!hTLAtvYVmgD??^xcrX{)gsxeX{c( zW^(?+P0sHyIsXwR=ReZq{72=Reit{HK|m|8$e{mz$iw zcaHO$eSczh{_OjcJ~>{W?EHOA&R=12{(dIs?{9Mc0Vd~nnw)>2$@vGFoPV&%`72G% zKg8txXPBISsLA=OOwNC%$@$O9asL1G^VhH(k3akQYq-hzN0^-dY?Je!V{(31j`N$n zKlAx_z5?0j*SR@9zS;TDGdcfAlk<LAp81oevZ$t?EDv)oc}_T z^H=9M|NrjYm7iUH1$Mpy+1H2BIX=I#^N%q(|JWSo-}&n0qxlucuRwkU@++{T70AB+ z*W~#6oSlE1$@#~doc|(|^Se#XKf&bu7n_{_5|i^!G&%nylk-o`asC}$H}d6)70AB6 zP06qS|EjH#eSB+ke0;O>UutsxsV3*2mgD?pZ>H?^pZ*6M|9^UYX5@H%ve*AIlk;D0 za(*qx`OQAQX6Mg7zE|XUeX{dkX>$InOwK>k))8;^~uivtjYPGGdchBInMt_+AIGPW6j<_OY-agKXDjL>ofcKzL4YNo1Onf zlk@-8n(9|KBz_|2sL(Z}$4<^XFF}zXJIc$gjYE=L%#$f4!UI=a=mK zL6h^pXLA1cbDaObb65Q9qsl(MALMv_vhy#`asGdOrvIHav)AXt9IsDy{*Q8;|G#rp z^P|eIKz;@Oe^`O+>)XdUzP@GWZ_aW4Kl(AsUY`{?UZ3pzpO~EgQOS0KLv`4z~oKz;@CE0AA- z{0ih(Aio0n709nZeg*O?kY9oP3glNHzXJIc$gegQD6_7kLzc|k#^;qGzv@lz&F zoO1bu$rsrt9Iu{ujHaI0gn`?MLgwNs`}A6G+$srDJu#&x=U!gRNNIw^Y$u}|Z{Shw9VX~x9q6KW@pGn!6w zPnj{X#y*Aw<7!7w9W4`#xxzkn%A`r7ryX%}Cpl)jJvj=y{HkahfqlYc`-wfrOqgz; zG^J*oUN=!+4qdOjef{H)Yp=dqW;Dpkf9#3v)E_;4dMdpfPwm9fS1^`o)2GfDD_2C0 ztM~B3hTErIF?srEEj2JZ<kMdEBHalP8SrWb~~6u!A&u z_ePV%kx%yjf0-#Up!8IXr>15qyF&l!J#E^IN#l~oK?cT6n`WOj;mY*mA&ZYcE~9?p zIP9eUvB@Kt%%3<8JE&hXdiv;g^UHuS7`t6QY&UOKy=gPXkDs6=$2;-z(N|298-KgQ zoUE38v{|1?HL2y<;rL6w2SdUsNi$0gZf2M1I?45=0)CSNjn%H@;o!!4X0$#W5pfKoeF)`?BBC5!k4A(Wy^m2J{n(6gjG^uEh)~a< z{o;u5pyTO?2w?zAhf@9w{i609c`%G#jAJ9JFGPe=MSo~VKdNYZjeO{RhkWRIk345G zkLBb+H`ZYgy%@)U^h4%>j*sa7Eb6U{2n_>YL_`q1Uq(dPF#16!hR}`PuOgxaonJ?U zZ8(py3WKX6qCr0XhB(^3Wt=0({~hayw!d?Hq(6}NZ03PgX#0udfGP&iiOtfVX@3r` zi3mTcQO1kfTIT0syfMaw&dtmV9lwzuy}#4$T+08!aX}BdFo3nF7DPo8YS@BaOH|m- zBi=D8T5fuRp^oR=Uh2%XtDpU-jOFll9ycjw@D#Gag z3-M~&tHd#Y8ahv+p0p41Ko8nRGylF(;Y4ReRCuKWqe2!y}@?hw9m^J9?|BH;%mMz%Z7hZ4C3r zAo@@p9~Cilp>;g{pdAC~#5mTV(SgbY@}UF0ScM_f&^n3ssA3S^7(*}G zE@qynqH{9G1HoJS*qZd8ssUr`@ zF@(Wu$uo)kvl$<{u>m#oV;qArK8Jo~IVzLs7i}2FDhyuFzCg###HTR7d6Z)q!x)^; zcxuUWE8{`Oo#aK=UF?fX8JCy+fY!S?PcVc5^xwlcoW}bKsR-uNq7{CTxjg5HMJG95oF@`t4OZzJsPmuPw z607i6ti|830rz~5_IM&T<2e{Z4NI?5l;^PwS7H@z#9I8z`?Np|~l=gVZXSByrU(g;u#AZApM0^oc$<~ZZ9UpbHJ6y-Kl@y~16hjsx7$leW?RIz{;rRovxw+T%Hb z_V~K8R(LU3uvP?cu4SzV;cdID70PTyImo(J*zqAO$I?z~MKykeby%?XTH(WAZEHmn z{<6S`o%62d@>@>)8)S z(jJdIiuTxwZhX84?a_HO?PdIgwW1mC#2A*IxK@jRQ|G7)Z)e1fRD%J`Ye%*hq&~V-W)(ua0vTi6agmVYd9=i{s zy+=`w8%%qAqLTKwZ3yjg+A!MV;lpW<4I^leuV5UzpUt}8$i6<0b;t8ZvhEnbI{XfO zxaEA-9S^8x-SC*PtlLeB^58hu4FeOHH|{Z+cKG}h+Tq*Sgx_NeMp3z0Q6|iwUmT^; zFZ!?=U%is{c*)hY$HQjP9+%Y79>17F`+7wg?x8&{z;gWSjkHJKJlf+G^J$M>Y{ECN z1rNT3_Vd`UXh(Yk?Q!X?w8!bU(H%tj1=%4P*E$mM&0~zhfC%{z`l7iM2Qk8}NE;#6{SQpJNO+V(A^64*}X^ zf2=|cYw<2@z$dX0-^ON~@)GTF>C2pNcXHmo!uf{#EaiMd+Z!Brd=h=w;Z61pj=>hZ z=`HrnU5e7@ZT1b`@ecb2mtZx1i*@)9^x^*R(jI$Z3qFsES5dw}J8r~sEDq8h55_vY z4}JLTd$h+j*n%V9r~TcE@+sO;`GEF#09ND4Sci9@4_AIjd;Aewu;wG$-^2NdcI>!< z>m;7?3D-#+iypig{rEfv@oNlYkI%SX+)LiiS$9173)UTX{gUexzKUMl_iL_GIA<08 zV)@_bcOm_w9bf;3ezE9V`o)1Q951{G8*w={$H{jIPy2z;}gHr9>)mU;}T0uG~%S9m}thQI>baAkL(x|HXp|oRUEKOOt^3aYB&eI z_yz{BXxEqs;k6jYRcL#V>s2S(W3OV`<80LM*v_=aJ4$Jf2mYD%_!Gu)#_qI#NKw|I zinI2hJ#Iq{&+kHe{1O9r(4Mr%%lD!^zKgbp*=Kvx9%rBn-$xC*+h~uoFo0_@gzXc}i5SB3F^+T4_6Yj|RqS#g?Qs-p_%nKO zu$}hU>mb@=mxF1KhoS9JML88!oQW=c2{l}SUOcoL?NP-Lo^vSe@kz8l#`+u<6Xp05 zR^vvj!#xj=2_JUHCOj2e@N884%opwG#d3TJtMMzW!>$h6<_E<9)`?Xgo8?Qt>&FpeQv zekSd4f3!7nokSI17)E=1|7_Z0hjVC;qcDIEUQMAWn&!;_JhZ-(J zFLt?r_BabeSau=paWdMT<9bp}d%PQ6IA}EO@niJjxG}WHH?RdqjODmJ&pxT)xZzV+ zjwKUf!i^W82j`$4zr`SWFOG>YzKPZ)?3*bZH~glSle#6JEW53}`vuTfq&Y?a21(g@ck9MrZa=h_++T*YrXpfE? zX^*dA6Yg>|?eWxl+W(dNHniifSdRD1qdo37pZ54U`tY1vXpg%$&>n9`B|!PDw8vd< zr#)VR)%d|3w8x+Cq&?ns7wz#)Y{C1yw10_xeK+kfgyneeJ+#M{?xj7>TS$An^?usp zu0Gmh>4UU?ne!Iycm|fEhSj+1L$t@2(TC4GOnY=JqCLLnr~NDJpT}vBO;5*!6D^G# zcbtqKd>H*W>p6})Hewh*eV*gKR8h9R6cY}Nzf60)a4GF^5_)hU`f(WsF@j+{`&HV% z%Jmi2qIjL_1ukpidhr_9#W&gSSoIe3#^aaK4tt{?hhh+? zU>N73^>vO1I z>1Nhn#<2xM7{@S{2HEfEKx>?JKpVQyfwkyHpM1Q9abOU`Xx+*<-eWvy!yuNUOK{xK zi+&6!>qL``V+gGU>qHElXnmjO3$&xnvQDVzz$$d18@+|J$1sLvyl9;${eW_GU=YjE z(P5paMi*)rKre=OStpd`0vNy$#ygYmL&mok?a_t}=)nL6u^9t< zGv1GQj4FoFh1Px72|s%FV|*X8Ze7WTA#|c^|8=4c{piCW2GDuHIuS<=OPk4uDq0U@ z9ngWb=(f{8Y8XcKAnL84JyxL`-Kb$5deMu1Y{UQtF^DY~#yG~Y^b`6!nDL?w%TYxa zy08{C^q?1g7{CCAF@)+N99Q(9?NjEBWoYY09&}*?da((uhcXTs$2dB$bS3ja2fDEw zHFTi|YcYTx45JSnhcOOxV>1RZEXxn)xPL}Fv|$*_(B|NHpo-Npjv9urL6#rEaYR2h zNslDY=j25jI*ww!(S>f*unw)=84rdrjE)|(`+~e^L&wqdk19IRiPh*q4gKiF05)P6 zn=y`Iv>rpg5aU1_+R8Zo(qn0lZuFw-IO=2g1ma(k??l!QU4Nk-2GNVolgRfK?a+qS zlbIL#u>ozTFn@IP;`m@3%f2Shsf-)L=t1l0j2AuFj3Erm@^X&nDjs7sx_Xlr-RMU@ zHetLE*MYxL-k0&B2dmJJZgf^qA4B~Z2WtHp$2Zg)z`QVw8mdm_g>DR>bs+QlmVU7e z<5-8`L5vfvm5i^2ey|z?sG&B5_UOT8^kNwOsC>uzp$*kD=pVi4m*v=mfuY2|=W!MD zz!17IjCB}CFKTC!7uB;E-{0vEtI#owaiDiN`A{9fc_QOzTg`f$Lw$6i6Wv&i8fxgl z2DG_okB)O0_Yd@o4)l!VcwrD*FobcmjUxY#^oJ_?&u82iuVy{aF@`)pv2J5IFVQ)X ze$YLIJg8wDJy;s1yq0>XPGx=MV{AeVLl~Y;y`L$c!F(`)ZggBmURi!6c`?t%k_X)wLXY$T)(fpZ=7|op#;A{Wbfb!1tik}gF^F{-M=z=mkq7+`({3H}Sj0M_ z^HKJVe2fhkKtI|Zqdr>wjC(!#pC%u=USeLTVOTzXgMK&A{!RM9@G|0PeVaHsP-&$f zw4ocz(1T9&V>PPpu)eZ9NWG0bevde6Sc{?eSzr111IC3OjA0n9n;7qM=7mA5M$gC0 z1Fg**XAEH+<7nGV{uPV^-RP8l%J|Xs8OIlG-%=hYU#IoLi?-tRB7n|))(h(v)&uRR z?zdi4V+g%y?YdqxqVu@*LfOjrj$bdz(WqQHCPhT&}w$ZM9y{JRA&w9~> zw!XCcjd5TZda)Wq*no}->d839WE}0k(_cU8VQ?`0qjd;zS$+n2{((c+i&~7M4_#*x z$M7)5C+PPa@}qVx<3rbZ9t@x# zn=y!C45MP9{v_IA_)^-TI+b=9#{dSV(GH!{*Nf6Z+M^R~Gu8_Y-RMWh<>W;_mK71d zf^|eUdeLzu>wuoC>9+&%y7j`1Ui4$|+Vvui+I8gbNWIyVW9TOO-G%a-Sr@d`vu@}@ zA9}GFt@Frhr5=`H7^~4WpLLYw*oa;XVhCH%dJFwx0Lylz9G$2(&=0!MgPz+sKIpuY zade^{R!i?DFUB#5>OJH|_kH9mX5ROc592<@fzD@%qx&`Do$0@cbwm{#(D4Rw45EEE z*7Hq{H#**7J&soPmQSS?mH@Z4)5FYfG zY!D#~U<|!~+8`XIpNO#{LeCX^>J#_cjAgq6;J=)QB^ai1#1FK{?)?o;J zXgy|wXhJWBWO*6=>`uOuHwX=F{Wpjpsu-5#sO&-cfDOWiDwd%eo$~R(4Z@3FY{UQt z(KTp;h@*S(2I20)Jg^R3Lx^J#l|AVnZD<`zJ#?PALHN;j7UM(>W9S~fL6q-ByAiAd z23(Y*|2)ROH`dS|t>ZU{0J<(>U2KfY%{pLc0^>yYCCp2fqp}bA(1zBD%nMa?q8qEx ziy8*80psXL$0WvwE)1auV;Df|z8ojCqir(B1D#lf8oJSsbr?b~TBopn(&>z6Kk8!{ zda(-q=tlPp`j?Nf30;@bFKTG*%J{F`AY7j2rFf zoXNP+k5%ZontT{XKWei$ju=Aa0Onc8c+q(+<3tTT7{?G=ucIGXK8NugNI%yz9t_Q; zy`A&lg#j!*n10ZK+U<-NZ3`HOe2jG%xRZVk zq5Lk!iD570sNGFIRPP~AHy)#k@q1~H?g!XU7{)MKA7osIQXi|)@euQrKFs_u^epki zh(AXh{m*k;G59w9AI>=5VSO?9F8R^+9_xwT56F*>59!}Q`A6(K^n9~Hv|!*n#(f0i z`kr+_*N==FLl{H<&-8mFlh!Z8`yW+qk*eaaI@VK&7c+rDFbPs72N*VJX*($0qKB`st&~-tpXhuJV(RyL4C_R?(U^)8H zg(0j(YjvyepaXsA!~km8jOv(HVLy)JfGWDjQy&B9L(fI6qD4NgYZYb3Gv23KMIE}( zD<412c;(|~m`6|QJxe)yo+CeomyrJi*5?Jrh0YggkM6$`N9$7JC*rHj6SdbEA3B>T z{|obegL$C(W~=a{<89Uro$t|~O21f*Zq!i22K1sI;~2u=`{X-`_8+iL7(fl3%UeYw zY8b>YhSB>W^-q@jk#V8=G4)WxkaR_>aGXMZEJyVd#)*FPpzTxgp%<;a=yxUaNAG8h zOZp}AK=o_Je=74|#kf)Z8|#e$jLXO0(9dZ+#wrY9Er!2kozUIFc+vV@tFWC;zgUJY zbfO>K=>DGLf*LlW?eFx1*3}&Ma`OJbxY79|#~oc5zyLPOc$odzn|b_9KNvu_^cV7C z92?Q|EAz$>wxBCQ{XRS{*eKkn6>b!Mv=wa>ar6{#6xDs1XXlN=i(U+%b+?V8Sw1e= zD3l70U+G3shVDH!iaHD*OdK8EHVSJ$+8?n|xX^{Q=td8E(T9QV8-=|;@iO8VKW?LF zlJ?vvN(Ycf-6$H+cJf9MLk;at#*I#lV>Q}N*(fx0U;}FC#{f2A7(?jp#kdACk5id9 zhOiOir;#6B<&1X_^RJ>k23@QNTFwy7mLhnTzMR_H8CQ={ONgG8A2B%Oy zgm#xwjxKCMZQ4fRID_$A$#~Iy^+pjy&#fDUZ742aJu!ez3}H2fQNuVkpyLkmqVrDH z8#N5e_+8|$Vm?1+ zpK)R}##QEvp>pPX0rmPbe)OOly;z3<^kN7bF^)mh2GH(8@(rdPs+F`u&k)+7 z8J!qLKiaBkkLBn%i*cZJ1o_d1jncEJkDig#AI*AV89GLhAJq$)FNR064r7Rqp&Ydu z=8M*Gw3m<3HkSS`A&vp`qIDweQJcbg)G*Jf#L;~N<>pq@w-%foDVl{g2-o)qssecdaAma-e&qa(MRrLFaW8lF}B7~ktIqq)8 z_ZY_yy?*+^@Z54{+`05;3VtC>$N{=o4->yMm=X#0uz zT*~9{CgDW?FC1@-|H}HJa}DE@wIyti|AZ>S6ph z_Wg9~|IYD5cfn@iMr)_dB7iQ8p@!BOv`0IJ_uDLL(c5*iXqM$iQhpg8MLCAigVyew z`8+<4d(i%J#(VT;QHIuIHj8R>mTeYZ)Q;OM_{&0y_r%Sj4qYda7XzqV!FYQyF0`G- zxKP7pbPl24E16#vakQODJ`4@p%;)6k?`+0_VGN+-oXsMP&XJpiV=zf-8(2rQqq}QdRAGGoxM;vYx43AL z9!6dd@x$Yy8berzj$_C#%Q1|8wBAU0SzM^7p&P>|#D#Jb{hk;XHq?4ij()7eAbQbu zYFsp;dK&p;`RR=3X4>~*ylCx9f9Sw4YG|vc9y-xm5f>T;utAoiAH&#$j()5Ysu;rn zI_8mg0OLX1K>ES(Al7$2<%5Z%t&;rm@esy~;jdg%7RsnLj!(hHkVjpx+1L!iB1j`OC*oQ+@|NLpcVp7DMQfkDsMI zYR|F$cT$c{v^~#w(6xj-=y{Rx-o?0Hrhjz5N;?dq-AlVB@}c8R#)Te?p=$;6yPNT> zB#w^H$cN!CSf_jF|0|9w#xaEI*NpdG>V3;N(6yTNz)+YtdVVIpkalaB54t1dMO&1- zsI85QIL0^7{yy5ZG7t1`;W%Pozb(RkKlKmX!slgKNBb7xlaDcg@$OrM^#RIzP!DaW zq6giw{OB#hFUzqB9T-9{T78rsvqd=3fz{|l4c*v)er&`b1~H5+Xf4~q=VNJyr4P~$ z9q7h#^q>p9Sc?H{z&JKx_}DEXhK`<$`yt{dP!IioAub<@HdGkQldz9(ouihAfcpEw55`Xu!( zU_7XfVI9%o-oocc8RtauqdJ+q^6{nQL&r4QJw-X%(TOU$unObomhtHvceKu6Ug$yP zY3g0ZK0!CSP{Udbq8HW686SEvj8={Qo}pi~qZ`XHbOrU$btT6e1E@4ojy7~(#keqx zE_BUg9_T?YIyYk4^IN9gGt_So&AyaVPr#UFgQ}U5rCMUdZ?Y zJYFR)R$~}7w7yO~bf6zKY(X!^(T}CC zaa`VHz0md+_2uJb)WftI_=(NTo}hDv<8_E+AxM*v^LT2dmKOXV-abNbqPOE#5yLoI-=m*h zwhB8sQAIDhFl^l_JZRl@E1%z^eW$G=jB!-nr@vzAquQA`IxcAn2>qh9+g9O5 zFZwWu&1gH6@qI)+RMCTOjH4F=hcO=c7~`lO$@+Xudu+fE`q6U~{WVjLcC>b9oESQm ze$a6|@fGA#SufO1X8!2y&ANZWc>9wVt!K0D=)8b&eM&y8M(bG0(O*OPO7e{-4|*oh zKiV#4y)ih2d3;9wD>)t*zG|xoq31f*`E$x|Vx7^84f1h4adcx$KAyLg&zmtmti~{E zsLp5I(1Sr)j$yRj!gxaDLkC(Lwu*A}poWfH8MiFIje1`)zU8b7IzA+h+GpfL|Cd|& zJQ?#|#rmW7TiQumSa-C2&$zxOj!yKT8@0c4oG^qzwEjqabYkf$;^;s>mZLkyywSRz zc}q8NT>eIU6XQbLX4VZg^rKaf4?P{WiMnriyvsJxjKShwBlaaf2K&=Lh6a!y!x+OjT7P0( z&TYbuZdB2aZVV5kKa67&YJ+Hxw!ySVbqMnd(;hwOLLWNLV7-5)JyxT2=r*CD0~^qZ zesp7#EU%*fUnoD5`sg`}@nQf&7#vPNzcLQ=p*mt4pZB6Y#xRKXHH_=*ZG6s)abg|% z(TgE$l%7jF3}Xx0&SM=>!_o--q65QNh3ZJ=B_EHXA9ReNpD5+1q7$poj~WKYk{_)# z)JJU`<5|n&@r(ym^kM)57{-t+zlh@yqdq#&k5w4PTC}+t2RhM@E^Ieh+1o@I-E-)7J?n$z=(wJ7V*qQ>HkbA?ego~%>Y;yh zVhCLrljS$k{|3f`4h&&AdT!#lVjMMe-ON5fFZwZrO{ms$Tu{R}x)+eAm3HVt&mD|I zdMEABi%l5D5W4Q79R|_1k-T>^e~e=l2JWSQbl=Buz%VwU<9^zs*GIceJbsXN7(^HP zAEIAWA7&q607K|p#Jn;52>WLCkCpQGbB>Z5-N^|w&|0@n@H-e&yh$3~1}5Y=~BKlET6Ls+^M-=!VK(TUEV zX^(Dfl#hR*9eOa1)?aD2jrBkWhOr!7YdDUwJj(t>buHsVH^yW+T7P4|tfN0v(TN_c zM)!Kw16>;!FIrpa=XdI(107h7D!MSdiS2 zO8b}C2K}k{a%-J(`o5oL3madWVD`X*qnr)fh zsl+QLqy*p(+ z23TO3&x$0zWS;57%g^E8{K7s@&E#mkzQ!e{t zygthnOx&56cm+k>BVy0YeAG?P*I(uvAoK0re!hWnrak%Y%>Hs-7!mXNIkDdTDyTr0W%CB66_MR|zw3CVps&oVIc_zftD9a1=qQ91gj9l-u_ zJl*+TNIUCT+VgW_-?yDVmQktgErW^UyPWz?>UT~Q>3_;~Url*A<;NQ9#JuJg>g&`` zu6u=C_ug`y`j=D{TH9Zye)@)x`=w_Qe`j%AL=2WaFyAR`mwv@(>3dwR$8h4+#P?6e zM-b7EKjm)9$H|j{W0`*Z^>MTv{|Z+6F^+!U?T)^_I*I+Xlzg5^5i!Ha$N7<*SKEHl z=QW_D*;2T={fSk`iOKPG?jS$Q9}%x5*J+;IpULwrb^HrYmxn9;d>dR`Xpv=H){Jwo zf3bf2$>-1_BC_LrvFpkUJIdB8f*cjuwBgeCbxJsOl#wYjppv?U}w4~f}OV;#~*8$mYcP^Z9+V_y{lV3Gh zL3!!Sh&WYVSlfIP&(FDXAJ6W1abg0-<)Wgvuqb)VjFbb4<+y*7`R4F%I3}-a$^AH3UO%$V z3(ow)USv`Gr-oOBe{t#sk# z^`To^U;Rf}OTSLep?pZGjYmECFUouBg1JQqkRYC zdRy7fb*W$Cd}uzn@MXENwm%g5t%uwPi{yB2jtE`?C(qmM)~C!eGwZyqD7M^?wPd}E zhf|XNRMT5NOJ|kP2VWI@cV)vm=0yaz$a=r^mLbM{mt}%+@agFjxP+hC=jE0vws}S32}7>e9O7lS@NcT_Xnve@1GDDRx7hMxR#6{$o#?{% zO7hh&JZ*^__P`#IICO)VDmtk*|^?lwci3q^_WFVEe~WzaNm-v#z@_--jb& za&o?NEkkzeIBI_3yrTLJvpZTwcjA_xS1*@J2NYYz$yWe!zYnKfE&oRG)BMc+bVGsV zMyBm7miIw&e@-W^Ji@<~3(Dk@(yC;6J>?F{kC5d&AJkAT=e3CPa>}nVt|#o4?e3eC z_c_&thqON}{kB;jU#lG7V-ayuq8~fg0AA;~=q+&{+@*wn^N#pl$$gW&-{-<1UvDv; zG3hV2R)WB+^#6O|H&u+t!FFeePTaw|GnM)Ve-DDrJ%5Thjz~Z z{f<)}x9)#peu0SKY1#Oa!Cj%%9AGf@|V@dFYUcP>uD_?KT z=Ji&&g*$k8-@v*W*CA)|xmi~nUg8ZZw)Ee=YVTs67Bj9xR878cmg`W%E24%b?$h}> zaUI}R;sP!kePzbUi67GHFQ9%4^)GL?er-m5x&F(jU-m}k^}dGkRg|lgADWzh^8POC zzCb_z6(zNnrR}cfAbI88(X(@6pH=*s&fbiOhm-fE>HV}_XOs77jr!G~oeOQ^M3C2y z1>~!KJ0cF}XT>S+3op>mP5Dq>50((GCGN|dSNr#cRhFL_f7X4W{%T#O)AJSW&ifVb zM8r#(`Lgcclg|^ig{QTDeMyX8j&C^m%7PK`=bb+PS?*7qw#JU*QtHVnI;d4l9QNM4`x^DFCm(Dr;&QQ|8oyi!hd z`<2sos@&JT_Tc%3f6M&_e$F_*?UrF&-?)Nveh*EY-}1Olq`vjzh`1(Mf40RkmP@bk z`lg<^oA`{(>wMOJ9hiEZzK0y%_D|UQ+ZpZZKpoB z5Hf>2j$Jvq!k^OK*w;H;uYo0X7E4RJCrV;G`uxe~;NQA0k;jquJ__X4Og=Blcs+4j zh}V&FeT>&bBZ~X8`{jBsCaw~{UdB0o>HC1EB>D7WTzKU8S5eq_29E4;O+-3jP-KyrND_vCcs-_~#Mc~g$BlDM1rzk0o&N&PVO<@=9`{lj~fvw6R% zOui5_o-JL*&;8|FlF8@Ie)9U9e9^%O<@Ihk`TXB=zi#Yr{XQXU|0J(Nbp@82+np|V zGCR5w$~EA-=U&{8{1g!v@^kiau=GoemII+bZ}y~04fSiOe}ZxT4l-Ux$P>+SP5K#| zxSx~rSx7rA91*jU?dDl{K1_fAb3h4KQ-9X8e?{@7l%&5K!;Iw1ob;mPt4FpO{S@uZ z^ArE~L8Wn?&`BE+YEM@o*jCRT8&Z ziT5Yvb)l7bE%Ec^4V!*l*vWmCuVZ0V$9DVEp9kbxSM0;T{ktu5-DUYG$~}~)-_OhQ zXFBCR$`6tI+CH3w6pB%Nub-TUmfPUXIxTNkNOCP4U{nK3HzFy9w+rF%)5*0k17+EU;X;-x@y1KyX-2<3t)zZ)0sn@)kvFw(CnYvJtCf6NtG^y9+K>Hbi6-v1 z$UoaM&bZ%_{dXg7C+;%xrS|tUBVY3NRo~~ssb59?^!FKh(sm-{PRiTPr_?<7g-h~s zKd^X!F(r8f^!d}yN4qm*|5?v_GxdgCZDouvS$`$9O z_Xe^qU$T4=<#K$T^^(LNvV3W>zC4XnU$T59<#K$y{4u^{`5MaQ__E83=unO?ySyvq zj;wMypPrQ4DL+_d&)ARL9}Un?M*a7Nqmu1UGU}zygY#0CPrcq8>dEmQZ`4cfi?R_V zw#v4Ai>c?Lo_;;qNxv(pS4};KkuTM6=JgUftthGxT@MNoJSPr4az zybO>xpc(HS%O_x&Z#emCcjNz5krzPy`L(_0pVaetVd0wg-^b9e=<>W>L_TGYp` z`xE}Jsi2Iv?GOF;9%mWL#{Ji5GF6Kc~Lr`LHTkUz3I02eE79`<1*gpIDFIh&%R* z?(p}xUAe%yh#!({FOmKAq`Wq(yeH+AlzS*2Dl4|FAMYy7F1pNEGH3d2roL`-Xy>Ed z2g!EZy??^7O8$OYzTD@{s&-BrXYttfemf`k<7)Dk?j02u>~udS-v?~2>r{A5`x{c8 znKEBb7R1i~K~`c(%<~p`z9ipQbQ-@;Pv&bVEL_2<)6R(X6J6$;L%x>%qlw?Q4Js*} zZ{fNzPyXJlzKDFu-)mZG-{J&(hqvgK^PABRxmJBtV(lYe!O!hbUo@|9z8sDIdS)g0 zd`BdIU!TpQ$G2Gn{t512_+o>y!R_bY4%*?$E!aws0?bJxPB_#v8fvf|6du zE$wjfEh1mDJt|ff@j%~KZLeQ=eNsyTchJO$9t3W?XI)FBkRCsVt#= z9qr$zyTp3%`XTvwD0x|{NPl^lyf2p5gEh3XIig~jY^M*A9U!j=JWb2Ex9+G#g`k~ zjq6!2>dvH{n|8}(JC1AmK1qJwqS2~v3I@X=rwWHR@q8=$T}t~n?axcLuV>v;pG#_c zn(I@1S?b7BPqu5No&8Au&#>fiPyT*GzfQ^Z;~i<)U1GN+y3?lQF(z{m$Gl zT6_F!^((30i~1_{cQvkqZSM~bGCt3he4gk1wNC9{2la)L$EBWp@uQ>SDt=Dv2mQQY zosyq-lLx0J^R(zf)n&9RKPD=;?cpC`FDV_G+_$SJcT%pu?%*68!cj?{w)%X3Bkm?% zoIG#m%ImoNyh5$z;k11#v+BpCJ2&3WvZ%OB7PMW5^nJsxsGaFYWl%A%>DqQt^0z$6 z^PfC*N>#j#~eWagZvL5Tlt6kn3Zu^{9FXCR}6J>Mg5i3Z>Ii3 z{G7dylGl|o-ZaU$yjB)-Tai&Rm^MnEA1T>KNqFOvy=Pn z*umTewzJx4*SRh%dSgHSZ#~k<<35=4NsgyG<$lU1$a4L8V7$H~xc(#tL$RFCaO%aV z$8Cu5HJzU(Qf}=Z6*V1sz;SG6-!>E!_LVmVoKwaHpXYC$(K3p-SKxz48AW{lfU9Xn zk(`p;$E)eLbujm9ay0sW=X1LQ+di*b)Pw(PZ71<=#G8rR)7y`1YhRI!pOzlKqAgxS zJWBgx)8iA{;&X@#;s>S2N43Ql5mzetzc16{SGC2L5w{a(nr-vDs4c#lcz5E@r^hW% z>lNhs6dld~K|uWU^!Sx+?Yj~GhWHEVaZ97ozJmC)AyM&EM%-`2YltgnWZWO@*3oj8 z5uZbRCUM@TZX5quZT&Bj`HAyu&$f7FTYMSu8se$<9rVv-4{wXFCVoEg9j$NCG5jAZ zJBfEAe&J5y6~wEFpOQYl%i8*{A%4|P+Rq^_=f9)zEh2t3@jmJKuWrk~jQ9gPX}_Ad zZzu7hGXC$roy5Ble`qK13gQnFmwU-Lzs_kJUk!0Nz8%Hq5WkoB?&q zK3y*>==0|WY1WxLzCLy%K8bkGjP}PE?JJ01%l}Eee@5J9#A}FOGc0)@VT|t#V|;Un zKTCW?M*HPP`$fdZjEIU`Gvf6|d>Qdi&yEWIYFFF(6s|GitBEgiMa8A*>t{(^fc5$F z#_LAn?u__YV|?9+pL%Z8_`SV;eX%4i@Undc@q39smeK!1M*lU$4<6b6^-UhrImGuN zevy1$Os$V|c46Up9rZEDVaa|LQ_nSe$Jf#2#8(oZAnyZGc?xTaQpb4>@%_g~#m5=r zeBT&n=bpTWdQmj-c^RX<-H3N5zQP?9*U9^RBYw3dmA{hs@t5p)A5SEH7V%j$H`-eg zPc(9V^~9egeq%;_j&U3o6W@2@j<1u;iSI{zN5^3e@rNey`^9j5Ln!^9Z zn-M?Wh<7L6tu`w7t9otYFN_-TO5&R@jf#00 z_ab9`7Zb0Y!F4jD|J{uKmlGdzSybGTk^d$m{~F>eh_B6v|6;^DpUCsX~g zu|MT`DD+cEu9|)x_N3lTb9TJW!-;Ppeywbfnx|!^u@2LTpLcyU?Q^A!qi}*T&IQE% zbK4)MJWrMo?|%coFY26@zwqeJvI7}kN&MW~qk_Lm+}3~L4@Ul0;)mQ36@qZv__iA3 z>!R|1klh&-S7yX#80*xN_$cD>R zr{-ZvynvAN=tlg0;_dAR8LuE7Cq5}-9ByMCHN^WhrvDyGo_7^Sd=Bx+#G!2+6WdK+ z$3+A@#4k>dCq8bi$CnZRgt#~Tye+)FgX}=A!)oG#UgYxt>HAfl*JCsHYiDlYZwv4| zow44#8|&Sj_>C_me@~WLC;sxO>_@IcCGnB3?D#%?BJrz<-oOom>@ioL}HAO{J#yY-Y9EZ-mxPHD7P5V5fJWkgc@$SUu5`Q$K z{ewoll6dDgqoQNR{0fZuO(edaxRw#0X2k1>4_e0WZ!_YRMtm{xtKO!4#&MpeALp)& zX*uyv-%tPCgB<@e#`x9{zvu(*k23Pt82LN%26yA~XyWfNr`CVG-aPUC2k}>kXWU0} z-AkS-a#i$wFr0ctA96pNaUZtaxDT67{Dl=!Q7s#!`mrS5P>}OjKzt+dks0x`jd?5~ zUiL})=Kz>zO=6s~{Yv5|5x1r9_rg8&eI(C^R^rF5B<`# zM}N-iZuvf5YMh0g3uR9--i!EwUq;2$^gM-=jDAKDzw~R)r}TA5^i!OAMwRbb%%NWO zx6C)aUezsy^NZ$nsP8y?m%{$3+KKgDLj9Zn9!-4y*%;To#&KLpy!eM5zn*L*{`+cP zuh6$Kuf)qieO_I7A-0vce0nwF1KQTNC-EPNUzM>BFEjSxaN@mx;XW~AU84HB$aR}e zyh|jS`1``C@y}|@zks+(eE*F0HlzI#;wP--J}e{txDj7T{H=AoznrnpUo_UImG}i4 zqGEnV{6-_*rJQrAmG|$`k4NDF#{TU|{Np&E$I93jnz1j26Yu`pj^D4EPP~%1{`t4m z{CQh5wXYTsANo7*XJ+JIZRB4<+*Ytwe5vr2YHwMoFQC5viLW4jV0!$#w)JiOKg7Kc zd|pMB|DQb115^`Z)CdKm1_)XuLX@aQqNHs~(=w83N3k7Rl{>e{<^@rY+;+yV~^j{C;4?&-V{)R~VEDPFa4Elc^HD%6``|Xq5 z5a>r5`Z+J0$~oVbtYlvVdam}Zf_{9#l=q5!xBN#3l3d0R|MrB5_<8JcYj2FugWhc$r$vw=e0d2NFD?U^tE7@^lf|2OC_b?Hw0stx-1BJ^(P z&p^+m4+GHak3pZ^awd-p+H(Z@+ND!D$NL2IiDRd7uKQB8_{qmjnSGp~evbbK-Gjb7 z>C``YTA**W(2sf5lzG21NN*-iX`eReS3;L<&7l3R498C2%{iu_3XhjD>g=&7

    9*g#;S1iy?yF@WA5R18`fD10zFf;4A!D9N+BtL#PgL6 z>OX3EpL*HPkLP84k#69|ais8uMbA8P{4K3kY;cmD6|;*Y?RuNUQr0U~LfL~EA|n4K z*j-uVzt6mjq{>$ATwK)LqcT^t+oX)S5Nans(`^jg6Mst_a@LMf7X9GJdCasLtT*wo zuP{NkcS(Vr!YWbCUILuQf}0unMJ4x5C!x_V*2o7CUJnqNS;m9*WLFU}9w z^zCo>-q`$F>&%l*1mx_HpmeW&7CkBh^tbS?NxFYU+&F?#!<;1*c~xp-rD%S(#YO3Q z&%(kCFnyRoyAXE=^*!upcA{V5Pq>^9y zVzv}=>?wcJ>hidjbMsK@UM@lGqmA)&JrdxAl>S)b(Wh;UT|W6u;BEhZBtzcbUr>mK zaGT51S!T9rhAeNu${FCq4_If`Gx6<~qm+K0$Tl!b8>`h;)SLg06K7H0x_>6lq6%ZW zXxP};_S;<=a%9w8FmShLoZjSm#slTe$flupOTh>g8<0; zdu=(y*jMD+SN=)d?_dznxb1@`=2|+nAfK{c8TGa1EoLZ&12!QfSu>x4Gv^oSJ6;_2}*vVB!lkkM}W zzwgFp%pO*BuIDMu43pc(7X7^0xS!r8p^PjoTuwh!1}QQ2#J-Wby{ZMB{4El0CkLpFKlD2J+;f;8YV*qPG#L3bS zEPiVKUK2JoN*3{{hqhLeGc_G^N_+<1n&(+w$%TYgMDphq9xSYEDjmcNKn=EgZ0)7x zs)Xs63zVj@H8mieV}*LX&;VKb1pVn~JSQ}OFs5`vBP99ZX|6XUl!cU(^yDB4RS%S& zO0X~|XY#wU7{K))=0^i;%WuHHfdgI-c0jtAO;S$z&GqWQpB;Z{Vggh`(3{c6yP?9A z&B74@gq>(h8ivKk`xh!SLaCb0+pDhr*2rJic?9XZqWtdbfwGxo8sW9wfm1;ngRm1l zA~O!`e2fAaav#dYNk1tEeZ21$Pw{Xv=5+Za zC6asjfFK??2`Q{=)H<5>!a&G%PD`GsOnZBfFCKx`cQaYKBB38QF+bYL5nx#f^SXEc zu2R@oL1^kWRNfn^+WzgGu{&1(JyVr;{xegR z2SCmUoBiNI^PTY3ey5BPayBQnPpc3U@tPO!DB76FiNiCOzwr0y#^$HnBN?pNQF%Q58gJyci@sZ`hT0>>tyW{ zuetd`_AVT8V|~3;`mnlZZWY{jW3(Q zkDpdASL=cv_kEAPZEyTa^ZH3;7D$(2a-H-2@Llj9v4#%?CEySJTDQM@6U;yCw+jXN ze`E-_Z`c79Un=%}M>rVLCyzw6FatBA{)zqA$Be$pw72FR9)}-McWlUglCgeqhoRt$ zRP>3@o*b3dE)1xA{W(b~EM+0$>d7UI@FZ_=dJ|{}Ell*!u&;OcU&B6jOum1^j=jx( z!;V$feE@-_nt^1kcpwJ$gLCPp_OY4fiU=_t)VkZ73aW}-fqKK4pneGIhHnAeUqmco>ubvt)dv7=55!V-xLiQ$d{qesrU$3R$|XTdni%U2 zf{>v0+)rp$V8Q@JtQcpQ$>$9uP%!$4kpP(pK%f>ltChh*eLhma>ayptDd&vGqNw>a z&CH&GVW|DF?j>(r9V{*V#*lH>_wjF@Z4lESv93iGa56@82AA7+Ij#71h7x{Aktgw$ z^dS++8~tvIS?u8`qAgfXZrIQMMbeSbh$Laf6oL{j_&YbdjI_xTN1qL{@~JvY=cu&G z!ym3@ih4O`79AbXahW27->8ddJ3aZ}pO&SC?88F~v_s~kNDO)K%dSVzok(&e5n72AUbh}yRj@@} zb}=mnbVKqYa(^#WeK3Akw}*fP+bL-9Xdkc#TbXfzWu9i!Rj=`mjmq=yhvi!QpKzFr zPCAc6x4vB*?`_YE&oH+9n%m`}?3a-BG`5;D?}6WaI?UHoWoj$1{$z78-nko1xB0)# ztwh-($jThMyuI!8>Elyqt8Q%YS%rgiVz_br=@}s| zW89A%dd(SIhZ&ro;0w*64k9c(7Fr;RTOgr?Zkmfpkij}dn~YBMcJ+=~HvGcEM&G{a z+M}?#C^EL|)J6tMXP?&2H6hoJDjrHd$$!sl zG%u?kZ{)4BedD+8GRU$Vx2|Ky0|t5TfR|oWDIFb)K0L5}Vk}CnIZ^e+`FbxVzyP72 zcG@=#LpIY80ve^*wSooqFtmOT4Ivd6DrCZf0tHn%pPQo)$gF(o$#RREv-94;frnBw0ko-NGX&EpLIqrw$WVr9G;V<`5+MwIi?(cVLbptE|=D3 zUkcepr>@v>e!kV4E2z+OyqAn4IHREfIooM}Oc&YpNk~!(vminV8l$c4Kz`@@vm22i zL}v(@kx+LGnZuwlW`!c-Ao5zrqNj8CZV+Lq3QNJ&35kvfQvO`mYRDT`6Iuy4!N_?a) zU9aF3l`z!I=r+0tnCcqEPVKy-HjHBnS*~c<)>`+Svt#Fhv zt>&ll-DUSGfZ&$6Qph8dstxiT&FABDDFCCoU)yx1qN(JN{hH@(2=T?9VI_F zswF(g=&-t;&i9Rnt?usmgGMdR%9NemQDw{AJiU~wwO%C0SrJO}o#%)%zHBiO&giRm zK2!dSeetWKD9E-Akx;G8^~Os;@p*z%U_^o320IT#f0rJ|_$N!Iz=2oF%NdWyDi0qN zoG5A@`n33{W73!+qPZV=RNmAQLt84_;Ym3k6rc73rk&@AuGxRO?}n1CjA~q($iNQ8 zB{^O0#^6%E@YuWjw3FhL(cVXn9*<&x9(UD@gNViZQ+J{f5f-(TK(JXE`MZ`$ec1Dq zb-V(=)G!Pqa0U(qK}#3|Lqpj#?&--%G#wuilH<85{ipk@SJOOP|1>fc0}br8M*dBjAgdQO%uq1m6k0_jcj0W{&VR*5EA@fK$!dE%W9(K^;IN7^FmrgG34>+W2avn zy~lLpQzYxm>A$$j{sk2sP&5=($m(2=W)7w{z4I3Zj|oc6uCCWsWwm2<5N+?2i&>6& z+FMiGe35%=-f+AzX^DB4cs@jqt`;EDuC zBRCsvg^try4_H1Q2gCUeUlmsfC(N$8Ty4Dkkdq#y7f+rS;4dY#D%CX^FOg?NCwFmG zSGYgTSan~e$TiS)Tu6~$ZgxO)nnIv8fWtt`r#Wg&@F&=(zemCOF;bhxlH&u%6;gj% zbNF-RZc=5NMcB{pvNEy6;!>H%>2yg{HB9MwSJhdmN1i5a8Ba(=_io?(o+dk$?V%0W zQzoU92gGptij&Phdjf}uI#H}avlZta_pIrAluc6)*S$^s7hbNS@>Rvv%#`YoZ0IDl zk5RG7zgS5CK4Zhi-DM|jBqF<#1ySL>a)AOiA@^&Rz?;7gm$De|)Z!6nw=@)llN7-t z5nf)`=~JX3OoclB@}a)zZpJ@=6!GOBg(PK5y8U~I?{O?NJ~-kWL1Q8FgVM7Js?Gks ze6RCdeb*-%Q-R4GhAkdy|vNVKF~oPGbJDo0_WCbZ>BQR90>v-khV0Y6;VJyOe1ff^7%`-TA6$Z)R(N z%zf(=MPk{obKCq*(VR2oP8CDY%7qIY8p0bz=FLBU;xt-jqOrwFE7HUKS>#Xz1IzH$ zMS-h))>~+3Y@Y-yB9W4?KrNB(9>0_ztV?y~QutG|?ke?HlO1ch&i zwrs4tEkE6pqo&=%LM%B6cg9rs-`Rs8cOB0h(^jT)TJCJT=*mf&dbc8hU zida>^B}zGoilwV_{UosaThRzY^yeBczr<@90?F^G0Y1-#{2hh#b-w9`^$lLe)3u@<9@xC*wvB0QMRMqiAeGFJ;Y~M ziM+sC@JxdcE8E35mX|hUgZK#aWyKCFj~efd zluJiBHq4P?d_Vfy^4Tuz4 z?&|Pj!=EG4mn<*YGyhrHf|*xnnQhIrc8h0=FsAc+eMluOOYdG0*l|S4>-(b z*0qMV4(~tc9u}zDA$6~QQg1m{6IsfreLGU-rZJ;b6QO4S8ca7){(crB<$45vCCBJ} z<~R*>?U>FllYy~?3YG<}U7)F@+Tg9rV-O8-t-5wh=FnBYHLxiAYM3v7iN{2(~-I4Ga03NxeC z37w%c>vP1&O77DTC_@kA+XwEh}zBnGkz$+5^j-aZzFY1go(4kNX5qlanGmpV3 z`GO)Tkdb~<9<^lQ)UUBux))E6V36IEH%lWUtCAU}cI=JBu`0G@&0#3Ty;cJO^QJt? z^)K+3NwRlG^FwQ45MWBTm>hED-~2f5L5n(Tewa4 znjja0frzXD4VTFRd2v?gGqz^?{jco!M>A!({AdP5A1HynhK8MpEOwx+4A;@FNzT&u z6}1&Ezox1rqU%X8g9wYP_uDD?#s@^w>~{wAqGq4(w*QN4b@7_6)d&i8u0H{!Zc2S)J5}4~i}U!~J)&rm z{L)g1EX51knu|~xhKU{}H$*0t;;TC%tX?@%3_P1)2e0*vq@-)U=g7}t?7{K3x6X1r z+mez+;Gp2pT)b;-+Tdf_zAZqzu-XuA!2{X)^HzWKY=ur@Vq)KGkN!a9&C_Q@06e42 z%yvvqO8L*0`pO{(@<6g zyXdOZ*}0#1a0ByR;Kz%lK+a3Z1ZU>#EOxWQ0|8b-CHg03Lz3X^@>!23A4^*%4`kno z1^)zGB9TR8pgmnL_H1eAG5$C0Xg#RNg2%&fe~b7WwRAie)4;gr$MgNwh4DvMp$-%@ z`0bQ??r^H?O8eRQycTFt;u99W0-&3M$g^u#1Q%&1mP%DIHD#5Pf2M%f`tuBS#YYey zdTV!gH2K{jz)Zd6HgVv@#7qRjE4%Z3o#}{XeFbk5zqh7Zl=5Wcd&k5F{M^n~Pd}TfFANxAgh9MA8EeTv^T?IU zpQdA$z;*sve}6yY+WSmVC}{IfhDua3n8SY|j_4ETMc(H!8>n}ckj5v@{tSmx+ityk zFCpV;gI!kpW^s(}{!B=A*zUH9Jf=V7_$pP!QuEz>jP;jD?c`%mi_w#A<8HJjP%Ju9 zl8=Kg#;3e%$!f`O(jg_pi@#EdikfD7e{J)HI8?04k{_3^qP-4i)9ZeoGVWyhR5bXmp==J0E zx6hY)h6*CI+ie6$sG(BiiGow$(<)szXOa#q=C9CDv^h9Vc`%crwAD}7Ywi^}T$)SE zS97!Q($k86hN$T^+!n3Qe*HL8gBz`VJYzd6(- zf^X)qc-a%d0%#2vv zQ_41Gv#TRevp1RMOF-2iE9vfnj5BKL_i=Dpm3V`WvjHPAut%^xzkyU5v!V7Ton*rX z28t4R%YIao_^fuTQ1=XNtj{4L*tqWF(rGG;ZrB5|U_P0tnp2;Ncp`TW(CQtfx^Nf0JTS|anW4gcSt7c@VJ z4dcC(31EBq`+RX#+tUNXP1RVt@TjTWh@)0jjMl!3|tAPU(@D zL7XV&EzkbXRr{a9!FJ)Aj=y}p+&9Kga^sqTMDFQ{slwQ5(5z-UzO%%NmPNaa54B(< z(TZRb?35dKwf;O+<3j4n$KyGHH&YXtW3-B!`YSGOea7s%PlO6)H^Hm}hu5CLvSr!X zZu!|W@08aji-ay32%v{r53%EPKKj6m6WDPYpet{a^>T(0MN^w;1eo98RRkvFkdQ56 zf>>Lhs@E798qdcxg128%W|miR2W;i=8?e>r#=Nl0}Wi=@iERUT!AanUQRb;{z==PDb%@+Us)7 z*pDG}bfq4_0~JeNo-a6>E-)&h8iwmRc5VsQd`X&}r9YPOzGlUHe9q<5__pq*?a>pm z699W>A3{}BKiun}S%#v@p|+Uu>+@XA_0nQny;z|oa5R*IN0~PQS5hH%l(KR$u)}xg z037gntrH9#9lgAa2o3tzdm;uJ5>|Tj>CZ3^q1ki*XewKni2PaAli?6#G{C5`qp%R3 z{uTsWB;pOiMXge_9U|U;;|`I?d84i)t0Y@EHj@fIh%$BbieMYQ+mT#`oo z<3|;iPI5*J3y#4H3f8gRct)PfZVEj$UaKs#M5sI#FS8ympWq_6$!waE4pZICs1efJ z+qRI1g(LD?$?lv&61B4sfWVQ#!NCN2O~;EJSwt+rOU>{3$Z1OmCeBah^M(N&lxYYG z#UCT5^os(V)a$Ci1D$&kMJa(FhJ=o={0#G2-DMJkzGbd=lgBNFy!)ev`}3tiLxTVy zF56{8rJ!p}a_VI5Cin0Ak6zW>zKG@NU0An-r{$6LRq{01Gs9pud8AIu9I~wD`=;Y= zjdclI&wj~Ja3mEWFAPUQ&(I>($@%3zo~PRV9V?JeKj}+V(g!p=0!o-YD|FDA^*vqD zW{=Xlv4MXqNoKj$v-q%`62(Lg4(5?(S~$Q*W1J!?HI>(Lp*AWCxikfz+rAM@3U(%+fGqxVHQ+I8I(tQ%fX~oHLvmRqxd)ME1c`Tc z{#z!xhFqq7b*uAF-Sc8Q3pcNcB5cX3{)~nPMX_1f1J{d$^7-{f5!qzB01*+toSorh z9@Ww+h{!nXn*0V~?gf;gK)Gc6T$&fla^P*HCw!$l*VObammKd%n> z@$aWINqu8{TX42usXSOURET`csF9&IN1Mp(RW?wl*)2{a>BxPtH4JOseg96ABG9C+ zYui_au&?Z4#h;vGO4L*1r#fZe!wo_EFXx30T65Kppg!q|DSZ~AGt<+0gG;M*_V)eY zpms@QH{8x!=lgF7D7+)CMb^6f;ml`Bi;9c8xcQuatpOrwz(=P0TJJRi80+zh>TJi! z1C8l~99=JkC2U_|qOl*Z_)t$julM2J+rCu4^D&VHL8lH91QyW*8#>AUDN%pdfJCU^ zex!o^e?8G4vt;|D)6$@$BD>ukfuzRf#w3Td*ws$qOqXQ#ydQb{Cg#)aedklS{Fna3 z{=GTBp4_EumI%+9Y>)gAHI(bKd=jJNpwJwogiN52MundHMH~n!>_W|oJgENFEt#?4 zO9SNF5E>uA!4E`zYB$;XcMEMv`W47${J_J<+l~SUZAAHg!WcqThsA}#F`fC!o$Dk* z#=mdEu|o>U;^OuGzyt|d`UX^RO&+}e?bgYMe|72p`s9e%z?q^6LF%zvh6*c>8AJ5) zp!hgBtyUsb`_P=`&MTJ~GyYXa zWeX8)u$p@*^pKL)KxW*~;XHrE1fC@b9)v}mlYub^{>vBezh~orYgm3s3YvI!=Cp*t z?mlNpAI(ga}uzT{_L8w{0I@|kiLQWquA`*>UqU@T$kG;()!W_iM92&sx5_6KOBdse-7vNQ%MKMHrD&g z{6CbvbzIb2*Eb9}z@Ws?-7S*RIdn-Q2q@j%D4mi@NQ#7@bazMyB1o5XDM%wqH_rw= z=hExGpZEE^=dUv(Gr!q;^;+Mx))1}#2jtjQDjeDm4P*5#7N&Yb0XI;MuUMB=mP$l` znVOg6vx7kQ&4g?FYYGkaxhdrXJ}@~u2vrKamN^(VlB+Ju4EAkHT@y*=^GFsHJzuEB=Rx)r-{~WpC@c zM&lQ1zwiu+FYTZ8=G+j8=bZp+NIBKorn2^qx{8d=>0ZF8Xf8R}MOgG)5=7qX@ZjIR zE0J^Wc=~+pGlc><$9?M$5%20QmC|sMwfbYDy>JL~RSRSG^Yh4vh~ODEZOg(t=rY#z zmpzT0(L!Q=l+^k5XG_Hc$#W5wxG<@NR^YdR`Ea*cSjsUmi8!v34eRUc6Zc{Q;E_1c zy@LB0xK%-I>^ zO*`uAo5C*BWZw=c;z|-XX=NTMEDmaQ`gQnJSn$CLbqeESH9?s#= z=h4-TbqvxR6|z}HJ;^B51QN={{hjj4-IT5>3ETEF%8Szj^3heRopC&yCuleU`sW=h z^&XCsnXiqBlbsJHMH&pJ0G(czMV4Oe%mXA8EPxqPE&`HE8EddI?s7g#rL38;_uxy#?r+6 z(%Y-0BMGQeaBy(Qj)5LxRiJ`Z0=F(w`_hP3uS!T2pnu^TxLpb=efJclPkFd%;bvDz zDg-1XWq&yuw7L*OiocB^0@4E{30x|vD48)#K>ev_?t34Lr2Afp)NSuhGz{Y1tz8yjY4cDCX6Mb-VkoU&^08i1t?|Z5VXcv&TB4I~ z&<{5)Y)|J%t{d~!1v*w^XNG?C zr;TLil$`Zpj}}|Nq;)%d3oCaE%J&thB&DFi!NK=Zd07Pnh&Q4O3f9|0u|hG;u$oM4 zz!+@ZDEQIJ!q-4=&87~fqcd?Me*}nBD1tjs-YgHqnFJ+orGqmgT%8gD=?~F_aUiwf zQ2}t}OCgUEe?(h)m#~{pc_rQYPe1Zhi^VOy2{+-tjcfKSni5RkZnd*YLkx2JG?4z} zf^Fd-3hseCws`U`)GS4S7>sz!O9292|MS)jc0~AM>g0 z1t_ zGt-67$zb{MMZP%O{r*p<{9N~$o$8f0`n5GBoK;`Ui|lk01wjWCXD7HEHaX> zgGIbRQh0&D#osR|tinP>!p`TNZ;rXfhHUY~z6RZ!{l2Gr+m9|IaGct@UvyDspM(@t ztd^BxtCcgarF6VCgTy7j%c@8$Nl&RyY51BUX&}XUEG@*|t6zVJK|S#EN*Pa+`@QH%#$%q1)KnTxE25 zY{WY{4_s<(I;f_$HrPh+b2MLrY_2zzZ+qukPh1?w37H|)q$dQaNo1&h2|vN}kVpC- zf3%>mAWKp#ySeou>$ls6i6pg|O%>d3TJ~R~;HxZ}>frPsbi- zR|B6L4)21Vg+W=^S)`vmJ(pI)yY{N_ARjvDgWHrj{_6){$u<<$cJEp&MqyA4j5I+v zYY7P?g3!3Q;q%i&*=HmneW3DCB^p4LQOiwYb6(dWS2$LS2<{3rj-v&KLW~>z5vUVU zu13BiApTD&YX(E-!`M{@LCw%#6{pT)dk&-+6%}ygHX7?>Yxl{ z6J&8R_n}M6%l#>LJKNiDOw)%;34+KVM=5pTbS$8}D z85*5ytEz%Q)Fsu`JiMS5GFSsC15vT!9hv8LdS00x;9GP9fr2zF(!Ei6F+ul>Q12NL zJjT&3hyp_Xi*AbG4j+(!pp$A)A1ds7_V`O%NJmGxvXEWNHCcgl%y3lP+j2MHM&82~lCett!+ku~LeBjR;nJKs$Hx;z*I8a)s=f^@O^SJ zQ4u*P(q8pml$XE1Hq!C_4Gky2-OLbv5?Ew$ZX#P=UJg2FEUUpd+(_!isJ5#G6hkzs znwop(ryiq>c6N44K}i4j;t!C(dYwpfsw z{crt4W=H@St&VJj*NSq*7_VAEOGs>WP)JC~MEc&|UQ8(F!TRT0R}s1;GLnsrfznzY z5LruqRYgS>CZ;^*;_K`}oAkm|wM`@;yNn%JZ25Jfyex&I8^Bl*Adn>g{QNaAOpNFt zB_*ZF=Tytl4!P&Q4UHiq0-}UFMGQzp!Iz*^kySB_m^1_AOOICX`UF21AZkRQc-Y6M~-!DXB*)PEuw$!z!d5J{riEo6cg9Tge%7St&8Ba zS44o4FP z%goditRCUCo8q=*06SSY&%DPd6tkcXxNozpt&Y15bdPoBP8ROM#TQn_G2K z5}`FI&Ru_UCp8ja2GnSN9Pe6yot&N!LS`A2tKNmSeo;NIm{e2n)#CX6azpV!i zBxVB-q&Q}4>_~U^#ETTQw6sb}N+Rcuj>x0O))~4THh_d1VjYKQ;T#1b_^{g=ItPa%m3fF)Sna z`!s(l6&h(UJ=S-9G#^M!yC-PIa081?^z`(usq^ECIw0eilamwZaQ6YQ2?$t_z`(#k zt>xuqNA_C^*E}8^>0eh@=SYk`hJ^ShbpqU#f%4q)M)E(sR_!V_sXR7X%F38y^sKC` zAlZ$Ji~IXAV0{j4G`-{&*%J7OoCB$v4lNB0T>9-+LO_ctd_**~aQAQQ{I?)~NDTrcI1TV~ zh!5nwFV&zg+R^cGA6T$+_bzTETtj0Q=w8rRddWFcJbm@}e-)8T{+*_ILiePva8SLUQv66^U5fctg)K2s0kSfHAWX0HZj zgP_Ie7&#HGtL>Mr;T86WDc%57Qh>xvvDn1@VRt|C-?iuRD=A8w*Ihi%(hvCXN!UA;DPT3L#LJTfoP4b31h+5dJSugXYS` zrQyw7z=XkgkXrmM(>YC04q|P?Lc4A#D`$u{c^^Bg?Gl_>9YVe?E}9q{tD={A!=$ga zT8UgqWD_THG;kjo;S4XP1rQy8!`;|Y1!->$S4u7C!Pa59+ zTjN{SUfE>(Pzo|sq(J3`kIzVZ5?NW;**i(B&CL&%KH(}UDP0r86bi~7a<5foo|7?i zl?2cNmNi79QrVKQ4-|JClJn)vwmrLIsq7z_ictM_ncN5ZGPsw)1)3(0@93$V$Nk&$ZAF^lBa$xtA2 z*oaF;UnERflR+oI-`RvjpkJ=DgYe9)E1-AZD}j;maYCD$74hp}Z89ibG2nzxcmsRM zgbk;V(|YhA%o73%c1*wz&XT>3eA0jywt5VuKm@+`9JCc{|A6=F0{fqr2NsQhRbyq* zRG{i9710X7K|uAtOim8lSJ2Tp2JT|nI1SJ*H1gNqM+Fc7&hhV=samQ0XJGzWR4+aO z!)A$d<)``k$Kb#S2?^DE-rN4c!+;$Iue5%d&vT*27!XLTKafGNlT$~Bc#I#IFJQy~ zg|DeYcV#O<7cqdaVuM;SKLu^sx^RE&?MeAaefgL*FQlf;eqcgDP6A9!$UD7x^JbIh{x44h0TP^quz5!P&IC0P1bPUNe|Wh{ z<;s3#EMn^400!UR_AOY4sBDU>wn9pE!nx={RANJvOZ zVBwA*Fqc;wDs{sjQhNWB2P(gZ5}(jRMVz+18j(tm{Ky*5&2p=^oiwi&-vR8Lb^0oG#p0RguvQf4+qZ8~G07%;y-`&HKw6>oCxQg983!^5 zXFxZ@HPOPt!@~<~76|{9Qz|Y9*WJ6%qM~9hr9aX-La3=&SWdx$Pzn)GglEfF-0u=D z?gMW9h{h3=wV$t2?QFiiyf_7BA)38ukO&H84fy)?>y=Smjwa%i0O^=(6AC;LC?@7d z&(Rh?KU*BrE3$$9Z-0yzAs(Bp&i_ymm<~BPs1&NSLtSJ<1Spq75hW;O2#|t>;Xw@G zT7D=S0?#)?)MsaB$2c#U+X}dxQd+Q`5^P;0L~6!`jg3g3U@TD5>*~bqMMd(Xx^lC} z;QjiBgn04SOUc2mQqxGa`}aQ=6x@FL4VZt46{J6GdKDj1m&O;hBqb$uRbmJ=Jq-V} zu&RoTlfu1a#STIZ?;_;`;CX+9Xb2NtH(($DA;-nRaR_PH;QxT-^*cKXaQw$6&JAk|MFG9dC3441lcdDRpQrSU^>@M!3$uuCu31M{o$+ut*!8Q zNCi(uc{%4x$n~yczytq7D;3KFAE8*D^yHrhfxH+g6&@}wDW@?+kCP630>+B;{{8zr zNnj4T)S`dKwg`xS+~Thne<^DOB=Eb-pqlsZKk@R)wgS>5ARzD?bS6Xf_8>$M`L{j$ zU(cs|bw0fefxQU@h-Js84MNtsEsA6f&8P19Jae4izj4yMw1;OVeiLoLIG6iNfk7B|A@7gVrMX=5=EmN>xx z2M@YlVOL_cfC3g2%=^!1gkO~SP348F2(ykBIV4a5E>Up2$Q0Q%hAMg_y%0%Hx;pgJ_F$h=-8N67YWb@^ak$&SKV3~ zAXY*0VDNgE=U-3!=Y^%&m1!_r7<{yWy((%yxmNtMghE_EAVmzvk1yZE^HV?1M%j=! zjkJW0POL;O0sb;!()}z2y3rF%PIZYFJV@p30X-hwwd5x_sp>k9Dm$2pv*<*GT5{wj z^d*<=rgj9*Cr<}wW@hFEklV~fCvHK4gW%@o%OI7cs@EAse53rymHL72K{d6sd@s(3 z_irU)U3*XeE4NJr18$p!2)Ry?K*Eg4waMSTTc>(`XY_u}_CssjlOpAdAA1^FkEGEO zng|_AUh?RQ$2lbrD(+M+E-rrcJy+3q z*g{6@;r4t__X8~HrwG)Sa^g4sH5v$zKNznS3mE(zNvx>|l7PUaH%R8(_bhs|$Zr*M z4iM2Pu;dXPNME3Yy_{aa0-v`NhwJP6KH0jZqm2iH8Je1o5@^9Qz@=2-1Y~AX*{a+? zX&pejgLM^_BOv{c%L*7{KtOC8W57Hw$IjHC1zYO9&t#G`NjPS@hs#)KsbmY8PJSHh zuY?)k(^=8(zBYN99OhCoW}>0-B2zhIE>v`1Ju_4O1l%>DAm*KrK=XT2unH!ZQeuY6_)NOC)*(tWXz=SuF{EX>p z@MqH6eoc#>WjQDLj{XMsjl+@*p1S<^ z+_tArzjYUd(Yr@xocORZnTaer{#H|@KEBHpqd(;)N~>;@;1UJE$H-C>R)@+FZB`SG zOV~oO(i+HO<3iWPkvXlteK~iVKY>uM8?y+`%?T2-TFb%l=7j4#N_WMabUG}_Bi?+a zYfO+ma9At36K?(syK&6|hF8A3&&ghFd@#Gx9g6=4Ys~4NW@mWlo(gi{Y+R(0c9zK_ z1)O|&A1?ly;u~6QeL@itkvb#WQU2$=PXW~WP51&9n|z0gm78N7rsWjt?Zfhg==*MZ zOQ(Bn2pYU@MI=1KTZ^fsq6cOJh4S~4@N;qqoR@Ox7zNnQyz1^3<|ZpoXTE*xrgoDAOR85uU?sRq?h%#!*_0XuI}!V%8#b*+fxHM3}?8|9PObt-epn z0rRTH`NKJv0+!o(a;@b*Ep>NC6?@K{STrNv;8i@ccyS}R%2;+f{FxN0z-A#6`)Rgf z#w?r9vgK2G0y-3>OB<`lgFg42gg+U2B3$oLM*t398P39EgxA1gm3bn$|K+Ry=f`GA zWXf}rsyPvySxO>(NH}Hxn6SNf>jWn$y|Y5{p8d{QN4Aoin5eMF0AECc3LYtEyYEz( zD6xS7S;JXiIpbPt?tlVTf0FUj3}>2j6}>uKQu6rwpMksjScMhiW)l~W=yF=EhqpPl zqQ#BjztG0Ra{oaauSKg!*=AOvRIsi%%#y}E9-)0xm$%@djF_Y=H7QBRwjxMzl9Dc) zt!?qfoZH^!7cf~(L|tK)K_%7N%6e2@2T_M4CH<&pe0Hl|g{dG|&i1Kn#3Kxb2hp23 zIjUMQ`=7>Vx4n?Evx^30b16e8l1B))2qFI=*>!?T9@M_gk^eVM2SVHBD}QZSa!?Tm=}+Qst29Gyyp7r4jLJ%7eqbWdD1&c>1iRvGHbf_B|YVC8pYUs zM&>6BX3wpr(8SLv^33W7zRx}0+jNt&l+#gbfV+2ZPEdfoa(s^d{q=JnfnmbJ$9A@inYrfQ}CPfW6; z-D<4P$MZ)Iod#M4-1~`xpKB`dsD~zOXn$|QSJj_h*51UT>%K+FGJ`0=_KT&e6hXF$ zm7kx;jr<7$b!^wcqX>ckP#7%OH3mHr&bO3T@7jlSnyh$6SJ}U|*V8JN6AZbQa1qlFT>|M-qP+W))nh&>Z6iv5Zg5(qw@W={2&-XnVhq#=KX>;p@v;7yj&^JS7GVzT%AahHbP%S<+nvw~bbXG0;!d z@23lfaZJr(kZT&gsyI1 zU7}Y)8|!+L@L`tR(>wQfIh@7OVL6aFVp02x?S>c6QBXN(&k|O~H_aq9Ns5NXkhA#h zpfqcmdINZ?e~)Ko0`(pbhGNX2rQjO`r|P`&vNV7amIKY(Qv z5oEWfCyL{njt{dK&R3$5ZiaY~(}bU`gs}i(knYS{CRuv44#RA17z5 zm6V&cHA+Bc@4cHp8vz-59*0p88;9OV+KzV++N0-vThXwbBdjYe@98eeR(GT>!9H1U zPR=VR_ePG1g++aJG^_3GE7x8)Dg>>%Su!gAXuU9mG;*Pe8YVTIPmm7Hr1&Gv18Uue zEEijtH~8(=M4MnKvVVT0# zlDQkA)+!j75HdvQZTE4wwfpE`xO=K0Wm0&jN?fS#he)ZYF|v(rHgX@fE!pL#2fm4u zfq9u9d|U|4k=eFCf1*tH?Ji)6QJwVqxm=)=jZa6cO|(jXJo)pdlT(ZDTk`~TGQL^( z>&cUP*GXfYiTuC>y`uIp)hIUzORdcOAnKng+CK*5&R@r%<0XGmhCd{mG!OlmMMy{+ z&18G0?!Nv>?jwif2C0oSOJ1Y!?IUTiW?x6YMO?BSdM-g;YEI_byr}lRBFl{YyIR3M z@0dxVm%jWc*^e8QSgDSD^+?2bh2U;&3w_uAr4ZjL2~NhxZ~Kk|y(!9A8=A54!Y{Zw zEunjF2_C*9P^IUXK@#LJB!I!BKqk`&jDZCSA><*2GPElgflOvll{czYvp1WZ@@>P5 z_0PnWmYotdy(Mg5Atru%a~EY%%JMBPZWN@yR2-`U2-#R82;*yEh{m<{v(Vr?-L2nH z3;LuqVvn?-+rp_e)%!^}mSAM^X$6Iqo)g&m0& z?~8gU4!gd}cJyD_iK8Z}pWw z|L07fzB{m{FZK)w-#=Svj-U18H@Fu#HBCd6lR^NVDi^ooAv7wB0P%8h>|15u3*RMOPQKD#fBw2B9X zG0qS>Rs0F2J~sFbroMxyeAP`h_RVyK3e!2AVTh&V`vke(v$3xXgF6IzSiVGwq47=O z&0Fq{Y%>3M)HVcK|HamrB6jp7Y3HRSiT&r_x>AjBXR~)Pvse*@c`-+K0wKMttD;NrVrkRK4*RXhFFJQy?>Gk191JUDU_bn0eJx}=N{=Z0i+w7ldmVcdt&3Xg^NLA@INNDhRg^~6507XpN`d1gB|{ya#ZI0c zr?>Vpkz`|b53O=(I?U13Z?NY+Nc%}$jh;dhH04-#yf9>_VLHlt-4EISIFY(0{bE!p zovpB3;NiEn;D!C?LSn%m36ivjZYw6^zJ&dbm{O?*n6)>HY-)YCPjrGv1&b`dJvn60 z;CDJu=!%}7sNvy?EgJXRi>OXb>?dO$;%ceTvz+?DVFB~_DVXW#7IE=&PAzmRH)f#3 znq;FrVAw`ie$>PXiRVX44{7bzB`o3TbMk!2PJu%A^odFt={S?#JcBvW=JVFA>eK1u zCEG-{D*AvtJFYgT@#ae<@~&f@_5uyYpEAjk81pVzvixK@;(tQvimzn6ID%BLJ<>lt zp}4*~eWB=OBy$2WwMNd_*2SJR)>}-n6PBH?7kq9ChPnc>&8-ag8{J;e;3!xRq!JTG!OHYi@RRew_INxf%^QG`t(Cy@km2$`FrVS(zW@G(ri{JsV@F%GSLefRiS1xzmq5h(r^D(i8!d~<-_h7vKdX?v7kKD)EfLCtuE|L6|b#EOg z=e_sK9nRy{E80d!C7z$fFVS^|_+iyXfX+l=Tyg6hUzZFauP=>EON{ijglQzWOXZ$5 zogs?5-)EZ*i>TX+aSWausgTYsN1@01&m)H9YK)HdvDEquh-bInnKIKUCrx7IKc$Pw zMh|b86|E6HvUyn67%9v!NO(Mt9hpB}_~7Qc;@*+!HvY(5(?g$=pZWOYb-hVb48pkP z+py63P)aiQ5vr?X_itnOPqJms{Hyq^GzI)Z&A!_+@d-0{hjI6dsc4;A>ZL+A7 zE4v*Ar^J10@2K&f&i;N2nvscq&0W8v?P(9y?A%WV8b#l19AsEOMYyBZOG86ke0`Xqwt`YVk8g-3Gj3*5pm zIf9KhW*l}67@b=aUuQ$n#}mDYwO!_v*~2qzjks;T3%lGPcQQ5`j&`g?#mXAFsd^p; zSK7VHx5;PUy!f-vg)UiZNHLO_TILN>F`eB?mQ(Jlz2cA0xkg9S;$LKG#a}3gV_mE+ zE>dcRPsxIYh4`&FvnTpHFFI8uz2~#;$BBB835Zj0yAK<-H{80v*DW!S8!hIC)oYPX zGVGiMswQ)})Cvzqq*WMt*o1xzRNR1Af3>0C`nig$Zxp{S^+xw$!0@6PRm>%L$7h&ObH z=S)NqtM`+}RSewM=}$&h2Ts-!@VlbH<;JOxDMz^#uOhEJ&z@hK;W4}1%i!wW$slZw ze0pd&+B%+J@Q$*w^SLKkTyK-tJ^TKFR;zZ_e$gk5Gu@eNsn1h2l6@Z&{-oD12}MBX z+vbN9n7K(K;|o|OGv2;8?R#_~G;A)f;M61;q=V=az0)M}*sxd8VSu{frX>R#Qvb-) z6@j4E_uKw$Bg|P~s)lpJ`;+s5R^`4UTPtId1g)7trVpUY^5DsQ+r>@GkPjJRIu>n~ zY=i+P>%A{$&+kRwDO*tQ!ZL~y^j@a$b>zso${YX7y}ZC*ZsYZzV{3eqF?9KkZNlIr6q41XiUXJrC<+kEdGL=Qpc@ga9ea)Eh zhdZLxu1vDNKeotkY(3|84ot;fZer|B&Hg+zy+Jdpk{QtSQax@sr%zG;avOb7xTt{R z{2;`nR^X-4i_sl}Sc3ukYD#Y3xMI%TW?dX&mlkuStygd4##v$~+{r55f2cmlZYbx< z*Kr9=77p(+`v!x4$}n&^K6^=3vvClbSAYIF#-)SyfVOt-B&s+F0zI^ym7{XZ4K7CG z!h#6O^?1ZAzb5C#RzLzgBw%aE4Krkf=Z=)KK>K=oyIvU#ZDLS`PzL$-fc$ak3(4D_tZwX9yYE#rahd4Gzu1fkU{+vC&_rm^U3;wN--Px2k5cRTI}nL zbWz_u9<~>f0s%$!r(Mg{rzL0i`byB^N4@gb_J{>Wvr?blOwocOEg6jE}!2ze|L5u+pc2%9x|{xZgSx);B0;Ko!d+IypY0RN<=5fwnpBehOA}$r}BRYY{iTb&iwTJ++mn*z~bt z*^Yk|zh;J(DeFzvYq#9qWvMu0#Sd+pA&s1ptRg0sq!~Nme$lP-i8!-fC=YmbWQ}op8(X-w~ zl}{m{DIv$cRP>`vlc)RmYSC?4W;Gq%c-ZOrr*_#EF5(QY(a79~?$bI{)9a4!j%a#E zL#Aiiu`oxtAEP4u>(s-iVVPA*wSzXNw5pFf&P&AUGL%a_RG4vm3Yb`AmBs6NRdw&* z@2f|P&2rp{mHmlVxFPDs*=8<&e(_V1I*rQUh-Hs4Y1Od3AdgZM1-6b1ZEt?c)t^LS z-}RPGbiwELv&?piK2mGHRmZ{FzVSJy#=u~v*Ax7A&>CH-1B%6N2cczSIa_Sm#|2w{ zZ$$mf7sTzDv)EpUTAn*y^-AuNsRk?x)VV)*n)w5Coi!buhpK9crhZ7n(Mvc;%+zL- z^23V0NYHzrkQk$`v28ut`9Mj(VxKeq4+ow>olaBGhGd_Ik7u0?OtyN5Z`(eeToCte zkUhhX{;l?~+)V{*Pn3@$4f$W65a+K+N!iq`jYj0L2Z(1#;>L~KQe^ocB$w~HKHM{C z`U8F!`R7gTBwR78N7^M1GP~R>B~8k9)J>Y+o%=FemM}!Pt!K^p4RX+uSLdj}-{oNF zd&0DlEx+@iP;^iE!@a$|%^6r80J^_~c9vvVHtnhI4NG>7VY%lx z*EYvzy;Zk9>15Y0&#(=dCVE7_{#dGOmb?o~hAi#oyXx&C z#tp`*@apq~-B6|K1l4KSmx=tWQ?^DeTcI?)#x+PalhNePmRd968ynFICzqSkv;$nv zO<|-E)4C@)LvoUmET^qtyWTia2L~XR- z&X3Hw-{v&+gUsol?PFCw#d0pKLXjigjDJ zdxed6@ut2MQ92}>XHcfgBz$OX36t+85lQ+kXypG2zbq{n_EyN9gwHR#_$}8B66um@ zp6E>K&{|s|Px_$K5kt8X$y_jx@a~8&YAOSg(S#J~lcjR6e_FRV@h*=2uA8^kwMhm0 zW#&4v7gP?1oVmGEIPz`Ie;~_SFXCf~RNhEENRK#v6l_N`uH&~7erqF#ndDJ(YcFFr zQ-R9EDmPDqC+3&|Og7$Ut5f)>_KF+mL`90e2fe!DINa58OqNvGz%^Cq@br6phB+2UjBc!sFuE}Pm<1#MM5xtNV- zE<(5IqcM=`CFiNfddB(LUI|0JbYhAz17Kg=Ty~pXV$s$TK1cPi7dfBjrwTvPsvP!< zvHY@4K`H9I^C`8p!n$8vW8J)}%V_pvf;*Yl9L;T(N}9w8R^Ro*>dY#f>GtNykEiA) zcdbqTj1Nhk9saOHmoOR8PwEOrAG6zj^V}n-WuFPk|L$_3uQUCL*+fuG-fN5I1;4^E z_S9m!Pn?|steq^Zo9%t?1N2k2*PV|B^Lwz#Dr;-fldE=qTr@cN1jZcW=?(on82dD_ zjO=s~dEx#8J%Y)+goCJRFMeRi3YD*z-*aE!)Z8n+Iom=oLsV3v<*t^bNJ^(wP$b3s z46pr}VDtd0D}X9zS6kq8x)qWUGto~}B!k(Kqul!(x7G0WGn(Bfv*`6&Fk)${A0J+f zB&9zk{OtQV?(G{A?|6cMtci`3`BOC!e1W|fx+S~ujMd^o-p5mkU#HkF2Rm2J)%l{~ zyhEKE((J-tywT2$j6_{>$J0bAHop+RVacj1+IsrpM1<$5^6UfEQ$@ka?UPvq#?t_6 z4C3KLWgb(F-Cb$Bx>S`+X+6B)bC1b$i${b@&sQ>9^tkTj`bHabS@#^yuNJ^-CLgE$ z?D@QPmj8j(&&_5BLw?__=Ap7;FEQvV63wKGZ^(G}({M7ldDX!;BI;ypq_&n9o-!j| zVxc1Nri_lAm5!foSzAI`-w6L16D><=K}kt*@tkxlUeAPcqV7XY1;#Q|s1x;!wM%Ke zBZ(o(MWW+@;WYosgg{7Z;?3+$lN z(Yf^4DI{P!~J!zVX{;+uvIKqeaiQy#IuUSU`?UTB*lylw;R3 z$=JFl9Op&icA90&@ouL_MvJV)H^NB8oEEg$K$jVE{{!o3V=()41<42|AgvgZ3oCXMctHea&t`*`}! z42RY#duYcksE7UvFuS&+qqCY^hsN%VVI7BQ<8=+M zdI}$zzn`NQ;bAyhI5|!lFsO6iE_r69eV~4(LBlcgfazOGtcx9kFq(3!x$(DxxJ@u6 zGwKz>C4!(4muCp{(>q_&5!@Dsi4$bB04)Mk@2twQlxpYw@!ArTlT&@~WjitTQhh5W zln|AZwkh*9{cbx|X zwp$C09Qm^n{h3E%f?@7Pww1nz^Y$C1N8`)!v>xe`Sg)cJouPKCc%k&(bU=cR;X^b^ zJ_f=TkU{J%uGzhwHvKdVn=)EK`Ro_`)J+F$)$6^612M1YgVycw?aGu$@v6FBiJ!qH zZWKg*I+9hf#~S=TK{hc8^BB)&e3uDd(C!#HT08|{c{S?rYR@cq13NE!jtmWW_W4cuS5># z1uvy2#qp`jXBnHA4|Myd7*ZD`#T`0fGfkqlGowbYCO56Jl80J3W%@LFOTkW_B)qPzBF1sj{az~qjMXny^jXY;$D?D zA?F%%zf!A!iCvN{&7?F?gXxtRN1MpDQ&k&7KD`xYrFn|950~1qFzo0hZ?fp)aoQg) zSc~*wfzkjBHaa$T)iiPEwDn~UPTq59bbg^?e7d07z3iMoBf6-x8mYag)54svFb&yf9kN5GzJh4W9Tf>TQ_VZ#up7awoE9)5Bu{uO z_tT>mzZ~X~qZO2CLoIv;yGOQOJ8G>N-@D9gLgW`D>+qK;upBw;1OE<4Tc4blVBGU( zyH4w7srVOJ@S1iZyiks)_$Dm?wzheTdb3)j(^z=>ah`9_zP}`2dT0)hpYr*7Z>OQj zz*s{k)tWaF|Nj*W4Gb!kHg1u%>DGA5N)*RP^&S2Yd2=+t-* zBWGh>e`#Em*+}lH&pCIVP32-*GQ~@_n;VYV6y~U6N1comN(#(wsls*zZ}Zg{&5$MB zbUeSZ8+g>Nh`wHRR;Gz{=_0fj!;NkHJS|4Yz>ND@gC%AU^?53LKIh zv9Af)&HIz{uP&dsMfwz~BV~-BY^73)v~eG*hKhq;NKozo@a;VE9|#h7AwSUehG*V2 zl!_tAKT_1law6WeNs!%-U%Oxbh+bMdHQ6ubevho!0 zL5x1~zCX>Uf;=8ZK{;0Cmty8!=L>JdUfAZLhz9GKeCHulmZXpr{iANA`|Ju*h{5A} z1!EJUAN=IFm*B_#jBn(|+SrmHl<_+4dpPE=tYEXA zTG?a$m=d0(-!r@Hf(l8Cwp1Q-OqGZnx|bGXYYkAEH9w=)Wf#F~+JhNqr{&KSv%j^B z{!fhI^OCkWYvFyp2up2RcmAwT)oniKZ_BvU9v<9__7+t^%TNiCnY`@sFGdNykblRH zH4OeSc5G@bZ%#UhR)VS6-uvQvPaUCb_V95<5Y5x{yF)!a zv8DJ2p(a1GUg+Zyr*P{lHpbRmRgCfj-wEH|W$)_lrZL!w!de-v(v)hwkje)mu6gih zB@JYhOWt?et!w&JKIy}*{<54Pd8?XMp@;iNR1kx!Txn{JQr=X-eO<$Ts)NWbL}{TG zCsAI(yeyl87PAAb_B++wn#>SuabIO!h2epT)e$c~SyLX@#GqS7v9G*}1&3Z=;k|yT zc7PqvWNf5aBj>+Pu3DNPk$XM!IsE=an+4b958{grwX?Fc>()pN zM9(!XE?n9&Cch*q=#uA}#O}M8a$hlB&az9&Bj4v0=rvmAJ7O!D*iFwJ*BoK9U*rw~l5KTsYPr;Pipfgi>Y~$Vxsp z=(@F4NvWe8{eFme*id%J^xw2P+@6#4QzjxJ$)p_KzhkACyH4D0^Rx?tuaru+AT2$e zA^_GuSit@JXwaWNB_>L~i9$@p3FYWO0Va$WkvY^wefytOwa zuX7!Qjf<+s-`ZiIK%Hpr1iD1a6U_am^hVWsH$X-i`N#;-U1#o@N&YmxieK~Y?B zZ>IA7ltuW!5cEbhldp~1*z}#xh;JSKSkNXu?5EAjD*-E;wAsIxP?AfXa@OdyoI2F* zYoFP;bZ3a{R#Ea(vVJqL6fjw~bGrHqjPG|Rowk-p-3A;B6b^r!h_?0Pv3BUe(!PBE z{{e@HTJ{rgltH!8i^ES4ii1WWP`|D~dh{j`?<7Oz)oXnyqnclR*v8%ZnuG5JP4*r7e(Y*m9bHWR?bD(f?5(BrwB68oO}nGDK%UQe z^eUH4uvg0ZRo?X_&Zs3#=Rf%GPM5EwW%rme71?}?dYNz>UTCg-9P{v_9FCc%5^?sx zeKgw2dgbs9^h)0NMoO(P?%Z#o>=zj?4rhIw_j?VQE-%hLr27$zVa1?_%k!ELA3wb8 z9AYjxNll%6$W?uU>{FL|OMGxWx~w8`;>-~LoW@!dMwuF2T~Z%5615=1 zOSok|!fPfBzPB&Fb(mnj&`v9y%}78?R_>FFkiK{~o559qH@d&f`lzzqDf}h3m>6Ri zMj!Wex+$58Xd8+9Z~`MJJ`)C-EM%0#vw}bmh9yq076TQ-M_nO`Uo)hBmP_U)p0>R6 zI;-2=J;aV%|EL0z!E41~JkG;sEeX#>d-9*L=Ag_`m@74UUrfM!+-%7;`_G8qb-cfr z=QEP)$B52LK1?F5I}SbAd=nH~I^Dq2Q~XrV+9oe9@7pJ*p}Epof)L;MJ$vt7 ziRy057fcI2MAqCer)F8m-n-yYoMN6}eQyra))I9ma<}?J zU&Z*P9N!=NKfNwRxo^w+?FIUf+LB`R?QU{qjO3UtqkqLPK*h^Y{)vt|4SPbyzUY3J z?uGs%byeNsJDt3PPncuJ+0#Y8?>OihnRqxXNIc+Jp&%gqHEQBF!o~;5R;*vQ#cTB% z+ep<0q2s9@C5i6F?r?Q GSUL5`Cezy6p(npNh z|3le3hu5`6?cNO<+iC2!X{^S!?WD2O*tTukHX1j!ZQItj(%rpx_j}HDzH{>5x^iV@ z;+bQPXN>#)4SrwWJ1_{<0gNo45cd~*v!nz^lc3d7_pYrJ^)W)P>6|FA0{JP_FN9Z|?z50L^?ak%n%Vp*s$NJDc@N!@7)p2ol#o2Dd7A3p+JFeo8(+U=w-G;?r>%nKJ z>0IBothN@X7dFOF)O_N8n`Vb|d=qp-I9?jzwA9YMHTA7%n2E}7uuLrv!K2ovYkeD5 zGanwKd?bfH3EbiA9B=*nOc>S8VuUG{Y@SWn{ep!;#!jMaX>Lxn;l3+vbT#o4VJc(@ zLX(V)UY^e7pT^)|BV#PF^VyQ{ErB&H1}94)zoOmZDs!!KO>AtTG?hGwBVp-hPFA89 z1Jk|Ph;qcXqJ+Z%4aXnS`+7}A+VCr6f?X8%DU1|=;$*ZVN5-Aa=b6*8%@f)6b3mnw z9=P;^iOx;&`Lb35y$)xyUmHo?Iq^H^k?FFaw|8Zju;zOtf;KyZVi}GEteaFigQivm z11CKrP08#K5C4?LrIstSAMt&{qS23zjl-$8TX+*Kd#M0gaKpb06gqt$r#wwo) zr`mo5$fqSH1!-tRMe^cG`0N(vhGe4i3y_A+0%F=sU!PEo9JdDU+j2B-2-HW8y9?92 z+B^imW#Z@{&?L;(K}L$U3O=a&!3(6%|0tGPNqDq5+>`drcg8%-W45M46h8Ub3lNB4 zynVj?dgCjB!sDARYSAQDwd+pqj~y+1XI5#P?JCxQ$EpmNYiTxb(T?h>On%V>TZI)V zBF|FfcfH^SXp?jY_ZZA&Bu{QDrM9+zLPLqp8_$Xwst&naA2os1Ya%_d@JF#9JrH&~ zZFy(#3DjQ|ZQN3w61ZQN6!gC_GoRPG`9So_a)-p+Qne4(4^uU18B(FgEWlS+XvR(; z=;*tA#RL*=)2P3Pd1cqn@;9YNv_BkKc>Ktb6&q-7hy4>>JXBtf&fv*LgR@p0Z|PjeYTVec&D7)-Qm5b!)4&yB))O z+gNb};yKbM7!*Wu$$sK#k|d3oh})Dd#m zDMf;RtUrVl7*~87`HB1NN8m1|cGY=w)mJfg+xp#HqZv0XYP3%h+OB11f9tD;zcOsP z{a-<=1u3Jk*Bm1U)aw`B3?CqzJuZk~{jkz#?KCwN+a@|r#d3lsog;r#&%#>%LA5P` zxYV($OH!``CO*HUTlKnF%Svb`8vA5*j(p@AI+obIYuB|s(bmA+ImQzDMJh-Bb*19= ztd1lIX{l}f&R#@}yLXzrVm8PT{JR597d^%$O_r7Ypu3uSeu9bCMMIzqYqz*j_2nIz zx6P-oU4V*R%p&MLNZg&rZ6UoEoIWf8rPH2o8;`qHARMD9>~&Y~JD!$z1Tw3gcJXaR zGb!(j+j3Fpm#}4da$r(hEH6{yR6>VeYdRc9@XIb;xz2Y{QbiuSz)AHTjDHSXKz*=U z={OG*L|Js&7v}MsmOnKNdk`0rA*Pn}=?-O?Vq0wHRhC4e!^3Uw5}$?bES$ z86|C(UEJNYN84V8I7mq6EgBgIzLYxV%V0ID$R{KVM@q+arcBhQ&~UPi4A~ty?(Weh zI+e-qkd-AdZ}VC$2Qg)dm4DK?s?=Ef5-$p^ ztVxO3Rm&!(L*WY$H|P%#9|v))A6FJ)7(hwR*m2x4?;t=yK{FI=00&)_et(a{W(gFuY#)lO$5;0Tg|C<&=r?I>>r*uN7*=0 zVys_3$3)0u>a#nZSH(^W-WY8;tBZ)Ap4r}Bv$i!ftz2F}-$h2KDDX!d7L*hlQ0s2Z zCDP>?+C6oZZ9cK`$DP#dHtmM^hQr}N78av(v; z@xz>$Ih;V4Cz+e3Tk33Mv3BC1TC`d+iZ`0+4SNKiF&1E^nNP81`RF2I^P@?_j0&n= zgqkHIb;{ChIo!7u4An?)jroGgq+czO&GZ*WFiodoiEe(jK$bT?Nn*JGI>X?v;3%gO zh^$989LQ}>qqB1{MM({sI#fu?YSr=kxVy({r~deZcF(;;4paNC&0*?yiPA%vLSiaL zdrDZ3dchiBhcCso-3pL|tAY*~-B~3VVmfAegQ?rB;W@u5odSrT|5Vwzk^w?ht>kb1 z5`cY+ArLufb+&aI{fhuX(=*Q0s$5W8;XL2)U z`;5hPxBCH9+99a5S%xr73?z4E4&pWlj_jP(`&{t3uyzVjx?$s_IlY4VsMRwm2+XG# z1|Qc>-G2p}uPumxU}N+lXEEjtMgcGt8v}pAU0}{VsbDWT4df<%lcTljS7n^5eefzYJ68fws9cq_UWZcy_V0 z=A|3h!nIrb)4T#l>Vq}7c!4K4rY?otBD{S#4Y_s}_&t~#IS+83xWm7QKrlEwcE0&) z+{`)-4NlqWLU$E)fyjs%Caj4z`*?v8wCLj>x`*c^s$s<4F7S}BqGG~SpD6^h#QVl` za!Mw0i{n~7J(IlTh(4TAbZRZEu^S+O-?L>n*bRIe+Q=yAZa^TF(KYz~mBr-xgzCi& z(A&`4i3b?mP6|r$W*6Ik{*-Fv9hU#JSQ#jO08Q5EGQy6%PTy}*0H|60BdkFq0wg17 zywE{!tI7a$A`2wFsclr~Ng)jE83Fi;HeR0bg=(kF_RiTyuT4VacWv`Toz=c$x;n+t z%y&uJ{dPgww0&<{(^bf;NG1S>U~Oxck4!CGRCu zIJrLiDJ(9lWrLokEvoOqM5pHXss_6|ZgNjhR-|r|`VR*wKROJ#Y%a-ibk8%d%z^*Q zyx4#^^7WhnOnwjn>8~7Dkd(1di{tPK?nvaTDFIa#1UyqqO@j}!zY&QMD|#sFcFuPO zyO_+hu&fl6+N>*k5tlPTJiONm5q$>T%k6r^i>_;Y2N}$q<{V>^4_*s9k zD$dGL?$(!^v9QPJ(z_?ZaaR@J;U~Ft&VV;{ldTE=r@-VWL5W*>3Se5 z&`>TuK0aY#NMqDD)Rh;0-*5WjciE3o7tdg!d@px1KHk7;DN)ih*zD5Q^l&>65m0J< z_%Aib7RCEXLlX?^c;u8$0UK4kC3!IGs~<|h2pdhx0ZMSja#%gJJn_Ym#D^;j%c9l= z{q2aKIm3RTye~=9MVSM42xt|Jvk}!1@PDj=xVKdhrvshzwh9D62R2p{Zfiw!f?=~x zCOMp!l1?q5#jT-;_m|_%lWe2fcYfz$*3x)&IT9lfmn+CS!_pR4H%&sf$RT|q;)udG z6^Fqnhmr7J2Pgfxil}Ywj_~)JhJ8X&#H^`qXWChww6ikRpP|Y6FqVUP-0veqrdvh5h(_sCBA$Ndnm+PWeCso7be$6 znRmr{EBZGimmZC}HY=-RUH~w7T(_X0s7yN;t_nrAxJaoh@NFj`nVM)uf2$P1h4c-0 z4jdt>Uzd)K4u}y=3n) z=EdrA{V_XE{BT^j-E!&a9P;jnMD>y9PDbaLCF2Dp?t54P<*^`BuQwoVrDf6rPnAtR z`z*V`7Z;neGsyaS?(LF3QFT>$oM?VH6Q(ce`62UZG2&EonSbUU6^VRMJ$KgCsQUT~gDDl6-4%6^o!GPM-B)ZYR8@Q_d7r)4ij+Qnm zvQQl^Sl@FDFwwzbd8uZWgm&FtpXG8hERLzSq!=`ji!iv*_<&;3^5;rZxP>R8aJ~g5 zFupf*&rKd^p13oX<=LMYHDDe<2NIYT;oIAwu}*Q1EbR*d!kNXzQ+wQpJ4UYrk zjSiGgxAFY!t-Toy6*Ty1BWl1n)wb#ONXImXa5csd+q@^^rtsiKwYhp#g?_oys{o$q zFTSt$#{Y@$O9*J>SJ4y<4{Y{nZf>U^?d{3`<_8S(#u)5_6tbI2pau|^$@-#j$cB{to~Egc*#yOB zb>qr}H*J$tKWCRPJ7w+c?JyQAYHEl(FUcKSUSA}~ddAZXAE1;E92+zU|0ec2WNymB zYfOSsvAZ;Z4D*M-15BWiFepu_1+XI6@j9}15Hl2Gt(9#?%e)2j#6R310f`6Z$Tn1f z(KdWD{Vwutp{5=Y+#T>N0%FoHS_nQhU@!8Knit6L-P`l}_uC(W8R!Tw$b%ff`M5a$ z+2vBzqZJPVw!$kq4((|FYTf=Dj=&Rv;n=B@Czc3`Zg78p?>t`~x=9BX?*R{#;CyFcimvj;()Eu-^*Qb|v-s2U@kb0s-~kA4P&&CmqJQ1(74$XEPGKIy;iAZ{FdU037y1ZCHfiBTtE4(A(U)K7>QU|P-vK-zvC%{!n! zt~}razTw*yF(d-M`TZM3;GZ4U^)Bfxz9yKuz@Bk{lP@RP4~jE4^{6lyO#^T_v$pXZ zKtTUqVZZLaLqkKgUQw zgn)!3qplwM!AwibbKoCaGK6({Jv{>)|Qi6csuk`@g$K`?f_ZgoNzC#B)BZPGN&%axs zdgEnGIRZGoL_|dNpYXj_Q={QIdhmOE*jO*W8XiV*4*+XpBoJJHf|{K`Cb1K80`awT zdnVBV>xDqTl(jc={X(vQk^n%kl51oz7;ns#WW>HfAvl;9TwI*=grvk|O*swz+iHXu5fp6(p z0lrq|chiN1m~TTT69GdfeIX$hmXPV4RWLXUdObb3hA};9!N40bvMhmr!hut+epSA1bLK9Gi6`OG1**iy;@TwGGL+G4Bu)7 zN;iXzNS02zy=Zn`F9#{dGz*~hYm34&j84u6GKPi#@@%#uz*lSk$HD&BJssl%2B5u+ zjEoHRfR;2-DnkWyQnj`9rc40?ZlMv|N0>^Mc$S}~DQ3V*o_hVHGMACsN03XFNVzJ& zzHKwofU%gp2VNdB#dTcBz|p%)Q^c$Ex(*FPs|oT*wNh%7XYrT#wN!uwJXCJ>E__4% zzmse+=%q5TlQ16re5s%#8(l0{cQ#z6e{ac#zJ$8F>jQd6~V9|6M|^pxA;DAcSkUDd2Z zODOvr9lquJ`=>9a^18CTYJJkOj-8#!7kvLCm7erlcWYNZwt)0m2+xHs96gf5TXec3 z0DiMRB0vHEX^TbQN8WmPO~tZ-1$6x3Z--L$uPWfcg!}0}S%(O0I)kmjQ2v2gO0h4w zNv!6)8nH`x1hM52$?y&LW#mKvwNvsCTZDsso3{`JFd5gEvX{;{|3BGEql^Bxw$hSQ zX0?z{!=lh|Fkvs4>9SH{IYI?CGxP^0=EhU%A^Eb0KcRq-B+|d z=EAmCK|V5K;_WT;IC(i?p?G6}Vf+v0bJkvU#T z!@7r-L}2*4aO$k&{X!ygig9{RFF2UEz9}@zt{br_ieWS1@Q!raYAcJg@ej6fd~{ey zL#25kr}-VVF%sEvv2i*1Ieu=>xRDW|8WF^D@hOW>^&lP+_8wG&aj}QiPKhNr?w1#W=pO39i7o1v^gvfgvNV`RClXI*Ms`x!Y}LkShykF z&00|ZaiJa#B}o@e4I4&wHHDHN%jGmE$sp{u?R^Iy%?Q{CVtE9oVBfa3S?CZa57Thf z7`WN=n6SSR+nwwc+_Tre8FcCug)fR!NV9*v2t+n0_j$St)t`antI~KKC!aA_VX@BP zL+-3#Lojb_?A;fgoS@K!hu1}LKIcID(=w_%Wi_nv$>^hUK51Gr#ZQuM|aHT^9_n~ zx~X~9y+sHBf<{U`!Iaeu6Mz+nim2CYGanr&Ox5kKP>3YSZ8kn6be~~FzC9gnv^-gg z)48?&d@#arvB8r!w1|B15OI)x^WpeA!*u@&c5z~|STHm!i_6&->aE32zu0v*&SDRo zD~-HnnyPCb2(T^aTGVH;_rKx|9B4oeshWCMW;&xBcU%+?uJV_UKs;@%WOyzi+!p`7 z4b1|;ntG5Bwse5^tRuCUB1AzZF|kE`QMwsGwT>A$Bd>E10x@qPF3}p zimZt=O|F7i!Lj3x8x=xecPoo2M@3!Fh+`w;@o=$Kd6;4c)P8LVT3{>hS}#8+##=iM zUFwE>a55G<>$tw8N^i3`UQx%IEK48^=}V@eH3b?w*r;KLyM$l8&}Ryp7M0MRs~iq4 zd$ztWI&A6RSyp;qJ8?~voOb8hrH@7os-ld27C6$WKQl0`x!M%Af9iamSpO`<9wzhS zihAmA&u9Tmn8rbrjj>on@4-ASI^}S){i9c5M{ZKs_qGc;dVOoS-rm^EvO1u zYcJ21yWkgqxyU#Kh@E4~xx2=mN-^Ed#h4$wZhv$o#2~-I*g~2I|BS=mk}%{or9;Lz zZ;7zyj7{b%qP|XhHI1nX#FNWkD*@MT^iJgb{?j<&WH^<72F+XImT?R*RvcEgc=q`- zdM#H`^h&DpZr+uwpmhV3_JqhyvRx<+o#Dn%s1~NJC}cDzyQ;Nu%wZl)=o8CkQK%}Z zaPQBH3)kunXC_LUo04Eeg`Fc7E9Z+))XtIEtvlDgQB)>qUV+Lgp+iXEeg&6}dMCGj7l4YQM7_fgd0pDn)}*VlsPl)X6&gZa z)gd_F9Tmv-{z!6AOlM+uOUGW-4m_-ld}j$I?-Pu~u}dxCW0^+xkuVMPDRkW+$AWN( zup^x23k4_#=jizZLXRkX51ku72Per{y4w>A=<%=3f|{P16GN-NfvDZ4t)Z7U42gM1cPtrr?y>57I<+GgA%S9M3 z5BIac;IfW0`;t1tnI-B-Yi!A8@d)ikzaHmR(7vicxTor)cb-XiD#Fe#+;nBhjI}0M zz3#Me*^1HtFKnqRh!hiDvS1oxK_h1C?zCV@0VHZ&cd&rYbx7=DC)!?gDi<^!^b2=A9_{{HK%dklc18kpLgs=g<1SH4wiY8 zM_4x~DQy&LnEOB27h|B>?fFdV+|Tlil@c&qR%s476(J zgeZCTr1^r5A$j0fRYp92v@a8FnO?4MDk$d8P?IYC=aIG_5@76E)xPXitJ{aESc;YY zW|{)aDIP&pEK{3^kEHB|S3c_?;>`uNIdSN{{I1UTM@BZrZmA@>ZHmJQa};Nn4z4ru z9=?mCd|T$%H}HYN8)r#5oEA$p=Uoi)+oD#JoDH1!qqkU_i^ZQGlP@{T&COCnK6pVm z?0>+Leyg7;HkTi= zay6aJ<%&Gol3toB&1&AvfS~*M1EQt`jXx+l$L4uEiOYbs9s{j;P=SS$) z5boNuXUDKve`*aUsnI+1yQi3TfI0mX(GUy%@mS8W4H(QSu%)l9o#xiz&R1wm43r`t%Xamh;{}st> zA#5VzPVtvn)VZm+xGW&sJ;%o8-X;10rp>uYNg*r*H#9f^K*M9Y$6*U2g4wIVpS;45xxEUlVMjO_pM`o&4&|JLDpa@Eqs zHectWP{hhia=M)dJ?o0nh>dwENT01OrNu5v(4~BtLfqpYr9H!R&6h4yHE+ymBuPCak$^= zEd^&Un=xi*N(QOT5-FaR-VY)%I4tLx)z=NzupaeDom}5gm>uex@&VdXS3xbsaXmY; z$8jQ&$5n@0x!2G=!mNTA|^y}%!pLj;hb(2&R|`PJ+CfEJ@zMB zu$$sNAHu*4SMEf4AwznF*7+J{*j@5qJ=RIw*Dhs&SND6{ zSTlYxX8{8vCO|aV?vng(R!o*$dLh}zbtio*Z{Q}EI$4v#pG<J z3GuLdw5x4Z?Saz?sG^(@7jz2s$rm(sdKAY!Ix2>l!NpU9i&Nt)rF_bTXK+}$32Bo! z&HH^$*B`5{;X%)-v8u}A5mB;ZdqsLnvn~O-g(VKt-gN#hZgIov>t7qLGhF zqgi-(Or~VYl4rGog1N$p3rSFYDMdKN&z&d~rQ(h502xO4Nv@_Y@swk$-l*-F#aFG5 z0QYj93rzOaWqvFu6ksb44Gm?r*&7Q=tv6QuZIo-u`FOzTddR^iTG#rXFKB9G`B75S z>4S!xvqBKt&$@O0G-(uP_Dg5ZBC=h73Spj=KLpLN+P)kdr}0gWJ_5^_L~uQ0Z&GRP zFZ;YdsM8xK4@Yp7Z@4~0NutEpE?da7<@bygVnG|<9*NyFyD_!*yJe`ju3|E81hJnw zI*BtJcPe-aC06TC_hg%6)~f51lEzIy9>MeK7Kaf#jL9P0tm@sS+XnUFjB>iy>n6bE zYXEbL37Fl#V5y__F=Ca|QQ|bDa>h1nmzyVqf53*AJyjyMQVD<=?F9yo{mU=M_px6T z8WJw>J~kp+QHh^upl_hKsMy4$*j}2ro3<_`7a-}PE7$NqK+gxP_)YAc1oJ0^9VwC{ zVKspw4$u{dO&zg8m$b_>0yRA7D1h3!Y#=$I|23ZvnbphqE&B!>};;-C#@2LndKicYDm)=8BY;lN0jkT%beGiGS*Ba#dC->-D3LH+W7kuI^)}&Ci4~ z{c2D`T17Th&<0EbC|PItfrPx3tfwI4Q1jF|Z0EMq7o|UyB!?KM z5Zmvu{&c$k(CZrw&VZB>4A>(%t~U1h*!1YUR@hwSn_t){hYlOb<@vTbyWI8llYIvs zEIKqNn8bAAkNUcS8ALu~CTLnOVZ>$6$r`kKsA z(fTP?8Bz2Ijr00ZMM@=*!DQ8R)3v%16TsHtlO8{69NG_=?350D{gxfOyWHlo@pGP> zfYWVul4s_S)2VwwT+|>erodiQkvruzs||Ui#c5!7uf{uB0lVcPdoVN! ztI|qN&x{1&%uk2|fiv2g4_)>)x_-jceBc(7naOya^A^0ZQQWH9@yND!i+aL-%Tp+5 z%pB6_u;1vN{z;WmKaDkG z9v13Dwjx;zv-+t=L2)>G3RpAx4=(@+1Tbwa(@t4QDWj?n@|T5Ni?L~G?LMGUWtfcb(+x=2tsa_wF{v{HJ+3$w$x2aT&OdCo1rfy>Di)RasVoNS=uJ#BvH5 zCN#`R*}}M2cdZU15QBswx=s7>zAY?Reg~TS7XOE%1lrNVHEW z`2A*eJU!z-Y@9e<`3zd0N^Xn4av6le{8Q;@?2Wi18Y&b|n7j*-a|LEY?CDKFdtloI zu(UYPh{37Y)nb{LqemqJNpC?=J-I}YAe@eVm=5*_++BVCygP68SCRL-_O8Rek+!{* zI3L6qlxEAl-vi;K$(*KskfBTk=x5YN=LnuMch6G!qg+LnQZ@fTxTr@M%=7r#T5;^~7tOTzf9L@x9{eYup0|JE!@6muh}9xv)hcFO{uI%aNWgW;`JAx<|S^mljy;`gPxq&>0-Hb#03;Bc9f-4dZf2~1tygWFakC(2}QMtCYoI1(0?44u? zo2rnSh|%bN*{Wxk&BBB-fR7;4);OBla;7c^W?%ciZYJv%e(g&u-Eau`|Fv{Z8*d+! ze^>9lx^1}|T6D|NXpzweYuOk9^4D`Nn_hMBRQ8rii+@-XUZ%=_I$N7VYAS?@ym@>+ zx(_qD?(_3?lVSX@^P?|nJSFLXZqi&wzr_*Z{u#Qlcph+|;~Ey|cPwaktOyqAj88+D zU*;}``WhLL(?H3-(N$W>3*TU+n+iyHxW7xK#tglhk>3o5siXR#`(tfQPx5fD12Ff+ z38erWVM9EFg^(>zf=t@!AciLNfQ;oU=aHccYp$5F-!gF6sI?expyj5ZcGNZhe>D2k zrKLXJH2nZO(U;-B6#kU?ZxPD;IHMej3Cs1FXf%H zbo);1ARo@aQK9M0b}TKI5TonSOE6BKLoFjV5GwZ2Td%?VpLk6k+W2E1K==M4wkvmh z*L2ulpM_&vRNUb@pr|W!ppt|Xy2u|VlUncMx@il+2Z?E9ju)7qZ)H_wSOgfzCehQCkVQz(AtZHL z^3pq&S|l)hlLrIJ@5=yxeW!ywbuojq=lkB5?Y4Uc4Zf32m2eCeuyV?Kfos1Sy(AFa zdPm=R`31{1d?Z+7@@Eb>6G`9={YZR{S?EOUKok;9lXd5)5l&r>dFLW>w!m5g0^9%? zd{-(sa+=5~=%^SPkGn$A-je&fXJpKqmg3ePaI1m~PwR zXK1vtD@n0X!gj`MF^uZd6yH$k$tY_+ZQoY!*4J|r65m1G{4n0pM4L4?_uk}XSR%b@ z*U?O3I@KSySm24mAz#JzCTIm~w_AMt5`pbk9}SSNRHe;F5P*oWd>V*D-{y0HJi9-u zO>s=N@3}>vd|knLTIC*roePj@mP`@WsJ|68HGYPrPulwbB>|0&3H<4PWfXR&BZvLJ zW$K{27otlx9@SO1pM0h^e3=2!O0;M9z7YK^0#$VxbSMGySAC$ID!LCa)3>YEIgC8A zK~?!~&|qUKcWy5uEAPeUTqpF(W-GTl__8{?&DH6CfR3V#vRxtO%IIM0UehbhF1Bp4 z!QwG7V5xNFg@8sl@yPXmYkm!}lfPlwb=O$ls8iIfD4rAn)Cj&X+jMG1m-t;z9ZYbC zM5M>!Vm|EeZwhK|etjs~Pt0OCSUc!frDCJ%F%=a-i>Jks(5^g zp2D7Cu-tm6Q{XJ75GBi;R#7s1scZ)fGuy0LcOS_xt@g%y+C&Z~&5daiPh*^(m@0^_ z0tP7A+0Wz4n-{IqrRa}DiLH`*pCY-PdjW26Wd?p`Q#h-VZMyKc_nf7wzpB$aCK%(Yp=5U`f|=yLQ|^*1O&2-QMa}e zY2kYM24E77qXfhF%pH6NIv|1xX(F_01D^mA>s}VNVy~=ZnM8W*E`8STZ>Se z1YiDYEb7~P#;57qFL}WNhJGe46wAueMX={5^w&9}(>q&aMkFX%x3;?k-X0Wo#JoRD z)kw6ype346&`D_U+y4l%B8hN!eypg5w6IiDPEa5G!H{`ee|+__Rj$u&eC(iTe0dC% z;$0>xM25kA=@_~V5GbJcW*832f*IC&ahiLs&oW0I*rvl#R;y|A%KODz=#Fl;x*W|s zWh@#bA~V+YTMm0t;<~ej>(3y8vXcx3%)ea2Cgy}XKg3Fo%TqW_i-zm!+bd=HZ`JKe z=j>SO^(j7hs>D>7-rsy&g`QBdPW*7^68}Fo>JzR1Y}6}rs0p_OFU`peNsdi9mT3jp~0?3^I55eps-*+;yB_hP38PhmNkg zV%}~T+9wb1jq?3dmxvmoH~hCS(Rb$b7*}UY+Y3+RWVG}kKC)-K8`cE!ozntmwH!-U z@c1#sw;2w%xykk`M9*BloLS?qF`Atv(0yE(JEQJ-htJIC%K=o`(Q`EF zq1Iw#(3cHDWN`eYDAoBuo&M_%%wGw5UqWq#6C+mV>8U_)6bCylow4w(=^nMFb>WG`!|05rhFXU31qC1jer+&RXfD*f9p%Tx9h0is6kHG^2xgrc=M zUz5YSr{f_9W%g5;3pwg9yX;fNJ{9 zu-y?qL!quPBR^jd--k|Y45R7D{}fQR2v0J^#q~*^i;a*s`9%8z8~V3L_T9f8*`(yu zDTb@7P{EMeo2Hu5%6A06k`=CYGdQ|N>QzUAAyaad)32d&>>mM%cRxnt6I;1pLOje8 z2Z_Tz_QE@$CrBH*YR4@j?*p?FRHPaLK%LLmj1u2~qySb4bJ$c5$OJ^eT#xSTn39e> zJ~yJIAhX9You#-2mc)2J5H@TyD_9CS@7b)_Pa~bjT9v<`gy+n}H;5K&Fjh zyY4xyz#G%pw-Itl9E}J%2x!`ntS+F64f!yY9p!Cp&CISTgL0I5($c3k2zBXz#XJxM zWuZD>nvY(pB?uZf?{`n*U?vO8HUBIh%xZ9v{#`#nDiQrYr|?f|z{tRbd#Iy}p2N-;KtM(HH8t@|`powjT*XC~pzqWhz1-u9*74um1$G=%q#8tK&V%y+IL7W*mr`@Q_| zy1&F@K3-hHMxO>HvSLhIf+~^w70~DzSO_GK zv}_J+PbK=GOsYrrP{S4K-Zz&c0OLZo?|cT%H}1zDbE#GYr)p#N7J(eB2So5waXiT zIs0wV*JQTcYr>_Bcc_%=@^6O`^DNV4k&}H8|N0#%L;j! zXyjGUyyA^g2MayvuA}z(>g+uk8B9fZVL}P4kaLgMu;=-uR+nD)Ni*@>Xf{xA2s^O! z(Z1hO?bRS|{dpy>7nrhjjn%*jzJ4ZZDP8JT$s_2M@`xLtj;%_{EAwz zC{al3S8)YHf5ejJk)dy~y7!p8f7P`G!%<`RmA>q4KFl^diVjK;ENqyFY(7cOOSGK! zrot{$hcMOW;(9m32n3H16j*s;1sF4*G0LzWfHhvY{X%t$%X#wj&E}t zCNl*rmpNQ?>>2?ty8{ib6Hs-C6VIt;;e*J0|G)KFPo-I6!A`XGd~2QuiJVmDb}3XD zs$y8R+>{k4wUj4|pGV0}W!q}tQVtq))D$*90N2E8yFKO2j=B=0nyc?X!#eBsq>e^- zwGJo91#ut;dXvy8Sg#`m6*PJq@MNZ zcZP*=9rlSnnYx<5bClWppo4#H6+=xRD4FU9LQgM-^b^~zK*PM_S2q#rhaL9^hDC4y z_1(vl>;FNHvk<^!W6VDl-<~m=3E98zn~S=ElOxAsyRTyVM?<=|U97?@sDMy~ip z%5=?bTY#RaE#UuzV7E@;rq^t&sQac0B}^Etiulw2^`zwaK92P(OG{SCk-f^o?e}#{ zOxxLam<;_@A7;(5$0M~;xh!YLv>UT~;G(~-cQsg764F^s^))`;epjRK=TRv^ov%%> z&&o+Se&UY72GRVbqcW55$kC>;jaW?X&G?bTvfW1L7K??oX~!gPrAzz) zgsvvdXfARofCLoSXvS2vm;5CpI0t|&>boXgYO5@Uims!qW555Hah^PfRg0Y738+5E zN&mO{;KM!OUeqJKa+l^kjkr!@3mY&Yn;)`nIFv^GpE}4Iaj+DQWzc3t{L z+aaUDiAr|e@pSL2L-2Y*^qKY94~@F}hB$WH6tTvOIzZ^kWM3P5kZ^h=N0_eovWkd@U_(P6HP;QB8$BM;RMW z?bfNGkSd?|< z__-B=g!1E1c5;b(d_h~`?~r7>Q`UdG+c%W-OszU+nM}}HwFb2%4HHIL+H@#yf+5j$ z9!3{iZ&s?2%MVXXpLZ;~OLkj2bjaZ9kBZB(q|{aJ$R8GqcSm&q_-Jb(+GR=&wg6=a z33vw={oYDn^v= z9ah{`w)`6wcnK$=D)7-%8$4PvZ%axEil(Z?myyEd?9vjkP$$3~DP$x0`+3ZBP95Gh zKbO!u`R*qXx9xL*-1z;xKz1ofOM;=Xp4TPb(oX)hNnGsyDf@ioUaw!K^vs)9d>;7$ zaOm9M#*#oiiFXG})*Pq%?U8R)XTL&CIWaYw2XZC$I5>ue0VKD7tZ*8qPXpj?G`TV3#Gxb zmQvIiwJzfX6A6~pcW1MU>T|3ir7vOdEym6_d>gD4=G)%U?o0OsKzDQ3xSg0e407wp0?q>Zlh`C~vW)&6dzp_=(iq zE&1Gv7DIcBTtG3$wCJ#ED#7rl_{);cQ#$=&`*?E^eo3RbEmU|!fYX?|DPVz=2;2Vn zadpb`nu@yCgFPYbJy#4uZ_1Dq`9Sf$4_F;;$MW2Fx3tx#q=q zG2)Sfp`at{+)XFG$QE`BU-rT@;-yTLC{V~IYA8wBzfS>weyZ7C!D*pq3J1c4oGLOg z60s=n86pua98qmeOWbftuhX|*tv1&*nax$u13l(^J?Pm93=tu*{C=yUui;KMaJ1AG zYW7T!Ps%oF=KN)C9rDE5&#<<0+gkyzxAbwvmxM`I%S~lSnauz37Ps}xVWF+qly~}U z7~XlCcBh;H)3z83lDJ>OAnk{;mf4&IRYR9i19=B|2Zx80rlzKZgv6PtuCgwpo@amF zWafOWB9hUz27I{_yKd}Ebii`+;mja0Gj{X-tKQi%{*FI$%jbh=_zS>rYE^-9%V;OU zRT?!76i4QBuTB|Cl7ug2!HMN*>a$$Dn6~^57`%TV1N;=6u^^+Ho#Vk*{?hgjYY>}yPXJq6)@l>{F49>@omNW7`spP$K*|YFfz5&a!W;+@9lFzX{#z9; zDAw_qL~Z}htlPtvi`8vA@7Iq3y8|DCjK-WbURh>#on$Y_RKUKsQL)w6-g+5+jGGTV z5Zm}zA}a7=|5N+GZblqj&3Js1w?$FR`PS-szc*jOVyQf&nO*JS`{Wl#$16qT3l}f1 z5;d0fQN@LYcI_yirK|VQ;ij57%ZSM1rXai##X(5UlxgBgTJEeKju%4sD7!iAt=8c8 zyme9&6O(xCR$~p7T|ID&QR^;0_>+~EBv^glX|dusSYQE!hzj^p%4$Ae;5UAx_0Q0> z4+5BtV zyee$<)Pz(nLc#lcW}{ESoI2T(r_0!p{G0QKc?`sW8WdA0X}ro6OMzOD!*EtW=4#K? z#RaE$QjaqMImTDB1a`+m3IPU1gZ$FL-rJ&ip_rYG8j9K52b(U-1h!Wz>c^)B)Vx!Pt$<;5I)6L_!D!>xiI8b6*fFC|SP~$Lvgj;S)oL-I0B1S;ZI1 z=dRu_{3_jU#nqQZl?C<%Tv0PW*4Oi^zWEKx&Om|H#3Xakrf*ri_Gnm^t&$VpV{x2< zjFhliFJ^}uXJE(z-q1(o{Kd$Z*!KF z$qv=dE#)Z4(a(iwNNd>h+RHOEr9_o7Ad!_66T_N+0;d~pZJ;^JvsTz?BzRjRZ!c^h4sstT-Q zH$YbMCm>itrr8_ZMDUl_X`dUCU=snBEP!nBcdMXovF*dHr-rh$@@Xeb>D;)THo%Vw z7mK>hz+^@1rXVUJY#H-HBODoHN~{}mcS+_XT_7z#rD!m7bYkG7>-oO!!^zFJSZJ@3 zaphP&uoh~{N{@_{$k<6cq(Hv7sL1`2vX#Y**|AKJ*ChI?}A^%BMHn$;g6|F2sn1{?^)fYi*$Ai>GI1onacrsle(J-LsVc2_rgN?C6C`~f1!-e zlpjB~82dCS@z#x#%W{JD&c-5b(>H&lmy7my`MW-3&CvPWal2IN`T?41>}0jY-%Sw< z5j`hdq;gKt)=cBMk6bmV_v&@&RG5b7<(sz6GxR%h_Lkfn|rTxW>woc$l?W9fMD&ceR7CB8}-z-d7 zM#z}PQ7Z*993-t*@-lSuGWmSqy}`p%t%t5OWWG}j-==@%;zV5CQ!$TucKrhpabRpE zVL*_MYQ(MM;nzuEuF%sWL8rshV%DbG#}srUQgK7WF1JudUN z16P>e<1Tn*<;MeB=}{V^)8{tBdqLB^BHI$E_`P58cODzw>$B=>UF{Qh=KPYNis|?v zIpQLGwr?HO5c~a&0KA+#6PzDBFELE9=Mrq+7lV_fjy4Msx#ax|)`|z&7AE*}Ku!#t z%vfXQSmD@u`A^%_%cBih9E&9k3)OzQNR(N>*ujg@`z&1`A&&$R=;q1ikHY1!3#9k1 zUK>@$cz$Ns`OEl$X${kpwcNKOxE&4|`qkC&C}A(`ahglya!==JqQe)U@@g0WW`31pKr$HOd=tZ>%$ zvY|AkNHQx42WigqFaqSWwwC=EoadhZE~28xdlFKK*v)?Cg|M5dmV|AxkE6+YJxE_R zEaRjfN|8Wkr5$PwCe}2f``A{A6*{JE<+pcHydw%HBd-e7BsI?07iyzaW+RY^7@p1x zUOZEJFZ_@^bXP0V;W2Cq%!0oS^;kXGYN)Q9;a_Wv=S6X5v@qzDz+z<587RS_vHRZ0 zW8czwkXD~o1QspK#e0{oY;6}KgL#S8hPKFL@QhJjSsOU@%S9gCt01nPZod{t9dCQ` z_O9JdQ6(yt=5e|moWlI(f$@==yZw(?@#7CuB(-8vejnS#bQst5t5NXL7CPvddH&xt zm@9!#y5?z(xvS6`(Ow>Hzq?;BKF^IcnuVWehZ{LLi&xcv#K2xEBIa_*w8HjwnrARx zsgAe^#$RN-4L~0OK;@DZ#F{aWlRVtM*;najXh$s}sTB!*fB#Nn9@CqY!%w*QFMSMu z0X2VB?N_!`T?4VhI#{bxe|bnqU>_Y+I$W!RD3vq&tr(_{q)5Y}-KneD@=A(arfFb( z47Fk&+A|39cbecvEYDnV-(}}ZA9MR|S1>qLW}0a0#pvK#*)oGL!6!DNVtTOciPKk z9(~U-f|8hNhG=hq=cO(z$Ft|Rn^0TxI{~qa;GkQYH=@sVoAdIyNEj3dPc}X(B943#x++?g^@`x^LG>3no-!4xZ->R}O6OKHHJr;wP&)nZi3uLB+|3j% zJwIGtQxfobHjWdn-FOk*oRZVcPvVgk8>z4PS-aorjHItMa0>Uw{||hSw?6(9xZi9v z-b+0Z0+VTTTfxgC9Sek|A*t^*@QmuRQf-7fO-2$5($2_p4I}6dB?@<`>Uh~DWrykY zTCEO=@Jr}8x7M9~khY)u@1HIhwj3BY#SxB?(FfoXC$2tNvb?7CDm7mj6tU~YYbXxQusbma?%pUwOPqOHye#7w}t#`Q3=9t9^-CjKc zhO5zACx2czXFs0&!%rXV;85@&pTJk0VaMkh{k|=Ly03)X?kC6DMOgy(`gP)q4o*8L zwfS|;?-GIY+gA%0(AHWl0rRb@pn)p8thSvyf1CT?5zmR0y<|+dzX`I0p#LPuGJJT> ztW4%C{8eC!qrdjW*1tO_*ZZUe=xrOb_-LsjD?39$#(l4;5?Ut718>RAfqw$F(Xq1lWZdb*BcbOl(j)+CxyOvE&uojuT<9#!K@-dvQ`gnSUC%$PElO$Gy^L1F&AolOw zfsCvQq}R-p>mEuU`U)-J^MYR+TU&F6iNz~VH5had-j68AonJoP_4902DmnOQur(2O z)SVA^*|H%&H(&f-xuo{1P&g6Wa|>wl^+41AqXS$!;Adw2@%-(qV6BnhfDBgTyn8hedQk3cn{&_M5fual*>}fJ6TMevJ7bY^=2aq#zTddb z9S1^Gto&M4oJBRqGT&YEHz{U{@B6lCZV4pO(Lve~{TD?z_GlWE|aQ4Ce*lBq0~>Wt}?PjuaG1MWrL=G#kYURBt@Zff$;m zd+Hy3dlD1A^T3GD*X!KcxsQv~h_}9YWBU*gk%_yxp02e4H&>#yX{(Eb?8-G*JGV(7P$}3&p4e5E`NIcyEU*UCoj0ruh8Cv}8d#^iq ze)vvCe%WS`cPCCs$in##ndCB@@L$Iw2>_1SIh6EOjqL?HLQX=rc7NFOZ8Yz~v#Q9N zU2Y*5{d+}Gv%l;n7xXiA;Op1H!9O*D3{RFgZ;a{w%IQ?v3;d^hggzR%oXlKX5*b5} zmGu7#?#03U-@(1WL4lSa-HB|c@S|_-4e^`tX$HuAo+0X-dC?W^Wv#7EOH(!T13A_IH{h4(ACHM=F3Gfas)S~DaKQD?cz`3#bG zcTEzaL`P9yTu00I(#@;cWLSBr$nt9^<`onSddj?FGQq;0Ycv}bd)mXam;+FDws}AQ zoTdBABWNFX9Mcu&?n&)ki#UILX0Ga11vj~*{>X`W(edSb(>HIU6LOiOYi1$W602i_ zCewN(%;);nb4fBL{`1nu$LL=Bick1?;re@Z!~L+n)kZY`xSHP!GBQo=v^2lues);z zGdFvs%pA2+xX*5MxZ&!6u8&xRCpv;CqeiA4r;$D&S0D;Q(XQN_jBv=Kxc}rz1};G> zVC^T?XF>uO{E@l$nFBcW*efh6SIe#H1N-W1K%4@@$2RJJQ!Mw5>+iWG z2MVg;BH|5>?f?H|HT-=u_l5>?dTgx^Z%rN>pGl9b;KDil@_&;%Sy%p_2}RaVG(+zN z-KTvAzrX3P_OhBvUb}TyJb7*cXugjf;F%Dy zulaT?G-P>ru8!wJfGY`dCb7D!0WNKlrxfw)wb2gBzB`=#*4>`e+Z_KB{L;W^l18f# z!9Tj10)M`3CW>~+_Kf>+3(cGW#aF+>1Zfb~gKG;sVh*C#5&e1f`8io_NU~$Syvb^Q zWRshUo61V__J8o&y9$qNO`Hf8Hmn~l{)ZIwY4v$of z{J<+Lz{O}t*4n-6GCaigh)^s>L_o+hyFJ^;k>9)D!BBtozhMjl<-eY8oyKODjIFz* zS-Zq5QN;lzr^y0@Bn-o z0y(ywoLKF)+D)&RGq*Z!xc2`K2MExypB$L!{DCf!=1m*%riQt>)^z&unVl{EQ09`S zvVPHw;;445Pfy;(O^(se%<&@Nx8t&0X$q4$y~8{yaVSOf+5Gh$7uVs39MFe6h1Mgh zT)gJVQ2-K^tb4v6LjuT^q5agrpyo;53b}`DxdlrTxSTCgMbTaEiu6glm?-z4kc#HM z^3fU;7qCH@hxtwAIek6MP-^sxWCtgiv(1tSKm9Wrf$+GM2@M}|t^;E9>*szxF65*> z5Zjq`az8GS_+zo}Z8O)#Hg3iqw)Aux%Npl#@9h$%kN3dGHpKE2g9i1`dpF+%BcV%?PiqU@9c6dW5${1#DKW`!R7;1~L3mhiSr?$zsCPV) z|Hxwpv@Cp()dYts?i%yyC?}QE_c}aw^X>OVPKy+OgP`6f{0V{zXWEaCc-9P^OiD8+ zp3WZ7kMG;2ioKHlWOll9TUc93nxWNgpm*^4)UGYl&WECK;n2%n`iqA?h3gis`On6d zN+TtnAJ6sOi~}bV!!l(5+lY^_gz_&n@<%}i|6r6p&dm_wy>S8I18AXHMo81Nv4|tUXvb&iBBB-)BgK;7vVq33QdtCIAW6$u@AjId{fWO zHer1>0HAH!IKE5B1$kb)AtDjyucjSWVj8bDhi3>1^_|wX<+gM9oQ2eijfa<-oE)M} z$M{U8K?r(oHTehI^8DfB6|$OC@W5;%g{)E*dy(>6am4*Fk{J8qB$=@qolo{J$pfZ` zE`PCw4V90pf2k&%EG3Ys9n1kfs)joKhx_IdU+t3e+*su%IKy1H zyPON@#R1{4V~$YldttBrQYE%l+8|_5MMXmm84ur67^r$5z$`UHf?Z+GxZ1GfSQ3Cx zkJA2!2R#xfUv#EL3K8}?i~@K8*(TwT=Q|4VeQQg_Kd4Ng(2v-zRQS$?HR^LOwu^2D zoOflK`+2D58V^7_Q}5HM-F;m7F}5?)?e7e1w0?}fCVj7O@rJH*0 zqksJY@2$9T_wZT}=c4G;s_Ruk)LHGPnwM;m(aS`lXk&t)h zVrwpF`nUVUmfRjXHD@J099c00S}W6bn(0gf!s z7n7HJX|Bm+SkfkJ>IxmE0M zhN$#c{fx|kHy8=CjhrwCKZSo+!1nlIR%$f+Odf4FyKc1A?1Yx>7DGWDZC|4(PPShN z6S)B4F!QD(0|VB=NzC`P%)gr-A7+`a-5)JE&TH*2dAdb0{h){}pe0{hYr7h+`(1}@ z^R)!z3OMDM5WMPjH*;IMKN}4`)8;z9F0I$J*RwJ%q^wM%xUXnmyy)Q1y4{DGXeG3E zuA8b8wN4PN`%KjWSIO(xHP^!vy z6?Q;Mt5rfw!cN|xdecwfdosq67z3cgL+h)B5WiA#y>#^?*OLv~1w{ySEw21Yn`c99 zQ^gMxkAC=W=kfLxS9yXjLtCh5F-V#*P9EvwCMu4_Y^&x-XvWJ3_(14_EuRkztdLT@ z^u(q>n`6-5YI?@xe?oY)l$6t>Q zVz>6dgm?B3VL;v8P`k3Db%i@lOmk9)Aba>mY~bij=Sirk8fv?pJ-8#75Kv-4;Cd?b z zt^6W+LSt)+n`+|XQ!M@9YyLXxtJ7C71iu|U5#<6l!kO{L7ad@1)UGq2Sgi`7Fs3)`hC^DWdocKY<;YU2*5%Q7oa{>Ff$%?rFhAUG09Wg(2chlidPE$BFtx047N3>=S*`ql(lsA zox5*H2e3ene-+TK>xr%F3$S`gX-|`I#cHX$vrb|!m`2;_#x!lF8fz-K>&?xgzjMg(6{z1KP3jOjGqyyva3$K%1FBlT499z#PvKK}_;urst&sIYJ;N{?}l zW3C)I^P%Z{y;gV}j-@BHQ|NnnbAuWeJv2CGUSgplFpnp|I*R7iiMtYK~;pEZRF zBfg&*{%Rhl-|<#qXjoHyft{7R-rdE`*?CHJ--jyZh=g+8+mdf@TrW=7w^NAkXo&+9 zUb6VRoua5Lv{tL9Um>H>;?ydynA}#R%LgYbbSA|%0)i*?<< zfiJ5?DJT+ErconhOT6V(plsF_Q@!g`bG4j|=k`g#sFw$kzx(4yPmGzBtf592*r zW*>~C?EHEaYvy31Y35X+I!xY?BU)jjE{T zb>~+CFF7}XDfn!_fy2{-N6}C25tVaYL z)vg6}1xUwGtpOrRh1*b;G?Le({qKx7PZPqH8K5V21;}L!4Gd_~jZ12WlfZAMIggg$ zbXT8;!_Gp_nY}MMQ)gE|)8e@^ANaA7l(r&7n4x$W(wyqscH@Vu=lBegR_kfL7`>M( zQX;gpuVPu3l+-;K67zmqZ33jYQ+Tc(mkYJMz4r9!Xi0DNxW6QxUYO7vW;79d0cVi; zH8em1WSHM4)i=p{z+;ARgPo)98k?TAA}s(c8yV!+TxnLGc#82FZp9a&t>tjRVTxm3 zpH;opm(~}Z7@hYHugsg9!q-4!DlOjOJ`zkV&0Q!Hb3ZDT9wAS4gB)k}R*E!=tf)I9 zGN|Z`rK&$~xxKbZ4oI?#Hc1U*lj@w`wHu4G1J}xBT2oA{rd@7KlY&)!#d1o;m6fM5 zdF=0Ewjc6*BFiw}MBNC$(r!kY;?uBGHq#e&M?L|Z*?`thS9@Gu>i&)uWiLmAe&SJl z_04V4#11CcU4bhhg~PZjf)QQXZ}sZCtCCXa>!A!3uYkyff$wP8sVBZ$ znln1QNzdXdR2rxkNmpAEFdSg6B4RiXV^vsKY}eyCT5^BtZqc_>1m`!?VAo{}fho)0 zVAOqXr;YkT>T&oz8oQ{ew&>heHxHWApRAVjsqxU)SxizBLxpx!f3qEj5HILJPa=TA|ohN(~FgM5`g0T~}prl#7>@!O9 zeaC!y7T11_e|Rk^N4Xd|WBEvdfyMovoIkEjamk#AStY#({g_+ zc-VR4PEJmmc99gBYrdQ@<6&CQ8%5TvLWp$mOjCB}SPP4q$=+h6T8U;tBi2ph?TyQ9 zMBTU9f`UzVa`)3aK_3!IY~4cZ(R=5W2gmmm){zE=BvjX#Zp}6J`oIVs4+%9$flpWKZ+1A=<1J_Q0)a`&i(BgU?R$Z z2+*bIeFDo(14O+3WAs1%7=I0UT619IjavC$q!4FN1TLvBn!Gkrt5~z!f;v;QI z0O!Ad_XXTDxBhh!