In computing, a hash table is a data structure that implements an associative array, also called a dictionary or simply map; an associative array is an abstract data type that maps keys to values.[2] A hash table uses a hash function to compute an index, also called a hash code, into an array of buckets or slots, from which the desired value can be found. During lookup, the key is hashed and the resulting hash indicates where the corresponding value is stored. A map implemented by a hash table is called a hash map.
Most hash table designs employ an imperfect hash function. Hash collisions, where the hash function generates the same index for more than one key, therefore typically must be accommodated in some way.
In a well-dimensioned hash table, the average time complexity for each lookup is independent of the number of elements stored in the table. Many hash table designs also allow arbitrary insertions and deletions of key–value pairs, at amortized constant average cost per operation.[3][4][5]
Hashing is an example of a space-time tradeoff. If memory is infinite, the entire key can be used directly as an index to locate its value with a single memory access. On the other hand, if infinite time is available, values can be stored without regard for their keys, and a binary search or linear search can be used to retrieve the element.[6]: 458
The idea of hashing arose independently in different places. In January 1953, Hans Peter Luhn wrote an internal IBM memorandum that used hashing with chaining. The first example of open addressing was proposed by A. D. Linh, building on Luhn's memorandum.[4]: 547 Around the same time, Gene Amdahl, Elaine M. McGraw, Nathaniel Rochester, and Arthur Samuel of IBM Research implemented hashing for the IBM 701assembler.[7]: 124 Open addressing with linear probing is credited to Amdahl, although Andrey Ershov independently had the same idea.[7]: 124–125 The term "open addressing" was coined by W. Wesley Peterson in his article which discusses the problem of search in large files.[8]: 15
The first published work on hashing with chaining is credited to Arnold Dumey, who discussed the idea of using remainder modulo a prime as a hash function.[8]: 15 The word "hashing" was first published in an article by Robert Morris.[7]: 126 A theoretical analysis of linear probing was submitted originally by Konheim and Weiss.[8]: 15
Overview
An associative array stores a set of (key, value) pairs and allows insertion, deletion, and lookup (search), with the constraint of unique keys. In the hash table implementation of associative arrays, an array of length is partially filled with elements, where . A value gets stored at an index location , where is a hash function, and .[8]: 2 Under reasonable assumptions, hash tables have better time complexity bounds on search, delete, and insert operations in comparison to self-balancing binary search trees.[8]: 1
Hash tables are also commonly used to implement sets, by omitting the stored value for each key and merely tracking whether the key is present.[8]: 1
Load factor
A load factor is a critical statistic of a hash table, and is defined as follows:[1]
where
is the number of entries occupied in the hash table.
is the number of buckets.
The performance of the hash table deteriorates in relation to the load factor .[8]: 2
The software typically ensures that the load factor remains below a certain constant, . This helps maintain good performance. Therefore, a common approach is to resize or "rehash" the hash table whenever the load factor reaches . Similarly the table may also be resized if the load factor drops below .[9]
Load factor for separate chaining
With separate chaining hash tables, each slot of the bucket array stores a pointer to a list or array of data.[10]
Separate chaining hash tables suffer gradually declining performance as the load factor grows, and no fixed point beyond which resizing is absolutely needed.[9]
With separate chaining, the value of that gives best performance is typically between 1 and 3.[9]
Load factor for open addressing
With open addressing, each slot of the bucket array holds exactly one item. Therefore an open-addressed hash table cannot have a load factor greater than 1.[10]
The performance of open addressing becomes very bad when the load factor approaches 1.[9]
Therefore a hash table that uses open addressing must be resized or rehashed if the load factor approaches 1.[9]
With open addressing, acceptable figures of max load factor should range around 0.6 to 0.75.[11][12]: 110
Hash function
A hash function maps the universe of keys to indices or slots within the table, that is, for . The conventional implementations of hash functions are based on the integer universe assumption that all elements of the table stem from the universe , where the bit length of is confined within the word size of a computer architecture.[8]: 2
A hash function is said to be perfect for a given set if it is injective on , that is, if each element maps to a different value in .[13][14] A perfect hash function can be created if all the keys are known ahead of time.[13]
The scheme in hashing by division is as follows:[8]: 2
where is the hash value of and is the size of the table.
Hashing by multiplication
The scheme in hashing by multiplication is as follows:[8]: 2–3
Where is a non-integer real-valued constant and is the size of the table. An advantage of the hashing by multiplication is that the is not critical.[8]: 2–3 Although any value produces a hash function, Donald Knuth suggests using the golden ratio.[8]: 3
Choosing a hash function
Uniform distribution of the hash values is a fundamental requirement of a hash function. A non-uniform distribution increases the number of collisions and the cost of resolving them. Uniformity is sometimes difficult to ensure by design, but may be evaluated empirically using statistical tests, e.g., a Pearson's chi-squared test for discrete uniform distributions.[16][17]
The distribution needs to be uniform only for table sizes that occur in the application. In particular, if one uses dynamic resizing with exact doubling and halving of the table size, then the hash function needs to be uniform only when the size is a power of two. Here the index can be computed as some range of bits of the hash function. On the other hand, some hashing algorithms prefer to have the size be a prime number.[18]
For open addressing schemes, the hash function should also avoid clustering, the mapping of two or more keys to consecutive slots. Such clustering may cause the lookup cost to skyrocket, even if the load factor is low and collisions are infrequent. The popular multiplicative hash is claimed to have particularly poor clustering behavior.[18][4]
K-independent hashing offers a way to prove a certain hash function does not have bad keysets for a given type of hashtable. A number of K-independence results are known for collision resolution schemes such as linear probing and cuckoo hashing. Since K-independence can prove a hash function works, one can then focus on finding the fastest possible such hash function.[19]
A search algorithm that uses hashing consists of two parts. The first part is computing a hash function which transforms the search key into an array index. The ideal case is such that no two search keys hashes to the same array index. However, this is not always the case and is impossible to guarantee for unseen given data.[20]: 515 Hence the second part of the algorithm is collision resolution. The two common methods for collision resolution are separate chaining and open addressing.[6]: 458
Separate chaining
In separate chaining, the process involves building a linked list with key–value pair for each search array index. The collided items are chained together through a single linked list, which can be traversed to access the item with a unique search key.[6]: 464 Collision resolution through chaining with linked list is a common method of implementation of hash tables. Let and be the hash table and the node respectively, the operation involves as follows:[15]: 258
Chained-Hash-Insert(T, k)
insertxat the head of linked listT[h(k)]
Chained-Hash-Search(T, k)
search for an element with keykin linked listT[h(k)]
Chained-Hash-Delete(T, k)
deletexfrom the linked listT[h(k)]
If the element is comparable either numerically or lexically, and inserted into the list by maintaining the total order, it results in faster termination of the unsuccessful searches.[20]: 520–521
In dynamic perfect hashing, two-level hash tables are used to reduce the look-up complexity to be a guaranteed in the worst case. In this technique, the buckets of entries are organized as perfect hash tables with slots providing constant worst-case lookup time, and low amortized time for insertion.[21] A study shows array-based separate chaining to be 97% more performant when compared to the standard linked list method under heavy load.[22]: 99
Techniques such as using fusion tree for each buckets also result in constant time for all operations with high probability.[23]
Caching and locality of reference
The linked list of separate chaining implementation may not be cache-conscious due to spatial locality—locality of reference—when the nodes of the linked list are scattered across memory, thus the list traversal during insert and search may entail CPU cache inefficiencies.[22]: 91
Open addressing is another collision resolution technique in which every entry record is stored in the bucket array itself, and the hash resolution is performed through probing. When a new entry has to be inserted, the buckets are examined, starting with the hashed-to slot and proceeding in some probe sequence, until an unoccupied slot is found. When searching for an entry, the buckets are scanned in the same sequence, until either the target record is found, or an unused array slot is found, which indicates an unsuccessful search.[27]
Well-known probe sequences include:
Linear probing, in which the interval between probes is fixed (usually 1).[28]
Quadratic probing, in which the interval between probes is increased by adding the successive outputs of a quadratic polynomial to the value given by the original hash computation.[29]: 272
Double hashing, in which the interval between probes is computed by a secondary hash function.[29]: 272–273
The performance of open addressing may be slower compared to separate chaining since the probe sequence increases when the load factor approaches 1.[9][22]: 93 The probing results in an infinite loop if the load factor reaches 1, in the case of a completely filled table.[6]: 471 The average cost of linear probing depends on the hash function's ability to distribute the elements uniformly throughout the table to avoid clustering, since formation of clusters would result in increased search time.[6]: 472
Coalesced hashing is a hybrid of both separate chaining and open addressing in which the buckets or nodes link within the table.[30]: 6–8 The algorithm is ideally suited for fixed memory allocation.[30]: 4 The collision in coalesced hashing is resolved by identifying the largest-indexed empty slot on the hash table, then the colliding value is inserted into that slot. The bucket is also linked to the inserted node's slot which contains its colliding hash address.[30]: 8
Cuckoo hashing is a form of open addressing collision resolution technique which guarantees worst-case lookup complexity and constant amortized time for insertions. The collision is resolved through maintaining two hash tables, each having its own hashing function, and collided slot gets replaced with the given item, and the preoccupied element of the slot gets displaced into the other hash table. The process continues until every key has its own spot in the empty buckets of the tables; if the procedure enters into infinite loop—which is identified through maintaining a threshold loop counter—both hash tables get rehashed with newer hash functions and the procedure continues.[31]: 124–125
Hopscotch hashing is an open addressing based algorithm which combines the elements of cuckoo hashing, linear probing and chaining through the notion of a neighbourhood of buckets—the subsequent buckets around any given occupied bucket, also called a "virtual" bucket.[32]: 351–352 The algorithm is designed to deliver better performance when the load factor of the hash table grows beyond 90%; it also provides high throughput in concurrent settings, thus well suited for implementing resizable concurrent hash table.[32]: 350 The neighbourhood characteristic of hopscotch hashing guarantees a property that, the cost of finding the desired item from any given buckets within the neighbourhood is very close to the cost of finding it in the bucket itself; the algorithm attempts to be an item into its neighbourhood—with a possible cost involved in displacing other items.[32]: 352
Each bucket within the hash table includes an additional "hop-information"—an H-bit bit array for indicating the relative distance of the item which was originally hashed into the current virtual bucket within H-1 entries.[32]: 352 Let and be the key to be inserted and bucket to which the key is hashed into respectively; several cases are involved in the insertion procedure such that the neighbourhood property of the algorithm is vowed:[32]: 352–353 if is empty, the element is inserted, and the leftmost bit of bitmap is set to 1; if not empty, linear probing is used for finding an empty slot in the table, the bitmap of the bucket gets updated followed by the insertion; if the empty slot is not within the range of the neighbourhood, i.e. H-1, subsequent swap and hop-info bit array manipulation of each bucket is performed in accordance with its neighbourhood invariant properties.[32]: 353
Robin Hood hashing
Robin Hood hashing is an open addressing based collision resolution algorithm; the collisions are resolved through favouring the displacement of the element that is farthest—or longest probe sequence length (PSL)—from its "home location" i.e. the bucket to which the item was hashed into.[33]: 12 Although Robin Hood hashing does not change the theoretical search cost, it significantly affects the variance of the distribution of the items on the buckets,[34]: 2 i.e. dealing with cluster formation in the hash table.[35] Each node within the hash table that uses Robin Hood hashing should be augmented to store an extra PSL value.[36] Let be the key to be inserted, be the (incremental) PSL length of , be the hash table and be the index, the insertion procedure is as follows:[33]: 12–13 [37]: 5
If : the iteration goes into the next bucket without attempting an external probe.
If : insert the item into the bucket ; swap with —let it be ; continue the probe from the st bucket to insert ; repeat the procedure until every element is inserted.
Dynamic resizing
Repeated insertions cause the number of entries in a hash table to grow, which consequently increases the load factor; to maintain the amortized performance of the lookup and insertion operations, a hash table is dynamically resized and the items of the tables are rehashed into the buckets of the new hash table,[9] since the items cannot be copied over as varying table sizes results in different hash value due to modulo operation.[38] If a hash table becomes "too empty" after deleting some elements, resizing may be performed to avoid excessive memory usage.[39]
Resizing by moving all entries
Generally, a new hash table with a size double that of the original hash table gets allocated privately and every item in the original hash table gets moved to the newly allocated one by computing the hash values of the items followed by the insertion operation. Rehashing is simple, but computationally expensive.[40]: 478–479
Alternatives to all-at-once rehashing
Some hash table implementations, notably in real-time systems, cannot pay the price of enlarging the hash table all at once, because it may interrupt time-critical operations. If one cannot avoid dynamic resizing, a solution is to perform the resizing gradually to avoid storage blip—typically at 50% of new table's size—during rehashing and to avoid memory fragmentation that triggers heap compaction due to deallocation of large memory blocks caused by the old hash table.[41]: 2–3 In such case, the rehashing operation is done incrementally through extending prior memory block allocated for the old hash table such that the buckets of the hash table remain unaltered. A common approach for amortized rehashing involves maintaining two hash functions and . The process of rehashing a bucket's items in accordance with the new hash function is termed as cleaning, which is implemented through command pattern by encapsulating the operations such as , and through a wrapper such that each element in the bucket gets rehashed and its procedure involve as follows:[41]: 3
Linear hashing is an implementation of the hash table which enables dynamic growths or shrinks of the table one bucket at a time.[42]
Performance
The performance of a hash table is dependent on the hash function's ability in generating quasi-random numbers () for entries in the hash table where , and denotes the key, number of buckets and the hash function such that . If the hash function generates the same for distinct keys (), this results in collision, which is dealt with in a variety of ways. The constant time complexity () of the operation in a hash table is presupposed on the condition that the hash function doesn't generate colliding indices; thus, the performance of the hash table is directly proportional to the chosen hash function's ability to disperse the indices.[43]: 1 However, construction of such a hash function is practically infeasible, that being so, implementations depend on case-specificcollision resolution techniques in achieving higher performance.[43]: 2
Hash tables are commonly used to implement many types of in-memory tables. They are used to implement associative arrays.[29]
Database indexing
Hash tables may also be used as disk-based data structures and database indices (such as in dbm) although B-trees are more popular in these applications.[44]
Hash tables can be used to implement caches, auxiliary data tables that are used to speed up the access to data that is primarily stored in slower media. In this application, hash collisions can be handled by discarding one of the two colliding entries—usually erasing the old item that is currently stored in the table and overwriting it with the new item, so every item in the table has a unique hash value.[45][46]
Hash tables can be used in the implementation of set data structure, which can store unique values without any particular order; set is typically used in testing the membership of a value in the collection, rather than element retrieval.[47]
A transposition table to a complex Hash Table which stores information about each section that has been searched.[48]
Implementations
Many programming languages provide hash table functionality, either as built-in associative arrays or as standard library modules.
In JavaScript, an "object" is a mutable collection of key-value pairs (called "properties"), where each key is either a string or a guaranteed-unique "symbol"; any other value, when used as a key, is first coerced to a string. Aside from the seven "primitive" data types, every value in JavaScript is an object.[49] ECMAScript 2015 also added the Map data structure, which accepts arbitrary values as keys.[50]
^ abcKnuth, Donald (1998). The Art of Computer Programming. Vol. 3: Sorting and Searching (2nd ed.). Addison-Wesley. pp. 513–558. ISBN978-0-201-89685-5.
^ abOwolabi, Olumide (February 2003). "Empirical studies of some hashing functions". Information and Software Technology. 45 (2): 109–112. doi:10.1016/S0950-5849(02)00174-X.
^Demaine, Erik; Lind, Jeff (Spring 2003). "Lecture 2"(PDF). 6.897: Advanced Data Structures. MIT Computer Science and Artificial Intelligence Laboratory. Archived(PDF) from the original on June 15, 2010. Retrieved June 30, 2008.
^ abcCulpepper, J. Shane; Moffat, Alistair (2005). "Enhanced Byte Codes with Restricted Prefix Properties". String Processing and Information Retrieval. Lecture Notes in Computer Science. Vol. 3772. pp. 1–12. doi:10.1007/11575832_1. ISBN978-3-540-29740-6.
^Askitis, Nikolas; Sinha, Ranjan (October 2010). "Engineering scalable, cache and space efficient tries for strings". The VLDB Journal. 19 (5): 633–660. doi:10.1007/s00778-010-0183-9.
^Askitis, Nikolas; Zobel, Justin (October 2005). "Cache-conscious Collision Resolution in String Hash Tables". Proceedings of the 12th International Conference, String Processing and Information Retrieval (SPIRE 2005). Vol. 3772/2005. pp. 91–102. doi:10.1007/11575832_11. ISBN978-3-540-29740-6.
^Tenenbaum, Aaron M.; Langsam, Yedidyah; Augenstein, Moshe J. (1990). Data Structures Using C. Prentice Hall. pp. 456–461, p. 472. ISBN978-0-13-199746-2.
^Poblete, P. V.; Viola, A. (July 2019). "Analysis of Robin Hood and Other Hashing Algorithms Under the Random Probing Model, With and Without Deletions". Combinatorics, Probability and Computing. 28 (4): 600–617. doi:10.1017/S0963548318000408. S2CID125374363.
^Celis, Pedro (March 28, 1988). External Robin Hood Hashing(PDF) (Technical report). Bloomington, Indiana: Indiana University, Department of Computer Science. 246. Archived(PDF) from the original on November 3, 2021. Retrieved November 2, 2021.
The guardhouse on Sennaya SquareГауптвахта на Сенной площадиLocationSaint Petersburg, Sadovaya Street, 37, Spassky Lane, 13, Sennaya Square 1хTypebuilding The guardhouse on Sennaya Square is historic building in Saint Petersburg, located at Sennaya Square (Sadovaya Street, 37, Spassky Lane, 13). History The original building of the guardhouse was constructed on Sennaya Square in the 18th century. The present structure was built in 1818–1820 by Vikenty Beretti; it i...
CountryOrigini stilisticheFolkBluesGospel Origini culturaliStati Uniti del sud, anni 1900 Strumenti tipiciVoceSteel guitarBanjoViolinoChitarra folkPianoforteArmonica a boccaBatteriaContrabbasso o Bassomandolino PopolaritàMolto popolare negli Stati Uniti dagli anni venti fino agli Anni 1970, popolarità costante e moderata dagli Anni 2000 in poi negli Stati Uniti d'America. SottogeneriTraditional Country - Western - Americana - Cowboy - Rodeo - Outlaw country - Close Harmony - Honky Tonk - Bl...
This article has multiple issues. Please help improve it or discuss these issues on the talk page. (Learn how and when to remove these template messages) This article's lead section may be too short to adequately summarize the key points. Please consider expanding the lead to provide an accessible overview of all important aspects of the article. (August 2022) This article is missing information about the album's background and development, music and lyrics and promotion. Please expand the a...
Comptroller of the Treasury of TennesseeFlag of the State of TennesseeIncumbentJason Mumpowersince January 13, 2021TypeComptroller of the TreasuryTerm lengthTwo yearsConstituting instrumentTennessee State ConstitutionFormation1836First holderDaniel GrahamWebsiteTennessee Comptroller of the Treasury website The Comptroller of the Treasury of Tennessee is an office established by Chapter 12 of the Public Acts of 1835-36 of Tennessee's General Assembly.[1] Later, in 1870, the positi...
Jalur layang Narita Shinkansen yang dibiarkan tidak terpakai. Narita Shinkansen (成田新幹線code: ja is deprecated ) adalah proyek jalur kereta cepat Shinkansen sepanjang 51 km yang tidak dilanjutkan kembali. Kini sebagian jalurnya digunakan untuk layanan ekspres KRL Bandara Keisei Narita. Sejarah Perencanaan Shinkansen Narita dimulai pada tahun 1966 dan izin untuk membangun diberikan pada tahun 1972, dengan penyelesaian awalnya dijadwalkan pada tahun 1976.[1] Pembangunan dimulai ...
Pertempuran antara kapal Belanda denga Spanyol pada Haarlemmermeer, 26 Mei 1573. Di sebelah kanan adalah kapal-kapal Spanyol, yang berbendera palang merah. Sementara yang di bagian kiri merupakan kapal bajak laut. Hendrick Cornelisz Vroom.Bantuan Leiden dari Bajak Laut pada kapal yang tenggelam, tanggal 3 Oktober 1574, selama Pengepungan Leiden. Otto van Veen Geuzen (Prancis: Les Gueux, Inggris: Sea Beggar) adalah nama yang diberikan oleh konfederasi bangsawan Belanda Calvinis dan orang lainn...
You can help expand this article with text translated from the corresponding article in Finnish. (June 2023) Click [show] for important translation instructions. Machine translation, like DeepL or Google Translate, is a useful starting point for translations, but translators must revise errors as necessary and confirm that the translation is accurate, rather than simply copy-pasting machine-translated text into the English Wikipedia. Consider adding a topic to this template: there are al...
Visione di EzechieleAutoreRaffaello Sanzio Data1518 circa TecnicaOlio su tavola Dimensioni40,7×29,5 cm UbicazioneGalleria Palatina, Firenze La Visione di Ezechiele è un dipinto a olio su tavola (40,7x29,5 cm) di Raffaello Sanzio, databile al 1518 circa e conservato nella Galleria Palatina di Firenze. Indice 1 Storia 2 Descrizione e stile 3 Note 4 Bibliografia 5 Altri progetti 6 Collegamenti esterni Storia L'opera è ricordata da Vasari in casa del conte Vincenzo Ercolani a Bologna...
Council for East and Central Africa Football AssociationsConseil des Associations de Football d'Afrique de l'Est et Centraleمؤتمر جمعيات شرق ووسط أفريقيا لكرة القدمDisciplina Calcio Fondazione1927 (non ufficiale) - 1973 (ufficiale) GiurisdizioneAfrica orientale Federazioni affiliate12 ConfederazioneConfédération Africaine de Football Sede Nairobi Presidente Nicholas Musonye Sito ufficialewww.cecafafootball.org Modifica dati su Wikidata · Manuale ...
American sprinter Michael NormanNorman at the 2018 NCAA Division I Indoor ChampionshipsPersonal informationFull nameMichael Arthur Norman Jr.Born (1997-12-03) December 3, 1997 (age 26)[1]San Diego, California, United States[1]EmployerNike[2]Height6 ft 1 in (185 cm)[1]Weight171 lb (78 kg)[1]SportCountryUnited StatesSportTrack and fieldEventSprintsCollege teamUSC Trojans (2017–2018)[3]Coached byQuincy ...
1995 compilation album by Alan JacksonThe Greatest Hits CollectionCompilation album by Alan JacksonReleasedOctober 24, 1995RecordedJune 26, 1989-May 31, 1995GenreCountryLength66:24LabelAristaProducerScott HendricksKeith StegallAlan Jackson chronology Who I Am(1994) The Greatest Hits Collection(1995) Everything I Love(1996) Singles from The Greatest Hits Collection Tall, Tall TreesReleased: October 9, 1995 I'll TryReleased: January 1, 1996 HomeReleased: April 15, 1996 Professional rati...
Centers of advanced education of the Early Middle Ages The cathedral school of Trondheim, founded in 1152, is the oldest school in Norway. Today, the Katedralskole serves as secondary school. Cathedral schools began in the Early Middle Ages as centers of advanced education, some of them ultimately evolving into medieval universities.[1] Throughout the Middle Ages and beyond, they were complemented by the monastic schools. Some of these early cathedral schools, and more recent foundati...
This is a list of all (former) members of the European Parliament for the Europe Transparent (ET)[1] Seats in the European Parliament Election year List # ofoverall votes % ofoverall vote # ofoverall seats won +/– Notes 2004 List 349,156 7.33 (#5) 2 / 27 new [2] Alphabetical Elected members of the European Parliament (from 1979) European Parliament member Sex Period Photo Paul van Buitenen Male from 20 July 2004 till 14 July 2009 [3] Els de Groen-Kouwenhoven Female ...
توثيق القالب[عرض] [عدّل] [تاريخ] [محو الاختزان] [استخدامات] هذا القالب مستخدم في عدد كبير من الصفحات (+154640) . لتفادي خلق بلبلة على نطاق واسع من الصفحات وزيادة الأعباء على الخوادم، يجب تجربة أي تعديل في هذه الصفحات الفرعية /ملعب أو /تجربة أو في ملعبك. بعدها ي�...
Ski area in California, United States June MountainJune MountainLocation in CaliforniaShow map of CaliforniaJune MountainJune Mountain (the United States)Show map of the United StatesLocationJune MountainInyo National ForestNearest major cityJune Lake, CaliforniaCoordinates37°46′06″N 119°05′26″W / 37.7683°N 119.0906°W / 37.7683; -119.0906StatusOperatingOwnerAlterra Mountain CompanyVertical2,545 ft (776 m)Top elevation10,090 ft (3,080 m)B...
منتخب لاوس لكرة القدم (باللاوية: ທິມຊາດ ບານເຕະ ແຫ່ງຊາດ ລາວ) معلومات عامة بلد الرياضة لاوس الفئة كرة القدم للرجال رمز الفيفا LAO الاتحاد اتحاد لاوس لكرة القدم كونفدرالية آفك (آسيا) الملعب الرئيسي ملعب لاوس الوطني الجديد الموقع الرسمي الموقع الرسمي&...
Wilayah Kansai 関西地方WilayahWilayah Kansai di JepangLuas • Total33.112,42 km2 (12,784,78 sq mi)Populasi (Oktober 1, 2015) • Total22.541.298 • Kepadatan134,2/km2 (348/sq mi)Zona waktuUTC+09:00 Wilayah Kansai (関西地方code: ja is deprecated , Kansai-chihō) atau wilayah Kinki (近畿地方code: ja is deprecated , Kinki-chihō) adalah istilah yang digunakan untuk menyebut wilayah Jepang di bagian barat Pulau Honshu yang terdi...
For the former Flower Hospital in New York City, see New York Medical College § History. This article relies excessively on references to primary sources. Please improve this article by adding secondary or tertiary sources. Find sources: ProMedica Flower Hospital – news · newspapers · books · scholar · JSTOR (May 2019) (Learn how and when to remove this message) Hospital in Ohio, USAProMedica Flower HospitalHospital's main buildingGeographyLocati...
Rab Butler (1963) Richard Austen Butler, Baron Butler of Saffron Walden, KG, CH, PC (* 9. Dezember 1902 in Attock Serai, Britisch-Indien; † 8. März 1982 in Great Yeldham, Essex), bekannt als R. A. Butler oder Rab Butler, war ein britischer konservativer Politiker. Lange als kommender Premierminister im Gespräch, wird er heute vor allem mit dem Begriff Butskellism als Synonym für den Nachkriegskonsens in Verbindung gebracht, dessen Namensgeber er zusammen mit Labour-Politiker Hugh Gaitske...