Share to: share facebook share twitter share wa share telegram print page

Integer overflow

Integer overflow can be demonstrated through an odometer overflowing, a mechanical version of the phenomenon. All digits are set to the maximum 9 and the next increment of the white digit causes a cascade of carry-over additions setting all digits to 0, but there is no higher digit (1,000,000s digit) to change to a 1, so the counter resets to zero. This is wrapping in contrast to saturating.

In computer programming, an integer overflow occurs when an arithmetic operation on integers attempts to create a numeric value that is outside of the range that can be represented with a given number of digits – either higher than the maximum or lower than the minimum representable value.

The most common result of an overflow is that the least significant representable digits of the result are stored; the result is said to wrap around the maximum (i.e. modulo a power of the radix, usually two in modern computers, but sometimes ten or other number). On some processors like graphics processing units (GPUs) and digital signal processors (DSPs) which support saturation arithmetic, overflowed results would be clamped, i.e. set to the minimum value in the representable range if the result is below the minimum and set to the maximum value in the representable range if the result is above the maximum, rather than wrapped around.

An overflow condition may give results leading to unintended behavior. In particular, if the possibility has not been anticipated, overflow can compromise a program's reliability and security.

For some applications, such as timers and clocks, wrapping on overflow can be desirable. The C11 standard states that for unsigned integers, modulo wrapping is the defined behavior and the term overflow never applies: "a computation involving unsigned operands can never overflow."[1]

Origin

The register width of a processor determines the range of values that can be represented in its registers. Though the vast majority of computers can perform multiple-precision arithmetic on operands in memory, allowing numbers to be arbitrarily long and overflow to be avoided, the register width limits the sizes of numbers that can be operated on (e.g., added or subtracted) using a single instruction per operation. Typical binary register widths for unsigned integers include:

  • 4-bit: maximum representable value 24 − 1 = 15
  • 8-bit: maximum representable value 28 − 1 = 255
  • 16-bit: maximum representable value 216 − 1 = 65,535
  • 32-bit: maximum representable value 232 − 1 = 4,294,967,295 (the most common width for personal computers as of 2005),
  • 64-bit: maximum representable value 264 − 1 = 18,446,744,073,709,551,615 (the most common width for personal computer central processing units (CPUs), as of 2024),
  • 128-bit: maximum representable value 2128 − 1 = 340,282,366,920,938,463,463,374,607,431,768,211,455

When an unsigned arithmetic operation produces a result larger than the maximum above for an N-bit integer, an overflow reduces the result to modulo N-th power of 2, retaining only the least significant bits of the result and effectively causing a wrap around.

In particular, multiplying or adding two integers may result in a value that is unexpectedly small, and subtracting from a small integer may cause a wrap to a large positive value (for example, 8-bit integer addition 255 + 2 results in 1, which is 257 mod 28, and similarly subtraction 0 − 1 results in 255, a two's complement representation of −1).

Such wraparound may cause security detriments—if an overflowed value is used as the number of bytes to allocate for a buffer, the buffer will be allocated unexpectedly small, potentially leading to a buffer overflow which, depending on the use of the buffer, might in turn cause arbitrary code execution.

If the variable has a signed integer type, a program may make the assumption that a variable always contains a positive value. An integer overflow can cause the value to wrap and become negative, which violates the program's assumption and may lead to unexpected behavior (for example, 8-bit integer addition of 127 + 1 results in −128, a two's complement of 128). (A solution for this particular problem is to use unsigned integer types for values that a program expects and assumes will never be negative.)

Flags

Most computers have two dedicated processor flags to check for overflow conditions.

The carry flag is set when the result of an addition or subtraction, considering the operands and result as unsigned numbers, does not fit in the given number of bits. This indicates an overflow with a carry or borrow from the most significant bit. An immediately following add with carry or subtract with borrow operation would use the contents of this flag to modify a register or a memory location that contains the higher part of a multi-word value.

The overflow flag is set when the result of an operation on signed numbers does not have the sign that one would predict from the signs of the operands, e.g., a negative result when adding two positive numbers. This indicates that an overflow has occurred and the signed result represented in two's complement form would not fit in the given number of bits.

Definition variations and ambiguity

For an unsigned type, when the ideal result of an operation is outside the type's representable range and the returned result is obtained by wrapping, then this event is commonly defined as an overflow. In contrast, the C11 standard defines that this event is not an overflow and states "a computation involving unsigned operands can never overflow."[1]

When the ideal result of an integer operation is outside the type's representable range and the returned result is obtained by clamping, then this event is commonly defined as a saturation. Use varies as to whether a saturation is or is not an overflow. To eliminate ambiguity, the terms wrapping overflow[2] and saturating overflow[3] can be used.

Many references can be found to integer underflow.[4][5][6][7][8] When the term integer underflow is used, it means the ideal result was closer to negative infinity than the output type's representable value closest to negative infinity. Depending on context, the definition of overflow may include all types including underflows, or it may only include cases where the ideal result was closer to positive infinity than the output type's representable value closest to positive infinity.

When the ideal result of an operation is not an exact integer, the meaning of overflow can be ambiguous in edge cases. Consider the case where the ideal result has a value of 127.25 and the output type's maximum representable value is 127. If overflow is defined as the ideal value being outside the representable range of the output type, then this case would be classified as an overflow. For operations that have well defined rounding behavior, overflow classification may need to be postponed until after rounding is applied. The C11 standard[1] defines that conversions from floating point to integer must round toward zero. If C is used to convert the floating point value 127.25 to integer, then rounding should be applied first to give an ideal integer output of 127. Since the rounded integer is in the outputs range, the C standard would not classify this conversion as an overflow.

Inconsistent behavior

The behavior on occurrence of overflow may not be consistent in all circumstances. For example, in the language Rust, while functionality is provided to give users choice and control, the behavior for basic use of mathematic operators is naturally fixed; however, this fixed behavior differs between a program built in 'debug' mode and one built in 'release' mode.[9] In C, unsigned integer overflow is defined to wrap around, while signed integer overflow causes undefined behavior.

Methods to address integer overflow problems

Integer overflow handling in various programming languages
Language Unsigned integer Signed integer
Ada modulo the type's modulus raise Constraint_Error
C, C++ modulo power of two undefined behavior
C# modulo power of 2 in unchecked context; System.OverflowException is raised in checked context[10]
Java modulo power of two (char is the only unsigned primitive type in Java) modulo power of two
JavaScript all numbers are double-precision floating-point except the new BigInt
MATLAB Builtin integers saturate. Fixed-point integers configurable to wrap or saturate
Python 2 convert to long type (bigint)
Seed7 raise OVERFLOW_ERROR[11]
Scheme convert to bigNum
Simulink configurable to wrap or saturate
Smalltalk convert to LargeInteger
Swift Causes error unless using special overflow operators.[12]

Detection

Run-time overflow detection implementation UBSan (undefined behavior sanitizer) is available for C compilers.

In Java 8, there are overloaded methods, for example Math.addExact(int, int), which will throw an ArithmeticException in case of overflow.

Computer emergency response team (CERT) developed the As-if Infinitely Ranged (AIR) integer model, a largely automated mechanism to eliminate integer overflow and truncation in C/C++ using run-time error handling.[13]

Avoidance

By allocating variables with data types that are large enough to contain all values that may possibly be computed and stored in them, it is always possible to avoid overflow. Even when the available space or the fixed data types provided by a programming language or environment are too limited to allow for variables to be defensively allocated with generous sizes, by carefully ordering operations and checking operands in advance, it is often possible to ensure a priori that the result will never be larger than can be stored. Static analysis tools, formal verification and design by contract techniques can be used to more confidently and robustly ensure that an overflow cannot accidentally result.

Handling

If it is anticipated that overflow may occur, then tests can be inserted into the program to detect when it happens, or is about to happen, and do other processing to mitigate it. For example, if an important result computed from user input overflows, the program can stop, reject the input, and perhaps prompt the user for different input, rather than the program proceeding with the invalid overflowed input and probably malfunctioning as a consequence.

CPUs generally have a way to detect this to support addition of numbers larger than their register size, typically using a status bit. The technique is called multiple-precision arithmetic. Thus, it is possible to perform byte-wide addition on operands wider than a byte: first add the low bytes, store the result and check for overflow; then add the high bytes, and if necessary add the carry from the low bytes, then store the result.

Handling possible overflow of a calculation may sometimes present a choice between performing a check before a calculation (to determine whether or not overflow is going to occur), or after it (to consider whether or not it likely occurred based on the resulting value). Since some implementations might generate a trap condition on integer overflow, the most portable programs test in advance of performing the operation that might overflow.

Programming language support

Programming languages implement various mitigation methods against an accidental overflow: Ada, Seed7, and certain variants of functional languages trigger an exception condition on overflow, while Python (since 2.4) seamlessly converts internal representation of the number to match its growth, eventually representing it as long – whose ability is only limited by the available memory.[14]

In languages with native support for arbitrary-precision arithmetic and type safety (such as Python, Smalltalk, or Common Lisp), numbers are promoted to a larger size automatically when overflows occur, or exceptions thrown (conditions signaled) when a range constraint exists. Using such languages may thus be helpful to mitigate this issue. However, in some such languages, situations are still possible where an integer overflow can occur. An example is explicit optimization of a code path which is considered a bottleneck by the profiler. In the case of Common Lisp, this is possible by using an explicit declaration to type-annotate a variable to a machine-size word (fixnum)[15] and lower the type safety level to zero[16] for a particular code block.[17][18][19][20]

In stark contrast to older languages such as C, some newer languages such as Rust provide built-in functions that allow easy detection and user choice over how overflow should be handled case-by-case. In Rust, while use of basic mathematic operators naturally lacks such flexibility, users can alternatively perform calculations via a set of methods provided by each of the integer primitive types. These methods give users several choices between performing a checked (or overflowing) operation (which indicates whether or not overflow occurred via the return type); an 'unchecked' operation; an operation that performs wrapping, or an operation which performs saturation at the numeric bounds.

Saturated arithmetic

In computer graphics or signal processing, it is typical to work on data that ranges from 0 to 1 or from −1 to 1. For example, take a grayscale image where 0 represents black, 1 represents white, and the values in between represent shades of gray. One operation that one may want to support is brightening the image by multiplying every pixel by a constant. Saturated arithmetic allows one to just blindly multiply every pixel by that constant without worrying about overflow by just sticking to a reasonable outcome that all these pixels larger than 1 (i.e., "brighter than white") just become white and all values "darker than black" just become black.

Examples

Unanticipated arithmetic overflow is a fairly common cause of program errors. Such overflow bugs may be hard to discover and diagnose because they may manifest themselves only for very large input data sets, which are less likely to be used in validation tests.

Taking the arithmetic mean of two numbers by adding them and dividing by two, as done in many search algorithms, causes error if the sum (although not the resulting mean) is too large to be represented and hence overflows.[21]

Between 1985 and 1987, arithmetic overflow in the Therac-25 radiation therapy machines, along with a lack of hardware safety controls, caused the death of at least six people from radiation overdoses.[22]

An unhandled arithmetic overflow in the engine steering software was the primary cause of the crash of the 1996 maiden flight of the Ariane 5 rocket.[23] The software had been considered bug-free since it had been used in many previous flights, but those used smaller rockets which generated lower acceleration than Ariane 5. Frustratingly, the part of the software in which the overflow error occurred was not even required to be running for the Ariane 5 at the time that it caused the rocket to fail: it was a launch-regime process for a smaller predecessor of the Ariane 5 that had remained in the software when it was adapted for the new rocket. Further, the true cause of the failure was a flaw in the engineering specification of how the software dealt with the overflow when it was detected: it did a diagnostic dump to its bus, which would have been connected to test equipment during software testing during development but was connected to the rocket steering motors during flight; the data dump drove the engine nozzle hard to one side which put the rocket out of aerodynamic control and precipitated its rapid breakup in the air.[24]

On 30 April 2015, the U.S. Federal Aviation Administration announced it will order Boeing 787 operators to reset its electrical system periodically, to avoid an integer overflow which could lead to loss of electrical power and ram air turbine deployment, and Boeing deployed a software update in the fourth quarter.[25] The European Aviation Safety Agency followed on 4 May 2015.[26] The error happens after 231 hundredths of a second (about 249 days), indicating a 32-bit signed integer.

Overflow bugs are evident in some computer games. In Super Mario Bros. for the NES, the stored number of lives is a signed byte (ranging from −128 to 127) meaning the player can safely have 127 lives, but when the player reaches their 128th life, the counter rolls over to zero lives (although the number counter is glitched before this happens) and stops keeping count. As such, if the player then dies it's an immediate game over. This is caused by the game's data overflow that was an error of programming as the developers may not have thought said number of lives would be reasonably earned in a full playthrough.

In the arcade game Donkey Kong, it is impossible to advance past level 22 due to an integer overflow in its time/bonus. The game calculates the time/bonus by taking the level number a user is on, multiplying it by 10, and adding 40. When they reach level 22, the time/bonus number is 260, which is too large for its 8-bit 256 value register, so it overflows to a value of 4 – too short to finish the level. In Donkey Kong Jr. Math, when trying to calculate a number over 10,000, it shows only the first 4 digits. Overflow is the cause of the famous "split-screen" level in Pac-Man.[27] Such a bug also caused the Far Lands in Minecraft Java Edition which existed from the Infdev development period to Beta 1.7.3; it was later fixed in Beta 1.8. The same bug also existed in Minecraft Bedrock Edition but has since been fixed.[28]

In the Super Nintendo Entertainment System (SNES) game Lamborghini American Challenge, the player can cause their amount of money to drop below $0 during a race by being fined over the limit of remaining money after paying the fee for a race, which glitches the integer and grants the player $65,535,000 more than it would have had after going negative.[29]

An integer signedness bug in the stack setup code emitted by the Pascal compiler prevented IBM–Microsoft Macro Assembler (MASM) version 1.00, a DOS program from 1981, and many other programs compiled with the same compiler, to run under some configurations with more than 512 KB of memory.

IBM–Microsoft Macro Assembler (MASM) version 1.00, and likely all other programs built by the same Pascal compiler, had an integer overflow and signedness error in the stack setup code, which prevented them from running on newer DOS machines or emulators under some common configurations with more than 512 KB of memory. The program either hangs or displays an error message and exits to DOS.[30]

In August 2016, a casino machine at Resorts World casino printed a prize ticket of $42,949,672.76 as a result of an overflow bug. The casino refused to pay this amount, calling it a malfunction, using in their defense that the machine clearly stated that the maximum payout was $10,000, so any prize exceeding that had to be the result of a programming bug. The New York State Gaming Commission ruled in favor of the casino.[31]

See also

References

  1. ^ a b c ISO staff. "ISO/IEC 9899:2011 Information technology - Programming languages - C". ANSI.org.
  2. ^ "Wrap on overflow - MATLAB & Simulink". www.mathworks.com.
  3. ^ "Saturate on overflow - MATLAB & Simulink". www.mathworks.com.
  4. ^ "CWE - CWE-191: Integer Underflow (Wrap or Wraparound) (3.1)". cwe.mitre.org.
  5. ^ "Overflow And Underflow of Data Types in Java - DZone Java". dzone.com.
  6. ^ Mir, Tabish (4 April 2017). "Integer Overflow/Underflow and Floating Point Imprecision". medium.com.
  7. ^ "Integer underflow and buffer overflow processing MP4 metadata in libstagefright". Mozilla.
  8. ^ "Avoiding Buffer Overflows and Underflows". developer.apple.com.
  9. ^ "Operator expressions - The Rust Reference". Rust-lang.org. Retrieved 2021-02-12.
  10. ^ BillWagner (8 April 2023). "Checked and Unchecked (C# Reference)". msdn.microsoft.com.
  11. ^ Seed7 manual, section 16.3.3 OVERFLOW_ERROR.
  12. ^ The Swift Programming Language. Swift 2.1 Edition. October 21, 2015.
  13. ^ As-if Infinitely Ranged Integer Model
  14. ^ Python documentation, section 5.1 Arithmetic conversions.
  15. ^ "Declaration TYPE". Common Lisp HyperSpec.
  16. ^ "Declaration OPTIMIZE". Common Lisp HyperSpec.
  17. ^ Reddy, Abhishek (2008-08-22). "Features of Common Lisp".
  18. ^ Pierce, Benjamin C. (2002). Types and Programming Languages. MIT Press. ISBN 0-262-16209-1.
  19. ^ Wright, Andrew K.; Felleisen, Matthias (1994). "A Syntactic Approach to Type Soundness". Information and Computation. 115 (1): 38–94. doi:10.1006/inco.1994.1093.
  20. ^ Macrakis, Stavros (April 1982). "Safety and power". ACM SIGSOFT Software Engineering Notes. 7 (2): 25–26. doi:10.1145/1005937.1005941. S2CID 10426644.
  21. ^ "Extra, Extra - Read All About It: Nearly All Binary Searches and Mergesorts are Broken". googleresearch.blogspot.co.uk. 2 June 2006.
  22. ^ Beuhler, Patrick (2021-07-05). "When Small Software Bugs Cause Big Problems". Grio Blog. Retrieved 2023-07-16.
  23. ^ Gleick, James (1 December 1996). "A Bug and A Crash". The New York Times. Retrieved 17 January 2019.
  24. ^ Official report of Ariane 5 launch failure incident.
  25. ^ Mouawad, Jad (30 April 2015). "F.A.A. Orders Fix for Possible Power Loss in Boeing 787". New York Times.
  26. ^ "US-2015-09-07: Electrical Power – Deactivation". Airworthiness Directives. European Aviation Safety Agency. 4 May 2015.
  27. ^ Pittman, Jamey. "The Pac-Man Dossier".
  28. ^ "Far Lands". Minecraft Wiki. Retrieved 24 September 2023.
  29. ^ Archived at Ghostarchive and the Wayback Machine: "Lamborghini American Challenge SPEEDRUN (13:24)". YouTube. 14 March 2019.
  30. ^ Lenclud, Christophe (21 April 2017). "Debugging IBM MACRO Assembler Version 1.00".
  31. ^ Kravets, David (June 15, 2017). "Sorry ma'am you didn't win $43M – there was a slot machine 'malfunction'". Ars Technica.

Read other articles:

Ramiro II de León Rey de León Ramiro II, según una miniatura del Tumbo A de la Catedral de Santiago de Compostela.Reinado 931-951Predecesor Alfonso IVSucesor Ordoño IIIInformación personalNacimiento c. 898Fallecimiento Enero de 951 (52 o 53 años)León, LeónSepultura Panteón de Reyes de San Isidoro de LeónFamiliaDinastía Astur-leonesaPadre Ordoño II de LeónMadre Elvira MenéndezCónyuge Adosinda GutiérrezUrraca SánchezHijos Véase Matrimonios y descendencia[editar datos en W...

Bupati MelawiLambang Kabupaten MelawiPetahanaDadi Sunarya Usfa Yursasejak 26 Februari 2021KediamanKantor Bupati MelawiMasa jabatan5 tahunDibentuk2004Pejabat pertamaDrs. Ambrosius Suman Kurik, MMSitus webmelawikab.go.id Berikut ini adalah Daftar Bupati Melawi yang menjabat sejak pembentukannya pada tahun 2004. No Bupati Awal Jabatan Akhir Jabatan Prd. Wakil Bupati Ket. 1 Drs. Ambrosius Suman Kurik, M.M. 2004 2005 — ― 2005 2010 1 H. Firman Muntaco, S.H. 2 H. Firman Muntaco, S.H. 13 Jan...

Israël Eerste deelname 2012 Aantal deelnamen 3 Aantal gewonnen 0 Zender IBA Statistieken Hoogste positie 8ste (2012) Laagste positie 15de (2016) Portaal    Eurovisiesongfestival Twee leden van Kids.il, 2012 Israël heeft tot op heden drie keer deelgenomen aan het Junior Eurovisiesongfestival. Geschiedenis Israël maakte zijn debuut op het Junior Eurovisiesongfestival 2012. Het land had ook in 2004 en in 2008 al interesse in het festival getoond, maar beide ...

Антоній Орлеанський і Брагансапорт. Antônio João de Orléans e Bragança   Народження: 24 червня 1950(1950-06-24)[1] (73 роки)Ріо-де-Жанейро, Бразилія Країна: Бразилія Рід: Бразильська імператорська династія Батько: Pedro Henrique de Orléans e Bragançad Мати: Princess Maria Elisabeth of Bavariad Шлюб: Princess Christine of Ligned Діти: Rafa...

Festival Студійний альбомВиконавець SantanaДата випуску січень 1977Записаний 1976Жанр рокТривалість 45:32Мова англійськаЛейбл Columbia RecordsПродюсер David RubinsonХронологія Santana Попередній Amigos Moonflower Наступний Festival — восьмий студійний альбом гурту Santana. Виданий у січні 1977 року лейблом Columbi...

División del territorio entre la Confederación Argentina y el Estado de Buenos Aires. Los Pactos de Convivencia fueron dos tratados firmados a finales de 1854 y comienzos de 1855 entre la Confederación Argentina y el Estado de Buenos Aires en el marco de la guerra que los enfrentaba desde 1852. El primer convenio fue firmado el 20 de diciembre de 1854 entre los representantes José María Cullen, Daniel Gowland y Ireneo Portela, en el cual se restablecía las relaciones económicas anterio...

Coordenadas: 18° 55' N 70° 28' O Este artigo não cita fontes confiáveis. Ajude a inserir referências. Conteúdo não verificável pode ser removido.—Encontre fontes: ABW  • CAPES  • Google (N • L • A) (Abril de 2020) Monseñor Nouel Fundação Não disponível Capital Bonao População 167.618 habitantes Censo 2002 Área 992,39 km² Densidade 168,90 hab/km² População Urbana Não disponível ISO 3166-2 Do-28 Mapa M...

Gerardo Clemente Vega García Gerardo Clemente Vega García (Puebla, 28 maart 1940 – Mérida, 21 juni 2022) was een Mexicaans generaal en politicus. Hij was militair attaché in West-Duitsland, Polen en de Sovjet-Unie. Van 2000 tot 2006 was hij minister van defensie van Mexico. Vega García overleed op 82-jarige leeftijd in een ziekenhuis in Mérida.[1] Geplaatst op:31-10-2005 Dit artikel is een beginnetje over politiek. U wordt uitgenodigd om op bewerken te klikken om uw kenni...

Embedded operating system by Microsoft released in 2004 This article has an unclear citation style. The references used may be made clearer with a different or consistent style of citation and footnoting. (July 2011) (Learn how and when to remove this template message) Windows CE 5.0Version of the Windows CE operating systemDeveloperMicrosoftWorking stateDiscontinuedSource modelClosed-sourceSource-available (through Shared Source Initiative)Released tomanufacturingJuly 9, 2004Latest releaseCE...

São PauloNama lengkapSão Paulo Futebol ClubeJulukanTricolor (Tricolour)O Clube da Fé (Tim Iman) Soberano (Berdaulat)Berdiri16 Desember 1935; 87 tahun lalu (1935-12-16)StadionMorumbi, São Paulo(Kapasitas: 67.052)PresidenCarlos Augusto de Barros e SilvaPelatih kepalaDorival JúniorLigaCampeonato Brasileiro Série A Campeonato Paulista2014 2015Brasileirão, ke-2 Paulistão, ke-4Situs webSitus web resmi klub Kostum kandang Kostum tandang Musim ini São Paulo Futebol Clube (pengucapa...

Private university in Indonesia Bandung Islamic UniversityUniversitas Islam BandungLogo of UNISBA [1]MottoMujahid, mujtahid, mujaddidMotto in EnglishLeader, researcher, pioneerTypePrivateEstablished15 November 1958RectorH. Edi SetiadiAcademic staff828 (2014)[2]S1 - 14%[2]S2 - 64%[2]S3 - 22%[2]Students12.274 [2]Undergraduates10.923Postgraduates1.154Doctoral students197AddressJl. Tamansari No.1, 20, 22, 24, 26, Bandung, Indonesia6°54′13″...

هذه المقالة يتيمة إذ تصل إليها مقالات أخرى قليلة جدًا. فضلًا، ساعد بإضافة وصلة إليها في مقالات متعلقة بها. (أغسطس 2023) محامي اللنكون ملف:Lincoln Lawyer TV series.jpg النوع Legal drama مبني على The Brass Verdictمن تأليف مايكل كونيلي تأليف ديفيد إي. كيلي تطوير تيد همفري إخراج ليز فرايدلاندر  سيناريو دي

Qing dynasty princess and Japanese spy For the Hong Kong film based on her life, see Kawashima Yoshiko (film). Yoshiko KawashimaYoshiko Kawashima in Manchukuo army uniformNative name川島 芳子Birth nameAisin Gioro Xianyu(愛新覺羅·顯玗)Other name(s)Dongzhen (東珍) Jin Bihui (金璧輝) Eastern JewelNickname(s)Joan of Arc of ManchukuoBorn(1907-05-24)24 May 1907Beijing, Qing EmpireDied25 March 1948(1948-03-25) (aged 40)Beijing, Republic of ChinaBuriedShōrinji, Matsumoto, Nagano...

هذه المقالة يتيمة إذ تصل إليها مقالات أخرى قليلة جدًا. فضلًا، ساعد بإضافة وصلة إليها في مقالات متعلقة بها. (أبريل 2019) رالف فينزيل معلومات شخصية تاريخ الميلاد 22 يوليو 1918  الوفاة 6 نوفمبر 2001 (83 سنة)   ليكسينغتون، كنتاكي  مواطنة الولايات المتحدة  الطول 72 بوصة  الوزن 205

Spanish slave Part of a series onSlavery Contemporary Child labour Child soldiers Conscription Debt Forced marriage Bride buying Child marriage Wife selling Forced prostitution Human trafficking Peonage Penal labour Contemporary Africa 21st-century jihadism Sexual slavery Wage slavery Historical Antiquity Egypt Babylonia Greece Rome Medieval Europe Ancillae Balkan slave trade Byzantine Empire Kholop Serfs History In Russia Emancipation Thrall Muslim world Contract of manumission Crimean slave...

«Мототрек» Повна назва Рівненський стадіон технічних видів спорту «Мототрек» Країна  Україна Розташування  Україна, Рівне Координати 50°21′36″ пн. ш. 26°09′37″ сх. д. / 50.360018° пн. ш. 26.16039° сх. д. / 50.360018; 26.16039 Побудовано 1959 Реконструйовано 1...

Questa voce sull'argomento Chiese della Francia è solo un abbozzo. Contribuisci a migliorarla secondo le convenzioni di Wikipedia. Cattedrale di Nostra SignoraStato Francia    Polinesia francese LocalitàPapeete Coordinate17°32′25″S 149°34′01″W / 17.540278°S 149.566944°W-17.540278; -149.566944Coordinate: 17°32′25″S 149°34′01″W / 17.540278°S 149.566944°W-17.540278; -149.566944 Religionecattolica di rito roma...

Biểu tượng của NSA (Cơ quan tình báo Mỹ trực thuộc bộ Quốc phòng) Hình tượng đại bàng hoặc giống đại bàng được sử dụng trong các huy hiệu như hiệu lệnh, như là một hình ảnh tượng trưng, và như là một tiêu ngữ. Các bộ phận của cơ thể của chim đại bàng như đầu, cánh của nó hoặc chân cũng được sử dụng như là một hiệu lệnh hoặc tiêu ngữ. Đây là nhóm các loài chim có kíc...

Artikel ini sebatang kara, artinya tidak ada artikel lain yang memiliki pranala balik ke halaman ini.Bantulah menambah pranala ke artikel ini dari artikel yang berhubungan atau coba peralatan pencari pranala.Tag ini diberikan pada Desember 2022. Mei ShigenobuNama asal重信メイLahir1 Maret 1973 (umur 50)Beirut, LebanonNama lainMay ShigenobuWarga negaraJepangAlmamaterUniversitas Lebanon Universitas Amerika Beirut Universitas DoshishaPekerjaanwartawatiTempat kerjaAsahi Newstar ...

1945 siege of the German city of Breslau during World War II This article needs additional citations for verification. Please help improve this article by adding citations to reliable sources. Unsourced material may be challenged and removed.Find sources: Siege of Breslau – news · newspapers · books · scholar · JSTOR (April 2015) (Learn how and when to remove this template message) Siege of BreslauPart of the Eastern Front of World War IIGerman troops ...

Kembali kehalaman sebelumnya