This article is about algorithms for division of integers. For the pencil-and-paper algorithm, see Long division. For the division algorithm for polynomials, see Polynomial long division.
A division algorithm is an algorithm which, given two integersN and D (respectively the numerator and the denominator), computes their quotient and/or remainder, the result of Euclidean division. Some are applied by hand, while others are employed by digital circuit designs and software.
Division algorithms fall into two main categories: slow division and fast division. Slow division algorithms produce one digit of the final quotient per iteration. Examples of slow division include restoring, non-performing restoring, non-restoring, and SRT division. Fast division methods start with a close approximation to the final quotient and produce twice as many digits of the final quotient on each iteration.[1]Newton–Raphson and Goldschmidt algorithms fall into this category.
Variants of these algorithms allow using fast multiplication algorithms. It results that, for large integers, the computer time needed for a division is the same, up to a constant factor, as the time needed for a multiplication, whichever multiplication algorithm is used.
The simplest division algorithm, historically incorporated into a greatest common divisor algorithm presented in Euclid's Elements, Book VII, Proposition 1, finds the remainder given two positive integers using only subtractions and comparisons:
R:=NQ:=0whileR≥DdoR:=R−DQ:=Q+1endreturn(Q,R)
The proof that the quotient and remainder exist and are unique (described at Euclidean division) gives rise to a complete division algorithm, applicable to both negative and positive numbers, using additions, subtractions, and comparisons:
functiondivide(N,D)ifD=0thenerror(DivisionByZero)endifD<0then(Q,R):=divide(N,−D);return(−Q,R)endifN<0then(Q,R):=divide(−N,D)ifR=0thenreturn(−Q,0)elsereturn(−Q−1,D−R)endend-- At this point, N ≥ 0 and D > 0returndivide_unsigned(N,D)endfunctiondivide_unsigned(N,D)Q:=0;R:=NwhileR≥DdoQ:=Q+1R:=R−Dendreturn(Q,R)end
This procedure always produces R ≥ 0. Although very simple, it takes Ω(Q) steps, and so is exponentially slower than even slow division algorithms like long division. It is useful if Q is known to be small (being an output-sensitive algorithm), and can serve as an executable specification.
Long division is the standard algorithm used for pen-and-paper division of multi-digit numbers expressed in decimal notation. It shifts gradually from the left to the right end of the dividend, subtracting the largest possible multiple of the divisor (at the digit level) at each stage; the multiples then become the digits of the quotient, and the final difference is then the remainder.
When used with a binary radix, this method forms the basis for the (unsigned) integer division with remainder algorithm below. Short division is an abbreviated form of long division suitable for one-digit divisors. Chunking – also known as the partial quotients method or the hangman method – is a less-efficient form of long division which may be easier to understand. By allowing one to subtract more multiples than what one currently has at each stage, a more freeform variant of long division can be developed as well.
The following algorithm, the binary version of the famous long division, will divide N by D, placing the quotient in Q and the remainder in R. In the following pseudo-code, all values are treated as unsigned integers.
ifD=0thenerror(DivisionByZeroException)endQ:=0-- Initialize quotient and remainder to zeroR:=0fori:=n−1..0do-- Where n is number of bits in NR:=R<<1-- Left-shift R by 1 bitR(0):=N(i)-- Set the least-significant bit of R equal to bit i of the numeratorifR≥DthenR:=R−DQ(i):=1endend
Example
If we take N=11002 (1210) and D=1002 (410)
Step 1: Set R=0 and Q=0 Step 2: Take i=3 (one less than the number of bits in N) Step 3: R=00 (left shifted by 1) Step 4: R=01 (setting R(0) to N(i)) Step 5: R < D, so skip statement
Step 2: Set i=2 Step 3: R=010 Step 4: R=011 Step 5: R < D, statement skipped
Slow division methods are all based on a standard recurrence equation [2]
where:
Rj is the j-th partial remainder of the division
B is the radix (base, usually 2 internally in computers and calculators)
qn − (j + 1) is the digit of the quotient in position n−(j+1), where the digit positions are numbered from least-significant 0 to most significant n−1
n is number of digits in the quotient
D is the divisor
Restoring division
Restoring division operates on fixed-point fractional numbers and depends on the assumption 0 < D < N. [citation needed]
The quotient digits q are formed from the digit set {0,1}.
The basic algorithm for binary (radix 2) restoring division is:
R:=ND:=D<<n-- R and D need twice the word width of N and Qfori:=n−1..0do-- For example 31..0 for 32 bitsR:=2*R−D-- Trial subtraction from shifted value (multiplication by 2 is a shift in binary representation)ifR>=0thenq(i):=1-- Result-bit 1elseq(i):=0-- Result-bit 0R:=R+D-- New partial remainder is (restored) shifted valueendend-- Where: N = numerator, D = denominator, n = #bits, R = partial remainder, q(i) = bit #i of quotient
Non-performing restoring division is similar to restoring division except that the value of 2R is saved, so D does not need to be added back in for the case of R < 0.
Non-restoring division
Non-restoring division uses the digit set {−1, 1} for the quotient digits instead of {0, 1}. The algorithm is more complex, but has the advantage when implemented in hardware that there is only one decision and addition/subtraction per quotient bit; there is no restoring step after the subtraction,[3] which potentially cuts down the numbers of operations by up to half and lets it be executed faster.[4] The basic algorithm for binary (radix 2) non-restoring division of non-negative numbers is:
R:=ND:=D<<n-- R and D need twice the word width of N and Qfori=n−1..0do-- for example 31..0 for 32 bitsifR>=0thenq(i):=+1R:=2*R−Delseq(i):=−1R:=2*R+Dendifend-- Note: N=numerator, D=denominator, n=#bits, R=partial remainder, q(i)=bit #i of quotient.
Following this algorithm, the quotient is in a non-standard form consisting of digits of −1 and +1. This form needs to be converted to binary to form the final quotient. Example:
Convert the following quotient to the digit set {0,1}:
If the −1 digits of are stored as zeros (0) as is common, then is and computing is trivial: perform a ones' complement (bit by bit complement) on the original .
Q:=Q−bit.bnot(Q)-- Appropriate if −1 digits in Q are represented as zeros as is common.
Finally, quotients computed by this algorithm are always odd, and the remainder in R is in the range −D ≤ R < D. For example, 5 / 2 = 3 R −1. To convert to a positive remainder, do a single restoring step after Q is converted from non-standard form to standard form:
ifR<0thenQ:=Q−1R:=R+D-- Needed only if the remainder is of interest.endif
The actual remainder is R >> n. (As with restoring division, the low-order bits of R are used up at the same rate as bits of the quotient Q are produced, and it is common to use a single shift register for both.)
SRT division
SRT division is a popular method for division in many microprocessor implementations.[5][6] The algorithm is named after D. W. Sweeney of IBM, James E. Robertson of University of Illinois, and K. D. Tocher of Imperial College London. They all developed the algorithm independently at approximately the same time (published in February 1957, September 1958, and January 1958 respectively).[7][8][9]
SRT division is similar to non-restoring division, but it uses a lookup table based on the dividend and the divisor to determine each quotient digit.
The most significant difference is that a redundant representation is used for the quotient. For example, when implementing radix-4 SRT division, each quotient digit is chosen from five possibilities: { −2, −1, 0, +1, +2 }. Because of this, the choice of a quotient digit need not be perfect; later quotient digits can correct for slight errors. (For example, the quotient digit pairs (0, +2) and (1, −2) are equivalent, since 0×4+2 = 1×4−2.) This tolerance allows quotient digits to be selected using only a few most-significant bits of the dividend and divisor, rather than requiring a full-width subtraction. This simplification in turn allows a radix higher than 2 to be used.
Like non-restoring division, the final steps are a final full-width subtraction to resolve the last quotient bit, and conversion of the quotient to standard binary form.
Newton–Raphson uses Newton's method to find the reciprocal of and multiply that reciprocal by to find the final quotient .
The steps of Newton–Raphson division are:
Calculate an estimate for the reciprocal of the divisor .
Compute successively more accurate estimates of the reciprocal. This is where one employs the Newton–Raphson method as such.
Compute the quotient by multiplying the dividend by the reciprocal of the divisor: .
In order to apply Newton's method to find the reciprocal of , it is necessary to find a function that has a zero at . The obvious such function is , but the Newton–Raphson iteration for this is unhelpful, since it cannot be computed without already knowing the reciprocal of (moreover it attempts to compute the exact reciprocal in one step, rather than allow for iterative improvements). A function that does work is , for which the Newton–Raphson iteration gives
which can be calculated from using only multiplication and subtraction, or using two fused multiply–adds.
From a computation point of view, the expressions and are not equivalent. To obtain a result with a precision of 2n bits while making use of the second expression, one must compute the product between and with double the given precision of (n bits).[citation needed] In contrast, the product between and need only be computed with a precision of n bits, because the leading n bits (after the binary point) of are zeros.
If the error is defined as , then:
This squaring of the error at each iteration step – the so-called quadratic convergence of Newton–Raphson's method – has the effect that the number of correct digits in the result roughly doubles for every iteration, a property that becomes extremely valuable when the numbers involved have many digits (e.g. in the large integer domain). But it also means that the initial convergence of the method can be comparatively slow, especially if the initial estimate is poorly chosen.
For the subproblem of choosing an initial estimate , it is convenient to apply a bit-shift to the divisor D to scale it so that 0.5 ≤ D ≤ 1; by applying the same bit-shift to the numerator N, one ensures the quotient does not change. Then one could use a linear approximation in the form
to initialize Newton–Raphson. To minimize the maximum of the absolute value of the error of this approximation on interval , one should use
The coefficients of the linear approximation are determined as follows. The absolute value of the error is . The minimum of the maximum absolute value of the error is determined by the Chebyshev equioscillation theorem applied to . The local minimum of occurs when , which has solution . The function at that minimum must be of opposite sign as the function at the endpoints, namely, . The two equations in the two unknowns have a unique solution and , and the maximum error is . Using this approximation, the absolute value of the error of the initial value is less than
It is possible to generate a polynomial fit of degree larger than 1, computing the coefficients using the Remez algorithm. The trade-off is that the initial guess requires more computational cycles but hopefully in exchange for fewer iterations of Newton–Raphson.
Since for this method the convergence is exactly quadratic, it follows that
The following computes the quotient of N and D with a precision of P binary places:
Express D as M × 2e where 1 ≤ M < 2 (standard floating point representation)
D' := D / 2e+1// scale between 0.5 and 1, can be performed with bit shift / exponent subtraction
N' := N / 2e+1
X := 48/17 − 32/17 × D' // precompute constants with same precision as Drepeattimes// can be precomputed based on fixed P
X := X + X × (1 - D' × X)
endreturn N' × X
For example, for a double-precision floating-point division, this method uses 10 multiplies, 9 adds, and 2 shifts.
Variant Newton–Raphson division
The Newton-Raphson division method can be modified to be slightly faster as follows. After shifting N and D so that D is in [0.5, 1.0], initialize with
This is the best quadratic fit to 1/D and gives an absolute value of the error less than or equal to 1/99. It is chosen to make the error equal to a re-scaled third order Chebyshev polynomial of the first kind. The coefficients should be pre-calculated and hard-coded.
Then in the loop, use an iteration which cubes the error.
The Y⋅E term is new.
If the loop is performed until X agrees with 1/D on its leading P bits, then the number of iterations will be no more than
which is the number of times 99 must be cubed to get to 2P+1. Then
is the quotient to P bits.
Using higher degree polynomials in either the initialization or the iteration results in a degradation of performance because the extra multiplications required would be better spent on doing more iterations.
Goldschmidt division
Goldschmidt division[13] (after Robert Elliott Goldschmidt)[14] uses an iterative process of repeatedly multiplying both the dividend and divisor by a common factor Fi, chosen such that the divisor converges to 1. This causes the dividend to converge to the sought quotient Q:
The steps for Goldschmidt division are:
Generate an estimate for the multiplication factor Fi .
Multiply the dividend and divisor by Fi .
If the divisor is sufficiently close to 1, return the dividend, otherwise, loop to step 1.
Assuming N/D has been scaled so that 0 < D < 1, each Fi is based on D:
Multiplying the dividend and divisor by the factor yields:
After a sufficient number k of iterations .
The Goldschmidt method is used in AMD Athlon CPUs and later models.[15][16] It is also known as Anderson Earle Goldschmidt Powers (AEGP) algorithm and is implemented by various IBM processors.[17][18] Although it converges at the same rate as a Newton–Raphson implementation, one advantage of the Goldschmidt method is that the multiplications in the numerator and in the denominator can be done in parallel.[18]
Binomial theorem
The Goldschmidt method can be used with factors that allow simplifications by the binomial theorem.
Assume has been scaled by a power of two such that .
We choose and .
This yields
.
After n steps , the denominator can be rounded to 1 with a relative error
which is maximum at when , thus providing a minimum precision of binary digits.
Large-integer methods
Methods designed for hardware implementation generally do not scale to integers with thousands or millions of decimal digits; these frequently occur, for example, in modular reductions in cryptography. For these large integers, more efficient division algorithms transform the problem to use a small number of multiplications, which can then be done using an asymptotically efficient multiplication algorithm such as the Karatsuba algorithm, Toom–Cook multiplication or the Schönhage–Strassen algorithm. The result is that the computational complexity of the division is of the same order (up to a multiplicative constant) as that of the multiplication. Examples include reduction to multiplication by Newton's method as described above,[19] as well as the slightly faster Burnikel-Ziegler division,[20]Barrett reduction and Montgomery reduction algorithms.[21][verification needed] Newton's method is particularly efficient in scenarios where one must divide by the same divisor many times, since after the initial Newton inversion only one (truncated) multiplication is needed for each division.
Division by a constant
The division by a constant D is equivalent to the multiplication by its reciprocal.
Since the denominator is constant, so is its reciprocal (1/D). Thus it is possible to compute the value of (1/D) once at compile time, and at run time perform the multiplication N·(1/D) rather than the division N/D. In floating-point arithmetic the use of (1/D) presents little problem,[a] but in integer arithmetic the reciprocal will always evaluate to zero (assuming |D| > 1).
It is not necessary to use specifically (1/D); any value (X/Y) that reduces to (1/D) may be used. For example, for division by 3, the factors 1/3, 2/6, 3/9, or 194/582 could be used. Consequently, if Y were a power of two the division step would reduce to a fast right bit shift. The effect of calculating N/D as (N·X)/Y replaces a division with a multiply and a shift. Note that the parentheses are important, as N·(X/Y) will evaluate to zero.
However, unless D itself is a power of two, there is no X and Y that satisfies the conditions above. Fortunately, (N·X)/Y gives exactly the same result as N/D in integer arithmetic even when (X/Y) is not exactly equal to 1/D, but "close enough" that the error introduced by the approximation is in the bits that are discarded by the shift operation.[22][23][24]Barrett reduction uses powers of 2 for the value of Y to make division by Y a simple right shift.[b]
As a concrete fixed-point arithmetic example, for 32-bit unsigned integers, division by 3 can be replaced with a multiply by 2863311531/233, a multiplication by 2863311531 (hexadecimal 0xAAAAAAAB) followed by a 33 right bit shift. The value of 2863311531 is calculated as 233/3, then rounded up. Likewise, division by 10 can be expressed as a multiplication by 3435973837 (0xCCCCCCCD) followed by division by 235 (or 35 right bit shift).[26]: p230-234 OEIS provides sequences of the constants for multiplication as A346495 and for the right shift as A346496.
For general x-bit unsigned integer division where the divisor D is not a power of 2, the following identity converts the division into two x-bit addition/subtraction, one x-bit by x-bit multiplication (where only the upper half of the result is used) and several shifts, after precomputing and :
In some cases, division by a constant can be accomplished in even less time by converting the "multiply by a constant" into a series of shifts and adds or subtracts.[27] Of particular interest is division by 10, for which the exact quotient is obtained, with remainder if required.[28]
Rounding error
This section needs expansion. You can help by adding to it. (September 2012)
When a division operation is performed, the exact quotient and remainder are approximated to fit within the computer’s precision limits. The Division Algorithm states:
This rounding causes a small error, which can propagate and accumulate through subsequent calculations. Such errors are particularly pronounced in iterative processes and when subtracting nearly equal values - is told loss of significance. To mitigate these errors, techniques such as the use of guard digits or higher precision arithmetic are employed.[29][30]
^Despite how "little" problem the optimization causes, this reciprocal optimization is still usually hidden behind a "fast math" flag in modern compilers as it is inexact.
^Modern compilers commonly perform this integer multiply-and-shift optimization; for a constant only known at run-time, however, the program must implement the optimization itself.[25]
References
^Rodeheffer, Thomas L. (2008-08-26). Software Integer Division(PDF) (Technical report). Microsoft Research, Silicon Valley.
^Harris, David L.; Oberman, Stuart F.; Horowitz, Mark A. (9 September 1998). SRT Division: Architectures, Models, and Implementations(PDF) (Technical report). Stanford University. Archived(PDF) from the original on 24 December 2016. Retrieved 23 December 2016.
^S. F. Anderson, J. G. Earle, R. E. Goldschmidt, D. M. Powers. The IBM 360/370 model 91: floating-point execution unit, IBM Journal of Research and Development, January 1997
^Joachim Ziegler, Christoph Burnikel (1998), Fast Recursive Division, Max-Planck-Institut für Informatik, archived from the original on 2011-04-26, retrieved 2021-09-10{{citation}}: CS1 maint: location missing publisher (link)
Halaman ini berisi artikel tentang istana di Damaskus. Untuk istana di Hamat yang dibangun oleh klien yang sama, lihat Istana Azm (Hamat). Istana Azmقصر العظمNama lainQasr al-AzmInformasi umumJenisIstana, MuseumGaya arsitekturOttomanLokasiDamascus, SyriaAlamatAl-Buzuriyah SouqRampung1750Tanggal renovasi1945-1961KlienAs'ad Pasha al-AzmData teknisJumlah lantai2Tim renovasiPenghargaanPenghargaan Aga Khan untuk Arsitektur Istana Azm (Arab: قصر العظمcode: ar is deprecated ) adalah seb…
La statua del Chollima a Pyongyang simboleggia la velocità con cui la società coreana dovrebbe progredire.Il movimento Chollima (천리마운동?, 千里馬運動?, ch'ŏllima undongMR) era un movimento stacanovista sponsorizzato dallo stato nordcoreano che promuoveva un rapido sviluppo economico. Esso iniziò nel 1956 o nel 1958[1] e fu caratterizzato principalmente dal culto della personalità nei confronti del presidente Kim Il-sung. Indice 1 Storia 1.1 Il movimento 1.2 Conseguenze …
Papa Agapito I57º papa della Chiesa cattolicaElezione13 maggio 535 Fine pontificato22 aprile 536(0 anni e 345 giorni) Cardinali creativedi categoria Predecessorepapa Giovanni II Successorepapa Silverio NascitaRoma, ? MorteCostantinopoli, 22 aprile 536 SepolturaBasilica di San Pietro in Vaticano Manuale «Ma 'l benedetto Agapito che fue sommo pastore, a la fede sincera mi dirizzò con le parole sue.» (Dante Alighieri, Divina Commedia - Paradiso, canto VI, vv. 16 - 18) Sant'…
1968 Fijian by-elections 31 August - 7 September 1968 All 9 Indo-Fijian seats on the Legislative Council First party Second party Leader A. D. Patel Kamisese Mara Party Federation Party Alliance Seats won 9 0 Popular vote 46,960 12,826 Percentage 78.55% 21.45% Politics of Fiji Constitution History Executive President (list) Wiliame Katonivere Prime Minister Sitiveni Rabuka Cabinet Attorney-General Siromi Turaga Leader of the Opposition Inia Seruiratu Legislative Parliamen…
1938 film by Gustaf Molander For the 1941 Hollywood film, see A Woman's Face. A Woman's FaceTheatrical release posterDirected byGustaf MolanderScreenplay byGösta StevensStina BergmanRagnhild PrimBased onIl était une fois...by Francis de CroissetStarringIngrid BergmanCinematographyÅke DahlqvistEdited byOscar RosanderMusic byEric BengtsonJules SylvainDistributed bySvensk FilmindustriRelease dates August 1938 (1938-08) (Venice Film Festival) 31 October 1938 (1938-10-…
Roman emperors who seized power through command of an army This article does not cite any sources. Please help improve this article by adding citations to reliable sources. Unsourced material may be challenged and removed.Find sources: Barracks emperor – news · newspapers · books · scholar · JSTOR (December 2009) (Learn how and when to remove this template message) Aureus of Probus (r. 276–282), showing him in armour A barracks emperor (also calle…
Rose Kennedy cocktail Rose Kennedy (also commonly known as a VSS (vodka soda splash))[1] is a cocktail popular in the mid-Atlantic and Northeastern United States. It consists of varying amounts of vodka and club soda with a splash of cranberry juice for color and taste. The cocktail, was typically garnished with a lime wedge, and is based on the Cape Cod and named after Rose Kennedy, the matriarch of the Kennedy Family of Cape Cod and the mother of President John F. Kennedy from Massachu…
У этого термина существуют и другие значения, см. Чайки (значения). Чайки Доминиканская чайкаЗападная чайкаКалифорнийская чайкаМорская чайка Научная классификация Домен:ЭукариотыЦарство:ЖивотныеПодцарство:ЭуметазоиБез ранга:Двусторонне-симметричныеБез ранга:Вторичн…
هنودمعلومات عامةنسبة التسمية الهند التعداد الكليالتعداد قرابة 1.21 مليار[1][2]تعداد الهند عام 2011ق. 1.32 مليار[3]تقديرات عام 2017ق. 30.8 مليون[4]مناطق الوجود المميزةبلد الأصل الهند البلد الهند الهند نيبال 4,000,000[5] الولايات المتحدة 3,982,398[6] الإمارا…
1945–1947 U.S. Congress 79th United States Congress78th ←→ 80thUnited States Capitol (1956)January 3, 1945 – January 3, 1947Members96 senators435 representatives4 non-voting delegatesSenate majorityDemocraticSenate PresidentHenry A. Wallace (D)[a](until January 20, 1945)Harry S. Truman (D)[b](Jan 20–Apr 12, 1945)Vacant(from April 12, 1945)House majorityDemocraticHouse SpeakerSam Rayburn (D)Sessions1st: January 3, 1945 – December 21, 19452nd: January 14, 1946…
Wakil Bupati BulelengSinga ambara rajaPetahanadr. I Nyoman Sutjidra, Sp.OG.sejak 27 Agustus 2017Masa jabatan5 tahunDibentuk2002Pejabat pertamaI Gede WardanaSitus webbulelengkab.go.id Berikut ini adalah daftar Wakil Bupati Buleleng dari masa ke masa. No Wakil Bupati Mulai Jabatan Akhir Jabatan Prd. Ket. Bupati 1 Drs.I Gede WardanaM.Si. 2002 11 Mei 2007 1 Putu Bagiada Jabatan kosong 11 Mei 2007 24 Juli 2007 Drs.I Gede WardanaM.Si. 2 Made Arga Pynatih 24 Juli 2007 24 Juli 2012 2 …
هناك العديد من الحوادث النووية والإشعاعية التي تؤدي إلي الوفاة، مثل حوادث محطات الطاقة النووية، وحوادث الغواصات النووية، وحوادث العلاج الإشعاعي. قائمة الحوادث الوفيات الحادثة التاريخ تفاصيل متنازع عليها كارثة كيشتيم 29 سبتمبر 1957 عدد الوفيات غير معروف، وتتراوح التقديرات م…
Former mine site near Wasa, British Columbia This article relies excessively on references to primary sources. Please improve this article by adding secondary or tertiary sources. Find sources: Estella Mine – news · newspapers · books · scholar · JSTOR (June 2008) (Learn how and when to remove this message) Estella MineLocationEstella MineLocation in British ColumbiaLocationWasaProvinceBritish ColumbiaCountryCanadaCoordinates49°46′10″N 115°36′19…
ChrysoberylThông tin chungThể loạiKhoáng vật oxideCông thức hóa họcBeAl2O4Phân loại Strunz04.BA.05Hệ tinh thểthoiNhóm không gianThoi 2/m2/m2/m tháp đôiÔ đơn vịa = 5.481 Å, b = 9.415 Å, c = 4.428 Å; Z = 8Nhận dạngMàunhiều sắc của màu lục, vàng, nâu đến đen lục, có thể có màu đỏ mâm xôi dưới ánh sáng đèn dây tóc; không màu, vàng, lục hoặc đỏ đối với ánh sáng truyền quaDạng thường tinh thểtinh thể…
This article is about the city. For the military base, see Bagram Airfield. For the village in Iran, see Bagram, Iran. Town in Parwan, AfghanistanBagram بگرامبګرامTownClockwise from top: Bazaar and part of Bagram (2009); Bagram Valley; A U.S. Army CH-47 Chinook heavy lift helicopter takes off on February 4, 2012 from Bagram Airfield; and Bagram Airfield in winterBagramLocation in AfghanistanShow map of AfghanistanBagramBagram (South Asia)Show map of South AsiaCoordinates: 34°56′25…