Initial revision
authorMikael Berthe <mikael@lilotux.net>
Sun, 11 Apr 2010 18:13:18 +0200
changeset 0 89add07d6fe4
child 1 cca972635e5e
Initial revision 2010/04/11, mcabber 0.10.1-dev (1892:ea3f9b4f3558)
.hgignore
mcabbot.lua
mcbot/cmds/calc.lua
mcbot/cmds/dict.lua
mcbot/cmds/misc.lua
mcbot/cmds/spell.lua
mcbot/cmds/wtf.lua
mcbot/mcbot_engine.lua
mcbot/mcbot_shell.lua
mcbot/wtfdb.txt
--- /dev/null	Thu Jan 01 00:00:00 1970 +0000
+++ b/.hgignore	Sun Apr 11 18:13:18 2010 +0200
@@ -0,0 +1,1 @@
+mcshell.lua
--- /dev/null	Thu Jan 01 00:00:00 1970 +0000
+++ b/mcabbot.lua	Sun Apr 11 18:13:18 2010 +0200
@@ -0,0 +1,49 @@
+
+local home = os.getenv("HOME")
+package.path = package.path..
+                ";"..home.."/.mcabber/lua/?.lua"..
+                ";"..home.."/.mcabber/lua/mcbot/?.lua"
+home = nil
+
+require "mcbot.mcbot_engine"
+
+local mcabbot = {}
+mcabbot.nickname = "McBot"
+mcabbot.jid = "mcabbot@lilotux.net"
+
+function mcabbot.message_in (h)
+    local perso = false
+    local muc = false
+    local message = h.message
+    if h.groupchat and h.groupchat == "true" then
+        muc = true
+    end
+    if muc == true then
+        if h.delayed == ""  and h.attention and h.attention == "true" then
+            if h.resource and h.resource ~= mcabbot.nickname then
+                perso = true
+            end
+        end
+    else
+        if h.jid ~= mcabbot.jid then
+            perso = true
+        end
+    end
+    if perso == true then
+        local cmd, msg
+        if muc == true then
+            cmd = "say_to -q "..h.jid.." "..h.resource..": "
+        else
+            cmd = "say_to -q "..h.jid.."/"..h.resource.." "
+        end
+        local res, errmsg = process(message, mcabbot.nickname, muc)
+        if res then
+            msg = res
+        elseif errmsg then
+            msg = "! " .. errmsg
+        end
+        if (msg) then main.run(cmd..msg) end
+    end
+end
+
+main.hook("hook-post-message-in", mcabbot.message_in)
--- /dev/null	Thu Jan 01 00:00:00 1970 +0000
+++ b/mcbot/cmds/calc.lua	Sun Apr 11 18:13:18 2010 +0200
@@ -0,0 +1,49 @@
+
+local function sbox (untrusted_code)
+    -- make environment
+    local env = {}
+
+    -- run code under environment
+    local untrusted_function, message = loadstring(untrusted_code)
+    if not untrusted_function then return nil, message end
+    setfenv(untrusted_function, env)
+    local success, result = pcall(untrusted_function)
+    if success then
+        return result
+    else
+        return nil, result
+    end
+end
+
+-- ---- ----
+
+local function dc (args)
+    if not args then return nil, "Give me an expression" end
+    -- Downloaded from http://www.math.bas.bg/bantchev/place/rpn/rpn.lua.html
+    tb = {}  z = 0
+    for tk in string.gmatch(args,'%S+') do
+      if string.find(tk,'^[-+*/]$')  then
+        if 2>#tb then z = nil break end
+        y,x = table.remove(tb),table.remove(tb)
+        loadstring('z=x'..tk..'y')()
+      else
+        z = tonumber(tk)  if z==nil then break end
+      end
+      table.insert(tb,z)
+    end
+    n = #tb
+    if n==1 and z then return z
+    elseif n>1 or z==nil then return nil, "dc: Error!" end
+end
+
+local function calc (args)
+    if not args then return nil, "Give me an expression" end
+    local f, msg = sbox("return "..args)
+    if not f then
+        return nil, "calc: Cannot evaluate expression"
+    end
+    return tostring(f)
+end
+
+mcbot_register_command("dc", dc)
+mcbot_register_command("calc", calc)
--- /dev/null	Thu Jan 01 00:00:00 1970 +0000
+++ b/mcbot/cmds/dict.lua	Sun Apr 11 18:13:18 2010 +0200
@@ -0,0 +1,20 @@
+
+local function dict (args)
+    if not args then return nil, "Give me a word, please" end
+    -- Be careful as we pass it as an argument to a shell command
+    local word = string.match(args, "^(%w+)[%s%?%.%!]*$")
+    if not word then return nil, "Can you repeat please?" end
+
+    local cmd = "/usr/bin/dict "..word.." 2> /dev/null"
+    local fh = io.popen(cmd)
+    result = fh:read("*a")  -- read dict output
+    fh:close()
+    if result:match("^$") then return nil, "dict: No output" end
+
+    -- Sometimes dict outpur is ugly... Let's filter out whitespace.
+    result = result:gsub("[ \t]+\n", "\n"):gsub("\n\n\n+", "\n\n")
+    -- Trim trailing newlines
+    return result:gsub("\n+$", "")
+end
+
+mcbot_register_command("dict", dict)
--- /dev/null	Thu Jan 01 00:00:00 1970 +0000
+++ b/mcbot/cmds/misc.lua	Sun Apr 11 18:13:18 2010 +0200
@@ -0,0 +1,39 @@
+
+local function hello (args)
+    return "Hello!"
+end
+
+mcbot_register_command("hello", hello)
+mcbot_register_command("hi", hello)
+
+
+local function thanks (args)
+    return "You're welcome"
+end
+
+mcbot_register_command("thanks", thanks)
+
+
+local function help (args)
+    return "I can't help you, buddy"
+end
+
+mcbot_register_command("help", help)
+
+
+local function ping (args)
+    return "pong"
+end
+
+mcbot_register_command("ping", ping)
+
+
+local function date (args)
+    if args then
+        return os.date(args)
+    else
+        return os.date()
+    end
+end
+
+mcbot_register_command("date", date)
--- /dev/null	Thu Jan 01 00:00:00 1970 +0000
+++ b/mcbot/cmds/spell.lua	Sun Apr 11 18:13:18 2010 +0200
@@ -0,0 +1,34 @@
+
+local function check (text, lang)
+    local fname = os.tmpname()
+    local fh = io.open(fname, "w")
+
+    fh:write(text)
+    fh:close()
+
+    local cmd = "/usr/bin/enchant -a "..fname
+    if lang and not lang:match("[^_%w]") then
+        cmd = cmd.." -d "..lang
+    end
+    fh = io.popen(cmd)
+    fh:read("*l")           -- skip header
+    result = fh:read("*a")  -- read spellchecker output
+    fh:close()
+
+    os.remove(fname)
+    return result
+end
+
+local function spell (args)
+    if not args then return nil, "What do you want me to spellcheck?" end
+    local r
+    local l, s = string.match(args, "^%s*-d%s?([%w_]+)%s+(.*)%s*$")
+    if l then
+        r = check(s, l)
+    else
+        r = check(args)
+    end
+    return r:gsub("\n+$", "")
+end
+
+mcbot_register_command("spell", spell)
--- /dev/null	Thu Jan 01 00:00:00 1970 +0000
+++ b/mcbot/cmds/wtf.lua	Sun Apr 11 18:13:18 2010 +0200
@@ -0,0 +1,24 @@
+
+local wtfdbfile = "/home/mikael/.mcabber/lua/mcbot/wtfdb.txt"
+
+local function wtf (args)
+    local r = {}
+    if not args then return nil, "WTH do you want?" end
+    args = args:gsub("[%s%?%.%!]+$", ""):upper()
+    for line in io.lines(wtfdbfile) do
+        if line:starts(args.."\t") then
+            table.insert(r, line)
+        end
+    end
+    local len = table.getn(r)
+    if len == 0 then
+        return nil, "I don't know, Sir"
+    end
+    local strresult = r[1]
+    for i = 2, len do
+        strresult = strresult .. "\n" .. r[i]
+    end
+    return strresult
+end
+
+mcbot_register_command("wtf", wtf)
--- /dev/null	Thu Jan 01 00:00:00 1970 +0000
+++ b/mcbot/mcbot_engine.lua	Sun Apr 11 18:13:18 2010 +0200
@@ -0,0 +1,50 @@
+#! /usr/bin/env lua
+
+local commands = {}
+
+function trim(s)
+  return s:match("^%s*(.-)%s*$")
+end
+function rtrim(s)
+  return s:gsub("%s+$", "")
+end
+
+function string.starts(String,Start)
+   return string.sub(String, 1, string.len(Start)) == Start
+end
+
+function mcbot_register_command (name, callback)
+    commands[name] = callback
+end
+
+require "cmds.wtf"
+require "cmds.calc"
+require "cmds.spell"
+require "cmds.dict"
+require "cmds.misc"
+
+function process (line, botname, muc)
+    local n
+    line = trim(line)
+    line, n = line:gsub("^"..botname.."[,: ]%s+", "")
+    if muc and n ~= 1 then return nil, nil end
+
+    local cmd, arg
+    cmd = line:match("^(%w+)%s*[!]*$")
+    if not cmd then
+        -- Check if there are arguments
+        cmd, arg = line:match("^(%w+)%s+(.*)")
+    end
+    if cmd then
+        for name, f in pairs(commands) do
+            if cmd and cmd:lower() == name then
+                return f(arg)
+            end
+        end
+    else
+        -- Ignore smileys
+        if line:match("^[:;8]'?%-?[D()|/\\%[%]pPoO$@]+%s*$") then return nil,nil end
+        if line:match("^^^%s*$") then return nil,nil end
+    end
+    return "I don't understand, Sir"
+end
--- /dev/null	Thu Jan 01 00:00:00 1970 +0000
+++ b/mcbot/mcbot_shell.lua	Sun Apr 11 18:13:18 2010 +0200
@@ -0,0 +1,18 @@
+#! /usr/bin/env lua
+
+require "mcbot_engine"
+
+local function mcbot_mainloop (BotName)
+    while true do
+        local l = io.stdin:read'*l'
+        if l == nil then break end
+        local res, errmsg = process(l, BotName, false)
+        if res then
+            print(res)
+        else
+            if errmsg then print(errmsg) end
+        end
+    end
+end
+
+mcbot_mainloop("mcbot")
--- /dev/null	Thu Jan 01 00:00:00 1970 +0000
+++ b/mcbot/wtfdb.txt	Sun Apr 11 18:13:18 2010 +0200
@@ -0,0 +1,6532 @@
+2D	2-Dimensional
+3ACC	3A Central Control
+3D	3-Dimensional
+3M	Minnesota Mining and Manufacturing
+4GL	Fourth Generation Language
+4H	Head, Heart, Hands, Health
+5XBCOER	5 X-Bar Central Office Equipment Reports system, "5XB COER"
+AAAAAA	Association for the Abolition of Abused Abbreviations and Asinine Acronyms
+AAA	American Automobile Association
+AAA	Anti-Aircraft Artillery
+AA	Administrative Assistant
+AA	Affirmative Action committee
+AAAL	American Academy of Arts and Letters
+AA	Alcoholics Anonymous
+AA	American Airlines
+AA	Antiaircraft Artillery
+AAAS	American Association for the Advancement of Science
+AA	Associate in Accounting
+AA	Astronomy and Astrophysics, "A&A"
+AA	Automobile Association (in England)
+A	Aftermath
+AAII	American Association of Individual Investors
+AAMOF	As A Matter Of Fact
+AAMSI	American Association for Medical Systems Informatics
+AAO	Anglo-Australian Observatory
+AAP	Affirmative Action Program
+AARC	Anglo-American Cataloging Rules
+AARP	Appletalk ARP
+AAS	American Astronomical Society
+AAS	Atom Absorption Spectrometry
+AAVSO	American Association of Variable Star Observers
+AAX	Automated Attendant eXchange
+ABA	American Bar Association
+ABA	American Basketball Association
+ABA	American Booksellers Association
+AB	Able Bodied seaman
+ABATS	Automatic Bit Access Test System
+ABBR	ABBReviation
+ABC	American Broadcasting Company
+ABEL	Advanced Boolean Expression Language (a Data-I/O Trademark)
+ABHC	Average Busy Hour Calls
+ABI	American Bell Inc
+ABI	Application Binary Interface (SunOS and SV application sw interface std)
+ABM	Asynchronous Balanced Mode
+ABP	Alt.Binary.Pictures
+ABPE*	Alt.Binaries.Pictures.Erotica.* (.bondage, .leather, etc.)
+ABS	Acrylonitrile Butadiene-Styrene (plastic)
+ABS	Alternative Billing Service
+ABS	American Bureau of Shipping
+ABS	Anti-Blocking System
+ABSBH	Average Busy Season Busy Hour
+ACAA	Agricultural Conservation and Adjustment Administration
+AC	Access Control
+AC	Adaptive Control
+AC	Alternating Current (ac, see also DC)
+AC	Answer Center (Sun)
+AC	Ante Christum (before Christ)
+AC	Ante Cibum (before meals)
+ACAWS	Advisory, Caution, And Warning System
+ACB	Annoyance Call Bureau
+ACBL	American Contract Bridge League
+ACC	Argonne Code Center
+ACC	Audio Communications Controller
+ACCRA	American Chamber of Commerce Research Association
+ACCS	Army Command and Control System
+ACCS	Automated Calling Card Service
+ACCT	Account
+ACDA	Automatic Call Disposition Analyzer
+ACD	Automatic Call Distributor [telephony]
+ACE	Advanced Composition Explorer
+ACE	Advanced Computing Environments [Corporate name]
+ACE	Automatic Calibration and Equalization
+ACE	Automatic Calling Equipment
+ACF	Advanced Communications Functions
+ACH	Attempt per Circuit per Hour
+ACHEFT	Automated ClearingHouse Electronic Funds Transfer
+ACIA	Asynchronous Communications Interface Adapter
+ACK	ACKnowledge
+ACK	Amsterdam Compiler Kit
+ACL	Access Control List
+ACL	Advanced Cmos Logic
+ACLU	American Civil Liberties Union
+ACM	Access Control Machine
+ACM	Association for Computing Machinery
+ACO	Acronym Control Officer
+ACOF	Attendant Control Of Facilities
+ACP	ACtion Point
+ACRNEMA	a medical imaging standard, "ACR/NEMA"
+ACRV	Assured Crew Return Vehicle (or) Astronaut Crew Rescue Vehicle
+ACS	Advanced Communications System
+ACS	Australian Computer Science
+ACSE	Association Control Service Entity (ISO/CCITT layer 7)
+ACSNET	Acedemic Computing Services NETwork
+ACSU	Advanced t-1 Channel Service Unit
+ACTPU	ACTivate Physical Unit (SNA)
+ACTS	Advanced Communications Technology Satellite
+ACTS	Automated Coin Toll Service
+ACTS	Automatic Coin Telephone Service  [telephony]
+ACTUP	AIDS Coalition To Unleash Power, "ACT UP"
+ACU	Alarm Control Unit
+ACU	Automatic Calling Unit
+ACW	Alternating Continuous Waves
+ACWP	Actual Cost of Work Performed
+ADA	Air Defense Artillery
+ADA	Alternate Delay Accumulation
+AD	Addendum
+AD	After Date
+AD	Analog to Digital converter, "A/D" (see ADC)
+AD	Anno Domini (in the year of our Lord)
+AD	Application Development
+ADB	A DeBugger
+ADB	Apple Desktop Bus
+ADC	Analog to Digital Converter
+ADCCP	Advanced Data Communications Control Procedure
+ADCI	Automatic Display Call Indicator
+ADD	Advanced Dungeons & Dragons, "AD&D"
+ADDCP	Advanced Data Communication Control Procedure
+ADEW	Andrew Development Environment Workbench
+ADF	Automatic Direction Finder
+ADFRF	Ames-Dryden Flight Research Facility (was DFRF) (NASA)
+AD(H)D	Attention Deficit (Hyperactivity) Disorder
+ADI	Acceptable Daily Input
+ADI	Anolog Device Inc
+ADM	Additional Dealer Markup
+ADM	ADMiral
+ADM	Advanced Micro Devices
+ADMD	Administration Management Domain
+ADN	Abbreviated Dialing Number
+ADP	Adenosine Di-Phosphate
+ADP	Administrative Data Processing
+ADP	Advanced Data Processing
+ADP	Automatic Data Processing
+ADPCM	Pulse Code Modulation with Adaptive Quantization
+ADSL	Asymmetric Digital Subscriber Line
+ADS	Advanced Digital System
+ADS	Application Development System
+ADS	Audio Distribution System
+ADS	Automatic Voice System
+ADS	Auxilary Data System
+ADSP	AppleTalk Data Stream Protocol
+ADSR	Attack Decay Sustain Release
+ADT	Abstract Data Type
+ADT	Atlantic Daylight Time
+AEA	American Electronics Association
+AEA	Atomic Energy Authority
+AE	Application Entity/Environment/Execution/Engineering (APE)
+AEC	Architectural Engineering Construction
+AEC	Atomic Energy Commission
+AEF	American Expeditionary Force (see BEF)
+AEGIS	Advanced Electronic Guidance and Instrumentation System
+AES	Application Environment Specification
+AFACTS	Automatic FACilities Test System
+AF	Address Family (sockets)
+AFADS	Automatic Force Adjustment Data System
+AF	Adventures in Fantasy
+AFAICR	As Far As I Can Recall
+AFAICT	As Far As I Can Tell
+AFAIK	As Far As I Know
+AFAIR	As Far As I Recall
+AF	Air Force
+AFATDS	Advanced Field Artillery Tactical Data System
+AF	Audio Frequency
+AFB	Air Force Base
+AFCAC	Air Force Computer Acquisition Center
+AFC	American Football Conference
+AFC	Automatic Frequency/Flight Control
+AFC	Away From Computer
+AFCC	Air Force Communications Command
+AFGE	American Federation of Government Employees
+AFI	Authority and Format Identifier
+AFIPS	American Federation of Information Processing Societies
+AFK	Away From Keyboard
+AFL	American Federation of Labor
+AFL	American Football League
+AFLCIO	American Federation of Labor; Congress of Industrial Organizations, "AFL-CIO"
+AFM	Adobe Font Metrics
+AFNOR	Association Francaise de NORmalization
+AFP	Appletalk Filing Protocol
+AFS	Andrew File System
+AFSC	Air Force Systems Command
+AFSCME	American Federation of State, County and Municipal Employees
+AFSK	Automatic Frequency Shift Keying
+AFTRA	American Federation of Television and Radio Artists
+AFUU	Association Francaise des Utilisateurs d'Unix
+AG	Adjutant General
+AG	Arcade Game
+AG	Attorney General
+AGCT	Army General Classification Test
+AGL	Above Ground Level
+AGM	Air-to-Ground Missile
+AGN	Active Galactic Nucleus
+AGU	American Geophysical Union
+AHA	American Homebrew Association
+AH	Artificial Horizon
+AH	Avalon Hill (major war game manufacturer)
+AHL	American Hockey League
+AHQ	Air HeadQuarters
+AIAA	American Institute of Aeronautics and Astronautics
+AIA	American Institute of Architects
+AIA	Application Integration Architecture
+AI	Allegheny International
+AI	Amnesty International
+AI	Anal Intrusion
+AI	Artificial Insemination
+AI	Artificial Intelligence
+AI	Attitude Indicator
+AIC	Automatic Intercept Center
+AICC	Automatic Intercept Communications Controller
+AID	Agency for International Development
+AIDDE	Ames' Interactive Dynamic Display Editor
+AIDS	Acquired ImmunoDeficiency Syndrome
+AIM	Air Interception Missile
+AIM	Airman's Information Manual
+AIMS	Advanced Inventory Management System
+AIOD	Automatic Identification Outward Dialing
+AIPS	Astronomical Image Processing System
+AIS	Action Item System
+AIS	Automatic Intercept System
+AIUI	As I Understand It
+AIX	Advanced Interactive eXecutive (unix)
+AJ	Astronomical Journal
+AKA	Also Known As
+AK	Alaska
+ALA	American Library Association
+ALA	Automobile Legal Association
+AL	Alabama
+AL	American League (baseball)
+ALAP	AppleTalk-LocalTalk Link Access Protocol
+ALBM	Air-to-Land Ballistic Missile
+ALBO	Automatic Line BuildOut
+ALC	Automatic Load Control
+ALEXIS	Array of Low Energy X-ray Imaging Sensors
+ALFA	Anonima Lombarda Fabbrica Automobili
+ALFE	Analog Line Front End
+ALGOL	ALGorithmic Oriented Language
+ALI	Automatic Location Indentification
+ALIT	Automatic Line Insulation Testing
+ALM	Asychronous Line Module
+ALM	Asynchronous Line Multiplexer
+ALMS	alt.lifestyle.master.slave
+ALOL	Actually Laughing Out Loud
+ALPO	Association of Lunar and Planetary Observers
+ALRU	Automatic Line Record Update
+ALS	Advanced Launch System [Space]
+ALS	Automated List Service
+ALU	Arithmetic Logic Unit
+AMA	American Medical Association
+AMA	Association for Model Aviation
+AMA	Automatic Message Accounting
+AMACS	Automatic Message Accounting Collection System
+AM	Administrative Module
+AM	Agricultural and Mechanical, "A&M"
+AM	Air Marshal
+AM	Alpes-Maritimes, "A.-M."
+AM	American, "Am."
+AM	Americium, "Am"
+AM	Amplitude Modulation
+AM	anno mundi (in the year of the world)
+AM	Ante Meridiem, "a.m." (before noon)
+AMARC	Automatic Message Accounting Recording Center
+AMASE	Automatic Message Accounting Standard Entry
+AMAT	Automatic Message Accounting Transmitter
+AMATPS	Automatic Message Accounting TeleProcessing System
+AMBA	Association of Master of Business Administration
+AMC	Albany Medical College
+AMD	Advanced Micro Devices [Corporate name]
+AMERITECH	AMERican Information TECHnologies
+AMEX	AMerican EXpress
+AMI	American Micro System Inc
+AMORC	Ancient Mystic Order Rosae Crucis
+AMP	Adenosine MonoPhosphate
+AMPAS	Academy of Motion Picture Arts and Sciences
+AMPS	Advanced Mobile Phone Service
+AMRAAM	Advanced Medium Range Air-To-Air Missile
+AMROC	American Rocket Company [Space]
+AMSAT	radio AMateur SATellite corp.
+AMT	Active Memory Technology
+AMU	Atomic Mass Unit
+AMVET	AMerican VETeran
+ANA	American Nurses Association
+ANA	Automatic Number Announcement
+ANAC	Automatic Number Announcement Circuit [telephony]
+AN	Associated Number
+ANC	All Number Calling [telephony]
+ANC	American Network Communications
+ANC	Army Nurse Corps
+ANDF	Architecture-Neutral Distribution Format
+ANF	Automatic Number Forwarding
+ANFSCD	And Now For Something Completely Different
+ANG	Air National Guard
+ANI	Automatic Number Identification [telephony]
+ANIF	Automatic Number Identification Failure
+ANL	Argonne National Laboratory
+ANOVA	ANalysis Of VAriance
+ANPA	American Newspaper Publishers Association
+ANSI	American National Standards Institute
+ANU	Australian National University
+ANZUS	Australia, New Zealand, United States
+AOA	Abort Once Around (Shuttle abort plan)
+AO	Account Of
+AOCS	Attitude and Orbit Control System
+AOL	Absent Over Leave (see AWOL)
+AOPA	Aircraft Owners and Pilots Association
+AOP	Annual Operating Plan
+AOQ	Average Outgoing Quality
+AOS	Academic Operating System
+AOS	Alternate Operator Service [telephony]
+AOSS	Auxilliary Operator Service System
+AOW	Asia and Oceania Workshop
+APA	All Points Addressable
+AP	Access Point
+AP	Accounts Payable, "A/P"
+AP	Additional Premium
+AP	Age Play
+AP	All Points
+AP	Application Process
+AP	Associated Press
+AP	Attached Processor
+APB	All Points Bulletin
+APC	AMARC Protocol Converter
+APDA	Apple Programmers and Developers Association
+APDU	Application Protocol Data Unit
+APE	APplication Engineering
+APG	Aberdeen Proving Ground
+API	American Petroleum Institute
+API	Application Program(ming) Interface
+APICS	American Production and Inventory Control Society
+APJ	Astrophysical Journal, "Ap.J", "ApJ"
+APL	A Programming Language
+APM	Attached Pressurized Module (a.k.a. Columbus)
+APO	Alpha Pi (?) Omega, service fraternity
+APO	Army Post Office
+APP	Application Portability Profile
+APPC	Advanced Peer-to-Peer Communications
+APPC	Advanced Program-to-Program Communication (IBM)
+APR	Annual Percentage Rate
+APS	Automatic Protection Switch
+APSE	Ada Programming Support Environment
+APT	Attached Proton Test
+APU	Auxiliary Power Unit
+AQ	Accumulator-Quotient register
+AQL	Acceptable Quality Level
+AR	Accounts Receivable, "A/R"
+AR	Address Register
+AR	Alarm Report
+ARAMIS	American Rheumatic Arthritis Medical Information System
+AR	Arkansas
+ARC	Advanced RISC Computing
+ARC	American Red Cross
+ARC	Ames Research Center (NASA)
+ARC	Audio Response Controller
+ARCNET	Attached Resource Computer local area NETwork
+ARCO	Atlantic Richfield COmpany
+ARIS	Audichron Recorded Information System
+ARLL	Advanced Run-Length Limited encoding
+ARM	Acorn Risc Machine
+ARM	Adjustable Rate Mortgage
+ARM	Annotated Reference Manual
+ARO	After Receipt of Order
+ARPA	Advanced Research Projects Agency (of the DoD, see DARPA)
+ARP	Address Resolution Protocol (Internet->Ethernet)
+ARPANET	Advanced Research Projects Agency NETwork
+ARQ	Automatic Repeat reQuest
+ARRL	Amateur Radio Relay League
+ARSA	Airport Radar Service Area
+ARS	Alternate Route Selection
+ARSB	Automated Repair Service Bureau
+ARTCC	Air Route Traffic Control Center
+ARTEMIS	Advanced Relay TEchnology MISsion
+ARU	Audio Response Unit
+ARV	American Revised Version
+ASA	Acetyl Salicylic Acid
+ASA	American Standards Association (now ANSI)
+ASA	Astronomical Society of the Atlantic
+ASAIGAC	As Soon As I Get A Chance
+AS	Anglo-Saxon
+ASAP	As Soon As Possible
+ASB	Alt.Sex.Bondage
+ASC	Accredited Standards Committee
+ASC	Additional Sense Code
+ASCAP	American Society of Composers, Authors, and Publishers
+ASCC	Automatic Sequence-Controlled Calculator
+ASCII	American Standard Code for Information Interchange
+ASCQ	Additional Sense Code Qualifier
+ASDIC	Anti-Submarine Detection Investigation Committee (British for sonar)
+ASDSP	Application-Specific Digital Signal Processor
+ASF*	alt.sex.fetish.*
+ASFD	alt.sex.femdom/ alt.sex.fetish.diapers
+ASG	Automated Sciences Group
+ASHRAE	Amer. Soc. of Heating, Refrigerating and Air-cond. Engineers, inc.
+ASI	Agenzia Spaziale Italiano
+ASI	Asynchronous SCSI Interface
+ASI	Automatic System Installation
+ASIC	Application Specific Integrated Circuit
+ASIS	Aromatic Solvent Induced Shift
+ASK	Akademische Software Kooperation
+ASK	Amplitude Shift Keying
+ASL	(a/s/l) Age, Sex, Location (usually impolite IRC query)
+ASM	American Society of Metals
+ASME	American Society of Mechanical Engineers
+ASN1	Abstract Syntax Notation One, "ASN.1"
+ASN	Abstract Syntax Notation
+ASOC	Administrative Service Oversight Center
+ASP	Aggregated Switch Procurement
+ASP	Appletalk Session Protocol
+ASPEN	Automatic System for Performance Evaluation of the Network
+ASR	Airport Surveillance Radar
+ASRM	Advanced Solid Rocket Motor
+ASRS	Aviation Safety Reporting System
+ASS	Alt.Sex.Spanking/Stories, depending on context
+ASSR	Autonomous Soviet Socialist Republic
+AST	Applied System Technology
+AST	Asyncronous System Trap
+AST	Atlantic Standard Time
+ASTM	American Society of Testing and Materials
+ASV	American Standard Version
+ATA	Airport Traffic Area
+ATA	AT Attachment
+ATA	Automatic Trouble Analysis
+ATACC	Advanced Tactical Air Command Central
+AT	Access Tandem
+AT	Advanced Technology
+AT	Atlantic Time
+ATB	Advanced Technology Bomber (stealth bomber)
+ATB	All Trunks Busy
+ATB	Alt.Talk.Bestiality
+ATC	Air Traffic Control
+ATC	Atsugi Technical Center
+ATC	Automatic Transmission Control
+ATDRS	Advanced Tracking and Data Relay Satellite
+ATE	Automatic Test Equipment
+ATEOTD	At The End of the Day
+ATF	Advanced Technology Fighter
+ATH	Abbreviated Trouble History
+ATI	Automatic Test Inhibit
+ATIS	Atherton Tools Interface Specification
+ATIS	Automatic Terminal Information Service
+ATIS	Automatic Transmitter Identification System
+ATK	Andrew ToolKit
+ATLAS	Atmospheric Laboratory for Applications and Science
+ATM	Adobe Type Manager
+ATM	Amateur Telescope Maker
+ATM	Asynchronous Transfer Mode
+ATM	At The Moment
+ATM	Automatic Teller Machine
+ATMS	Automated Trunk Measurement System
+ATN	Automated Test Network
+ATO	Abort To Orbit (Shuttle abort plan)
+ATOMS	AT&t Optimized Materials Simulator
+ATP2	AppleTalk Phase 2
+ATP	Adenosine TriPhosphate
+ATP	Airline Transport Pilot (highest grade of pilot certificate)
+ATP	All Tests Pass
+ATP	Appletalk Transaction Protocol
+ATPCO	Airline Tariff Publishing COmpany
+ATR	Alternate Trunk Routing
+ATR	Apollo Token Ring
+ATRS	Automated Trouble Reporting System
+ATS	Automated Test System
+ATSL	Along The Same Line
+ATT	American Telephone & Telegraph, "AT&T"
+ATTC	Automatic Transmission Test and Control circuit
+ATTCOM	American Telephone & Telegraph COMmunications
+ATTIS	American Telephone & Telegraph Information Systems
+ATV	All Terrain Vehicle
+AU	Arithematic Unit
+AU	Astronomical Unit (93,000,000 miles) [Space]
+AUDIX	AUDio Information eXchange
+AUI	Attachment Unit Interface
+AUP	Acceptable Use Policy
+AURA	Association of Universities for Research in Astronomy
+AUS	Army of the United States
+AUTODIN	AUTOmatic DIgital Network
+AUTOSEVCOM	AUTOmatic SEcure Voice COMmunications
+AUTOVON	AUTOmatic VOice Network
+AUX	Apple UniX
+AUXF	AUXillary Frame
+AV	AudioVisual
+AVD	Alternate Voice Data
+AVLIS	Atomic Vapor Laser Isotope Separation
+AVS	Application Visualization Software
+AWACS	Airborne Warnings And Control Systems
+AWEA	American Wind Energy Association
+AWG	American Wire Gauge
+AWGTHTGTTA	Are We Going To Have To Go Through This Again
+AWHFY	Are We Having Fun Yet
+AWK	al Aho, peter Weinberger, brian Kernighan (pattern scanning language)
+AWOL	Absent WithOut Leave (also Absent Without Official Leave) (see AOL)
+AWST	Aviation Week and Space Technology (a.k.a. AvLeak), "AW&ST"
+AXAF	Advanced X-ray Astrophysics Facility [Space]
+AY	Arther Young
+AZ	Arizona
+B4	Before
+B4N	Bye For Now
+B6ZS	Bipolar with 6 Zero Subsitution
+B911	Basic 911
+BA	Bachelor of Arts
+BAC	By Any Chance
+BACH	Business Alliance for Commerce in Hemp
+BAFO	Best And Final Offer
+BAG(L)	Busting A Gut (Laughing)
+BALUN	BALanced to UNbalanced
+BAMAF	BELLCORE AMA Format
+BANCS	Bell Administrative Network Communications System
+BAPCO	Bellsouth Advertising & Publishing COmpany
+BARRNET	Bay Area Regional Research Network, "BARRNet" (SF Bay Area)
+BASH	Bourne-Again SHell
+BASIC	Beginner's All-purpose Symbolic Instruction Code
+BATSE	Burst And Transient Source Experiment (on GRO)
+BBA	Bachelor of Business Administration
+BB	Bases on Balls
+BBB	Better Business Bureau
+BB	Best of Breed
+BB	Bunnies and Burrows
+BBC	British Broadcasting Corporation
+B	bit, "b"
+BBIAB	Be Back In A Bit
+BBL	Barrel
+BBL	[I'll] Be Back Later
+BBM	Big Beautiful Man
+BBN	Bolt, Beranek, and Newman [Corporate name]
+B	Book
+BBS	Be Back Soon
+BBS	Bulletin Board Service/System
+BBW	Big Beautiful Woman
+BBXRT	Broad-Band X-Ray Telescope (ASTRO package)
+B	Byte
+BC	Battlecars
+BC	Before Christ
+BC	British Columbia
+BCBS	Blue Cross/Blue Shield, "BC/BS"
+BCC	Blind/Blank Carbon Copy
+BCC	Block Check Character
+BCC	Blocked Call Cleared
+BCD	Bad Conduct Discharge
+BCD	Binary Coded Decimal
+BCD	Blocked Call Delayed
+BCDIC	Binary Coded Decimal Interchange Code
+BCE	Before the Common Era (substitute for BC)
+BCNU	Be Seeing You
+BCP	Binary Communications Protocol
+BCP	Byte Controlled Protocols
+BCPL	Basic Combined Programming Language
+BCR	Bell Communications Research
+BCS	Bachelor of Commercial Science
+BCS	Basic Combined Subset
+BCS	Batch Change Supplement
+BCS	Binary Compatibility Standard (ABI for Motorola chips)
+BCS	Boston Computer Society
+BCS	British Computer Society
+BCWP	Budgeted Cost of Work Performed
+BCWS	Budgeted Cost of Work Scheduled
+BDA	Battle Damage Assessment
+BDA	Bomb Damage Assessment
+BD	Bachelor of Divinity
+BD	Bank Draft
+BD	Bills Discounted
+B&D	Bondage and Discipline
+BDC	Boston Development Center
+BDD	Basic Dungeons & Dragons, "BD&D"
+BDF	Binary Distribution Format
+BDF	Bitmap Description Format (Adobe)
+BDF	Bitmap Distribution Format
+BDSM	Bondage & Discipline, Dominance & Submission, Sado-Masochism.
+BDSMLMNOP	BDSM and whatever else we might do
+BDT	Billing Data Transmitter
+BDT	Bulk Data Transfer
+BEA	Bureau of Economic Analysis
+BEAV	Binary Editor And Viewer
+BE	Back End
+BE	Bill of Exchange
+BECAUSE	BEnchmark of Concurrent Architectures for their Use in Scientific Engineering
+BED	Hanscom Field, Bedford MA
+BEF	Band Elimination Filter
+BEF	British Expeditionary Force (see AEF)
+BELLCORE	BELL COmmunications REsearch
+BEM	Bug Eyed Monster
+BENELUX	BElgium, NEtherlands, and LUXembourg
+BER	Basic Encoding Rules
+BER	Bit Error Rate
+BERNET	BErliner RechnerNETz
+BERT	Bit Error Rate Test
+BEST	Borland Enhanced Support and Training
+BETRS	Basic Exchange Telecommunications Radio Service
+BFA	Bachelor of Fine Arts
+BF	Boy Friend
+BF	Brought Forward
+BFD	Big F***ing Deal
+BFHD	Big Fat Hairy Deal
+BFN	Bye For Now
+BFR	Biennial Flight Review
+BGP	Border Gateway Protocol
+BHA	Butylated HydroxyAnisole
+BH	Black Hole
+BH	Boot Hill
+BHC	Busy Hour Calls
+BHP	Brake HorsePower
+BHT	Butylated HydroxyToluene
+BIAB	Back In A Bit
+BIAF	Back In A Few
+BIAS	Back In A Second
+BIAW	Back In A While
+BI	Backplane Interconnect
+BI	Bus Interconnect
+BICS	Building Industry Consulting Services [telephony]
+BID	Bis In Die (twice a day)
+BIMA	Berkeley Illinois Maryland Array
+BIND	Berkeley Internet Name Daemon
+BIOC	Break Into Other Computers
+BION	Believe It Or Not
+BIOS	Basic Input Output System
+BIRD	BIlinear Rotation Decoupling
+BIS	Business Information System
+BISDN	Broadband Integrated Services Digital Network, "B-ISDN"
+BISP	Business Information System Program
+BISYNC	Binary Synchronous Communications, "BiSync" (BSC is preferred) [IBM]
+BIT	Binary digIT
+BIT	Bipolar Integrated Technology Inc
+BITNET	Because-It's-Time NETwork
+BITS	Biotechnology Information Toolkit Software
+BIU	Bus Interface Unit
+BIX	Byte Information eXchange
+BLAS	Basic Linear Algebra Subroutines
+BLAST	BLocked ASynchronous Transmission
+BL	Bill of Loading
+BLDS	Busy Line/Don't Answer, "BL/DS"
+BLER	Block Error Rate
+BLERT	BLock Error Rate Test
+BLF	Busy Lamp Field [telephony]
+BLF	Busy Line Field
+BLM	Bureau of Land Management
+BLOBS	Binary Large OBjectS
+BLS	Bureau of Labor Statistics
+BLS	Business Listing Service
+BLT	Bacon, Lettuce, and Tomato
+BLT	BLock Transfer
+BLV	Busy Line Verification
+BMA	Bank Marketing Association
+BM	Basal Metabolism
+BM	Bowel Movement
+BM	Breakdown Maintenance
+BMEWS	Ballistic Missile Early Warning
+BMG	Bloomington, IN
+BMI	Broadcast Music Inc.
+BMO	Ballistic Missile Office
+BMOC	Big Man On Campus
+BMP	Benchmark Plan
+BMR	Basal Metabolism Rate
+BNC	Bayonet Navy Connector
+BNC	Bayonet Neill Concelman (connector) [electronics] (see also TNC)
+BNC	Berkley Nucleonics Corporation
+BNC	British Naval Connectors
+BNET	Berkeley NETworking
+BNF	Bachus-Naur Form
+BNFL	British Nuclear Fuels Ltd
+BNRCVUUCP	Batch News ReCeive Via UUCP
+BNS	Billed Number Screening
+BNSC	British National Space Centre
+BNU	Basic Networking Utilities (AT&T's name for HoneyDanBer UUCP)
+BO	Body Odor
+BO	Branch Office
+BO	Buyer's Option
+BOC	Bell Operating Company
+BOD	Board Of Directors
+BOF	Birds Of a Feather
+BOFH	Bastard Operator From Hell
+BOM	Bill Of Materials
+BOQ	Bachelor Officers' Quarters
+BOR	Basic Output Report
+BORSCHT	Battery, Overvoltage, Ringing, Supervision, Coding, Hybrid Test
+BOS	Base Operating System
+BOS	Boston MA
+BOS	Business Office Supervisor
+BOSIX	Biin Open System Interface eXtension
+BOSS	Billing and Order Support System
+BOT	Beginning Of Tape
+BP	Base Pointer
+BP	Blood Pressure
+BP	British Petroleum
+BP	British Pharmacopoeia
+BPD	Borderline Personality Disorder
+BPI	Bits Per Inch, Blocks Per Inch, Bytes Per Inch
+BPOC	Bell Point Of Contact
+BPOE	Benevolent and Protective Order of Elks
+BPPS	Basing-Point Pricing System
+BPS	Bits/Bytes Per Second
+BPSS	Basic Packet-Switching Service
+BRAT	Business Residence Account Tracking system
+BRB	[I'll] Be Right Back
+BR	Bills Receivable
+BR	British Rail
+BRC	Business Reply Card
+BRCS	Business Residence Custom Service
+BRI	Basic Rate Interface
+BRIEF	Basic Reconfigurable Interactive Editing Facility
+BRL	army Ballistic Research Laboratory
+BRL	Ballistics Research Lab
+BRM	Basic Remote Module
+BRS	Bibliographic Retrieval Service
+BRT	Be Right There
+BSA	Basic Serving Arrangements
+BSA	Birmingham Small Arms
+BSA	Boy Scouts of America
+BS	Bachelor of Science
+BS	Back Space
+BS	Banded Signaling
+BSBH	Busy Season Busy Hour
+BS	Bill of Sale
+BS	Bill of Sale, "B/S"
+BS	British Standards
+BSC	Bachelor of SCience, "BSc"
+BSC	Binary Synchronous Communication
+BSC	Binary Synchronous Communications (also sometimes BiSync) [IBM]
+BSC	Business Service Center
+BSCM	BiSynchronous Communications Module
+BSD	Berkeley Software Distribution
+BSE	Basic Service Element
+BSF	Bell Shock Force
+BSI	British Standards Institute
+BSMTP	Batched SMTP
+BSN	Bachelor of Science in Nursing
+BSOC	Bell Systems Operating Company
+BSOD	Blue Screen Of Death
+BSP	Bell System Practice
+BSRFS	Bell System Reference Frequency Standard
+BSS	Basic Synchronized Subset
+BSS	Block Started by Symbol (IBM assembly-language)
+BST	Basic Services Terminal
+BSTJ	Bell System Technical Journal
+BSTS	Better Safe than sorry
+BSW	Boston Software Works
+BTA	But Then Again
+BTAM	Basic Telecommunications Access Method [IBM]
+BT	BitTorrent
+BT	Bus Terminator
+BTDT	Been There, Done That
+BTHU	British Thermal Unit, "BThU" (BTU, q.v., is preferred)
+BTL	Backplane Transceiver Logic
+BTL	Bell Telephone Laboratories
+BTN	Billing Telephone Number
+BTO	Bachman Turner Overdrive
+BTOL	Better Than Open Look
+BTS	Board Tracking System
+BTSOOM	Beats The Shit Out Of Me
+BTTH	butt to the head
+BTU	British Thermal Unit
+BTW	By The Way
+BU	Bushido
+BU	Business Units
+BURP	Brewers United for Real Potables
+BUS	Basic Utility System
+BUT	Board Under Test
+BVA	Billing Validation Application
+BV	Blessed Virgin
+BVC	Billing Validation Center
+BVY	Beverly MA
+BW	Business Wire
+BWC	BandWidth Compression
+BWG	Big Wide Grin
+BWI	Baltimore-Washington International (airport)
+BWI	British West Indies
+BWM	Broadcast Warning Message
+BWT	Broadcast Warning TWX
+BWTS	BandWidth Test Set
+BX	Base eXchange (see also PX)
+BYKT(A)	But You Knew That (Already)
+BYU	Brigham Young University
+CAA	Civil Aviation Authority (U.K.)
+CAB	Civil Aeronautics Board
+CABS	Carrier Access Billing System
+CA	CAble
+CA	California
+CAC	Calling-card Authorization Center
+CAC	Carrier Access Code
+CAC	Circuit Administration Center
+CAC	Customer Administration Center
+CA	Chartered Accountant
+CA	Chief Accountant
+CA	Chronological Age
+CACM	Communications of the Association for Computing Machinery
+CA	Collision Avoidance (as in CSMA/CA (q.v.))
+CAD	Computer Aided Design (sometimes seen as CAD/CAM)
+CAD	Computer-Aided Dispatch
+CADD	Computer-Aided Design and Drafting
+CADV	Combined Alternate Data/Voice
+CAE	Common Application Environment
+CAE	Computer-Aided Education
+CAE	Computer-Aided Engineering
+CAFE	Corporate Average Fuel Economy
+CAGR	Compound Annual Growth Rate
+CAI	Call Assembly Index
+CAI	Computer Aided Instruction
+CAI	Computer Application Inc
+CAI	Computer Assisted Instruction
+CAIS	Colocated Automatic Intercept System
+CAIS	Common Apse Interface Specification
+CALRS	Centralized Automatic Loop Reporting System
+CALS	Computer-aided Acquisition and Logistics Support
+CAMAC	Computer Automated Measurement And Control
+CAMA	Centralized Automatic Message Accounting
+CAM	Common Access Method (SCSI)
+CAM	Computer Aided Management
+CAM	Computer-Aided Manufacturing
+CAM	Computer Aided Manufacturing (sometimes seen as CAD/CAM)
+CAM	Content Addressable Memory
+CAML	Categorical Abstract Machine Language
+CAMM	Computer Assisted Material Management
+CAMP	Campaign Against Marijuana Planting
+CAMRA	CAMpaign for Real Ale
+CAN	Campus Area Network
+CAP	Civil Air Patrol
+CAP	Columbia Appletalk Package
+CAP	Computer Aided Publishing
+CAPP	Computer Aided Process Planning
+CAPS	CAPital letterS
+CAPTAIN	Character And Pattern Telephone Access Information Network
+CAR	Computer Access & Retrieval
+CAR	Contents of the Address part of the Register
+CAROT	Centralized Automatic Reporting On Trunks
+CART	Championship Auto Racing Teams
+CAS	Chemical Abstracts Service
+CAS	Circuit Associated Signaling
+CAS	Communicating Application Specification
+CAS	Computerized Autodial System
+CASE	Common Application Service Element
+CASE	Computer Aided Software Engineering
+CASSI	Chemical Abstracts Service Source Index
+CASSIS	Classification and Search Support Information System
+CAT	Computer-Aided Tomography
+CAT	Computer Assisted Typesetter
+CAT	conCATenate
+CAT	Craft Access Terminal
+CAT	Customer Acceptance Test
+CATIS	Common Applications and Tools Integration Services
+CATLAS	Centralized Automatic Trouble Locating and Analysis System
+CATV	Community Antenna TeleVision
+CAU	Connection Arrangement Unit
+CAV	Constant Angular Velocity
+CAVU	Ceiling And Visibility Unlimited
+CB(C&B)	Chastity Belt / Cock and Ball
+CBC	Canadian Broadcasting Corporation
+CB	Citizens Band radio
+CBD	Cash Before Delivery
+CBD	Central Business District
+CBD	Commerce Business Daily
+CBDS	Connectionless Broadband Data Service
+CBEMA	Computer & Business Equipment Manufacturers Association
+CBI	Computer Based Instruction
+CBR	Chemical, Biological, Radiological warfare
+CBS	Columbia Broadcasting System
+CBS	CrossBar Switching
+CBT	Cock and Ball Torture/Training
+CBW	Chemical and Biological Warfare
+CBX	Computerized Branch eXchange
+CCA	Computer Corporation of America [Corporate name]
+CCAFS	Cape Canaveral Air Force Station
+CC	Carbon Copy
+CCC	Canadian Committee on Cataloging
+CCC	Central Control Complex
+CCC	Ceramic Chip Carriers
+CCC	Civil(ian) Conservation Corps
+CCCCM	CCC CounterMeasures (sometimes C^3CM)
+CCC	Command, Control, and Communications (sometimes C^3)
+CC	C Compiler
+CCC	Computer Control Center
+CCC	Concourse Computer Center [MIT]
+CCC	Customer Call Center
+CC	Center Conductor
+CC	Central Control
+CCCI	Command, Control, Communications, and Intelligence
+CC	Cluster Controller
+CC	Common Control
+CC	Cost Center
+CC	Country Code
+CCD	Charge Coupled Device (see CID)
+CCD	Computer-Controlled Display
+CCDS	Centers for the Commercial Development of Space
+CCH	Connections per Circuit per Hour
+CCI	Computer Carrier Interrupt
+CCI	Computer Consoles, Incorporated
+CCIM	Certified Commercial Investment Member
+CCIP	Continuously Computed Impact Point
+CCIR	Comite' Consultatif International des Radio Communications
+CCIS	Common Channel Interoffice Signaling [telephony]
+CCITT	Comite' Consultatif International Telegraphique et Telephonique
+CCITT	International Consultative Committee for Telegraphy and Telephony
+CCL	Console Command Language
+CCNC	Common Channel Network Controller
+CCNC	Computer/Communications Network Center
+C	Copper
+CCR	Commitment, Concurrency, and Recovery
+CCR	Covenants, Conditions, and Restrictions
+CCR	Creedence Clearwater Revival
+CCR	Customer-Controlled Reconfiguration
+CCRP	Continuously Computed Release Point
+CCSA	Common Control Switching Arrangement [telephony]
+CCS	Common Channel Signaling
+CCS	Common Command Set (SCSI)
+CCS	Hundred (C) Call Seconds
+CCTAC	Computer Communications Trouble Analysis Center
+CCTA	Central Computer and Telecommunications Agency
+CCT	Central Control Terminal
+CCTV	Closed Circuit TeleVision
+CCU	COLT Computer Unit
+CCV	Calling Card Validation
+CCW	Counter ClockWise
+CDA	Call Data Accumulator
+CDA	Coin Detection and Announcement
+CDA	Compound Documents Architecture
+CDAR	Customer Dialed Account Recording
+CDB	Command Descriptor Block
+CDB	Customer Distributed Buglist
+CD	Carrier Detect (properly DCD (q.v.))
+CDC	Centers for Disease Control
+CDC	Control Data Corporation, inc. [Corporate name]
+CD	Certificate of Deposit
+CDCF	Cumulative Discounted Cash Flow
+CD	Circular Dichroism
+CD	Civil Defense
+CD	Collision Detection (as in CSMA/CD (q.v.))
+CD	Compact Disk
+CD	Cross Dresser
+CDEV	Control panel DEVice
+CDF	Combined Distributing Frame
+CDF	Context-Dependent File
+CDIAC	Carbon Dioxide Information Analysis Center
+CDI	Circle Digit Identification
+CDI	Course Deviation Indicator
+CDO	Community Dial Office
+CDP	Career Development Program
+CDPR	Customer Dial Pulse Receiver
+CDR	Call Dial Rerouting
+CDR	CommanDeR
+CDR	Contents of the Decrement part of the Register
+CDR	Critical Design Review
+CDROM	Compact Disk Read Only Memory, "CD-ROM"
+CDS	Craft Dispatch System
+CDSF	Commercially Developed Space Facility
+CDT	Call Data Transmitter
+CDT	Central Daylight Time
+CDU	Control Display Unit
+CEA	Commissariat a l'Energie Atomique, France
+CEA	Council of Economic Advisors
+CEA	County Education Authority
+CEBIT	welt-CEntrum Buero Information Telekommunikation
+CEC	Commission of the European Communities
+CE	Chemical Engineer
+CE	Civil Engineer
+CE	Common Era (substitute for AD)
+CE	Corps of Engineers
+CE	Customer Engineer
+CED	Committee for Economic Development
+CEERT	Coalition for Energy Efficiency and Renewable Technologies
+CEF	Cable Entrance Facility
+CEI	Comparably Efficient Interconnection
+CELSS	Controlled Ecological Life Support System [Space]
+CEN	Centre d'Etudes Nucleaires
+CENS	Centre d'Etudes Nucleaires de Seclay
+CENTO	CENtral Treaty Organization
+CEO	Chief Executive Officer
+CERMET	Ceramic Metal Element
+CERN	organisation (formerly Conseil) Europeenne pour la Recherche Nucleaire
+CERT	Computer Emergency Response Team
+CET	Central European Time
+CEV	Controlled Environment Vault
+CEVI	Common Equipment Voltage Indicator
+CFA	Center For Astrophysics
+CFB	Color Frame Buffer
+CFCA	Communications Fraud Control Association
+CF	Carry Forward
+CFC	Chloro-FluoroCarbon [chemical]
+CFC	Combined Federal Campaign
+CF	Coin First payphone [telephony]
+CFD	Computational Fluid Dynamics
+CFF	Columbus Free Flyer
+CFHT	Canada-France-Hawaii Telescope
+CFI	Certificated Flight Instructor
+CFI	Cost, Freight, and Insurance
+CFIDS	Chronic Fatigue Immune Deficiency Syndrome
+CFL	Canadian Football League
+CFO	Chief Financial Officer
+CFP	Call For Papers
+CFR	Code of Federal Regulations
+CFS	Chronic Fatigue Syndrome
+CGA	Color Graphics Adapter
+CG	Coast Guard
+CG	Commanding General
+CGCT	Compagnie Generale de Constructions Telephoniques
+CGE	Cincinnati Gas & Electric, "CG&E"
+CGE	Compagnie Generale d'Electricite
+CGIAR	Consultative Group on International Agricultural Research
+CGI	Computer Graphics Interface
+CGM	Computer Graphics Metafile
+CGMIF	Computer Graphics Metafile Interchange Format
+CGN	Concentrator Group Number
+CGS	Centimeter-Gram-Second
+CGX	Chicago (Meigs) IL
+CHA	Champions
+CHAP	CHAnnel Processor
+CHARA	Center for High Angular Resolution Astronomy
+CHARGEN	CHARacter GENerator
+CH	Cardboard Heroes
+CH	ClearingHouse
+CH	CourtHouse
+CH	Customs House
+CHI	Chill:  Adventures into the Unknown
+CHOTS	Corporate Headquarters Office Technology System
+CHP	California Highway Patrol
+CHUDWAH	Clueless Het Dom Wannabe
+CHUSWAH	Clueless Het Sub Wannabe
+CIAC	Computer Incident Advisory Capability
+CIA	Central Intelligence Agency [US Government]
+CIB	Console Interface Board
+CICA	Competition in Contracting Act
+CIC	Carrier Identification Code
+CIC	Coordination and Information Center [CSNet]
+CI	Configuration Interaction
+CICS	Customer Information Control System [IBM]
+CICSVS	Customer Information Control System / Virtual Storage, "CICS/VS"
+CI	Cubic Inches
+CID	Central Institute for the Deaf
+CID	Charge Injection Device (see CCD)
+CID	Computer Integrated Design
+CIDEP	Chemically Induced Dynamic Electron Polarization
+CIDIN	Common Icao Data Interchange Network
+CIDNP	Chemically Induced Dynamic Nuclear Polarization
+CIF	Caltech Intermediate Form
+CIF	Cost, Insurance and Freight
+CII	Call Identity Index
+CIMA	Construction Industry Manufacture's Association
+CIM	Computer Integrated Manufacturing
+CIO	Chief Information Officer
+CIP	Chief Income Producer
+CIP	Computer-Investitions-Programm
+CIRCA	Center for Instructional and Research Computing Activities
+CIRRIS	Cryogenic InfraRed Radiance Instrument for Shuttle
+CISC	Complex Instruction Set Computer
+CIS	Chief Income Spender
+CIS	Commonwealth of Independent States
+CIS	Complete and Irrevocable Submission
+CIS	Compuserve Information S?
+CIS	Customized Intercept Service
+CIT	California Institute of Technology
+CIT	Case Institute of Technology (part of CWRU, Cleveland, OH)
+CIT	Circumstellar Imaging Telescope [Space]
+CIT	Computer Integrated Telephony
+CIU	Computer Interface Unit
+CLASP	Comprehensive Logistics Automated Support Program
+CLASS	Centralized Local Area Selective Signaling
+CLASS	Custom Local Area Signaling Service
+CL	Connection-Less mode
+CLDN	Calling Line Directory Number
+CLEF	Certified Licensed Evaluation Facility
+CLEI	Common-Language Equipment Identification
+CLI	Calling Line Ident
+CLI	Command Line Interpreter
+CLID	Calling Line IDentification
+CLLI	Common-Language Location Identification
+CLNP	ConnectionLess Network Protocol
+CLOS	Common Lisp Object System
+CLRC	Circuit Layout Record Card
+CLR	Combined Line and Recording
+CLS	ConnectionLess Server
+CLTP	ConnectionLess Transport Protocol
+CLU	Chartered Life Underwriter
+CLUT	Color LookUp Table
+CLV	Constant Linear Velocity
+CMA	Cash Management Account
+CMAC	Centralized Maintenance and Administration Center
+CMCC	Central Mission Control Centre (ESA)
+CMC	Communication Machinery Corporation
+CMC	Construction Maintenance Center
+CMC	Corporate Management Commitee
+CM	Command Module (Apollo spacecraft)
+CM	Computer Modern
+CM	Congregation of the Mission
+CM	Corrective Maintenance
+CMD	Centralized Message Distribution
+CMDF	Combined Main Distributing Frame
+CMDS	Centralized Message Data System
+CMH	Port Columbus OH
+CMI	Champaign-Urbana IL
+CMIIW	Correct Me If I'm Wrong
+CMIP	Common Management Information Protocol
+CMIS	Common Management Information Service
+CMISE	Common Management Information Service Element
+CML	Current Model Logic
+CMMU	Cache/Memory Management Unit
+CMOS	Complementary-symmetry Metal-Oxide Semiconductor
+CMOT	Common Management Information Services and Protocol over TCP/IP
+CMRR	Common Mode Rejection Ratio
+CMS	Call Management System
+CMS	Circuit Maintenance System
+CMS	Communications Management Subsystem
+CMS	Content Management System
+CMS	Conversational Monitoring System
+CMSGT	Chief Master Sergeant, "CMSgt"
+CMT	Cellular Mobile Telephone
+CMU	Carnegie-Mellon University
+CMU	COLT Measurement Unit
+CMW	Compartmented Mode Workstation
+CMYK	Cyan, Magenta, Yellow, blacK
+CNAB	Customer Name/Address Bureau
+CNA	Communications Network Application
+CNA	Customer Name / Address, "CN/A" [telephony]
+CNA	Customer Name and Address
+CN	Canadian National (railroad) [Corporate name]
+CNCC	Customer Network Control Center
+CNC	Computer Numerical Control
+CNC	Consensual Non Consent
+CN	Change Notice
+CNDO	Complete Neglect of Differential Overlap
+CNES	Centre National d'Etude Spatiales
+CNI	Common Network Interface
+CNMA	Communications Network for Manufacturing Applications
+CNM	Communications Network Management
+CNMS	Cylink Network Management System
+CNN	Cable News Network
+CNO	Carbon-Nitrogen-Oxygen
+CNO	Chief of Naval Operations
+CNP	continued [in my] next post
+CNR	Canadian National Railways
+CNR	Carrier to Noise Ratio
+CNR	Consiglio Nazionale delle Ricerche, Italy
+CNRCVUUCP	Compressed News ReCeive Via UUCP
+CNS	Central Nervous System
+CNS	Complimentary Network Service
+CNSR	Comet Nucleus Sample Return
+COAM	Customer Owned And Maintained
+COB	Close Of Business
+COBE	COsmic Background Explorer
+COBOL	COmmon Business Oriented Language
+CO	Cash Order
+COC	Call of Cthulhu
+COC	Circuit Order Control
+CO	Central Office [telephony]
+CO	Colorado
+COCOM	Coordinating Comittee for Export to Comminist Area
+CO	Commanding Officer
+CO	Conscientious Objector
+COCOT	Customer-Owned Coin-Operated Telephone [telephony]
+CODASYL	Conference On DAta SYstems Languages
+CODCF	Central Office Data Connecting Facility
+COD	Collect On Delivery; Cash On Delivery
+CODEC	COder-DECoder
+COE	Center Of Excellence
+COE	Central Office Equipment
+COEES	COE Engineering System
+COER	Central Office Equipment Report
+COFF	Common Object File Format
+CO	in Care Of, "C/O"
+COLA	Cost-Of-Living Allowance
+COLOC	COrrelation spectroscopy for LOng-range Couplings
+COLT	Central Office Line Tester
+COMAS	Central Office Maintenance and Administration System
+COM	Commercial (pilot certificate)
+COM	Computer Output Microfilm
+COMDEX	COMputer Dealer's Exposition
+COMM	Communications
+COMPACT	COMmercial Product ACquisition Team
+COMPTEL	COMPton TELescope (on GRO)
+COMSAT	Communications Satellite Corp
+COMSAT	COMmunications SATellite [Space]
+COMS	Complementary Metal Oxide Semiconductor
+CONN	CONNector
+CONS	Connection-Oriented Networking Session
+CONTAC	Central Office NeTwork ACcess
+CONUS	CONtinental United States
+COO	Chief Operating Officer
+COP	Character-Oriented Protocol
+COPS	Computer Oracle and Password System
+COQ	Cost Of Quality
+CORE	COntrolled Requirement Expression
+CORN	COmputer Resource Nucleus
+CORNET	CORperate NETwork
+COS	Central Office Switch
+COS	Corporation for Open Systems
+COSINE	Cooperation for Open Systems Interconnection Networking in Europe
+COSMIC	COmmon Systems Main InterConnection frame system
+COSMIC	COmputer Software Management and Information Center
+COSMOS	COmputer System for Mainframe OperationS
+COSTAR	Corrective Optics Space Telescope Axial Replacement
+COSY	COrrelation SpectroscopY
+COT	Central Office Terminal
+COTS	Connection-Oriented Transport (layer) Service
+CPA	Certified Public Accountant
+CPA	Communications & Public Affairs, "C&PA"
+CP	Canadian Pacific
+CP	Canadian Press
+CPC	Cellular Phone Company
+CPC	Circuit Provisioning Center
+CP	Chemically Pure
+CP	Command Post
+CP	Command Processor
+CP	Control Program
+CP	CoPy
+CP	Corporal Punishment
+CP	Cross Polarization
+CPD	Central Pulse Distributor
+CPE	Customer Premises Equipment
+CPE	Customer-Provided Equipment
+CPFF	Cost Plus Fixed Fee
+CPH	Cost Per Hour
+CPI	Characters Per Inch
+CPI	Common Programming Interface
+CPI	Computer Private branch exchange Interface
+CPIO	CoPy In/Out
+CPL	Combined Programming Language
+CPMAS	Cross Polarization/Magic Angle Spinning, "CP/MAS"
+CPM	Control Program for Microcomputers (sometimes CP/M)
+CPM	Cost Per Minute
+CPM	Critical Path Method
+CPMG	Carr-Purcell-Meiboom-Gill
+CPMP	Carrier Performance Measurement Plan
+CPO	Chief Petty Officer
+CPO	Chief Post Office
+CPO	Customer Premises Equipment
+CPP	Cable Patch Panel
+CPR	Canadian Pacific Railway
+C	programming language, successor to BCPL
+CPS	Characters Per Second
+CPSR	Computer Professionals for Social Responsibility
+CPT	CaPTain
+CPU	Central Processing Unit
+CPW	Certified Public Weigher
+CQ	Charge of Quarters, Call to Quarter
+CQ	Commercial Quality
+CRAF	Comet Rendezvous/Asteroid Flyby [Space]
+CRAM	Card Random Access Memory
+CRAS	Cable Repair Administrative System
+CRB	Certified Residential Broker
+CR	Carriage Return (ASCII 15 octal)
+CRC	Camera Ready Copy
+CRC	Chemical Rubber Company
+CRC	Civil Rights Commission
+CRC	Customer Record Center
+CRC	Cyclical Redundancy Character
+CRC	Cyclic Redundancy Check
+CRD	Customer Required Date
+CREG	Concentrated Range Extension with Gain
+CREN	Corporation for Research and Educational Networking
+CRFC	Customer Return For Credit
+CRFMP	Cable Repair Force Management Plan
+CRI	Cray Research, Inc.
+CRIN	Centre de Recherche en Informatique de Nancy
+CRISC	Complex-Reduced Instruction Set Computer
+CRIS	Customer Record Information System
+CRISP	Complex-Reduced Instruction Set Processor
+CRISP	Cross-Relaxation Intensity Sequence Pattern
+CRL	Certificate Revocation List
+CRLF	Carriage Return/Line Feed
+CRONIC	Colorado Rudimentary Operating Nucleus for Intelligent Controllers (HSC OS)
+CROTCH	Computerized Routine for Observing and Testing the Channel Hardware
+CRRES	Combined Release / Radiation Effects Satellite
+CRSAB	Centralized Repair Service Answering Bureau
+CRS	Centralized Results System
+CRT	Cathode Ray Tube (also generic reference to a terminal)
+CRTC	Canadian Radio-television and Telecommunications Commission
+CSAB	Computing Sciences Accreditation Board
+CSA	Canadian Standards Association
+CSA	Carrier Serving Area
+CSACC	Customer Service Administration Control Center
+CSA	Client Service Agent
+CSA	Confederate States of America
+CSACS	Centralized Status, Alarm and Control System
+CSA	Customer Service Administration
+CSAR	Centralized System for Analysis Reporting
+CSC	Cell Site Controller
+CSC	Computer Sciences Corporation
+CS	Chivalry & Sorcery, "C&S"
+CS	Civil Servant
+CSCM	Chemical Shift Correlation Map
+CS	Code Segment
+CS	Computer Science; Computing Science
+CS	County Seat
+CS	Customer Service
+CSDC	Circuit Switched Digital Capability
+CSD	Customer Service Division
+CSE	Common Subexpression Elimination
+CSF	Critical Success Factor
+CSI	Commercial Systems Integration
+CSIRO	Commonwealth Scientific and Industrial Research Organization
+CSIS	Canadian Security and Intelligence Service
+CSL	Can't Stop Laughing
+CSL	Coin Supervising Link
+CSMACA	Carrier Sense Multiple Access with Collision Avoidance, "CSMA/CA"
+CSMA	Carrier Sense Multiple Access
+CSMACD	Carrier Sense Multiple Access with Collision Detection, "CSMA/CD"
+CSM	Command and Service Module (Apollo spacecraft)
+CSM	Command Sergeant Major
+CSN	Computer Systems News (magazine)
+CSNET	Computer Science NETwork
+CSOC	Consolidated Space Operations Center (at Colorado Springs)
+CSO	Central Services Organization
+CSO	Computing Services Office (UIUC)
+CSPAN	Cable-Satellite Public Affairs Network, "C-SPAN"
+CSP	Control Switching Point
+CSR	Control and Status Register
+CSRG	Computer Systems Research Group
+CSRI	Computer Systems Research Institute (U Toronto)
+CSRS	Civil Service Retirement System
+CSS	Computer Sub-System
+CSS	Customer Switching System
+CSTA	Computer Supported Telecommunications Applications
+CSTC	Consolidated Satellite Test Center (USAF)
+CST	Central Standard Time
+CSU	Channel Service Unit
+CTC	Canadian Transport Commission
+CTC	Centralized Traffic Control [railroad]
+CTC	Central Test Center
+CTC	Chu-Itoh Techno-Science Co.
+CT	Central Time
+CT	Charge Transfer
+CT	Communications & Tracking, "C&T"
+CT	Computed Tomography
+CT	Connecticut
+CTD	Computing and Telecommunications Division
+CTERM	Command TERMinal (DECNET)
+CTIO	Cerro Tololo Inter-american Observatory
+CTM	Contac Trunk Module
+CTMS	Carrier Transmission Measuring System
+CTNE	Compania Telefonica Nacional de Espana
+CTO	Call Transfer Outside
+CTRL	Control
+CTS	Carpal Tunnel Syndrome
+CTS	Cartridge Tape Subsystem (Exabyte)
+CTS	Clear To Send
+CTS	Compatible Timesharing System
+CTSS	{Compatible,Chameleon,Cray,Cyber} Time-Sharing System
+CTT	Cartridge Tape Transport
+CTTC	Cartridge Tape Transport Controller
+CTTN	Cable Trunk Ticket Number
+CTV	Canadian TeleVision network
+CUA	Common User Access
+CU	Close-Up
+CU	Control Unit
+CUCRIT	Capital Utilization CRITeria
+CU	Customer Unit
+CU	(L8R) (S) See You (Later) (Soon)
+CUL	See You Later [net jargon]
+CUNBATCH	Compressed news UNBATCH
+CUTK	Common Update/EQuipment system, "CU/TK"
+CVCC	Controlled Vortex Combustion Chamber
+CV	Constant Velocity
+CV	Curriculum Vitae
+CVD	Chemical Vapor Deposition
+CVR	Compass Voice Response
+CVT	Continuous Variable Transmission
+CW	Car Wars
+CWC	City-Wide Centrex
+CW	Chemical Warfare
+CW	Child Welfare
+CW	Churchwarden
+CW	Continuous Wave
+CWI	Centrum voor Wiskunde en Informatica (Centre for Mathematics and Computer Science)
+CWO	Cash With Order
+CWO	Chief Warrant Officer
+CWOT	Complete Waste Of Time
+CWRU	Case Western Reserve University
+CWYS	Converse With You Soon
+CXI	Common X-windows Interface
+CYA	Cover Your Ass
+CY	Calendar Year
+CYO	Catholic Youth Organization
+CZ	Canal Zone
+CZ	Control Zone
+DACCS	Digital Access Cross Connect System [telephony]
+DAC	Design Automation Conference
+DAC	Digital to Analog Converter
+DACS	Digital Access Cross-connect System [telephony]
+DACS	Directory Assistance Charging System
+DA	Days after Acceptance
+DAD	Draft ADdendum
+DA	Department of Agriculture
+DA	Deposit Account
+DA	Desk Accessory (Mac)
+DA	Digital to Analog converter, "D?A"
+DA	Directory Assistance (/C = computerized, /M = Microfilm)
+DA	District Attorney
+DA	Don't Answer
+DAIS	Distributed Automatic Intercept System
+DAMQAM	Dynamically Adaptive Multicarrier Quadrature Amplitude Modulation
+DAP	Data Access Protocol (DECNET)
+DAP	Division Advisory Panel [of NSF (q.v.) DNCRI (q.v.)]
+DARC	Division Alarm Recording Center
+DAR	Daughters of the American Revolution
+DARFC	Duck And Run For Cover
+DARPA	Defense Advanced Research Projects Agency
+DARU	Distributed automatic intercept system Audio Response Unit
+DASD	Direct Access Storage Device
+DAS	Directory Assistance System
+DAS	Distributor And Scanner
+DAS	Dual Attach Station
+DASWDT	Distributor And Scanner-Watch Dog Timer, "DAS-WDT"
+DATA	Defense Air Transport Administration
+DAT	Digital Audio Tape
+DAV	Data Above Voice
+DAV	Disabled American Veterans
+DAY	Dayton OH
+DBAC	Data Base Administration Center
+DBA	Data Base Administrator
+DBA	Doing Business As
+DBAS	Data Base Administration System
+DB	DataBase
+DB	DeciBels, "db"
+DB	Dial Box
+DBF	DBase Format
+DBM	DataBase Manager
+DBME	DataBase Managment Environment
+DBMS	DataBase Management System (rdbms for Relational)
+DBRAD	Data Base Relational Application Directory
+DBS	Duplex Bus Selector
+DBT	Dialectical Behavior Therapy
+DCA	Defense Communications Agency
+DCA	Distributed Communication Architecture
+DCA	Document Content Architecture
+DCA	Washington (National) DC
+DCC	Data Country Code
+DCC	Descriptive Cataloging Committee
+DCC	DiCyclohexylCarbodiimide
+DCC	Digital Compact Cassette
+DCCO	Defense Commercial Communications Office
+DCCS	DisContiguous Shared Segments
+DC	Data Cartridge
+DCD	Data Carrier Detect (sometimes CD (q.v.))
+DC	Direct Current, "dc" (see also AC)
+DC	District of Columbia
+DCE	Data Circuit-terminating Equipment
+DCE	Data Communications Equipment
+DCE	Distributed Computing Environment
+DCH	D Channel Handler
+DCI	Desktop Color Imaging
+DCL	Data Control Language
+DCL	DEC Control Language
+DCL	Digital Command Language
+DCLU	Digital Carrier Line Uint
+DCM	Digital Carrier Module
+DCMS	Distributed Call Measurement System
+DCMU	Digital Concentrator Measurement Unit
+DCNA	Data Communication Network Architecture
+DCO	Document Change Order
+DCP	Distributed Communications Processor
+DCP	Duplex Central Processor
+DCPR	Detailed Contuing Property Record (PICS/DCPR)
+DCPSK	Differential Coherent Phase-Shift Keying
+DCS	Digital Crosconnect System
+DCS	Distribution Control System
+DCT	Digital Carrier Trunk
+DCTN	Defense Commercial Telecommunications Network
+DCTS	Dimension Custom Telephone Service
+DDA	Digital Differential Analyzer
+DDA	Domain Defined Attribute
+DDB	Device Dependent Bitmap
+DDC	Digital Data Converter
+DDC	Direct Department Calling
+DDCMP	Digital Data Communication Message Protocol
+DDCU	DC-to-DC Converter Unit
+DD	Daredevils
+DD	Data Dictionary
+DD	Days after Date
+DDD	Direct Distance Dialing [Telephony; principally US, elsewhere STD]
+DD	Demand Draft
+DD	Dishonorable Discharge
+DD	Disk Drive
+DD	Doctor of Divinity
+DD	Double Density
+DD	Dungeons & Dragons, "D&D"
+DDE	Dynamic Data Exchange
+D	Depth
+DDJ	Dr. Dobbs Journal
+DDK	Driver Development Kit (from MS)
+DDL	Data Definition Language
+DDL	Document Description Language
+DDN	Defense Data Network
+DDP	Datagram Delivery Protocol
+DDP	Distributed Data Processing
+DDPEX	Device Dependent PEX
+DDQ	DichloroDicyanobenzoQuinone
+DDS	Dataphone Digital Service [AT&T]
+DDS	Dataphone Digital service  carrier offering 2.4 - 56 kb/s
+DDS	Digital Dataphone Service
+DDS	Digital Data Service
+DDS	Digital Data Storage (Sony and HP's DAT format)
+DDS	Digital Data System
+DDS	Direct Digital Service
+DDS	Doctor of Dental Surgery; Doctor of Dental Science
+DDS	Document Distribution Services
+DDT	DichloroDiphenylTrichloroethane
+DDV	DatenDirektVerbindung
+DDX	Digital Data eXchange, Device Dependent X (windows)
+DDX	Distributed Data eXchange
+DEA	Data Encryption Algorithm
+DEA	Drug Enforcement Agency
+DEAR	Department of Energy Acquisition Regulation
+DEBNA	Digital Ethernet BI Network Adapter
+DEC	Digital Equipment Corporation [Corporate name]
+DECNET	Digital Equipment Corporation NETwork
+DECUS	Digital Equipment Computer Users Society
+DE	Delaware
+DE	Disk Enclosure
+DELNI	Digital Ethernet Local Network Interconnect
+DELQA	Digital Ethernet Lowpower Q-bus network Adapter
+DELUA	Digital Ethernet Lowpower Unibus network Adapter
+DEMPR	Digital Ethernet Multi-Port Repeater
+DEPCA	Digital Ethernet Personal Computer-bus Adapter
+DEPT	Distortionless Enhancement by Polarization Transfer
+DEQNA	Digital Ethernet Q-bus Network Adapter
+DEREP	Digital Ethernet REPeater
+DERP	Defective Equipment Replacement Program
+DES	Data Encryption Standard
+DESPR	Digital Ethernet Single Port Repeater
+DESTA	Digital Ethernet thin-wire STation Adapter
+DEUNA	Digital Ethernet Unibus Network Adapter
+DEW	Distant Early Warning (as in DEW Line)
+DEXEC	Diagnostic EXEc software
+DFC	Distinguished Flying Cross
+DF	Damage Free
+DFD	Data Flow Diagram
+DF	Direction Finding
+DF	Direction Finding, "D/F"
+DFE	Data Flow Editor
+DFG	Deutsche ForschungsGemeinschaft
+DFI	Digital Facility Interface
+DFM	Distinguished Flying Medal
+DFMS	Digital Facility Management System
+DFN	Deutsches ForschungsNetz
+DFRF	Dryden Flight Research Facility (now ADFRF)
+DFS	Depth-First Search
+DFS	Distributed File System
+DFT	Discrete Fourier Transform
+DFTT	Don't Feed The Trolls
+DFW	Dallas-Ft.Worth (regional airport)
+DGA	Direct Graphics Access
+DG	Data General [Corporate name]
+DG	Dei Gratia (by the grace of God)
+DG	Directional Gyro
+DG	Director General
+DGP	Dissimilar Gateway Protocol
+DGSC	Defense General Supply Center
+DHCP	Dynamic Host Configuration Protocol
+DHHS	Department of Health and Human Services
+DHSS	british Department of Health and Social Security
+DHSS	Department of Health and Social Security (British)
+DIA	Defence Intelligence Agency
+DIA	Display Industry Association
+DIAD	(magnetic) Drum Information Assembler / Dispatcher
+DIA	Document Interchange Architecture
+DIAL	Direct Information Access Line
+DIAS	Defense Automatic Integrated System
+DIBAL	DiIsoButylALuminum hydride
+DIB	Device Independent Bitmap
+DIB	Directory Information Bases
+DIC	Digital Interface Controller
+DID	Direct Inward Dialing [telephony]
+DID	Dissociative Identity Disorder (used to be MPD)
+DIE	Duplication Is Evil
+DIF	Digital Interface Frame
+DIF	Document Interchange Format
+DIFMOS	Double Injection Floating Gate MOS
+DIL	Dual InLine
+DILOG	DIstributed LOGic
+DIM	Data In the Middle
+DIMS	Document Image Management System
+DIN	Deutsche Industrie Normenausschuss
+DIN	Deutsches Institut fur Normung
+DINK	Double Income, No Kids
+DIP	Dual Inline Package
+DIR	Deliverly & Installation Request
+DIRE	Dire Is Really Emacs
+DIRT	Design In Real-Time
+DISA	Direct Inward System Access
+DISCO	DIfferences and Sums within COsy
+DIS	Draft International Standard (ISO)
+DISOSS	DIStributed Office Support System
+DIU	Digital Interface Unit
+DIV	Division
+DIX	DEC, Intel, Xerox (Ethernet hardware levels)
+DIY	Do It Yourself
+DJ	Disc Jockey
+DKF	Dreaded Koosh Flogger
+DLA	Defense Logistics Agency
+DLC	Data Link Control
+DLC	Digital Loop Carrier
+DLC	Driver's License Compact (Uniform interstate treatment)
+DLCU	Digital Line Carrier Unit
+DL	Download
+DLE	Data Link Escape
+DLG	Digital Line Graph
+DLI	Data Link Interface
+DLL	Dial Long Lines
+DLL	Dynamic Link Library
+DLO	Dead Letter Office
+DLS	Data Link Control
+DLS	Digital Link Service
+DLTDHYITAOYWO	Dont Let The Door Hit You In The Ass On Your Way Out
+DLTU	Digital Line/Trunk Unit
+DLUPG	Digital Line Unit-Pair Gain, "DLU-PG"
+DMA	Direct Memory Access
+DMD	Directory Management Domain
+DMD	Doctor of Dental Medicine
+DM	Delta Modulation
+DM	Dialog Manager
+DM	District Manager
+DM	Dungeon Master
+DME	DiMethoxyEthane
+DME	Distance Measuring Equipment
+DME	Distributed Management Environment
+DMF	DiMethylFormamide
+DMI	Digital Multiplexed Interface
+DML	Data Manipulation Language
+DML	Data Manipulation Logic
+DMOS	Diffusion Metal Oxide Semiconductor (see MOS)
+DMQ	Do-Me Queen
+DMS	Data Management System
+DMS	Digital Multiplexed System
+DMS	Diskless Management Services
+DMSP	Defense Meteorological Satellite Program
+DMU	Data Manipulation Unit
+DMV	Department of Motor Vehicles
+DMZ	DeMilitarized Zone
+DNA	DeoxyriboNucleic Acid
+DNA	Digital Network Architecture [DEC]
+DNC	Direct Numerical Control
+DNC	Dynamic Network Controller
+DNCRI	[NSF (q.v.)] Division of Networking and Communications Research and Infrastructure
+DN	Directory Number
+DND	Do Not Disturb
+DNDC	Don't Know, Don't Care
+DNHR	Dynamic NonHierarchical Routing
+DNIC	Data Network Identification Code [telephony]
+DNI	DECnet Network Interface
+DNL	Director of Naval Laboratories
+DNP	Dynamic Nuclear Polarization
+DNR	Dialed Number Recorder [telephony]
+DNS	Domain Name System
+DNX	Dynamic Network X-connect
+DOA	Dead On Arrival
+DOB	Date Of Birth
+DOC	Dynamic Overload Control
+DOCS	Display Operator Console System
+DOD	Department of Defense, "DoD"
+DOD	Department Of Defense [U.S. Government]
+DOE	Department Of Energy [U.S. Government]
+DOE	Depends On Experience
+DOHC	Dual OverHead Camshaft
+DOJ	Department Of Justice [U.S. Government]
+DOMAIN	Distributed Operating Multi Access Interactive Network (Apollo)
+DOM	Data On Master group
+DORE	Dynamic Object Rendering Environment
+DOS	Disk Operating System
+DOT	Department Of Transportation [U.S. Government]
+DOTE	Director, Operational Test and Evaluation, "DOT&E"
+DOTS	Digital Office Timing Supply
+DOV	Data Over Voice [telephony]
+DOW	Day Of Week
+DOXYL	Dimethyl-OXazolidine-oxYL
+DOYC	Deity Of Your Choice
+DOYKB	Down On Your Knees, Bitch
+DPAC	Dedicated Plant Assignment Center
+DPA	Delegation of Procurement Authority
+DPANS	Draft Proposed American National Standard
+DPC	Destination Point Code
+DP	Data Processing
+DP	Demarcation Point
+DP	Dial Pulse [telephony]
+DP	Displaced Persons (expelled from native land)
+DP	Display Postscript
+DP	Double Play
+DP	Draft Proposal
+DPE	Data Path Extender
+DPI	Dots Per Inch
+DPM	Defect Per Million
+DPM	Digital Panel Meter
+DPM	Directional Policy Matrix
+DPMI	DOS Protected Mode Interface
+DPNPH	Data Packet Network-Packet Handler, "DPN-PH"
+DPP	Discounted Payback Period
+DPPH	DiPhenylPicrylHydrazyl
+DPS	Display PostScript
+DPSK	Differential Phased-Shift Keying
+DQC	Double-Quantum Coherence
+DQ	Dairy Queen
+DQDB	Distributed Queue Dual Bus a reservation-strategy MAN 150 Mb/s
+DQ	Dragon Quest
+DQF	Double-Quantum Filter
+DQL	Database Query Language
+DQOTD	Dumb Question Of The Day
+DRAM	Dynamic Random Access Memory (as opposed to static RAM)
+DRAW	Direct Read After Write
+DRDA	Distributed Relational Database Architecture
+DR	Data Ready
+DR	Data Receive
+DRD	Data Reading Device
+DR	Dead Reckoning
+DR	Dining Room
+DRE	Directional Reservation Equipment
+DRG	Democratic Republic of Germany (East Germany)
+DRI	Defense Research Internet (replaces Arpanet)
+DRI	Digital Research, Incorporated [Corporate name]
+DRMU	Digital Remote Measurement Unit
+DRP	DECnet Routing Protocol
+DRS	Data Rate Select (RS-232)
+DRY	Don't Repeat Yourself
+DSAB	Distributed Systems Architecture Board
+DSA	Dial System Assistance
+DSA	Digital Storage Architecture
+DSA	Directory Service Agent
+DSBAM	Double-SideBand Amplitude Module
+DSC	Differential Scanning Calorimetry
+DSC	Document Structuring Conventions
+DSCS	Defense Satellite Communications System
+DS	Data Segment
+DSDC	Direct Service Dial Capability
+DSD	Data Structure Diagram
+DS	Digital carrier Span
+DS	Digital Signal
+DS	Directory Service
+DS	Direct Signal
+DS	Double-Sided
+DSE	Data Structure Editor
+DSEE	Domain Software Engineering Environment
+DSI	Digital Speech Interpolation
+DSL	Digital Subscriber Line
+DSM	Distinguished Service Medal
+DSN	Deep Space Network
+DSN	Digital Signal (level) N
+DSO	Digital Storage Oscilloscope
+DSO	Distinguished Service Order
+DSP	Decessit Sine Prole (died without issue)
+DSP	Defense Support Program (USAF/NRO)
+DSP	Digital Signal Processor; Digital Signal Processing
+DSP	Domain-Specific System
+DSR	Data Set Ready (RS-232)
+DSR	Digital Standard Runoff
+DSR	Dynamic Service Register
+DSRI	Digital Standard Relational Interface
+DSS	Data Station Selector
+DSS	Decision Support System
+DSS	Direct Station Selection [telephony]
+DSSI	Digital Storage Systems Interconnect
+DST	Daylight Saving Time
+DSTN	Double SuperTwisted Nematic
+DSU	Digital Service Unit; Data Service Unit
+DSU	Disk Subsystem Unit (Artecon)
+DSW	Dick Size War
+DSX	Digital System X-connect
+DTA	Differential ThermoAnalysis
+DTA	Disk Transfer Area
+DTAS	Digital Test Access System
+DTB	Data Transfer Bus
+DTC	Design To Cost
+DTC	Digital Trunk Controller
+DTC	Di-group Terminal Controller
+DT	Data Transmit
+DTD	Document Type Definition
+DT	Delirium Tremens
+DT	Di-group Terminal
+DTE	Data Terminal Equipment
+DTF	Dial Tone First payphone [telephony]
+DTG	Direct Trunk Group
+DTI	Department of Trade and Industry (U.K.)
+DTIF	Digital Transmission Interface Frame
+DTL	Diode Transistor Logic
+DTMF	Dial Tone Multi Frequency [telephony]
+DTP	DeskTop Publishing
+DTR	Data Terminal Ready
+DTRT	do the right thing
+DTS	Distributed Time Service
+DTSS	Dartmouth TimeSharing System
+DTU	Demand Transmission Unit
+DTU	Di-group Terminal Unit
+DTWT	do the wrong thing
+DUA	Directory User Agent
+DUATS	Direct User Access Terminal System
+DU	Decision Unit
+DUI	Driving Under the Influence
+DUT	Device Under Test
+DUV	Data Under Voice
+DVC	Digital Voice Card
+DV	Deo Vo lente (God willing)
+DVI	DeVice Independent
+DVI	Digital Video Interactive
+DVMA	Direct Virtual Memory Access, see DMA, device uses MMU.
+DVM	Digital Volt Meter
+DVM	Doctor of Veterinary Medicine
+DVMRP	Distance-Vector Multicast Routing Protocol
+DVX	Digital Voice eXchange
+DWAPS	Defense Warehousing Automated Processing System
+DWB	Documenter's WorkBench
+DW	Dead Weight
+DWI	Driving While Intoxicated
+DWIM	Do What I Mean
+DX	Distance (as in long distance radio communication)
+DXT	Data eXtractT facility
+E911	Enhanced 911
+EAA	Experimental Aircraft Association
+EADAS	Engineering and Administrative Data Acquisition System
+EAEO	Equal Access End Office
+EAFB	Edwards Air Force Base
+EARN	European Academic Research Network
+EASD	Equal Access Service Date
+EAS	Engineering Administration System
+EAS	Extended Announcement System
+EAS	Extended Area Service
+EASI	Enhanced Asynchronous SCSI Interface
+EBCDIC	Extended Binary Coded Decimal Interchange Code
+EBI	Extensive Background Investigations
+ECAD	Electronical Computer Aided Design
+ECAFE	Economic Commission for Africa and the Far East
+ECAP	Electronic Customer Access Program
+ECASS	Electronically Controlled Automatic Switching System
+ECASS	Export Control Automated Support System
+ECC	Enter Cable Change
+ECC	Error Checking and Correcting
+ECC	Error Correction Code
+ECCM	Electronic Counter-CounterMeasures
+ECCS	Economic C (hundred) Call Seconds
+ECD	East Coast Division (Sun)
+ECDO	Electronic Community Dial Office
+EC	European Community
+EC	Exchange Carrier [telephony]
+ECF	Enhanced Connectivity Facility
+ECG	ElectroCardioGram
+ECL	Emitter Coupled Logic (see also TTL)
+ECL	Error Correction Logic
+ECLSS	Environmental Control and Life Support System [Space]
+ECMA	European Computer Manufacturers Association
+ECM	Electronic Counter Measure
+ECM	European Common Market
+ECN	Engineering Computer Network (at Purdue)
+ECO	Ecological
+ECO	Electronic Central Office
+ECO	Engineering Change Order
+ECOM	Electronic Computer Originated Mail, "E-COM"
+ECPA	Electronic Communication Privacy Act
+ECP/EMP	Excessive Cross Post(ing) / Excessive Multi-post(ing)
+ECPT	Electronic Coin Public Telephone
+ECR	Engineering Change Request
+ECSA	Exchange Carriers Standards Association
+ECS	Electronic Crosconnect System
+ECS	Environmental Control System
+ECT	ElectroConvulsive Therapy
+ECV	Electric Cargo Vehicle [NASA OEXP]
+EDAC	Electromechanical Digital Adapter Circuit
+EDA	Electron Donor-Acceptor
+EDA	Electronic Design Automation
+EDD	Expert Dungeons & Dragons, "ED&D"
+EDF	Electricite de France
+EDGAR	Electronic Data Gathering, Analysis, and Retrieval
+EDI	Electronic Data Interchange
+EDIF	Electronic Design Interchange Format
+EDO	Extended Duration Orbiter [Space]
+EDP	Electronic Data Processing
+EDS	Electronic Data Systems
+EDSX	Electronic Digital Signal X-connect
+EDTA	Ethylene Diamine Tetraacetic Acid
+EDTCC	Electronic Data Transmission Communications Central
+EDT	Eastern Daylight Time
+EDV	Elektronische DatenVerarbeitung
+E	East
+EEC	European Economic Community
+EECT	End-to-End Call Trace
+EEDP	Expanded Electronic tandem switching Dialing Plan
+EE	Electrical or Electronics Engineer
+EEG	ElectroEncephaloGram
+EEHO	Either End Hop Off
+EEI	Equipment-to-Equipment Interface
+EEL	Epsilon Extension Language
+EEM	External Expansion Module (Sun)
+EEO	Errors and Omissions Excepted, "E&EO"
+EEPROM	Electrically Erasable Programmable Read Only Memory
+E	Espionage
+EFD	Ellington Field, Houston TX
+EFI	Electronics For Imaging (Co.)
+EFIS	Electronic Flight Instrumentation System
+EFRAP	Electronic Feeder Route Analysis Program
+EFS	Error Free Seconds
+EGA	Enhanced Graphics Adapter
+EG	Evil Grin
+EG	Exempli Gratia, "e.g." (for example)
+EGP	Exterior Gateway Protocol
+EGREP	Extended GREP
+EGRET	Energetic Gamma Ray Experiment Telescope (on GRO)
+EHF	Extremely High Frequency (30-300GHz)
+EHP	Error Handling Package
+EHT	Extended Hueckel Theory
+EIA	Electronics Industry Association
+EINE	EINE Is Not Emacs
+EIN	Employer Identification Number
+EIP	Everything Is Permissible
+EISA	Extended Industry-Standard Architecture
+EISB	Electronic Imaging Standards Board
+EIS	Environmental Impact Statement
+EIS	Executive Information Systems
+EIS	Expanded Inband Signaling
+EIS	Extended Instruction Set
+EISS	Economic Impact Study System
+EISS	European Intelligence Support System
+EITS	Encoded Information TypeS
+EJASA	Electronic Journal of the Astronomical Society of the Atlantic
+EKG	ElectroKardioGramm (see ECG)
+EKTS	Electronic Key Telephone Sets
+ELC	Extra(Excellent) Low Cost
+ELDOR	ELectron-electron DOuble Resonance
+EL	ElectroLuminescent (as in display)
+ELF	Executable and Linking Format
+ELF	Extensible Linking Format
+ELF	Extremely Low Frequency
+ELLE	Elle Looks Like Emacs
+ELM	ELectronic Mailer
+ELO	Electric Light Orchestra
+ELP	Emerson, Lake and Palmer (or Powell)
+ELT	Emergency Locator Transmitter
+ELV	Expendable Launch Vehicle [Space]
+EMACS	Editor MACroS; Eight Megabytes And Constantly Swapping
+EMA	Electronic Mail Association
+EMA	Enterprise Management Architecture (DEC)
+EMAIL	Electronic MAIL, "E-MAIL"
+EMBL	European Molecular Biological Laboratory
+EMC	ElectroMagnetic Compatibility
+EM	``Ear & Mouth''; recEive & transMit leads of a signalling system, "E&M"
+EM	Engineering Model
+EM	Enlisted Man (see EW)
+EMFBI	Excuse Me For Butting In
+EMF	ElectroMotive Force
+EMI	ElectroMagnetic Interference
+EML	Expected Measured Loss
+EMP	ElectroMagnetic Pulse
+EMPRESS	EnvironMental Pulse Radiation Environment Simulator for Ships
+EMR	ElectroMagnetic Response
+EMS	Electronic Message System
+EMS	Element Management System
+EMS	Element Management System, part of AT&T's UNMA
+EMS	Expanded Memory Specification
+EMSG	Email message
+EMT	Emergency Medical Technician
+EMU	ElectroMagnetic Unit
+EMU	Extravehicular Mobility Unit [Space]
+ENDOR	Electron-Nuclear DOuble Resonance
+ENEA	Comitato Nazionale per la Ricerca e per lo Sviloppo dell' Energia Nuclaeare e delle Energie Alternative, Italy
+ENET	Ethernet, "E-Net"
+ENFIA	Exchange Network Facility for Interstate Access
+ENIAC	Electronic Numerical Integrator and Calculator
+ENS	ENSign
+EOD	End Of Discussion
+EOD	Erasable Optical Disk
+EOE	Electronic Order Exchange
+EOE	Equal Opportunity Employer
+EO	End Office [telephony]
+EO	Erasable Optical
+EOF	End Of File
+EOL	End Of Lecture
+EOL	End Of Line
+EOM	End Of Message
+EOM	End Of Month
+EOS	Earth Observing System
+EOS	Electrical OverStress
+EOS	Extended Operating System
+EOT	End Of Transmission
+EOTT	End Office Toll Trunking
+EPA	Enhanced Performance Architecture
+EPA	Environmental Protection Agency
+EPD	Entry Products Division
+EP	Emulation Program
+EP	Experience Points
+EP	Extended Play
+EPL	Electronic switching system Program Language
+EPOS	Engineering and Project-management Oriented Support system
+EPPS	Electronic Pre-Press Systems.
+EPR	Electron Paramagnetic Resonance
+EPR	Ethylene Propylene Rubber
+EPRI	Electric Power Research Institute
+EPROM	Erasable Programmable Read-Only Memory
+EPSCS	Enhanced Private Switched Communication Service
+EPS	Encapsulated PostScript
+EPSF	Encapsulated PostScript File
+EPSF	Encapsulated PostScript Format
+EPSI	Encapsulated PostScript Interchange
+EPT	Empire of the Petal Throne
+EPTS	Electronic Problem Tracking System
+EPUB	Electronic PUBlication
+EPW	Enemy Prisoner of War
+EQ	Educational Quotient (see IQ)
+EQUEL	Embedded QUEL
+ERA	Earned Run Average
+ERA	Entity-Relationship-Attribute
+ERA	Equal Rights Amendment
+ERAR	Error Return Address Register
+ERD	Entity-Relationship Diagram
+ERE	Entity-Relationship Editor
+ER	Emergency Room
+EREP	Environmental Recording Editing and Printing
+ER	Error Register
+ERICA	Experiment on Rapidly Intensifying Cyclones over the Atlantic
+ERICA	Eyegaze Response Interface Computer Aid
+ERISA	Employee Retirement Income Security Act
+ERL	Echo Return Loss
+ERP	Effective Radiated Power
+ERS	Earth Resources Satellite (as in ERS-1)
+ERT	Earth Resources Technology [Space]
+ERU	Error Return address Update
+ESAC	Electronic Surveillance Assistance Center
+ESAC	Electronic Systems Assistance Center
+ESA	Enterprise Systems Architecture (MVS/XA followon)
+ESA	European Space Agency
+ESB	Emergency Service Bureau
+ESCA	Electron Spectroscopy for Chemical Analysis
+ESD	ElectroStatic Discharge
+ESD	Engineering Service Division
+ESDI	Enhanced Standard Device Interface
+ESE	East South East
+ES	End System
+ES	Expert System
+ES	Extra Segment
+ESF	Extended SuperFrame
+ESF	Extended Superframe Format
+ESH	End System Hello
+ESI	ElectroStatic Interference
+ESIS	End System-Intermediate System, "ES-IS"
+ESL	Emergency Stand-Alone
+ESMD	Embeded Storage Module Disk
+ESMD	Enhanced Storage Module Device
+ESM	Electronic Support Measures
+ESM	External Storage Module (Sun)
+ESN	Electronic Serial Number
+ESN	Electronic Switched Network
+ESO	European Southern Observatory
+ESOP	Employee Stock Ownership Plan
+ESPEC	Ethernet SPECification (DIX)
+ESP	Enhanced Service Provider
+ESP	Extra Sensory Perception
+ESPRIT	European Strategic Programme of Research and Development in Information Technology
+ESPS	Entropic Signal Processing System
+ESR	Electron Spin Resonance
+ESS	Electronic Switching System [telephony]
+ESS	Environmental Stress Screening
+ESSEX	Experimental Solid State EXchange
+ESSX	Electronic Switching Systen eXchange
+EST	Eastern Standard Time
+ETACC	External Tank/Aft Cargo Carrier, "ET/ACC" (see also ET) [Space]
+ETA	Estimated Time of Arrival
+ETAS	Emergency Technical ASsistance
+ETC	Et cetera, and so on...
+ETD	Estimated Time of Departure
+ET	Eastern Time
+ET	Electron Transfer
+ET	External Tank [of the US Space Shuttle]
+ET	ExtraTerrestrial [Space]
+ETFD	Electronic Toll Fraud Device [telephony]
+ETF	Electronic Toll Fraud
+ETH	Eidgnoessiche Techniche Hochschule
+ETLA	Extended Three Letter Acronym
+ETN	Electronic Tandem Network
+ETO	Earth-to-Orbit [Space]
+ETR	Eastern Test Range
+ETSACI	Electronic Tandem Switching Adminstration Channel Interface
+ETS	Electronic Tandem Switching
+ETS	Electronic Translation System
+ETSI	European Telecommunication Standards Institute
+ETSSP	ETS Status Panel
+ETV	Education TeleVision
+EUC	Extended Unix Code
+EUNET	European UNIX NETwork, "EUnet"
+EUUG	European UNIX Users Group
+EUVE	Extreme UltraViolet Explorer
+EUV	Extreme UltraViolet
+EVA	ExtraVehicular Activity
+EVX	Electronic Voice eXchange
+EW	Electronic Warfare
+EW	Enlisted Woman (see EM)
+EWO	Engineering Work Order
+EWOS	European Workshop for Open Systems
+EWS	Engineering Work Station
+EXPO	World Exposition
+F2F	Face to Face / Female To Female
+FAA	Federal Aviation Administration (U.S.)
+FAB	Feature-Advantage-Benefit
+FACD	Foreign Area Customer Dialing
+FACOM	Fujitsu Automatic Computer
+FACS	Facilities Assignment and Control System
+FAD	Flavin Adenine Diphosphate
+FAE	Fuel Air Explosive
+FAESHED	Fuel Air ExploSive, HElicopter Delivered
+FA	Factory Automation
+FA	Fat Admirer, one who prefers a fat sexual/romantic partner
+FA	Finance Accounting (Sun)
+FA	Football Association (British soccer)
+FA	Fuse Alarm
+FAG	Forced Air Gas
+FAI	Federation Aeronautique International
+FAO	Food and Agriculture Organization [U.S. Government]
+FAQ	Frequently Asked Question(s)
+FAQL	Frequently-Asked Questions List
+FAR	Federal Acquisition Regulation
+FAR	Federal Aviation Regulations (U.S.)
+FAR	Federation of American Research
+FARNET	Federation of American Research NETworks
+FAS	Foreign Agricultural Service
+FAS	Free Alongside Ship
+FASST	Flexible Architecture Standard System Technology
+FAST	Fast Auroral SnapshoT explorer
+FAST	First Application System Test
+FAT	File Allocation Table
+FAT	Foreign Area Translation
+FAX	FAcsimile
+FB	Freight Bill
+FBI	Federal Bureau of Investigation [U.S. Government]
+FBO	Fixed-Base Operator
+FBV	a Dutch acronym for "Fluke, Ltd."
+FCAP	Facility CAPacity
+FCB	File Control Block
+FCC	Federal Communications Commission [U.S. Government]
+FCC	Federal Computer Conference
+FCC	Forward Command Channel
+FCCSET	Federal Coordinating Council for Science, Education and Technology (under OSTP)
+FCFS	First Come, First Served
+FC	Full Color
+FCG	False Cross or Ground
+FCO	Field Change Order
+FCRC	Federal Contract Research Center
+FCS	File Control Systemction
+FCS	First Customer Ship (SunOS Releases)
+FCS	Frame Check/Control Sequence
+FCT	Four Corner Test (4FCT)
+FDA	Food and Drug Administration [U.S. Government]
+FDC	Floppy Disk Controller
+FDDI	Fiber Distributed Data Interface
+FDDIII	FDDI supporting isochronous traffic, "FDDI-II"
+FD	File Descriptor
+FD	Floppy/Flexible Disk(ette)/Drive
+FDHD	Floppy Drive High Density
+FDIC	Federal Deposit Insurance Corporation [U.S. Government]
+FDL	File Definition Language
+FDM	Frequency-Division Multiplexing
+FDP	Field Development Program
+FDR	Franklin Delano Roosevelt
+FDX	Full DupleX
+FEA	Finite Element Analysis
+FEC	Forward Error Correction
+FED	Far End Data
+FEDSIM	FEDeral Systems Integration and Management center
+FE	Format Effecters
+FE	Front End
+FEHQ	Fluke European HeadQuarters
+FEMA	Federal Emergency Management Agency
+FEMF	Foreign Electro-Motive Force
+FEM	Finite Element Modeling
+FEPC	Fair Employment Practices Commission
+FEP	Fluorinated Ethylene Propylene
+FEP	Front End Processor
+FEPS	Facility and Equipment Planning System
+FERS	Federal Employees Retirement System
+FET	Far East Trading
+FET	Federal Excise Tax
+FET	Field Effect Transistor
+FEV	Far End Voice
+FFA	Field Failure Analysis
+FFA	Future Farmers of America
+FFC	Free For Chat
+FF	Fist F*
+FF	Flip-Flop
+FFRDC	Federally Funded Reseach and Development Center
+FFS	Fast File System
+FFS	For Fuck's Sake
+FFT	Fast Fourier Transform
+FGA	Feature Group A, "FG-A" [telephony:Line Side term. for LD carriers]
+FGB	Feature Group B, "FG-B" [telephony:Trunk Side term. for LD carriers (aka ENFIA B), 950 service]
+FGC	Feature Group C, "FG-C" [telephony]
+FGD	Feature Group D, "FG-D" [telephony:Trunk Side term. for LD carriers, 1+ service]
+FGM	Female Genital Mutilation
+FGREP	Fixed GREP
+FGS	Fine Guidance Sensors (on HST)
+FHA	Federal Housing Administration
+FHA	Future Homemakers of America
+FHLMC	Federal Home Loan Mortgage Association (Freddie Mac)
+FHMA	Federal Home Mortgage Association (Fannie Mae)
+FHST	Fixed Head Star Trackers (on HST)
+FIB	Focused Ion Beam
+FICA	Federal Insurance Contributions Act
+FID	Free Induction Decay
+FIDO	Fog Investigation Dispersal Operation
+FIFO	First In, First Out
+FILO	First In, Last Out
+FIMS	Forms Interface Management System
+FINE	FINE Is Not Emacs
+FIN	Field Information Notice
+FIOC	Frame Input/Output Controller
+FIO	Frequency In and Out
+FIP	Facility Interface Processor
+FIPS	Federal Information Processing Standard
+FIR	Far InfraRed
+FIR	Field Information Report
+FIR	Finite Impulse Response
+FIRMR	Federal Information Resource Management Regulation
+FITB	Fill In The Blank
+FIT	Federal Information Technologies, inc.
+FITS	Flexible Image Transport System
+FLACC	Full Level Algol Checkout Compiler
+FL	Florida
+FLOP	FLoating point OPeration
+FLOPS	FLoating-point OPerations per Second
+FLRA	Federal Labor Relations Authority
+FLS	Floating License Server
+FLT	Front Load Tape
+FMAC	Facility Maintenance And Control
+FMB	Federal Maritime Board
+FMC	Flexible Manufacturing Cell
+FMCS	Federal Mediation and Conciliation Service
+FMEA	Failure Mode and Effect Analysis
+FM	Fibromyalgia
+FM	Frequency Modulation
+FMR	Field Marketing Representative (Sun)
+FMS	Fieldbus Message Specification
+FMS	Financial Management Service (Treasury Dept)
+FMS	Flexible Machining/Manufacturing System
+FMS	Forms Management System
+FNC	Federal Networking Council
+FNPA	Foreign Numbering Plan Area
+FOAC	Federal Office Automation Center
+FOAD	F* Off And Die
+FOB	Free On Board
+FOC	Faint Object Camera (on HST)
+FOC	Fiber Optic Communications
+FOC	Free Of Charge
+FOCSY	FOldover Corrected SpectroscopY
+FO	Forecast Order
+FO	Foreign Office
+FO	Forward Observer
+FOIA	Freedom Of Information Act
+FOIMS	Field Office Information Management System
+FOIRL	Fiber Optic Inter Repeater Link
+FON	Fiber Optics Network
+FOOBAR	See FUBAR
+FORCS	Faa's Operational Reporting Communication System
+FORD	Fix Or Repair Daily
+FORD	Found On Road Dead
+FOR	Free On Rail
+FORTRAN	FORmula TRANslator
+FOSE	Federal Office Systems Exposition
+FOS	Faint Object Spectrograph (on HST)
+FOT	Fiber Optic Transceiver
+FOT	Free On Truck
+FOV	Field Of View
+FPA	Floating Point Accelerator
+FPC	Fish Protein Concentrate
+FPC	Floating Point Coprocessor
+FPDU	FTAM Protocol Data Unit
+FPE	Floating Point Engine
+FPE	Foam PolyEthylene
+FPHA	Federal Public Housing Authority
+FPLA	Field Programmable Logic Array (see PLA)
+FPM	Feet Per Minute
+FPO	Fleet Post Office
+FPP	Floating Point Processor
+FPS	Favorite Play Sequence
+FPS	Feet Per Second
+FPS	Foot-Pound-Second
+FPU	Floating Point Unit
+FQDN	Fully-Qualified Domain Name
+FRACTAL	FRACTional dimensionAL
+FRAM	Ferroelectric RAM
+FRB	Federal Reserve Board
+FRD	Fire RetarDant
+FRED	Fred Resembles Emacs Deliberately
+FREE	Fathers Rights and Equality Exchange
+FR	Flat Rate
+FR	Frame Relay
+FRG	Federal Republic of Germany (West Germany)
+FRICC	Federal Research Internet Coordinating Committee
+FROG	Free Rocket Over Ground
+FRPG	Fantasy Role Playing Game
+FRR	Flight-Readiness Review
+FRS	Federal Reserve System
+FRS	Flexible Route Selection
+FRU	Field Replacable Unit
+FSCM	Federal Supply Code for Manufactures
+FSDO	Flight Standards District Office
+FSDO	For Some Definition Of
+FSE	Field Service Engineer
+FSF	Free Software Foundation
+FS	Field Service
+FS	File System
+FS	Fine Structure
+FS	Floppy System
+FSK	Frequency Shift Keying
+FSLIC	Federal Savings and Loan Insurance Corporation
+FSS	Fast System Switch (System V)
+FSS	Federal Supply Service
+FSS	Flight Service Station
+FSU	Florida State University
+FSU	Former Soviet Union
+FSW	Forward Swept Wings
+FT1	fractional T1, common carrier transmission in multiples of 64 kb/s
+FTAM	File Transfer, Access, and Management (ISO FTP equivalent)
+FTC	Federal Trade Commission
+FTE	Factory Test Equipment
+FT	Foot
+FT	Fourier Transform
+FTG	Final Trunk Group
+FTL	Faster Than Light
+FTL	For The Loss/Lose
+FTM	Female To Male (transgendered)
+FTMP	For The Most Part
+FTP	File Transfer Protocol
+FTPI	Flux Transitions Per Inch
+FTR	For The Record
+FTS	Federal Telecommunications System [US Government]
+FTS	Federal Telephone System [telephony]
+FTS	Flight Telerobotic Servicer [Space]
+FTW	File Tree Walk
+FTW	For The Win
+FTZ	FernmeldeTechnisches Zentralamt
+FTZ	Free Trade Zone
+FUBAR	F***ed Up Beyond All Repair/Recognition
+FUD	Fear, Uncertainty, and Doubt
+FUSE	Far Ultraviolet Spectroscopic Explorer
+FUS	Full-Use Standard
+FV	Folio Verso, "fv" (on the back of the page)
+FWD	Front Wheel Drive
+FW	Fringeworthy
+FWHM	Full Width at Half Maximum
+FWIW	For What It's Worth
+FX	Foreign eXchange [telephony]
+FX	Effects (special/sound)
+FYA	For Your Action
+FY	Fiscal Year
+FYI	For Your Information
+FYS	For Your Signature
+GAAP	Generally Accepted Accounting Principles
+GAAS	Gallium Arsenide, "GaAs"
+GAB	Group Audio Bridging [telephony]
+GADO	General Aviation District Office
+GA	Gamblers Anonymous
+GA	General Assembly
+GA	General Average
+GA	General of the Army
+GA	Georgia
+GA	Go Ahead
+GAIA	Earth's self-sustaining Biosphere, "Gaia"
+GAIA	GUI Application Interoperability Architecture
+GAL	Generic Array Cell
+GAN	Global Area Network
+GAO	General Accounting Office
+GAR	Grand Army of the Republic
+GAS	Get-Away Special
+GATED	GATEway Deamon
+GATT	General Agreement on Tariffs and Trade
+GAW	Guaranteed Annual Wage
+GB	Gangbusters
+GB	GigaByte
+GB	Great Britain
+GBIP	General Purpose Interface Bus
+GBS	Group Bridging Service
+GBT	Green Bank Telescope
+GCA	General Communications Architecture (Ingres)
+GCA	Ground Controlled Approach
+GCC	Gnu C Compiler
+GCD	Ground Controlled Descent
+GC	Garbage Collection (LISP)
+GC	Gas Chromatograph(y)
+GC	Graphic Context
+GCL	Graphics Command Language
+GCM	General Court Martial
+GCR	Group-Coded Recording (magnetic tape, 6250 bpi)
+GCS	Group Control System
+GCT	Greenwich Civil Time
+GCVS	General Catalog of Variable Stars
+GDB	Gnu DeBugger
+GDI	Graphical Display Interface
+GDOS	Graphics Device Operating System
+GDP	Gross Domestic Product
+GD&R	Grinning, Ducking, and Running (after a smart ass comment)
+GDS	Great Dark Spot
+GDT	Global Descriptor Table
+GECOS	General Electric Comprehensive Operating System
+GECR	Global Environmental Change Report
+GE	General Electric
+GEISCO	General Electric Information Services COmpany
+GEIS	General Electric Information Systems
+GEM	Giotto Extended Mission
+GEM	Graphics Environment Manager
+GEMS	General Electric Medical Systems
+GEO	Geosynchronous Earth Orbit [Space]
+GFCI	Ground Fault Circuit Interrupter
+GF	Girl Friend
+GG	Genetic Girl
+GGP	Gateway-to-Gateway Protocol
+G	Gravity
+G	grin
+<g>	grin (or <G> big grin, vars. incl <VEG> Very Evil Grin)
+GHOD	General Heuristic Organizing Device
+GHQ	General HeadQuarters
+GHRS	Goddard High Resolution Spectrograph (on HST)
+GHZ	Giga HertZ, "GHz" (unit of frequency, 1,000,000,000 cycles per second)
+GID	Group IDentity
+GIF	Graphics Interchange Format
+GI	Galvanized Iron
+GI	Gastro Intestinal
+GI	General Issue
+GIGO	Garbage In, Garbage Out
+GI	Government Issue
+GIN	Graphics INput
+GISS	Goddard Institute for Space Studies
+GIYF	Google Is Your Friend
+GJIAGDVYFCN	Go Jump In a God Damned Volcano, You Fucking Cave Newt (talk.bizarre)
+GKS	Graphical Kernel Standard
+GKSM	GKS Metafile
+GLBTH	Gay,Lesbian,Bi,Trans,Het
+GL	Graphic Library
+GLOMR	Global Low-Orbiting Message Relay
+GMBH	Gesellschaft Mit Beschraenkter Haftung
+GMC	Giant Molecular Cloud
+GMD	Gesellschaft fuer Mathematik und Datenverarbeitung
+GM	Game Master
+GM	General Manager
+GM	General Motors
+GM	Guided Missile
+GMRT	Giant Meter-wave Radio Telescope
+GMTA	Great Minds Think Alike
+GMT	Greenwich Mean Time
+GMW	Give me More Windows
+GND	GrouND
+GNMA	Government National Mortgage Association (Ginnie Mae)
+GNP	Gross National Product
+GNU	GNU's Not Unix
+GoAT	Go Away, Troll
+GOES	Geostationary Orbiting Environmental Satellites
+GOK	God Only Knows
+GOP	Grand Old Party
+GOS	Grade Of Service
+GOSIP	Government Open Systems Interconnection Profile
+GOWI	Get On With It
+GOX	Gaseous OXygen
+GPC	General Purpose Computer
+GPCI	Graphics Processor Command Interface
+GPD	Graphics Products Division
+GP	General Practitioner
+GP	Grand Prix
+GP	Graphics Processor
+GP	Group Processor
+GPIB	General-Purpose Interface Bus
+GPI	Graphics Programming Interface
+GPL	General Public License
+GPL	GNU Public License
+GPL	Graphics Programming Language
+GPM	Gross Product Margin
+GPO	General Post Office
+GPO	Government Printing Office
+GPS	General Problem Solver
+GPS	Global Positioning System [Space]
+GPSI	Graphics Processor Software Interface
+GPSS	General Purpose System Simulator
+GQ	General Quarters
+GRASS	Geographical Resources Analysis Support System
+GRB	Gamma Ray Burst(er)
+GRD	GRounD
+GREP	Global Regular Expression Print, g/re/p, (UNIX command)
+GRI	Graduate, Realtors Institute
+GRIPS	Government Raster Image Processing Software
+GRO	Gamma Ray Observatory [Space]
+GROPE	Graphical representation of protocols in Estelle
+GRPMOD	GRouP MODulator, "GRP MOD"
+GRS	Gamma Ray Spectrometer (on Mars Observer)
+GRS	Great Red Spot
+GSA	General Services Adminstration [U.S. Government]
+GSA	Girl Scouts of America
+GSA	Government Services Administration
+GSAT	General telephone and electronics SATellite corporation
+GSBCA	General Services administration Board of Contract Appeals
+GSC	Guide Star Catalog (for HST)
+GSFC	Goddard Space Flight Center (Greenbelt, MD) [NASA]
+GS	General Schedule
+GS	Glide Slope
+GS	Golden Shower/Getting Started
+GS	Gray-Scale
+GSTS	Ground-based Surveillance and Tracking System
+GTC	General Telephone Company
+GTE	General Telephone and Electric [Corporate name]
+GTFO	Get The Fuck Out
+G2G	Got To Go
+GTG	Got To Go
+GTG	Good To Go
+GT	Gross Ton
+GT	Group Technology
+GTO	Gaussian Type Orbital
+GTO	Geostationary Transfer Orbit
+GTSI	Government Technology Services, inc.
+GTT	Global Title Transmission
+GUG	Generic UTC Greeting
+GUIDE	Graphical User Interface Design Editor (Sun)
+GUI	Graphical User Interface
+GUS	Guide to the Use of Standards (SPAG publication)
+GUUG	German UNIX Users Group
+GWEN	Ground Wave Emergency Network
+GW	Gamma World
+GWS	Graphics Work Station
+HACD	Home Area Customer Dialing
+HA	Home Automation
+HAL	Hard Array Logic
+HAL	Hardware Abstraction Layer
+HAL	Heuristically programmed ALgorithmic computer (2001)
+HAM	Hold And Modify
+HAND	Have A Nice Day
+HANFS	Highly Available Network File System
+HAO	High Altitude Observatory
+HAP	Host Access Protocol
+HARM	High-Availability, Reliability, and Maintainability
+HASP	Houston Automated Spooling Program
+HAT	Hashed Address Table
+HBA	Host Bus Adapter (SCSI)
+HB	HemogloBin, "Hb"
+HBM	Her British Majesty; His British Majesty
+HBO	Home Box Office
+HCFA	Health Care Financing Administration
+HCF	Halt and Catch Fire
+HC	Holy Communion
+HC	House of Commons
+HCL	High Cost of Living
+HCL	Host Control Links
+HCR	Hodge Computer Research, inc.
+HCSDS	High-Capacity Satellite Digital Service
+HCTDS	High-Capacity Terrestrial Digital Service
+HDA	Head Disk Assembly (in winchester disk drives)
+HDBV	Host Data Base View
+HD	Hard Disk
+HD	Heavy Duty
+HD	Henry Draper catalog entry
+HD	High Density
+HDLC	High-level Data Link Control
+HDL	High Density Lipoprotein
+HDN	Hochgeschwindigkeits-DatenNetz
+HDTV	High Definition TeleVision
+HDX	Half DupleX
+HEAO	High Energy Astronomical Observatory [satellite]
+HEAP	Home Energy Assistance Program
+HEDM	High Energy-Density Matter [Space]
+HE	His Eminence; His Excellency
+HEHO	High End Hop Off
+HEM	High-level Entity Management
+HEMP	Help End Marijuana Prohibition
+HEMS	High-level Entity Management System
+HEMT	High Electron Mobility Transistor
+HEO	High Earth Orbit [Space]
+HEP	High Energy Physics
+HERA	HErmes Robotic Arm, "HeRA"
+HERO	Hazards of Electromagnetic Radiation to Ordnance
+HETCOR	HETeronuclear chemical-shift CORrelation
+HFC	HyperFine (splitting) Constant
+HFE	Human Factors Engineering
+HF	Hawthorne Farms (Intel)
+HF	High Fantasy
+HF	High Frequency (3-30MHz)
+HFS	Hierarchical File System (Apple Macintosh)
+HFS	HyperFine Splitting
+HGA	High Gain Antenna
+HGC	Hercules Graphics Card
+H	Harn
+H	Height
+HHIS	hanging head in shame
+HHOK/S	Ha Ha, Only Kidding/Serious
+HIC	Hybrid Integrated Circuit
+HIFO	Highest-In, First-Out
+HI	Hawaii
+HIIPS	Hud Integrated Information Processing Services
+HIPPI	HIgh Performance Parallel Interface
+HIPPI	High Performance Peripheral Interface
+HIRES	HI-RESolution
+HIS	Honeywell Information System
+HIV	Human Immuno-deficiency Virus
+HLC	Heavy Lift Capability [Space]
+HLHSR	Hidden Line & Hidden Surface Removal
+HLL	High-Level Language
+HLV	Heavy Lift Vehicle [Space]
+HMA	High Memory Area
+HMC	Halley Multicolor Camera (on Giotto)
+HM	High-resolution Monochrome
+HMO	Hueckel Molecular Orbital
+HMOS	High performance Metal Oxide Semiconductor (see MOS)
+HMPA	HexaMethylPhosphorAmide (HMPT)
+HMP	Host Monitoring Protocol
+HMPT	HexaMethylPhosphoric Triamide
+HMS	His/Her Majesty's Ship
+HMT	His/Her Majesty's Transport
+HNG	Horny Net Geek
+HNPA	Home Numbering Plan Area [telephony]
+HNS	Hospitality Network Service
+HOBIC	HOtel Billing Information Center
+HOBIS	HOtel Billing Information System
+HOESY	Heteronuclear Overhauser Enhancement SpectroscopY
+HOL	High-Order System
+HOMO	Highest Occupied Molecular Orbital
+HOTOL	HOrizontal Take-Off and Landing
+HOW	Home Owners Warranty
+HPFS	High Performance File System (OS/2)
+HPGE	High Purity Germanium
+HPGL	Hewlett Packard Graphics Language
+HP	Hewlett-Packard, inc. [Corporate name]
+HP	Higher Power (sort of an AA "in" term, usually God)
+HP	High Pressure
+HP	Hit Points
+HP	HorsePower
+HPIB	Hewlett-Packard Interface Bus
+HPLC	High-Performance Liquid Chromatography
+HPLT	High-Productivity Languages/Tools, "HPL/T"
+HPN	White Plains NY
+HPO	High Performance Option
+HPPA	HP Precision Architecture
+HQ	HeadQuarters
+HR	Hertzsprung-Russell (diagram)
+HRH	Her/His Royal Highness
+HR	House of Representatives
+HR	Human Resources
+HRI	High Resolution Imager (on ROSAT)
+HSB	Hue, Saturation, Brightness
+HSC	Hierarchical Storage Controller
+HSFS	High Sierra File System
+HS	High School
+HSI	High Speed Interface
+HSI	Horizontal Situation Indicator
+HSLN	High Speed Local Network
+HSP	High Speed Photometer (on HST)
+HSSDS	High-Speed Switched Digital Service
+HST	Hawaiian Standard Time
+HST	High Speed Technology
+HST	Hubble Space Telescope
+HTF	How The Fuck
+HTH	Hope This Helps
+HTH	Hand To Hand [combat]
+HTH	Happy To Help
+HT	High Tension (as in electric power transmission)
+HT	Horizontal Tab
+HTK	Hits To Kill
+HUAC	House Unamerican Activities Committee
+HUD	Heads Up Display
+HUD	Housing and Urban Development [U.S. Government]
+HUGE	Hewlett-packard Unsupported Gnu Emacs
+HU	High Usage
+HUTG	High Usage Trunk Group
+HUT	Hopkins Ultraviolet Telescope (ASTRO package)
+HVAC	Heating, Ventilation, and Air Conditioning
+HV	High Voltage
+HW2000	Highway 2000
+HWD	Hayward CA
+HWM	High-Water Mark
+HWNINS	He whose name is not spoken
+HWP	Height and Weight Proprotional (i.e.: "normal" build)
+HWSNBN	He who should not be named
+HWWNBN	He Who Will Not Be Named (refers to a specific troll person)
+HZ	HertZ, "Hz" (unit of frequency, cycles per second)
+I18N	InternationalizatioN (count the letters)
+IAAL	I Am Actually Laughing
+IAB	Interactive Application Builder
+IAB	Internet Activities Board
+IAC	In Any Case
+IAD	Dulles International, Washington DC
+IAEA	International Atomic Energy Agency
+IAE	In Any Event
+IAH	Houston (Intercontinental) TX
+IA	Inspection Authorization
+IANA	Internet Assigned Numbers Authority
+IANAL	I Am Not A Lawyer
+IAP	Internet Access Provider
+IAPPP	International Amateur/Professional Photoelectric Photometry
+IATA	International Air Transport Association
+IAUC	IAU Circular
+IAU	International Astronomical Union
+IAW	In Accordance With
+IB	Instruction Buffer
+IBM	Ingrained Batch Mentality
+IBM	International Brotherhood of Magicians
+IBM	International Business Machines [Corporate name]
+IBM	Itty Bitty Machines
+IBN	Integrated Business Network
+ICAN	Individual Circuit ANalysis
+ICB	Interstate Computer Bank
+ICBM	InterContinental Ballistic Missile
+ICBW	I Could Be Wrong
+ICCC	Inter-Client Communication Convention (X)
+ICCCM	Inter-Client Communication Conventions Manual
+ICC	Interstate Commerce Commission
+ICD	Interactive Call Distribution
+ICE	In-Circuit Emulator
+ICE	International Cometary Explorer
+ICE	Intrusion Countermeasures Electronics
+ICI	Imperial Chemical Industries
+IC	Independent Carrier
+IC	Integrated Circuit
+IC	Interexchange Carrier [telephony] (see also IEC)
+IC	Inter-LATA Carrier
+ICJ	International Court of Justice
+ICLID	Individual Calling Line ID
+ICL	International Computers Limited
+ICM	Integrated Call Management
+ICMP	Internet Control Message Protocol
+ICOCBW	I Could Of Course Be Wrong
+ICON	Inter CONtinental
+ICP	Integrated Channel Processor
+ICP	Inventory Control Points
+ICRC	International Cosmic Ray Conference
+ICSC	Inter-LATA Customer Service Center
+ICST	Institute for Computer Science and Technology
+ICT	In-Circuit Test
+ICT	Information and Communication Technologies
+ICT	Interactive Consumer Terminal
+IDA	Intercommunication Data Areas
+IDA	International Dark-sky Association
+IDA	International Development Association
+IDC	Insulation Displacement Contact
+IDDD	International Direct Distance Dial [telephony]
+IDEA	International Dance Exercise Association
+IDEA	Internet Design, Engineering, and Analysis notes (IETF RFCs)
+IDE	Integrated Development Environment
+IDE	Integrated Drive Electronics
+IDE	Interactive Development Environments, inc
+IDF	Intermediate Distributing Frame [telephony]
+IDGI	I Don't Get It
+ID	Idaho
+ID	IDentification
+IDI	Initial Domain Identifier
+IDK	I Don't Know
+IDL	Interactive Data Language
+IDL	Interface Description Language
+IDM	Image Data Manager
+IDP	Initial Domain Part
+IDP	Internet Datagram Protocol (XNS equivalent to IP)
+IDS	Internal Directory System
+IDTS	I Don't Think So
+IDVC	Integrated Data/Voice Channel
+IDV	Interlibrational Derived Vehicle [Space]
+IEC	InterExchange Carrier [telephony] (see also IC)
+IEC	International Electrotechnical Commission
+IEEE	Institute of Electrical and Electronics Engineers
+IEE	Institute of Electrical Engineers (UK)
+IE	Id Est, "i.e." (that is)
+IE	Id Est (that is)
+IE	Indo-European
+IE	Inter Ethernet
+IEN	Internet Engineering Notes
+IEN	Internet Experiment Notebook (precedes RFCs)
+IESG	Internet Engineering Steering Group
+IETF	Internet Engineering Task Force
+IETGFTP	It's Easier To Get Forgiveness Than Permission
+IFB	Invitation For Bids
+IFC	International Finance Corporation
+IFC	International Freighting Corporation
+IFF	Identification - Friend or Foe
+IFF	Image File Format
+IFF	Interchange File Format
+IFF	Iterative Function Fractal
+IF	InterFace, "I/F"
+IF	Intermediate Frequency
+IFIP	International Federation for Information Processing
+IFLA	International Federation of Library Associations
+IFR	Instrument Flight Rules
+IFRPS	Intercity Facility Relief Planning System
+IGES	Initial Graphics Exchange Standard
+IGM	InterGalactic Medium
+IGMP	Internet Group Multicast Protocol
+IGP	Interior Gateway Protocol
+IGY	International Geophysical Year
+IHA	I Hate Acronyms
+IHP	Indicated HorsePower
+IHS	Integrated Hospital Support
+IIA	Information Industry Association
+IIANM	If I Am Not Mistaken
+IIE	Institute of Industrial Engineers
+IIHF	International Ice Hockey Federation
+IIL	Integrated Injection Logic
+IIN	Integrated Information Network
+IINM	If I'm Not Mistaken
+IIRC	If I Recall Correctly
+IISPB	Image and Information Standards Policy Board
+IIUC	If I Understand Correctly
+ILO	International Labor Organization
+ILS	Instrument Landing System
+ILV	Industrial Launch Vehicle [Space]
+IMAO	In My Arrogant Opinion
+IMAP3	Interactive Mail Access Protocol - Version 3
+IMAP	Interactive Mail Access Protocol
+IMAS	Integrated Mass Announcement System
+IMC	Instrument Meteorological Contitions
+IMCO	In My Considered Opinion
+IMD	Industry Marketing Development
+IME	In My Experience
+IMF	International Monetary Fund
+IMHO	In My Humble Opinion
+IM	Installation & Maintenance, "I&M"
+IM	Instant Message
+IM	Interface Module
+IMM	Input Message Manual
+IMNERHO	In My Never Even Remotely Humble Opinion
+IMNSHO	In My Not So Humble Opinion
+IMO	In My Opinion
+IMPACT	Inventory Management Program and Control Technique
+IMP	Interface Message Processor [ARPANET/MILNET] (replaced by PSN)
+IMSA	International Motor Sports Association
+IMS	Integrated Management System
+IMSL	International Mathematical Subroutine Library
+IMSLTHO	In My Slightly/Somewhat Less Than Humble Opinion
+IMSO	Integrated Micro Systems Operation (Intel)
+IMSVS	Information Management System/Virtual Storage, "IMS/VS"
+IMT	Image Management Terminal
+IMT	Inter-Machine Trunk
+IMTS	Improved Mobile Telephone Service
+IMX	In My eXperience (perferred form: IME)
+INADEQUATE	Incredible Natural Abundance Double-QUAntum Transfer Experiment
+INADS	INitialization and ADministration System  [telephony]
+INC	InterNational Carrier
+INDO	Intermediate Neglect of Differential Overlap
+INDOR	INternuclear DOuble Resonance
+INEPT	Insensitive Nucleus Enhancement by Polarization Transfer
+INGRES	Interactive Graphic Retrieval System
+IN	Indiana
+IN	Intelligent Network
+INL	Inter Node Link
+INMS	integrated network management system, part of AT&T's UNMA
+INN	Inter Node Network
+INOC	Internet Network Operations Center
+INRIA	Institut National de Recherche en Informatique et Automatique
+INRI	Iesus Nazerenus Rex Iudaeorum (Jesus of Nazareth, King of the Jews)
+INS	Immigration and Naturalization Service
+INS	Inertial Navigation System
+INS	Information Network System
+INSTITUTE	INSTITUTE's Name Shows That It's Totally Unrelated To EMACS
+INTAP	INteroperability Technology Association for information Processing
+INTELSAT	INternational TELecommunications SATellite consortium
+INWATS	INward Wide Area Telephone Service [telephony]
+IOCC	International Overseas Completion Center
+IOC	Input/Output Controller
+IOC	International Operating Center [telephony, US]
+IOD	Identified Outward Dialing
+IO	Input/Output, "I/O"
+IO	Inward Operator
+IONL	Internal Organization of the Network Layer
+IOOF	International Order of Odd Fellows
+IOP	Input-Output Processor
+IOTA	Infrared-Optical Telescope Array
+IOTA	International Occultation Timing Association
+IOT	InterOffice Trunk
+IOU	I Owe you (U)
+IOW	In Other Words
+IPCC	Intergovernmental Panel on Climate Change
+IPCE	InterProcess Communication Environment
+IPC	Integrated Personal Computer
+IPC	InterProcess Communication
+IPC	Inventory Process Control
+IPCS	Interactive Problem Control System
+IPDU	Internet Protocol Data Unit
+IPE	Integrated Programming Environment
+IPI	Intelligent Peripheral Interface
+IP	Industrial Products
+IP	Information Provider [telephony]
+IP	Innings Pitched
+IP	Instruction Pointer
+IP	Intermediate Point
+IP	Internet Protocol
+IPLAN	Integrated PLanning And Analysis
+IPL	Initial Program Load
+IPM	Impulses Per Minute
+IPM	Interruptions Per Minute
+IPMS	InterPersonal Message Services
+IPO	Initial Public Offering
+IPO	International Procurement Office
+IPSE	Integrated Project-Support Environment
+IPS	Inches Per Second
+IPS	Inertial Pointing System
+IPS	Information Processing Standards
+IPT	Williamsport PA
+IPX	Internetwork Packet exchange (of Novell Inc.)
+IPXSPX	Internet Packet eXchange/Sequenced Packet eXchange (Novell), "IPX/SPX"
+IQ	Intelligence Quotient (see EQ)
+IQR	Inquiry
+IRAF	Image Reduction and Analysis Facility
+IRA	Individual Retirement Account
+IRA	Interprocedural Register Allocation
+IRA	Irish Republican Army
+IRAS	Infrared Astronomical Satellite
+IRBM	Intelligent Repeater Bridge Module
+IRBM	Intermediate Range Ballistic Missile
+IRC	International Record Carrier
+IRC	Internet Relay Chat
+IRD	Investment Recovery Department
+IRDS	Information Resource Dictionary Standard
+IRDS	InfraRed Detection Set
+IRE	Institute of Radio Engineers (old name for the now IEEE, q.v.)
+IRG	InterRecord Gap
+IR	Index Register
+IR	Information Resource
+IR	InfraRed
+IR	Internetwork Router
+IRL	In Real Life
+IRM	Information Resources Management
+IRM	Intelligent Repeater Module
+IRMS	Information Resources Management Service
+IRN	Intermediate Routing Node
+IROR	Internal Rate Of Return
+IRQ	Interrupt ReQuest
+IRSG	Internet Research Steering Group
+IRS	Inertial Reference System
+IRS	Internal Revenue Service
+IRTF	Internet Research Task Force
+IRT	In Reply To, In Regards To
+ISA	Industry-Standard Architecture
+ISAM	Indexed Sequential Access Method
+ISAS	Institute of Space and Astronautical Science (Japan)
+ISBD	International Bibliographic Description
+ISBN	International Standard Book Number
+ISCH	Interstitial-Cell-Stimulating Hormone (same as LH)
+ISC	Information Services Center
+ISC	Interactive Systems Corporation
+ISC	International Switching Center
+ISDN	Integrated Services Digital Network
+ISDT	Integrated Systems Development Tool
+ISEE	International Sun Earth Explorer (usually ISEE-3)
+ISF	Information Systems Factory
+ISFUG	Integrated Software Federal User Group
+ISH	Intermediate System Hello
+ISI	Information Sciences Institute (at USC)
+IS	Information Separator
+IS	Information Systems
+IS	Intermediate System
+IS	International Standard
+IS	Interrupt Set
+ISIS	Intermediate System to Intermediate System, "IS-IS"
+ISLM	Integrated Services Line Module
+ISLU	Integrated Services Line Unit
+ISM	InterStellar Medium
+ISN	Information Systems Network
+ISN	Integrated Systems Network
+ISODE	ISO Development Environment
+ISO	Infrared Space Observatory
+ISO	In Search Of
+ISO	International Standards Organization
+ISOO	Information Security Oversight Office
+ISOP	Incentive Stock Option Plan
+ISP	Internet Service Provider
+ISPM	International Solar Polar Mission
+ISRG	Independent Space Research Group
+ISR	Institute of Snow Research
+ISSI	Information Security Systems Inc.
+ISS	Integrated Switching System
+ISSN	Integrated Special Services Network
+ISSN	International Standard Serial Number
+IST	Initial System Test
+ISTM	It Seems To Me
+ISTR	I Seem To Recall
+ISUP	Integrated Services User Part
+ISV	Independent Software Vendor
+ISV	Instantaneous Speed Variation
+ISY	International Space Year
+ITC	Independent Telephone Company
+ITC	Inter-Task Communication
+IT	Industrial Technology
+IT	Information Technology
+ITM	Information Technology Management
+ITMT	In The MeanTime
+ITSEC	Information Technology Security Evaluation Criteria
+ITSFWI	If The Shoe Fits, Wear It
+ITS	Incompatible Timesharing System
+ITS	Institute of Telecommunication Science
+ITSO	Incoming Trunk Service Observation
+ITT	International Telephone and Telegraph
+ITU	International Telecommunications Union
+ITUSA	IT Users Standards Association
+ITYM	I Think You Mean
+IUE	International Ultraviolet Explorer
+IU	Integer Unit
+IUS	Inertial Upper Stage [Space]
+IUV	Interlibrational Utility Vehicle [Space]
+IVDT	Integrated Voice/Data Terminal
+IVP	Installation Verification Program
+IVTS	International Video Teleconferencing Service
+IWBNI	It Would Be Nice If
+IWC	Inside Wire Cable
+IWS	Intelligent Work-Station
+IWW	International Workers of the World
+IXC	IntereXchange Carrier (aka LD)
+IX	Interactive eXecutive
+IXM	IntereXchange Mileage
+IYKWIM(AITYD)	If You Know What I Mean (And I Think You Do)
+JACM	Journal of the Association for Computing Machinery
+JAFO	Just Another F**king Observer
+JAL	Japan Airline
+JANET	Joint Academic Network (U.K.)
+JBS	John Birch Society
+JCAC	Joint Civil Affairs Committee
+JCAE	Joint Committee on Atomic Energy
+JCA	Jewelry Crafts Association
+JCAMP	Joint Committee on Atomic and Molecular Physical data
+JCEE	Joint Council on Economic Education
+JCET	Joint Council on Educational Television
+JC	Jesus Christ
+JC	Joint Compound (plumbing)
+JC	Julius Caesar
+JC	Junior College
+JCL	Job Control Language
+JCS	Joint Chiefs of Staff
+JD	Justice Department
+JDS	John Dewey Society
+JECC	Japan Electronic Computer Company
+JEIDA	Japan Electronics Inderstry Development Association
+JEM	Japanese Experiment Module (for SSF)
+JES	Job Entry System
+JES	John Ericsson Society
+JESUS	Job Entry System of the University of Saskatuan
+JFET	Junction FET
+JFIF	JPEG File Interchange Format
+JFK	John F. Kennedy (and the international airport)
+JFMIP	Joint Financial Management Improvement Program
+JFS	Next Generation of JLE
+JFTR	Just For The Record
+JGR	Journal of Geophysical Research
+JIC	Joint Industry Council
+JIC	Joint Intelligence Center
+JIC	Just in Case
+JI	Justice, Inc.
+JILA	Joint Institute for Laboratory Astrophysics
+JIM	Job Information Memorandum
+JINTACCS	Joint INteroperability of TActical Command and Control Systems
+JISC	Japanese Industrial Standards Committee
+JIS	Japan Industrial Standards
+JIT	Just In Time
+JK	Just Kidding / JoKe
+JLE	Japanese Language Enveronment
+JLMK	Just Let Me Know
+JMO	Just My Opinion
+JMS	John Milton Society
+JMX	Jumbogroup MultipleX
+JOAT	Jack Of All Trades
+JO	Job Order
+JO	Junior Officer
+JOOC	Just Out of Curiosity
+JOVE	Jonathan's Own Version of Emacs
+JOVIAL	Jules Own Version of the International Algorithmic Language
+JPEG	Joint Photographic Experts Group
+JPL	Jet Propulsion Laboratory
+JRC	Junior Red Cross
+JSC	Johnson Space Center (NASA)
+JSD	Jackson System Development
+JSN	Junction Switch Number
+JSRC	Joint Services Review Committee
+JST	Japan Standard Time
+JSW	Junctor SWitch
+JTIDS	Joint Tactical Information Distribution Systems
+JTLYK	Just To Let You Know
+JTM	Job Transfer and Manipulation
+JUNET	Japan UNIX Network
+JV	Junior Varsity
+JVNC	John von Neumann (Super Computer) Center, "JvNC"
+JVNCNET	John von Neumann (Super Computer) Center network, "JvNCnet"
+K9	canine (K9 corps - army dogs)
+KAO	Kuiper Airborne Observatory
+KAOS	Killing as Organized Sport
+KB	Key Board
+KB	KiloByte
+KBPS	KiloBits Per Second
+KBS	Knowledge-Based System
+KC	King's Counsel (QC when queen reigning)
+KC	Knights of Columbus
+KCL	Kyoto Common Lisp
+KDCI	Key Display Call Indicator
+KDD	Kokusai Denshin Denwa Co.
+KD	Kiln Dried
+KD	Knocked Down; Knock-Down
+KDT	Keyboard Display Terminal
+KERMIT	Kl-10 Error-free Reciprocal Micro Interconnect over Tty lines
+KFT	KiloFeeT
+KGB	Komitet Gosudarstvennoi Bezopaznosti
+KHYF	Know How You Feel
+KHz	Kilo HertZ (unit of frequency, 1000 cycles per second)
+KIA	Killed In Action
+KIAS	Knot Indicated Air Speed
+KIF	Key Index File
+KI	Kiwanis International
+KI	Kuenstliche Intelligenz
+KIP	Kinetics IP
+KIPS	Kawasaki Integrated Power-valve System
+KISS	Keep It Simple, Stupid
+K	Kilobit
+KLIPS	thousands of Logical Inferences Per Second
+KLOC	thousands of Lines Of Code
+KNF	Kernel Normal Form
+KO	Knock Out
+KOWC	Key Word Out of Context
+KP	Key Pulse [telephony]
+KP	Kitchen Police
+KPNO	Kitt Peak National Observatory
+KPO	KeyPunch Operator
+KQC	King's College London
+KR	Kernighan and Ritchie, the c programming language, "K&R"
+KSC	Kennedy Space Center (NASA)
+KSF	Key Success Factor
+KSH	Korn SHell
+KS	King's Scholar
+KSR	Keyboard Send-Receive
+KSU	Key System Unit [telephony]
+KTB	Cretaceous-Tertiary Boundary (from German)
+KTB	Kali's Teeth Bracelet
+KTHX	OK, Thanks
+KTHXBYE	OK, Thanks, goodbye
+KTS	Key Telephone System [telephony]
+KTU	Key Telephone Unit [telephony]
+KWIC	Key Word In Context
+KY	Kentucky
+L1	Lagrange Point #1 35,000 Miles above moon [Space]
+L2	Lagrange Point #2 40,000 Miles behind moon [Space]
+L3	Lagrange Point #3 (?? 35,000 Miles below moon) [Space]
+L4	Lagrange Point #4 240,000 mile Earth orbit [Space]
+L5	Lagrange Point #5 240,000 mile Earth orbit [Space]
+L8R	Later
+LAB	Labor
+LAC	Loop Assignment Center
+LADAR	LAser Detection And Ranging
+LADT	Local Access Data Transport
+LAIS	Local Automatic Intercept System
+LAL	Local Analog Loopback
+LA	Los Angeles
+LA	Louisiana
+LA	Low Altitude
+LAMA	Local Automatic Message Accounting [telephony]
+LAM	Master of Liberal Arts
+LANCE	Local Area Network Controller for Ethernet
+LANL	Los Alamos National Laboratory
+LAN	Local Apparent Noon
+LAN	Local Area Network
+LAPB	Link Access Procedure - Balanced (X.25)
+LAPD	Link Access Procedure on the D channel
+LAPD	Los Angeles Police Department
+LAP	Link Access Procedure
+LAPM	Link Access Procedure for Modems
+LARC	Langley Research Center, "LaRC" [NASA]
+LAR	Local Acquisition Radar
+LART	Luser Attitude Readjustment Tool (i.e.: clue-by-four)
+LASER	Light Amplification by Stimulated Emission of Radiation
+LASS	Local Area Signaling Service
+LATA	Local Access Transport Area
+LATIS	Loop Activity Tracking Information System
+LAT	Local Apparent Time
+LAT	Local Area Transport (DEC)
+LAVC	Local Area VAX Cluster
+LAX	Los Angeles International Airport
+LBHS	Long Beach High School
+LB	Light Bomber
+LBL	Lawrence Berkeley Labs
+LBO	Line Buildout
+LB	pound (LiBra)
+LBS	Load Balance System
+LBS	Pounds
+LCA	Logic Cell Array
+LCAMOS	Loop CAble Maintenance Operation System
+LCAO	Linear Combination of Atomic Orbitals
+LCCIS	Local Common Channel Interoffice Signaling
+LCCL	Line Card CabLe
+LCCLN	Line Card Cable Narrative
+LCD	Liquid Crystal Display
+LCD	Lowest Common Denominator
+LCDN	Last Called Directory Number
+LCDR	Lieutenant Commander
+LCIE	Lightguide Cable Interconnection Equipment
+LC	inductor-Capacitor circuit (as in filters, L is symbol inductance)
+LCL	Lunar Cargo Lander [NASA OEXP]
+LCLOC	Line Card LOCation
+LC	Lower Case, "l.c."
+LCM	Life Cycle Management
+LCN	Logical Channel Numbers
+LCP	Link Control Protocol
+LCR	Least Cost Routing
+LCRMKR	Line Card ReMarKs, Retained
+LCSE	Line Card Service and Equipment
+LCSEN	Line Card Service and Equipment Narrative
+LCS	Laboratory for Computer Science [MIT]
+LCT	Landing Craft Tanks
+LDC	Logical Device Coordinates
+LDC	Long Distance Carrier [telephony]
+LDEF	Long Duration Exposure Facility
+LDF	Large Deployable Reflector [Space]
+LDL	Local Digital Loopback
+LDL	Low Density Lipoprotein
+LDMTS	Long Distance Message Telecommunications Service
+LDP	Laboratory Data Products
+LDS	The Church of Jesus Christ of Latter-Day Saints
+LDT	Local Descriptor Table
+LDX	Long Distance eXtender [telephony]
+LEAP	Low-power Enhanced At Portable
+LEAS	LATA Equal Access System
+LEC	Local Exchange Carrier [telephony]
+LED	Light-Emitting Diode
+LEGO	Low End Graphics Option
+LE	Lance Ethernet
+LEM	Lunar Excursion Module (a.k.a. LM) (Apollo spacecraft)
+LENCL	Line Equipment Number CLass
+LEO	Low Earth Orbit [Space]
+LERC	Lewis Research Center, "LeRC" [NASA]
+LEST	Large Earth-based Solar Telescope
+LFACS	Loop Facilties Assignment And Control System
+LF	Line Feed Character
+LF	Line Finder
+LF	Low Frequency (30-300KHz)
+LFSA	List of Frequently Seen Acronyms
+LFS	Loopback File System
+LGA	Low Gain Antenna
+LGB	Lesbian/Gay/Bisexual
+LGB	Long Beach CA
+LGBO	Lesbian/Gay/Bisexual and any others we've missed, "LGBO*"
+LGM	Little Green Men
+LHD	Litterarum Humaniorum Doctor (doctor of human letters)
+LH	Left Hand
+LH	Liquid Hydrogen (also LH2 or LHX)
+LH	Lower Half
+LH	Luteinizing Hormone (same as ISCH)
+LHS	Left Hand Side
+LIDAR	LIght Detection And Ranging
+LIFIA	Laboratoire d'Informatique Fondamentale et d'Intelligence Artificielle
+LIFO	Last In, First Out
+LI	Long Island
+LIM	Lotus-Intel-Microsoft (memory specification)
+LIMM	Lotus Intel Microsoft Memory (PC world)
+LIMS	Labor-Informations-Management-System
+LINC	Laboratory INstrument Computer
+LIPS	Logical Inferences Per Second
+LISA	Large Installation System Administration
+LIS	Lanthanide-Induced Shift
+LISP	LISt Processing Language
+LIST	List-Oriented Interactive Language
+LIU	Line Interface Unit
+LJBF	Let's Just Be Friends
+LLAMA	Logic Lacking A Meaningful Acronym
+LLB	Legum Baccalaureus (bachelor of laws)
+LLCLINK	Layer Control Protocol (?), "LLCLink"
+LLC	Logical Link Control
+LLD	Leather Lifestyle Dork(s)
+LLD	Legum doctor (doctor of laws)
+LL	Late Latin
+LL	Long Lines [telephony]
+LLN	Line Link Network [telephony]
+LLNL	Lawrence-Livermore National Laboratory
+LLO	Low Lunar Orbit [Space]
+LLOX	Lunar Liquid OXygen [Space]
+LLP	Line Link Pulsing [telephony]
+LMAO	Laughing My Ass Off
+LMFAO	Laughing My F***ing Ass Off
+LMC	Large Magellanic Cloud (see SMC)
+LME	Layer Management Entity
+LMF	License Management Facility
+LMK	Let Me Know
+LM	Lan Manager
+LM	Life Master (Contract Bridge ranking)
+LM	Lunar Module (a.k.a. LEM) (Apollo spacecraft)
+LMMS	Local Message Metering System
+LMOS	Line Maintenance Operations System [telephony, AT&T]
+LMSO	Laughing My Socks Off
+LN2	Liquid N2 (Nitrogen)
+LNG	Liquified Natural Gas
+LOA	Lands of Adventure
+LOA	Leave Of Absence
+LOB	Line Of Balance
+LOB	Line Of Building
+LOCAP	LOw CAPacitance
+LOC	Lines Of Code
+LOC	Local Operating Company
+LOE	Level Of Effort
+LOF	Lock OFf-line
+LOFT	Launch Operations Flight Test [Space]
+LOI	Letter Of Intent
+LO	Lake Oswego
+LO	Leverage Out
+LOL	Laughing Out Loud
+LON	Lock ON-line
+LOOPS	Lisp Object Oriented Programming System
+LOP	Lines Of Position
+LORAN	Long RANge Navigation
+LOSF	Lunar Orbit Staging Facility [Space]
+LOS	Line Of Sight
+LOS	Los Angeles
+LOTS	Low Overhead Timesharing System
+LOX	Liquid OXygen
+LPCDF	Low Profile Combined Distributing Frame
+LPC	Linear Predictive Coding (speech processing)
+LPDA	Link Problem Determination Aid
+LPF	League for Programming Freedom
+LPG	Liquified Petroleum Gas
+LPG	Low Pressure Gas
+LP	Linear Prediction
+LP	Linear Programming
+LPL	Lunar Personnel Lander [NASA OEXP]
+LP	Long Play(ing) (record)
+LP	Low Pressure
+LPN	Licensed Practical Nurse
+LPP	Licensed Program Products
+LPR	Line PrinteR
+LPT	Line PrinTer
+LPT	Lunar Propellant Tanker [NASA OEXP]
+LPV	Lunar Piloted Vehicle [NASA OEXP]
+LQ	Letter Quality
+LRAP	Long Route Analysis Program
+LRB	Liquid Rocket Booster [Space]
+LRBM	Long Range Ballistic Missile
+LRC	Longitudinal Redundancy Character
+LRS	Line Repeater Station
+LRSP	Long Range System Plan
+LRSS	Long Range Switching Studies
+LRU	Least Recently Used
+LRU	Line Replaceable Unit
+LSAP	Long Service Access Point
+LSB	Least Significant Bit; Least Significant Byte
+LSB	Lower Side Band
+LSC	Lecture Series Committee [MIT]
+LSC	LightSpeed C
+LSD	Least Significant Digit
+LSD	LySergic acid Diethylamide
+LSD	pounds (Libra), shillings (Sestertii), and (old) pence (Denarii)
+LSELLINK	Layer Selector (?), "LSELLink"
+LSI	Large Scale Integration
+LS	Left Side
+LS	Letter Signed
+LS	Locus Sigilli (place of seal)
+LSP	LightSpeed Pascal
+LSR	Local Standard of Rest
+LSRP	Local Switching Replacement Planning system
+LSSD	Level-Sensitive Scan Detection
+LSS	Life Support System
+LSS	Loop Switching System
+LSV	Line Status Verifier
+LTAB	Line Test Access Bus
+LTA	Lighter Than Air
+LTC	Lieutenant Colonel
+LTC	Local Test Cabinet
+LTD	Local Test Desk
+LTF	Lightwave Terminating Frame
+LTF	Line Trunk Frame
+LTG	Line Trunk Group
+LTJG	Lieutenant Junior Grade
+LTL	Less than Truckload Lot
+LT	Long Ton
+LT	Low Tension
+LTMS	Laughing To MySelf
+LTNS	Long Time No See
+LTPD	Lot Tolerance Percent Deffective
+LTP	Lunar Transient Phenomenon
+LTR	Long Distance Relationship
+LTR	Long Term Relationship
+LTS	Loss Test Set
+LTV	Loan To Value
+LTVR	LTV Ratio
+LUG	Local Users Group
+LU	Logical Unit
+LUMO	Lowest Unoccupied Molecular Orbital
+LUN	Logical Unit Number
+LUT	Look-Up Table
+LWM	Low-Water Mark
+LWP	Light Weight Process
+LWSP	Linear White-SPace
+LWT	Last Will and Testament
+LXE	Lightguide eXpress Entry
+LZ	Landing Zone
+MAAP	Maintenance And Administration Panel
+MAC	Apple MACintosh computer
+MACBS	Multi-Access Cable Billing System
+MAC	Mandatory Access Control
+MAC	Media Access Control
+MAC	Military Air Command
+MAC	Move, Add, Change
+MAC	Multiple Analogue Component
+MACSYMA	project MAC's SYmbolic MAnipulation System
+MADD	Mothers Against Drunk Driving
+MAD	Mass Air Delivery
+MAD	Mutual Assured Destruction
+MADN	Multiple Access Directory Numbers
+MAF	Marine Abkuerzungs Fimmel (roughly navy abbreviation spleen?)
+MAG	Magazine
+MAJOUR	Modular Application for JOURnals
+MA	Maintenance Administrator
+MA	Massachusetts [US state postal designation]
+MAN	Metropolitan Area Network
+MAP	Maintenance and Administration Position
+MAP	Management Assesment Program
+MAP	Manufacturing Automation Protocol (GM's Token-Passing "Ethernet")
+MAP	Marketing Assistance Program
+MAPSS	Maintenance & Analysis Plan for Special Services
+MAPTOP	Manufacturing Automation Protocol/Technical Office Protocol, "MAP/TOP"
+MARBI	MAchine Readable form of Bibliographic Information
+MARC	MAchine Readable card Catalog
+MARC	Market Analysis of Revenue and Customers system
+MAR	Microprogram Address Register
+MARS	Multiuser Archival and Retrieval System
+MASB	MAS Bus
+MASC	MAS Controller
+MASC	Multiple Award Schedule Contract
+MASER	Microwave Amplification by Stimulated Emission of Radiation
+MASH	Mobile Army Surgical Hospital
+MAS	Magic Angle Spinning
+MAS	MAin Store
+MAS	Mass Announcement System
+MASM	MAS Memory
+MAST	Multi-Application SOnar Trainer
+MATCALS	Marine Air Traffic-Control And Landing System, "MAT-CALS"
+MATFAP	Metropolitan Area Transmission Facility Analysys Program
+MAU	Math Acceleration Unit
+MAU	Media Access Unit
+MAU	Medium Attachment Unit
+MAU	Multiple Access Unit
+MAU	Multistation Access Unit
+MAXI	Modular Architecture for the Exchange of Information (DoD)
+MBA	Management Business Analyst
+MBA	Master Business Administration
+MBBA	p-MethoxyBenzylidene-p-n-ButylAniline
+MB	Manned Base
+MB	MegaByte (1MB=1048576 bytes)
+MBO	Management By Objectives
+MBPS	MegaBits/Bytes Per Second
+MBWA	Management By Walking Around
+MCAD	Mechanical Computer Aided Design
+MCAE	Mechanical Computer Aided Engineering
+MCA	Mechanical Computer Aided Design
+MCA	Micro Channel Architecture
+MCC	Master Control Center
+MCC	Master Control Console
+MCC	Microelectronics & Computer Consortia (Austin based)
+MCC	Mission Control Center
+MCCS	Mechanized Calling Card Service
+MCHB	Maintenance CHannel Buffer
+MCH	Maintenance CHannel
+MCIAS	Multi-Channel Intelligent/Intercept Announcement System
+MCI	Media Control Interface
+MCI	Microwave Communications Incorporated
+MC	Management Committee
+MC	Master of Ceremonies
+MC	Material Control
+MCNC	Microelectronics Center of North Carolina
+MCN	Metropolitan Campus Network
+MCPAS	Master Control Program/Advanced System, "MCP/AS"
+MCP	Master Control Program
+MCP	Multiport/Multiprotocol Communication Processor
+MCPO	Master Chief Petty Officer
+MCR	Memory ContRoller
+MCS	Material Control System
+MCS	Meeting Communications Service
+MCSV	Mars Crew Sortie Vehicle [NASA OEXP]
+MCTRAP	Mechanized Customer Trouble Report Analysis Plan
+MCU	Microprocessor Control Unit
+MDACS	Modular Digital Access Control System
+MDAS	Magnetic Drum Auxiliary Sender
+MDC	Marker Distributor Control
+MDC	Meridian Digital Centrex
+MD	Doctor of Medicine
+MDDS	Media Documentation Distribution Set
+MDE	Modular Design Environment
+MDF	Main Distribution Frame [telephony]
+MDI	Medium Dependent Interface
+MDI	Multiple Document Interface
+MDL	Molecular Design Ltd. [Corporate name]
+MD	Management Domain
+MD	Maryland [US state postal designation]
+MD	Medical Doctor
+MD	Months after Date
+MDQS	Multi-Device Queueing System
+MDRE	Mass Driver Reaction Engine [Space]
+MDS	Multi-point Distribution Service
+MDT	Mean Down Time
+MDU	Marker Decoder Unit
+MDX	Modular Digital eXchange
+MEA	Minimum Enroute Altitude (IFR)
+MEC	Mobile Equipment Console
+MECO	Main Engine CutOff
+MED	Master of EDucation, "MEd"
+MELD	Mechanized Engineering and Layout for Distributing frames
+MEM	2-MethoxyEthoxyMethyl
+ME	Maine
+ME	Mechanical Engineer
+MEM	Maximum Entropy Method
+M.E.	myalgic encephalomyelitis
+MERP	Middle-Earth Role Playing
+MERS	Most Economic Route Selection
+MET	Mid European Time
+MET	Multibutton Electronic Telephone
+MeV	Million Electron Volts
+MFA	Master Fine Arts
+MFB	Monochrome Frame Buffer
+MFENET	Magnetic Fusion Energy NETwork
+MFG	Manufacturing
+MFJ	Modification of Final Judgement
+MFLOPS	Million FLoating-point OPerations per Second
+MF	Medium Frequency (300-3000KHz)
+MF	Middle French
+MFM	Modified Frequency Modulation
+MF	Multi-Frequency [telephony]
+MFR	Multi-Frequency Receivers
+MFS	Macintosh File System
+MFT	Metallic Facility Terminal
+MFT	Multiprogramming with a Fixed number of Tasks
+MGH	Massachusetts General Hospital
+MG	Machine Gun
+MG	Major General
+MG	MasterGroup
+MG	Military Government
+MGM	Metro-Goldwyn Mayer [Corporate name]
+MGT	MasterGroup Translator
+MGUFI	My Gosh U Freaking/Fucking Idiot
+MHD	MagnetoHydroDynamics
+MHL	Microprocessor Host Loader
+MHS	Message Handling System (aka X.400)
+MHz	MegaHertZ (unit of frequency, 1,000,000 cycles per second)
+MIA	Missing In Action
+MIB	Management Information Base
+MICE	Modular Integrated Communications Environment
+MICR	Magnetic Ink Character Recognition
+MIDI	Musical Instrument Digital Interface
+MIFASS	Marine Integrated Fire And Support System
+MIF	Maker Interchange Format
+MIL	Military
+MILNET	MILitary NETwork
+MILSTD	MILitary StandarD, "MIL-STD"
+MIMD	Multiple Instruction, Multiple Data
+MIME	Multipurpose Internet Mail Extensions
+MI	Michigan
+MI	Military Intelligence
+MIM	Media Interface Module
+MIM	Metal Insulator Metal
+MIM	Morality In Media
+MI	Mode Indicator
+MINCE	MINCE Is Not Complete Emacs
+MINDO	Modified Intermediate Neglect of Differential Overlap
+MIN	Mobile Identification Number
+MINX	Multimedia Information Network eXchange
+MIP	Mortgage Insurance Premium
+MIPS	Microprocessor without Interlocked Piped Stages
+MIPS	Million Instructions Per Second
+MIPS	Million of Instructions Per Second
+MIR	Micro-Instruction Register
+MIR	Peace, "mir" [Russian]
+MIRS	Management Information Retrival System
+MIRV	Multiple Independently-Targetable Reentry Vehicle
+MISCF	MISCellaneous Frame
+MIS	Management Information System
+MITI	Ministry of International Trade and Industry
+MIT	Massachusetts Institute of Technology
+MITS	Microcomputer Interactive Test System
+MJ	Modular Jack
+MKTG	Marketing
+MLA	Member of Legislative Assembly (see MPP)
+MLCD	Multi-Line Call Detail
+MLC	MiniLine Card
+MLD	Minimum Lethal Dose
+MLEM	Multi Language Environment
+MLL	Mars Logistics Lander [NASA OEXP]
+ML	Middle Latin
+MLO	Material, Labor, Overhead - Inventoriable Cost / Full Cost
+MLS	Microwave Landing System
+MLS	MultiLevel Security
+MLS	Multiple Listing Service
+MLT	Mechanized Loop Testing
+MLV	Medium Lift Vehicle [NASA OEXP]
+MMC	Minicomputer Maintenance Center
+MMC	Money Market Certificate
+MMDF	Multi-channel Memo Distribution Facility
+MMES	Martin Marietta Energy Systems
+MMFS	Manufacturing Message Format Standard
+MMGT	MultiMasterGroup Translator
+MMH	MonoMethyl Hydrazine
+M	Miniatures
+MMJ	Modified Modular Jack
+MM	Maryknoll Missioners
+MMOC	Minicomputer Maintenance Operations Center
+MMP	Modified Modular Plug
+MMS	Main Memory Status
+MMS	Manufacturing Message Specification
+MMS	Memory Management System
+MMT	Multiple Mirror Telescope
+MMU	Manned Maneuvering Unit [Space]
+MMU	Memory Management Unit
+MMW	Multi-Mega Watt [Space]
+MMX	Mastergroup MultipleX
+MNA	Member of National Assembly (Quebec)
+MNDO	Modified Neglect of Diatomic (differential) Overlap
+MN	Minnesota
+MNOS	Metal-Nitride-Oxide Semiconductor
+MNP	Microcom Networking Protocol
+MNRAS	Monthly Notices of the Royal Astronomical Society
+MOA	Military Operations Area
+MOCA	Minimum Obstacle Clearance Altitude (IFR)
+MOC	Mars Observer Camera (on Mars Observer)
+MODEM	MOdulator-DEModulator
+MOD	Magneto-Optical Disk
+MOD	Mesio Occlusal Distal (dental filling)
+MOFW	Men Of Few Words
+MOG	Minicomputer Operations Group
+MOLA	Mars Observer Laser Altimeter (on Mars Observer)
+MOL	Manned Orbiting Laboratory
+MO	Magneto-Optical
+MO	Mail Order
+MOMA	Museum Of Modern Art
+MO	Medical Officer
+MO	Missouri
+MOM	MethOxyMethyl
+MO	Modus Operandi
+MO	Molecular Orbital
+MO	Money Order
+MOMV	Manned Orbital Maneuvering Vehicle [Space]
+MOPAC	Molecular Orbital PACkage
+MOP	Maintenance Operations Protocol (DEC)
+MOR	Middle-Of-the-Road
+MOSFET	Metal Oxide Semiconductor Field Effect Transistor
+MOS	Metal Oxide Semiconductor
+MOTAS	Member of the Appropriate Sex
+MOTD	Message Of The Day
+MOTIS	Message-Oriented Text Interchange System
+MOTOPS	Member of the Oppositely-Plumbed Sex
+MOTOS	Member of the Opposite Sex
+MOTSS	Member of the Same Sex
+MOTV	Manned Orbital Transfer Vehicle [Space]
+MOU	Memorandum Of Understanding
+MOUSE	Minimum Orbital Unmanned Satellite of Earth
+MOV	Metal Oxide Varistor
+MPCC	Microprocessor Common Control
+MPCH	Main Parallel CHannel
+MPC	Minor Planets Circular
+MPC	Multiprocess Communications
+MPD	Multiple Personality Disorder
+MPDU	Message Protocol Data Unit
+MPE	Mission to Planet Earth [Space]
+MPG	Miles Per Gallon
+MPH	Miles Per Hour
+MPIF	Multiprocessor Interface
+MP	Manifold Pressure
+MP	Melting Point
+MP	Member of Parliament
+MP	Metal Particle
+MP	Metropolitan Police
+MP	Micro Processor
+MP	Military Police(man)
+MP	Mixed Projection
+MP	Modular Plug
+MP	MultiProcessing
+MP	MultiProcessor
+MPO	Manufacturer's Point of Origin
+MPOW	Multiple Purpose Operator Workstation
+MPPD	Multi-Purpose Peripheral Device
+MPP	Member of Provincial Parliament (Canada; also MLA)
+MPP	Message Posting Protocol
+MPP	Message Processing Program
+MPP	MicroProcessor Pascal
+MPR	Mars Pressurized Rover [Space]
+MPS	Master Production Schedule
+MPS	Megabytes Per Second
+MPT	Ministry of Posts and Telecommunications
+MPT	MultiPort Transceiver
+MPU	MicroProcessor Unit
+MPV	Mars Piloted Vehicle [NASA OEXP]
+MPW	Macintosh Programmer's Workshop
+MQC	Multiple-Quantum Coherence
+MQF	Multiple-Quantum Filter
+MRD	Marketing Requirements Document
+MRFL	Mandatory File and Record Locking
+MRF	Maintenance Reset Function
+MRI	Magnetic Resonance Imaging
+MR	Miniatures Rules
+MRP	Manufacturing Requirements Planning
+MRP	Manufacturing Resource Planning
+MRP	Material Resource Planning
+MRS	Material Reject Stock
+MRS	Material Requirements Schedule
+MRSR	Mars Rover and Sample Return
+MRSRM	Mars Rover and Sample Return Mission
+MRTS	Modification Request Tracking System
+MRU	Most Recently Used
+MSB	Most Significant Bit; Most Significant Byte
+MSCDEX	MicroSoft CD-rom EXtensions
+MSC	Media Stimulated Calling
+MSC	MicroSoft C
+MSCP	Mass Storage Control Protocol
+MSD	Most Significant Digit
+MSDOS	MicroSoft DOS, "MS-DOS", Maybe SomeDay an Operating System
+MSE	Mobile Subscriber Equipment
+MSFC	(George C.) Marshall Space Flight Center [NASA]
+MSFR	Minimum Security Functionality Requirements
+MSG	MonoSodium Glutamate
+MSH	Marvel Super Heroes
+MSI	Medium Scale Integration
+MSL	Mean Sea Level
+MSL	Motor Simulation Laboratory
+MS	Maintenance State
+MS	ManuScript
+MS	Mass Spectrometry
+MS	Master of Science
+MS	MicroSoft [Corporate name]
+MS	Military Science
+MS	MilliSecond
+MS	Motor Ship
+MS	Multiple Sclerosis
+MSN	Manhattan Street Network, mesh architecture - wavelength-division mux
+MSN	Manufacturing Sequence Number
+MSO	Manufacturers Statement of Ownership
+MSPE	Mercenaries, Spies & Private Eyes
+MSP	Mass Storage Pedestal
+MSR	Mess-, Steuer- und Regelungssysteme
+MSR	Multitrack Serpentine Recording
+MSS	Management Support System
+MSS	ManuScriptS
+MSS	Mass Storage Subsystem
+MSS	Mass Storage System
+MSS	Maximum Segment Size
+MST	Mountain Standard Time
+MTA	Mail Transfer Agent
+MTA	Message Transfer Agent
+MTA	Message Transfer Architecture (AT&T)
+MTA	Metropolitan Transportation Authority
+MTBF	Mean Time Between Failures
+MTBRP	Mean-Time-Between-Parts-Replacement
+MTC	Man Tended Capability
+MTD	Month To Date
+MTFBWY	May The Force Be With You
+MTF	Male to Female (transgendered)
+MTF	Master Test Frame
+MTF	Modulation Transfer Function
+MTF	More To Follow
+MTI	Multi-Terminal Interface
+MT	Material Transfer
+MT	Metric Ton
+MTM	Method Time Measurements
+MT	Mountain Time
+MTP	Message Transfer Part
+MTR	Magnetic Tape Recording
+MTR	Mechanized Time Reporting
+MTS	Message Telecommunications Service
+MTS	Message Telephone Service
+MTS	Mobile Telephone Service
+MTSO	Mobile Telephone Switching Office [telephony]
+MTTFF	Mean Time To First Failure
+MTTF	Mean Time To Failure
+MTTR	Mean Time to Recovery/Repair
+MTTR	Mean Time Trouble Repair
+MTU	Maintenance Termination Unit
+MTU	Maximum Transer Unit
+MTU	Maximum Transmission Unit
+MTU	Media Tech Unit
+MTV	Music TeleVision
+MTX	Mobile Telephone eXchange
+MUA	Mail User Agent
+MUF	Maximum Usable Frequency (max freq during sunspot activity)
+MULDEM	MULtiplexer-DEMultiplexer
+MULTICS	MULTiplexed Information and Computing Service
+MU	Message Unit
+MUMPS	Massachusetts general hospital Utility MultiProgramming System
+mung	Mash Until No Good
+MUNG	Mung Until No Good (see the hacker's dictionary)
+MUX	MUltipleXor
+MVA	Market Value Adjustment
+MVA	MegaVolt Ampere
+MV	MicroVAX
+MVP	Multiline Variety Package
+MVS	Multiple Virtual Storage
+MVSSP	Multiple Virtual Storage / System Product, "MVS/SP"
+MVSXA	Multiple Virtual Storage / Extended Architecture, "MVS/XA"
+MVY	Martha's Vineyard MA
+MW	MicroWave, "M/W"
+MWM	Motif Window Manager
+MW	MultiWink
+MX	Mail eXchange
+MX	Missile eXperimental
+MXU	MultipleXer Unit
+MYOB	Mind Your Own Business
+NAACP	National Association for the Advancement of Colored People
+NAAFA	National Association to Advance Fat Acceptance
+NAAS	North American Automated Systems co.
+NABISCO	NAtional BIScuit COmpany [Corporate name]
+NAB	National Association of Broadcasters
+NACA	National Advisory Committee on Aeronautics (became NASA)
+NAC	Network Administration Center
+NACS	National Advisory Committee on Semiconductors
+NADGE	NATO Air Defense Ground Environment
+NAD	Network Access Device
+NAD	Nicotinamide Adenine Dinucleotide
+NAGE	National Association of Government Employees
+NAG	Network Architecture Group
+NAG	Numerical Algorithms Group
+NAK	Negative AcKnowledgement
+NAMM	North American Music Merchants
+NAM	Name and Address Module [telephony, cellular phone changeable ROM]
+NAM	National Account Manager [telephony, AT&T specific?]
+NAM	Number Assignment Module [telephony, cellular phone changeable ROM]
+NA	Narcotics Anonymous
+NAND	Not-AND gate
+NA	Next Address
+NAN	Not A Number
+NA	North America
+NA	Not Applicable
+NA	Not Available
+NANP	North American Numbering Plan
+NAPAP	National Acid Precipitation Assessment Program
+NAPLPS	North American Presentation Layer Protocol Suite
+NARDAC	NAvy Regional Data Automation Center
+NAR	National Association of Realtors
+NAR	Nuclear Acoustic Resonance
+NASAGSFC	National Aeronautics and Space Administration Goddard Space Flight Center, "NASA/GSFC"
+NASA	National Aeronautics and Space Administration
+NASCAR	National Association of Stock Car Auto Racing
+NASDA	National Space Development Agency [Japan]
+NASDAQ	National Association of Security Dealers Automated Quotations
+NASM	National Air and Space Museum
+NAS	National Academy of Sciences
+NAS	National Advanced Systems
+NAS	National Aircraft (Aerospace) Standards
+NAS	National Audubon Society
+NAS	Network Application Support
+NAS	Numerical Aerodynamic Simulation
+NAS	Numerical and Atmospheric Sciences network
+NASP	National AeroSpace Plane
+NATO	North Atlantic Treaty Organization
+NAU	Network Addressable Unit
+NAVDAC	NAVal Data Automation Command
+NAVSWC	NAV Surface Warfare/Weapons Center
+NBA	National Basketball Association
+NBC	National Broadcasting Company
+NBD	Network Block Device (Linux)
+NBD	Next Business Day
+NBD	No Big Deal
+NBFM	NarrowBand Frequency Modulation
+NB	New Brunswick
+NB	Nota Bene
+NBO	Network Build Out
+NBO	Network Business Opportunity
+NBP	Name Binding Protocol
+NBS	National Bureau of Standards (renamed NIST) [U.S. Government]
+NBVM	Narrow Band Voice Modulation
+NCA	Network Control Analysis
+NCAR	National Center for Atmospheric Research
+NCCF	Network Communications Control Facility
+NCC	National Computer Conference
+NCC	Network Control Center
+NCDC	National Climatic Data Center
+NCD	Network Computing Devices
+NCE	New Catholic Edition
+NCGA	National Computer Graphics Association
+NCIC	National Cartographic Information Center
+NCIC	National Crime Information Center
+NCMOS	N-Channel (Silicon Gate Reversed) CMOS
+NC	Network Control
+NC	No Charge
+NC	No Connection
+NC	Non-Consensual
+NC	North Carolina
+NCO	Non-Commissioned Officer
+NCP	Network Control Program/Protocol/Point
+NCR	National Cash Register [Corporate name]
+NCSA	National Center for Supercomputing Applications
+NCSC	National Computer Security Center
+NCSL	National Computer Systems Laboratory (NIST)
+NCS	National Computer/Communications Systems
+NCS	Network Computing System
+NCTE	Network Channel-Terminating Equipment
+NCTL	National Computer and Telecommunications Laboratory
+NCV	No Commercial Value
+NDA	Non-Disclosure Agreement
+NDB	Non-Directional Beacon
+NDCC	Network Data Collection Center
+NDC	Normalized Device Coordinates
+NDDL	Neutral Data Definition Language
+NDDO	Neglect of Diatomic Differential Overlap
+NDEA	National Defense Education Act
+NDE	NeWS Development Environment
+NDI	Network Design & Installation (Sun Service), "ND&I"
+NDIS	Network Driver Interface Specification
+NDL	Logical Network Disk
+NDL	Network Database Language
+ND	Network Disk (Sun)
+ND	No Date
+ND	North Dakota
+NDP	New Democratic Party (Canada)
+NDSL	National Direct Student Loan
+NDT	Newfoundland Daylight Time
+NDV	NASP Derived Vehicle
+NEAR	National Electronic Accounting and Reporting system
+NEARNET	New England Academic and Research network, "NEARnet"
+NEB	New English Bible
+NEBS	New Equipment-Building System
+NEC	National Electric Code
+NEC	National Electric Conference
+NEC	Nippon Electric Company [Corporate name]
+NEFS	Network extensible File System, "NeFS"
+NEI	Not Elsewhere Included
+NEMA	National Electrical Manufacturers Association
+NEMP	Nuclear ElectroMagnetic Pulse
+NE	New England
+NE	Non Exempt
+NE	North East
+NESAC	National Electronic Switching Assistance Center
+NESC	National Energy Software Center
+NES	National Energy Strategy
+NES	Not Elsewhere Specified
+NETBEUI	NETBIOS Extended User Interface
+NETBIOS	NETwork Basic Input Output System
+NETBLT	NETwork Block Transfer
+NETCDF	NETwork Common Data Format
+NET	National Educational Television
+NET	NETwork
+NET	New England Telephone
+NEWS	Networked Extensible Windowing System, "NeWS"
+NEWT	NeWS Terminal, "NeWT"
+NEXRAD	NEXt generation weather RADar
+NEXT	Near-End cross-Talk
+NFC	National Football Conference
+NFC	No Fucking Clue
+NFFE	National Federation of Federal Employees
+NFI	no fucking idea
+NFL	National Football League
+NF	No Funds
+NFPA	National Fire Protection Association
+NFR	Not a Functional Requirement
+NFR	Not Flame Related
+NFS	Network File System
+NFT	Network File Transfer
+NGC	New General Catalog
+NG	National Guard
+NG	News Group / No Good
+NG	No Good
+NHI	National Health Insurance
+NHLBI	National Heart, Lung, and Blood Institute (Bethesda, MD)
+NHL	National Hockey League (the nation is Canada)
+NH	New Hampshire
+NHR	Non Hierarchial Routing
+NICE	Network Information and Control Exchange (DECNET)
+NICMOS	Near Infrared Camera / Multi Object Spectrometer (HST upgrade)
+NIC	Network Information Center (ARPAnet)
+NIC	Network Interface Card
+NIFTP	(a file transfer network in the UK)
+NIH	National Institutes of Health
+NIH	Not Invented Here
+NIMBY	Not In My Back Yard
+NIMH	National Institute of Mental Health (Rockville, MD)
+NIM	Nuclear Instrumentation Module (an electronic instr. standard)
+NIMS	Near-Infrared Mapping Spectrometer (on Galileo)
+NI	Network Interface
+NIR	Near InfraRed
+NIR	Network Information Registry
+NISC	Network Information and Support Center (NYSERNet)
+NISDN	narrowband integrated-services digital network, "N_ISDN"
+NIS	Network Information Service (nee YP)
+NISO	National Information Standards Organization
+NISS	National Information on Software and Services
+NIST	National Institute of Standards and Technology (formerly NBS)
+NIU	Network Interface Unit
+NJ	New Jersey
+NKS	Network Knowledge Server
+NLA	National Leather Association
+NLDP	National Launch Development Program
+NLM	National Library of Medicine
+NL	National League (baseball)
+NL	New Leather
+NLP	Natural Language Processing
+NLQ	Near Letter Quality
+NLRB	National Labor Relations Board
+NLS	Native Language Support
+NLS	Network License Server
+NMA	Network Management Architecture
+NMC	Network Management Center
+NMI	New Model Introduction
+NMI	Non Maskable Interrupt
+NM	Nautical Mile
+NM	Network Module
+NM	Never Mind
+NM	New Mexico
+NM	No Mark; Not Marked
+NM	Not Much
+NMOS	N channel Metal Oxide Semiconductor (N-MOS) (see MOS)
+NMR	Nuclear Magnetic Resonance
+NMS	Network Management Station
+NNE	North North East
+N	North
+N	Notice
+NNTP	Net News Transfer Protocol
+NNTP	Network News Transfer Protocol
+NNW	North North West
+NNX	Network Numbering eXchange
+NOAA	National Oceanic and Atmospheric Administration
+NOAO	National Optical Astronomy Observatories
+NOC	Network Operations Center
+NOCS	Network Operations Center System
+NOE	Nuclear Overhauser Effect
+NOESY	Nuclear Overhauser and Exchange SpectroscopY
+NOP	No OPeration
+NORAD	NORth American Defense command
+NORDO	No-radio
+NORGEN	Network Operations Report GENerator
+NORML	National Organization for the Reform of Marijuana Laws
+NOSC	Naval Ocean Systems Center
+NOS	Network Operating System
+NOS	Not Otherwise Specified
+!=	Not equal to
+NOTIS	Network Operator Trouble Information System
+NPA	No Power Alarm
+NPA	Numbering Plan Area, or area code [Telephony]
+NPC	Non-Player Character (see PC)
+NPG	New Product Group
+NPI	New Product Introduction
+NPL	National Physical Laboratory (UK)
+NPL	Non-Procedural Language
+NPMS	Named Pipes/Mail Slots
+NPN	Negative-Positive-Negative (transistor)
+NPN	NonProtein Nitrogen
+NP	Nondeterministic-Polynomial
+NP	No Problem
+NP	No Protest
+NP	Notary Public
+NP	Noun Phrase
+NPP	Net Primary Productivity
+NPRM	Notice of Proposed Rulemaking
+NPR	National Public Radio
+NPSI	Network Protocol Service Interface
+NPV	Net Present Value
+NQ	No Quote
+NQS	Network Queuing System
+NRA	National Rifle Association
+NRAO	National Radio Astronomy Observatory
+NRC	National Research Council
+NRC	Nuclear Regulatory Commission
+NRDC	Natural Resource Defense Council
+NRE	New Relationship Excitement\Ecstasy
+NREN	National Research and Education Network
+NRE	Non-Recurring Engineering
+NRL	Naval Research Labs
+NRM	Normal Response Mode
+NRN	No Reply Necessary
+NROFF	New ROFF
+NRO	National Reconnaissance Office
+NRZI	Non-Return to Zero Inverted (magnetic tape, 800 bpi)
+NRZ	Non-Return to Zero
+NSA	National Security Agency [U.S. Government]
+NSAP	Network Service Access Point
+NSC	National Security Council [U.S. Government]
+NSC	Network Service Center
+NSCS	Network Service Center System
+NSDSSO	NASA Science Data Systems Standards Office
+NSEC	Network Switching Engineering Center
+NSEL	Network Service Selector
+NSEM	Network Software Environment
+NSE	Network Software Environment
+NSF	National Science Foundation [U.S. Government]
+NSFNET	National Science Foundation NETwork
+NS	Name Server
+NS	Network Services
+NS	Neutron Star
+NS	Not Specified
+NS	Nova Scotia
+NS	Nuclear Ship
+NSO	National Solar Observatory
+NSPMP	Network Switching Performance Measurement Plan
+NSP	Network Services Protocol (DECNET)
+NSSDC	National Space Science Data Center
+NST	Newfoundland Standard Time
+NSTS	National Space Transportation System [Space]
+NSUG	Nihon Sun User's Group
+NSU	Networking Support Utilities
+NSWC	Naval Surface Warfare/Weapons (obsolete) Center
+NSW	New South Wales (Australia)
+NTEC	Network Technical Equipment Center
+NTEU	National Treasury Employees Union
+NTF	No Trouble Found
+NTFS	Windows NT File System
+NTIA	National Telecommunications and Information Agency
+NTIS	National Technical Information Service
+NT	Network Termination
+NT	Newfoundland Time
+NT	New Technology
+NT	New Testament
+NTN	Neutralized Twisted Nematic
+NT	Northern Telecom
+NT	Northern Territory
+NTO	Network Terminal Option
+NTP	Network Time Protocol
+NTP	Normal Temperature and Pressure (see STP)
+NTR	Nuclear Thermal Rocket(ry)
+NTSB	National Transportation Safety Board [U.S. Government]
+NTSC	National Television Standards Committee; Never The Same Color
+NTS	Network Technical Support
+NTS	Network Test System
+NTT	New Technology Telescope
+NTT	Nippon Telephone & Telegraph
+NUA	Network User Address
+NUI	Network User Identification
+NU	Name Unknown
+NURBS	NonUniform Rational B-Spline
+NUSC	Naval Underwater Systems Command
+NVH	Noise, Vibration, Harshness
+NVLAP	National Validation Laboratory Program
+NV	Nevada
+NVRAM	NonVolatile Random Access Memory
+NWA	Northwest Airline
+NW	North West
+NWS	National Weather Service
+NWT	North West Territories (Australia)
+NXX	NANP syntax for a three-digit string, {[2-9],[0-9],[0-9]} [Telephony]
+NYC	New York City
+NY	New York
+NYNEX	New York, New England and the unknown (X)
+NYSE	New York Stock Exchange
+NYSERNET	New York State Educational and Research Network, "NYSERNet"
+NZ	New Zealand
+NZUSUGI	New Zealand Unix System User Group, Inc.
+O2	Oxygen
+OACIS	Oregon Advanced Computing InStitute
+OAK	Oakland CA
+OA	Office Automation
+OAO	Orbiting Astronomical Observatory
+OA	Order Administration
+OA	Overeaters Anonymous
+OAS	Organization of American States
+OASYS	Office Automation SYStem
+OAT	Outside Air Temperature
+OATS	Office Automation Technology and Services
+OBD	Online Bugs Database (Sun)
+OBE	Order of the British Empire
+OB	Obligatory
+OBO	Or Best Offer
+OBS	Omnibearing Selector
+OBS	Omni Bearing Selector
+OCATE	Oregon Center for Advanced Technology Education
+OCC	Office Communications Cabinet
+OCC	Other Common Carrier
+OCDM	Office of Civil Defense and Mobilization
+OCE	Other Common carrier channel Equipment
+OCI	Out of City Indicator
+OCLC	Online Computer Library Center (Ohio College Library Catalog)
+OCLI	Optical Coating Labs Inc.
+OCO	Object Code Only
+OC	Operator Centralization
+OC	Order of Canada
+OCR	Optical Character Reader
+OCR	Optical Character Recognition
+OCS	Officer Candidate School
+OCST	Office of Commercial Space Transportation
+OCU	Office Channel Unit
+ODAC	Operations Distribution Administration Center
+ODA	Office Document Architecture
+ODDD	Operator Direct Distance Dialing
+OD	Doctor of Optometry
+ODD	Operator Distance Dialing
+ODIF	Office Document Interchange Format
+ODI	Optical Digital Image
+ODISS	Optical Digital Image Storage System
+ODMR	Optically Detected Magnetic Resonance
+OD	Oculus Dexter (right eye)
+OD	Officer of the Day
+OD	Outer Diameter
+OD	OverDose
+ODP	Open Distributed Processing
+ODS	Overhead Data Stream
+OECD	Organization for Economic Cooperation and Development
+OED	Oxford English Dictionary
+OEM	Original Equipment Manufacturer
+OE	Old English
+OEO	Office of Economic Opportunity
+OE	Order Entry
+OES	Order of the Eastern Star
+OEXP	Office of Exploration [NASA]
+OFM	Order of Friars Minor
+OFNPS	Outstate Facility Network Planning System
+OF	Old French
+OFS	Order of Free State
+OGICSE	Oregon Graduate Institute Computer Science and Engineering
+OGI	Oregon Graduate Institute
+OGL	Old Guard Leather
+OG	Original Gum
+OGT	OutGoing Trunk
+OH	Ohio
+OH	OverHead
+OHP	OverHead Projector
+OIC	Oh, I See
+OIRA	Office of Information and Regulatory Affairs
+OIU	Office Interface Unit
+OIW	Workshop for Implementors of OSI
+OJT	On-the-Job Training
+OLE	Object Linking and Embedding
+OLIT	Open Look Interface Toolkit
+OL	Old Leather
+OLTM	Optical Line Terminating Multiplexer, "O-LTM"
+OLTP	OnLine Transaction Processing
+OLWM	OpenLook Window Manager
+OMA	Optical Multichannel Analyzer
+OMB	Office of Management and Budget
+OMD	Orchestral Manouevers in the Dark
+OME	Oregon Microcomputer Engineering (Intel)
+OMFG	Oh My F***ing God/Goodness/Gosh
+OMG	Oh My Goodness/Gosh/God
+OMM	Output Message Manual
+OM	Office Management
+OMPF	Operation and Maintenance Processor Frame
+OMS	Orbital Maneuvering System
+OMV	Orbital Maneuvering Vehicle [Space]
+ONAC	Operations Network Administration Center
+ONAL	Off Network Access Line
+ONA	Open Network Architecture
+ONC	Open Network Computing
+ONE	Open Network Environment
+ONI	Office of Naval Intelligence
+ONI	Operator Number Identification [telephony]
+ON	Old Norse
+ONP	Optical Nuclear Polarization
+ONR	Office of Naval Research
+OOB	Out Of Band
+OOC	Out of Character / Curiosity
+OODB	Object Oriented Data Base
+OOI	Out Of Interest
+OOL	Out Of Luck
+OO	Object Oriented
+OOPART	Out Of Place ARTifact
+OOPL	Object-Oriented Programming Language
+OOP	Object-Oriented Programming
+OOPS	Object-Oriented Programming System
+OOPS	Object Oriented Program Support
+OOPSTAD	Object Oriented Programming for Smalltalk Application Developers Association
+OOSH	Object-Oriented SHell
+OOTB	Out Of The Box
+OOT	Object-Oriented Technology
+OPC	Originating Point Codes
+OPDU	Operation Protocol Data Units
+OPEC	Organization of Petroleum Exporting Countries
+OPEOS	Outside Plant planning, Engineering & construction Operations Sys
+OPF	Orbiter Processing Facility
+OPM	Office of Personnel Management
+OPM	Outside Plant Module
+OP	Observation Post
+OP	OfficePower office automation system, trademark of CCI
+OP	Order of Preachers
+OP	Out of Print
+OP	Outside Plant
+OPSM	Outside Plant Subscriber Module
+OPS	Off-Premises Station
+OPX	Off-Premises eXtension
+ORB	Office Repeater Bay
+ORDLIX	Organized Design for Line and Crew System
+ORD	Optical Rotatory Dispersion
+ORFEUS	Orbiting and Retrievable Far and Extreme Ultraviolet Spectrometer
+ORM	Optical Remote Module
+ORNAME	Originator / Recipient Name, "ORname"
+ORNL	Oak Ridge National Laboratory
+OROM	Optical Read Only Memory
+OR	Operating Room
+OR	Operation Research
+OR	Oregon
+OR	Originating Register
+OR	Owner's Risk, Own Risk
+ORT	Ongoing Reliability Test
+OS2	Operating System/2, "OS/2"
+OSAC	Operator Services Assistance Center
+OSB	Order of St. Benedict
+OSCAR	Orbiting Satellite Carrying Amateur Radio
+OSC	Operator Services Center
+OSC	Orbital Sciences Corporation [Space]
+OSC	OSCillator
+OSCRL	Operating System Command Response Language
+OSDIT	Office of Software Development and Information Technology
+OSD	Office of the Secretary of Defense
+OSDS	Operating System for Distributed Switching
+OSE	Open Software Environment
+OSF	Open Software Foundation (Oppose Sun Forever)
+OSF	Order of St. Francis
+OSHA	Occupational Safety and Health Act
+OSINET	Open Systems Interconnection Network
+OSI	Open Systems Interconnection
+OSIRM	Open Systems Interconnection/Reference Model, "OSI/RM"
+OSME	Open Systems Message Exchange
+OSN	Office Systems Node
+OSN	Open Systems Network
+OS	Oculus Sinister (left eye)
+OSO	Originating Signaling Office
+OS	Operating System
+OS	Operator Service
+OS	Ordinary Seaman
+OS	Out of Stock
+OS	OutState
+OSPF	Open Shortest Path First
+OSP	Optical Storage Processor
+OSP	OutSide Plant
+OSPS	Operator Service Position System
+OSSA	Office of Space Science and Applications
+OSSE	Oriented Scintillation Spectrometer Experiment (on GRO)
+OSS	Office of Strategic Services (later CIA)
+OSS	Office Support System
+OSS	Operation Support System [telephony, AT&T?]
+OSS	Operator Service System
+OSTP	Office of Science and Technology Policy [White House]
+OTA	Office of Technology Assessment [U.S. government]
+OTA	Optical Telescope Assembly (on HST)
+OTBE	OverTaken By Events
+OTB	Off-Track Betting
+OTBS	One True Bracketing Style
+OTC	Output Technology Corporation
+OTC	Over The Counter (stocks)
+OTDR	Optical TDR
+OTEC	Ocean Thermal Energy Conversion
+OTF	Open Token Foundation
+OTHB	Over The Horizon - Backscatter (as in radar), "OTH-B"
+OTK	Over The Knee
+OTLF	Open Taxi & Limousine Foundation, "OT&LF"
+OTL	Out To Lunch
+OTM	On Time Marker
+OTP	On The Phone
+OT	Off Topic
+OTOH	On The Other Hand
+OT	Old Testament
+OT	OverTime
+OTR	Off The Record
+OTR	On The Rag
+OTS	Office of Thrift Supervision
+OTS	Officers' Training School
+OTS	Off The Shelf
+OTTOMH	Off The Top Of My Head
+OTV	Orbital Transfer Vehicle [Space]
+OTW	One True Way
+OUTWATS	OUTward Wide Area Telephone Service [telephony]
+OV	Orbiter Vehicle [Space]
+OWHN	One-Word Host Name
+OWTTE	Or Words To That Effect
+OW	Over-Write
+P2	Interpersonal Messaging Protocol (for heading and body)
+P3	Protocol used by UA Entities and MTA Entities
+P4	The video interface bus on the 3/80
+PAA	P-AzoxyAnisole
+PABX	Private Automatic Branch eXchange [telephony]
+PACE	Program for Arrangement of Cables and Equipment
+PAC	Privilege Attribute Certificate
+PACT	Prefix Access Code Translator
+PACX	Private Automatic Computer eXchange
+PAD	Packet Assembler-Disassembler (for networking)
+PAD	Public Access Device (networking)
+PADS	PeroxylAmine DiSulfonate
+PAK	Product Authorization Key
+PAL	Personal Answer Line (Sun group)
+PAL	Phase Alternation Line-rate
+PAL	Programmable Array Logic
+PAMD	Payload Assist Module, Delta-class, "PAM-D"
+PAM	Payload Assist Module [Space]
+PAM	Pulse Amplification Modulation
+PAM	Pulse-Amplitude Modulation
+PAN	Personal Account Number
+PANS	Pretty Advanced New Stuff
+PAO	Palo Alto CA
+Pa	Pascal
+PA	Pennsylvania
+PA	Per Annum
+PA	Play Aid
+PA	Power Alarm
+PA	Power of Attorney
+PAP	Printer Access Protocol
+PA	Precision Architecture (HP)
+PA	Press Agent
+PA	Private Account
+PA	Process Alert
+PA	Program Address
+PA	protactinium, "Pa"
+PA	Public Address
+PA	Purchasing Agent
+PARC	Palo Alto Research Center, xerox
+PAR	Peak-to-Average Ratio, "P/AR"
+PAR	Precision Approach Radar
+PAR	Project Authorization Request
+PAS	Public Announcement Service
+PAT	Power Alarm Test
+PAT	Profit After Tax
+PATROL	Program for Administrative Traffic Reports On Line
+PAX	Private Automatic eXchange
+PBC	Peripheral Bus Computer
+PBC	Processor Bus Controller
+PBD	Pacific Bell Directory
+PBM	Play By Mail game
+PBM	Portable BitMap file format
+PBS	Public Broadcasting System
+PBT	Profit Before TAX
+PBX	Private Branch eXchange [telephony]
+PCA	Positive Controlled Airspace (above 18,000')
+PCA	Printed-Circuit Assembly
+PCAT	Personal Computer/Advanced Technology, "PC/AT"
+PCB	PolyChlorinated Biphenyls
+PCB	Printed Circuit Board
+PCB	Process Control Block
+PCB	Protocol Control Block (TCP)
+PCC	Portable C Compiler
+PCDA	Program Controlled Data Acquisition
+PCDOS	Personal Computer DOS, "PC-DOS"
+PCF	Portable Compiled Font
+PCF	Puritanical Control Freaks
+P	(Chem.) para-, "p-"
+PCH	Parallel CHannel
+PCIE	President's Council on Integrity and Efficiency
+PCILO	Perturbational Configuration Interaction of Localized Orbitals
+PCI	Panel Call Indicator
+PCI	Peripheral Components Interface
+PCI	Protocol Control Information
+PCL	Printer Command Language
+PCL	Programmable Command Language
+PCM	Plug-Compatible Mainframe
+PCM	Pulse-Code Modulation
+PCNFS	Personal Computer Network File System
+PCN	Personal Communication Network
+PCO	Peg Count and Overflow
+PCO	Process Change Order
+PCPC	Personal Computers Peripheral Corporation
+PC	Peace Corps
+PC	PerCent/PerCentage
+PC	Personal Computer
+PC	Piece of Crap
+PC	Player Character (see NPC)
+PC	Politically Correct
+PC	Post Card
+PC	Post Cibum (after meals)
+PC	Primary Center
+PC	Printed Circuit
+PC	Privileged Character
+PC	Privy Council
+PC	Production Control
+PC	Program Counter
+PC	Progressive Conservative party (Canada)
+PCSA	Personal Computer Systems Architecture
+PCS	Patchable Control Store
+PCS	Permanent Change of Station
+PCTE	Portable Common Tools Environment
+PCTS	Posix Conformance Test Suite
+PCTV	Program Controlled TransVerters
+PDAD	Proposed Draft ADdendum
+PDA	Public Displays of Affection
+PDB	Process DataBase
+PDE	Partial Differential Equation
+PDES	Product Data Exchange Specifications
+PDF	Power Distribution Frame
+PDF	Program Development Facility
+PDIF	Product Definition Interchange Format
+PDI	Power and Data Interface
+PDL	Page Description Language
+PDL	Page/Program Description/Design Language
+PDL	Program Design Language
+PDN	Public Data Network
+PD	Per Diem
+PD	Peripheral Decoder
+PD	Police Department
+PD	Potential Difference
+PDP	Plasma Display Panel
+PDP	Programmed Data Processor [DEC]
+PD	Public Domain
+PDQ	Pretty Damned Quick
+PDS	Portable Display Shell
+PDSP	Peripheral Data Storage Processor
+PDS	Premises Distribution System (AT&T)
+PDS	Public Domain Software
+PDT	Pacific Daylight Time
+PDU	Product Development Unit
+PDU	Protocol Data Unit
+PEBCAK	Problem Exists Between Chair and Keyboard
+PEBCAK	Problematic Error Between the Chair and Keyboard
+PECC	Product Engineering Control Center
+PEDRI	Proton-Electron Double-Resonance Imaging
+PEI	Prince Edward Island
+PEM	Privacy Enhanced Mail
+PEPE	Pepe Est Presque Emacs
+PE	Peripheral Equipment
+PE	Phase Encoded (1600 bpi)
+PE	Physical Education
+PE	PolyEthylene
+PEP	Packetized Ensemble Protocol
+PEP	Productivity Enhancement Project
+PE	Prince Edward island
+PE	Printer's Error
+PE	Professional Engineer
+PE	Protestant Episcopal
+PERFECT	PERFormance Evaluation for Cost-Effective Transformations
+PERL	Pathologically Eclectic Rubbish Lister
+PERL	Practical Extraction and Report Language
+PERT	Program Evalution and Review Technique
+PES	PhotoElectron Spectroscopy
+PETA	People for the Ethical Treatment of Animals
+PEX	Phigs/phigs+ Extension to X
+PEXSI	PEX Sample Implementation (gfx), "PEX-SI"
+PFB	Printer Font Binary
+PFC	Power Factor Correction
+PF	Programmed Function
+PFPU	Processor Frame Power Unit
+PGA	Pin Grid Array
+PGA	Professional Graphics Adapter
+PGA	Pure Grain Alcohol
+PG	Perge Notice
+PHA	Pulse Height Analyzer/Analysis
+PHIGS	Programmer's Hierarchical Interactive Graphics System
+PHOTOCD	PHOTOgraphic Compact Disk
+PH	Parity High bit
+PH	Potential of Hydrogen, "pH"
+PH	Process Hold
+PHS	Public Health Service
+PHYSREV	Physical Review Journal, "PhysRev"
+PIA	Plug-In Administrator
+PIC	Pilot In Command
+PIC	Plastic-Insulated Cable
+PIC	Primary Independent Carrier
+PICS	Plug-in Inventory Control System (PICS/DCPR)
+PID	Process IDentifier
+PID	Protocol IDentifier
+PIF	Paid In Full
+PIF	Program Information File
+PIMS	Profit Impact of Marketing Strategy
+PINE	Pine Is Not Elm
+PING	Packet InterNet Groper
+PIN	Personal Identification Number
+PIP	Packet Interface Port
+PIP	Periphal Interchange Program
+PI	Principal Investigator
+PI	Protocol Interpreter
+PISS	Passive Ignorance Silence Strike
+PITA	Pain In The Ass
+PITI	Principal, Interest, Taxes, Insurance
+PIT	Principal, Interest, and Taxes
+PIXEL	PIcture ELement
+PL1	Programming Language One, "PL/1"
+PLAN	Public Lands Action Network
+PLA	Programmable Logic Array
+PLCC	Plastic Leaded Chip Carrier
+PLC	Programmable Logic Controller
+PLD	Programmable Logic Device
+PLL	Phase-Locked Loop
+PLM	Programming Language for Microcomputers
+PLMK	Please Let Me Know
+PLO	Palestine Liberation Organization
+PLO	Please Leave On
+PL	Parity Low bit
+PLS	Physical Layer Signaling
+PLSS	Portable Life Support System
+PLT	Panduit Locking Tie
+PMAC	Peripheral Module Access Controller
+PMA	Physical Medium Attachment
+PMC	Permanently Manned Capability
+PMDF	Pascal Memo Distribution Facility
+PMEG	Page Map Entry Group
+PMFJI,	PMJI    Pardon Me (For) Jumping In
+PMG	Page Map Group
+PMIRR	Pressure Modulated InfraRed Radiometer (on Mars Observer)
+PMMU	Paged Memory Management Unit
+PMO	Prime Minister's Office
+PMOS	P channel Metal Oxide Semiconductor (P-MOS) (see MOS)
+PM	PayMaster
+PM	Peripheral Module
+PM	Phase Modulation
+PM	Plant Management
+PM	Police Magistrate
+P&M	Posted & Mailed
+PM	PostMaster
+PM	Post Meridiem (after noon)
+PM	PostMortem
+PM	Presentation Manager
+PM	Pressurized Module
+PM	Preventive Maintenance
+PM	Prime Minister
+PM	Provost Marshal
+PMRC	Parents' Music Resource Center
+PMSL	Pissed MySelf Laughing
+PMT	PhotoMultiplier Tube
+PMU	Precision Measurement Unit
+PMX	Presentation Manager for the X window system, "PM/X"
+PNB	Pacific Northwest Bell
+PN	Part Number
+PNPN	Positive-Negative-Positive-Negative devices
+PNP	Plug N Play
+PNP	Positive-Negative-Positive (transistor)
+PN	Promissory Note
+POA	Power Of Attorney
+POB	Periphal Order Buffer
+POC	Port Of Call
+POD	Pay On Delivery
+POD	Point Of Distribution
+POE	Port Of Entry/Embarkation
+POF	Programmable Operator Facility
+POGO	Polar Orbiting Geophysical Observatory
+POH	Pilot's Operating Handbook
+POK	Power on Okey Signal
+POM	Phase Of Moon
+PO	Petty Officer
+PO	Postal Order
+PO	Post Office
+POP	Point of Presence [telephony]
+POP	Point Of Production
+POP	Post Office Protocol
+POP	Processor On Plug-in (h/w)
+POPS	Paperless Order Processing System
+PO	Purchase Order
+POR	Point Of Receive
+POR	Price On Request
+POSI	Promoting conference for OSI
+POSIX	Portable Operating System for unIX
+POS	Point Of Sale
+POS	Programmable Option Set
+POST	Power On Self Test
+POSYBL	PrOgramming SYstem for distriButed appLications
+POTS	Plain Old Telephone Service
+POTS	Plain Ordinary Telephone System
+POTV	Personnel Orbit Transfer Vehicle [Space]
+POV	Point Of View
+POWER	Performance Optimization With Enhanced Risc
+POW	Prisoner Of War
+P	page, "p."
+PPA	Post Pack Audit
+PPB	Parts Per Billion
+PPBS	Planning, Programming, and Budgeting Systems
+PPC	Pour Prendre Conge' (to take leave)
+PPCS	Person to Person, Collect, Special [telephony]
+PPD	Peripheral Pulse Distributor
+PPD	PostScript Printer Description
+P	per (as in m.p.h.), "p."
+P	peta- (SI prefix)
+P	phosphorus, "P"
+P	pico- (SI prefix), "p"
+PPI	Professional Press Inc.
+PPI	Programmable Peripheral Interface
+PPL	pretty please
+PPM	Page Per Minute
+PPM	Parts Per Million
+PPM	Portable PixMap file format
+PPM	Product Portfolio Management
+PPN	Parameterized Post-Newtonian formalism for general relativity
+PPN	Project Programmer Number
+PPN	Public Packet Switching
+PP	pages, "pp."
+PP	Painting Processor
+PP	Parcel Post
+PP	Past Participle
+PP	Post Pay
+PPP	Point-to-Point Protocol
+PP	Primary Point
+PP	Private Pilot
+PPS	PostPostScriptum
+PPS	Product Performance Surveys
+PPS	ProduktionsPlanungs- und Steuerungssysteme
+PPS	Public Packet Switching network
+PPT	Parts Per Trillion
+PPT	Pulse Pair Timing
+PPT	Punched Paper Tape
+PQ	Province of Quebec
+PRCA	Puerto Rico Communications Authority
+PRC	People's Republic of China
+PRC	Planning Research Corporation
+PREMIS	PREMises Information System
+PREPNET	Pennsylvania Research & Economic Partnership network, "PREPnet"
+PRG	PAL/PROM Programming Department
+PRI	Primary Rate Interface
+PRISM	Parallel Reduced Instruction Set Multiprocessing
+PRMD	Private Management Domain
+PROFS	PRofessional OFfice System
+PROLOG	PROgramming in LOGic
+PROMATS	PROgrammable Magnetic Tape System
+PROM	Programmable Read-Only Memory
+PROPAL	Programmed PAL
+PROTEL	PRocedure Oriented Type Enforcing Language
+PROXYL	tetramethyl-PyRrolidine-OXYL
+PR	PayRoll
+PR	Public Relations
+PR	Puerto Rico
+PRS	Personal Response System
+PRTC	Puerto Rico Telephone Company
+PSAP	Public Safety Answering Point
+PSA	Problem Statement Analyzer
+PSA	Public Service Announcement
+PSC	Pittsburgh Supercomputer Center
+PSC	Polar Stratospheric Clouds
+PSC	Prime Service Contractor
+PSC	Public Safety Calling system
+PSC	Public Service Commission
+PSDC	Public Switched Digital Capability
+PSDN	Packet-Switched Data Network
+PSDS	Public Switched Digital Service
+PSDS	Public Switched Digital Service [telephony, AT&T?]
+PSE	Packet Switch Exchange
+PSE	Programming Support Environment
+PSF	Point Spread Function
+PSG	Platoon SerGeant
+PSG	Professional Service Group (Sun group)
+PSI	Packetnet System Interface
+PSI	Packet Switch Interface
+PSIU	Packet Switch Interface Unit
+PSK	Phase-Shift Keying
+PSL	Problem Statement Language
+PSM	Packet Service Module
+PSM	Position Switching Module
+PSM	Professional Service Manager
+PSN	Packet Switched Network
+PSN	Packet Switching Node
+PSN	Packet Switch Node
+PSO	Pending Service Order
+PS	PicoSecond
+PS	PostScript
+PS	PostScript [Adobe (tm)]
+PS	PostScriptum
+PS	Power Steering
+PS	Power Supply
+PSP	Product Support Plan
+PSP	Program Segment Prefix
+PS	Process Stop Ship
+PS	Program Store
+PS	Public School
+PSR	Product Specific Realizations
+PSR	Product Specific Release
+PSR	PulSaR
+PSS	Packet Switched Services
+PSS	Packet Switch Stream
+PSTN	Public Switched Telephone Network
+PST	Pacific Standard Time
+PSU	Program Storage Unit
+PSWM	PostScript Window Manager
+PSW	Program Status Word
+PTA	Parent-Teacher Association
+PTAT	Private Trans Atlantic Telecommunications
+PTD	Parallel Transfer Disk/Drive
+PTE	Page Table Entry
+PTI	Portable Test Instrument
+PTN	Plant Test Number [telephony:actual number assigned for 800 service]
+PTO	Patent and Trademark Office
+PTO	Please Turn Over
+PTO	Power Take-Off
+PT	Pacific Time
+PT	Patrol Torpedo (as in PT boat)
+PT	Physical Therapy
+PT	Physical Training
+PTP	Point To Point
+PT	Program Timer
+PTSD	Post Traumatic-Stress Disorder
+PTSS/PTSD	Post Traumatic Stress Syndrome / Disorder
+PTT	Postal, Telephone, and Telegraph administration
+PTT	Post, Telephone and Telegraph administration
+PTV	Passenger Transport Vehicle [Space]
+PTW	Primary Translation Word
+PTY	Pseudo-Terminal driver
+PUC	Peripheral Unit Controller
+PUC	Public Utilities Commission
+PUD	Planned Unit Development
+P	(UK) pence, pennies, penny, "p"
+PU	Physical Unit
+PUP	PARC Universal Packet protocol
+PVC	Permanent Virtual Circuits
+PVC	PolyVinylChloride
+PVFS	Post Viral Fatigue Syndrome
+PVN	Private Virtual Network
+PVO	Pioneer Venus Orbiter
+PV	PhotoVoltaic
+PVT	Private (pilot certificate)
+PWB	Printed Wiring Board
+PWB	Programmers Work Bench
+PWD	Print Working Directory
+PWG	Permanent Working Group
+PW	Prisoner of War (usually POW)
+PX	Post eXchange (see also BX)
+QAM	Quadrature Amplitude Modulation
+QA	Quality Assurance
+QAS	Quasi-Associated Signaling
+QBE	Query By Example
+QBP	Queen's Bishop's Pawn (chess)
+QB	Queen's Bishop (chess)
+QCPE	Quantum Chemistry Program Exchange
+QC	Quality Control
+QC	Queen's Counsel
+QDA	Quantity Discount Agreement
+QDCS	Quality, Deliverly, Cost, Service / Safety
+QD	Quaque Die (daily)
+QED	Quantum ElectroDynamics
+QED	Quod Erat Demonstrandum (which was to be demonstrated)
+QED	Quod Est Demonstrandum (that which was to be demonstrated)
+QEF	Quod Erat Faciendum (which was to be done)
+QEI	Quod Erat Inveniendum (which was to be found out)
+QE	Quick Estimation
+QET	Quantum Effect Transistor
+QIC	Quarter-Inch Cartridge
+QID	Quater In Die (four times a day)
+QIS	Quality Information System
+QKtP	queen's knights's pawn (chess)
+QKt	queen's knight (chess)
+QLI	Query Language Interpreter
+QMC	QuarterMaster Corps
+QMF	Query Management Facility
+QMG	QuarterMaster General
+QMP	Quality Measurement Plan
+QM	QuarterMaster
+QMS	Quality Micro Systems
+QNS	Quantity Not Sufficient
+Q	Queen('s), "Q."
+Q	question, "Q."
+QQV	which see (plural of q.v.), "qq.v."
+QRA	Quality Reliability Assurance
+QRSS	Quasi Random Signal Source
+QSO	Quasi-Stellar Object
+QSS	Quality Surveillance System
+QTC	Quantitative Technology Corporation
+QTY	Quantity
+QUANGO	QUAsi Non-Governmental Organization
+QUANTAS	Quantas Empire Airways
+QUANTAS	QUeensland And Northern Territory Aerial Service, "Quantas"
+QUEL	QUEry Language
+QV	which see (sing.), "q.v."
+QWERTY	first six keys from left on top alphabetic row of standard keyboard
+QWL	Quality of Working Life
+RAAF	Royal Australian Air Force
+RACEP	Random Access and Correlation for Extended Performance
+RACE	Random Access Card Equipment
+RADAR	Radio Association Defending Airwave Rights (radar detector makers)
+RADAR	RAdio Detection And Ranging
+RADM	Rear ADMiral
+RAD	Radiation Absorbed Dose
+RAD	Rapid Access Disk
+RAF	Royal Air Force
+RAID	Redundant Arrays of Inexpensive Disks
+RAMP	Ratings And Maintenance Phase
+RAM	Random-Access Memory
+RAND	Rural Area Network Design
+RAO	Regional Accounting Office
+RAO	Revenue Accounting Office
+RA	radium, "Ra"
+RARDE	Royal Armaments Research and Development Establishment
+RARE	European Association of Research Networks
+RA	Regular Army
+RARE	Reseaux Associes pour la Recherche Europeenne
+RA	Research Assistant
+RA	Return Authorization
+RA	Royal Academy
+RARP	Reverse Address Resolution Protocol (Ethernet->Internet)
+RAR	Return Address Register
+RASC	Residence Account Service Center
+RAS	Reliability, Availability, and Serviceability
+RATFOR	RATional FORtran
+RBC	Red Blood Count
+RBHC	Regional Bell Holding Company
+RBI	Runs Batted In
+RBOC	Regional Bell Operating Company
+RBOR	Request Basic Output Report
+RB	Rhythm and Blues, "R&B"
+RBTL	Read Between The Lines
+RBT	Reliable Broadcast Toolkit
+RCAF	Royal Canadian Air Force
+RCA	Radio Corporation of America
+RCAS	Reserve Component Automation System
+RCC	Radio Common Carrier
+RCC	Remote Cluster Controller
+RCC	Reverse Command Channel
+RCF	Remote Call Forwarding
+RCI	Rodent Cage Interface (for SLS mission)
+RCLDN	Retrieval of Calling Line Directory Number
+RCL	Runtime Control Library
+RCMAC	Recent Change Memory Administration Center
+RCMP	Royal Canadian Mounted Police
+RCM	Remote Carrier Module
+RCP	Remote CoPy
+RC	Receive Clock
+RC	Red Cross
+RC	Regional Center
+RC	Repair Center (Sun)
+RC	Resistance-Capacitance
+RC	Resistor-Capacitor circuit (as in filters)
+RC	Roman Catholic
+RC	Run Commands
+RCSC	Remote Spooling Communications Subsystem
+RCS	Reaction Control System
+RCS	Revision Control System
+RCT	Relayed Coherence Transfer
+RCU	Radio Channel Unit
+RCVR	ReCeiVeR
+RDA	Remote Data Access
+RDBMS	Relational DataBase Management System
+RDES	Remote Data Entry System
+RDF	Radio Direction Finding
+RDL	Remote Digital Loopback
+RDM	Reliably-Delivered Message (sockets)
+RDP	Reliable Datagram Protocol
+RD	Received Data
+RD	Research and Development, "R&D"
+RD	Rural Delivery
+RDS	Radio Digital System
+RDT	Radio Digital Terminal
+REA	Rail Express Agency
+RECON	Reconnaissance
+REC	Regional Engineering Center
+REGIS	REmote Graphics Instruction Set
+REMOBS	REMote OBservation System
+REM	Rapid Eye Movement
+REM	Rat Enclosure Module (for SLS mission)
+REM	Rational Economic Man
+REM	Remote Equipment Module
+REM	Ring Error Monitor
+REM	Roentgen Equivalent in Man
+REN	Ring Equivalence Number
+REO	Removable, Erasable, Optical
+REO	R. E. Olds
+REQSPEC	REQuirements SPECification
+RETMA	Radio Electronics Television Manufacturers Association (rack spacing)
+REX	Raster Engine
+REX	Remote EXecution
+REXX	Restructured EXtended eXecutor
+RFC	Request For Comments [Internet]
+RFD	Rural Free Delivery
+RFE	Request For Enhancement
+RFI	Radio Frequency Interference
+RFP	Request For Proposals
+RFQ	Request For Quotes
+RF	Radio Frequency
+RFS	Remote File Sharing
+RFS	Remote File System
+RFT	Request For Technology
+RGBI	Red Green Blue Intensity
+RGB	Red Green Blue
+RGP	Raster Graphics Processor
+RGU	Radio Government/Universal, "RG/U"
+RHC	Regional (Bell) Holding Company
+RHF	Restricted Hartree-Fock
+RH	Right Hand
+RHS	Right Hand Side
+RHV	Reid-Hillview Intergalactic, San Jose CA
+RIACS	Research Institute for Advanced Computer Science (at NASA Ames)
+RIAS	Radio In the American Sector, berlin
+RID	Remote Isolation Device
+RIFF	Resource Interchange File Format
+RIF	Reading Is Fundamental
+RIF	Reduction In Force
+RILM	Repertoire International de Literature Musicale
+RIPE	Reseaux IP Europeenne
+RIP	Raster Image Processor
+RIP	Rest In Peace/Requiescat In Pace
+RIP	Routing Information Protocol
+RIPS	Raster Image Processing Systems Corp.
+RI	Receiving & Inspection, "R&I"
+RI	Rhode Island
+RI	Ring Indicator
+RISC	Reduced Instruction Set Computer
+RISC	Relegate Important Stuff to the Compiler
+RISLU	Remote Integrated Services Line Unit
+RITA	Recognition of Information Technology Achievement award
+RIT	Rochester Institute of Technology
+RJE	Remote Job Entry [IBM]
+RLCM	Remote Line Concentrating Module
+RLC	Resistor Inductor Capacitor
+RLDS	The Re-organized Church of Latter-Day Saints
+RLG	Research Libraries Group
+RLIN	Research Libraries Information Network [run by RLG (q.v.)]
+RLL	Run Length Limited
+RLOGIN	Remote Login, "rlogin"
+RL	Real Life (sometimes written as r/l)
+RLT	Remote Line Test
+RMA	Return Materials Authorization
+RMAS	Remote Memory Administration System
+RMATS	Remote Maintenance Admisistration and Traffic System [telephony]
+RMF	Read Me First
+RMI	Radio Magnetic Indicator
+RM	Record Marking
+RM	Regional Manager
+RMR	Remote Message Registers
+RMR	Return Material Receipt
+RMS	Record Management System
+RMS	Remote Manipulator System [Space]
+RMS	Richard M. Stallman
+RMS	Root Mean Square
+RMS	Royal Mail Ship
+RNA	RiboNucleic Acid
+RNGC	Revised New General Catalog
+RNOC	Regional Network Operations Center
+RN	Reference Noise
+RN	Registered Nurse
+RN	Royal Navy
+RNR	Receive Not Ready
+RNZAF	Royal New Zealand Air Force
+ROA	Return On Assets
+ROB	Remote Order Buffer
+ROC	Regional Operating Company
+ROE	Rate Of Exchange
+ROE	Return On Equity
+ROFF	Run-OFF
+ROFL	Rolling On the Floor Laughing (there are variations)
+ROG	Receipt Of Goods
+ROH	Receiver Off Hook
+ROI	Region Of Interest
+ROI	Return On Investment
+ROM	Range Of Motion (medical)
+ROM	Read-Only Memory
+ROM	Rupture Of Membrane (as in birth)
+RONABIT	Return On Asset Before Income Tax
+RONA	Return on Net Assets
+RO	Read/Only, "R/O"
+RO	Receive Only
+ROSAT	ROentgen SATellite
+ROSE	Remote Operations Service Element
+ROTC	Reserve Officers' Training Corps
+ROTFL	Rolling On The Floor Laughing
+ROTFLMAO	Rolling On The Floor Laughing My Ass/Arse Off
+ROTFLOL	Rolling On The Floor Laughing Out Loud
+ROTF	Rolling On The Floor (Usually seen as ROFL)
+ROTL	Remote Office Test Line
+ROTS	Rotary Out Trunks Selectors
+ROUS	Rodents Of Unusual Size
+ROW	Rest Of the World
+ROYGBIV	Red, Orange, Yellow, Green, Blue, Indigo, Violet, "Roy G. Biv"
+RPC	Remote Procedure Call
+RPG	RePort Generator
+RPG	Role Playing Game
+RPI	Rolling Plan Indices
+RPM	Remote Process Management
+RPM	Removable Peripheral Module
+RPM	Resales Price Maintenance
+RPM	Revolutions Per Minute
+RPN	Reverse Polish Notation
+RPO	Railway Post Office
+RP	Rolling Plan
+RPS	Revolutions Per Second
+RPS	Rotational Positional Sensing (disks)
+RPV	Remotely Piloted Vehicle
+RQ	RuneQuest
+RQSM	Regional Quality Service Management
+RQS	Rate/Quote System
+R	rand
+R	recto, "r."
+R	Republican, "R."
+R	right, "r"
+R	Ring
+RRIP	Rock Ridge Interchange Protocol
+R	roentgen
+R	Rolemaster
+R	rook in chess
+RRO	Rate and Route Operator [telephony]
+RRO	Reports Receiving Office
+RR	RailRoad
+RR	Rate & Route, "R&R"
+RR	Receive Ready
+RR	Resource Record
+RR	Route Relay
+RR	Rural Route
+RS232	Digital Communication Standard, "RS-232"
+RSA	Repair Service Attendant
+RSB	Repair Service Bureau
+RSC	Remote Switching Center
+RSC	Residence Service Center
+RSCS	Remote Source Control System
+RSCS	Remote Spooling and Communication Subsystem
+RSE	Research & Systems Engineering, "R&SE"
+RSFSR	Russian Soviet Federated Socialist Republic
+RSH	Remote/Restricted SHell
+RSLE	Remote Subscriber Line Equipment
+RSLM	Remote Subscriber Line Module
+RSM	Remote Switching Module
+RSN	Real Soon Now
+RS	Recommended Standard
+RS	Recording Secretary
+RS	Revised Status
+RS	Right Side
+RS	RISC System
+RS	Royal Society
+RSS	Really Simple Syndication
+RSS	Remote Switching System
+RSTSE	Resource System Time Sharing/Enhanced, "RSTS/E"
+RSTS	Resource System Time Sharing
+RSU	Remote Switching Unit
+RSVP	Repondez S'il Vous Plait (please reply)
+RSV	Revised Standard Edition
+RSWC	Right Side up With Care
+RTAC	Regional Technical Assistance Center [telephony]
+RTA	Remote Trunk Arrangement
+RTC	Right To Copy
+RTFB	Read The Fine Book
+RTFMP	Read The Fine Man Page
+RTFM	Read The Fine/F***ing Manual
+RTF	Read This First
+RTF	Rich Text Format
+RTFS	Read The Fine Source
+RTG	Radioisotope Thermoelectric Generator
+RTL	Resistor-Transistor Logic
+RTL	Run-Time Library
+RTLS	Return To Launch Site (Shuttle abort plan)
+RTMP	Routing Table Maintenance Protocol
+RTM	Regional Telecommunications Management
+RTM	Remote Test Module
+RT	RadioTelephone
+RT	RealTime
+RT	Real-Time/Rise Time/Radiation Therapy/RighT (as opposed to Left)
+RT	Risc Technology [IBM]
+RTR	Reel-To-Reel
+RTSE	Reliable Transfer Service Element
+RTSL	Read The Source Luke
+RTS	Ready To Send
+RTS	Real Time Systems (lll-csrg)
+RTS	Reliable Transfer Service
+RTS	Remote Testing System
+RTS	Return To Stock
+RTT	Round Trip Time
+RTTY	Radio Teletype
+RTU	Real Time Unix
+RTU	Remote Trunking Unit
+RTU	Right To Use
+RUM	Remote User Multiplex
+RUOK	Are you OK?
+RU	Receive Unit
+RWC	Remote Work Center
+RWE	Remote Wall Enclosure
+RWM	Read/Write Memory, "R/WM"
+RW	Read/Write
+RW	Read/Write, "R/W"
+RW	Real World
+RW	Right Worshipful
+RW	Right Worthy
+RX	Remote eXchange
+SAAB	Svenska Aeroplan AktieBolaget (Swedish Aircraft Corporation)
+SAA	South Atlantic Anomaly
+SAA	Systems Application Architecture (IBM)
+SABME	Set Asynchronous Balanced Mode Extended
+SABRE	Semi-Automated Business Research Environment
+SACK	Selective ACK
+SAC	Service Area Code
+SAC	Strategic Air Command [US military]
+SADD	Students Against Drunk Driving
+SAE	Society of Automotive Engineers
+SAGA	Solar Array Gain Augmentation (for HST)
+SAG	Street Address Guide
+SAIC	Science Applications International Corporation
+SAI	Serving Area Interface
+SAKDC	Swiss Army Knife Data Compression
+SALI	Standalone Automatic Location Identification
+SALT	Strategic Arms Limitting Talks
+SAMA	Step-by-step Automatic Message Accounting [telephony]
+SAMPEX	Solar Anomalous and Magnetospheric Particle EXplorer
+SAM	Smart Assed Masochist / Stand And Model
+SAM	Surface-to-Air Missile
+SAMTO	Space And Missile Test Organization
+SAO	Smithsonian Astrophysical Observatory
+SAP	Second Audio Program
+SAP	Service Access Point
+SARA	Satellite pour Astronomie Radio Amateur
+SAREX	Search and Rescue Exercise
+SAREX	Shuttle Amateur Radio Experiment
+SAR	Search And Rescue
+SAR	Store Address Register
+SAR	Synthetic Aperture Radar
+SARTS	Switched Access Remote Test System
+SA	Salvation Army
+SA	Seaman Apprentice
+SA	Service Assistant
+SASE	Self-Addressed Stamped Envelope
+SASE	Specific Application Service Element
+SA	Sex Appeal
+SA	Sine Anno (without date)
+SASI	Shugart Associates Systems Interface
+SA	South Africa
+SA	South America
+SA	South Australia
+SAS	Single Attach Station
+SAS	Southern All Stars
+SAS	Space Activity Suit
+SAS	Space Adaptation Syndrome
+SAS	Statistical Analysis Software?
+SA	Subject to Approval
+SAT	Satellite [Space]
+SAT	Scholastic Aptitude Test
+SAT	Special Access Termination
+SAT	Supervisory Audio Tone
+SAT	Synthetic Aperture Telescope
+SAW	Surface Acoustic Wave
+SBA	Small Business Administration
+SBC	Single Board Computer
+SBMS	Southwestern Bell Mobile Service
+SBS	Skyline Business Systems
+SBUS	School Bus, "S-Bus"
+SBU	Strategic Business Unit
+SBWR	Simplified Boiling Water Reactor
+SCADA	Supervisory Control And Data Acquisition
+SCADC	Standard Central Air Data Computer
+SCAD	Subsonic Cruise Armed Decoy
+SCAME	SCreen oriented Anti-Misery Editor
+SCAMP	Single-Chip A-series Mainframe Processor
+SCAN	Switched Circuit Automatic Network
+SCA	Shuttle Carrier Aircraft
+SCA	Society for Createive Anachronism
+SCA	Sunlink Channel Adapter
+SCAT	Stromberg-Carlson Assistance Team
+SCB	System Control Block
+SCCA	Sports Car Club of America
+SCC	Serial Communication Controller
+SCC	Specialized Common Carrier
+SCCS	Source Code Control System
+SCCS	Specialized Common Carrier Service
+SCCS	Switching Control Center System
+SCC	Switching Control Center (or Specialized Common Carriers)
+SCED	SCSI/Ethernet/Diagnostics (Sequent board)
+SCE	Signal Conversion Equipment
+SCE	Structure Chart Editor
+SCF	Selective Call Forwarding
+SCF	Self Consistent Field
+s.c.f.t.h.i.	Smiley Captiond for the Humor-Impaired
+SCIFI	SCIence FIction, "sci-fi"
+SCI	SpaceCraft Incorporated
+SCM	Software Configuration Management
+SCMS	Serial Copy Management System
+SCM	Subscriber Carrier Module
+SCNR	Sorry, Could Not Resist
+SCOOPS	SCheme Object Oriented Programming System
+SCO	Santa Cruz Operation
+SCO	Serving Central Office
+SCOTS	Surveilance and Control Of Transmission Systems
+SCOT	Stepper Central Office Tester
+SCPC	Signal Channel Per Carrier
+SCPD	Supplementary Central Pulse Distributor
+SCPI	Standard Commands for Programmable Instrumentation
+SCP	Secure CoPy (from the SSH suite)
+SCP	Signal Control Point
+SCP	Signal Conversion Point
+SCP	Sunlink Communications Processor
+SCP	System Control Program
+SCRAM	Static Column RAM (h/w)
+SCSA	Sun Common SCSI Architecture
+SC	Scanner Controller
+SC	Secondary Channel
+SC	Sectional Center
+SCSI	Small Computer System Interface (pronounced scuzzi)
+SC	Skull & Crossbones, "S&C"
+SC	South Carolina
+SC	SpaceCraft, "S/C"
+SCS	Silicon Controlled Switch
+SC	SubCommittee
+SCT	Schmidt-Cassegrain Telescope
+SCTS	Secondary Clear To Send
+SCUBA	Self Contained Underwater Breathing Apparatus
+SCUD	Subsonic Cruise Unarmed Decoy
+SCU	Selector Control Unit
+SCX	Specialized Communications eXchange
+SDA	Send Data With Immediated Ackonwledge
+SDA	Swappable Data Area
+SDB	Safety Deposit Box
+SDCD	Secondary Data Carrier Detect
+SDD	Specific Development & Design, "SD&D"
+SDF	Secondary Distribution Frame
+SDF	Standard Data Format
+SDF	SubDistribution Frame
+SDH	Synchronous Digital Hierarchy (synchronous multiplexed network)
+SDIO	Strategic Defense Initiative Organization
+SDI	Selective Dissemination of Information
+SDI	Space Defense Initiative
+SDIS	Switched Digital Integrated Service
+SDI	Standard Disk Interconnect
+SDI	Standard Disk Interface
+SDI	Storage Device Interconnect
+SDI	Strategic Defense Initiative [US Government]
+SDK	Software Development Kit
+SDLC	Synchronous Data Link Control [IBM]
+SDLP	Standard Device Level Protocol
+SDL	Specification and Description Language
+SDL	System Design Language
+SDM	Sub-rate Data Multiplexer
+SDN	Software-Defined Network
+SDOC	Selective Dynamic Overload Controls
+SDO	Staff Duty Officer
+SDP	Service Delivery Point
+SDRC	Structural Dynamics Research Corporation
+SDR	Store Data Register
+SDSC	San Diego Supercomputer Center
+SD	SCSI Disk
+SDSC	Synchronous Data Set Controller
+SD	Sensory Deprivation
+SD	South Dakota
+SDS	Sodium Dodecyl Sulfate
+SDS	Switched Data Service
+SDS	Synchronous Data Set
+SDU	Service Data Unit
+SDV	Shuttle Derived Vehicle [Space]
+SEAP	Service Element Access Point
+SEAS	Signaling Engineering and Administration System
+SEATO	SouthEast Asia Treaty Organization
+SECAM	SEquential Couleur Avec Memoire
+SECNAV	SECretary of the NAVy
+SEC	Securities and Exchange Commission
+SEC	Security Exchange Commission
+SECSY	Spin-Echo Correlated SpectroscopY
+SED	Stream EDitor
+SEI	Software Engineering Institute (Carnegie Mellon)
+SEI	Space Exploration Initiative
+SEL	SELector
+SEL	Software Engineering Laboratory
+SELV	Safety Extra-Low Voltage
+SEM	Scanning Electron Microscope
+SEP	someone else's problem
+SERC	Science & Engineering Research Council
+SERC	Swedish Energy Research Commission
+SER	Satellite Equipment Room
+SE	South East
+SESRA	Seattle Employee Services Recreation Association
+SES	Service Evaluation System
+SEST	Swedish-European Submillimeter Telescope
+SE	Systems Engineer
+SETI	Search for ExtraTerrestrial Intelligence
+SET	Single Electron Transfer
+SET	Software Engineering Technology
+SFA	sweet fuck all
+SFDM	Statistical Frequency Division Multiplexing
+SFD	Sun Federal Division
+SFMC	Satellite Facility Management Center
+SFO	San Francisco CA
+SFRPG	Science Fiction Role Playing Game
+SF	San Francisco
+SF	Science Fiction; Speculative Fiction
+SF	Single Frequency
+SF	Standard Form
+SF	Star Frontiers
+SGI	Silicon Graphics Incorporated
+SGML	Standard Generalized Markup Language
+SGMP	Simple Gateway Monitoring Protocol (superseded by SNMP)
+SG	Signal Ground
+SG	StarGuard
+SG	SubGroup
+SG	SuperGroup
+SHAPE	Supreme Headquarters Allied Powers Europe
+SHAR	SHell ARchiver
+SHCD	Sherlock Holmes Consulting Detective
+SHF	Super High Frequency (3-30GHz)
+SHID	slaps head in disgust
+SHRPG	Super Hero Role Playing Game
+SIAM	Society for Industrial and Applied Mathematics
+SICK	Single Income, Coupla' Kids
+SIC	Second In Command
+SIC	Silicon Integrated Circuit
+SID	Sudden Ionospheric Disturbance
+SID	System IDentification
+SIGCAT	Special Interest Group for Cd-rom Applications Technology
+SIG	Special Interest Group
+SIMD	Single Instruction, Multiple Data
+SIMM	Single Inline Memory Module
+SINE	SINE is not EINE
+SIPC	Securities Investment Protection Corporation
+SIPP	Strategic Industry Partners Program
+SIP	Single Inline Package/Pin
+SIPS	Satellite Imagery Processing System
+SIR	Shuttle Imaging Radar
+SIRTF	Space (formerly Shuttle) InfraRed Telescope Facility
+SISAL	Streams and Iteration in a Single-Assignment Language
+SISCOM	Satellite Information System COMpany
+SIS	Software Information Services
+SIS	Strategic Information System
+SI	Staten Island
+SI	Status Indicator
+SI	System Integrater
+SITA	Societe Internationale Telecommunications Aeronautiques
+SIT	Special Information Tone
+SJC	San Jose CA
+SJ	Society of Jesus
+SKU	Stock Keeping Unit
+SLALOM	Scalable Language-independent Ames Laboratory One-minute Measurement
+SLAN	Sine Loco, Anno, (vel) Nomine (without place, year, or name)
+SLAPP	Strategic Litigation Against Protesting People
+SLAR	Side Looking Airborne Radar
+SLA	Special Libraries Association
+SLA	Symbionese Liberation Army
+SLA	Synchronous Line Adapter
+SLBM	Submarine Launched Ballistic Missiles
+SLC	Space Launch Complex [Space]
+SLC	Subscriber Loop Carrier
+SLC	Super Low Cost
+SLDC	Synchronous Data Link Control
+SLED	Single Large Expensive Drive
+SLE	Screening Line Editor
+SLIC	Subscriber Line Interface Circuit
+SLIC	System Link and Interrupt Controller (Sequent)
+SLIM	Subscriber Line Interface Module
+SLIP	Serial Line Internet Protocol
+SLP	Super Long Play (VHS VCR, aka EP)
+SL	Salvage Loss
+SL	SpaceLab
+SL	Space Launch [Space]
+SLS	Space(lab) Life Sciences
+SLUFAE	Surface Launched Unit, Fuel Air Explosive
+SMA	Sergeant Major of the Army
+SMASF	SMAS Frame
+SMA	Spectrum Manufacturers Association
+SMASPU	SMAS Power Unit
+SMAS	Supplementary MAin Store
+SMAS	Switched Maintenance Access System
+SMB	System Message Block
+SMC	Small Magellanic Cloud (see LMC)
+SMDF	Subscriber Main Distributing Frame
+SMDI	Subscriber Message Desk Interface
+SMDR	Station Message Detailed Recording
+SMDR	Station Message Detail Recording
+SMDS	Switched Multimegabit Data Service
+SMDS	switched multimegabit data service, Bellcore-developed standard
+SMD	Standard Molecular Data format
+SMD	Storage Module Device (interface standard for disk drives)
+SMD	Surface Mounted Devices
+SMEGMA	Sophisticated Modern Editor with Gloriously Magnificent Abilities
+SMERSH	abbr. of Russian phrase meaning "Death to the spies."
+SME	Society of Manufacturing Engineers
+SME	Solar Mesosphere Explorer
+SMEX	SMall EXplorers
+SMG	SuperMasterGroup
+SMILS	Sonobuoy Missile Impact Location System
+SMI	Structure of Management Information
+SMI	Sun Microsystems Inc.
+SMIT	System Management Interface Tool
+SMK	Software Migration Kit
+SMLSFB	So Many Losers, So Few Bullets
+SMM	Solar Maximum Mission
+SMOC	Small Matter Of Commitment
+SMOF	Secret Master Of Fandom
+SMOH	Since Major OverHaul
+SMOP	Simple/Small Matter Of Programming
+SMO	Santa Monica CA
+SMP	Symmetric MultiProcessing
+SMPTE	Society of Motion Picture and Television Engineers
+SMR	Service Marketing Representative
+SMSA	Standard Metropolitan Statistical Area
+SM	Service Mark
+SM	Sado-Masochism
+SM	Sex Magick
+SMS	Service Management System
+SM	Switching Module
+SMTP	Simple Mail Transfer Protocol
+SMT	Surface Mount Technology
+SNADS	SNA Distribution Services
+SNADS	Systems Network Architecture Distribution Service
+SNAFU	Situation Normal -- All Fouled/F***ed Up
+SNAP	Shipboard Non-tactical Automated data Processing program
+SNAP	SubNetwork Access Protocol
+SNAP	System and Network Administration Program
+SNA	Santa Ana (Orange County) CA
+SNA	Systems Network Architecture [IBM]
+SNCF	Societe Nationale des Chemins de Fer (French National Railways)
+SNERT	snot-nosed egotistical rude teenager
+SNET	Southern New England Telephone
+SNF	Server-Natural Format
+SNF	Server Normal/Natural Format
+SNI	Siemens Nixdorf Informationssysteme
+SNMP	Simple Network Management Protocol
+SNM	SunNet Manager
+SNOBOL	StriNg Oriented symbOLic Language
+SNPA	SubNetwork Point of Attachment
+SNR	Signal to Noise Ratio
+SNR	SuperNova Remnant
+SN	Subnetwork Number
+SN	Super Nova
+SNTSC	Super NTSC (video)
+SNU	Solar Neutrino Units
+SOAC	Service Order Analysis Control
+SOAP	Symbolic Optimizing Assembler Program
+SOAR	Smalltalk On A Risc
+SOC	Service Oversight Center
+SOFIA	Stratospheric Observatory For Infrared Astronomy
+SOF	Sales Order Form
+SOHF	Sense Of Humor Failure
+SOHO	SOlar Heliospheric Observatory
+SOH	Service Order History
+SOH	Start Of Header, ASCII control character (dec=01,control-A)
+SOL	Shit Out [Of] Luck
+SOL	Short on Landing (or, colloquially, Shit Out of Luck)
+SOMM	Stop On Micro-Match
+SONAR	Service Order Negotiation And Retrieval
+SONAR	SOund Detection And Ranging
+SONDS	Small Office Network Data System
+SONET	Synchronous Optical NETwork
+SOP	Standard Operating Procedure
+SOR	Sales Order Request
+SO	Sales Order
+SO	Seller's Option
+SO	Significant Other
+SO	Space Opera
+SOS	Save Our Souls (International standard distress call, Morse ...---...)
+SOS	Silicon On Sapphire
+SO	Strike Out
+SOW	Speaking Of Which
+SOW	Statement Of Work
+SPAG	Standards Promotion and Applications Group
+SPAN	Space Physics Analysis Network
+SPAN	System Performance ANalyzer
+SPARC	Scalable Processor ARChitecture
+SPARC	Standards, Planning, And Requirements Committee
+SPARS	Society of Professional Audio Recording Studios
+SPAR	Stock Points Adp Replacement
+SPA	Software Publishers Association
+SPAWAR	naval SPAce and WARfare command
+SPCA	Society for the Prevention of Cruelty to Animals
+SPCC	Society for the Prevention of Cruelty to Children
+SPC	Software Productivity Consortium
+SPC	Southern Pacific Communications
+SPCS	Stored Program Control Systems
+SPC	Statistical Process Control
+SPC	Stored Program Control
+SPDL	Standard Page Description Language (ISO)
+SPDM	Special Purpose Dextrous Manipulator
+SPD	Software Products Division
+SPEC	Standard Performance Evaluation Corporation
+SPE	Symbolic Programming Environment
+SPIM	Sun Product Information Meeting
+SPI	Selective Population Inversion
+SPI	Serial Peripheral Interface
+SPITBOL	SPeedy ImplemenTation of snoBOL
+SPL	System Programming Language
+SPNI	Society for the Protection of Nature in Israel
+SPOT	Systeme Probatoire pour l'Observation de la Terre
+SPR	Software Problem Report
+SP	Shore Patrol
+SP	Short Play (VHS VCR)
+SP	Signaling Point
+SP	Signal Processor
+SP	Southern Pacific (railroad) [Corporate name]
+SPS	Self Praise Stinks
+SPS	Solar Power Satellite [Space]
+SPSS	Statistical Package for Social Sciences (computer software)
+SPS	Standby Power System
+SP	Stack Pointer
+SP	Standard Play (VHS VCR)
+SP	Star Patrol
+SP	System Product (IBM VM)
+SPUCDL	Serial Peripheral Unit Controller/Data Link, "SPUC/DL"
+SPUD	Storage Pedestal Upgrade Disk/Drive
+SPUR	Systech Pluraxial Unplug Repeater
+SPU	System Processing Unit
+SQA	Software Quality Assurance
+SQC	Single-Quantum Coherence
+SQC	Statistical Quality Control
+SQE	Signal Quality Error ("heartbeat")
+SQLDS	Structured Query Language/Data System, "SQL/DS"
+SQL	Structured Query Language
+SQO	Some Quantity Of
+SQUID	Superconducting QUantum Interference Device
+SRAM	Scratchpad RAM
+SRAM	Short Range Attack Missile
+SRAM	Static RAM
+SRA	Selective Routing Arrangement
+SRB	Solid (fuel) Rocket Booster [Space]
+SRD	Secondary Receive Data
+SRI	Stanford Research Institute (now called SRI International)
+SRM	Solid Rocket Motor
+SRO	Standing Room Only
+SRP	Source Routing Protocol, an IBM specification
+SR	Sales Representative
+SRS	Service Repair System
+SR	Street Regal (KDX)
+SRTS	Secondary Ready To Send
+SSAP	Session Service Access Memory
+SSA	Soaring Society of America
+SSA	Social Security Administration [U.S. Government]
+SSAS	Station Signaling and Announcement Subsystem
+SSBAM	Single-SideBand Amplitude Modulation
+SSBBW	Super-Sized Big Beautiful Woman
+SSB	Single SideBand
+SSCP	Subsystem Services Control Point
+SSCP	System Services Control Point
+SSC	Safe, Sane, Consensual
+SSC	Specialized Systems Consultants
+SSC	Special Services Center
+SSD	Solid State Disk
+SSDU	Session Service Data Unit
+S	second (SI abbrev.), "s"
+SSEL	Session Service Selector
+SSE	Software Support Engineer
+SSE	South-SouthEast
+SSFF	Showcase Software Factory of the Future
+SSF	Space Station Fred (er, Freedom)
+SSG	Staff SerGeant
+S	Siemens
+SSI	Small Scale Integration
+SSI	Solid-State Imager (on Galileo)
+SSI	Space Services Incorporated [Space]
+SSI	Space Studies Institute
+SSI	Supplemental Security Income
+S	Sleeve
+SSME	Space Shuttle Main Engine
+SSO	Satellite Switching Office
+S	South
+SSPC	SSP Controller
+SSPF	Space Station Processing Facility
+SSPRU	SSP Relay Unit
+SSP	Signal Switching Point
+SSP	Sponsor Selective Pricing
+SSPS	Satellite Solar Power Station [Space]
+SSP	System Status Panel
+SSRMS	Space Station Remote Manipulator System
+SSR	Secondary Surveillance Radar
+SSR	Soviet Socialist Republic
+SS	Sales Support
+SS	Sparc Station
+SS	Special Services
+SSS	Soc.Sexuality.Spanking
+SSS	System Support Specialist
+SS	Stack Segment
+SS	Stop Ship
+SSTO	Single Stage to Orbit [Space]
+SST	Spectroscopic Survey Telescope
+SST	Spread-Spectrum Technology
+SST	SuperSonic Transport
+SSTTSS	Space-Space-Time-Time-Space-Space network
+SSTV	Slow Scan TeleVision
+S	sulphur
+S	Supplement
+SSW	South-SouthWest
+STAGE	Structured Text And Graphics Editor
+STARS	Software Technology for Adaptable, Reliable Systems
+STB	Software Technical Bulletin
+STC	Serving Test Center
+STC	Supplemental Type Certificate
+STC	Switching Technical Center
+STDM	Statistical Time Division Multiplexing
+STD	Sacrae Theologiae Doctor (doctor of sacred theology)
+STD	Secondary Transmit Data
+STD	Sexually Transmitted Disease (replaces VD)
+STD	State Transition Diagram
+STD/STI	Sexually Transmitted Disease / .. Infection
+STD	Subscriber Trunk Dialing [British, and elsewhere; equiv. DDD in USA]
+STFU	Shut the Freak/Fuck Up
+STFU	Sir, That's Freakin Ugly
+STFW	Search The Freaking Web
+STILO	Scientific and Technical Intelligence Liaison Office
+STIS	Space Telescope Imaging Spectrometer (to replace FOC and GHRS)
+STI	Standard Tape Interface
+STL	St. Louis (Lambert) MO
+STN	Scientific and Technical information Network
+STN	SuperTwisted Nematic
+STOH	Since Top Overhaul (cylinders, etc., but not crankshaft, etc.)
+STOL	Short TakeOff and Landing
+STO	Slater Type Orbital
+STP	Shielded Twisted Pair
+STP	Signal Transfer Point
+STP	Software Through Pictures
+STP	Spanning Tree Protocol, an IEEE 802.1 routing specification
+STP	Standard Temperature and Pressure (see NTP)
+STRPG	Star Trek:  The Role-Playing Game
+STR	Spot The Reference
+STSCI	Space Telescope Science Institute, "STScI"
+ST	Seagate Technologies
+ST	Short Ton
+STSI	Space Telescope Science Institute
+STS	Sales Technical Support
+STS	Shared Tenant Service
+STS	Shuttle Transport System (or) Space Transportation System
+STS	Space-Time-Space network
+ST	STart
+STTNG	Star Trek, The Next Generation
+STTNG	Star Trek: The Next Generation, "ST:TNG"
+STTOS	Star Trek: The Old Stuff/The Original Series, "ST:TOS"
+STV	Single Transferable Vote
+STV	Space Transfer Vehicle [Space]
+SUCCESS	SUn Corporate Catalyst Electronic Support Service
+SUG	Sun User's Group
+SUID	Set UID
+SUM	Symantec Utilities for Macintosh
+SUNDIAG	SUN system DIAGnostics software
+SUNET	Swedish University NETwork
+SUNOCO	SUN Oil COmpany [Corporate name]
+SUN	Stanford University Network
+SUNVIEW	SUN's Visual / Integrated Environment for Workstations
+SUNY	State University of New York
+SURANET	Southeastern Universities Research Association network, "SURAnet"
+SURF	Sequent Users Resource Forum
+SU	Set Uid
+SUSP	System Use Sharing Protocol
+SVC	Switched Virtual Circuits
+SVGA	Super VGA
+SVID	System V Interface Definition
+SVP	Schematic Verification Program
+SVR4	System V Release 4
+SVS	Switched Voice Service
+SVVS	System V Validation Suite
+SVVS	System V Verification Suite
+SWAG	Silly, Wild-Assed Guess
+SWAHBI	Silly, Wild-Assed Hare-Brained Idea
+SWAN	Sun Wide Area Network
+SWAS	Submillimeter Wave Astronomy Satellite
+SWB	SouthWestern Bell
+SWF	ShortWave Fading
+SWIFT	Society for Worldwide Interbank Financial Transfers
+SWM	Solbourne Window Manager
+SWO	Sales Work Order
+SW	South West
+SWS	Scientific Workstation Support (at ORNL)
+SW	SuperWorld
+SX	SimpleX signaling
+SXS	Step by (X) Step switching [Telephony]
+SYC	SYstem Control
+SYMPL	SYsteMs Programming Language
+SYN	SYNchronizing segment
+SYSGEN	SYStem GENeration
+T1	T-carrier 1 (digital transmission line, 1.544 Mbps, 24 voice channels), one of the basic signalling systems 24x64Kb [telephony]
+T1FE	T1 carrier Front End
+T1OS	T1 carrier OutState, "T1/OS"
+T3	T-carrier 3 (eq 28 T1 channels, 44.736 Mbps, 672 voice channels) [Telephony]
+TAB	Tape Assembly Bonding
+TAB	Technical Assistance Board
+TACCS	Tactical Army Combat service support Computer System
+TAC	Tactical Air Command (see SAC)
+TAC	Terminal Access Circuit
+TAC	Terminal Access Controller [ARPAnet/MILNET/DDN]
+TAE	Transportable Applications Environment
+TAFN	That's All For Now
+TAF	That's All Folks
+TAG	Technical Advisory Group (ISO)
+TAL	Transatlantic Abort Landing (Shuttle abort plan)
+TAM	Total Available Market
+TANJ	There Ain't No Justice
+TANSTAAFL	There Ain't No Such Thing As A Free Lunch
+TAP	Telephone Assistance Plan
+TAR	Tape ARchiver
+TASC	Technical Assistance Service Center
+TASC	Telecommunications Alarm Surveillance and Control system
+TASI	Time Assignment Speech Interpolation system
+TAS	Telephone Answering Service
+TA	Teaching Assistant
+TA	Terminal Adaptor
+TA	Territorial Army
+TA	Transfer Allowed
+TAT	TransAtlantic Telephone
+TAT	Turn Arround Time
+TAU	Thousand Astronomical Units [Space]
+TBA	To Be Announced/Arranged
+TBD	To Be Designed/Determined
+TBH	To Be Honest
+TBO	Time Between Overhaul
+TB	TuBerculosis
+TCAP	Transaction Capabilities Applications Port
+TCAS	T-Carrier Administration System
+TCA	Terminal Control Area
+TCA	Terminal Controlled Airspace
+TCB	Task Control Block
+TCB	Trusted Computer Base
+TCCC	Technical Committee on Computer Communications
+TCC	Trunk Class Code
+TCG	Test Call Generation
+TCM	Time Compression Multiplexer
+TCM	Trellis Coded Modulation
+TCPIP	Transmission Control Protocol/Internet Protocol, "TCP/IP"
+TCP	Transmission Control Protocol
+TCR	Transient Call Record
+TCSEC	Trusted Computer System Evaluation Criteria (orange book)
+TCS	Thermal Control System
+TCS	Traction Control System (to prevent wheel-spin)
+TC	Teachers College
+TC	Technical Committee (ISO)
+TC	Timing Counter
+TC	Tinned Copper
+TC	Toll Center
+TC	Total Color
+TCT	To Challenge Tomorrow
+TCT	Toll Connecting Trunk
+TDAS	Traffic Data Administration System
+TDCC	Transportation Data Coordinating Committee
+TDC	Tape Data Controller
+TDC	Terrestrial Data Circuit
+TDD	Telecommunications Device for Deaf
+TDD	Telephone Device for the Deaf
+TDE	Transition Diagram Editor
+TDI	Trusted Database Interpretation
+TDL	Test Description Language
+TDMA	Time-Division Multiple Access
+TDM	Time-Division Multiplexing
+TDO	Table of Denial Orders
+TDRSS	Tracking and Data Relay Satellite System
+TDRS	Tracking and Data Relay Satellite [Space]
+TDR	Time Domain Reflectometer
+TD	"Top's Disease"
+TD	TouchDown
+TD	Transmit Data
+TD	Treasury Department
+TDY	Temporary DutY
+TEB	Teterboro NJ
+TECO	Tape Editor and COrrector
+TECO	Text Editor and COrrector
+TEC	Technology Exchange Company
+TEFLON	polyTEtraFLuOrethyleNe
+TEHO	Tail End Hop Off
+TELEX	TELetypewriter EXchange
+TELSAM	TELephone Service Attitude Measurement
+TEMA	Tubilar Exchanger Manufacturers Association
+TEMPEST	Transient Electro-Magnetic Pulse Emanation STandard
+TEMPOL	TEtraMethyl-PiperidinOL-oxyl
+TEMPONE	TEtraMethyl-PiperidinONE-oxyl
+TEMPO	Technical Military Programming Organization
+TEMPO	TEtraMethyl-Piperidine-Oxyl
+TEM	Transmission Electron Microscope
+TENS	Transcutaneous Electrical Nerve Stimulator
+TERM	TERMinal
+TER	Technical Education Resources
+TES	The Eulenspiegel Society
+TES	Thermal Emission Spectrometer (on Mars Observer)
+TE	Terminal Equipment
+TE	Transverse Electric
+TET	Test Environment Toolkit
+TFC	Total Full Color
+TFLAP	T-carrier Fault-Locating Applications Program
+TFP	Tops Filing Protocol
+TFS	Translucent File System
+TFS	Trunk Forecasting System
+TFTB	Topping From The Bottom
+TFTP	Trivial File Transfer Protocol
+TFT	The Fantasy Trip
+TFT	Thin Film Transistor
+TGC	Terminal Group Controller
+TGIF	Thanks God It's Friday
+TGN	Trunk Group Number
+TG	Thieves' Guild
+TG	TransGendered
+TGV	Two Guys and a Vax
+THF	TetraHydroFuran
+THIEF	THief/This Here Isn't Even Fine
+THOR	Tandy High-intensity Optical Recording
+THOR	THermal Optical Recording
+THRUSH	Technological Hierarchy for the Removal of Undesireables and Subjugation of Humanity
+TH	Trouble History
+THX	Tom Holman Xover
+TIA	Telephone Information Access
+TIA	Thanks In Advance
+TIA	Transient Ischemic Attack
+TIC	TermInfo Compiler
+TIC	Tongue in Cheek
+TID	Ter In Die (three times a day)
+TIFF	Tag(ged) Image File Format
+TIGA	Texas Instruments Graphics Architecture
+TIMTOWTDI	There Is More Than One Way To Do It
+TINA	This Is Not an Acronym
+TINA	TINA Is Not an Acronym
+TINC	There Is No Cabal
+TIP	Team Improvement Program
+TIRKS	Trunk Integrated Record Keeping System
+TIROS	Television InfraRed Observation Satellite
+TI	Texas Instruments [Corporate name]
+TI	Transport Independent
+TKO	Technical Knock Out
+TK	TeleKommunikation
+TLA	Three Letter Acronym
+TLB	Translation lookaside buffer
+TLC	Tender Loving Care
+TLC	Thin-Layer Chromatography
+TLDR	Too Long, Didn't Read
+TLI	Transport Level Interface (AT&T stream-based protocol)
+TLM	Trouble Locating Manual
+TLN	Trunk Line Network
+TLP	Transmission Level Point
+TL	Total Loss
+TLTP	Trunk Line and Test Panel
+TLV	Type, Length, Value
+TMAC	Treasury department's Multiuser Acquisition Contract
+TMA	Tycho Magnetic Anomaly [movie 2001]
+TMDF	Trunk Main Distributing Frame
+TMIS	Telecommunications Management Information System
+TMI	Too Much Information
+TMJ	Temporal-Mandibular-Joint (affects opening mouth)
+TMMS	Telephone Message Management System
+TMO	Telephone Money Order
+TMPTAWWTLO	The Missionary Position Twice a Week With the Lights Out
+TMP	The Morrow Project
+TMRC	Tech Model Railroad Club [MIT]
+TMRC	Transportation Modeling Research Center (TMRC {above} alter ego)
+TMRS	Traffic Measurement and Recording System
+TMRS	Traffic Metering Remote System
+TMR	Transient Memory Record
+TMSC	Tape Mass Storage Control (DEC)
+TMS	TetraMethylSilane; TriMethylSilyl
+TMS	Time-Multiplexed Switch
+TM	TradeMark
+TM	Transverse Magnetic
+TNC	Threaded Navy Connector
+TNC	Threaded Neill Concelman (connector) [electronics] (see also BNC)
+TNDS	Total Network Data System
+TNN	Trunk Network Number
+TNOP	Total Network Operation Plan
+TNPC	Traffic Network Planning Center
+TN	Telephone Number
+TN	Tennessee
+TN	Transaction Number
+TNT	The NeWS Toolkit
+TNT	TriNitroToluene
+TN	Twisted Nematic
+TOCSY	TOtal Correlation SpectroscopY
+TOC	Table Of Contents
+TODS	Transactions on Database Systems (ACM)
+TOD	Time-Of-Day
+TOMS	Total Ozone Mapping Spectrometer
+TOMS	Transactions on Mathematical Software (ACM)
+TOOIS	Transactions on Office Information Systems (ACM)
+TOPICS	Total On-Line Program and Information Control System (NHK)
+TOPLAS	Transactions on Programming Languages and Systems (ACM)
+TOPS	Timesharing OPerating System
+TOPS	Traffic Operator Position System
+TOPS	Transcendental OPerating System
+TOP	Technical/Office Protocol
+TORES	Text ORiented Editing System
+TOS	Terms Of Service / The Original Series
+TOS	The Operating System
+TOS	Transfer Orbit Stage [Space]
+TOTBAL	There Ought To Be A Law
+TO	Telegraph Office
+TO	Turn Over
+TOW	Tube launched, Optically tracked, Wire guided missile
+TOY	Time Of Year (clock)
+TP0	OSI Transport Protocol Class 0 (Simple Class)
+TP4	OSI Transport Protocol Class 4 (Error Detection and Recovery Class)
+TPC	The Phone Company [movie The President's Analyst)
+TPE	Total Power Exchange
+TPE	Twisted Pair Ethernet
+TP	from TP0 and TP4 (ISO/CCITT Transport Services; like TCP)
+TPI	Tracks Per Inch
+TPMP	Total network data system Performance Measurement Plan
+TPM	Third-Party Maintenance
+TPO	Traveling Post Office
+TPPI	Time-Proportional Phase Increment
+TPS	Technical Publication Software
+TPS	Technical Publishing Software
+TPS	TeleProcessing Services
+TPS	Thermal Protection System
+TPS	Transactions Per Second
+TPTB	The Powers That Be
+TP	Test Plan
+TP	Third Party
+TP	Toll Point
+TP	Transaction Processing
+TP	Transport Protocol
+TPT	Twisted Pair Transceiver
+TP	Twisted Pair
+TQC	Total Quality Control
+TRAC	Total Risk Analysis Calculation (SunTrac)
+TREAT	Trouble Report Evaluation Analysis Tool
+TRIB	Transfer Rate of Information Bits
+TRMTR	TRamsMiTteR
+TROFF	Text RunOFF, text formatter
+TROFF	Typsetter new ROFF
+TRON	The Real-time Operating Nucleus
+TRON	The Realtime Operating system Nucleus
+TRR	Tip-Ring Reverse
+TRR	Token Ring Repeater
+TRSA	Terminal Radar Service Area
+TR	Test Register
+TR	Token Ring
+TR	Transfer Register
+TRUSIX	TRUSted unIX
+TRW	Thompson, Ramo, and Woolridge
+TSAP	Transport Service Access Point
+TSCPF	Time Switch and Call Processor Frame
+TSD	Total System Design
+TSDU	Transport Service Data Unit
+TSEL	Transport Service Selector
+TSE	Technical Support Engineer (Sun)
+TSI	Time Slot Interchanger
+TSM	Tech Support Manager
+TSORT	Transmission System Optimum Relief Tool
+TSO	Technical Standard Order
+TSO	Time Sharing Option
+TSPS	Traffic Service Position System
+TSP	Teleprocessing Services Program
+TSP	Test SuPervisor
+TSP	Thrift Savings Plan
+TSP	Time Synchronization Protocol
+TSP	Traffic Service Position
+TSP	TriSodium Phosphate
+TSR	Terminate and Stay Resident
+TSR	Test Summary Report
+TSR	TSR (Fortune 500 Company that manufactures Dungeons & Dragons)
+TSS	Tethered Satellite System [Space]
+TSS	Time-Sharing System
+TSS	Trunk Servicing System
+TSST	Time-Space-Space-Time network
+TS	Top Secret
+TSTO	Two Stage to Orbit [Space]
+TS	TransSexual
+TSTS	Time-Space-Time-Space network
+TST	Time-Space-Time network
+TST	Traveling-Wave Tube
+TTBOMK	To The Best Of My Knowledge
+TTC	Telecommunications Technology Council
+TTC	Terminating Toll Center
+TTD	Things To Do
+T	tera- (SI prefix)
+T	tesla
+TTFN	Tah Tah, For Now
+TTFN	Ta Ta For Now
+T	Tip
+TTL	Time To Live
+TTL	Transistor-Transistor Logic
+TTMA	Tennessee Tech Microcomputer Association
+T	tonne(s), "t."
+T	ton(s), "t."
+TTP	Telephone Twisted Pair
+TTP	Trunk Test Panel
+T	Traveler
+T	tritium
+TTS	Trunk Time Switch
+TTTN	Tandem Tie Trunk Network
+TT	Trunk Type
+TT	Tunnels & Trolls, "T&T"
+T	tun(s), "t."
+T2	T-carrier 2 (digital transmission line, 6.312 Mbps, 96 voice channels) [Telephony]
+TTU	Tennessee Technological University
+T2YL	Talk To You Later
+T2UL	Talk To You Later
+TTUL	Talk To You Later
+TTYC	TTY Controller
+TTYL	Talk To You Later
+TTYTT	To Tell You The Truth
+TTY	TeleTYpe(writer)
+TUG	TeX User's Group
+TUI	Text-Based User Interface
+TUNIS	Toronto UNIversity System
+TUR	Traffic Usage Recording
+TUR	Trunk Utilization Report
+TVA	Tennessee Valley Authority
+TV	TeleVision
+TVTWM	Tom's Virtual TWM
+TWA	Trans World Airlines
+TWAJS	That Was A Joke, Son
+TWG	The Wollongong Group
+TWIMC	To Whom It May Concern
+TWM	Tab (or Tom's) Window Manager
+TW	Thieves' World
+TWT	Traveling Wave Tube
+TWX	TeletypeWriter eXchange
+TXID	Transuction Identifier
+TX	Texas
+TX	Transmit
+TX	Transuction
+TY	Thank You
+TYT	Take Your Time
+TYVM	Thank You Very Much
+UAB	UNIX Appletalk Bridge
+UAE	Unexpected Application Error
+UAE	United Arab Emerates
+UAF	User Authorization File
+U&A(&LI)	Used and Abuse (and Loving It)
+UAPDU	User Agent Protocol Data Unit
+UARS	Upper Atmosphere Research Satellite
+UART	Universal Asynchronous Receiver and Transmitter
+UAR	United Arab Republic
+UAR	User Action Routine
+UA	United Artists
+UA	User Agent
+UBA	UniBus Adapter [DEC]
+UBC	Universal Bibliographic Control
+UBC	University of British Columbia
+UBM	Unpressurized Berthing Mechanism
+UCAR	University Corporation for Atmospheric Research
+UCB	University of California at Berkeley
+UCC	Uniform Commercial Code
+UCD	Uniform Call Distribution
+UCD	University of California at Davis
+UCI	University of California at Irvine
+UCLA	University of California at Los Angeles
+UCL	Underwater Sound Laboratory
+UCL	University College London
+UCR	University of California at Riverside
+UCSB	University of California at Santa Barbara
+UCSC	University of California at Santa Cruz
+UCSD	University of California at San Diego
+UCSF	University of California at San Francisco
+UC	University of CA
+UC	Upper Case, "u.c."
+UDB	Unified DataBase
+UDF	User Defined Function
+UDMH	Unsymmetrical DiMethyl Hydrazine
+UDP	User Datagram Protocol
+UDT	User Defined Type
+UEC	User Environment Component
+UFO	Unidentified Flying Object
+UFS	Universal File System
+UGC	Uppsala General Catalog
+UG	Micro-Grip (HP plotter paper positioner)
+UHF	Ultra High Frequency (300-3000MHz)
+UHF	Unrestricted Hartree-Fock
+UH	Upper Half
+UIC	User Identification Code
+UID	User IDentity
+UIL	User Interface Language
+UIMS	User Interface Management System
+UIP	User Interface Program
+UITP	Universal Information Transport Plan
+UIT	Ultraviolet Imaging Telescope (Astro package)
+UIUC	University of Illinois at Urbana-Champaign
+UI	Unix International
+UI	User Interface
+UKST	United Kingdom Schmidt Telescope
+UK	United Kingdom
+ULANA	Unified Local-Area Network Architecture
+UL	Underwriters Laboratory
+UMA	Upper Memory Area
+UMB	Upper Memory Blocks
+UMT	Universal Military Training
+UNCLE	United Network Command for Law Enforcement
+UNESCO	United Nations Educational, Scientific, & Cultural Organization
+UNICEF	United Nations International Children's Emergency Fund (now UN Child. Fund)
+UNICS	UNiplex Information Computer Services
+UNISTAR	UNIversal Single call Telecommunications Answering & Repair
+UNIVAC	UNIversal Automatic Computer
+UNIX	not an acronym at all.  Was a pun on MIT's MULTICS.
+UNMA	Unified Network Management Architecture
+UNO	United Nations Organization
+UN	United Nations
+UPC	Universal Product Code
+UPDS	Uninterruptible Power Distribution System
+UPI	United Press International [Corporate name]
+UPN	Umgekehrte Polnische Notation (RPN)
+UPS	Uninterruptible Power Supply
+UPS	United Parcel Service [Corporate name]
+UP	Union Pacific (railroad) [Corporate name]
+UP	Upper Peninsula (of Michigan)
+U	(representing the greek mu) - micro, "u"
+UREP	UNIX-RSCS Emulation Program (BITNET software for UNIX)
+UR	University of Rochester
+USAC	United States Answer Center
+USAC	United States Auto Club
+USAC	US Answer Center (Sun Hotline)
+USAFA	United States Air Force Academy (in Colorado Springs)
+USAF	United States Air Force
+USAN	University Satellite Network
+USART	Universal Synchronous Asynchronous Receiver/Transmitter
+USA	Union of South Africa
+USA	United States Army
+USA	United States of America
+USB	Upper Side Band
+USCA	United States Code, Annotated
+USCG	United States Coast Guard
+USC	University of Southern California
+USDA	United States Department of Agriculture
+USD	Underwriters Safety Device
+USENET	USErs' NETwork
+USES	United States Employment Service
+USFL	United States Football League
+USGS	United States Geological Survey
+USG	Unix Support Group
+USHGA	United States Hang Gliding Association
+USIA	United States Information Agency
+USITA	United States Independent Telephone Association
+USL	Unix System Laboratories
+USMC	United States Marine Corps
+USMP	United States Microgravity Payload
+USM	United States Mail
+USN	United States Navy
+USOC	Universal Service Order Code
+USO	United Service Organizations
+USO	Universal Service Order
+USO	Unix Software Operation
+USPS	United States Postal Service
+USPTO	United States Patent and Trademark Office
+USP	United States Pharmacopeia
+USP	Universal Sampling Plan
+USRT	Universal Synchronous Receiver/Transmitter
+USR	User Service Routines
+USSR	Union of Soviet Socialist Republics
+USSS	User Services and Systems Support
+USS	United States Ship
+US	United States (of America)
+USV	Unterbrechungsfreie StromVersorgung
+USW	Und So Weiter
+UTC	Universal Coordinated Time
+UTE	Union Technique de i"Electricite"
+UTP	Unshielded Twisted Pair
+UTQGS	Uniform Tire Quality Grading System
+UTR	UpTime Ratio
+UTSL	use the source, Luke
+UT	Universal Time
+UT	University of Tennessee
+UT	University of Texas
+UT	UTah
+UUCICO	Unix to Unix Copy Incoming Copy Outgoing
+UUCP	Unix-to-Unix CoPy
+UUG	Unix User Group
+U	unified atomic mass unit, "u"
+U	Universe
+U	uranium
+UUT	Unit Under Test
+UVS	UltraViolet Spectrometer
+UV	UltraViolet
+UWCSA	University of Washington Computer Science Affiliates
+UWS	Ultrix Workstation Software
+UW	UnderWriter
+UW	University of Wisconsin
+VABIS	Vagn Aktie Bolaget i Soedertaelje (Swedish truck company)
+VAB	Value Added Business
+VAB	Vehicle Assembly Building (formerly Vertical Assembly Building)
+VAC	Volts of Alternating Current
+VADS	Verdix Ada Development System
+VAD	Value Added Dealer
+VAFB	Vandenberg Air Force Base
+VANS	Value-Added Network Services
+VAN	Value-Added Network (e.g. Tymnet, Telenet, etc)
+VAP	Value-Added Process
+VAR	Value-Added Remarketer/Reseller
+VASCAR	Visual Average Speed Computer And Recorder
+VASI	Visual Approach Slope Indicator
+VAST	Virtual Archive Storage Technology
+VAT	Value Added Tax
+VA	Veterans Administration
+VA	Virginia
+VAV	Value Application Venders
+VAXBI	VAX Bus Interconnect
+VAX	Virtual Address eXtended
+VBG	Very Big Grin
+VB	Valence Bond
+VB	Venture Business
+VCCI	Volantary Control Council for Intersive
+VCM	Voice Coil Motor
+VCO	Voltage Controlled Oscillator
+VCPI	Virtual Control Program Interface
+VCR	VideoCassette Recorder
+VCS	Virtual Circuit System
+VCU	Virginia Commonwealth University
+VC	Virtual Circuit
+VDC	Volts of Direct Current
+VDE	Verband Deutscher Electrotechniker
+VDFM	Virtual Disk File Manager
+VDI	Virtual Device Interface
+VDM	Vienna Development Method
+VDM	Virtual Device Metafile
+VDS	Virtual DMA Services
+VDT	Video Display Terminal
+VD	Venereal Disease (see also STD)
+VEEGA	Venus-Earth-Earth Gravity Assist (Galileo flight path)
+VEG	very evil grin
+VESA	Video Electronics Standards Association
+VEU	Volume End User
+VE	Value Engineering
+VEX	Video Extension to X
+VFEA	VMEbus Futurebus+ Extended Architecture
+V	fiVe
+VFO	Variable Frequency Oscillator
+VFR	Visual Flight Rules
+VFS	Virtual File System
+VF	Video Frequency
+VF	Voice Frequency
+VFW	Veterans of Foreign Wars
+VFW	Volunteer Fire Department
+VFY	VeriFY
+VGA	Video Graphics Array/Accelerator
+VGF	Voice Grade Facility
+VGI	Virtual Graphics Interface
+VG	Very Good
+VG	Vicar-General
+VHDL	Vhsic Hardware Description Language
+VHD	Video High Density
+VHF	Very High Frequency (30-300MHz)
+VHSIC	Very High Speed Integrated Circuit
+VHS	Video Home System (VCR)
+VIABLE	Vertical Installation Automation BaseLinE
+VIC	V.35 Interface Cable
+VIFRED	VIsual FoRms EDitor
+VILE	VI-Like Emacs
+VINES	VIrtual NEtwork Software
+VINE	Vine Is Not Emacs
+VIP	Very Important Person
+VISTA	Volunteers In Service To America
+VITA	Vme International Trade Association
+VIU	Voiceband Interface Unit
+VI	VIsual editor
+VJ	Video Jockey
+VLA	Very Large Array radio telescope in Arizona or New Mexico
+VLBA	Very Long Baseline Array
+VLBI	Very Long Baseline Interferometry
+VLF	Very Low Frequency (3-30KHz)
+VLIW	Very Long Instruction Word
+VLSI	Very Large Scale Integration
+VLT	Very Large Telescope
+VL	Vulgar Latin
+VMCF	Virtual Machine Communications Facility
+VMCMS	Virtual Machine/Conversational Monitor System, "VM/CMS"
+VMC	Visual Meteorological Conditions
+VME	Versabus Module Europe
+VME	Versa Modular Europa
+VME	Virtual Machine Environment
+VMM	Virtual Memory Manager
+VMOS	Vertical Metal Oxide Semiconductor (V-MOS) (see MOS)
+VMRS	Voice Message Relay System
+VMR	Vertical Market Reseller
+VMR	Volt-Meter Reverse
+VMSP	Virtual Machine/System Product, "VM/SP"
+VMS	Vertical Motion Simulator
+VMS	Virtual Memory operating System
+VMS	Virtual Memory System
+VMS	Voice Mail System
+VMS	Voice Management System
+VMTP	Versatile Message Transaction Protocol
+VM	Virtual Machine
+VM	Virtual Memory
+VNF	Virtual Network Feature
+VNLF	Via Net Loss Factor
+VNL	Via Net Loss plan
+VNY	Van Nuys CA
+VOA	Voice Of America
+VOA	Volunteers Of American
+VODAS	Voice Over Data Access Station
+VOIR	Venus Orbiting Imaging Radar (superseded by VRM)
+VOIS	Voice-Operated Information System
+VOQ	Visiting Officer's Quarters
+VORT	Very Ordinary Rendering Toolkit
+VOR	VHF Omnidirectional Range
+VPF	Vertical Processing Facility
+VPISU	Virginia Polytechnic Institute and State University, "VPI&SU"
+VPN	Virtual Private Network
+VP	View Processor
+VP	Virtual President
+VRAM	Video-RAM
+VRC	Vertical Redundancy Character
+VRM	Venus Radar Mapper (now called Magellan)
+VRM	Virtual Resource Manager
+VRM	Voice Recognition Module
+VROOMM	Virtual Realtime Object Oriented Memory Manager
+VRS	Voice Response System
+VR	Variety Reduction
+VSAM	Virtual Sequential Access Method
+VSAM	Virtual Storage Access Method
+VSAT	Very Small Aperture Terminal, satellite dish
+VSA	Virtual Server Architecture
+VSB	Vestigial SideBand modulation
+VSE	Virtual Storage Extended
+VSP	Vector/Scalar Processor
+VSR	Voice Storage and Retrieval
+VSSP	Voice Switch Signaling Point
+VSS	Voice Storage System
+VS	VAXStation
+VSX	X/open Verification Suite
+VTAM	Virtual Telecommunications Access Method [IBM]
+VTI	Virtual Terminal Interface
+VTOC	Volume Table Of Contents
+VTOL	Vertical TakeOff and Landing
+VTP	Virtual Terminal Protocol
+VTR	VideoTape Recorder
+VTS	Video Teleconferencing System
+VTS	Virtual Terminal Service
+VT	Virtual Terminal
+VUIT	Visual User Interface Tool
+VUP	Vax Unit of Performance
+VU	Volume Unit
+V	vanadium
+V	Vergeltungswaffe (reprisal weapon: V1, V2)
+V	version, "v"
+V	versus, "v."
+V	volt(s)
+VVSS	Vertical Volute Spring Suspension
+VV	Villains & Vigilantes, "V&V"
+VWS	VAX Workstation Software
+VXI	VMEbus Extension for Instrumentation
+WAC	Womens Air Corps
+WADS	Wide Area Data Service
+WAG	Wild-Assed Guess
+WAIS	Wide Area Information Server
+WAN	Wide Area Network
+WAP	Wissenschaftliche ArbeitsPlatzrechner
+WAP	Work Assignment Procedure
+WARC	World Administrative Conference
+WATFOR	WATerloo FORtran
+WATSUP	WATfor Student Utility Program
+WATS	Wide Area Telephone Service
+WA	Washington
+WA	Western Australia
+WBC	White Blood Cells
+WBS	Wednesday Business School
+WBS	Work Breakdown Structure
+WB	Water Ballast
+WB	WayBill
+WB	Welcome Back
+WCL	Widget Creation Library
+WCPC	Wire Center Planning Center
+WCS	Writable Control Store (VAX)
+WCTU	Women's Christian Temperance Union
+WC	Water Closet
+WC	Wire Center
+WC	Without Charge
+WDC	Washington, District of Columbia
+WDC	Work Distribution Chart
+WDM	wavelength-division multiplexing, for optical fibre, ultra-gigabit
+WDT	Watch Dog Timer
+WD	White Dwarf
+WD	Working Draft
+W/E	Whatever
+WELL	Whole Earth 'Lectronic Link
+WFM	Works For Me
+WFPCII	Replacement for WFPC
+WFPC	Wide Field / Planetary Camera (on HST)
+WF	Work Factor method
+WGS	WorkGroup System (AT&T's 386 PC)
+WG	Working Group
+WHBL	World Home Bible League
+WHOI	Woods Hole Oceanographic Institution
+WHO	World Health Organization
+WHSE	Warehouse
+WHSGNASBN	We Have Some Good News And Some Bad News
+WH	WarHammer
+Wiitwd(h)	What it is that we do (here)
+WINS	Wollongong Integrated Networking Solutions
+WIN	WIssenschaftsNetz
+WIP	Work-In-Process
+WIS	WWMCCS Information System
+WITS	Washington Interagency Telecommunications System
+WI	Wisconsin
+WIYN	Wisconsin / Indiana / Yale / NOAO telescope
+WKS	Well Known Services
+WLN	Wiswesser Line Notation
+WMF	Windows MetaFile
+WMO	World Meteorological Organization
+WMSCR	Weather Message Switching Center Replacement
+WM	Work Manager
+WNIM	Wide area Network Interface Module
+WNN	Watashi no Namae ha Nakajima desu. (Kana-Kanji henkan), "Wnn"
+WOA	Work Of Art
+WOB	Waste Of Bandwidth
+WOMBAT	Waste Of Money, Brains, And Time
+WOPR	War Operations Planned Response (from "Wargames" movie)
+WORM	Write Once, Read Many time
+WOSA	Windows Open System Architecture
+WO	Write Only
+WOW	Worlds of Wonder
+WPS	Word Processing Software
+WP	Word Processing
+WP	Working Paper
+WRT	Whitewater Resource Toolkit
+WRT	With Respect/Regard To
+WSD	Work Station Division
+WSI	Wafer Scale Integration
+WSJ	Wall Street Journal
+WSMR	White Sands Missile Range
+WSN	Wirth Syntax Notation
+WSP	Work Simplification Program
+WS	Water Sports (see GS)
+WS	Work Sampling
+WS	Work Station
+WSW	West-SouthWest
+WTF	{What,where,who,why} The Fuck
+WTH	{What,where,who,why} The Hell
+WTR	Western Test Range
+WUPPE	Wisconsin Ultraviolet PhotoPolarimter Experiment (Astro package)
+WU	Washington University
+WU	Western Union
+WV	West Virginia
+WW2	World War II
+W	Wales/Welsh
+W	watt
+W	Wednesday, "W."
+W	week(s), "w."
+W	West
+WWFO	World Wide Field Operations
+W	Width
+WWII	World War II
+WWI	World War I
+WWMCCS	World-Wide Military Command and Control System
+W	wofram (tungsten)
+WWOPS	World-Wide Operations
+WW	World War
+WYSIWIS	What You See Is What I See
+WYSIWYG	What You See Is What You Get
+WY	Wyoming
+X25	CCITT recommendation for packet switched networks DTE interfacing, "X.25"
+XA	eXtended Architecture (31-bit addressing in IBM machines)
+XBT	X-Bar Tandem
+XB	X-Bar
+XCF	eXperimental Computing Facility
+XCMOS	eXtended CMOS
+XD	eX (without) Dividend
+XDMCP	X Display Manager Control Protocol
+XDR	eXternal Data Representation
+XD	without Dividend
+XFER	transFER (the X is for trans)
+XFE	X-Front End
+XGA	eXtended Graphics Adapter
+XGMC	Xiphias Gladius Memorial Clique
+XID	eXchange IDentification
+XIE	X Imaging Extension
+XIM	X Input Method
+XINU	Xinu Is Not UNIX
+XL	eXtra Large
+XLFD	X Logical Font Description
+XMI	eXtended Memory Interconnect (DEC)
+XMM	X-ray Multi Mirror
+XMPP	eXtensible Messaging and Presence Protocol
+XMS	eXtended Memory Specification
+XMS	eXtended Multiprocessor operating System
+XMTR	transMiTteR (the X is for trans)
+XNS	Xerox Network Services/Systems/Standard
+XO	eXecutive Officer
+XOR	eXclusive OR (logical function)
+XPG2	X/Open Portability Guide Release-2
+XPG3	X/Open Portability Guide Release-3
+XPG	X/Open Portability Guide
+XP	Jesus Christ (from the first two letters of "Christ" written in Greek)
+XPORT	transPORT (the X is for trans)
+XRM	X Resource Manager
+XSECT	cross SECTion (the X is for cross)
+XTAL	crysTAL (another version of x for crys, see XMTR)
+XTAL	crysTAL (the X is for crys)
+XTC	eXternal Transmit Clock
+XT	eXtended Technology
+XT	X.11 Toolkit, "Xt"
+XUI	X-windows User Interface
+XUV	eXtreme UltraViolet
+XVIEW	X window system-based Visual/Integrated Environment for Workstations
+XWSDS	X Window System Display Station
+YACC	Yet Another Compiler Compiler
+YAFIYGI	You Asked For It, You Got It
+YA	Yet Another
+YB	YearBook
+YGM	You Got Mail
+YHBT	You Have Been Trolled
+YHL	You Have Lost
+YKINMK	Your Kink Is Not My Kink
+YKINOK	Your Kink Is Not Okay
+YKIOK,IJNMK	Your Kink is OK, It's Just Not My Kink
+YKWIM	You Know What I Mean
+YMBJ	You Must Be Joking
+YMCA	Young Mens Christian Association
+YMHA	Young Mens Hebrew Association
+YMMV	Your Mileage May Vary
+YOB	Year Of Birth
+YPVS	Yamaha Power Valve System
+YP	Yellow Pages
+YRS	Ysgarth Rules System
+YSO	Young Stellar Object
+YST	Yukon Standard Time
+YTD	Year To Date
+YT	Yukon Territory
+YT	Yukon Time
+YWCA	Young Womens Christian Association
+YWHA	Young Womens Hebrew Association
+YW	You're Welcome
+Y	Year, "y."
+Y	Yen
+Y	yttrium
+YY	Year
+ZBB	Zero Base Budgeting
+ZBR	Zone Bit Recording
+ZB	Zero Beat
+ZD	Zero Defect
+ZETA	Zero Energy Thermonuclear Assembly
+ZFS	Zero-Field Splitting
+ZGS	Zero Gradient Synchrotron
+ZG	Zero Gravity
+ZIB	Konrad-Zuse-Zentrum fuer Informationstechnik Berlin
+ZIF	Zero Insertion Force
+ZIP	Zig-zag Inline Pin
+ZIP	Zone Improvement Plan (post office code)
+ZIP	Zone Information Protocol
+ZI	Zonal Index
+ZK	barrage balloon (navy symbol)
+ZMRI	Zinc Metals Research Institute
+ZPG	Zero Population Growth
+ZPRSN	Zurich Provisional Relative Sunspot Number
+ZQC	Zero-Quantum Coherence
+ZST	Zone Standard Time
+ZT	Zone Time
+ZWEI	Zwei Was Eine Initially
+Z	Zenith
+Z	Zero
+ZZF	Zentralamt zur Zulassung von Fernmeldeeinrichtungen