A cyclic redundancy check (CRC) is an error-detecting code commonly used in digital networks and storage devices to detect accidental changes to digital data.[1][2] Blocks of data entering these systems get a short check value attached, based on the remainder of a polynomial division of their contents. On retrieval, the calculation is repeated and, in the event the check values do not match, corrective action can be taken against data corruption. CRCs can be used for error correction (see bitfilters).[3]
CRCs are so called because the check (data verification) value is a redundancy (it expands the message without adding information) and the algorithm is based on cyclic codes. CRCs are popular because they are simple to implement in binary hardware, easy to analyze mathematically, and particularly good at detecting common errors caused by noise in transmission channels. Because the check value has a fixed length, the function that generates it is occasionally used as a hash function.
Introduction
CRCs are based on the theory of cyclicerror-correcting codes. The use of systematic cyclic codes, which encode messages by adding a fixed-length check value, for the purpose of error detection in communication networks, was first proposed by W. Wesley Peterson in 1961.[4]
Cyclic codes are not only simple to implement but have the benefit of being particularly well suited for the detection of burst errors: contiguous sequences of erroneous data symbols in messages. This is important because burst errors are common transmission errors in many communication channels, including magnetic and optical storage devices. Typically an n-bit CRC applied to a data block of arbitrary length will detect any single error burst not longer than n bits, and the fraction of all longer error bursts that it will detect is approximately (1 − 2−n).
Specification of a CRC code requires definition of a so-called generator polynomial. This polynomial becomes the divisor in a polynomial long division, which takes the message as the dividend and in which the quotient is discarded and the remainder becomes the result. The important caveat is that the polynomial coefficients are calculated according to the arithmetic of a finite field, so the addition operation can always be performed bitwise-parallel (there is no carry between digits).
In practice, all commonly used CRCs employ the finite field of two elements, GF(2). The two elements are usually called 0 and 1, comfortably matching computer architecture.
A CRC is called an n-bit CRC when its check value is n bits long. For a given n, multiple CRCs are possible, each with a different polynomial. Such a polynomial has highest degree n, which means it has n + 1 terms. In other words, the polynomial has a length of n + 1; its encoding requires n + 1 bits. Note that most polynomial specifications either drop the MSb or LSb, since they are always 1. The CRC and associated polynomial typically have a name of the form CRC-n-XXX as in the table below.
The simplest error-detection system, the parity bit, is in fact a 1-bit CRC: it uses the generator polynomial x + 1 (two terms),[5] and has the name CRC-1.
Application
A CRC-enabled device calculates a short, fixed-length binary sequence, known as the check value or CRC, for each block of data to be sent or stored and appends it to the data, forming a codeword.
When a codeword is received or read, the device either compares its check value with one freshly calculated from the data block, or equivalently, performs a CRC on the whole codeword and compares the resulting check value with an expected residue constant.
If the CRC values do not match, then the block contains a data error.
The device may take corrective action, such as rereading the block or requesting that it be sent again. Otherwise, the data is assumed to be error-free (though, with some small probability, it may contain undetected errors; this is inherent in the nature of error-checking).[6]
Data integrity
CRCs are specifically designed to protect against common types of errors on communication channels, where they can provide quick and reasonable assurance of the integrity of messages delivered. However, they are not suitable for protecting against intentional alteration of data.
Firstly, as there is no authentication, an attacker can edit a message and recompute the CRC without the substitution being detected. When stored alongside the data, CRCs and cryptographic hash functions by themselves do not protect against intentional modification of data. Any application that requires protection against such attacks must use cryptographic authentication mechanisms, such as message authentication codes or digital signatures (which are commonly based on cryptographic hash functions).
Secondly, unlike cryptographic hash functions, CRC is an easily reversible function, which makes it unsuitable for use in digital signatures.[7]
where depends on the length of and . This can be also stated as follows, where , and have the same length
as a result, even if the CRC is encrypted with a stream cipher that uses XOR as its combining operation (or mode of block cipher which effectively turns it into a stream cipher, such as OFB or CFB), both the message and the associated CRC can be manipulated without knowledge of the encryption key; this was one of the well-known design flaws of the Wired Equivalent Privacy (WEP) protocol.[9]
To compute an n-bit binary CRC, line the bits representing the input in a row, and position the (n + 1)-bit pattern representing the CRC's divisor (called a "polynomial") underneath the left end of the row.
In this example, we shall encode 14 bits of message with a 3-bit CRC, with a polynomial x3 + x + 1. The polynomial is written in binary as the coefficients; a 3rd-degree polynomial has 4 coefficients (1x3 + 0x2 + 1x + 1). In this case, the coefficients are 1, 0, 1 and 1. The result of the calculation is 3 bits long, which is why it is called a 3-bit CRC. However, you need 4 bits to explicitly state the polynomial.
Start with the message to be encoded:
11010011101100
This is first padded with zeros corresponding to the bit length n of the CRC. This is done so that the resulting code word is in systematic form. Here is the first calculation for computing a 3-bit CRC:
11010011101100 000 <--- input right padded by 3 bits
1011 <--- divisor (4 bits) = x³ + x + 1
------------------
01100011101100 000 <--- result
The algorithm acts on the bits directly above the divisor in each step. The result for that iteration is the bitwise XOR of the polynomial divisor with the bits above it. The bits not above the divisor are simply copied directly below for that step. The divisor is then shifted right to align with the highest remaining 1 bit in the input, and the process is repeated until the divisor reaches the right-hand end of the input row. Here is the entire calculation:
11010011101100 000 <--- input right padded by 3 bits
1011 <--- divisor
01100011101100 000 <--- result (note the first four bits are the XOR with the divisor beneath, the rest of the bits are unchanged)
1011 <--- divisor ...
00111011101100 000
1011
00010111101100 000
1011
00000001101100 000 <--- note that the divisor moves over to align with the next 1 in the dividend (since quotient for that step was zero)
1011 (in other words, it doesn't necessarily move one bit per iteration)
00000000110100 000
1011
00000000011000 000
1011
00000000001110 000
1011
00000000000101 000
101 1
-----------------
00000000000000 100 <--- remainder (3 bits). Division algorithm stops here as dividend is equal to zero.
Since the leftmost divisor bit zeroed every input bit it touched, when this process ends the only bits in the input row that can be nonzero are the n bits at the right-hand end of the row. These n bits are the remainder of the division step, and will also be the value of the CRC function (unless the chosen CRC specification calls for some postprocessing).
The validity of a received message can easily be verified by performing the above calculation again, this time with the check value added instead of zeroes. The remainder should equal zero if there are no detectable errors.
The following Python code outlines a function which will return the initial CRC remainder for a chosen input and polynomial, with either 1 or 0 as the initial padding. Note that this code works with string inputs rather than raw numbers:
defcrc_remainder(input_bitstring,polynomial_bitstring,initial_filler):"""Calculate the CRC remainder of a string of bits using a chosen polynomial. initial_filler should be '1' or '0'. """polynomial_bitstring=polynomial_bitstring.lstrip('0')len_input=len(input_bitstring)initial_padding=(len(polynomial_bitstring)-1)*initial_fillerinput_padded_array=list(input_bitstring+initial_padding)while'1'ininput_padded_array[:len_input]:cur_shift=input_padded_array.index('1')foriinrange(len(polynomial_bitstring)):input_padded_array[cur_shift+i] \
=str(int(polynomial_bitstring[i]!=input_padded_array[cur_shift+i]))return''.join(input_padded_array)[len_input:]defcrc_check(input_bitstring,polynomial_bitstring,check_value):"""Calculate the CRC check of a string of bits using a chosen polynomial."""polynomial_bitstring=polynomial_bitstring.lstrip('0')len_input=len(input_bitstring)initial_padding=check_valueinput_padded_array=list(input_bitstring+initial_padding)while'1'ininput_padded_array[:len_input]:cur_shift=input_padded_array.index('1')foriinrange(len(polynomial_bitstring)):input_padded_array[cur_shift+i] \
=str(int(polynomial_bitstring[i]!=input_padded_array[cur_shift+i]))return('1'notin''.join(input_padded_array)[len_input:])
Mathematical analysis of this division-like process reveals how to select a divisor that guarantees good error-detection properties. In this analysis, the digits of the bit strings are taken as the coefficients of a polynomial in some variable x—coefficients that are elements of the finite field GF(2) (the integers modulo 2, i.e. either a zero or a one), instead of more familiar numbers. The set of binary polynomials is a mathematical ring.
Designing polynomials
The selection of the generator polynomial is the most important part of implementing the CRC algorithm. The polynomial must be chosen to maximize the error-detecting capabilities while minimizing overall collision probabilities.
The most important attribute of the polynomial is its length (largest degree(exponent) +1 of any one term in the polynomial), because of its direct influence on the length of the computed check value.
The most commonly used polynomial lengths are 9 bits (CRC-8), 17 bits (CRC-16), 33 bits (CRC-32), and 65 bits (CRC-64).[5]
A CRC is called an n-bit CRC when its check value is n-bits. For a given n, multiple CRCs are possible, each with a different polynomial. Such a polynomial has highest degree n, and hence n + 1 terms (the polynomial has a length of n + 1). The remainder has length n. The CRC has a name of the form CRC-n-XXX.
The design of the CRC polynomial depends on the maximum total length of the block to be protected (data + CRC bits), the desired error protection features, and the type of resources for implementing the CRC, as well as the desired performance. A common misconception is that the "best" CRC polynomials are derived from either irreducible polynomials or irreducible polynomials times the factor 1 + x, which adds to the code the ability to detect all errors affecting an odd number of bits.[10] In reality, all the factors described above should enter into the selection of the polynomial and may lead to a reducible polynomial. However, choosing a reducible polynomial will result in a certain proportion of missed errors, due to the quotient ring having zero divisors.
The advantage of choosing a primitive polynomial as the generator for a CRC code is that the resulting code has maximal total block length in the sense that all 1-bit errors within that block length have different remainders (also called syndromes) and therefore, since the remainder is a linear function of the block, the code can detect all 2-bit errors within that block length. If is the degree of the primitive generator polynomial, then the maximal total block length is , and the associated code is able to detect any single-bit or double-bit errors.[11] However, if we use the generator polynomial , where is a primitive polynomial of degree , then the maximal total block length is , and the code is able to detect single, double, triple and any odd number of errors.
A polynomial that admits other factorizations may be chosen then so as to balance the maximal total blocklength with a desired error detection power. The BCH codes are a powerful class of such polynomials. They subsume the two examples above. Regardless of the reducibility properties of a generator polynomial of degree r, if it includes the "+1" term, the code will be able to detect error patterns that are confined to a window of r contiguous bits. These patterns are called "error bursts".
Specification
The concept of the CRC as an error-detecting code gets complicated when an implementer or standards committee uses it to design a practical system. Here are some of the complications:
Sometimes an implementation prefixes a fixed bit pattern to the bitstream to be checked. This is useful when clocking errors might insert 0-bits in front of a message, an alteration that would otherwise leave the check value unchanged.
Usually, but not always, an implementation appends n 0-bits (n being the size of the CRC) to the bitstream to be checked before the polynomial division occurs. Such appending is explicitly demonstrated in the Computation of CRC article. This has the convenience that the remainder of the original bitstream with the check value appended is exactly zero, so the CRC can be checked simply by performing the polynomial division on the received bitstream and comparing the remainder with zero. Due to the associative and commutative properties of the exclusive-or operation, practical table driven implementations can obtain a result numerically equivalent to zero-appending without explicitly appending any zeroes, by using an equivalent,[10] faster algorithm that combines the message bitstream with the stream being shifted out of the CRC register.
Sometimes an implementation exclusive-ORs a fixed bit pattern into the remainder of the polynomial division.
Bit order: Some schemes view the low-order bit of each byte as "first", which then during polynomial division means "leftmost", which is contrary to our customary understanding of "low-order". This convention makes sense when serial-port transmissions are CRC-checked in hardware, because some widespread serial-port transmission conventions transmit bytes least-significant bit first.
Byte order: With multi-byte CRCs, there can be confusion over whether the byte transmitted first (or stored in the lowest-addressed byte of memory) is the least-significant byte (LSB) or the most-significant byte (MSB). For example, some 16-bit CRC schemes swap the bytes of the check value.
Omission of the high-order bit of the divisor polynomial: Since the high-order bit is always 1, and since an n-bit CRC must be defined by an (n + 1)-bit divisor which overflows an n-bit register, some writers assume that it is unnecessary to mention the divisor's high-order bit.
Omission of the low-order bit of the divisor polynomial: Since the low-order bit is always 1, authors such as Philip Koopman represent polynomials with their high-order bit intact, but without the low-order bit (the or 1 term). This convention encodes the polynomial complete with its degree in one integer.
These complications mean that there are three common ways to express a polynomial as an integer: the first two, which are mirror images in binary, are the constants found in code; the third is the number found in Koopman's papers. In each case, one term is omitted. So the polynomial may be transcribed as:
0x3 = 0b0011, representing (MSB-first code)
0xC = 0b1100, representing (LSB-first code)
0x9 = 0b1001, representing (Koopman notation)
In the table below they are shown as:
Examples of CRC representations
Name
Normal
Reversed
Reversed reciprocal
CRC-4
0x3
0xC
0x9
Obfuscation
CRCs in proprietary protocols might be obfuscated by using a non-trivial initial value and a final XOR, but these techniques do not add cryptographic strength to the algorithm and can be reverse engineered using straightforward methods.[12]
Standards and common use
Numerous varieties of cyclic redundancy checks have been incorporated into technical standards. By no means does one algorithm, or one of each degree, suit every purpose; Koopman and Chakravarty recommend selecting a polynomial according to the application requirements and the expected distribution of message lengths.[13] The number of distinct CRCs in use has confused developers, a situation which authors have sought to address.[10] There are three polynomials reported for CRC-12,[13] twenty-two conflicting definitions of CRC-16, and seven of CRC-32.[14]
The polynomials commonly applied are not the most efficient ones possible. Since 1993, Koopman, Castagnoli and others have surveyed the space of polynomials between 3 and 64 bits in size,[13][15][16][17] finding examples that have much better performance (in terms of Hamming distance for a given message size) than the polynomials of earlier protocols, and publishing the best of these with the aim of improving the error detection capacity of future standards.[16] In particular, iSCSI and SCTP have adopted one of the findings of this research, the CRC-32C (Castagnoli) polynomial.
The design of the 32-bit polynomial most commonly used by standards bodies, CRC-32-IEEE, was the result of a joint effort for the Rome Laboratory and the Air Force Electronic Systems Division by Joseph Hammond, James Brown and Shyan-Shiang Liu of the Georgia Institute of Technology and Kenneth Brayer of the Mitre Corporation. The earliest known appearances of the 32-bit polynomial were in their 1975 publications: Technical Report 2956 by Brayer for Mitre, published in January and released for public dissemination through DTIC in August,[18] and Hammond, Brown and Liu's report for the Rome Laboratory, published in May.[19] Both reports contained contributions from the other team. During December 1975, Brayer and Hammond presented their work in a paper at the IEEE National Telecommunications Conference: the IEEE CRC-32 polynomial is the generating polynomial of a Hamming code and was selected for its error detection performance.[20] Even so, the Castagnoli CRC-32C polynomial used in iSCSI or SCTP matches its performance on messages from 58 bits to 131 kbits, and outperforms it in several size ranges including the two most common sizes of Internet packet.[16] The ITU-TG.hn standard also uses CRC-32C to detect errors in the payload (although it uses CRC-16-CCITT for PHY headers).
CRC-32C computation is implemented in hardware as an operation (CRC32) of SSE4.2 instruction set, first introduced in Intel processors' Nehalem microarchitecture. ARMAArch64 architecture also provides hardware acceleration for both CRC-32 and CRC-32C operations.
Polynomial representations
The table below lists only the polynomials of the various algorithms in use. Variations of a particular protocol can impose pre-inversion, post-inversion and reversed bit ordering as described above. For example, the CRC32 used in Gzip and Bzip2 use the same polynomial, but Gzip employs reversed bit ordering, while Bzip2 does not.[14]
Note that even parity polynomials in GF(2) with degree greater than 1 are never primitive. Even parity polynomial marked as primitive in this table represent a primitive polynomial multiplied by . The most significant bit of a polynomial is always 1, and is not shown in the hex representations.
^Pundir, Meena; Sandhu, Jasminder Kaur (2021). "A Systematic Review of Quality of Service in Wireless Sensor Networks using Machine Learning: Recent Trend and Future Vision". Journal of Network and Computer Applications. 188: 103084. doi:10.1016/j.jnca.2021.103084. Cyclic Redundancy Check (CRC) mechanism is used to protect the data and provide protection of integrity from error bits when data is transmitted from sender to receiver.
^Schiller, Frank; Mattes, Tina (2007). "Analysis of CRC-Polynomials for Safety-Critical Communication by Deterministic and Stochastic Automata". Fault Detection, Supervision and Safety of Technical Processes 2006. Elsevier. pp. 944–949. doi:10.1016/b978-008044485-7/50159-7. ISBN978-0-08-044485-7. Cyclic Redundancy Check (CRC) is an efficient method to ensure a low probability of undetected errors in data transmission using a checksum as a result of polynomial division.
^Stigge, Martin; Plötz, Henryk; Müller, Wolf; Redlich, Jens-Peter (May 2006). "Reversing CRC – Theory and Practice"(PDF). Humboldt University Berlin. p. 17. SAR-PR-2006-05. Archived from the original(PDF) on 19 July 2011. Retrieved 4 February 2011. The presented methods offer a very easy and efficient way to modify your data so that it will compute to a CRC you want or at least know in advance.
^Koopman, Philip (21 January 2016). "Best CRC Polynomials". Carnegie Mellon University. Archived from the original on 20 January 2016. Retrieved 26 January 2016.
^CRCs with even parity detect any odd number of bit errors, at the expense of lower hamming distance for long payloads. Note that parity is computed over the entire generator polynomial, including implied 1 at the beginning or the end. For example, the full representation of CRC-1 is 0x3, which has two 1 bits. Thus, its parity is even.
^ ab"32 Bit CRC Zoo". users.ece.cmu.edu. Archived from the original on 19 March 2018. Retrieved 5 November 2017.
^Payload means length exclusive of CRC field. A Hamming distance of d means that d − 1 bit errors can be detected and ⌊(d − 1)/2⌋ bit errors can be corrected
^ abcdefETSI TS 100 909(PDF). V8.9.0. Sophia Antipolis, France: European Telecommunications Standards Institute. January 2005. Archived(PDF) from the original on 17 April 2018. Retrieved 21 October 2016.
^"3 Bit CRC Zoo". users.ece.cmu.edu. Archived from the original on 7 April 2018. Retrieved 19 January 2018.
^ abc"11. Error correction strategy". ETSI EN 300 751(PDF). V1.2.1. Sophia Antipolis, France: European Telecommunications Standards Institute. January 2003. pp. 67–8. Archived(PDF) from the original on 28 December 2015. Retrieved 26 January 2016.
^"6 Bit CRC Zoo". users.ece.cmu.edu. Archived from the original on 7 April 2018. Retrieved 19 January 2018.
^"5.1.4 CRC-8 encoder (for packetized streams only)". EN 302 307(PDF). V1.3.1. Sophia Antipolis, France: European Telecommunications Standards Institute. March 2013. p. 17. Archived(PDF) from the original on 30 August 2017. Retrieved 29 July 2016.
^ ab"8 Bit CRC Zoo". users.ece.cmu.edu. Archived from the original on 7 April 2018. Retrieved 19 January 2018.
^"7.2.1.2 8-bit 0x2F polynomial CRC Calculation". Specification of CRC Routines(PDF). 4.2.2. Munich: AUTOSAR. 22 July 2015. p. 24. Archived from the original(PDF) on 24 July 2016. Retrieved 24 July 2016.
^"B.7.1.1 HEC generation". Specification of the Bluetooth System. Vol. 2. Bluetooth SIG. 2 December 2014. pp. 144–5. Archived from the original on 26 March 2015. Retrieved 20 October 2014.
^"6.2.5 Error control". ETSI EN 300 175-3(PDF). V2.5.1. Sophia Antipolis, France: European Telecommunications Standards Institute. August 2013. pp. 99, 101. Archived(PDF) from the original on 1 July 2015. Retrieved 26 January 2016.
^"8.8.4 Check Octet (FCS)". PROFIBUS Specification Normative Parts(PDF). 1.0. Vol. 9. Profibus International. March 1998. p. 906. Archived from the original(PDF) on 16 November 2008. Retrieved 9 July 2016.
^Gammel, Berndt M. (31 October 2005). Matpack documentation: Crypto – Codes. Matpack.de. Archived from the original on 25 August 2013. Retrieved 21 April 2013. (Note: MpCRC.html is included with the Matpack compressed software source code, under /html/LibDoc/Crypto)
Black, Richard (1994). "Fast CRC32 in Software". The Blue Book. Systems Research Group, Computer Laboratory, University of Cambridge. Algorithm 4 was used in Linux and Bzip2.
Halaman ini berisi artikel tentang musisi. Untuk tokoh lain bernama James Blake, lihat James Blake. James BlakeBlake pentas di Melt! Festival 2013Informasi latar belakangNama lahirJames Blake LitherlandNama lainHarmonimixOne-Take BlakeLahir26 September 1988 (umur 35)London, InggrisGenreElektronikR&BUK basssoulpost-dubsteppopPekerjaanPenyanyipenulis lagumulti-instrumentalisproduser rekamanInstrumenVokalpianosynthesizerTahun aktif2009–kiniLabel1-800 DinosaurR&SATLASA&MPolydor...
Lao ArmyNama lengkapLao Army Football ClubLigaLiga Lao2023ke-4 Lao Army adalah tim sepak bola asal Laos. Tim ini bermain di Liga Lao, liga sepak bola tertinggi di Laos. Sponsor Periode Pakaian olahraga Sponsor 2014- FBT Penghargaan Liga Lao: Pemenang 1990, 1991, 1992, 1993, 1994, 1996, 1997, 2008 Piala Perdana Menteri Pemenang (1): 2013 Pemain Catatan: Bendera menunjukkan tim nasional sesuai dengan peraturan FIFA. Pemain dapat memiliki lebih dari satu kewarganegaraan non-FIFA. No. Pos. Negara...
Sebuah penyuntik vagina berbentuk bohlam. Perhatikan lubang-lubang kecil di ujungnya (sekitar 1cm, atau setebal 1/2 inci). Pancuran vagina hanya digunakan untuk mendouche saja, yaitu dengan menganti ujung mocong enema dengan moncong vaginal (di kiri bawah). Moncong vaginal memiliki ciri lebih panjang, lebih tebal, dan memiliki lubang. Douche adalah alat yang digunakan untuk mengalirkan air ke seluruh tubuh dengan tujuan medis atau kebersihan, atau mengalirkan air itu sendiri. Kata douche bera...
Adam de la Halle. Trouvère (pengucapan bahasa Prancis: [tʁuvɛʁ]) merupakan seorang penyair dan komposer Langues d'oïl pada abad pertengahan. Trouveresse berarti trouvère wanita. Trouvère setara dengan Troubadour dan musisi penyair dalam bahasa Oksitan. Troubadour telah ada sebelum trouvère. Referensi Catatan Daftar pustaka Akehurst, F. R. P. and Judith M. Davis, eds. A Handbook of the Troubadours. Berkeley: University of California Press, 1995. ISBN 0-520-07976-0. Butterfield, Ar...
Not to be confused with Harvard University, located in Cambridge, Massachusetts. Town in Massachusetts, United StatesHarvard, MassachusettsTownThe renovated library, established in 1856 SealLocation in Worcester County and the state of Massachusetts.Coordinates: 42°30′00″N 71°35′00″W / 42.50000°N 71.58333°W / 42.50000; -71.58333CountryUnited StatesStateMassachusettsCountyWorcesterSettled1658Incorporated1732Government • TypeOpen town meeting ...
Ne doit pas être confondu avec Protection civile. Pour les articles homonymes, voir FNPC. Fédération nationale de protection civile Logo de la Protection Civile. Cadre Forme juridique Association loi de 1901 reconnue d'utilité publique But Postes de secours,formation aux premiers secours,aide humanitaire et sociale Zone d’influence France, monde Fondation Fondation 14 décembre 1965 Origine Directive du 18 mars 1964 de Georges Pompidou Identité Siège Pantin, France Personnages clés ...
Logo internasional untuk waralaba Pokemon Generasi kesembilan (Generasi IX) dari waralaba Pokémon (saat ini jumlahnya belum ditentukan) diperkenalkan dalam judul permainan video utama pada konsol Nintendo Switch Pokémon Scarlet dan Violet . Pokémon pertama dari generasi ini diumumkan pada 27 Februari 2022 dalam presentasi Pokémon Presents.[1] Daftar Pokémon Nama Nomor PokédexNasional Tipe Berevolusi dari Berevolusi ke Catatan Inggris Jepang Primer Sekunder Sprigatito Nyaoha (ニ...
Piece of artwork painted or applied directly on a large permanent surface For other uses, see Mural (disambiguation). Muralist and muralists redirect here. For the Mexican art movement, see Mexican muralism. Ceiling painting, by Jean-André Rixens. Salle des Illustres, Le Capitole, Toulouse, France Prehistoric Egyptian mural painted on a Nekhen tomb wall c. 3,500 B.C. with aspects in the Gerzeh culture style A mural is any piece of graphic artwork that is painted or applied directly to ...
Independent TV station in Dover, Delaware This article is about the television station. For the Wikimedia Foundation chapter, see Wikimedia Deutschland. WMDEDover, DelawareSalisbury–Baltimore, MarylandWashington, D.C.United StatesCityDover, DelawareChannelsDigital: 5 (VHF)Virtual: 36BrandingWMDE 36ProgrammingAffiliations36.1: ShopHQfor others, see § SubchannelsOwnershipOwnerWRNN-TV Associates Limited Partnership(RNN D.C. License Co., LLC)HistoryFoundedMay 4, 2011First air dateMay ...
L'équation de Orr–Sommerfeld en mécanique des fluides est une équation aux valeurs propres décrivant l'évolution de perturbations infinitésimales dans un écoulement parallèle visqueux. Elle permet donc de vérifier la stabilité linéaire de l'écoulement et sont donc un élément pour la prédiction de la transition laminaire-turbulent. Cette équation est ainsi dénommée[1] d'après les travaux de William McFadden Orr[2],[3] et Arnold Sommerfeld[4]. Formulation Variables réduite...
Державний комітет телебачення і радіомовлення України (Держкомтелерадіо) Приміщення комітетуЗагальна інформаціяКраїна УкраїнаДата створення 2003Керівне відомство Кабінет Міністрів УкраїниРічний бюджет 1 964 898 500 ₴[1]Голова Олег НаливайкоПідвідомчі ор...
Expo 2005 Aichi (Japón), Comunidad global 6 (Países de Asia Pacífico) Se conoce formalmente como exposición internacional a los eventos acreditados por la Oficina Internacional de Exposiciones (BIE), de acuerdo con las definiciones, objetivos y reglas que establece la Convención relativa a las Exposiciones Internacionales. Definición y objetivos de las exposiciones internacionales Expo 2008 Zaragoza (España), Zona de participantes internacionales oficiales. De acuerdo con el artículo ...
Экономика Маврикия Валюта Маврикийская рупия Статистика ВВП $11,57 млрд[1] Рост ВВП ▲ 3,2 % (2015)[1] ВВП на душу населения $19 500[1] ВВП по секторам сельское хозяйство: 4,5 %промышленность: 21,7 %сфера услуг: 73,8 % Инфляция (ИПЦ) 3,4 % Население за чертой бедности 8 ...
List of events ← 1773 1772 1771 1770 1769 1774 in France → 1775 1776 1777 1778 1779 Decades: 1750s 1760s 1770s 1780s 1790s See also:Other events of 1774History of France • Timeline • Years Events from the year 1774 in France Incumbents Monarch – Louis XV (until 10 May),[1] then Louis XVI[2] Events 10 May – Louis XV of France dies,[1] and Louis XVI becomes the new king[2] Louis XVI faces empty treasury di...
American singer-songwriter For the rugby union player, see Jimmy Bowen (rugby union). Jimmy BowenTrading card photo of Bowen in 1957; his last name is misspelled on the card.Background informationBirth nameJames Albert BowenBorn (1937-11-30) November 30, 1937 (age 86)Santa Rita, New Mexico, U.S.Genres Rockabilly[1] pop[1] Occupation(s)Record producer, singer, bassistYears activeEarly 1960s–presentMusical artist James Albert Bowen (born November 30, 1937)[2] is a...
امرأة ألمانية مشغولة بمكالمة هاتفية، في عقد الثمانينات المكالمة الهاتفية هي عملية اتصال بين شخصين: متصل ومتلقي.[1][2][3] يكتب المتصل رقم هاتف المتلقي على لوحة مفاتيح الجهاز المرسل، فيَرن جهاز المتلقي بعد الإرسال، وللمتلقي الخيار بالاستجابة إلى المكالمة أو رفضها...
Ishii KikujirōViscount Ishii KikujirōLahir(1866-04-24)24 April 1866Mobara, Chiba, JepangMeninggal25 Mei 1945(1945-05-25) (umur 79)Tokyo, JepangKebangsaanJepangPekerjaanDiplomat, Menteri Kabinet Penghargaan Order of the Sacred Treasure, 1st Class (en) Ini adalah nama Jepang, nama keluarganya adalah Ishii. Viscount Ishii Kikujirō (石井 菊次郎code: ja is deprecated , 24 April 1866 – 25 Mei 1945), adalah seorang diplomat dan menteri kabinet Jepang pada zaman Meiji, zaman Taishō d...
SaruasoNagariPrasasti Batusangkar / Prasasti Saruaso II, foto ca. 1910-1930Negara IndonesiaProvinsiSumatera BaratKabupatenTanah DatarKecamatanTanjung EmasKode Kemendagri13.04.05.2002 Luas48,51 km²Jumlah penduduk9489 jiwa Saruaso adalah nagari yang terletak di dekat Batusangkar, ibu kota kabupaten Tanah Datar, Sumatera Barat. Nagari ini dulunya kemungkinan menjadi ibu kota bagi kerajaan Malayapura yang didirikan oleh Adityawarman. Dalam kawasan nagari ini juga ditemukan saluran irigasi (...
Hollow cylindrical container This article is about the container. For use as a unit of measurement, see Barrel (unit). For the gun part, see Gun barrel. For other uses, see Barrel (disambiguation). Cask redirects here. For other uses, see Cask (disambiguation). Traditional oak barrels made by Chilean cooperage Tonelería Nacional Mackmyra barrels at Hackeberga Castle Modern stainless steel casks and kegs outside the Castle Rock microbrewery in Nottingham, England Wooden wine barrel at an exhi...