-
Notifications
You must be signed in to change notification settings - Fork 8
/
acronyms.comp
1955 lines (1955 loc) · 56.2 KB
/
acronyms.comp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
$NetBSD: acronyms.comp,v 1.388 2024/01/29 16:31:53 jschauma Exp $
3WHS three-way handshake
8VSB 8-state vestigial side band modulation
AA anti-aliasing
AAA authentication, authorization, [and] accounting
AAT average access time
ABE attribute-based encryption
ABI application binary interface
ABNF augmented backus-naur form
ABR available bit rate
ABRT automatic bug reporting tool
AC alternating current
ACI adjacent channel interferer
ACID atomicity, consistency, isolation, durability
ACK Amsterdam compiler kit
ACK acknowledgement
ACL access control list
ACL active current loop
ACL asynchronous connection less
ACP auxiliary control {process,program}
ACPI advanced configuration and power interface
ACS access control set
ACU automatic calling unit
ADB Apple desktop bus
ADC analog [to] digital converter
ADD acronym driven development
ADDDC adaptive double DRAM device correction
ADO active data objects
ADP automatic data processing
ADPCM adaptive differential pulse code modulation
ADS alternate data stream
ADSL asymmetric digital subscriber line
ADT abstract data type
AEAD authenticated encryption with associated data
AEDC advanced error detection and correction
AER advanced error reporting
AES Advanced Encryption Standard
AFP Apple Filing Protocol
AFS Andrew File System
AGC automatic gain control
AGP accelerated graphics port
AI analog input
AI artificial intelligence
AL access list
AL active link
ALE address latch enable
ALPN application-layer protocol negotiation
ALS ambient light sensor
ALSA advanced Linux sound architecture
ALU arithmetic and logical unit
ALUA asymmetric logical unit access
AM access method
AM alignment mask
AM amplitude modulation
AMD Advanced Micro Devices Inc
AMDD Agile model-driven development
AMI alternate mark inversion
AMP asymmetric multiprocessing
AMQP advanced message queuing protocol
AMT active management technology
AN Arabic number
ANR application not responding
ANSI American National Standards Institute
AO analog output
AOC add-on card
AOL Alert-on-LAN
AOS add or subtract
AOT ahead of time
AP access point
AP application processor
APEI ACPI platform error interface
APFS Apple file system
API application programming interface
APIC advanced programmable interrupt controller
APIPA automatic private IP addressing
APM advanced power management
APM application performance management
APT advanced persistent threat
APU accelerated processing unit
AQM active queue management
ARAT always running APIC timer
ARC Advanced RISC Computing
ARC adaptive replacement cache
ARC automatic reference counting
ARM Advanced RISC Machines
ARP Address Resolution Protocol
ARPA Advanced Research Projects Agency
ARQ automatic repeat request
ARR address range register
ARU audio response unit
AS autonomous system
ASA Adaptive Security Appliance
ASAN Address Sanitizer
ASC advanced smart cache
ASCII American Standard Code for Information Interchange
ASD agile software development
ASE advanced software environment
ASF alert standard format
ASIC application-specific integrated circuit
ASK amplitude shift keying
ASLR address space layout randomization
ASN autonomous system number
ASP active server pages
ASP auxiliary storage pool
ASPM active state power management
ASQ automated software quality
ASR Apple software restore
ASR address space register
AST abstract syntax tree
AST asynchronous system trap
AT access time
AT advanced technology
ATA advanced technology attachment
ATAPI advanced technology attachment packet interface
ATC address translation cache
ATF ARM trusted firmware
ATF automated testing framework
ATM asynchronous transfer mode
ATX advanced technology extended
AV anti virus
AVB audio video bridging
AVL Adelson-Velsky-Landis
AVX advanced vector extensions
AWDL Apple wireless direct link
BA byte align
BAL basic assembly language
BAR base address register
BBS bulletin board system
BCC blind carbon copy
BCD binary coded decimal
BCH boot console handler
BCR byte count register
BCS base configuration space
BD baud
BDD binary decision diagram
BDI bit deinterleave
BDUF big design up front
BEDO burst extended data output
BER basic encoding rules
BER bit error {rate,ratio}
BERT boot error record table
BFD bidirectional forwarding detection
BFD binary {file,format} descriptor
BFKL big fscking kernel lock
BFS breadth-first search
BFT binary file transfer
BGA ball grid array
BGP Border Gateway Protocol
BGPSEC BGP Security
BIND Berkeley Internet Name Daemon
BIOS Basic Input/Output System
BIOS built-in operating system
BIST built-in self-test
BIU bus interface unit
BKDG BIOS and kernel developer's guide
BLAS basic linear algebra subprograms
BLC back light control
BLE Bluetooth low energy
BLOB binary large object
BM bus master
BMC baseboard management controller
BMIC bus master interface controller
BMP basic multilingual plane
BMP bitmap image file
BN boundary neutral
BNF Backus-Naur form
BO binary output
BOF beginning of file
BOM beginning of message
BOM byte order mark
BP base pointer
BP boot processor
BPB BIOS parameter block
BPDU bridge protocol data unit
BPF Berkeley Packet Filter
BPI bits per inch
BPM business process modelling
BPS bits per second
BPSK binary phase shift keying
BQP bounded-error quantum polynomial time
BQS Berkeley quality software
BRE basic regular expression
BS backspace
BS binary sequence
BSA basic service area
BSD Berkeley Software Distribution
BSDP Boot Service Discovery Protocol
BSF bit scan forward
BSOD blue screen of death
BSP binary space partition
BSP board support package
BSP bootstrap processor
BSR bit scan reverse
BSS basic service set
BSS block started by symbol
BSSID basic service set identifier
BT BitTorrent
BT Bluetooth
BT bit test
BTB branch target buffer
BTB board-to-board
BTC bit test [and] complement
BTM bus transport mechanism
BTR bit test [and] reset
BTS bit test [and] set
BTS bug tracking system
BUAG big ugly ASCII graphic
BW bandwidth
BWM block-write mode
CA certificate authority
CAC cryptographic access control
CACLS change access control lists
CAD computer-aided design
CAM computer assisted manufacturing
CAM conditional access module
CAM content addressable memory
CAN controller area network
CARP Common Address Redundancy Protocol
CAS column address strobe
CAS compare and swap
CAS computer algebra system
CASE computer aided software engineering
CAU control access unit
CAV constant angular velocity
CBC cipher block chaining
CBR constant bit rate
CC carbon copy
CCC Chaos Computer Club
CCD charge coupled device
CCI co-channel interferer
CCNUMA cache-coherent non-uniform memory access
CCTL command completion time limit
CD cache disable
CD compact disc
CDDA compact disc digital audio
CDL compiler description language
CDMA code division multiple access
CDN content delivery network
CDP Cisco Discovery Protocol
CDRAM cache dynamic random access memory
CE customer edge
CER canonical encoding rules
CERT computer emergency response team
CET control flow enforcement technology
CF compact flash
CFB cipher feedback
CFG context-free grammar
CFG control-flow graph
CFI control-flow integrity
CG control gate
CGA Color Graphics Adapter
CGI common gateway interface
CGN Carrier-Grade NAT
CHAP Challenge-Handshake Authentication Protocol
CHFS chip file system
CHS cylinder/head/sector
CI continuous integration
CI {common,component} interface
CIA confidentiality, integrity, availability
CIDR Classless Inter-Domain Routing
CIF common intermediate format
CIFS Common Internet File System
CIL common intermediate language
CIR carrier-to-interference ratio
CIS contact image sensor
CISC complex instruction set {computer,computing}
CJK Chinese, Japanese, [and] Korean
CLF common log format
CLI command line interface
CLI common language infrastructure
CLR common language runtime
CLS common language specification
CLTT closed loop thermal throttling
CLUT color look-up table
CLV constant linear velocity
CM configuration management
CMA concert multithread architecture
CMC certificate management over CMS
CMC chassis management controller
CMC corrected machine check
CMI control {management,method} interface
CMOS complementary metal-oxide-semiconductor
CMP chip multi-processing
CMS content management system
CMS cryptographic message syntax
CMS {configuration,content,course} management system
CMYK cyan magenta yellow black
CN {common,canonical} name
CNA CVE Numbering Authority
CNC computer numerical control
CNR carrier-to-noise ratio
COA change of authority
COF current operating frequency
COFDM coded orthogonal frequency division multiplexing
COFF common object file format
COM component object model
COM computer on module
COMA cache-only memory architecture
CORBA common object request broker architecture
COS class of service
COW copy-on-write
CP continuous pilot
CPA chosen-plaintext attack
CPB core performance boost
CPC central processor complex
CPC cpu performance counters
CPE common phase error
CPE common platform enumeration
CPER common platform error record
CPG clock pulse generator
CPI cycles per instruction
CPL current privilege level
CPLD complex programmable logic device
CPP C preprocessor
CPS characters per second
CPS continuation-passing style
CPT command pass through
CPU central processing unit
CR carriage return
CRC cyclic redundancy check
CRDT conflict-free replicated data type
CRL carrier recovery loop
CRLF carriage return line feed
CRQC cryptanalytically relevant quantum computer
CRT cathode ray tube
CRTP curiously recurring template pattern
CRUD create, read, update, and delete
CS cable select
CS chip select
CS code segment
CS computer science
CSDL {common,conceptual} schema definition language
CSI channel state information
CSI common system interface
CSIRT computer security incident response team
CSMA carrier sense multiple access
CSMA/CA carrier sense multiple access with collision avoidance
CSMA/CD carrier sense multiple access with collision detection
CSP communicating sequential processes
CSP constrain satisfaction problems
CSP content security policy
CSP cryptographic service provider
CSPM cloud security posture management
CSR control [and] status registers
CSRF cross-site request forgery
CSRG Computer Systems Research Group
CSS cascading style sheets
CST common spanning tree
CSU C start up
CSV comma-separated values
CTF compact c type format
CTM close to metal
CTR counter [mode]
CTS clear to send
CTS common type system
CUA common user access
CUT coordinated universal time
CV control voltage
CVE common vulnerabilities and exposures
CVS Concurrent Versions System
CVSS Common Vulnerability Scoring System
DA destination address
DAA distributed application architecture
DAAP digital audio access protocol
DAB digital audio broadcasting
DAC digital [to] analog converter
DAC discretionary access control
DAD duplicate address detection
DAE deterministic authenticated encryption
DANE DNS-based Authentication of Named Entities
DAO disk at once
DAP Directory Access Protocol
DAT digital audio tape
DAT dynamic acceleration technology
DB database
DBA database administrator
DBA dynamic bandwidth allocation
DBB data bus buffer
DBC design by contract
DBL dynamic buffer limiting
DBMS database management system
DBS database server
DC data center
DC direct current
DCC Direct Client-to-Client
DCC direct cable connect
DCD data carrier detect
DCE data control equipment
DCE distributed computing environment
DCIM data center infrastructure management
DCIM digital camera images
DCL Digital Command Language
DCOM distributed component object model
DCOP Desktop COmmunication Protocol
DCS data collection systems
DCT discrete cosine transform
DCU data cache unit
DDC display data channel
DDE dynamic data exchange
DDI device drivers interface
DDK device driver kit
DDL data description language
DDR double data rate
DDS direct digital sound
DDWG Digital Display Working Group
DE debugging extensions
DE desktop environment
DEA data encryption algorithm
DEC Digital Equipment Corporation
DEK data encryption key
DEP data execution prevention
DER distinguished encoding rules
DES Data Encryption Standard
DF don't fragment
DFA deterministic finite automaton
DFC data flow control
DFS depth first search
DFS distributed file system
DFSAN Data Flow Sanitizer
DFT diagnostic function test
DFT discrete Fourier transform
DFZ default-free zone
DGEMM double precision general matrix multiply
DGL data generation language
DH Diffie-Hellman
DHCP Dynamic Host Configuration Protocol
DIA dedicated Internet access
DIB device independent bitmap
DIFS distributed inter-frame space
DIMM dual inline memory module
DIRT design in real time
DKI driver/kernel interface
DL diode logic
DL discrete logarithm
DL download
DLCI data link connection identifier
DLE data link escape
DLL dynamic link library
DLNA digital living network alliance
DLP discrete logarithm problem
DMA direct memory access
DMB data memory barrier (Arm)
DMI desktop management interface
DMS document management system
DMT discrete multitone modulation
DMU data management layer
DNARD Digital network appliance reference design
DND drag and drop
DNLC directory name lookup cache
DNS Domain Name System
DNSBL Domain Name System Block List
DNSSEC DNS Security Extensions
DOE distributed object environment
DOF data over fibre
DOH DNS over HTTPS
DOM document object model
DOQ DNS over QUIC
DOS denial of service
DOS disk operating system
DOT DNS over TLS
DP DisplayPort
DPAA data path acceleration architecture
DPC deferred procedure call
DPCM differential pulse code modulation
DPD dead peer detection
DPDK data plane development kit
DPI deep packet inspection
DPI dots per inch
DPL descriptor privilege level
DPS Display PostScript
DPST display power savings technology
DRAAS disaster recovery as a service
DRAM dynamic random access memory
DRBG deterministic random bit generator
DRI direct rendering infrastructure
DRM digital rights management
DRM direct rendering manager
DRN Discovery of Network-designated Resolvers
DRRS display refresh rate switching
DS debug store
DS differentiated services
DS9000 DeathStation 9000
DS9K DeathStation 9000
DSA digital signature algorithm
DSAP destination service access point
DSB data synchronization barrier (Arm)
DSB double-sideband modulation
DSCP differentiated services code point
DSDT differentiated system descriptor table
DSF device special file
DSL dataset and snapshot layer
DSL digital subscriber line
DSL domain specific language
DSLAM digital subscriber line access multiplexer
DSN delivery status notification
DSO dynamic shared object
DSP digital signal processor
DSSS direct sequence spread spectrum
DTB device tree blob
DTC device tree compiler
DTD document type definition
DTE data terminal equipment
DTE dumb terminal emulator
DTL diode-transistor logic
DTLS datagram transport layer security
DTS device tree source
DTS digital thermal sensor
DUT device under test
DVB digital video broadcasting
DVCS distributed version control system
DVD digital versatile disc
DVFS dynamic voltage and frequency scaling
DVI Digital Visual Interface
DVI device independent
DVR digital video recorder
DWARF Debugging With Attributed Record Formats
E-XER extended XML encoding rules
EABI embedded-application binary interface
EAI Email Address Internationalization
EAI Enterprise Application Integration
EAP Extensible Authentication Protocol
EAPOL EAP over Lan
EAV entity-attribute-value model
EAV ethernet audio/video bridging
EBCDIC Extended Binary Coded Decimal Interchange Code
EBDA Extended BIOS Data Area
EBNF extended backus-naur form
EBR extended boot record
EC elliptic curve
ECC elliptic curve cryptography
ECC error correction code
ECDH elliptic curve Diffie-Hellman
ECDL elliptic curve discrete logarithm
ECDLP elliptic curve discrete logarithm problem
ECDSA elliptic curve digital signature algorithm
ECL emitter-coupled logic
ECN explicit congestion notification
ECP enhanced capability port
ECS enhanced chip set
ECS extended configuration space
EDAC error detection and correction
EDAT enhanced dynamic acceleration technology
EDGE explicit data graph execution
EDID extended display identification data
EDO extended data out
EDS electronical data sheet
EDSAC electronic delay storage automatic calculator
EDVAC electronic discrete variable automatic computer
EEE embrace, extend, extinguish
EEE energy efficient ethernet
EEPROM electrically erasable programmable read only memory
EFI extensible firmware interface
EFL emitter follower logic
EFM eight to fourteen modulation
EFS extent file system
EGA Enhanced Graphics Adapter
EGP exterior gateway protocol
EH extension header
EIDE enhanced IDE
EINJ error injection table
EISA extended industry standard architecture
ELF executable and linking format
ELS entry level system
EMACS Editor MACroS
EMI electro-magnetic interference
EMP electro-magnetic pulse
EMR electro-magnetic radiation
ENIAC electronic numerical integrator and computer
EOF end of file
EOI end of interrupt
EOIS end of interactive support
EOL end of life
EOL end of line
EOT end of transmission
EPIC explicitly parallel instruction computing
EPP enhanced parallel port
EPP extensible provisioning protocol (RFC5730)
EPRML extended partial response, maximum likelihood
EPROM erasable programmable read only memory
EPSS Exploit Prediction Scoring System
EPT extended page tables
ERC error recovery control
ERD emergency recovery disk
ERD entity relationship diagram
ERE extended regular expression
ERST error record serialization table
ESAN Efficiency Sanitizer
ESB enterprise service bus
ESDI enhanced small disk interface
ESDRAM enhanced synchronous dynamic random access memory
ESI enclosure services interface
ESS electronic switching system
ESS extended service set
ESSID extended service set identifier
EST enhanced speedstep
ETL extract, transform, load
EU execution unit
EULA end user license agreement
EdDSA Edwards curve digital signature algorithm
FAT file allocation table
FBRAM frame buffer random access memory
FCIF full common intermediate format
FCL fiber channel loop
FCS frame check sequence
FDC floppy disk controller
FDD floppy disk drive
FDDI fiber distributed data interface
FDE full disk encryption
FDT flattened device tree
FEA finite element analysis
FEC forward error correction
FET field-effect transistor
FF finite field
FF form feed
FFDH finite-field Diffie-Hellman
FFH functional fixed hardware
FFI foreign function interface
FFM focus follows mouse
FFS Fast File System
FFS find first set
FFT fast Fourier transform
FG floating gate
FHRP first hop redundancy protocol
FHSS frequency hop spread spectrum
FID frequency identifier
FIFO first in, first out
FILO first in, last out
FIPS Federal Information Processing Standards
FIR fast infrared
FLOPS floating [point] operations per second
FLOSS free/libre/open source software
FM frequency modulation
FMR false match rate
FOSS free/open source software
FPGA field programmable gate array
FPM fast page mode
FPR floating point register
FPU floating point unit
FQDN fully qualified domain name
FRR false rejection rate
FRR Free Range Routing
FRU field replaceable unit
FS file system
FSB front side bus
FSCK file system check
FSF Free Software Foundation
FSK frequency shift keying
FSM finite-state machine
FTA fault tree analysis
FTL flash translation layer
FTP File Transfer Protocol
FTPS File Transfer Protocol Secure
FTTH fiber to the home
FUS fast user switching
FWH firmware hub
FWS folding white space
GAL generic array logic
GARP generic attribute registration protocol
GAS generic address structure
GC garbage collector
GCC GNU Compiler Collection
GCM Galois counter mode
GCR group-coded recording
GDI Graphics Device Interface
GDT global descriptor table
GECOS general comprehensive operating supervisor
GEM graphics environment manager
GEM graphics execution manager
GEMM general matrix multiply
GENA general event notification architecture
GHC Glasgow Haskell compiler
GHES generic hardware error source
GIC generic interrupt controller
GID group identifier
GIF graphics interchange format
GLBP gateway load balancing protocol
GMCH graphics and memory controller hub
GNU GNU's Not Unix
GOP graphics output protocol
GOT global offset table
GPE general purpose event
GPF general protection fault
GPG GNU Privacy Guard
GPL [GNU] General Public License
GPR general purpose register
GPS generalized processor sharing
GPT GUID partition table
GPU graphics processing unit
GR golden ratio
GRE generic routing encapsulation
GRO generic receive offload
GSI global system interrupt
GSO generic send offload
GUI graphical user interface
GUID globally unique identifier
GUS Gravis UltraSound
GVFS git virtual file system
HA high availability
HAL hardware abstraction layer
HAT hashed array tree
HATEOAS hypermedia as the engine of application state
HBA host bus adapter
HCC Home Cable Computer
HCCA Home Cable Computer Adaptor
HCF halt and catch fire
HCI host controller interface
HCI human-computer interaction
HCL hardware compatibility list
HDCP High-bandwidth Digital Content Protection
HDD hard disk drive
HDL hardware description language
HDMI High-Definition Multimedia Interface
HDTV high-definition television
HECI host embedded controller interface
HEST hardware error source table
HEVC high efficiency video coding
HF high frequency
HFM highest frequency mode
HFS hierarchical file system
HID human interface device
HKDF HMAC-based key derivation function
HKP HTTP Keyserver Protocol
HLE hardware lock elision (Intel)
HLL high-level language
HMA high memory area
HMI human-machine interface
HNDL harvest now, decrypt later
HOOD hierarchical object oriented design
HOTP HMAC-based one time password
HP Hewlett-Packard
HPC high performance computing
HPD hot plug detection
HPET high precision event timer
HPKE hybrid public key encryption
HSM hardware security module
HSM hierarchical storage management
HSRP hot standby router protocol
HT hyper-threading
HTC hardware thermal control
HTCC high temperature co-fired ceramic
HTML HyperText Markup Language
HTT hyper-threading technology
HTTP Hypertext Transfer Protocol
HTTPS Hypertext Transfer Protocol Secure
HVDS High-Voltage Differential Signaling
HVM hardware virtual machine
HWASAN Hardware-assisted Address Sanitizer
HZ Hertz
I2O intelligent input/output
IA information assurance
IAAS infrastructure as a service
IAB Internet Architecture Board
IANA Internet Assigned Numbers Authority
IBC iterated block cipher
IBM International Business Machines
IBPI international blinking pattern interpretation
IBS instruction based sampling
IBSS independent basic service set
IBT indirect branch tracking
IC integrated circuit
ICA independent computer architecture
ICACLS integrity control access control lists
ICB Internet Citizen's Band
ICE in-circuit emulator
ICE internal compiler error
ICH I/O controller hub
ICMP Internet Control Message Protocol
ICT information and communications technology
ICW initialization command word
IDA Intel dynamic acceleration
IDCMP Intuition direct communication message port
IDCT inverse discrete cosine transform
IDE integrated development environment
IDE integrated drive electronics
IDPS intrusion detection [and] prevention system
IDRP inter-domain routing protocol
IDS intrusion detection system
IDT interrupt descriptor table
IE Internet Explorer
IEC International Electrotechnical Commission
IEEE Institute of Electrical and Electronics Engineers
IESG Internet Engineering Steering Group
IETF Internet Engineering Task Force
IF intermediate frequency
IFCM isochronous flow control mode
IFF Interchange File Format
IFS internal field separator
IGD Internet gateway device
IGMP Internet Group Management Protocol
IGP interior gateway protocol
IHV independent hardware vendor
IKE Internet key exchange
IKM input keying material
ILM internal loopback mode
ILOM integrated lights-out management
ILP instruction level parallelism
IM instant messaging
IMAP Internet Message Access Protocol
IMC integrated memory controller
IMCR interrupt mode configuration register
IME input method editor
IMR interrupt mask register
IMS information management system
IMSI international mobile subscriber identity
INCITS InterNational Committee for Information Technology Standards
INODE index node
IO input/output
IOCTL input/output control
IOM input/output managers
IOMMU input/output memory management unit
IOT Internet of Things
IP Internet Protocol
IP intellectual property
IPC instructions per cycle
IPC interprocess communication
IPCF interprocess communication facility
IPE integrated programming environment
IPI intelligent peripheral interface
IPI interprocessor interrupt
IPL Initial Program Load
IPL Interrupt Priority Level
IPMB Intelligent Platform Management Bus
IPMI Intelligent Platform Management Interface
IPNG Internet Protocol, Next Generation
IPS in-plane switching
IPS intrusion prevention system
IPSEC Internet Protocol Security
IR intermediate representation
IRC Internet Relay Chat
IRDA infrared data association
IRDP ICMP Router Discovery Protocol
IRQ interrupt request
IRQL interrupt request level
IRR interrupt request register
IRTF Internet Research Task Force
IS information system
ISA industry standard architecture
ISA instruction set architecture
ISB instruction synchronization barrier (Arm)
ISDN integrated services digital network
ISE instant secure erase
ISI inter-symbol interference
ISL initial system load
ISM industrial, scientific, [and] medical
ISMS information system management system
ISN initial serial number
ISO International Standards Organization
ISOC Internet Society
ISP Internet service provider
ISR in-service register
ISR interrupt service routine
IST internal spanning tree
IST interrupt stack table
ISV independent software vendor
IT information technology
ITB Intel Turbo Boost
ITIL information technology infrastructure library
ITP in-target probe
ITSM IT service management
IV initialization vector
IVT interrupt vector table
JBOD just a bunch of disks
JCL Job Control Language
JFET junction [gate] field-effect transistor
JIT just in time
JPEG Joint Photographic Experts Group
JRE Java Runtime Environment
JSON JavaScript Object Notation
JTAG joint test action group
KASAN Kernel Address Sanitizer
KASLR kernel address space layout randomization
KB keyboard
KB kilobyte
KBD keyboard
KBD kilobaud
KCS keyboard controller style
KEK key encryption key
KEM key encapsulation mechanism
KLOC thousand lines of code
KMS kernel-mode setting
KPI kernel programming interface
KVA kernel virtual address
KVM kernel virtual machine
KVM kernel virtual memory
KVM keyboard, video, [and] mouse
L2CAP link layer control and adaptation protocol
LAG link aggregation group
LAMP Linux Apache MySQL {Perl,PHP,Python}
LAN local area network
LAPIC local advanced programmable interrupt controller
LAR load access rights
LBA logical block addressing
LBNF labeled backus-naur form
LBS location-based service
LCD liquid crystal display
LCP link control protocol
LDA local delivery agent
LDAP Lightweight Directory Access Protocol
LDR light-dependent resistor
LDT local descriptor table
LE logical extent
LED light emitting diode
LELL low energy link layer
LER label edge router
LF line feed
LF low frequency
LFM lowest frequency mode
LFN long file names
LFO low-frequency oscillation
LFS log-structured file system
LFU least frequently used
LHP loop heat pipe
LIF logical interchange format
LIFO last in, first out
LILO LInux LOader
LILO last in, last out
LINT local interrupt
LIR local Internet registry
LISP LISt Processor
LISP Locator/ID Separation Protocol
LKM {Linux,loadable} kernel module
LKML Linux kernel mailing list
LL load linked
LL/SC load linked/store conditional
LLC logical link control
LLD low-level design
LLDD low-level design document
LLDP link layer discovery protocol
LLF low level format
LLMNR link-local multicast name resolution
LLVM Low Level Virtual Machine
LM long mode
LMCE local machine check exception
LMI local management interface
LMM link management mode
LMP link management protocol
LNO loop nest optimization
LOC lines of code
LOM lights-out management
LPC low pin count
LPE Linux performance events
LPS local positioning system
LRC longitudinal redundancy check
LRM left-to-right mark
LRO Large Receive Offload
LRO left-to-right override
LRU least recently used
LS link state
LSAN Leak Sanitizer
LSB Linux standards base
LSB least significant {bit,byte}
LSI large scale integration
LSL load segment limit
LSM log structured merge
LSN Large Scale NAT
LSN log sequence number
LSO large send offload
LSR label switch router
LTCC low temperature co-fired ceramic
LTO linear tape-open
LTO link time optimization
LTR left to right
LTR letter(-sized paper)
LTR load task register
LTS long term support
LUA Lua Uppercase Accident
LUN logical unit number
LV logical volume
LVDS Low-Voltage Differential Signaling
LVM logical volume management
LVT local vector table
LWP light-weight process
LZSS Lempel Ziv Storer Szymanski
LZW Lempel Ziv Welch
MAB MAC authentication bypass
MAC mandatory access control
MAC message authentication {check,code}
MAC {media,medium} access control
MADT multiple APIC descriptor table
MAMR microwave-assisted magnetic recording
MB megabyte
MBA multi-boot agent
MBR master boot record
MBS megabits per second
MC memory controller
MCA MicroChannel architecture
MCA machine check architecture
MCC multiversion concurrency control
MCE machine check exception
MCGA Multi-Color Graphics Array
MCH memory controller hub
MCLAG multi-chassis link aggregation group
MCM multi-chip module
MCQ memory controlled queue
MD MiniDisc
MD machine-dependent
MD-SAL model-driven service abstraction layer
MDA Monochrome Display Adapter
MDA mail delivery agent
MDC Management Data Clock