10.0
17 Commits
| Author | SHA1 | Message | Date | |
|---|---|---|---|---|
|
|
41b77821cf |
treewide: kzalloc() -> kcalloc()
The kzalloc() function has a 2-factor argument form, kcalloc(). This
patch replaces cases of:
kzalloc(a * b, gfp)
with:
kcalloc(a * b, gfp)
as well as handling cases of:
kzalloc(a * b * c, gfp)
with:
kzalloc(array3_size(a, b, c), gfp)
as it's slightly less ugly than:
kzalloc_array(array_size(a, b), c, gfp)
This does, however, attempt to ignore constant size factors like:
kzalloc(4 * 1024, gfp)
though any constants defined via macros get caught up in the conversion.
Any factors with a sizeof() of "unsigned char", "char", and "u8" were
dropped, since they're redundant.
The Coccinelle script used for this was:
// Fix redundant parens around sizeof().
@@
type TYPE;
expression THING, E;
@@
(
kzalloc(
- (sizeof(TYPE)) * E
+ sizeof(TYPE) * E
, ...)
|
kzalloc(
- (sizeof(THING)) * E
+ sizeof(THING) * E
, ...)
)
// Drop single-byte sizes and redundant parens.
@@
expression COUNT;
typedef u8;
typedef __u8;
@@
(
kzalloc(
- sizeof(u8) * (COUNT)
+ COUNT
, ...)
|
kzalloc(
- sizeof(__u8) * (COUNT)
+ COUNT
, ...)
|
kzalloc(
- sizeof(char) * (COUNT)
+ COUNT
, ...)
|
kzalloc(
- sizeof(unsigned char) * (COUNT)
+ COUNT
, ...)
|
kzalloc(
- sizeof(u8) * COUNT
+ COUNT
, ...)
|
kzalloc(
- sizeof(__u8) * COUNT
+ COUNT
, ...)
|
kzalloc(
- sizeof(char) * COUNT
+ COUNT
, ...)
|
kzalloc(
- sizeof(unsigned char) * COUNT
+ COUNT
, ...)
)
// 2-factor product with sizeof(type/expression) and identifier or constant.
@@
type TYPE;
expression THING;
identifier COUNT_ID;
constant COUNT_CONST;
@@
(
- kzalloc
+ kcalloc
(
- sizeof(TYPE) * (COUNT_ID)
+ COUNT_ID, sizeof(TYPE)
, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(TYPE) * COUNT_ID
+ COUNT_ID, sizeof(TYPE)
, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(TYPE) * (COUNT_CONST)
+ COUNT_CONST, sizeof(TYPE)
, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(TYPE) * COUNT_CONST
+ COUNT_CONST, sizeof(TYPE)
, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(THING) * (COUNT_ID)
+ COUNT_ID, sizeof(THING)
, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(THING) * COUNT_ID
+ COUNT_ID, sizeof(THING)
, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(THING) * (COUNT_CONST)
+ COUNT_CONST, sizeof(THING)
, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(THING) * COUNT_CONST
+ COUNT_CONST, sizeof(THING)
, ...)
)
// 2-factor product, only identifiers.
@@
identifier SIZE, COUNT;
@@
- kzalloc
+ kcalloc
(
- SIZE * COUNT
+ COUNT, SIZE
, ...)
// 3-factor product with 1 sizeof(type) or sizeof(expression), with
// redundant parens removed.
@@
expression THING;
identifier STRIDE, COUNT;
type TYPE;
@@
(
kzalloc(
- sizeof(TYPE) * (COUNT) * (STRIDE)
+ array3_size(COUNT, STRIDE, sizeof(TYPE))
, ...)
|
kzalloc(
- sizeof(TYPE) * (COUNT) * STRIDE
+ array3_size(COUNT, STRIDE, sizeof(TYPE))
, ...)
|
kzalloc(
- sizeof(TYPE) * COUNT * (STRIDE)
+ array3_size(COUNT, STRIDE, sizeof(TYPE))
, ...)
|
kzalloc(
- sizeof(TYPE) * COUNT * STRIDE
+ array3_size(COUNT, STRIDE, sizeof(TYPE))
, ...)
|
kzalloc(
- sizeof(THING) * (COUNT) * (STRIDE)
+ array3_size(COUNT, STRIDE, sizeof(THING))
, ...)
|
kzalloc(
- sizeof(THING) * (COUNT) * STRIDE
+ array3_size(COUNT, STRIDE, sizeof(THING))
, ...)
|
kzalloc(
- sizeof(THING) * COUNT * (STRIDE)
+ array3_size(COUNT, STRIDE, sizeof(THING))
, ...)
|
kzalloc(
- sizeof(THING) * COUNT * STRIDE
+ array3_size(COUNT, STRIDE, sizeof(THING))
, ...)
)
// 3-factor product with 2 sizeof(variable), with redundant parens removed.
@@
expression THING1, THING2;
identifier COUNT;
type TYPE1, TYPE2;
@@
(
kzalloc(
- sizeof(TYPE1) * sizeof(TYPE2) * COUNT
+ array3_size(COUNT, sizeof(TYPE1), sizeof(TYPE2))
, ...)
|
kzalloc(
- sizeof(TYPE1) * sizeof(THING2) * (COUNT)
+ array3_size(COUNT, sizeof(TYPE1), sizeof(TYPE2))
, ...)
|
kzalloc(
- sizeof(THING1) * sizeof(THING2) * COUNT
+ array3_size(COUNT, sizeof(THING1), sizeof(THING2))
, ...)
|
kzalloc(
- sizeof(THING1) * sizeof(THING2) * (COUNT)
+ array3_size(COUNT, sizeof(THING1), sizeof(THING2))
, ...)
|
kzalloc(
- sizeof(TYPE1) * sizeof(THING2) * COUNT
+ array3_size(COUNT, sizeof(TYPE1), sizeof(THING2))
, ...)
|
kzalloc(
- sizeof(TYPE1) * sizeof(THING2) * (COUNT)
+ array3_size(COUNT, sizeof(TYPE1), sizeof(THING2))
, ...)
)
// 3-factor product, only identifiers, with redundant parens removed.
@@
identifier STRIDE, SIZE, COUNT;
@@
(
kzalloc(
- (COUNT) * STRIDE * SIZE
+ array3_size(COUNT, STRIDE, SIZE)
, ...)
|
kzalloc(
- COUNT * (STRIDE) * SIZE
+ array3_size(COUNT, STRIDE, SIZE)
, ...)
|
kzalloc(
- COUNT * STRIDE * (SIZE)
+ array3_size(COUNT, STRIDE, SIZE)
, ...)
|
kzalloc(
- (COUNT) * (STRIDE) * SIZE
+ array3_size(COUNT, STRIDE, SIZE)
, ...)
|
kzalloc(
- COUNT * (STRIDE) * (SIZE)
+ array3_size(COUNT, STRIDE, SIZE)
, ...)
|
kzalloc(
- (COUNT) * STRIDE * (SIZE)
+ array3_size(COUNT, STRIDE, SIZE)
, ...)
|
kzalloc(
- (COUNT) * (STRIDE) * (SIZE)
+ array3_size(COUNT, STRIDE, SIZE)
, ...)
|
kzalloc(
- COUNT * STRIDE * SIZE
+ array3_size(COUNT, STRIDE, SIZE)
, ...)
)
// Any remaining multi-factor products, first at least 3-factor products,
// when they're not all constants...
@@
expression E1, E2, E3;
constant C1, C2, C3;
@@
(
kzalloc(C1 * C2 * C3, ...)
|
kzalloc(
- (E1) * E2 * E3
+ array3_size(E1, E2, E3)
, ...)
|
kzalloc(
- (E1) * (E2) * E3
+ array3_size(E1, E2, E3)
, ...)
|
kzalloc(
- (E1) * (E2) * (E3)
+ array3_size(E1, E2, E3)
, ...)
|
kzalloc(
- E1 * E2 * E3
+ array3_size(E1, E2, E3)
, ...)
)
// And then all remaining 2 factors products when they're not all constants,
// keeping sizeof() as the second factor argument.
@@
expression THING, E1, E2;
type TYPE;
constant C1, C2, C3;
@@
(
kzalloc(sizeof(THING) * C2, ...)
|
kzalloc(sizeof(TYPE) * C2, ...)
|
kzalloc(C1 * C2 * C3, ...)
|
kzalloc(C1 * C2, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(TYPE) * (E2)
+ E2, sizeof(TYPE)
, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(TYPE) * E2
+ E2, sizeof(TYPE)
, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(THING) * (E2)
+ E2, sizeof(THING)
, ...)
|
- kzalloc
+ kcalloc
(
- sizeof(THING) * E2
+ E2, sizeof(THING)
, ...)
|
- kzalloc
+ kcalloc
(
- (E1) * E2
+ E1, E2
, ...)
|
- kzalloc
+ kcalloc
(
- (E1) * (E2)
+ E1, E2
, ...)
|
- kzalloc
+ kcalloc
(
- E1 * E2
+ E1, E2
, ...)
)
Signed-off-by: Kees Cook <keescook@chromium.org>
Signed-off-by: Adam W. Willis <return.of.octobot@gmail.com>
Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com>
|
||
|
|
92090a5823 |
Merge remote-tracking branch 'origin/q' into auto-kernel
* origin/q: f2fs: compress: disable compression mount option if compression is off f2fs: compress: add sanity check during compressed cluster read f2fs: use macro instead of f2fs verity version f2fs: fix deadlock between quota writes and checkpoint f2fs: correct comment of f2fs_exist_written_data f2fs: compress: delay temp page allocation f2fs: compress: fix to update isize when overwriting compressed file f2fs: space related cleanup f2fs: fix use-after-free issue f2fs: Change the type of f2fs_flush_inline_data() to void f2fs: add F2FS_IOC_SEC_TRIM_FILE ioctl f2fs: segment.h: delete a duplicated word f2fs: compress: fix to avoid memory leak on cc->cpages f2fs: use generic names for generic ioctls f2fs: don't keep meta inode pages used for compressed block migration f2fs: fix error path in do_recover_data() f2fs: fix to wait GCed compressed page writeback f2fs: remove write attribute of main_blkaddr sysfs node f2fs: add GC_URGENT_LOW mode in gc_urgent f2fs: avoid readahead race condition f2fs: fix return value of move_data_block() f2fs: add parameter op_flag in f2fs_submit_page_read() f2fs: split f2fs_allocate_new_segments() f2fs: lost matching-pair of trace in f2fs_truncate_inode_blocks f2fs: fix an oops in f2fs_is_compressed_page f2fs: make trace enter and end in pairs for unlink f2fs: fix to check page dirty status before writeback f2fs: remove the unused compr parameter f2fs: support to trace f2fs_fiemap() f2fs: support to trace f2fs_bmap() f2fs: fix wrong return value of f2fs_bmap_compress() f2fs: remove useless parameter of __insert_free_nid() f2fs: fix typo in comment of f2fs_do_add_link f2fs: fix to wait page writeback before update f2fs: show more debug info for per-temperature log f2fs: add f2fs_gc exception handle in f2fs_ioc_gc_range f2fs: clean up parameter of f2fs_allocate_data_block() f2fs: shrink node_write lock coverage f2fs: add prefix for exported symbols f2fs: use kfree() to free variables allocated by match_strdup() f2fs: get the right gc victim section when section has several segments f2fs: fix a race condition between f2fs_write_end_io and f2fs_del_fsync_node_entry f2fs: remove useless truncate in f2fs_collapse_range() f2fs: use kfree() instead of kvfree() to free superblock data f2fs: avoid checkpatch error f2fs: should avoid inode eviction in synchronous path drivers: rmnet: shs: Remove unecessary dereference Release 5.2.03.28V qcacld-3.0: Update opclass and others param in pilot frame Release 5.2.03.28U qcacld-3.0: Don't update recovery in progress to false post SSR failure data-kernel: emac: Enable LPASS connection based on dts entry. data-kernel: EMAC: Fix unmap for RX DMA buffer in context descriptors data-kernel: EMAC: Fix the output of ethtool for link settings Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
4be7e60f67 |
Merge tag '1296c81909bebd0c9057ec57be7da0afceff3c1e' into q
"LA.UM.8.13.r1-09500-SAIPAN.0" * tag '1296c81909bebd0c9057ec57be7da0afceff3c1e': drivers: rmnet: shs: Remove unecessary dereference data-kernel: emac: Enable LPASS connection based on dts entry. data-kernel: EMAC: Fix unmap for RX DMA buffer in context descriptors data-kernel: EMAC: Fix the output of ethtool for link settings Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
8bd24b6618 |
rmnet_shs: Fix CFI violation in packet assignment
This fixes the following CFI violation when the rmnet_shs module is loaded: CFI failure (target: [<ffffff9cddd1e27c>] rmnet_shs_assign+0x0/0x9d0): ------------[ cut here ]------------ WARNING: CPU: 1 PID: 0 at rmnet_deliver_skb+0x224/0x24c CPU: 1 PID: 0 Comm: swapper/1 Tainted: G S W 4.14.186 #1 Hardware name: Qualcomm Technologies, Inc. SM8150 V2 PM8150 MTP 18865 19863 14 15 (DT) task: 0000000098c067f6 task.stack: 00000000289c42de pc : rmnet_deliver_skb+0x224/0x24c lr : rmnet_deliver_skb+0x224/0x24c sp : ffffff801000bc10 pstate : 60400145 x29: ffffff801000bc10 x28: ffffff9cdc68e798 x27: ffffffe5ed28e090 x26: 0000000000000000 x25: 0000000000000000 x24: ffffffe585b41ca8 x23: 0000000000000001 x22: ffffff9cddd1e27c x21: ffffffe5f40fd100 x20: ffffffe5dfb95000 x19: ffffffe4eff9d500 x18: 0000000000000002 x17: 000000000000009c x16: 000000000000009c x15: 0000000000000068 x14: 0000000000000082 x13: ffffff9cdefaec08 x12: 0000000000000004 x11: 00000000ffffffff x10: ffffffe5f5200000 x9 : 99d99e2e2d2e1900 x8 : 99d99e2e2d2e1900 x7 : 0000000000000000 x6 : ffffffe5f5209fc2 x5 : 0000000000000000 x4 : 0000000000000000 x3 : 0000000000003a29 x2 : 0000000000000001 x1 : 0000000000000000 x0 : 0000000000000046 \x0aPC: 0xffffff9cdd12b3fc: b3fc a9424ff4 a94157f6 a8c37bfd d65f03c0 91246100 aa1303e1 9431af1a a9424ff4 b41c a94157f6 a8c37bfd d65f03c0 900091e0 91188000 aa1603e1 aa1603e2 97d8aba3 b43c d4210000 17ffff9e aa1503e0 97d9478c 17ffffa5 aa1503e0 aa0803f6 97d94788 b45c aa1603e8 17ffffac d10103ff a9017bfd a90257f6 a9034ff4 910043fd aa0003f3 \x0aLR: 0xffffff9cdd12b3fc: b3fc a9424ff4 a94157f6 a8c37bfd d65f03c0 91246100 aa1303e1 9431af1a a9424ff4 b41c a94157f6 a8c37bfd d65f03c0 900091e0 91188000 aa1603e1 aa1603e2 97d8aba3 b43c d4210000 17ffff9e aa1503e0 97d9478c 17ffffa5 aa1503e0 aa0803f6 97d94788 b45c aa1603e8 17ffffac d10103ff a9017bfd a90257f6 a9034ff4 910043fd aa0003f3 \x0aSP: 0xffffff801000bbd0: bbd0 dd12b43c ffffff9c 60400145 00000000 1000bbb8 ffffff80 dd12b2b4 ffffff9c bbf0 ffffffff 0000007f 2d2e1900 99d99e2e 1000bc10 ffffff80 dd12b43c ffffff9c bc10 1000bc40 ffffff80 ddd18d48 ffffff9c 00000040 00000000 ddd18338 ffffff9c bc30 eff9d500 ffffffe4 85b41c18 ffffffe5 1000bc50 ffffff80 ddd1a390 ffffff9c Call trace: rmnet_deliver_skb+0x224/0x24c rmnet_perf_core_send_skb+0x138/0x140 rmnet_perf_opt_flush_single_flow_node+0x624/0x668 rmnet_perf_core_deaggregate+0x194/0x2c4 rmnet_rx_handler+0x17c/0x270 __netif_receive_skb_core+0x50c/0xba0 process_backlog+0x1e4/0x3d0 net_rx_action+0x134/0x4f4 __do_softirq+0x16c/0x344 irq_exit+0x16c/0x178 handle_IPI+0x220/0x2e0 gic_handle_irq.16379+0xa8/0x180 el1_irq+0xb0/0x124 lpm_cpuidle_enter+0x33c/0x358 cpuidle_enter_state+0x220/0x400 do_idle+0x430/0x5f0 cpu_startup_entry+0x74/0x78 __cpu_disable+0x0/0xf0 ---[ end trace 6e7b287874dec53f ]--- Reported-by: Adam W. Willis <return.of.octobot@gmail.com> Signed-off-by: Danny Lin <danny@kdrag0n.dev> Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
9fb852d44e |
rmnet_perf: Fix CFI violation in packet deaggregation
This fixes the following CFI violation when the rmnet_perf module is loaded: CFI failure (target: [<ffffff9cddd181a4>] rmnet_perf_core_deaggregate+0x0/0x2c4): ------------[ cut here ]------------ WARNING: CPU: 1 PID: 0 at rmnet_rx_handler+0x240/0x270 CPU: 1 PID: 0 Comm: swapper/1 Tainted: G S W 4.14.186 #1 Hardware name: Qualcomm Technologies, Inc. SM8150 V2 PM8150 MTP 18865 19863 14 15 (DT) task: 0000000098c067f6 task.stack: 00000000289c42de pc : rmnet_rx_handler+0x240/0x270 lr : rmnet_rx_handler+0x240/0x270 sp : ffffff801000bd00 pstate : 60400145 x29: ffffff801000bd00 x28: ffffff9cdc68e798 x27: ffffffe5ed28e090 x26: 0000000000000000 x25: ffffff9cdc68e9cc x24: ffffffe42fd6b900 x23: ffffff9cde829f30 x22: ffffff9cddd181a4 x21: ffffffe5f40fd100 x20: ffffffe5dfb95000 x19: ffffffe42fd6b900 x18: 0000000000010000 x17: 0000000000000008 x16: 0000000000000000 x15: 0000000000000008 x14: ffffff9cde85d990 x13: 0000000005000000 x12: 00ff00ff00000000 x11: ffffffffffffffff x10: 0000000000000008 x9 : 99d99e2e2d2e1900 x8 : 99d99e2e2d2e1900 x7 : 0000000000000000 x6 : ffffffe5f52091f1 x5 : 0000000000000000 x4 : 0000000000000000 x3 : fffffffffffffffc x2 : 0000000000000000 x1 : 0000000000000008 x0 : 0000000000000051 \x0aPC: 0xffffff9cdd12b8bc: b8bc f900051f aa1503e0 aa1403e1 940001f9 b4fffe60 aa0003f6 aa1403e1 94000015 b8dc eb1602bf 54ffff01 17ffffef 900091e0 91188000 aa1603e1 aa1603e2 97d8aa73 b8fc d4210000 17ffffcb aa1503e0 97d9465c 17ffffd2 aa1503e0 97d94659 17ffffdd b91c aa1303e0 |
||
|
|
4614a8c871 |
Merge remote-tracking branch 'origin/q' into auto-kernel
* origin/q: cpuidle: lpm-levels: Fix clock prints in the suspend path sched: Fix out of bounds issue in for_each_cluster macro sched: core_ctl: Fix possible uninitialized variable sched: Improve the scheduler taskstats: extended taskstats2 with acct fields Revert "Revert "ANDROID: security,perf: Allow further restriction of perf_event_open"" fs: namespace: Fix use-after-free in unmount USB: f_mtp: Revert Avoid queuing of receive_file_work for 0 length usb: dwc3: Add boundary check while traversing the TRB ring buffer usb: dwc3-msm: Add support for 2nd set of wakeup IRQs usb: pd: Use break instead of return after soft reset is done USB: pd: Restart host mode in high speed if no usb3 & dp concurrency usb: f_cdev: USB remote wake up feature implementation for DUN usb: gadget: notify suspend clear to usb phy in udc usb: gadget: f_ipc: Fix race between ipc_free_inst and ipc_close usb: gadget: f_qdss: Allocate one string ID for all instances usb: gadget: Reset string ids upon unbind usb: dwc3: Write necessary registers for dual port enablement usb: dwc3: Add support for 4 PHYs for dual port controller BACKPORT: drivers: thermal: Re-initialize Tsens controller interrupt configuration BACKPORT: drivers: thermal: Avoid multiple TSENS controller re-init simultaneously drivers: thermal: Force notify thermal to re-evaluate TSENS sensors staging: android: ion: Add support for Carveout allocations in ion_alloc soc: qcom: dcc_v2: Add PM callbacks to support hibernation rpmsg: qcom_smd: Add SET signal support spi: spi-geni-qcom: Don't initialize GSI channels for FIFO/SE_DMA mode spi: spi-geni-qcom: Check for zero length transfer spi: spi-geni-qcom: Reset the dma engine on failure platform: msm: qcom-geni-se: Enable SSC QUP SE clks before SCM call msm: sps: SPS driver changes for dummy BAM connect msm: mhi_dev: update NHWER after M0 from host msm: mhi_dev: Do not flush events to host if channel is stopped msm: mhi_dev: Increase size of ipa_clnt_hndl array msm: mhi_dev: Disable IPA DMA during MHI cleanup msm: ipa3: Fix to map the npn phy address only once msm: ipa3: Add support to fastmap/geometry for each CB msm: ipa3: Send actual DL flt rule to Q6 msm: ipa3: Wait for IPA post init for 1000 msec before return msm: ipa: Support hardware accelerated DIAG over qdss msm: ipa3: Fix increase the NAPI budget to maximum msm: ipa: Fix rndis client disconnection gracefully msm: ipa3: Change IPA log type msm: kgsl: Dump GPU registers only when GX is ON msm: adsprpc: vote for CPU to stay awake during RPC call icnss: Avoid wlan driver unload if driver is not probed cpufreq: stats: Change return type of cpufreq_stats_update() as void cpufreq: stats: Handle the case when trans_table goes beyond PAGE_SIZE clk: qcom: Add enable_safe_config for gfx3d_clk_src clk: qcom: rcg2: Fix possible null pointer dereference ARM: dts: msm: Add smp2p based shutdown-ack ARM: dts: msm: add xo_clk for DP display on sm8150 ARM: dts: msm: add link clk rcg entry on sm8150 Linux 4.14.188 efi: Make it possible to disable efivar_ssdt entirely dm zoned: assign max_io_len correctly irqchip/gic: Atomically update affinity MIPS: Add missing EHB in mtc0 -> mfc0 sequence for DSPen cifs: Fix the target file was deleted when rename failed. SMB3: Honor persistent/resilient handle flags for multiuser mounts SMB3: Honor 'seal' flag for multiuser mounts Revert "ALSA: usb-audio: Improve frames size computation" nfsd: apply umask on fs without ACL support i2c: algo-pca: Add 0x78 as SCL stuck low status for PCA9665 virtio-blk: free vblk-vqs in error path of virtblk_probe() drm: sun4i: hdmi: Remove extra HPD polling hwmon: (acpi_power_meter) Fix potential memory leak in acpi_power_meter_add() hwmon: (max6697) Make sure the OVERT mask is set correctly cxgb4: parse TC-U32 key values and masks natively cxgb4: use unaligned conversion for fetching timestamp crypto: af_alg - fix use-after-free in af_alg_accept() due to bh_lock_sock() kgdb: Avoid suspicious RCU usage warning usb: usbtest: fix missing kfree(dev->buf) in usbtest_disconnect mm/slub: fix stack overruns with SLUB_STATS mm/slub.c: fix corrupted freechain in deactivate_slab() usbnet: smsc95xx: Fix use-after-free after removal EDAC/amd64: Read back the scrub rate PCI register on F15h mm: fix swap cache node allocation mask btrfs: fix data block group relocation failure due to concurrent scrub btrfs: cow_file_range() num_bytes and disk_num_bytes are same btrfs: fix a block group ref counter leak after failure to remove block group UPSTREAM: binder: fix null deref of proc->context rmnet_shs: set gso_type when partially segmenting SKBs uapi: add ADM_AUDPROC_PERSISTENT cal type Release 5.2.03.27R qcacld-3.0: Validate session id before checking ps enable timer state Release 5.2.03.27Q qcacld-3.0: Print next RSSI threshold for periodic scan roam trigger qcacld-3.0: Add dealloc api to free memory allocated for ll_stats Release 5.2.03.27P qcacld-3.0: Correct VHT TX STBC setting according to target capability Release 5.2.03.27O qcacld-3.0: Don't create wifi-aware0 interface if NAN is not supported Release 5.2.03.27N qcacld-3.0: Add tgt layer for packet capture mode qcacld-3.0: Don't set hw_filter for NDI mode qcacmn: Fix null pointer dereference at extract_11kv_stats_tlv Release 5.2.03.27M qcacld-3.0: unregister peer hang notifier Release 5.2.03.27L qcacld-3.0: Add support to dynamically set dwell time for 2g qcacld-3.0: Update set dwell time correctly fw-api: Add rx_flow_search_entry.h for qca6750 fw-api: CL 10663966 - update fw common interface files fw-api: CL 10599980 - update fw common interface files fw-api: CL 10599978 - update fw common interface files fw-api: CL 10581227 - update fw common interface files fw-api: CL 10576300 - update fw common interface files fw-api: CL 10543175 - update fw common interface files qcacmn: Add support to dynamically set dwell time for 2g qcacmn: Update set dwell time correctly fw-api: Add HW header files for QCA5018 dsp: Fix a memory leak issue when nvmem read returns invalid length Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
470e112ea9 |
Merge tag 'eebf7afd3749ce215bdfad8aef73420588743371' into q
"LA.UM.8.11.1.r1-00300-QCM6125.0" * tag 'eebf7afd3749ce215bdfad8aef73420588743371': rmnet_shs: set gso_type when partially segmenting SKBs |
||
|
|
de746b0975 |
Merge remote-tracking branch 'origin/q' into auto-kernel
* origin/q: diag: Clear the local masks only during local usb disconnect diag: Prevent resource leakage of task structure dma-mapping-fast: Fix erroneous MAIR idx calculation iommu/arm-smmu: add support to configure IOVA range iommu/io-pgtable-fast: optimize statically allocated pages iommu: io-pgtable-fast: Separate dma and io-pagetable layers ANDROID: GKI: scripts: Makefile: update the lz4 command (#2) f2fs: add symbolic link to kobject in sysfs f2fs: add GC_URGENT_LOW mode in gc_urgent f2fs: avoid readahead race condition f2fs: fix return value of move_data_block() f2fs: add parameter op_flag in f2fs_submit_page_read() f2fs: split f2fs_allocate_new_segments() Linux 4.14.187 Revert "tty: hvc: Fix data abort due to race in hvc_open" xfs: add agf freeblocks verify in xfs_agf_verify NFSv4 fix CLOSE not waiting for direct IO compeletion pNFS/flexfiles: Fix list corruption if the mirror count changes SUNRPC: Properly set the @subbuf parameter of xdr_buf_subsegment() sunrpc: fixed rollback in rpc_gssd_dummy_populate() Staging: rtl8723bs: prevent buffer overflow in update_sta_support_rate() drm/radeon: fix fb_div check in ni_init_smc_spll_table() tracing: Fix event trigger to accept redundant spaces arm64: perf: Report the PC value in REGS_ABI_32 mode ocfs2: fix panic on nfs server over ocfs2 ocfs2: fix value of OCFS2_INVALID_SLOT ocfs2: load global_inode_alloc mm/slab: use memzero_explicit() in kzfree() btrfs: fix failure of RWF_NOWAIT write into prealloc extent beyond eof KVM: nVMX: Plumb L2 GPA through to PML emulation KVM: X86: Fix MSR range of APIC registers in X2APIC mode ACPI: sysfs: Fix pm_profile_attr type ALSA: hda: Add NVIDIA codec IDs 9a & 9d through a0 to patch table blktrace: break out of blktrace setup on concurrent calls kbuild: improve cc-option to clean up all temporary files s390/ptrace: fix setting syscall number net: alx: fix race condition in alx_remove ata/libata: Fix usage of page address by page_address in ata_scsi_mode_select_xlat function sched/core: Fix PI boosting between RT and DEADLINE tasks net: bcmgenet: use hardware padding of runt frames netfilter: ipset: fix unaligned atomic access usb: gadget: udc: Potential Oops in error handling code ARM: imx5: add missing put_device() call in imx_suspend_alloc_ocram() net: qed: fix excessive QM ILT lines consumption net: qed: fix NVMe login fails over VFs net: qed: fix left elements count calculation RDMA/mad: Fix possible memory leak in ib_mad_post_receive_mads() ASoC: rockchip: Fix a reference count leak. RDMA/cma: Protect bind_list and listen_list while finding matching cm id rxrpc: Fix handling of rwind from an ACK packet ARM: dts: NSP: Correct FA2 mailbox node efi/esrt: Fix reference count leak in esre_create_sysfs_entry. cifs/smb3: Fix data inconsistent when zero file range cifs/smb3: Fix data inconsistent when punch hole xhci: Poll for U0 after disabling USB2 LPM ALSA: usb-audio: Fix OOB access of mixer element list ALSA: usb-audio: Clean up mixer element list traverse ALSA: usb-audio: uac1: Invalidate ctl on interrupt loop: replace kill_bdev with invalidate_bdev cdc-acm: Add DISABLE_ECHO quirk for Microchip/SMSC chip xhci: Fix enumeration issue when setting max packet size for FS devices. xhci: Fix incorrect EP_STATE_MASK ALSA: usb-audio: add quirk for Denon DCD-1500RE usb: host: ehci-exynos: Fix error check in exynos_ehci_probe() usb: host: xhci-mtk: avoid runtime suspend when removing hcd USB: ehci: reopen solution for Synopsys HC bug usb: add USB_QUIRK_DELAY_INIT for Logitech C922 usb: dwc2: Postponed gadget registration to the udc class driver USB: ohci-sm501: Add missed iounmap() in remove net: core: reduce recursion limit value net: Do not clear the sock TX queue in sk_set_socket() net: Fix the arp error in some cases ip6_gre: fix use-after-free in ip6gre_tunnel_lookup() tcp_cubic: fix spurious HYSTART_DELAY exit upon drop in min RTT ip_tunnel: fix use-after-free in ip_tunnel_lookup() tg3: driver sleeps indefinitely when EEH errors exceed eeh_max_freezes tcp: grow window for OOO packets only for SACK flows sctp: Don't advertise IPv4 addresses if ipv6only is set on the socket rxrpc: Fix notification call on completion of discarded calls rocker: fix incorrect error handling in dma_rings_init net: usb: ax88179_178a: fix packet alignment padding net: fix memleak in register_netdevice() net: bridge: enfore alignment for ethernet address mld: fix memory leak in ipv6_mc_destroy_dev() ibmveth: Fix max MTU limit apparmor: don't try to replace stale label in ptraceme check fix a braino in "sparc32: fix register window handling in genregs32_[gs]et()" net: sched: export __netdev_watchdog_up() block/bio-integrity: don't free 'buf' if bio_integrity_add_page() failed net: be more gentle about silly gso requests coming from user scsi: scsi_devinfo: handle non-terminated strings f2fs: lost matching-pair of trace in f2fs_truncate_inode_blocks f2fs: fix an oops in f2fs_is_compressed_page f2fs: make trace enter and end in pairs for unlink f2fs: fix to check page dirty status before writeback f2fs: remove the unused compr parameter f2fs: support to trace f2fs_fiemap() f2fs: support to trace f2fs_bmap() f2fs: fix wrong return value of f2fs_bmap_compress() f2fs: remove useless parameter of __insert_free_nid() f2fs: fix typo in comment of f2fs_do_add_link f2fs: fix to wait page writeback before update f2fs: show more debug info for per-temperature log f2fs: add f2fs_gc exception handle in f2fs_ioc_gc_range f2fs: clean up parameter of f2fs_allocate_data_block() f2fs: shrink node_write lock coverage f2fs: add prefix for exported symbols f2fs: add F2FS_IOC_SEC_TRIM_FILE ioctl f2fs: use kfree() to free variables allocated by match_strdup() f2fs: get the right gc victim section when section has several segments f2fs: fix a race condition between f2fs_write_end_io and f2fs_del_fsync_node_entry f2fs: remove useless truncate in f2fs_collapse_range() f2fs: use kfree() instead of kvfree() to free superblock data f2fs: avoid checkpatch error qcacld-3.0: Remove validate context check in LL stats get NB ops qcacld-3.0: Add dealloc api to free memory allocated for ll_stats qcacld-3.0: unregister peer hang notifier ARM: dts: msm: Add audio support msm: camera: isp: Fix race condition b/w add and apply req msm: camera: Remove frame id and timestamp checks for spurious SOF ARM: dts: msm: Include camera sensor DTSi file for QCS410 msm: adsprpc: Fix array index underflow problem qcacld-3.0: Cleanup rrm measurement data based on the index Release 5.2.03.27K qcacld-3.0: Fix mem leak while deleting pmksa qcacld-3.0: Cleanup rrm measurement data based on the index data-kernel: EMAC: Fix for stall in bi-dir traffic in sw path Release 5.2.03.27J qcacld-3.0: Send proper Link Rates to user space Release 5.2.03.27I qcacld-3.0: Update pktcapture support drivers: rmnet_shs: Reset hstat node correctly Release 5.2.03.27H qcacld-3.0: Add logs for sar safety and sar unsolicited timers Release 5.2.03.27G qcacld-3.0: Add support to optimize latency using pm_qos Release 5.2.03.27F qcacld-3.0: Fix intra band roaming issue for dual sta Release 5.2.03.27E qcacld-3.0: Add CPU mask support to pm_qos calls Release 5.2.03.27D qcacld-3.0: Update disconnect rssi on every disconnect rssi event data-kernel: EMAC: Fix the overflow for sub second increment data-kernel: EMAC: copy from user fail handle rmnet_shs: Remove local_bh_disable in oom handler fw-api: CL 10528997 - update fw common interface files fw-api: CL 10521320 - update fw common interface files fw-api: CL 10507628 - update fw common interface files fw-api: CL 10479358 - update fw common interface files fw-api: CL 10477480 - update fw common interface files fw-api: CL 10474092 - update fw common interface files fw-api: CL 10466792 - update fw common interface files fw-api: CL 10462927 - update fw common interface files fw-api: CL 10450925 - update fw common interface files qcacmn: Increase HTC control msg timeout to 6 seconds Release 5.2.03.27C qcacld-3.0: Fix LL Timeout over Debugfs qcacmn: Introduce scan api to get scan entry ageout time Release 5.2.03.27B qcacld-3.0: Ageout connected BSS in beacon table mode Release 5.2.03.27A qcacld-3.0: Add support for WPA3 SuiteB roaming qcacld-3.0: Update beacon rpt error code qcacmn: Add support for WPA3 SuiteB roaming Release 5.2.03.27 qcacld-3.0: Send disconnect reason code as 0 for beacon miss Release 5.2.03.27 qcacld-3.0: Abort only host scans on roam start qcacld-3.0: Handle tx_power_level under radio stat Release 5.2.03.26Z qcacld-3.0: Fix stack corruption in beacon request table mode audio-kernel: Fix compile with CONFIG_DEBUG_FS removed qcacld-3.0: Add null check for frequency list in rrm scan done callback Release 5.2.03.26Y qcacld-3.0: Add a log to print nan separate vdev capa of host and fw Release 5.2.03.26X qcacmn: Abort only host scans on roam start notification qcacld-3.0: Consider Only dot11mode profiles if configured Release 5.2.03.26W qcacld-3.0: Use MAX_PEERS instead of IBSS define in conn_info Release 5.2.03.26V qcacld-3.0: fix reassociation issue Release 5.2.03.26U qcacld-3.0: Don't force RSSI trigger in controlled roaming mode fw-api: CL 10404614 - update fw common interface files fw-api: CL 10345835 - update fw common interface files qcacmn: Update disconnect rssi on every disconnect rssi event defconfig: sm6150: Enable PM_AUTOSLEEP for QCS610 qcacld-3.0: Add vdev start check before sending arp_ns stats cmd to fw drivers: rmnet: shs: Unrevert Deadlock fix qcacld-3.0: Don't indicate P2P client deletion event drivers: shs: Check bounds of stat array qcacld-3.0: Send deauth to AP when SAE auth failed drivers: shs: protect mmap file operations using shs ep lock qcacld-3.0: Protect pktlog under mutex to avoid possible race conditions qcacld-3.0: Set RSN capability flag for SAP peers qcacld-3.0: Populate correct RSSI value for Monitor packets qcacld-3.0: Report correct max NSS in case of DBS drivers: rmnet_perf: Take lock during DL marker handling qcacld-3.0: Add driver command to request ANI level drivers: shs: limit size copied to cached flows array to avoid globar var corruption drivers: shs: fix deadlock caused between generic netlink and rtnl locks drivers: shs: fix null check before freeing slow start list drivers: shs: Change allocation context of shs allocations within spin_lock drivers: rmnet_perf: Check for over pulling qcacld-3.0: Populate and send correct max rate to the userspace drivers: rmnet_shs: Remove rmnet ep access qcacld-3.0: Extend force 1x1 ini Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
8ed118c4a9 |
Merge tag 'da74090d47d8a685175d6056ce2c74f8aac5668a' into q
"LA.UM.8.13.r1-09000-SAIPAN.0" * tag 'da74090d47d8a685175d6056ce2c74f8aac5668a': data-kernel: EMAC: Fix for stall in bi-dir traffic in sw path drivers: rmnet: shs: Unrevert Deadlock fix drivers: shs: Check bounds of stat array drivers: shs: protect mmap file operations using shs ep lock drivers: rmnet_perf: Take lock during DL marker handling drivers: shs: limit size copied to cached flows array to avoid globar var corruption drivers: shs: fix deadlock caused between generic netlink and rtnl locks drivers: shs: fix null check before freeing slow start list drivers: shs: Change allocation context of shs allocations within spin_lock drivers: rmnet_perf: Check for over pulling drivers: rmnet_shs: Remove rmnet ep access Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
e61e34d3b4 |
Merge tag '783f04481fa8133cf88cab9d0465a37acb68777a' into q
"LA.UM.8.1.r1-15400-sm8150.0" * tag '783f04481fa8133cf88cab9d0465a37acb68777a': drivers: rmnet_shs: Reset hstat node correctly data-kernel: EMAC: Fix the overflow for sub second increment data-kernel: EMAC: copy from user fail handle rmnet_shs: Remove local_bh_disable in oom handler Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
23f41f1e10 |
techpack: data: rmnet_perf: disable debugging
Signed-off-by: UtsavisGreat <utsavbalar1231@gmail.com> Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
27639feb73 |
Merge remote-tracking branch 'origin/LE.UM.4.2.1.r1.3' into LE.UM.4.2.1.r1-02600-QCS404.0
* origin/LE.UM.4.2.1.r1.3:
techpack: allow building data-kernel module
qcacld-3.0: Handle tx_power_level under radio stat
Fix for display suspend resume crash
regulator: cpr3-regulator: Add support for sdm660
Revert "ARM: dts: msm: fix NFC device probe issue for sdm660"
ARM: dts: msm: Update the PM660 GPIO definitions
clk: qcom: Restore dsi pll clk names for sdm660
smcinvoke : Add locking to shared variables
ARM: decompressor: avoid speculative prefetch from protected regions
msm: sps: Fix the SPS_DBG macro definitions
power: qpnp-smb2: Force power-role to UFP by default
input: touchscreen: add raydium touch driver
ARM: dts: msm: enable xbl boot loading for IPA FW on sdxprairie
ARM: dts: msm: remove qcom_seecom node for qcs404
defconfig: sa8155: Enable preempt and rcu debugging configs
mhi: cntrl: qcom: expand debug modes for new device bringup
msm: pcie: add sa8195 pci device id support
msm: npu: Add support to get firmware capabilities
defconfig: sa2150p: remove cnss driver from build
ARM: dts: msm: Add qcom_gadget node for SA515M
ARM: dts: ipc: Change sound card name
crypto: msm: make qcrypto and qcedev independent of DEBUG_FS
msm: npu: Allow context switch after processing IPC message
ARM: dts: msm: remove DP pinctrl from sa6155, sa8155 and sa8195p
msm: mhi_dev: Fix maximum number of HW channels
msm: mhi_dev: Remove MHI hardware channel to IPA GSI mapping
ARM: dts: msm: remove 2nd DP and eDP from sa8195p
ARM: DTS: msm: Update DP PLL string for SDM660
clk: qcom: mdss: DP PLL changes for SDM660
net: stmmac: handle dma fatal irq for IPA channels
power: qpnp-fg-gen3: Silence an instance of -Wsizeof-array-div in clear_cycle_counter
defconfig: qti-quin-gvm: Enable virtualized FastRPC on GVM
driver: boot_marker: enable bootloader log mount
defconfig: Minimal Kernel config for qcs610
USB: configfs: Clear deactivation flag in configfs_composite_unbind()
msm: vidc: Check image encode capabilities
defconfig: atoll: Enable dm-snapshot
msm: camera: isp: variable should be accessed only if match is found
data-kernel: EMac: S2D phase 2 changes
defconfig: enable rmnet_data driver for wearable target
ARM: dts: msm: config primary tdm on auto platform
mmc: sdhci-msm: Enable EMMC_BOOT_SELECT bit
usb: dwc3-msm: Avoid access of gsi_reg for non-GSI targets
defconfig: sa515m: Build CNSS2 driver as loadable module
msm_bus: fix compilation when CONFIG_DEBUG_FS is disabled
ARM: dts: msm: Add model specific configurations for SA6155 VMs
cnss2: Add DOMAIN_ATTR_GEOMETRY attribute support
msm:ipa:mhi: send qmi endp_desc notification to Q6
msm: camera: isp: Fix IRQ delay handling logic
msm: camera: isp: Change state of all CID resource to RESERVE on deinit
net: stmmac: Enable CRC clipping bit
drivers: thermal: Avoid multiple TSENS controller re-init simultaneously
mhi: netdev: Open mhi channels based on state notifications from host
clk: fix compilation when CONFIG_DEBUG_FS is disabled
ARM: dts: msm: Add property iommu-geometry for CNSS
Revert "binder: implement binderfs"
msm: vidc_3x: correct ion flags for CP_CAMERA_ENCODE context bank
ARM: dts: msm: Fix mistaken description for pcie1&3 on sa8195p
defconfig: msm: veth: Add Veth configs
mhi: fix compilation when CONFIG_DEBUG_FS is disabled
debugfs: Fix !DEBUG_FS debugfs_create_automount
ufs: fix compilation when CONFIG_DEBUG_FS is disabled
tsens: fix compilation when CONFIG_DEBUG_FS is disabled
gsi: fix compilation when CONFIG_DEBUG_FS is disabled
msm: ipa: Fix compilation errors when DEBUG_FS is disabled
hdcp_qseecom: Maintain repeater_flag appropriately
ARM: dts: msm: support to enable CRC using DTS
ARM: dts: msm: Add always-on flag for L12A on sa8195
diag: dci: Synchronize dci mempool buffers alloc and free
msm: vidc_3x: Add new video driver to support CMA buffers
dt: sm8155: Change copyright year in DT file
msm: vidc_3x: Add changes to read video CMA configuration information
mm/memblock.c: fix bug in early_dyn_memhotplug
ARM: dts: qcom: Include PM660 dtsi for SDA429
ARM: msm: dts: Enable sdp check timer for sdm429
char: virtio_fastrpc: Fix compile warning
phy-msm-usb: Perform sdp_check for SDP charger as well
msm: vidc_3x: populate sid list for each context bank
qrtr: usb_dev: Fix kthread usage
iommu: iommu-debug: Fix the return string
ARM: dts: msm: Enable PDC support for VM targets
fw-api: CL 10441255 - update fw common interface files
fw-api: CL 10438420 - update fw common interface files
fw-api: CL 10437857 - update fw common interface files
fw-api: CL 10407957 - update fw common interface files
fw-api: CL 10402317 - update fw common interface files
fw-api: CL 10382552 - update fw common interface files
fw-api: CL 10372014 - update fw common interface files
fw-api: CL 10366568 - update fw common interface files
fw-api: CL 10356226 - update fw common interface files
msm: ipa: update check flags to handle CONFIG_DEBUG_FS
arm64: defconfig: Add IPA configs
Release 5.2.03.26T
ARM: dts: msm: Add IPA device configuration for SA8155
ARM: dts: msm: Fix cx_cdev label size for MDM9607
clk: qcom: mdss: add dsi phy 12nm clock
ARM: dts: msm: Add default thermal zone rules for MDM9607
ARM: dts: msm: Add regulator cooling device for MDM9607
usb: dwc3: gadget: Block GSI DB update after END transfer on all EPs
qcacld-3.0: Delete older PMK of all APs which have the same PMK
ARM: dts: msm: Add qcom_gadget node for sdxprairie
msm: npu: Continue npu_probe() when !DEBUG_FS
qcom: qpnp-fg-gen4: Continue fg_gen4_probe() when !DEBUG_FS
diag: Check for valid PCIe device
Release 5.2.03.26S
qcacld-3.0: Disable BTM offload to fw if a peer doesn't support PMF
init: Remove modem mounting from kernel
ARM: dts: msm: Add eMMC, SD card support on sdm429w
msm: adsprpc: Put upper limit on IOMMU mapping size
ARM: dts: msm: Add QMI cooling devices for MDM9607
soc: swr-mstr: Add delay between fifo writes to avoid overflow/underflow
asoc: wcd937x: Update retry logic for SWR logical addr
soc: qcom: Increase bootmarker read buffer
qcacld-3.0: Don't send disassoc frame to fw in case of HO failure
diag: Initialize local variables
mhi: core: Read transfer length from an event properly
msm: vidc_3x: Add CMA support for video hardware
ARM: dts: msm: Enable RTB for sdmshrike
soc: qcom: Remove redundant bootstats
defconfig: Add required configs for USB
kernel: sysctl: make drop_caches write-only
ARM: dts: msm: enable POMS on TD4330 cmd panel for trinket
ARM: dts: msm: enable POMS on TD4330 panel for trinket
ARM: dts: msm: Add secure display ion heap for GVMs
ARM: dts: msm: Add BLSP DTSI nodes on sdm429
ARM: dts: msm: Add DTS to support eMMC
defconfig: msm: Add defconfig files for SA2150P-NAND
Release 5.2.03.26R
ARM: dts: msm: Add ATEML touch support for atoll target
input: touchscreen: Add support for kernel command line parsing
ARM: dts: msm: Enable constant fps feature for atoll CPhy panel
disp: msm: dsi: refine the logic for mode filling and calculation
disp: msm: dsi: add panel mode restriction for DFPS and RFI
drm: msm: dsi-staging: CPhy constant fps porch calculation
qcacld-3.0: drop frames in the RX thread queue during peer unmap
defconfig: sdm429w: Add support for DEBUGCC for SDM429W
msm: mhi_dev: Avoid re-alloc of netdev interface
defconfig: msm: Thermal Enabled on mdm9607 target
msm: ais: Fix powerup sequence in cam driver
defconfig: sdm429-bg: Enable CPR, MEM-ACC, Haptics configs
msm: v4l2loopback: to create V4L2 loopback devices
msm:ipa:change IPA client mapping for mhi protocol
sm8150: dt: sm8150-slpi-pinctrl: Typo mistake in gpio
binder: implement binderfs
msm: mhi_dev: Add proper check before accessing variable
Revert "ARM: dts: msm: Add cmd mode panel support for SDM660 MTP"
msm: veth_ipa: Introduce front end network driver
net: stmmac: Ethtool half duplex not supported
ARM: dts: msm: Add the CPR regulator node for SDM429w
defconfig: sdmsteppe: Enable USB_VIDEO_CLASS
Release 5.2.03.26Q
defconfig: sdm429: Add MPROC defconfig for SDM429W
ARM: dts: msm: add new HAB physical channels for DATA_NETWORK and HSI2S
ARM: dts: qcom: Add MPROC device nodes for sdm429w
qcacld-3.0: Avoid peer access after peer deletion
PM / hibernate: Make passing hibernate offsets more friendly
usb: dwc3-msm: Keep wakeup IRQs disabled for automotive platforms
power: smb1398: Update the max-ilim current settings
irqchip: qcom: pdc: Add a kernel config for pdc save/restore feature
defconfig: msm: Enable PDC_VIRT on Quin GVM platform
irqchip: qcom: pdc: Add support for pdc-virt
clk: qcom: gcc-sdm429w: Update plls for SDM429W
net: stmmac: Fixed ethool speed issue
ARM: dts: msm: Add pcie1~3 support for sa8195 virtual machine
clk: qcom: debugcc-sdm429w: Update debugcc Kconfig
defconfig: sdm429: Enable BLSP, SLIMBUS driver defconfig
ARM: dts: msm: Add SPS node for sdm429
USB: phy: msm: Check for PHY reset handle also
ARM: dts: msm: Add USB device nodes for sdm429
clk: qcom: Add pcie1~3 virtio clocks for sa8195p
uapi: add ADM_AUDPROC_PERSISTENT cal type
ARM: dts: msm: Disable shared display on DP display sa8195
Release 5.2.03.26P
qcacld-3.0: Update OFDM and CCK flags for packet capture mode
Release 5.2.03.26O
qcacld-3.0: Copy peer and radio stats correctly
qcacld-3.0: Handle LL stats for 2nd radio
qcacld-3.0: Return LL stats resp in caller context
diag: Save the correct task pointer while registering dci client
qcacmn: Mark SRD channels conditionally passive
ARM: dts: msm: Enable constant fps feature
drm/msm/dsi-staging: Fix porch calculation issue for constant fps
soc: qcom: hab: add some physical channels in HAB driver
net: stmmac: Free IPA queue memory on netdev close
power: smb1398: Fix SOC based SMB enable condition
emac: emac RXC clock warning
Release 5.2.03.26N
ARM: dts: msm: EMAC phy hw reset delay timer
driver: input: sensors: Increase the smi130 accel buffer samples size
qcacld-3.0: Do not enable STA roaming if any NDI connection is active
defconfig: sm8150: Enable dm-snapshot
defconfig: sdmsteppe: Enable dm-snapshot
net: stmmac: Set IOC for every TSO last desc
fw-api: Define DEST_RING_CONSUMER_PREFET_TIMER macro for qca6750
mhi: core: Fix out of bound channel id handling
mhi: core: improve bandwidth switch events processing
fw-api: CL 10334178 - update fw common interface files
spi: spi-qcom-geni: Add error interrupt handling in spi driver
ASoC: audio-ext-clk: Add pmi clk support for tasha
ARM: dts: msm: Tasha snd node changes for sdm660
fw-api: CL 10322687 - update fw common interface files
fw-api: CL 10320987 - update fw common interface files
Release 5.2.03.26M
ARM: dts: msm: Disable shared display on DP display sa8155
ARM: dts: msm: Disable shared display on DP display sa6155
fw-api: CL 10317768 - update fw common interface files
qcacld-3.0: Prevent RSO stop sent after vdev down
fw-api: CL 10308469 - update fw common interface files
Release 5.2.03.26L
qcacld-3.0: Send PER config command before WMI_ROAM_SCAN_MODE command
Release 5.2.03.26K
qcacld-3.0: Lock all the entry of ch power info
drivers: rmnet: shs: Add oom handler
fw-api: CL 10295227 - update fw common interface files
dsp: q6adm: Update the proper param_hdr for offset
Revert "ASoC: Add Voice over pcie support"
msm: mdss: add support to handle LP_RX_TO/BTA_TO errors for DSI 12nm PHY
msm: mdss: perform DSI PHY s/w reset for 12nm PHY during unblank
msm: mdss: update the MDSS DSI ULPS exit sequence
msm: mdss: add support to program of HSTX drivers for DSI 12nm PHY
msm: mdss: update DSI ULPS entry/exit sequence
fw-api: CL 10270542 - update fw common interface files
qcom: spmi-wled: Wait for OVPs before disable module
ion: msm: Restrict VMID_CP_CAMERA_ENCODE to read only
msm: vidc_3x: correct ion flags for CP_CAMERA_ENCODE context bank
fw-api: CL 10262355 - update fw common interface files
msm: vidc_3x: Add new video driver to support CMA buffers
msm: vidc_3x: Add changes to read video CMA configuration information
msm: vidc_3x: populate sid list for each context bank
msm: vidc_3x: Add CMA support for video hardware
drivers: net: can:Threshold update for time offset
smcinvoke: Add suspend resume support
SMCInvoke: Process requests for active clients
msm: mdss: add support for DSI 12nm PHY in DSI driver
drivers: rmnet: shs: add segmentation levels for slow start flows
msm: vidc: Fix DCVS enablement
vidc_3x: Fix qbuf error in gralloc buffers encoding
data-kernel: EMAC: Change defualt value for phy reset delays.
ARM: dts: msm: EMAC phy hw reset delay timer
ARM: dts: msm: Disable minidump-id for Modem on SDM660
autoconf: Enable legacy avtimer for sdm660
diag: Add protection while accessing diag client map
Revert "drivers: usb: gadget: Change gbam setup usage in rmnet function"
ARM: dts: msm: EMAC phy hw reset delay timer
ARM: dts: msm: EMAC phy hw reset delay timer
data-kernel: EMAC: read phy hw reset delay time from dtsi
bolero: tx-macro: Fix audio distortion during amic record
va-macro: Add autosuspend after pm_runtime_get_sync
qcacmn: Update the mc timer state after its deleted
qcacld-3.0: Fix while condition in rrm_fill_beacon_ies()
asoc: codecs: avoid crash after diconnecting DP cable
mhi: core: move certain logs to controller log buffer
mhi: cntrl: qcom: move certain logs to controller log buffer
mhi: cntrl: qcom: reduce timesync and bootlogger log buffer size
mhi: cntrl: qcom: add support for controller ipc logs
cnss2: add support for controller IPC logs
mhi: core: add log buffer for controller bootup and shutdown
audio-kernel: Rename hw vote rsc to digital cdc rsc mgr
msm: ipa2: Add change to fix ipa padding
ARM: dts: msm: Update ADC_TM compatible field for PM660
bindings: thermal: Add compatible field for PMIC4 ADC_TM
thermal: adc_tm: Update support for PMIC4 ADC_TM
asoc: add new path for in call recording
audio-kernel: Synchronize hw vote and unvote requests
asoc: sm8150: add proxy ports for call screening in machine driver
ARM: dts: msm: Removing quiet-therm-step node
vidc_3x: Query Entropy property only for H264 format
asoc: add code change for pseudo playback and capture BE DAIs.
ASoC: Add Voice over pcie support
defconfig: arm64: msm: Enable USB RMNET & RNDIS using IPA over BAM2BAM
usb: gadget: f_qc_rndis: Add RNDIS support using IPA over BAM2BAM
fbdev: msm: fix merge errors in DP
Revert "defconfig: arm64: msm: Enable USB RMNET & RNDIS using IPA over BAM2BAM"
ARM: dts: msm: Add rpm-smd irq number for SDM660
ARM: dts: msm: Update msm_ext_disp string
autoconf: Enable leagay avtimer for sdm660
defconfig: arm64: msm: Enable USB RMNET & RNDIS using IPA over BAM2BAM
msm: ipa: Add low-level IPA client support
Fixing compilation failures
uapi/media: Fix buffer size issue for NV12_UBWC.
soc: qcom: boot_stats: Add display boot KPI
pfk: Fixed ICE slot number for bare metal
clk: qcom: parents need enable during set rate for SDM660
HID: core: add usage_page_preceding flag for hid_concatenate_usage_page().
vidc_3x: Fix HFR recording issue.
fbdev: msm: Use dynamic allocation for SID variable.
Revert "fbdev: msm: disable sec display".
ARM: dts: msm: modified interrupt interrupt type for smmu
arm64: defconfig: Add IPA realted configs
msm: ipa: Add Kconfig changes of IPA2 driver
ARM: dts: msm: Add compatible rmnet version for ipa2
msm: ipa2: Add changes compatible to kernel-4.14
msm: ipa: Add support of IPA2 driver
msm: Disable CSID virtualization and fix SID switching for SDM660
defconfig: msm: Enable coresight replicator, qpdi for SDM660
coresight: add qpdi driver support in upstream implementation
ARM: dts: msm: coresight support for SDM660
coresight: replicator: Add CoreSight Replicator driver
msm: vidc: Re-calculate buffer requirement
fbdev: msm: disable sec display
ARM: dts: msm: fix NFC device probe issue for sdm660
msm: fbdev: dp: Add dp intf to codec ops
ARM: dts: msm: Add default thermal zone rules for SDM660
media: v4l2-ctrls: Add missing entry in header_mode
msm: vidc: Fix v4l2 format warnings
ARM: dts: msm: Update WLED configuration for sdm660
qcacld-3.0: Possible OOB write in rrm_process_radio_measurement_request
fixing compilation issue
msm: vidc_3x: Add partial cache operations support
Revert "msm: vidc_3x: Add partial cache operations support"
defconfig: msm: Disable CONFIG_BUILD_ARM64_APPENDED_DTB_IMAGE flag
ARM: dts: msm: Add LPM residency for sdm660
fbdev: msm: Remove CPU sync in dma buf unmap path
ARM: dts: msm: Add panel changes for SDM660 QRD
defconfig: msm: Enable DP Panel config
msm: fbdev: dp: enable audio support over DP
ARM: dts: msm: Update supply name for vdd cx-mx wlan rail
mdss: fbdev: Fix fence timeout error check
ARM: dts: msm: Add energy costs for SDM660
ARM: dts: msm: Specify WLED configuration for sdm660 MTP
ARM: dts: msm: Enable subsystem watchdog
ARM: dts: msm: Enable WDSP SVA for SDM660
ARM: dts: msm: Add TSENS in thermal_zone for SDM660
ARM: dts: msm: Remove thermal sensor_info nodes
defconfig: msm: Enable Thermal configs for SDM660
ARM: dts: msm: add bcl_sensors thermal zones
ARM: dts: msm: enable LMH DCVS driver for sdm660
drivers: thermal: lmh_dcvs: Add support to enable legacy hardware feature
ARM: dts: msm: add gpio_key VOL_UP button on SDM660
ARM: dts: msm: Fix slave id for pm660l_gpio
soc: qcom: dcc: DCC driver for SDM660
msm: vidc_3x: Assign and pass hal buffer type to smem
msm: vidc_3x: Add partial cache operations support
Revert "msm: vidc_3x: disable smem_cache_operations for encoder"
defconfig: msm: Enable DP Panel config
msm: bus: removing warning
clk: qcom: mdss: DSI and DP PLL changes for SDM660
clk : qcom : Update mdss byte and pxl clk names
fbdev: changes to enable recovery ui
fbdev: msm: Add snapshot of mdss driver
msm: fbdev: dp: update fbdev dp driver
msm: fbdev: Add snapshot of DP driver
ARM: DTS: msm: Enable 14nm DP PLL clk
Revert "msm: mdss: dsi: Add support dual roi partial update"
Revert "msm: mdss: add multiple partial update support"
Revert "msm: mdss: add additional LM checks for dest scalar validation"
Revert "fbdev: changes to enable recovery ui"
Revert "fbdev: changes to enable recovery ui"
usb: gadget: uvc: Update frame size as per frame type
clk: remove workaround changes for SDM660
ARM: dts: msm: Add dtbo support for sdm660 & sda660
defconfig: sdm : Add configs for SDM660
ARM: dts: msm: Add audio support for SDM660
Revert "regulator: core: TEMP change register string size"
ARM: dts: msm: Add cmd mode panel support for SDM660 MTP
msm: vidc_3x: disable smem_cache_operations for encoder
defconfig: msm: Enable CPR and FG related configs for SDM660
drivers: irqchip: qcom: Add mpm pin data for sdm660
defconfig: sdm : Add configs for SDM660
ARM: dts: msm: Add MPM interrupt controller for sdm660..
ARM: dts: msm: add support for frequency scaling for SDM660.
Temporary commit : resolve build error.
thermal: adc_tm: adc_init for sdm660
ARM: dts: msm: add pmic support for SDM660
ARM: dts: msm: Update GPU bw table for SDM660
fbdev: changes to enable recovery ui
iio: adc: Add DRAX_TEMP channel support
ARM: dts: msm: Add device tree for SDM660
ASoC: sdm660: Fix compilation issue of sdm660 drivers
clk: qcom: Add snapshot of sdm660 clocks
msm: vidc: remove additional checks in response_handler.
vidc: Remove firmware_cb context bank.
defconfig: vidc: Enable video drivers for sdm660.
msm: vidc_3x: ION Upgrade changes for video.
Revert "msm: vidc_3x: Add snapshot of video driver"
Revert "msm: vidc_3x: ION Upgrade changes for video"
Revert "vidc: Remove firmware_cb context bank"
ARM: dts: msm: rename codec name
mm-camera_v2: Check proper VFE h/w versions
msm: kgsl: Change default pagetable creation sequence
msm: kgsl: Remove workaround for GPU aperture programming
ASoC: msm: Add support for WCD interrupt config via LPI TLMM
Revert "ARM: dts: msm: Enable global pagetable for gpu on SDM660"
msm: sde: Fixes to enable rotator for SDM660
vidc: Remove firmware_cb context bank
defconfig: msm: Enable PMIC related configs for SDM660
defconfig: sdm : Update perf configs for SDM660
msm: mdss: add additional LM checks for dest scalar validation
msm: mdss: add multiple partial update support
Audio-kernel: voice: TEMP enable voice call
msm: mdss: dsi: Add support dual roi partial update
Revert "vidc: Temporary change to remove secure context bank"
Revert "BACKPORT: perf_event: Add support for LSM and SELinux checks"
Linux 4.14.163
perf/x86/intel/bts: Fix the use of page_private()
xen/blkback: Avoid unmapping unmapped grant pages
s390/smp: fix physical to logical CPU map for SMT
net: add annotations on hh->hh_len lockless accesses
arm64: dts: meson: odroid-c2: Disable usb_otg bus to avoid power failed warning
ath9k_htc: Discard undersized packets
ath9k_htc: Modify byte order for an error message
rxrpc: Fix possible NULL pointer access in ICMP handling
selftests: rtnetlink: add addresses with fixed life time
powerpc/pseries/hvconsole: Fix stack overread via udbg
drm/mst: Fix MST sideband up-reply failure handling
scsi: qedf: Do not retry ELS request if qedf_alloc_cmd fails
fix compat handling of FICLONERANGE, FIDEDUPERANGE and FS_IOC_FIEMAP
tty: serial: msm_serial: Fix lockup for sysrq and oops
dt-bindings: clock: renesas: rcar-usb2-clock-sel: Fix typo in example
media: usb: fix memory leak in af9005_identify_state
regulator: ab8500: Remove AB8505 USB regulator
media: flexcop-usb: ensure -EIO is returned on error condition
Bluetooth: Fix memory leak in hci_connect_le_scan
Bluetooth: delete a stray unlock
Bluetooth: btusb: fix PM leak in error case of setup
platform/x86: pmc_atom: Add Siemens CONNECT X300 to critclk_systems DMI table
xfs: don't check for AG deadlock for realtime files in bunmapi
scsi: qla2xxx: Drop superfluous INIT_WORK of del_work
nfsd4: fix up replay_matches_cache()
PM / devfreq: Check NULL governor in available_governors_show
arm64: Revert support for execute-only user mappings
ftrace: Avoid potential division by zero in function profiler
exit: panic before exit_mm() on global init exit
ALSA: firewire-motu: Correct a typo in the clock proc string
ALSA: cs4236: fix error return comparison of an unsigned integer
tracing: Have the histogram compare functions convert to u64 first
tracing: Fix lock inversion in trace_event_enable_tgid_record()
gpiolib: fix up emulated open drain outputs
ata: ahci_brcm: Fix AHCI resources management
ata: ahci_brcm: Allow optional reset controller to be used
ata: libahci_platform: Export again ahci_platform_<en/dis>able_phys()
compat_ioctl: block: handle BLKREPORTZONE/BLKRESETZONE
compat_ioctl: block: handle Persistent Reservations
dmaengine: Fix access to uninitialized dma_slave_caps
locks: print unsigned ino in /proc/locks
pstore/ram: Write new dumps to start of recycled zones
memcg: account security cred as well to kmemcg
mm/zsmalloc.c: fix the migrated zspage statistics.
media: cec: avoid decrementing transmit_queue_sz if it is 0
media: cec: CEC 2.0-only bcast messages were ignored
media: pulse8-cec: fix lost cec_transmit_attempt_done() call
MIPS: Avoid VDSO ABI breakage due to global register variable
drm/sun4i: hdmi: Remove duplicate cleanup calls
ALSA: ice1724: Fix sleep-in-atomic in Infrasonic Quartet support code
drm: limit to INT_MAX in create_blob ioctl
taskstats: fix data-race
xfs: fix mount failure crash on invalid iclog memory access
PM / hibernate: memory_bm_find_bit(): Tighten node optimisation
xen/balloon: fix ballooned page accounting without hotplug enabled
xen-blkback: prevent premature module unload
IB/mlx4: Follow mirror sequence of device add during device removal
s390/cpum_sf: Avoid SBD overflow condition in irq handler
s390/cpum_sf: Adjust sampling interval to avoid hitting sample limits
md: raid1: check rdev before reference in raid1_sync_request func
net: make socket read/write_iter() honor IOCB_NOWAIT
usb: gadget: fix wrong endpoint desc
drm/nouveau: Move the declaration of struct nouveau_conn_atom up a bit
scsi: libsas: stop discovering if oob mode is disconnected
scsi: iscsi: qla4xxx: fix double free in probe
scsi: qla2xxx: Don't call qlt_async_event twice
scsi: lpfc: Fix memory leak on lpfc_bsg_write_ebuf_set func
rxe: correctly calculate iCRC for unaligned payloads
RDMA/cma: add missed unregister_pernet_subsys in init failure
PM / devfreq: Don't fail devfreq_dev_release if not in list
iio: adc: max9611: Fix too short conversion time delay
nvme_fc: add module to ops template to allow module references
UPSTREAM: selinux: sidtab reverse lookup hash table
UPSTREAM: selinux: avoid atomic_t usage in sidtab
UPSTREAM: selinux: check sidtab limit before adding a new entry
UPSTREAM: selinux: fix context string corruption in convert_context()
BACKPORT: selinux: overhaul sidtab to fix bug and improve performance
UPSTREAM: selinux: refactor mls_context_to_sid() and make it stricter
UPSTREAM: selinux: Cleanup printk logging in services
UPSTREAM: scsi: ilog2: create truly constant version for sparse
BACKPORT: selinux: use separate table for initial SID lookup
UPSTREAM: selinux: make "selinux_policycap_names[]" const char *
UPSTREAM: selinux: refactor sidtab conversion
BACKPORT: selinux: wrap AVC state
UPSTREAM: selinux: wrap selinuxfs state
UPSTREAM: selinux: rename the {is,set}_enforcing() functions
BACKPORT: selinux: wrap global selinux state
UPSTREAM: selinux: Use kmem_cache for hashtab_node
BACKPORT: perf_event: Add support for LSM and SELinux checks
audio-kernel: dsp: TEMP Enable bluetooth
ARM: dts: msm: Update lpi offset for SDM660
ASoC: sdm660_cdc: Update mbhc reg struct for IN2P_CLAMP_STATE
vidc: Temporary change to remove secure context bank
UPSTREAM: binder: Add binder_proc logging to binderfs
UPSTREAM: binder: Make transaction_log available in binderfs
UPSTREAM: binder: Add stats, state and transactions files
UPSTREAM: binder: add a mount option to show global stats
UPSTREAM: binder: Validate the default binderfs device names.
UPSTREAM: binder: Add default binder devices through binderfs when configured
UPSTREAM: binder: fix CONFIG_ANDROID_BINDER_DEVICES
UPSTREAM: android: binder: use kstrdup instead of open-coding it
UPSTREAM: binderfs: remove separate device_initcall()
BACKPORT: binderfs: respect limit on binder control creation
UPSTREAM: binderfs: switch from d_add() to d_instantiate()
UPSTREAM: binderfs: drop lock in binderfs_binder_ctl_create
UPSTREAM: binderfs: kill_litter_super() before cleanup
UPSTREAM: binderfs: rework binderfs_binder_device_create()
UPSTREAM: binderfs: rework binderfs_fill_super()
UPSTREAM: binderfs: prevent renaming the control dentry
UPSTREAM: binderfs: remove outdated comment
UPSTREAM: binderfs: fix error return code in binderfs_fill_super()
UPSTREAM: binderfs: handle !CONFIG_IPC_NS builds
BACKPORT: binderfs: reserve devices for initial mount
UPSTREAM: binderfs: rename header to binderfs.h
BACKPORT: binderfs: implement "max" mount option
UPSTREAM: binderfs: make each binderfs mount a new instance
UPSTREAM: binderfs: remove wrong kern_mount() call
BACKPORT: binder: implement binderfs
UPSTREAM: binder: remove BINDER_DEBUG_ENTRY()
UPSTREAM: seq_file: Introduce DEFINE_SHOW_ATTRIBUTE() helper macro
Revert "msm: camera_v2: CPP AXI reset at close".
msm: camera: dtsi: arm camera gpio config for sdm660.
UPSTREAM: exit: panic before exit_mm() on global init exit
soc: qcom: Add support for SDA660 into socinfo driver
defconfig: sdm : Add configs for SDM660
ARM: dts: msm: Add dts for SDA660.
ANDROID: cpufreq_interactive: remove unused variable
ARM: dts: msm: add pmic support for SDM660
defconfig: sdm660: Enable camera driver support
audio-kernel: Pull in latest code changes from 4.0 branch
msm: mdss: Remove validate layer logs
regulator: core: TEMP change register string size
defconfig : msm: Enable snd config on SDM660
ARM: dts: msm: Snd node changes for sdm660
Revert "ARM: dts: msm: Audio changes for SDM660"
asoc: fix NULL pointer de-reference in asoc drivers.
asoc: msm-pcm: Add mutex lock to protect prvt data
msm: vidc_3x: ION Upgrade changes for video
msm: vidc_3x: Add snapshot of video driver
ARM: dts: msm: Enable icnss interrupts and configs
dts: Add restrict-access to adsp_mem
ARM: dts: msm: update DT entries for fastRPC on SDM660
Merge multi rect traffic changes into kernel.lnx.4.14.r22-rel
fbdev: msm: Add backlight class support for FB driver
ARM: dts: msm: Audio changes for SDM660
Adding perf defconfig for SDM660.
ARM: SDM: bringup changes for SDM660
ARM: dts: msm: Enable global pagetable for gpu on SDM660
power: qpnp-smb2: Use chg_param.smb_version in place of smb_version.
ARM: dts: msm: SMP2P changes for sdm660
soc: qcom: Force sequential boot for MSA modem
Workaround: These are work around which need to de addressed
soc: qcom: add snapshot of MBA based modem PIL
defconfig : Enable QCOM_COMMAND_DB and QCOM_SECURE_BUFFER
ARM: dts: msm: Add regulator property for SMMU nodes
msm: kgsl: Add CX peak freq for Adreno512
defconfig : Enable KGSL
ARM: dts: msm: Enable WLED backlight
defconfig : msm: Enable backlight configs
msm: mdss: fix qseed3 op_mode register programming
msm: mdss: Skip setting up Qseed3 for non-vig pipes
msm: mdss: Change IOMMU map sequence during splash cleanup
msm: mdss: share MDP smmu device mappings with other mdss clients
msm: mdss: Add support for secure camera
msm: mdss: Enable secure display and camera feature for msmcobalt
Revert "power: qpnp-smb2: Use chg_param.smb_version in place of smb_version"
msm: mdss: Initialize mdss v3 pp driver ops for msmfalcon
Revert "soc: qcom: Remove legacy scm_call API support"
msm: mdss: Add mdss capabilities for msmfalcon
ARM: dts: msm: Add dt entry regulator-hw-type
msm/sde/rotator: Add sdm660 MDP rev for rotator
dtsi: dtsi changes
defconfig: msm: Add sdm660_defconfig
ARM: SDM: bringup changes for SDM660
clk: qcom: Add snapshot of sdm660 clocks
regulator: add snapshot of cpr3-regulator and dependent drivers
mdss: 660.14 wA
backlight: qcom-spmi-wled: Add compatible string for SDM660
fbdev: msm: Do SMMU attach before buffer map
msm: mdss: Separate PP programming to advanced and deferred modes
msm: mdss: Add PA dither support for msmcobalt
qcacld-3.0: Possible OOB write in rrm_process_radio_measurement_request
Initial target definition for sdm660 on 4.14
autoconf: new config files for sdm660
qcacld-3.0: Fix buffer overflow in HTT MSG handling
qcacld-3.0: set same IPA bandwidth for both cons and prod pipes
iommu: arm-smmu: Fix dev_err formatting errors
qcacmn: Fix incorrect ref counter of vdev
qcacld-3.0: Dont create the session from add virt interface
qcacmn: Fix ref leak of vdev if scan is rejected
Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com>
|
||
|
|
67a117550b |
Merge tag 'd0a4776ea66715dc1b856ff489cbce4fec3028e4' into LE.UM.4.2.1.r1-02600-QCS404.0
"LA.UM.8.1.r1-15100-sm8150.0" * tag 'd0a4776ea66715dc1b856ff489cbce4fec3028e4': data-kernel: EMac: S2D phase 2 changes emac: emac RXC clock warning drivers: rmnet: shs: Add oom handler drivers: rmnet: shs: add segmentation levels for slow start flows data-kernel: EMAC: Change defualt value for phy reset delays. data-kernel: EMAC: read phy hw reset delay time from dtsi Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
e4c3d257e3 |
sm8150: squashed commit for fixing wrong print format specifiers
* origin/gcc-fixes: (15 commits) qcom: mem-offline: fix various formatting errors sound: usb: Fix wrong uaudio_dbg() formatting msm: ipa: Fix IPAERR_RL formatting errors msm: ipa3: Fix IPAWANDBG formatting errors backlight: qcom-spmi-wled: fix formatting error techpack: data: shs: rmnet_shs_wq: fix formatting error drm: msm: fix numerous formatting errors bus: mhi: fix formatting errors iommu: fix formatting errors adsprpc: fix formatting errors thermal: qcom: qmi_sensors: fix formatting error power: qcom: fix formatting errors touchscreen: goodix_driver_gt9886: fix formatting errors msm: gsi: fix formatting error Makefile: suppress all format warnings Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
153e4a3879 |
sm8150: squashed commit for fixing maybe-uninitialised variable warnings
* origin/gcc-fixes: (9 commits) drivers: fix most uninitialised variable warnings techpack: fix maybe-unitialized variable warnings msm: ipa_v3: fix used-uninitialized variable warning base: power: fix used-unitialized variable warning pwm: pwm-qti-lpg: disable maybe-uninitialized warning msm: ipa: fix a used uninitialized variable warning tty: serial: fix maybe uninitialized variable warning drm/msm: sde: fix may be used uninitialized warning power: smb5-lib: fix a maybe-uninitialized variable Co-Authored-by: Yaroslav Furman <yaro330@gmail.com> Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
351b0aa98c |
techpack: build rmnet extensions
Signed-off-by: Park Ju Hyung <qkrwngud825@gmail.com> Signed-off-by: UtsavBalar1231 <utsavbalar1231@gmail.com> |
||
|
|
8ccc0befe3 |
Add 'techpack/data/' from commit '264a4e7a5385a6cd479ca61d363b93d9e63f0533'
git-subtree-dir: techpack/data
git-subtree-mainline:
|